diff --git a/.agents/skills/translation-diff-export/SKILL.md b/.agents/skills/translation-diff-export/SKILL.md index a145de2cc6..640a8eee91 100644 --- a/.agents/skills/translation-diff-export/SKILL.md +++ b/.agents/skills/translation-diff-export/SKILL.md @@ -1,19 +1,13 @@ --- name: translation-diff-export -description: Export a JSON translation patch containing only untranslated or source-changed UniGetUI strings for a target language. +description: Compares UniGetUI JSON locale files against English, identifies untranslated or source-changed keys, and generates patch, reference, and handoff files for a target language. Use when the user asks to export missing translations, untranslated strings, i18n diffs, or locale-file changes. --- # translation diff export Use this skill when you need a small UniGetUI translation patch instead of sending a full language JSON file for review or translation. -## Scope - -- Export only strings that are still untranslated in the target language file. -- Treat missing, empty, or English-equal target values as untranslated. -- Optionally include strings whose English source value changed since a git baseline. -- Produce an immutable English source patch, a sparse translated working copy, and a translated reference corpus. -- Generate a companion markdown handoff file that points the translator to `translation-diff-translate` and the merge step in `translation-diff-import`. +It exports only the active untranslated or source-changed strings, creates the translator handoff files, and prepares the patch set needed by `translation-diff-translate` and `translation-diff-import`. ## Prerequisites @@ -21,11 +15,15 @@ Use this skill when you need a small UniGetUI translation patch instead of sendi - `git` available on `PATH`. - `cirup` available on `PATH`. +When source strings changed, run `translation-source-sync` first so `lang_en.json` reflects current source usage before exporting downstream translation patches. + ## Scripts - `scripts/export-translation-diff.ps1`: Exports JSON patch artifacts and generates a translation handoff prompt. - `scripts/test-translation-diff.ps1`: Runs a local end-to-end smoke test against the checked-in UniGetUI language files. +Use this skill's wrapper scripts first; the downstream translate and import steps are documented in [translation-diff-translate](../translation-diff-translate/SKILL.md) and [translation-diff-import](../translation-diff-import/SKILL.md). + ## Usage Export untranslated French strings only: @@ -58,17 +56,6 @@ Run the built-in smoke test: pwsh ./.agents/skills/translation-diff-export/scripts/test-translation-diff.ps1 ``` -## How It Works - -1. The script loads `lang_en.json` and the selected `lang_{code}.json` file. -2. It uses `cirup file-diff` to find missing keys and `cirup file-intersect` to find keys whose target value still matches English. -3. It adds any keys whose target value is present but empty, because those are not surfaced by `cirup` set operations. -4. If `-BaseRef` is provided, the script loads the old `lang_en.json` from git history and uses `cirup diff-with-base` to include keys that are new or whose English value changed. -5. It writes the English source patch as JSON. -6. It writes a reference JSON file containing already translated target-language entries that are outside the current patch. -7. It creates or refreshes a sparse translated working copy, preserving only still-valid translated entries from a previous patch file. -8. It invokes `translation-diff-translate` to write a companion `.prompt.md` handoff file for the translation and merge step. - ## Output For `lang_en.json` and language `fr`, the script generates: @@ -82,21 +69,22 @@ If `-KeepIntermediate` is used, git-baseline snapshots are kept under `generated The smoke test writes its temporary artifacts under `generated/translation-diff-export-demo/`. -## Hand Off To Translate +## Validate The Export + +After export, confirm the patch is usable before handing it off: -After exporting the patch, use the generated `.prompt.md` file with `translation-diff-translate` to update the sparse translated working copy. +1. Check that `.source.json` is not empty unless you expected no work for that language. +2. Confirm `.translated.json` is sparse and does not contain copied English placeholders for unfinished keys. +3. If the patch should include recent English changes, rerun with `-BaseRef` and compare the resulting `.source.json`. +4. Run the smoke test if you changed the export workflow itself. -The generated prompt includes the concrete file paths for: +## Hand Off To Translate -- `.source.json` -- `.translated.json` -- `.reference.json` -- the full target `lang_{code}.json` -- the follow-up import and validation commands +After exporting the patch, use the generated `.prompt.md` file with [translation-diff-translate](../translation-diff-translate/SKILL.md) to update the sparse translated working copy. ## Hand Off To Import -After translating the patch, merge it back into the full language file: +After translating the patch, merge it back into the full language file with [translation-diff-import](../translation-diff-import/SKILL.md): ```powershell pwsh ./.agents/skills/translation-diff-import/scripts/import-translation-diff.ps1 \ @@ -107,8 +95,4 @@ pwsh ./.agents/skills/translation-diff-import/scripts/import-translation-diff.ps -OutputJson ./src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fr.merged.json ``` -The `.source.json` file stays as the English reference. The `.translated.json` file should contain only completed translations during a partial translation pass. - -The `.reference.json` file contains already translated destination-language strings that are not in the current source patch, so the translator can reuse existing terminology and style. - Keep the `.translated.json` file sparse. If a key is not translated yet, leave it out instead of copying the English source value into the working copy. \ No newline at end of file diff --git a/.agents/skills/translation-diff-export/scripts/TranslationDiff.JsonTools.ps1 b/.agents/skills/translation-diff-export/scripts/TranslationDiff.JsonTools.ps1 index ac8ecc3779..00f9d0f081 100644 --- a/.agents/skills/translation-diff-export/scripts/TranslationDiff.JsonTools.ps1 +++ b/.agents/skills/translation-diff-export/scripts/TranslationDiff.JsonTools.ps1 @@ -1,353 +1,3 @@ Set-StrictMode -Version Latest -function Assert-Command { - param( - [Parameter(Mandatory = $true)] - [string]$Name - ) - - if (-not (Get-Command -Name $Name -ErrorAction SilentlyContinue)) { - throw "Required command not found on PATH: $Name" - } -} - -function Get-FullPath { - param( - [Parameter(Mandatory = $true)] - [string]$Path - ) - - return [System.IO.Path]::GetFullPath($Path) -} - -function New-Utf8File { - param( - [Parameter(Mandatory = $true)] - [string]$Path, - - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$Content - ) - - $directory = Split-Path -Path $Path -Parent - if (-not [string]::IsNullOrWhiteSpace($directory)) { - New-Item -Path $directory -ItemType Directory -Force | Out-Null - } - - $encoding = [System.Text.UTF8Encoding]::new($false) - [System.IO.File]::WriteAllText($Path, $Content, $encoding) -} - -function New-OrderedStringMap { - return [ordered]@{} -} - -function Assert-NoDuplicateJsonKeys { - param( - [Parameter(Mandatory = $true)] - [string]$Content, - - [Parameter(Mandatory = $true)] - [string]$Path - ) - - $pattern = [regex]'(?m)^\s*"((?:\\.|[^"])*)"\s*:' - $seen = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) - $duplicates = New-Object System.Collections.Generic.List[string] - - foreach ($match in $pattern.Matches($Content)) { - $key = [regex]::Unescape($match.Groups[1].Value) - if (-not $seen.Add($key) -and -not $duplicates.Contains($key)) { - $duplicates.Add($key) - } - } - - if ($duplicates.Count -gt 0) { - throw "JSON file contains duplicate key(s): $($duplicates -join ', '). Path: $Path" - } -} - -function Read-OrderedJsonMap { - param( - [Parameter(Mandatory = $true)] - [string]$Path - ) - - $result = New-OrderedStringMap - if (-not (Test-Path -Path $Path -PathType Leaf)) { - return $result - } - - $content = [System.IO.File]::ReadAllText((Get-FullPath -Path $Path)) - if ([string]::IsNullOrWhiteSpace($content)) { - return $result - } - - Assert-NoDuplicateJsonKeys -Content $content -Path $Path - - $parsed = $content | ConvertFrom-Json -AsHashtable - if ($null -eq $parsed) { - return $result - } - - if (-not ($parsed -is [System.Collections.IDictionary])) { - throw "JSON file must contain a flat object: $Path" - } - - foreach ($entry in $parsed.GetEnumerator()) { - if ($null -ne $entry.Value -and $entry.Value -is [System.Collections.IDictionary]) { - throw "JSON file must contain a flat object with string values only: $Path" - } - - if ($null -ne $entry.Value -and $entry.Value -is [System.Collections.IEnumerable] -and -not ($entry.Value -is [string])) { - throw "JSON file must contain a flat object with string values only: $Path" - } - - $result[[string]$entry.Key] = if ($null -eq $entry.Value) { '' } else { [string]$entry.Value } - } - - return $result -} - -function ConvertTo-JsonStringLiteral { - param( - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$Value - ) - - return ($Value | ConvertTo-Json -Compress) -} - -function Write-OrderedJsonMap { - param( - [Parameter(Mandatory = $true)] - [string]$Path, - - [Parameter(Mandatory = $true)] - [System.Collections.IDictionary]$Map - ) - - $lines = New-Object System.Collections.Generic.List[string] - $lines.Add('{') - - $index = 0 - $count = $Map.Count - foreach ($entry in $Map.GetEnumerator()) { - $index += 1 - $line = ' {0}: {1}' -f (ConvertTo-JsonStringLiteral -Value ([string]$entry.Key)), (ConvertTo-JsonStringLiteral -Value ([string]$entry.Value)) - if ($index -lt $count) { - $line += ',' - } - - $lines.Add($line) - } - - $lines.Add('}') - New-Utf8File -Path $Path -Content (($lines -join "`r`n") + "`r`n") -} - -function Invoke-CirupJson { - param( - [Parameter(Mandatory = $true)] - [string[]]$Arguments - ) - - Assert-Command -Name 'cirup' - - $output = & cirup @Arguments --output-format json - if ($LASTEXITCODE -ne 0) { - throw "cirup command failed: cirup $($Arguments -join ' ')" - } - - $jsonText = [string]::Join([Environment]::NewLine, @($output)).Trim() - if ([string]::IsNullOrWhiteSpace($jsonText)) { - return @() - } - - $parsed = $jsonText | ConvertFrom-Json -AsHashtable - return @($parsed) -} - -function Get-RepositoryRoot { - param( - [Parameter(Mandatory = $true)] - [string]$WorkingDirectory - ) - - $repoRoot = & git -C $WorkingDirectory rev-parse --show-toplevel - if ($LASTEXITCODE -ne 0 -or [string]::IsNullOrWhiteSpace($repoRoot)) { - throw "Unable to resolve git repository root from '$WorkingDirectory'." - } - - return $repoRoot.Trim() -} - -function Get-RepoRelativePath { - param( - [Parameter(Mandatory = $true)] - [string]$RepositoryRoot, - - [Parameter(Mandatory = $true)] - [string]$FilePath - ) - - $repoRootFull = Get-FullPath -Path $RepositoryRoot - $filePathFull = Get-FullPath -Path $FilePath - $repoRootWithSeparator = $repoRootFull.TrimEnd([System.IO.Path]::DirectorySeparatorChar, [System.IO.Path]::AltDirectorySeparatorChar) + [System.IO.Path]::DirectorySeparatorChar - - if (-not $filePathFull.StartsWith($repoRootWithSeparator, [System.StringComparison]::OrdinalIgnoreCase)) { - throw "File '$filePathFull' is not located under repository root '$repoRootFull'." - } - - return [System.IO.Path]::GetRelativePath($repoRootFull, $filePathFull).Replace('\', '/') -} - -function Get-SafeLabel { - param( - [Parameter(Mandatory = $true)] - [string]$Value - ) - - $safe = $Value -replace '[^A-Za-z0-9._-]+', '-' - $safe = $safe.Trim('-') - if ([string]::IsNullOrWhiteSpace($safe)) { - return 'base' - } - - return $safe -} - -function Get-PatchBaseName { - param( - [Parameter(Mandatory = $true)] - [string]$NeutralJsonPath - ) - - $stem = [System.IO.Path]::GetFileNameWithoutExtension($NeutralJsonPath) - if ($stem -match '^(.*)_en$' -and -not [string]::IsNullOrWhiteSpace($matches[1])) { - return $matches[1] - } - - return $stem -} - -function Get-LanguagesReferencePath { - param( - [Parameter(Mandatory = $true)] - [string]$NeutralJsonPath - ) - - $languagesDirectory = Split-Path -Path (Get-FullPath -Path $NeutralJsonPath) -Parent - $assetsDirectory = Split-Path -Path $languagesDirectory -Parent - return Join-Path $assetsDirectory 'Data\LanguagesReference.json' -} - -function Assert-LanguageCodeKnown { - param( - [Parameter(Mandatory = $true)] - [string]$LanguagesReferencePath, - - [Parameter(Mandatory = $true)] - [string]$LanguageCode - ) - - $referenceMap = Read-OrderedJsonMap -Path $LanguagesReferencePath - if (-not $referenceMap.Contains($LanguageCode)) { - throw "Unknown language code '$LanguageCode'. Expected one of the language codes from $LanguagesReferencePath" - } -} - -function Test-NeedsTranslation { - param( - [Parameter(Mandatory = $true)] - [string]$Key, - - [Parameter(Mandatory = $true)] - [System.Collections.IDictionary]$SourceMap, - - [Parameter(Mandatory = $true)] - [System.Collections.IDictionary]$TargetMap - ) - - if (-not $TargetMap.Contains($Key)) { - return $true - } - - $targetValue = [string]$TargetMap[$Key] - if ([string]::IsNullOrWhiteSpace($targetValue)) { - return $true - } - - return $targetValue -ceq [string]$SourceMap[$Key] -} - -function Get-PlaceholderTokens { - param( - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$Value - ) - - $tokens = foreach ($match in [regex]::Matches($Value, '\{[A-Za-z0-9_]+(?:,[^}:]+)?(?::[^}]+)?\}')) { - $match.Value - } - - return @($tokens | Sort-Object) -} - -function Get-HtmlTokens { - param( - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$Value - ) - - $tokens = foreach ($match in [regex]::Matches($Value, ']+?>')) { - $match.Value - } - - return @($tokens | Sort-Object) -} - -function Get-NewlineCount { - param( - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$Value - ) - - return ([regex]::Matches($Value, "`r`n|`n")).Count -} - -function Assert-TranslationStructure { - param( - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$SourceValue, - - [Parameter(Mandatory = $true)] - [AllowEmptyString()] - [string]$TranslatedValue, - - [Parameter(Mandatory = $true)] - [string]$Key - ) - - $sourcePlaceholderSignature = (Get-PlaceholderTokens -Value $SourceValue) -join "`n" - $translatedPlaceholderSignature = (Get-PlaceholderTokens -Value $TranslatedValue) -join "`n" - if ($sourcePlaceholderSignature -ne $translatedPlaceholderSignature) { - throw "Placeholder mismatch for key '$Key'." - } - - $sourceHtmlSignature = (Get-HtmlTokens -Value $SourceValue) -join "`n" - $translatedHtmlSignature = (Get-HtmlTokens -Value $TranslatedValue) -join "`n" - if ($sourceHtmlSignature -ne $translatedHtmlSignature) { - throw "HTML fragment mismatch for key '$Key'." - } - - if ((Get-NewlineCount -Value $SourceValue) -ne (Get-NewlineCount -Value $TranslatedValue)) { - throw "Line-break mismatch for key '$Key'." - } -} +. (Join-Path $PSScriptRoot '..\..\..\..\scripts\translation\Languages\TranslationJsonTools.ps1') diff --git a/.agents/skills/translation-diff-import/SKILL.md b/.agents/skills/translation-diff-import/SKILL.md index 3eef7995d0..238d2fb4e1 100644 --- a/.agents/skills/translation-diff-import/SKILL.md +++ b/.agents/skills/translation-diff-import/SKILL.md @@ -1,19 +1,13 @@ --- name: translation-diff-import -description: Import a translated JSON patch back into the full UniGetUI target-language JSON file. +description: Merges translated key-value pairs from a UniGetUI JSON localization patch back into the full language file and validates the merged result. Use when the user asks to apply, merge, or import a translation patch. --- # translation diff import Use this skill after the export skill produced a `.source.json`, `.translated.json`, and `.reference.json` set and you want to merge the translated working copy back into the full target-language JSON file. -## Scope - -- Accept the sparse `.translated.json` working copy from the export skill. -- Validate the translated working copy against the matching `.source.json` file before merge. -- Merge translated keys back into the full target-language JSON file with `cirup file-merge`. -- Preserve the existing target-file key order while updating translated values. -- Provide a PowerShell validation step for the merged output. +See [translation-diff-export](../translation-diff-export/SKILL.md) for the patch-generation step that produces the expected inputs. ## Prerequisites @@ -57,18 +51,14 @@ Recommended input mapping from the export skill: - `-TranslatedPatch`: `generated/translation-diff-export/lang.diff.fr.translated.json` - `-SourcePatch`: `generated/translation-diff-export/lang.diff.fr.source.json` -- `.reference.json`: not imported directly; it is only used during translation for terminology and style guidance ## Output - A merged `.json` file that contains both the previously translated entries and the imported patch values. - If `-KeepIntermediate` is used, patch snapshots are preserved under `generated/translation-diff-import/tmp/`. -If the translated working copy is sparse, only the completed translations are merged. Existing translated entries that are not part of the patch stay in the target JSON file. - -## Notes +## Edge cases - If the target JSON file does not exist yet, the script can create an output from the translated patch alone. - When `-SourcePatch` is provided, the script validates translated keys, placeholder tokens, HTML-like fragments, newline counts, and likely untranslated values before delegating the merge to `cirup` while allowing missing keys for partial progress. - The import skill expects `.translated.json` to remain sparse. Untranslated keys should be omitted instead of copied in English unless you intentionally bypass that check with `-AllowUnchangedValues`. -- The validation script is the PowerShell replacement for the repository's older Python translation checks. \ No newline at end of file diff --git a/.agents/skills/translation-diff-translate/SKILL.md b/.agents/skills/translation-diff-translate/SKILL.md index 7c101e28de..b2c2aedc48 100644 --- a/.agents/skills/translation-diff-translate/SKILL.md +++ b/.agents/skills/translation-diff-translate/SKILL.md @@ -1,20 +1,13 @@ --- name: translation-diff-translate -description: Translate a sparse JSON working copy produced by the export skill while preserving UniGetUI placeholders and existing terminology. +description: Translates a sparse UniGetUI JSON language patch, writes completed entries into the working copy, preserves placeholders and terminology, and prepares the patch for merge-back. Use when the user asks to translate or localize i18n strings, localization JSON, or language-file patches. --- # translation diff translate Use this skill after `translation-diff-export` produced a `.source.json`, `.translated.json`, and `.reference.json` set and you want to update the sparse translated working copy. -## Scope - -- Translate only the keys present in the current source patch. -- Treat `.translated.json` as the only writable file during the translation pass. -- Keep the translated working copy sparse by omitting keys that are not translated yet. -- Reuse terminology and style from `.reference.json`. -- Preserve placeholders, named tokens, HTML-like fragments, escape sequences, and line breaks. -- Hand the completed working copy to `translation-diff-import` for merge-back. +It translates only the active patch keys, keeps `.translated.json` as the sole writable file, preserves placeholders and formatting, and hands the completed working copy to `translation-diff-import` for merge-back. ## Execution Expectations @@ -22,16 +15,7 @@ Use this skill after `translation-diff-export` produced a `.source.json`, `.tran 2. Do not install packages or search for external translation services unless the user explicitly asks for automation. 3. If `.translated.json` is empty, that is expected. Translate from `.source.json` into `.translated.json`. 4. Use `.reference.json` only as terminology guidance, not as a reason to pause and analyze the rest of the repository. -5. Start translating immediately. Do not spend time estimating patch size or building import or export helpers. -6. If the patch is too large to finish reasonably in one pass, report that constraint to the user instead of creating automation on your own. - -## Inputs - -- `.source.json`: immutable English source patch for the current translation pass. -- `.translated.json`: sparse working copy that should contain only completed translations. -- `.reference.json`: already translated destination-language strings outside the current source patch. -- Full target `lang_{code}.json`: current destination-language file. -- Neutral `lang_en.json`: current source-language file. +5. If the patch is too large to finish reasonably in one pass, report that constraint to the user instead of creating automation on your own. ## Script @@ -65,7 +49,6 @@ pwsh ./.agents/skills/translation-diff-translate/scripts/write-translation-hando 6. Keep translated entries in the same key order as `.source.json` when adding new entries. 7. Use `.reference.json` to match existing terminology and tone in the destination language. 8. Do not introduce keys that are not present in the source patch. -9. Do not create side files, scripts, or analysis artifacts as part of the translation pass. ## After Translation diff --git a/.agents/skills/translation-review/SKILL.md b/.agents/skills/translation-review/SKILL.md new file mode 100644 index 0000000000..c26c6cbcf9 --- /dev/null +++ b/.agents/skills/translation-review/SKILL.md @@ -0,0 +1,117 @@ +--- +name: translation-review +description: Reviews UniGetUI .json language files for localization quality, detects parity issues, English-equal entries, wrong-script content, and cross-language outliers, then generates a dataset for LLM-assisted linguistic review. Use when the user asks to review translations, audit localization, inspect i18n or l10n quality, or validate language files. +--- + +# translation review + +Use this skill when you need a quality review of an existing UniGetUI translation, not just coverage, but correctness, language integrity, and consistency against related languages. + +Typical triggers: review translations, check translation quality, mistranslations, wrong language in translation, untranslated strings, localization QA, translation audit, spot-check a language file. + +## Scope + +- Mechanically detect placeholder, HTML-fragment, and newline mismatches. +- Flag entries whose translation still equals the English source in a non-English language file. +- Detect wrong-script entries for non-Latin languages such as `ua`, `zh_CN`, `ar`, `ko`, `ja`, and `he`. +- Build a cross-language comparison table so the reviewing agent can identify outliers, suspicious wording, and wrong-language content. +- The agent performs the final linguistic review using the generated report. + +## Prerequisites + +- PowerShell 7 (`pwsh`). + +## Scripts + +- `scripts/review-translation-json.ps1`: Generate the review dataset for one UniGetUI language JSON file. + +## Workflow + +1. Generate the review dataset for the target language. +2. Confirm the output file exists and contains the expected flagged sections or JSON fields. +3. If the script fails or the output is empty, validate the target JSON with `pwsh ./scripts/translation/Verify-Translations.ps1` and rerun the review. +4. Read the flagged sections first: parity issues, English-equal entries, and wrong-script entries. +5. Spot-check the cross-language comparison table, focusing on labels, buttons, settings text, and error messages. +6. Report findings inline with the English source text, observed problem, and suggested correction. + +## Usage + +Generate a Markdown review report for French: + +```powershell +pwsh ./.agents/skills/translation-review/scripts/review-translation-json.ps1 \ + -TargetJson ./src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fr.json \ + -Language fr +``` + +Generate a report for Ukrainian and include script-detection checks: + +```powershell +pwsh ./.agents/skills/translation-review/scripts/review-translation-json.ps1 \ + -TargetJson ./src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ua.json \ + -Language ua +``` + +Generate a flagged-only JSON report with no cross-language table: + +```powershell +pwsh ./.agents/skills/translation-review/scripts/review-translation-json.ps1 \ + -TargetJson ./src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_de.json \ + -Language de \ + -OutputFormat Json \ + -FlaggedOnly +``` + +Optional parameters: + +- `-NeutralJson` — defaults to `src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json` +- `-ComparisonLanguages` — languages to include in the comparison table; defaults to other checked-in `lang_*.json` files +- `-OutputPath` — defaults to `generated/translation-review/review..md` +- `-OutputFormat` — `Markdown` (default) or `Json` +- `-FlaggedOnly` — skip the full cross-language table and emit only mechanically flagged entries + +## Output + +The Markdown report is structured as: + +1. Summary +2. Parity Issues +3. English-Equal Entries +4. Wrong Script +5. Cross-Language Comparison + +Default output path: `generated/translation-review/review..md` + +## Agent Review Guidelines + +### Flagged sections + +- Parity issues: confirm whether the placeholder, tag, or newline mismatch is a genuine error or an acceptable localized variant. +- English-equal entries: decide whether the English value is an acceptable technical or brand string, or whether it should be translated. +- Wrong script: almost always an error for non-Latin languages. Verify against comparison languages and flag for re-translation when confirmed. + +### Cross-language comparison table + +- Sample at least 20–30 rows and prefer entries that look like UI labels, buttons, dialogs, settings descriptions, or error messages. +- Look for wrong language, suspiciously different meaning, missing words, or copied English that should probably be translated. +- Ignore obvious brand names and technical identifiers. + +### Output format for findings + +Report each issue in this format: + +```text +**Source**: `Some English source text` +**Problem**: [describe the issue] +**Current value**: [the problematic translation] +**Suggested correction**: [corrected value, if confident] +**Confidence**: High / Medium / Low +``` + +Group findings by type: parity, English-equal, wrong language, wrong script, or other. + +## Integration with Other Skills + +- Use [translation-status](../translation-status/SKILL.md) first if you need a coverage snapshot before reviewing quality. +- Use [translation-diff-export](../translation-diff-export/SKILL.md) to produce a sparse patch for entries that need re-translation after review. +- Use [translation-diff-import](../translation-diff-import/SKILL.md) to merge corrected entries back into the full language file. \ No newline at end of file diff --git a/.agents/skills/translation-review/scripts/review-translation-json.ps1 b/.agents/skills/translation-review/scripts/review-translation-json.ps1 new file mode 100644 index 0000000000..50a1dc7035 --- /dev/null +++ b/.agents/skills/translation-review/scripts/review-translation-json.ps1 @@ -0,0 +1,435 @@ +[CmdletBinding()] +param( + [Parameter(Mandatory)] + [string]$TargetJson, + + [Parameter(Mandatory)] + [string]$Language, + + [string]$NeutralJson, + [string]$OutputPath, + [string[]]$ComparisonLanguages, + + [ValidateSet('Markdown', 'Json')] + [string]$OutputFormat = 'Markdown', + + [switch]$FlaggedOnly +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +$repoRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..\..')) +. (Join-Path $repoRoot 'scripts\translation\Languages\TranslationJsonTools.ps1') + +function Get-TranslationReviewLanguageReferencePath { + return Join-Path $repoRoot 'src\UniGetUI.Core.LanguageEngine\Assets\Data\LanguagesReference.json' +} + +function Get-TranslationReviewLanguagesDirectory { + return Join-Path $repoRoot 'src\UniGetUI.Core.LanguageEngine\Assets\Languages' +} + +function Get-TranslationReviewLanguageReference { + return Read-OrderedJsonMap -Path (Get-TranslationReviewLanguageReferencePath) +} + +function Get-TranslationReviewDisplayLanguage { + param( + [Parameter(Mandatory = $true)] + [string]$LanguageCode, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$LanguageReference + ) + + if ($LanguageReference.Contains($LanguageCode)) { + return [string]$LanguageReference[$LanguageCode] + } + + return $LanguageCode +} + +function Test-TranslationReviewTechnicalToken { + param( + [string]$Value + ) + + if ([string]::IsNullOrWhiteSpace($Value)) { return $false } + if ($Value -match '^\d[\d\s%:./-]*$') { return $true } + if ($Value -match '^[A-Z0-9]{1,12}$') { return $true } + if ($Value -match '^https?://') { return $true } + if ($Value -match '^[A-Z][a-zA-Z0-9]+$' -and $Value.Length -le 30) { return $true } + if ($Value.Length -le 2) { return $true } + + return $false +} + +function Get-TranslationReviewScriptInfo { + param( + [Parameter(Mandatory = $true)] + [string]$LanguageCode + ) + + switch ($LanguageCode) { + 'ar' { return @{ Name = 'Arabic'; Pattern = '[\u0600-\u06ff]' } } + 'be' { return @{ Name = 'Cyrillic'; Pattern = '[\u0400-\u04ff]' } } + 'bg' { return @{ Name = 'Cyrillic'; Pattern = '[\u0400-\u04ff]' } } + 'bn' { return @{ Name = 'Bengali'; Pattern = '[\u0980-\u09ff]' } } + 'el' { return @{ Name = 'Greek'; Pattern = '[\u0370-\u03ff]' } } + 'fa' { return @{ Name = 'Arabic'; Pattern = '[\u0600-\u06ff]' } } + 'he' { return @{ Name = 'Hebrew'; Pattern = '[\u0590-\u05ff]' } } + 'hi' { return @{ Name = 'Devanagari'; Pattern = '[\u0900-\u097f]' } } + 'ja' { return @{ Name = 'Japanese'; Pattern = '[\u3040-\u30ff\u4e00-\u9fff]' } } + 'ka' { return @{ Name = 'Georgian'; Pattern = '[\u10a0-\u10ff]' } } + 'kn' { return @{ Name = 'Kannada'; Pattern = '[\u0c80-\u0cff]' } } + 'ko' { return @{ Name = 'Korean'; Pattern = '[\uac00-\ud7a3]' } } + 'mk' { return @{ Name = 'Cyrillic'; Pattern = '[\u0400-\u04ff]' } } + 'mr' { return @{ Name = 'Devanagari'; Pattern = '[\u0900-\u097f]' } } + 'ru' { return @{ Name = 'Cyrillic'; Pattern = '[\u0400-\u04ff]' } } + 'sa' { return @{ Name = 'Devanagari'; Pattern = '[\u0900-\u097f]' } } + 'si' { return @{ Name = 'Sinhala'; Pattern = '[\u0d80-\u0dff]' } } + 'ta' { return @{ Name = 'Tamil'; Pattern = '[\u0b80-\u0bff]' } } + 'th' { return @{ Name = 'Thai'; Pattern = '[\u0e00-\u0e7f]' } } + 'ua' { return @{ Name = 'Cyrillic'; Pattern = '[\u0400-\u04ff]' } } + 'ur' { return @{ Name = 'Arabic'; Pattern = '[\u0600-\u06ff]' } } + 'zh_CN' { return @{ Name = 'CJK'; Pattern = '[\u4e00-\u9fff\u3400-\u4dbf\uf900-\ufaff]' } } + 'zh_TW' { return @{ Name = 'CJK'; Pattern = '[\u4e00-\u9fff\u3400-\u4dbf\uf900-\ufaff]' } } + default { return $null } + } +} + +function Test-TranslationReviewExpectedScript { + param( + [Parameter(Mandatory = $true)] + [string]$LanguageCode, + + [Parameter(Mandatory = $true)] + [string]$Value + ) + + $scriptInfo = Get-TranslationReviewScriptInfo -LanguageCode $LanguageCode + if ($null -eq $scriptInfo) { + return $null + } + + return [pscustomobject]@{ + ExpectedScript = $scriptInfo.Name + HasExpectedScript = [bool]($Value -match $scriptInfo.Pattern) + } +} + +function Get-TranslationReviewParityIssues { + param( + [Parameter(Mandatory = $true)] + [string]$SourceValue, + + [Parameter(Mandatory = $true)] + [string]$TranslatedValue + ) + + $issues = New-Object System.Collections.Generic.List[string] + + $sourcePlaceholderSignature = (Get-PlaceholderTokens -Value $SourceValue) -join "`n" + $translatedPlaceholderSignature = (Get-PlaceholderTokens -Value $TranslatedValue) -join "`n" + if ($sourcePlaceholderSignature -ne $translatedPlaceholderSignature) { + $issues.Add('Placeholder mismatch') + } + + $sourceHtmlSignature = (Get-HtmlTokens -Value $SourceValue) -join "`n" + $translatedHtmlSignature = (Get-HtmlTokens -Value $TranslatedValue) -join "`n" + if ($sourceHtmlSignature -ne $translatedHtmlSignature) { + $issues.Add('HTML fragment mismatch') + } + + if ((Get-NewlineCount -Value $SourceValue) -ne (Get-NewlineCount -Value $TranslatedValue)) { + $issues.Add('Line-break mismatch') + } + + return @($issues) +} + +function Format-TranslationReviewMarkdownCell { + param( + [AllowNull()] + [string]$Value + ) + + if ($null -eq $Value) { + return '_-_' + } + + $escapedValue = $Value -replace '\|', '\|' + if ($escapedValue.Length -gt 120) { + $escapedValue = $escapedValue.Substring(0, 117) + '...' + } + + return $escapedValue +} + +if (-not $NeutralJson) { + $NeutralJson = Join-Path (Get-TranslationReviewLanguagesDirectory) 'lang_en.json' +} + +$languageReference = Get-TranslationReviewLanguageReference +if (-not $languageReference.Contains($Language)) { + throw "Unknown language code '$Language'." +} + +if (-not $ComparisonLanguages) { + $ComparisonLanguages = @() + foreach ($entry in $languageReference.GetEnumerator()) { + $code = [string]$entry.Key + if ($code -in @('default', 'en', $Language)) { + continue + } + + $comparisonPath = Join-Path (Get-TranslationReviewLanguagesDirectory) ("lang_{0}.json" -f $code) + if (Test-Path -Path $comparisonPath -PathType Leaf) { + $ComparisonLanguages += $code + } + } +} + +if (-not $OutputPath) { + $extension = if ($OutputFormat -eq 'Json') { 'json' } else { 'md' } + $OutputPath = Join-Path $repoRoot ("generated\translation-review\review.{0}.{1}" -f $Language, $extension) +} + +$neutralMap = Read-OrderedJsonMap -Path $NeutralJson +$targetMap = Read-OrderedJsonMap -Path $TargetJson + +$comparisonMaps = [ordered]@{} +foreach ($code in $ComparisonLanguages) { + $comparisonPath = Join-Path (Get-TranslationReviewLanguagesDirectory) ("lang_{0}.json" -f $code) + if (Test-Path -Path $comparisonPath -PathType Leaf) { + $comparisonMaps[$code] = Read-OrderedJsonMap -Path $comparisonPath + } +} + +$parityIssues = [System.Collections.Generic.List[object]]::new() +$englishEqualEntries = [System.Collections.Generic.List[object]]::new() +$wrongScriptEntries = [System.Collections.Generic.List[object]]::new() +$crossLanguageEntries = [System.Collections.Generic.List[object]]::new() + +foreach ($entry in $neutralMap.GetEnumerator()) { + $sourceText = [string]$entry.Key + $englishValue = [string]$entry.Value + + if (-not $targetMap.Contains($sourceText)) { + continue + } + + $targetValue = [string]$targetMap[$sourceText] + if ([string]::IsNullOrWhiteSpace($targetValue)) { + continue + } + + $crossLanguage = [ordered]@{} + foreach ($code in $comparisonMaps.Keys) { + $crossLanguage[$code] = if ($comparisonMaps[$code].Contains($sourceText)) { + [string]$comparisonMaps[$code][$sourceText] + } + else { + $null + } + } + + if ($Language -ne 'en' -and $targetValue -ceq $englishValue -and -not (Test-TranslationReviewTechnicalToken -Value $englishValue)) { + $englishEqualEntries.Add([pscustomobject]@{ + SourceText = $sourceText + English = $englishValue + Translation = $targetValue + CrossLanguage = $crossLanguage + }) + } + else { + $issues = @(Get-TranslationReviewParityIssues -SourceValue $englishValue -TranslatedValue $targetValue) + if ($issues.Count -gt 0) { + $parityIssues.Add([pscustomobject]@{ + SourceText = $sourceText + English = $englishValue + Translation = $targetValue + Issues = $issues + CrossLanguage = $crossLanguage + }) + } + + $scriptCheck = Test-TranslationReviewExpectedScript -LanguageCode $Language -Value $targetValue + if ($null -ne $scriptCheck -and -not $scriptCheck.HasExpectedScript -and -not (Test-TranslationReviewTechnicalToken -Value $englishValue)) { + $wrongScriptEntries.Add([pscustomobject]@{ + SourceText = $sourceText + English = $englishValue + Translation = $targetValue + ExpectedScript = $scriptCheck.ExpectedScript + CrossLanguage = $crossLanguage + }) + } + } + + $crossLanguageEntries.Add([pscustomobject]@{ + SourceText = $sourceText + English = $englishValue + Translation = $targetValue + CrossLanguage = $crossLanguage + }) +} + +$displayName = Get-TranslationReviewDisplayLanguage -LanguageCode $Language -LanguageReference $languageReference + +$output = if ($OutputFormat -eq 'Json') { + [pscustomobject]@{ + Language = $Language + DisplayName = $displayName + GeneratedAt = (Get-Date -Format 'o') + TargetJson = $TargetJson + TotalReviewed = $crossLanguageEntries.Count + ParityIssueCount = $parityIssues.Count + EnglishEqualCount = $englishEqualEntries.Count + WrongScriptCount = $wrongScriptEntries.Count + ParityIssues = $parityIssues.ToArray() + EnglishEqual = $englishEqualEntries.ToArray() + WrongScript = $wrongScriptEntries.ToArray() + CrossLanguage = if (-not $FlaggedOnly) { $crossLanguageEntries.ToArray() } else { @() } + } | ConvertTo-Json -Depth 10 +} +else { + $builder = [System.Text.StringBuilder]::new() + [void]$builder.AppendLine("# Translation Review: $displayName ($Language)") + [void]$builder.AppendLine() + [void]$builder.AppendLine("**File**: ``$TargetJson``") + [void]$builder.AppendLine("**Generated**: $(Get-Date -Format 'yyyy-MM-dd HH:mm')") + [void]$builder.AppendLine("**Comparison languages**: $($comparisonMaps.Keys -join ', ')") + [void]$builder.AppendLine() + [void]$builder.AppendLine('## Summary') + [void]$builder.AppendLine() + [void]$builder.AppendLine('| Category | Count |') + [void]$builder.AppendLine('|---|---|') + [void]$builder.AppendLine("| Reviewed translated entries | $($crossLanguageEntries.Count) |") + [void]$builder.AppendLine("| Parity issues | $($parityIssues.Count) |") + [void]$builder.AppendLine("| English-equal entries | $($englishEqualEntries.Count) |") + [void]$builder.AppendLine("| Wrong script entries | $($wrongScriptEntries.Count) |") + [void]$builder.AppendLine() + + [void]$builder.AppendLine('## Parity Issues') + [void]$builder.AppendLine() + if ($parityIssues.Count -eq 0) { + [void]$builder.AppendLine('_No parity issues found._') + } + else { + foreach ($issue in $parityIssues) { + [void]$builder.AppendLine("### ``$($issue.SourceText)``") + [void]$builder.AppendLine() + [void]$builder.AppendLine("- **English**: $($issue.English)") + [void]$builder.AppendLine("- **$Language**: $($issue.Translation)") + foreach ($problem in $issue.Issues) { + [void]$builder.AppendLine("- **Issue**: $problem") + } + foreach ($code in $issue.CrossLanguage.Keys) { + $value = $issue.CrossLanguage[$code] + if (-not [string]::IsNullOrWhiteSpace($value) -and $value -ne $issue.English) { + [void]$builder.AppendLine("- **$code**: $value") + } + } + [void]$builder.AppendLine() + } + } + [void]$builder.AppendLine() + + [void]$builder.AppendLine('## English-Equal Entries') + [void]$builder.AppendLine() + if ($englishEqualEntries.Count -eq 0) { + [void]$builder.AppendLine('_No suspicious English-equal entries found._') + } + else { + foreach ($item in $englishEqualEntries) { + [void]$builder.AppendLine("### ``$($item.SourceText)``") + [void]$builder.AppendLine() + [void]$builder.AppendLine("- **English**: $($item.English)") + [void]$builder.AppendLine("- **$Language**: $($item.Translation)") + foreach ($code in $item.CrossLanguage.Keys) { + $value = $item.CrossLanguage[$code] + if (-not [string]::IsNullOrWhiteSpace($value) -and $value -ne $item.English) { + [void]$builder.AppendLine("- **$code**: $value") + } + } + [void]$builder.AppendLine() + } + } + [void]$builder.AppendLine() + + [void]$builder.AppendLine('## Wrong Script') + [void]$builder.AppendLine() + if ($wrongScriptEntries.Count -eq 0) { + $scriptInfo = Get-TranslationReviewScriptInfo -LanguageCode $Language + if ($null -eq $scriptInfo) { + [void]$builder.AppendLine('_Not applicable for Latin-script languages._') + } + else { + [void]$builder.AppendLine('_No wrong-script entries found._') + } + } + else { + foreach ($item in $wrongScriptEntries) { + [void]$builder.AppendLine("### ``$($item.SourceText)``") + [void]$builder.AppendLine() + [void]$builder.AppendLine("- **English**: $($item.English)") + [void]$builder.AppendLine("- **$Language**: $($item.Translation)") + [void]$builder.AppendLine("- **Expected script**: $($item.ExpectedScript)") + foreach ($code in $item.CrossLanguage.Keys) { + $value = $item.CrossLanguage[$code] + if (-not [string]::IsNullOrWhiteSpace($value) -and $value -ne $item.English) { + [void]$builder.AppendLine("- **$code**: $value") + } + } + [void]$builder.AppendLine() + } + } + [void]$builder.AppendLine() + + if (-not $FlaggedOnly) { + $comparisonCodes = @($comparisonMaps.Keys) + [void]$builder.AppendLine('## Cross-Language Comparison') + [void]$builder.AppendLine() + [void]$builder.AppendLine('Use this table for spot-checking suspicious wording, wrong language, and unusual differences against related languages.') + [void]$builder.AppendLine() + $header = '| Source | English | ' + $Language + ' | ' + ($comparisonCodes -join ' | ') + ' |' + $divider = '|---|---|' + ('---|' * ($comparisonCodes.Count + 1)) + [void]$builder.AppendLine($header) + [void]$builder.AppendLine($divider) + foreach ($row in $crossLanguageEntries) { + $cells = New-Object System.Collections.Generic.List[string] + $cells.Add((Format-TranslationReviewMarkdownCell -Value $row.SourceText)) + $cells.Add((Format-TranslationReviewMarkdownCell -Value $row.English)) + $cells.Add((Format-TranslationReviewMarkdownCell -Value $row.Translation)) + foreach ($code in $comparisonCodes) { + $cells.Add((Format-TranslationReviewMarkdownCell -Value $row.CrossLanguage[$code])) + } + + [void]$builder.AppendLine('| ' + ($cells -join ' | ') + ' |') + } + } + + $builder.ToString() +} + +$outputDirectory = Split-Path -Path $OutputPath -Parent +if (-not (Test-Path -Path $outputDirectory -PathType Container)) { + New-Item -Path $outputDirectory -ItemType Directory -Force | Out-Null +} + +[System.IO.File]::WriteAllText($OutputPath, [string]$output, [System.Text.UTF8Encoding]::new($false)) + +Write-Host "Review written to: $OutputPath" +Write-Host " Parity issues: $($parityIssues.Count)" +Write-Host " English-equal: $($englishEqualEntries.Count)" +Write-Host " Wrong script: $($wrongScriptEntries.Count)" +Write-Host " Entries reviewed: $($crossLanguageEntries.Count)" + +[pscustomobject]@{ + OutputPath = $OutputPath + ParityIssueCount = $parityIssues.Count + EnglishEqualCount = $englishEqualEntries.Count + WrongScriptCount = $wrongScriptEntries.Count + ReviewedEntryCount = $crossLanguageEntries.Count +} \ No newline at end of file diff --git a/.agents/skills/translation-source-sync/SKILL.md b/.agents/skills/translation-source-sync/SKILL.md new file mode 100644 index 0000000000..eb6fcda1b7 --- /dev/null +++ b/.agents/skills/translation-source-sync/SKILL.md @@ -0,0 +1,92 @@ +--- +name: translation-source-sync +description: Synchronizes the UniGetUI English language file with source-code usage, identifies missing translation keys, removes unused entries, reports localization drift, and can reorder locale files to the English legacy-boundary layout. Use when the user asks to sync language files, missing translations, i18n drift, or align locale file ordering with English. +--- + +# translation source sync + +Use this skill when UniGetUI source code changed and you need to keep [src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json](src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json) aligned with the strings actually used by the application, or when you need downstream locale files reordered to match the English active and legacy sections. + +It scans supported C#, WinUI XAML, and Avalonia AXAML patterns, finds missing English keys, removes unused entries, reports translation-source warnings that still need manual cleanup, and can align locale file ordering to the English legacy-boundary layout. + +## Scope + +- Extract literal translation keys from supported UniGetUI source patterns. +- Add new English keys missing from `lang_en.json`. +- Remove English keys that are no longer used. +- Preserve legacy English keys below the reserved boundary marker when the boundary workflow is enabled. +- Reorder non-English locale files to match the English active and legacy key ordering. +- Warn about interpolated `CoreTools.Translate($"...")` calls that are not synchronized automatically. +- Leave downstream language propagation to the existing translation diff workflow. + +## Supported extraction sources + +- `CoreTools.Translate("...")` in C#. +- `CoreTools.AutoTranslated("...")` in C#. +- `widgets:TranslatedTextBlock Text="..."` in WinUI XAML. +- `settings:TranslatedTextBlock Text="..."` in Avalonia AXAML. +- `{t:Translate Some text}` and `{t:Translate Text='A, B, C'}` in Avalonia AXAML. + +## Out of scope for v1 + +- Interpolated translation calls such as `CoreTools.Translate($"Running {value}")`. +- Non-literal translation inputs passed through variables. +- CI enforcement. + +## Scripts + +- `scripts/sync-translation-sources.ps1`: Skill wrapper around the repository sync script. +- `scripts/set-translation-boundary-order.ps1`: Skill wrapper around the repository locale reordering script. +- `scripts/test-translation-source-sync.ps1`: Skill wrapper around the repository smoke test. +- `../../../../scripts/translation/Sync-TranslationSources.ps1`: Canonical repository implementation used by the wrapper. +- `../../../../scripts/translation/Set-TranslationBoundaryOrder.ps1`: Canonical repository implementation used by the wrapper. +- `../../../../scripts/translation/Test-TranslationSourceSync.ps1`: Canonical smoke test used by the wrapper. + +## Usage + +Synchronize the checked-in English language file in place: + +```powershell +pwsh ./.agents/skills/translation-source-sync/scripts/sync-translation-sources.ps1 +``` + +Check whether the English file is out of sync without writing changes: + +```powershell +pwsh ./.agents/skills/translation-source-sync/scripts/sync-translation-sources.ps1 -CheckOnly +``` + +Reorder locale files to match the English active section and legacy-boundary tail: + +```powershell +pwsh ./.agents/skills/translation-source-sync/scripts/set-translation-boundary-order.ps1 +``` + +Preview whether locale files need reordering without writing changes: + +```powershell +pwsh ./.agents/skills/translation-source-sync/scripts/set-translation-boundary-order.ps1 -CheckOnly +``` + +Run the smoke test: + +```powershell +pwsh ./.agents/skills/translation-source-sync/scripts/test-translation-source-sync.ps1 +``` + +## Recommended workflow + +1. Run translation source sync after changing any translatable source string. +2. If `-CheckOnly` reports drift, run the full sync to rewrite `lang_en.json`. +3. Review warnings for interpolated translation calls and convert them to stable literals or add the missing English keys manually when needed. +4. If you are using the legacy-boundary workflow, run `pwsh ./.agents/skills/translation-source-sync/scripts/set-translation-boundary-order.ps1` to align locale ordering with English. +5. Run `pwsh ./scripts/translation/Verify-Translations.ps1` to confirm the language files still validate cleanly. +6. Run `pwsh ./.agents/skills/translation-source-sync/scripts/test-translation-source-sync.ps1` if you changed the sync workflow itself. +7. Export changed work for translators with [translation-diff-export](../translation-diff-export/SKILL.md). + +## Notes + +- Existing English values are preserved for retained keys; newly added English entries default to `key == value`. +- The sync script preserves current key order for retained entries and appends newly discovered keys deterministically. +- The locale reorder script follows English as the canonical order and moves unmapped locale-only keys to the legacy section after the reserved boundary marker. +- The smoke test uses a temporary synthetic repo so it does not mutate the checked-in language files. \ No newline at end of file diff --git a/.agents/skills/translation-source-sync/scripts/set-translation-boundary-order.ps1 b/.agents/skills/translation-source-sync/scripts/set-translation-boundary-order.ps1 new file mode 100644 index 0000000000..19c122d35d --- /dev/null +++ b/.agents/skills/translation-source-sync/scripts/set-translation-boundary-order.ps1 @@ -0,0 +1,26 @@ +[CmdletBinding(SupportsShouldProcess = $true)] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath, + [string]$LanguagesDirectory, + [string]$InventoryOutputPath, + [switch]$IncludeEnglish, + [switch]$CheckOnly +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +$repoRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..\..')) +$scriptPath = Join-Path $repoRoot 'scripts\translation\Set-TranslationBoundaryOrder.ps1' +if (-not (Test-Path -Path $scriptPath -PathType Leaf)) { + throw "Translation boundary reorder script not found: $scriptPath" +} + +& $scriptPath ` + -RepositoryRoot $RepositoryRoot ` + -EnglishFilePath $EnglishFilePath ` + -LanguagesDirectory $LanguagesDirectory ` + -InventoryOutputPath $InventoryOutputPath ` + -IncludeEnglish:$IncludeEnglish.IsPresent ` + -CheckOnly:$CheckOnly.IsPresent \ No newline at end of file diff --git a/.agents/skills/translation-source-sync/scripts/sync-translation-sources.ps1 b/.agents/skills/translation-source-sync/scripts/sync-translation-sources.ps1 new file mode 100644 index 0000000000..b92d1cd5ab --- /dev/null +++ b/.agents/skills/translation-source-sync/scripts/sync-translation-sources.ps1 @@ -0,0 +1,17 @@ +[CmdletBinding(SupportsShouldProcess = $true)] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath, + [switch]$CheckOnly +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +$repoRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..\..')) +$scriptPath = Join-Path $repoRoot 'scripts\translation\Sync-TranslationSources.ps1' +if (-not (Test-Path -Path $scriptPath -PathType Leaf)) { + throw "Translation source sync script not found: $scriptPath" +} + +& $scriptPath -RepositoryRoot $RepositoryRoot -EnglishFilePath $EnglishFilePath -CheckOnly:$CheckOnly.IsPresent \ No newline at end of file diff --git a/.agents/skills/translation-source-sync/scripts/test-translation-source-sync.ps1 b/.agents/skills/translation-source-sync/scripts/test-translation-source-sync.ps1 new file mode 100644 index 0000000000..8f2b255a07 --- /dev/null +++ b/.agents/skills/translation-source-sync/scripts/test-translation-source-sync.ps1 @@ -0,0 +1,10 @@ +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +$repoRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..\..')) +$scriptPath = Join-Path $repoRoot 'scripts\translation\Test-TranslationSourceSync.ps1' +if (-not (Test-Path -Path $scriptPath -PathType Leaf)) { + throw "Translation source sync smoke test script not found: $scriptPath" +} + +& $scriptPath \ No newline at end of file diff --git a/.agents/skills/translation-status-summary/SKILL.md b/.agents/skills/translation-status-summary/SKILL.md deleted file mode 100644 index 02278a23be..0000000000 --- a/.agents/skills/translation-status-summary/SKILL.md +++ /dev/null @@ -1,72 +0,0 @@ ---- -name: translation-status-summary -description: Summarize UniGetUI translation status across all languages using the repository PowerShell workflow. ---- - -# translation status summary - -Use this skill when you need a current summary of translation coverage across all UniGetUI language files. - -## Scope - -- Read the checked-in UniGetUI language files under `src/UniGetUI.Core.LanguageEngine/Assets/Languages`. -- Summarize translation status for every language in `LanguagesReference.json`. -- Report translated, missing, empty, and source-equal entry counts. -- Show computed completion percentages alongside stored metadata from `TranslatedPercentages.json`. -- Support table, JSON, and markdown output. - -## Prerequisites - -- PowerShell 7 (`pwsh`). - -## Scripts - -- `scripts/get-translation-status-summary.ps1`: Thin wrapper around the repository script `scripts/get_translation_status.ps1`. -- `../../../../scripts/get_translation_status.ps1`: Canonical implementation for computing translation status. - -## Usage - -Show the default table summary: - -```powershell -pwsh ./.agents/skills/translation-status-summary/scripts/get-translation-status-summary.ps1 -``` - -Show only incomplete languages as markdown: - -```powershell -pwsh ./.agents/skills/translation-status-summary/scripts/get-translation-status-summary.ps1 \ - -OutputFormat Markdown \ - -OnlyIncomplete -``` - -Write JSON output to a file: - -```powershell -pwsh ./.agents/skills/translation-status-summary/scripts/get-translation-status-summary.ps1 \ - -OutputFormat Json \ - -OutputPath ./generated/translation-status.json -``` - -## Output - -Each row includes: - -- language code and display name -- computed completion percentage -- stored percentage from metadata, when available -- delta between computed and stored percentages -- translated entry count -- missing entry count -- empty entry count -- source-equal entry count -- extra-key count - -The default table and markdown modes also include an overview block with total languages, incomplete languages, fully translated languages, and the outstanding untranslated-entry breakdown. - -## Notes - -- The script treats source-equal values as untranslated for non-English languages. -- Missing stored percentages are left blank rather than coerced to `0%`. -- Use `-IncludeEnglish` if you want the `en` row included in the report. -- Use `-OnlyIncomplete` to focus on languages that still need work. \ No newline at end of file diff --git a/.agents/skills/translation-status/SKILL.md b/.agents/skills/translation-status/SKILL.md new file mode 100644 index 0000000000..c981a96df7 --- /dev/null +++ b/.agents/skills/translation-status/SKILL.md @@ -0,0 +1,59 @@ +--- +name: translation-status +description: Analyzes checked-in UniGetUI language files to calculate translation percentages, surface untranslated coverage data, and generate localization status reports. Boundary-aware: completion is computed from the active English section above the legacy marker. +--- + +# translation status + +Use this skill when the user asks for UniGetUI translation progress, localization or i18n coverage, untranslated-language reports, or a language support status summary. + +## Prerequisites + +- PowerShell 7 (`pwsh`). + +## Scripts + +- `scripts/get-translation-status.ps1`: Skill wrapper you should invoke from the skill. +- `../../../../scripts/translation/Get-TranslationStatus.ps1`: Canonical repository implementation delegated to by the wrapper. + +## Usage + +Show the default table summary: + +```powershell +pwsh ./.agents/skills/translation-status/scripts/get-translation-status.ps1 +``` + +Show only incomplete languages as markdown: + +```powershell +pwsh ./.agents/skills/translation-status/scripts/get-translation-status.ps1 \ + -OutputFormat Markdown \ + -OnlyIncomplete +``` + +Write JSON output to a file: + +```powershell +pwsh ./.agents/skills/translation-status/scripts/get-translation-status.ps1 \ + -OutputFormat Json \ + -OutputPath ./generated/translation-status.json +``` + +## Output Fields + +- `Code`: language code +- `Language`: display name +- `Completion`: computed completion percentage using English active keys only +- `Translated`, `Missing`, `Empty`, `SourceEqual`, `Extra`: per-language entry counts for the active baseline +- `Legacy`: count of locale keys stored below the legacy boundary marker +- `Stored` and `Delta`: stored percentage metadata and difference from the computed result + +## Notes + +- The script treats source-equal values as untranslated for non-English languages. +- When `lang_en.json` contains the legacy boundary marker, completion excludes legacy compatibility keys below the marker. +- `Extra` excludes shared English legacy keys and only counts locale-only keys not present in English active or legacy sections. +- Use `-IncludeEnglish` if you want the `en` row included in the report. +- Use `-OnlyIncomplete` to focus on languages that still need work. +- For the full parameter surface, inspect `../../../../scripts/translation/Get-TranslationStatus.ps1`. \ No newline at end of file diff --git a/.agents/skills/translation-status-summary/scripts/get-translation-status-summary.ps1 b/.agents/skills/translation-status/scripts/get-translation-status.ps1 similarity index 85% rename from .agents/skills/translation-status-summary/scripts/get-translation-status-summary.ps1 rename to .agents/skills/translation-status/scripts/get-translation-status.ps1 index 99670e9f32..d12addfd2a 100644 --- a/.agents/skills/translation-status-summary/scripts/get-translation-status-summary.ps1 +++ b/.agents/skills/translation-status/scripts/get-translation-status.ps1 @@ -14,9 +14,9 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' $repoRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..\..')) -$scriptPath = Join-Path $repoRoot 'scripts\get_translation_status.ps1' +$scriptPath = Join-Path $repoRoot 'scripts\translation\Get-TranslationStatus.ps1' if (-not (Test-Path -Path $scriptPath -PathType Leaf)) { throw "Translation status script not found: $scriptPath" } -& $scriptPath -OutputFormat $OutputFormat -IncludeEnglish:$IncludeEnglish.IsPresent -OnlyIncomplete:$OnlyIncomplete.IsPresent -OutputPath $OutputPath +& $scriptPath -OutputFormat $OutputFormat -IncludeEnglish:$IncludeEnglish.IsPresent -OnlyIncomplete:$OnlyIncomplete.IsPresent -OutputPath $OutputPath \ No newline at end of file diff --git a/scripts/purge_unused_translations.ps1 b/scripts/purge_unused_translations.ps1 deleted file mode 100644 index aac859576a..0000000000 --- a/scripts/purge_unused_translations.ps1 +++ /dev/null @@ -1,177 +0,0 @@ -[CmdletBinding()] -param( - [string]$RepositoryRoot, - [string]$EnglishFilePath -) - -Set-StrictMode -Version Latest -$ErrorActionPreference = 'Stop' - -$excludedDirectories = @( - '.git', - '.vs', - 'bin', - 'obj', - 'generated', - 'node_modules', - 'packages' -) - -$excludedExtensions = @( - '.7z', - '.a', - '.avi', - '.bmp', - '.class', - '.db', - '.dll', - '.dylib', - '.eot', - '.exe', - '.gif', - '.gz', - '.ico', - '.jar', - '.jpeg', - '.jpg', - '.lib', - '.mp3', - '.mp4', - '.nupkg', - '.obj', - '.pdb', - '.pdf', - '.png', - '.pyc', - '.snupkg', - '.so', - '.svg', - '.tar', - '.ttf', - '.wav', - '.webm', - '.webp', - '.woff', - '.woff2', - '.zip' -) - -function Resolve-RepositoryRoot { - if (-not [string]::IsNullOrWhiteSpace($RepositoryRoot)) { - return [System.IO.Path]::GetFullPath($RepositoryRoot) - } - - return [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..')) -} - -function Resolve-EnglishFilePath { - param( - [Parameter(Mandatory = $true)] - [string]$ResolvedRepositoryRoot - ) - - if (-not [string]::IsNullOrWhiteSpace($EnglishFilePath)) { - return [System.IO.Path]::GetFullPath($EnglishFilePath) - } - - return Join-Path $ResolvedRepositoryRoot 'src\UniGetUI.Core.LanguageEngine\Assets\Languages\lang_en.json' -} - -function Read-JsonObject { - param( - [Parameter(Mandatory = $true)] - [string]$Path - ) - - $content = [System.IO.File]::ReadAllText($Path) - if ([string]::IsNullOrWhiteSpace($content)) { - return [ordered]@{} - } - - $parsed = $content | ConvertFrom-Json -AsHashtable - if ($null -eq $parsed) { - return [ordered]@{} - } - - if (-not ($parsed -is [System.Collections.IDictionary])) { - throw "JSON root must be an object: $Path" - } - - return $parsed -} - -function Test-IsExcludedFile { - param( - [Parameter(Mandatory = $true)] - [System.IO.FileInfo]$File, - - [Parameter(Mandatory = $true)] - [string]$ResolvedRepositoryRoot - ) - - $relativePath = [System.IO.Path]::GetRelativePath($ResolvedRepositoryRoot, $File.FullName).Replace('\', '/') - if ($relativePath -like 'src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_*.json') { - return $true - } - - foreach ($segment in $relativePath.Split('/')) { - if ($excludedDirectories -contains $segment) { - return $true - } - } - - return $excludedExtensions -contains $File.Extension.ToLowerInvariant() -} - -$resolvedRepositoryRoot = Resolve-RepositoryRoot -$resolvedEnglishFilePath = Resolve-EnglishFilePath -ResolvedRepositoryRoot $resolvedRepositoryRoot - -if (-not (Test-Path -Path $resolvedEnglishFilePath -PathType Leaf)) { - throw "English translation file not found: $resolvedEnglishFilePath" -} - -$englishTranslations = Read-JsonObject -Path $resolvedEnglishFilePath -Write-Output "Working on $resolvedRepositoryRoot" - -$contentBuilder = [System.Text.StringBuilder]::new() -$filesScanned = 0 -Get-ChildItem -Path $resolvedRepositoryRoot -File -Recurse -ErrorAction SilentlyContinue | - Where-Object { -not (Test-IsExcludedFile -File $_ -ResolvedRepositoryRoot $resolvedRepositoryRoot) } | - ForEach-Object { - $filesScanned += 1 - try { - [void]$contentBuilder.Append([System.IO.File]::ReadAllText($_.FullName)) - [void]$contentBuilder.Append("`n################################ File division ################################`n") - } - catch { - } - } - -$allContent = $contentBuilder.ToString() -$unusedKeys = New-Object System.Collections.Generic.List[string] - -foreach ($entry in $englishTranslations.GetEnumerator()) { - $key = [string]$entry.Key - $candidates = @( - $key, - $key.Replace('"', '\"'), - $key.Replace("`r`n", '\n').Replace("`n", '\n'), - $key.Replace('"', '\"').Replace("`r`n", '\n').Replace("`n", '\n') - ) | Select-Object -Unique - - $found = $false - foreach ($candidate in $candidates) { - if ($allContent.Contains($candidate, [System.StringComparison]::Ordinal)) { - $found = $true - break - } - } - - if (-not $found) { - $unusedKeys.Add($key) - Write-Output "Unused key: $key" - } -} - -Write-Output "Scan completed. Checked $filesScanned file(s); found $($unusedKeys.Count) unused key(s)." -exit 0 \ No newline at end of file diff --git a/scripts/translation/Export-TranslationBoundaryAlignment.ps1 b/scripts/translation/Export-TranslationBoundaryAlignment.ps1 new file mode 100644 index 0000000000..ece0330f25 --- /dev/null +++ b/scripts/translation/Export-TranslationBoundaryAlignment.ps1 @@ -0,0 +1,145 @@ +[CmdletBinding()] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath, + [string]$LanguagesDirectory, + [string]$OutputPath +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot +$resolvedEnglishFilePath = Resolve-EnglishLanguageFilePath -ResolvedRepositoryRoot $resolvedRepositoryRoot -EnglishFilePath $EnglishFilePath +$resolvedLanguagesDirectory = if ([string]::IsNullOrWhiteSpace($LanguagesDirectory)) { + Split-Path -Path $resolvedEnglishFilePath -Parent +} +else { + Get-FullPath -Path $LanguagesDirectory +} + +if (-not (Test-Path -Path $resolvedLanguagesDirectory -PathType Container)) { + throw "Languages directory not found: $resolvedLanguagesDirectory" +} + +$englishMap = Read-OrderedJsonMap -Path $resolvedEnglishFilePath +$englishSections = Split-TranslationMapAtBoundary -Map $englishMap +if (-not $englishSections.HasBoundary) { + throw 'The English translation file must contain the legacy boundary marker before locale alignment can be exported.' +} + +$englishActiveOrder = @($englishSections.ActiveMap.Keys) +$englishLegacyOrder = @($englishSections.LegacyMap.Keys) +$englishActiveSet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($key in $englishActiveOrder) { + [void]$englishActiveSet.Add([string]$key) +} + +$englishLegacySet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($key in $englishLegacyOrder) { + [void]$englishLegacySet.Add([string]$key) +} + +$reports = New-Object System.Collections.Generic.List[object] +$languageFiles = Get-ChildItem -Path $resolvedLanguagesDirectory -Filter 'lang_*.json' | Sort-Object Name +foreach ($languageFile in $languageFiles) { + if ($languageFile.FullName -ieq $resolvedEnglishFilePath) { + continue + } + + $languageMap = Read-OrderedJsonMapPermissive -Path $languageFile.FullName + $languageSections = Split-TranslationMapAtBoundary -Map $languageMap + + $missingActiveKeys = New-Object System.Collections.Generic.List[string] + foreach ($key in $englishActiveOrder) { + if (-not $languageMap.Contains($key)) { + $missingActiveKeys.Add([string]$key) + } + } + + $presentActiveInExpectedOrder = New-Object System.Collections.Generic.List[string] + foreach ($key in $englishActiveOrder) { + if ($languageMap.Contains($key)) { + $presentActiveInExpectedOrder.Add([string]$key) + } + } + + $currentActiveInEnglishSet = New-Object System.Collections.Generic.List[string] + $extraActiveKeys = New-Object System.Collections.Generic.List[string] + foreach ($entry in $languageSections.ActiveMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($englishActiveSet.Contains($key)) { + $currentActiveInEnglishSet.Add($key) + } + elseif ($key -cne (Get-TranslationLegacyBoundaryKey)) { + $extraActiveKeys.Add($key) + } + } + + $presentLegacyInExpectedOrder = New-Object System.Collections.Generic.List[string] + foreach ($key in $englishLegacyOrder) { + if ($languageMap.Contains($key)) { + $presentLegacyInExpectedOrder.Add([string]$key) + } + } + + $currentLegacyInEnglishSet = New-Object System.Collections.Generic.List[string] + $extraLegacyKeys = New-Object System.Collections.Generic.List[string] + foreach ($entry in $languageSections.LegacyMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($englishLegacySet.Contains($key)) { + $currentLegacyInEnglishSet.Add($key) + } + else { + $extraLegacyKeys.Add($key) + } + } + + $reportEntry = [pscustomobject]@{ + languageFile = (Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $languageFile.FullName) + hasBoundary = $languageSections.HasBoundary + activeOrderAligned = [System.Linq.Enumerable]::SequenceEqual($currentActiveInEnglishSet.ToArray(), $presentActiveInExpectedOrder.ToArray()) + legacyOrderAligned = [System.Linq.Enumerable]::SequenceEqual($currentLegacyInEnglishSet.ToArray(), $presentLegacyInExpectedOrder.ToArray()) + activeKeyCount = $currentActiveInEnglishSet.Count + legacyKeyCount = $currentLegacyInEnglishSet.Count + missingActiveKeyCount = $missingActiveKeys.Count + extraActiveKeyCount = $extraActiveKeys.Count + extraLegacyKeyCount = $extraLegacyKeys.Count + missingActiveKeys = $missingActiveKeys.ToArray() + extraActiveKeys = $extraActiveKeys.ToArray() + extraLegacyKeys = $extraLegacyKeys.ToArray() + } + + $reports.Add($reportEntry) +} + +$report = [pscustomobject]@{ + generatedAt = (Get-Date).ToString('o') + repositoryRoot = $resolvedRepositoryRoot + englishFile = (Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $resolvedEnglishFilePath) + boundaryKey = Get-TranslationLegacyBoundaryKey + englishActiveKeyCount = $englishActiveOrder.Count + englishLegacyKeyCount = $englishLegacyOrder.Count + languageCount = $reports.Count + languages = $reports.ToArray() +} + +$resolvedOutputPath = if ([string]::IsNullOrWhiteSpace($OutputPath)) { + Join-Path $resolvedRepositoryRoot 'artifacts\translation\translation-boundary-alignment.json' +} +else { + Get-FullPath -Path $OutputPath +} + +New-Utf8File -Path $resolvedOutputPath -Content ($report | ConvertTo-Json -Depth 6) + +Write-Output 'Translation boundary alignment summary' +Write-Output "Repository root: $resolvedRepositoryRoot" +Write-Output "English file: $resolvedEnglishFilePath" +Write-Output "Language files analyzed: $($reports.Count)" +Write-Output "English active keys: $($englishActiveOrder.Count)" +Write-Output "English legacy keys: $($englishLegacyOrder.Count)" +Write-Output "Report: $resolvedOutputPath" \ No newline at end of file diff --git a/scripts/translation/Export-TranslationKeyDiff.ps1 b/scripts/translation/Export-TranslationKeyDiff.ps1 new file mode 100644 index 0000000000..22758427b3 --- /dev/null +++ b/scripts/translation/Export-TranslationKeyDiff.ps1 @@ -0,0 +1,128 @@ +[CmdletBinding()] +param( + [string]$RepositoryRoot, + [string]$TranslationFilePath, + [string]$BeforeRef = 'HEAD~1', + [string]$AfterRef = 'HEAD', + [string]$OutputPath +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot +$resolvedTranslationFilePath = if ([string]::IsNullOrWhiteSpace($TranslationFilePath)) { + Join-Path $resolvedRepositoryRoot 'src\UniGetUI.Core.LanguageEngine\Assets\Languages\lang_en.json' +} +else { + Get-FullPath -Path $TranslationFilePath +} + +if (-not (Test-Path -Path $resolvedTranslationFilePath -PathType Leaf)) { + throw "Translation file not found: $resolvedTranslationFilePath" +} + +$relativePath = Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $resolvedTranslationFilePath + +function Get-TranslationMap { + param( + [Parameter(Mandatory = $true)] + [string]$RepoRoot, + + [Parameter(Mandatory = $true)] + [string]$Ref, + + [Parameter(Mandatory = $true)] + [string]$RepoRelativePath, + + [Parameter(Mandatory = $true)] + [string]$ResolvedFilePath + ) + + if ($Ref -in @('WORKTREE', 'CURRENT', 'FILE')) { + return Read-OrderedJsonMap -Path $ResolvedFilePath + } + + $gitObject = '{0}:{1}' -f $Ref, $RepoRelativePath + $content = & git -C $RepoRoot show $gitObject 2>$null + if ($LASTEXITCODE -ne 0) { + throw "Unable to read '$RepoRelativePath' from git ref '$Ref'." + } + + return Convert-JsonContentToOrderedMap -Content ([string]::Join([Environment]::NewLine, @($content))) -Path $gitObject -DetectDuplicates +} + +$beforeMap = Get-TranslationMap -RepoRoot $resolvedRepositoryRoot -Ref $BeforeRef -RepoRelativePath $relativePath -ResolvedFilePath $resolvedTranslationFilePath +$afterMap = Get-TranslationMap -RepoRoot $resolvedRepositoryRoot -Ref $AfterRef -RepoRelativePath $relativePath -ResolvedFilePath $resolvedTranslationFilePath + +$removedKeys = New-Object System.Collections.Generic.List[string] +foreach ($entry in $beforeMap.GetEnumerator()) { + $key = [string]$entry.Key + if (-not $afterMap.Contains($key)) { + $removedKeys.Add($key) + } +} + +$addedKeys = New-Object System.Collections.Generic.List[string] +foreach ($entry in $afterMap.GetEnumerator()) { + $key = [string]$entry.Key + if (-not $beforeMap.Contains($key)) { + $addedKeys.Add($key) + } +} + +$changedValues = New-Object System.Collections.Generic.List[object] +foreach ($entry in $beforeMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($afterMap.Contains($key)) { + $beforeValue = [string]$entry.Value + $afterValue = [string]$afterMap[$key] + if ($beforeValue -cne $afterValue) { + $changedValues.Add([pscustomobject]@{ + Key = $key + Before = $beforeValue + After = $afterValue + }) + } + } +} + +$removedKeysArray = $removedKeys.ToArray() +$addedKeysArray = $addedKeys.ToArray() +$changedValuesArray = $changedValues.ToArray() + +$report = [pscustomobject]@{ + generatedAt = (Get-Date).ToString('o') + repositoryRoot = $resolvedRepositoryRoot + translationFile = $relativePath + beforeRef = $BeforeRef + afterRef = $AfterRef + removedKeyCount = $removedKeys.Count + addedKeyCount = $addedKeys.Count + changedValueCount = $changedValues.Count + removedKeys = $removedKeysArray + addedKeys = $addedKeysArray + changedValues = $changedValuesArray +} + +$resolvedOutputPath = if ([string]::IsNullOrWhiteSpace($OutputPath)) { + Join-Path $resolvedRepositoryRoot ('artifacts\translation\{0}-{1}-to-{2}.json' -f ([IO.Path]::GetFileNameWithoutExtension($relativePath)), (Get-SafeLabel -Value $BeforeRef), (Get-SafeLabel -Value $AfterRef)) +} +else { + Get-FullPath -Path $OutputPath +} + +New-Utf8File -Path $resolvedOutputPath -Content ($report | ConvertTo-Json -Depth 6) + +Write-Output "Translation key diff summary" +Write-Output "Repository root: $resolvedRepositoryRoot" +Write-Output "Translation file: $relativePath" +Write-Output "Before ref: $BeforeRef" +Write-Output "After ref: $AfterRef" +Write-Output "Removed keys: $($removedKeys.Count)" +Write-Output "Added keys: $($addedKeys.Count)" +Write-Output "Changed values: $($changedValues.Count)" +Write-Output "Report: $resolvedOutputPath" \ No newline at end of file diff --git a/scripts/get_translation_status.ps1 b/scripts/translation/Get-TranslationStatus.ps1 similarity index 85% rename from scripts/get_translation_status.ps1 rename to scripts/translation/Get-TranslationStatus.ps1 index 7111de7c88..edc7ef21a0 100644 --- a/scripts/get_translation_status.ps1 +++ b/scripts/translation/Get-TranslationStatus.ps1 @@ -13,7 +13,8 @@ param( Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' -Import-Module (Join-Path $PSScriptRoot 'Languages\LangData.psm1') -Force +Import-Module (Join-Path $PSScriptRoot 'Languages\LanguageData.psm1') -Force +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') function Read-LanguageMap { param( @@ -22,24 +23,27 @@ function Read-LanguageMap { ) if (-not (Test-Path -Path $Path -PathType Leaf)) { - return [ordered]@{} + return (New-OrderedStringMap) } - $content = [System.IO.File]::ReadAllText($Path) - if ([string]::IsNullOrWhiteSpace($content)) { - return [ordered]@{} - } + return (Read-OrderedJsonMap -Path $Path) +} - $parsed = $content | ConvertFrom-Json -AsHashtable - if ($null -eq $parsed) { - return [ordered]@{} - } +function Get-LanguageMapSections { + param( + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$Map + ) - if (-not ($parsed -is [System.Collections.IDictionary])) { - throw "JSON root must be an object: $Path" - } + $sections = Split-TranslationMapAtBoundary -Map $Map + $fullMap = Join-TranslationMapWithBoundary -ActiveMap $sections.ActiveMap -LegacyMap $sections.LegacyMap - return $parsed + return [pscustomobject]@{ + HasBoundary = $sections.HasBoundary + FullMap = $fullMap + ActiveMap = $sections.ActiveMap + LegacyMap = $sections.LegacyMap + } } function Get-PercentageNumber { @@ -282,14 +286,23 @@ function Get-TranslationStatusRow { [Parameter(Mandatory = $true)] [System.Collections.IDictionary]$NeutralMap, + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$NeutralLegacyMap, + [Parameter(Mandatory = $true)] [System.Collections.IDictionary]$TargetMap, + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$TargetLegacyMap, + [AllowNull()] [Nullable[int]]$StoredPercentage, [Parameter(Mandatory = $true)] - [bool]$HasFile + [bool]$HasFile, + + [Parameter(Mandatory = $true)] + [bool]$HasBoundary ) $totalKeys = $NeutralMap.Count @@ -327,8 +340,17 @@ function Get-TranslationStatusRow { $translatedKeys += 1 } + $knownKeys = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) + foreach ($key in $NeutralMap.Keys) { + [void]$knownKeys.Add([string]$key) + } + + foreach ($key in $NeutralLegacyMap.Keys) { + [void]$knownKeys.Add([string]$key) + } + foreach ($key in $TargetMap.Keys) { - if (-not $NeutralMap.Contains([string]$key)) { + if (-not $knownKeys.Contains([string]$key)) { $extraKeys += 1 } } @@ -341,7 +363,10 @@ function Get-TranslationStatusRow { Code = $LanguageCode Language = $LanguageName HasFile = $HasFile + HasBoundary = $HasBoundary TotalKeys = $totalKeys + ActiveKeys = $totalKeys + Legacy = $TargetLegacyMap.Count Translated = $translatedKeys Missing = $missingKeys Empty = $emptyKeys @@ -428,7 +453,9 @@ if (-not (Test-Path -Path $neutralPath -PathType Leaf)) { throw "Neutral language file not found: $neutralPath" } -$neutralMap = Read-LanguageMap -Path $neutralPath +$neutralSections = Get-LanguageMapSections -Map (Read-LanguageMap -Path $neutralPath) +$neutralMap = $neutralSections.ActiveMap +$neutralLegacyMap = $neutralSections.LegacyMap $languageReference = Get-LanguageReference $storedPercentages = Get-TranslatedPercentages $rows = New-Object System.Collections.Generic.List[object] @@ -445,10 +472,10 @@ foreach ($entry in $languageReference.GetEnumerator()) { $languageFilePath = Join-Path $languagesDirectory ("lang_{0}.json" -f $languageCode) $hasFile = Test-Path -Path $languageFilePath -PathType Leaf - $targetMap = if ($hasFile) { Read-LanguageMap -Path $languageFilePath } else { [ordered]@{} } + $targetSections = if ($hasFile) { Get-LanguageMapSections -Map (Read-LanguageMap -Path $languageFilePath) } else { [pscustomobject]@{ HasBoundary = $false; FullMap = (New-OrderedStringMap); ActiveMap = (New-OrderedStringMap); LegacyMap = (New-OrderedStringMap) } } $storedPercentage = if ($storedPercentages.Contains($languageCode)) { Get-PercentageNumber -Value $storedPercentages[$languageCode] } elseif ($languageCode -eq 'en') { 100 } else { $null } - $row = Get-TranslationStatusRow -LanguageCode $languageCode -LanguageName ([string]$entry.Value) -NeutralMap $neutralMap -TargetMap $targetMap -StoredPercentage $storedPercentage -HasFile:$hasFile + $row = Get-TranslationStatusRow -LanguageCode $languageCode -LanguageName ([string]$entry.Value) -NeutralMap $neutralMap -NeutralLegacyMap $neutralLegacyMap -TargetMap $targetSections.FullMap -TargetLegacyMap $targetSections.LegacyMap -StoredPercentage $storedPercentage -HasFile:$hasFile -HasBoundary:$targetSections.HasBoundary if ($OnlyIncomplete.IsPresent -and $row.Untranslated -eq 0) { continue } diff --git a/scripts/Languages/LangData.psm1 b/scripts/translation/Languages/LanguageData.psm1 similarity index 99% rename from scripts/Languages/LangData.psm1 rename to scripts/translation/Languages/LanguageData.psm1 index 1bbeca7642..647dca1a8d 100644 --- a/scripts/Languages/LangData.psm1 +++ b/scripts/translation/Languages/LanguageData.psm1 @@ -1,7 +1,7 @@ Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' -$script:ProjectRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..')) +$script:ProjectRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..')) $script:LanguageRemap = [ordered]@{ 'pt-BR' = 'pt_BR' 'pt-PT' = 'pt_PT' diff --git a/scripts/Languages/LangReference.ps1 b/scripts/translation/Languages/LanguageReference.ps1 similarity index 82% rename from scripts/Languages/LangReference.ps1 rename to scripts/translation/Languages/LanguageReference.ps1 index 370261120e..b7b90e7573 100644 --- a/scripts/Languages/LangReference.ps1 +++ b/scripts/translation/Languages/LanguageReference.ps1 @@ -7,7 +7,7 @@ param( Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' -Import-Module (Join-Path $PSScriptRoot 'LangData.psm1') -Force +Import-Module (Join-Path $PSScriptRoot 'LanguageData.psm1') -Force $languageFileMap = Get-LanguageFilePathMap -AbsolutePaths:$AbsolutePaths.IsPresent diff --git a/scripts/translation/Languages/TranslationJsonTools.ps1 b/scripts/translation/Languages/TranslationJsonTools.ps1 new file mode 100644 index 0000000000..0df0476fbf --- /dev/null +++ b/scripts/translation/Languages/TranslationJsonTools.ps1 @@ -0,0 +1,498 @@ +Set-StrictMode -Version Latest + +$script:TranslationLegacyBoundaryKey = '__LEGACY_TRANSLATION_KEYS_BELOW__' +$script:TranslationLegacyBoundaryValue = 'Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.' + +function Assert-Command { + param( + [Parameter(Mandatory = $true)] + [string]$Name + ) + + if (-not (Get-Command -Name $Name -ErrorAction SilentlyContinue)) { + throw "Required command not found on PATH: $Name" + } +} + +function Get-FullPath { + param( + [Parameter(Mandatory = $true)] + [string]$Path + ) + + return [System.IO.Path]::GetFullPath($Path) +} + +function New-Utf8File { + param( + [Parameter(Mandatory = $true)] + [string]$Path, + + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$Content + ) + + $directory = Split-Path -Path $Path -Parent + if (-not [string]::IsNullOrWhiteSpace($directory)) { + New-Item -Path $directory -ItemType Directory -Force | Out-Null + } + + $encoding = [System.Text.UTF8Encoding]::new($false) + [System.IO.File]::WriteAllText($Path, $Content, $encoding) +} + +function New-OrderedStringMap { + return [System.Collections.Specialized.OrderedDictionary]::new([System.StringComparer]::Ordinal) +} + +function Assert-NoDuplicateJsonKeys { + param( + [Parameter(Mandatory = $true)] + [string]$Content, + + [Parameter(Mandatory = $true)] + [string]$Path + ) + + $pattern = [regex]'(?m)^\s*"((?:\\.|[^"])*)"\s*:' + $seen = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) + $duplicates = New-Object System.Collections.Generic.List[string] + + foreach ($match in $pattern.Matches($Content)) { + $key = [regex]::Unescape($match.Groups[1].Value) + if (-not $seen.Add($key) -and -not $duplicates.Contains($key)) { + $duplicates.Add($key) + } + } + + if ($duplicates.Count -gt 0) { + throw "JSON file contains duplicate key(s): $($duplicates -join ', '). Path: $Path" + } +} + +function Read-OrderedJsonMap { + param( + [Parameter(Mandatory = $true)] + [string]$Path + ) + + if (-not (Test-Path -Path $Path -PathType Leaf)) { + return (New-OrderedStringMap) + } + + $content = [System.IO.File]::ReadAllText((Get-FullPath -Path $Path)) + return Convert-JsonContentToOrderedMap -Content $content -Path $Path -DetectDuplicates +} + +function Read-OrderedJsonMapPermissive { + param( + [Parameter(Mandatory = $true)] + [string]$Path + ) + + if (-not (Test-Path -Path $Path -PathType Leaf)) { + return (New-OrderedStringMap) + } + + $content = [System.IO.File]::ReadAllText((Get-FullPath -Path $Path)) + return Convert-JsonContentToOrderedMap -Content $content -Path $Path +} + +function Convert-JsonContentToOrderedMap { + param( + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$Content, + + [Parameter(Mandatory = $true)] + [string]$Path, + + [switch]$DetectDuplicates + ) + + $result = New-OrderedStringMap + if ([string]::IsNullOrWhiteSpace($Content)) { + return $result + } + + if ($DetectDuplicates) { + Assert-NoDuplicateJsonKeys -Content $Content -Path $Path + } + + $document = [System.Text.Json.JsonDocument]::Parse($Content) + try { + if ($document.RootElement.ValueKind -eq [System.Text.Json.JsonValueKind]::Null) { + return $result + } + + if ($document.RootElement.ValueKind -ne [System.Text.Json.JsonValueKind]::Object) { + throw "JSON file must contain a flat object: $Path" + } + + foreach ($property in $document.RootElement.EnumerateObject()) { + if ($property.Value.ValueKind -eq [System.Text.Json.JsonValueKind]::Object -or $property.Value.ValueKind -eq [System.Text.Json.JsonValueKind]::Array) { + throw "JSON file must contain a flat object with string values only: $Path" + } + + if ($property.Value.ValueKind -eq [System.Text.Json.JsonValueKind]::String) { + $result[$property.Name] = $property.Value.GetString() + continue + } + + if ($property.Value.ValueKind -eq [System.Text.Json.JsonValueKind]::Null) { + $result[$property.Name] = '' + continue + } + + $result[$property.Name] = $property.Value.ToString() + } + } + finally { + $document.Dispose() + } + + return $result +} + +function ConvertTo-JsonStringLiteral { + param( + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$Value + ) + + return ($Value | ConvertTo-Json -Compress) +} + +function Write-OrderedJsonMap { + param( + [Parameter(Mandatory = $true)] + [string]$Path, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$Map + ) + + $lines = New-Object System.Collections.Generic.List[string] + $lines.Add('{') + + $index = 0 + $count = $Map.Count + foreach ($entry in $Map.GetEnumerator()) { + $index += 1 + $line = ' {0}: {1}' -f (ConvertTo-JsonStringLiteral -Value ([string]$entry.Key)), (ConvertTo-JsonStringLiteral -Value ([string]$entry.Value)) + if ($index -lt $count) { + $line += ',' + } + + $lines.Add($line) + } + + $lines.Add('}') + New-Utf8File -Path $Path -Content (($lines -join "`r`n") + "`r`n") +} + +function Get-TranslationLegacyBoundaryKey { + return $script:TranslationLegacyBoundaryKey +} + +function Get-TranslationLegacyBoundaryValue { + return $script:TranslationLegacyBoundaryValue +} + +function Split-TranslationMapAtBoundary { + param( + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$Map + ) + + $boundaryKey = Get-TranslationLegacyBoundaryKey + $activeMap = New-OrderedStringMap + $legacyMap = New-OrderedStringMap + $hasBoundary = $false + $boundaryReached = $false + + foreach ($entry in $Map.GetEnumerator()) { + $key = [string]$entry.Key + $value = [string]$entry.Value + + if ($key -ceq $boundaryKey) { + $hasBoundary = $true + $boundaryReached = $true + continue + } + + if ($boundaryReached) { + $legacyMap[$key] = $value + } + else { + $activeMap[$key] = $value + } + } + + return [pscustomobject]@{ + HasBoundary = $hasBoundary + ActiveMap = $activeMap + LegacyMap = $legacyMap + } +} + +function Join-TranslationMapWithBoundary { + param( + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$ActiveMap, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$LegacyMap, + + [switch]$IncludeBoundary + ) + + $result = New-OrderedStringMap + foreach ($entry in $ActiveMap.GetEnumerator()) { + $result[[string]$entry.Key] = [string]$entry.Value + } + + if ($IncludeBoundary) { + $result[(Get-TranslationLegacyBoundaryKey)] = Get-TranslationLegacyBoundaryValue + } + + foreach ($entry in $LegacyMap.GetEnumerator()) { + $result[[string]$entry.Key] = [string]$entry.Value + } + + return $result +} + +function Test-OrderedStringMapsEqual { + param( + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$Left, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$Right + ) + + if ($Left.Count -ne $Right.Count) { + return $false + } + + $leftEntries = @($Left.GetEnumerator()) + $rightEntries = @($Right.GetEnumerator()) + for ($index = 0; $index -lt $leftEntries.Count; $index += 1) { + if ([string]$leftEntries[$index].Key -cne [string]$rightEntries[$index].Key) { + return $false + } + + if ([string]$leftEntries[$index].Value -cne [string]$rightEntries[$index].Value) { + return $false + } + } + + return $true +} + +function Invoke-CirupJson { + param( + [Parameter(Mandatory = $true)] + [string[]]$Arguments + ) + + Assert-Command -Name 'cirup' + + $output = & cirup @Arguments --output-format json + if ($LASTEXITCODE -ne 0) { + throw "cirup command failed: cirup $($Arguments -join ' ')" + } + + $jsonText = [string]::Join([Environment]::NewLine, @($output)).Trim() + if ([string]::IsNullOrWhiteSpace($jsonText)) { + return @() + } + + $parsed = $jsonText | ConvertFrom-Json -AsHashtable + return @($parsed) +} + +function Get-RepositoryRoot { + param( + [Parameter(Mandatory = $true)] + [string]$WorkingDirectory + ) + + $repoRoot = & git -C $WorkingDirectory rev-parse --show-toplevel + if ($LASTEXITCODE -ne 0 -or [string]::IsNullOrWhiteSpace($repoRoot)) { + throw "Unable to resolve git repository root from '$WorkingDirectory'." + } + + return $repoRoot.Trim() +} + +function Get-RepoRelativePath { + param( + [Parameter(Mandatory = $true)] + [string]$RepositoryRoot, + + [Parameter(Mandatory = $true)] + [string]$FilePath + ) + + $repoRootFull = Get-FullPath -Path $RepositoryRoot + $filePathFull = Get-FullPath -Path $FilePath + $repoRootWithSeparator = $repoRootFull.TrimEnd([System.IO.Path]::DirectorySeparatorChar, [System.IO.Path]::AltDirectorySeparatorChar) + [System.IO.Path]::DirectorySeparatorChar + + if (-not $filePathFull.StartsWith($repoRootWithSeparator, [System.StringComparison]::OrdinalIgnoreCase)) { + throw "File '$filePathFull' is not located under repository root '$repoRootFull'." + } + + return [System.IO.Path]::GetRelativePath($repoRootFull, $filePathFull).Replace('\', '/') +} + +function Get-SafeLabel { + param( + [Parameter(Mandatory = $true)] + [string]$Value + ) + + $safe = $Value -replace '[^A-Za-z0-9._-]+', '-' + $safe = $safe.Trim('-') + if ([string]::IsNullOrWhiteSpace($safe)) { + return 'base' + } + + return $safe +} + +function Get-PatchBaseName { + param( + [Parameter(Mandatory = $true)] + [string]$NeutralJsonPath + ) + + $stem = [System.IO.Path]::GetFileNameWithoutExtension($NeutralJsonPath) + if ($stem -match '^(.*)_en$' -and -not [string]::IsNullOrWhiteSpace($matches[1])) { + return $matches[1] + } + + return $stem +} + +function Get-LanguagesReferencePath { + param( + [Parameter(Mandatory = $true)] + [string]$NeutralJsonPath + ) + + $languagesDirectory = Split-Path -Path (Get-FullPath -Path $NeutralJsonPath) -Parent + $assetsDirectory = Split-Path -Path $languagesDirectory -Parent + return Join-Path $assetsDirectory 'Data\LanguagesReference.json' +} + +function Assert-LanguageCodeKnown { + param( + [Parameter(Mandatory = $true)] + [string]$LanguagesReferencePath, + + [Parameter(Mandatory = $true)] + [string]$LanguageCode + ) + + $referenceMap = Read-OrderedJsonMap -Path $LanguagesReferencePath + if (-not $referenceMap.Contains($LanguageCode)) { + throw "Unknown language code '$LanguageCode'. Expected one of the language codes from $LanguagesReferencePath" + } +} + +function Test-NeedsTranslation { + param( + [Parameter(Mandatory = $true)] + [string]$Key, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$SourceMap, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$TargetMap + ) + + if (-not $TargetMap.Contains($Key)) { + return $true + } + + $targetValue = [string]$TargetMap[$Key] + if ([string]::IsNullOrWhiteSpace($targetValue)) { + return $true + } + + return $targetValue -ceq [string]$SourceMap[$Key] +} + +function Get-PlaceholderTokens { + param( + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$Value + ) + + $tokens = foreach ($match in [regex]::Matches($Value, '\{[A-Za-z0-9_]+(?:,[^}:]+)?(?::[^}]+)?\}')) { + $match.Value + } + + return @($tokens | Sort-Object) +} + +function Get-HtmlTokens { + param( + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$Value + ) + + $tokens = foreach ($match in [regex]::Matches($Value, ']+?>')) { + $match.Value + } + + return @($tokens | Sort-Object) +} + +function Get-NewlineCount { + param( + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$Value + ) + + return ([regex]::Matches($Value, "`r`n|`n")).Count +} + +function Assert-TranslationStructure { + param( + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$SourceValue, + + [Parameter(Mandatory = $true)] + [AllowEmptyString()] + [string]$TranslatedValue, + + [Parameter(Mandatory = $true)] + [string]$Key + ) + + $sourcePlaceholderSignature = (Get-PlaceholderTokens -Value $SourceValue) -join "`n" + $translatedPlaceholderSignature = (Get-PlaceholderTokens -Value $TranslatedValue) -join "`n" + if ($sourcePlaceholderSignature -ne $translatedPlaceholderSignature) { + throw "Placeholder mismatch for key '$Key'." + } + + $sourceHtmlSignature = (Get-HtmlTokens -Value $SourceValue) -join "`n" + $translatedHtmlSignature = (Get-HtmlTokens -Value $TranslatedValue) -join "`n" + if ($sourceHtmlSignature -ne $translatedHtmlSignature) { + throw "HTML fragment mismatch for key '$Key'." + } + + if ((Get-NewlineCount -Value $SourceValue) -ne (Get-NewlineCount -Value $TranslatedValue)) { + throw "Line-break mismatch for key '$Key'." + } +} \ No newline at end of file diff --git a/scripts/translation/Languages/TranslationSourceTools.ps1 b/scripts/translation/Languages/TranslationSourceTools.ps1 new file mode 100644 index 0000000000..c89e00f973 --- /dev/null +++ b/scripts/translation/Languages/TranslationSourceTools.ps1 @@ -0,0 +1,323 @@ +Set-StrictMode -Version Latest + +. (Join-Path $PSScriptRoot 'TranslationJsonTools.ps1') + +$script:SupportedSourceExtensions = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::OrdinalIgnoreCase) +[void]$script:SupportedSourceExtensions.Add('.cs') +[void]$script:SupportedSourceExtensions.Add('.xaml') +[void]$script:SupportedSourceExtensions.Add('.axaml') + +$script:ExcludedDirectoryNames = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::OrdinalIgnoreCase) +foreach ($name in @('.git', '.vs', 'bin', 'obj', 'generated', 'node_modules', 'packages')) { + [void]$script:ExcludedDirectoryNames.Add($name) +} + +function Resolve-TranslationSyncRepositoryRoot { + param( + [string]$RepositoryRoot + ) + + if (-not [string]::IsNullOrWhiteSpace($RepositoryRoot)) { + return Get-FullPath -Path $RepositoryRoot + } + + return [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..\..')) +} + +function Resolve-EnglishLanguageFilePath { + param( + [Parameter(Mandatory = $true)] + [string]$ResolvedRepositoryRoot, + + [string]$EnglishFilePath + ) + + if (-not [string]::IsNullOrWhiteSpace($EnglishFilePath)) { + return Get-FullPath -Path $EnglishFilePath + } + + return Join-Path $ResolvedRepositoryRoot 'src\UniGetUI.Core.LanguageEngine\Assets\Languages\lang_en.json' +} + +function Test-TranslationSourceFileIncluded { + param( + [Parameter(Mandatory = $true)] + [System.IO.FileInfo]$File, + + [Parameter(Mandatory = $true)] + [string]$ResolvedRepositoryRoot + ) + + if (-not $script:SupportedSourceExtensions.Contains($File.Extension)) { + return $false + } + + $relativePath = [System.IO.Path]::GetRelativePath($ResolvedRepositoryRoot, $File.FullName).Replace('\', '/') + foreach ($segment in $relativePath.Split('/')) { + if ($script:ExcludedDirectoryNames.Contains($segment)) { + return $false + } + } + + if ($relativePath -like 'src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_*.json') { + return $false + } + + return $relativePath.StartsWith('src/', [System.StringComparison]::OrdinalIgnoreCase) +} + +function Get-TranslationSourceFiles { + param( + [Parameter(Mandatory = $true)] + [string]$ResolvedRepositoryRoot + ) + + return @( + Get-ChildItem -Path $ResolvedRepositoryRoot -File -Recurse -ErrorAction SilentlyContinue | + Where-Object { Test-TranslationSourceFileIncluded -File $_ -ResolvedRepositoryRoot $ResolvedRepositoryRoot } | + Sort-Object FullName + ) +} + +function Get-LineNumberFromIndex { + param( + [Parameter(Mandatory = $true)] + [string]$Text, + + [Parameter(Mandatory = $true)] + [int]$Index + ) + + if ($Index -le 0) { + return 1 + } + + return ([regex]::Matches($Text.Substring(0, $Index), "`r`n|`n")).Count + 1 +} + +function Convert-CSharpStringLiteralValue { + param( + [Parameter(Mandatory = $true)] + [string]$Literal + ) + + if ($Literal.StartsWith('@"', [System.StringComparison]::Ordinal)) { + return $Literal.Substring(2, $Literal.Length - 3).Replace('""', '"') + } + + return [regex]::Unescape($Literal.Substring(1, $Literal.Length - 2)) +} + +function Add-TranslationSourceKey { + param( + [Parameter(Mandatory = $true)] + [string]$Key, + + [Parameter(Mandatory = $true)] + [string]$SourcePath, + + [Parameter(Mandatory = $true)] + [int]$LineNumber, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$KeyOrder, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$SourcesByKey + ) + + if ([string]::IsNullOrWhiteSpace($Key)) { + return + } + + if (-not $SourcesByKey.Contains($Key)) { + $SourcesByKey[$Key] = New-Object System.Collections.Generic.List[string] + $KeyOrder.Add($Key) + } + + $location = '{0}:{1}' -f $SourcePath.Replace('\', '/'), $LineNumber + $locations = [System.Collections.Generic.List[string]]$SourcesByKey[$Key] + if (-not $locations.Contains($location)) { + $locations.Add($location) + } +} + +function Add-TranslationSourceWarning { + param( + [Parameter(Mandatory = $true)] + [string]$Type, + + [Parameter(Mandatory = $true)] + [string]$SourcePath, + + [Parameter(Mandatory = $true)] + [int]$LineNumber, + + [Parameter(Mandatory = $true)] + [string]$Message, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$Warnings + ) + + $Warnings.Add([pscustomobject]@{ + Type = $Type + Path = $SourcePath.Replace('\', '/') + Line = $LineNumber + Message = $Message + }) +} + +function Get-CSharpTranslationMatches { + param( + [Parameter(Mandatory = $true)] + [string]$FilePath, + + [Parameter(Mandatory = $true)] + [string]$Content, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$KeyOrder, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$SourcesByKey, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$Warnings + ) + + $literalPattern = [regex]'CoreTools\.(?:Translate|AutoTranslated)\(\s*(?@"(?:[^"]|"")*"|"(?:\\.|[^"\\])*")' + foreach ($match in $literalPattern.Matches($Content)) { + $literal = [string]$match.Groups['literal'].Value + $lineNumber = Get-LineNumberFromIndex -Text $Content -Index $match.Index + Add-TranslationSourceKey -Key (Convert-CSharpStringLiteralValue -Literal $literal) -SourcePath $FilePath -LineNumber $lineNumber -KeyOrder $KeyOrder -SourcesByKey $SourcesByKey + } + + $interpolatedPattern = [regex]'CoreTools\.Translate\(\s*\$@?"' + foreach ($match in $interpolatedPattern.Matches($Content)) { + $lineNumber = Get-LineNumberFromIndex -Text $Content -Index $match.Index + Add-TranslationSourceWarning -Type 'InterpolatedTranslateCall' -SourcePath $FilePath -LineNumber $lineNumber -Message 'Interpolated CoreTools.Translate call is not synchronized automatically.' -Warnings $Warnings + } +} + +function Get-TranslatedTextBlockMatches { + param( + [Parameter(Mandatory = $true)] + [string]$FilePath, + + [Parameter(Mandatory = $true)] + [string]$Content, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$KeyOrder, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$SourcesByKey + ) + + $translatedTextBlockPattern = [regex]'<(?[A-Za-z0-9_:.\-]+TranslatedTextBlock)\b[^>]*\bText="(?[^"]*)"' + foreach ($match in $translatedTextBlockPattern.Matches($Content)) { + $lineNumber = Get-LineNumberFromIndex -Text $Content -Index $match.Index + $text = [System.Net.WebUtility]::HtmlDecode([string]$match.Groups['text'].Value) + Add-TranslationSourceKey -Key $text -SourcePath $FilePath -LineNumber $lineNumber -KeyOrder $KeyOrder -SourcesByKey $SourcesByKey + } +} + +function Get-AvaloniaTranslateMarkupMatches { + param( + [Parameter(Mandatory = $true)] + [string]$FilePath, + + [Parameter(Mandatory = $true)] + [string]$Content, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$KeyOrder, + + [Parameter(Mandatory = $true)] + [System.Collections.IDictionary]$SourcesByKey, + + [Parameter(Mandatory = $true)] + [System.Collections.IList]$Warnings + ) + + $markupPattern = [regex]'\{t:Translate(?[^}]*)\}' + foreach ($match in $markupPattern.Matches($Content)) { + $body = [string]$match.Groups['body'].Value + $trimmedBody = $body.Trim() + $lineNumber = Get-LineNumberFromIndex -Text $Content -Index $match.Index + + if ([string]::IsNullOrWhiteSpace($trimmedBody)) { + Add-TranslationSourceWarning -Type 'EmptyMarkupTranslate' -SourcePath $FilePath -LineNumber $lineNumber -Message 'Empty {t:Translate} markup extension was ignored.' -Warnings $Warnings + continue + } + + $namedMatch = [regex]::Match($trimmedBody, '^Text\s*=\s*(?:''(?[^'']*)''|"(?[^"]*)")$') + if ($namedMatch.Success) { + $value = if ($namedMatch.Groups['single'].Success) { $namedMatch.Groups['single'].Value } else { $namedMatch.Groups['double'].Value } + Add-TranslationSourceKey -Key ([System.Net.WebUtility]::HtmlDecode($value)) -SourcePath $FilePath -LineNumber $lineNumber -KeyOrder $KeyOrder -SourcesByKey $SourcesByKey + continue + } + + Add-TranslationSourceKey -Key ([System.Net.WebUtility]::HtmlDecode($trimmedBody)) -SourcePath $FilePath -LineNumber $lineNumber -KeyOrder $KeyOrder -SourcesByKey $SourcesByKey + } +} + +function Get-TranslationSourceSnapshot { + param( + [string]$RepositoryRoot + ) + + $resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot + $sourceFiles = Get-TranslationSourceFiles -ResolvedRepositoryRoot $resolvedRepositoryRoot + $keyOrder = New-Object System.Collections.Generic.List[string] + $sourcesByKey = [ordered]@{} + $warnings = New-Object System.Collections.Generic.List[object] + + foreach ($file in $sourceFiles) { + $relativePath = [System.IO.Path]::GetRelativePath($resolvedRepositoryRoot, $file.FullName).Replace('\', '/') + $content = [System.IO.File]::ReadAllText($file.FullName) + + switch ($file.Extension.ToLowerInvariant()) { + '.cs' { + Get-CSharpTranslationMatches -FilePath $relativePath -Content $content -KeyOrder $keyOrder -SourcesByKey $sourcesByKey -Warnings $warnings + } + '.xaml' { + Get-TranslatedTextBlockMatches -FilePath $relativePath -Content $content -KeyOrder $keyOrder -SourcesByKey $sourcesByKey + } + '.axaml' { + Get-TranslatedTextBlockMatches -FilePath $relativePath -Content $content -KeyOrder $keyOrder -SourcesByKey $sourcesByKey + Get-AvaloniaTranslateMarkupMatches -FilePath $relativePath -Content $content -KeyOrder $keyOrder -SourcesByKey $sourcesByKey -Warnings $warnings + } + } + } + + $orderedKeyMap = New-OrderedStringMap + foreach ($key in $keyOrder) { + $orderedKeyMap[$key] = $key + } + + $sourceFilePaths = New-Object System.Collections.Generic.List[string] + foreach ($sourceFile in $sourceFiles) { + $sourceFilePaths.Add($sourceFile.FullName) + } + + $warningItems = New-Object System.Collections.Generic.List[object] + foreach ($warning in $warnings) { + $warningItems.Add($warning) + } + + $sourceFileArray = $sourceFilePaths.ToArray() + $keyOrderArray = $keyOrder.ToArray() + $warningArray = $warningItems.ToArray() + + $snapshot = New-Object -TypeName psobject + $snapshot | Add-Member -NotePropertyName RepositoryRoot -NotePropertyValue $resolvedRepositoryRoot + $snapshot | Add-Member -NotePropertyName SourceFiles -NotePropertyValue $sourceFileArray + $snapshot | Add-Member -NotePropertyName KeyOrder -NotePropertyValue $keyOrderArray + $snapshot | Add-Member -NotePropertyName Keys -NotePropertyValue $orderedKeyMap + $snapshot | Add-Member -NotePropertyName SourcesByKey -NotePropertyValue $sourcesByKey + $snapshot | Add-Member -NotePropertyName Warnings -NotePropertyValue $warningArray + + return $snapshot +} \ No newline at end of file diff --git a/scripts/translation/Remove-UnusedTranslations.ps1 b/scripts/translation/Remove-UnusedTranslations.ps1 new file mode 100644 index 0000000000..ae972b7c4f --- /dev/null +++ b/scripts/translation/Remove-UnusedTranslations.ps1 @@ -0,0 +1,36 @@ +[CmdletBinding()] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot +$resolvedEnglishFilePath = Resolve-EnglishLanguageFilePath -ResolvedRepositoryRoot $resolvedRepositoryRoot -EnglishFilePath $EnglishFilePath + +if (-not (Test-Path -Path $resolvedEnglishFilePath -PathType Leaf)) { + throw "English translation file not found: $resolvedEnglishFilePath" +} + +$snapshot = Get-TranslationSourceSnapshot -RepositoryRoot $resolvedRepositoryRoot +$englishTranslations = Read-OrderedJsonMapPermissive -Path $resolvedEnglishFilePath +$extractedKeySet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($key in $snapshot.KeyOrder) { + [void]$extractedKeySet.Add([string]$key) +} + +$unusedKeys = New-Object System.Collections.Generic.List[string] +foreach ($entry in $englishTranslations.GetEnumerator()) { + $key = [string]$entry.Key + if (-not $extractedKeySet.Contains($key)) { + $unusedKeys.Add($key) + Write-Output "Unused key: $key" + } +} + +Write-Output "Scan completed. Checked $(@($snapshot.SourceFiles).Count) file(s); found $($unusedKeys.Count) unused key(s)." \ No newline at end of file diff --git a/scripts/translation/Set-EnglishLegacyBoundary.ps1 b/scripts/translation/Set-EnglishLegacyBoundary.ps1 new file mode 100644 index 0000000000..4cc2598e08 --- /dev/null +++ b/scripts/translation/Set-EnglishLegacyBoundary.ps1 @@ -0,0 +1,92 @@ +[CmdletBinding(SupportsShouldProcess = $true)] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath, + [string]$LegacyRef = 'HEAD~1', + [switch]$CheckOnly +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot +$resolvedEnglishFilePath = Resolve-EnglishLanguageFilePath -ResolvedRepositoryRoot $resolvedRepositoryRoot -EnglishFilePath $EnglishFilePath + +if (-not (Test-Path -Path $resolvedEnglishFilePath -PathType Leaf)) { + throw "English translation file not found: $resolvedEnglishFilePath" +} + +$relativeEnglishPath = Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $resolvedEnglishFilePath +$gitObject = '{0}:{1}' -f $LegacyRef, $relativeEnglishPath +$legacyContent = & git -C $resolvedRepositoryRoot show $gitObject 2>$null +if ($LASTEXITCODE -ne 0) { + throw "Unable to read '$relativeEnglishPath' from git ref '$LegacyRef'." +} + +$snapshot = Get-TranslationSourceSnapshot -RepositoryRoot $resolvedRepositoryRoot +$currentMap = Read-OrderedJsonMap -Path $resolvedEnglishFilePath +$legacySourceMap = Convert-JsonContentToOrderedMap -Content ([string]::Join([Environment]::NewLine, @($legacyContent))) -Path $gitObject -DetectDuplicates + +$extractedKeySet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($key in $snapshot.KeyOrder) { + [void]$extractedKeySet.Add([string]$key) +} + +$mergedLegacyMap = New-OrderedStringMap +foreach ($entry in $legacySourceMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($key -ceq (Get-TranslationLegacyBoundaryKey)) { + continue + } + + if (-not $extractedKeySet.Contains($key)) { + $mergedLegacyMap[$key] = if ($currentMap.Contains($key)) { [string]$currentMap[$key] } else { [string]$entry.Value } + } +} + +$currentSections = Split-TranslationMapAtBoundary -Map $currentMap +foreach ($entry in $currentSections.LegacyMap.GetEnumerator()) { + $key = [string]$entry.Key + if (-not $mergedLegacyMap.Contains($key)) { + $mergedLegacyMap[$key] = [string]$entry.Value + } +} + +$updatedActiveMap = New-OrderedStringMap +foreach ($key in $snapshot.KeyOrder) { + $updatedActiveMap[$key] = if ($currentMap.Contains($key)) { [string]$currentMap[$key] } else { $key } +} + +$updatedMap = Join-TranslationMapWithBoundary -ActiveMap $updatedActiveMap -LegacyMap $mergedLegacyMap -IncludeBoundary +$hasChanges = -not (Test-OrderedStringMapsEqual -Left $currentMap -Right $updatedMap) + +Write-Output 'English legacy boundary summary' +Write-Output "Repository root: $resolvedRepositoryRoot" +Write-Output "English file: $resolvedEnglishFilePath" +Write-Output "Legacy ref: $LegacyRef" +Write-Output "Active keys: $($updatedActiveMap.Count)" +Write-Output "Legacy keys restored: $($mergedLegacyMap.Count)" +Write-Output "Needs update: $hasChanges" + +if ($CheckOnly) { + if ($hasChanges) { + throw 'English legacy boundary layout is not in the expected state.' + } + + return +} + +if (-not $hasChanges) { + Write-Output '' + Write-Output 'The English file already matches the expected boundary layout.' + return +} + +if ($PSCmdlet.ShouldProcess($resolvedEnglishFilePath, 'Populate the English legacy translation tail')) { + Write-OrderedJsonMap -Path $resolvedEnglishFilePath -Map $updatedMap + Write-Output '' + Write-Output 'The English legacy boundary layout was updated successfully.' +} \ No newline at end of file diff --git a/scripts/translation/Set-TranslationBoundaryOrder.ps1 b/scripts/translation/Set-TranslationBoundaryOrder.ps1 new file mode 100644 index 0000000000..8e78425492 --- /dev/null +++ b/scripts/translation/Set-TranslationBoundaryOrder.ps1 @@ -0,0 +1,137 @@ +[CmdletBinding(SupportsShouldProcess = $true)] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath, + [string]$LanguagesDirectory, + [string]$InventoryOutputPath, + [switch]$IncludeEnglish, + [switch]$CheckOnly +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot +$resolvedEnglishFilePath = Resolve-EnglishLanguageFilePath -ResolvedRepositoryRoot $resolvedRepositoryRoot -EnglishFilePath $EnglishFilePath +$resolvedLanguagesDirectory = if ([string]::IsNullOrWhiteSpace($LanguagesDirectory)) { + Split-Path -Path $resolvedEnglishFilePath -Parent +} +else { + Get-FullPath -Path $LanguagesDirectory +} + +if (-not (Test-Path -Path $resolvedLanguagesDirectory -PathType Container)) { + throw "Languages directory not found: $resolvedLanguagesDirectory" +} + +$englishMap = Read-OrderedJsonMap -Path $resolvedEnglishFilePath +$englishSections = Split-TranslationMapAtBoundary -Map $englishMap +if (-not $englishSections.HasBoundary) { + throw 'The English translation file must contain the legacy boundary marker before locale files can be reordered.' +} + +$englishActiveOrder = @($englishSections.ActiveMap.Keys) +$englishLegacyOrder = @($englishSections.LegacyMap.Keys) +$englishKeySet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($key in $englishActiveOrder) { + [void]$englishKeySet.Add([string]$key) +} +foreach ($key in $englishLegacyOrder) { + [void]$englishKeySet.Add([string]$key) +} + +$filesToProcess = Get-ChildItem -Path $resolvedLanguagesDirectory -Filter 'lang_*.json' | Sort-Object Name +if (-not $IncludeEnglish) { + $filesToProcess = @($filesToProcess | Where-Object { $_.FullName -ine $resolvedEnglishFilePath }) +} + +$changedFiles = New-Object System.Collections.Generic.List[string] +$reports = New-Object System.Collections.Generic.List[object] + +foreach ($languageFile in $filesToProcess) { + $languageMap = Read-OrderedJsonMapPermissive -Path $languageFile.FullName + + $activeOutput = New-OrderedStringMap + foreach ($key in $englishActiveOrder) { + if ($languageMap.Contains($key)) { + $activeOutput[$key] = [string]$languageMap[$key] + } + } + + $legacyOutput = New-OrderedStringMap + foreach ($key in $englishLegacyOrder) { + if ($languageMap.Contains($key)) { + $legacyOutput[$key] = [string]$languageMap[$key] + } + } + + $unmappedKeys = New-Object System.Collections.Generic.List[string] + foreach ($entry in $languageMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($key -ceq (Get-TranslationLegacyBoundaryKey)) { + continue + } + + if (-not $englishKeySet.Contains($key)) { + $legacyOutput[$key] = [string]$entry.Value + $unmappedKeys.Add($key) + } + } + + $updatedMap = Join-TranslationMapWithBoundary -ActiveMap $activeOutput -LegacyMap $legacyOutput -IncludeBoundary + $hasChanges = -not (Test-OrderedStringMapsEqual -Left $languageMap -Right $updatedMap) + + if ($hasChanges) { + $changedFiles.Add((Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $languageFile.FullName)) + if (-not $CheckOnly -and $PSCmdlet.ShouldProcess($languageFile.FullName, 'Reorder translation file to the English legacy boundary layout')) { + Write-OrderedJsonMap -Path $languageFile.FullName -Map $updatedMap + } + } + + $reports.Add([pscustomobject]@{ + languageFile = (Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $languageFile.FullName) + changed = $hasChanges + activeKeyCount = $activeOutput.Count + legacyKeyCount = $legacyOutput.Count + unmappedKeyCount = $unmappedKeys.Count + unmappedKeys = $unmappedKeys.ToArray() + }) +} + +if (-not [string]::IsNullOrWhiteSpace($InventoryOutputPath)) { + $resolvedInventoryOutputPath = Get-FullPath -Path $InventoryOutputPath + $report = [pscustomobject]@{ + generatedAt = (Get-Date).ToString('o') + repositoryRoot = $resolvedRepositoryRoot + englishFile = (Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $resolvedEnglishFilePath) + languagesDirectory = (Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $resolvedLanguagesDirectory) + includeEnglish = [bool]$IncludeEnglish + changedFileCount = $changedFiles.Count + changedFiles = $changedFiles.ToArray() + files = $reports.ToArray() + } + + New-Utf8File -Path $resolvedInventoryOutputPath -Content ($report | ConvertTo-Json -Depth 6) +} + +Write-Output 'Translation boundary reorder summary' +Write-Output "Repository root: $resolvedRepositoryRoot" +Write-Output "Languages directory: $resolvedLanguagesDirectory" +Write-Output "Include English: $([bool]$IncludeEnglish)" +Write-Output "Files processed: $(@($filesToProcess).Count)" +Write-Output "Files changed: $($changedFiles.Count)" + +if ($changedFiles.Count -gt 0) { + Write-Output '' + Write-Output 'Changed files:' + foreach ($path in $changedFiles) { + Write-Output (" * {0}" -f $path) + } +} + +if ($CheckOnly -and $changedFiles.Count -gt 0) { + throw 'One or more translation files are not aligned to the English legacy boundary layout.' +} \ No newline at end of file diff --git a/scripts/translation/Sync-TranslationSources.ps1 b/scripts/translation/Sync-TranslationSources.ps1 new file mode 100644 index 0000000000..4ddc66383f --- /dev/null +++ b/scripts/translation/Sync-TranslationSources.ps1 @@ -0,0 +1,212 @@ +[CmdletBinding(SupportsShouldProcess = $true)] +param( + [string]$RepositoryRoot, + [string]$EnglishFilePath, + [string]$InventoryOutputPath, + [switch]$UseLegacyBoundary, + [switch]$CheckOnly +) + +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$resolvedRepositoryRoot = Resolve-TranslationSyncRepositoryRoot -RepositoryRoot $RepositoryRoot +$resolvedEnglishFilePath = Resolve-EnglishLanguageFilePath -ResolvedRepositoryRoot $resolvedRepositoryRoot -EnglishFilePath $EnglishFilePath + +if (-not (Test-Path -Path $resolvedEnglishFilePath -PathType Leaf)) { + throw "English translation file not found: $resolvedEnglishFilePath" +} + +$snapshot = Get-TranslationSourceSnapshot -RepositoryRoot $resolvedRepositoryRoot +$currentMap = Read-OrderedJsonMapPermissive -Path $resolvedEnglishFilePath +$currentSections = Split-TranslationMapAtBoundary -Map $currentMap +$preserveLegacyBoundary = $UseLegacyBoundary -or $currentSections.HasBoundary + +$extractedKeySet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($key in $snapshot.KeyOrder) { + [void]$extractedKeySet.Add([string]$key) +} + +$currentKeySet = [System.Collections.Generic.HashSet[string]]::new([System.StringComparer]::Ordinal) +foreach ($entry in $currentMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($key -ceq (Get-TranslationLegacyBoundaryKey)) { + continue + } + + [void]$currentKeySet.Add($key) +} + +$missingKeys = New-Object System.Collections.Generic.List[string] +foreach ($key in $snapshot.KeyOrder) { + if (-not $currentKeySet.Contains($key)) { + $missingKeys.Add($key) + } +} + +$unusedKeys = New-Object System.Collections.Generic.List[string] +foreach ($entry in $currentMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($key -ceq (Get-TranslationLegacyBoundaryKey)) { + continue + } + + if (-not $extractedKeySet.Contains($key)) { + $unusedKeys.Add($key) + } +} + +$preservedLegacyMap = New-OrderedStringMap +$misplacedLegacyKeys = New-Object System.Collections.Generic.List[string] +foreach ($entry in $currentSections.ActiveMap.GetEnumerator()) { + $key = [string]$entry.Key + if (-not $extractedKeySet.Contains($key)) { + $misplacedLegacyKeys.Add($key) + } +} + +$activeKeysBelowBoundary = New-Object System.Collections.Generic.List[string] +foreach ($entry in $currentSections.LegacyMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($extractedKeySet.Contains($key)) { + $activeKeysBelowBoundary.Add($key) + } +} + +foreach ($entry in $currentMap.GetEnumerator()) { + $key = [string]$entry.Key + if ($key -ceq (Get-TranslationLegacyBoundaryKey)) { + continue + } + + if (-not $extractedKeySet.Contains($key)) { + $preservedLegacyMap[$key] = [string]$entry.Value + } +} + +$syncedActiveMap = New-OrderedStringMap +foreach ($key in $snapshot.KeyOrder) { + $syncedActiveMap[$key] = if ($currentKeySet.Contains($key)) { [string]$currentMap[$key] } else { $key } +} + +$syncedMap = if ($preserveLegacyBoundary) { + Join-TranslationMapWithBoundary -ActiveMap $syncedActiveMap -LegacyMap $preservedLegacyMap -IncludeBoundary +} +else { + $syncedActiveMap +} + +$hasChanges = -not (Test-OrderedStringMapsEqual -Left $currentMap -Right $syncedMap) + +if (-not [string]::IsNullOrWhiteSpace($InventoryOutputPath)) { + $resolvedInventoryOutputPath = Get-FullPath -Path $InventoryOutputPath + $inventory = [pscustomobject]@{ + generatedAt = (Get-Date).ToString('o') + repositoryRoot = $resolvedRepositoryRoot + englishFile = (Get-RepoRelativePath -RepositoryRoot $resolvedRepositoryRoot -FilePath $resolvedEnglishFilePath) + legacyBoundaryEnabled = $preserveLegacyBoundary + legacyBoundaryPresent = $currentSections.HasBoundary + legacyBoundaryKey = Get-TranslationLegacyBoundaryKey + scannedSourceFileCount = @($snapshot.SourceFiles).Count + extractedKeyCount = @($snapshot.KeyOrder).Count + activeKeyCount = $syncedActiveMap.Count + legacyKeyCount = $preservedLegacyMap.Count + missingKeyCount = $missingKeys.Count + unusedKeyCount = $unusedKeys.Count + misplacedLegacyKeyCount = $misplacedLegacyKeys.Count + activeKeysBelowBoundaryCount = $activeKeysBelowBoundary.Count + warningCount = @($snapshot.Warnings).Count + missingKeys = $missingKeys.ToArray() + unusedKeys = $unusedKeys.ToArray() + legacyKeys = @($preservedLegacyMap.Keys) + misplacedLegacyKeys = $misplacedLegacyKeys.ToArray() + activeKeysBelowBoundary = $activeKeysBelowBoundary.ToArray() + warnings = @($snapshot.Warnings | Sort-Object Path, Line, Type | ForEach-Object { + [pscustomobject]@{ + Path = $_.Path + Line = $_.Line + Type = $_.Type + Message = $_.Message + } + }) + } + + New-Utf8File -Path $resolvedInventoryOutputPath -Content ($inventory | ConvertTo-Json -Depth 6) +} + +Write-Output "Translation source synchronization summary" +Write-Output "Repository root: $resolvedRepositoryRoot" +Write-Output "English file: $resolvedEnglishFilePath" +Write-Output "Legacy boundary enabled: $preserveLegacyBoundary" +Write-Output "Legacy boundary present: $($currentSections.HasBoundary)" +Write-Output "Scanned source files: $(@($snapshot.SourceFiles).Count)" +Write-Output "Extracted keys: $(@($snapshot.KeyOrder).Count)" +Write-Output "Missing English keys: $($missingKeys.Count)" +Write-Output "Unused English keys: $($unusedKeys.Count)" +Write-Output "Legacy English keys: $($preservedLegacyMap.Count)" +Write-Output "Misplaced legacy keys: $($misplacedLegacyKeys.Count)" +Write-Output "Active keys below boundary: $($activeKeysBelowBoundary.Count)" +Write-Output "Warnings: $(@($snapshot.Warnings).Count)" + +if ($missingKeys.Count -gt 0) { + Write-Output '' + Write-Output 'Missing keys to add:' + foreach ($key in $missingKeys) { + Write-Output (" + {0}" -f $key) + } +} + +if ((-not $preserveLegacyBoundary) -and $unusedKeys.Count -gt 0) { + Write-Output '' + Write-Output 'Unused keys to remove:' + foreach ($key in $unusedKeys) { + Write-Output (" - {0}" -f $key) + } +} + +if ($misplacedLegacyKeys.Count -gt 0) { + Write-Output '' + Write-Output 'Legacy keys that should move below the boundary:' + foreach ($key in $misplacedLegacyKeys) { + Write-Output (" v {0}" -f $key) + } +} + +if ($activeKeysBelowBoundary.Count -gt 0) { + Write-Output '' + Write-Output 'Active keys currently below the boundary:' + foreach ($key in $activeKeysBelowBoundary) { + Write-Output (" ^ {0}" -f $key) + } +} + +if (@($snapshot.Warnings).Count -gt 0) { + Write-Output '' + Write-Output 'Warnings:' + foreach ($warning in $snapshot.Warnings | Sort-Object Path, Line, Type) { + Write-Output (" ! {0}:{1} [{2}] {3}" -f $warning.Path, $warning.Line, $warning.Type, $warning.Message) + } +} + +if ($CheckOnly) { + if ($hasChanges) { + throw 'lang_en.json is out of sync with extracted translation sources.' + } + + return +} + +if (-not $hasChanges) { + Write-Output '' + Write-Output 'lang_en.json is already synchronized with extracted source usage.' + return +} + +if ($PSCmdlet.ShouldProcess($resolvedEnglishFilePath, 'Synchronize English translation keys from source usage')) { + Write-OrderedJsonMap -Path $resolvedEnglishFilePath -Map $syncedMap + Write-Output '' + Write-Output 'lang_en.json was synchronized successfully.' +} \ No newline at end of file diff --git a/scripts/sync_translation_status.ps1 b/scripts/translation/Sync-TranslationStatus.ps1 similarity index 92% rename from scripts/sync_translation_status.ps1 rename to scripts/translation/Sync-TranslationStatus.ps1 index 8b1004d6a4..5e9e202b7c 100644 --- a/scripts/sync_translation_status.ps1 +++ b/scripts/translation/Sync-TranslationStatus.ps1 @@ -8,15 +8,15 @@ param( [switch]$UpdateReadme, - [string]$ReadmePath = (Join-Path $PSScriptRoot '..\README.md'), + [string]$ReadmePath = (Join-Path $PSScriptRoot '..\..\README.md'), - [string]$TranslatedPercentagesPath = (Join-Path $PSScriptRoot '..\src\UniGetUI.Core.LanguageEngine\Assets\Data\TranslatedPercentages.json') + [string]$TranslatedPercentagesPath = (Join-Path $PSScriptRoot '..\..\src\UniGetUI.Core.LanguageEngine\Assets\Data\TranslatedPercentages.json') ) Set-StrictMode -Version Latest $ErrorActionPreference = 'Stop' -Import-Module (Join-Path $PSScriptRoot 'Languages\LangData.psm1') -Force +Import-Module (Join-Path $PSScriptRoot 'Languages\LanguageData.psm1') -Force function Read-JsonObject { param( @@ -72,7 +72,7 @@ function Get-NewLine { return "`n" } -$statusJson = & (Join-Path $PSScriptRoot 'get_translation_status.ps1') -OutputFormat Json +$statusJson = & (Join-Path $PSScriptRoot 'Get-TranslationStatus.ps1') -OutputFormat Json $statusRows = $statusJson | ConvertFrom-Json -AsHashtable if ($null -eq $statusRows) { throw 'Could not load translation status data.' diff --git a/scripts/translation/Test-TranslationSourceSync.ps1 b/scripts/translation/Test-TranslationSourceSync.ps1 new file mode 100644 index 0000000000..c754a13bb7 --- /dev/null +++ b/scripts/translation/Test-TranslationSourceSync.ps1 @@ -0,0 +1,143 @@ +Set-StrictMode -Version Latest +$ErrorActionPreference = 'Stop' + +. (Join-Path $PSScriptRoot 'Languages\TranslationJsonTools.ps1') +. (Join-Path $PSScriptRoot 'Languages\TranslationSourceTools.ps1') + +$repoRoot = [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..')) +$syncScript = Join-Path $repoRoot 'scripts\translation\Sync-TranslationSources.ps1' + +if (-not (Test-Path -Path $syncScript -PathType Leaf)) { + throw "Sync script not found: $syncScript" +} + +$tempRoot = Join-Path $env:TEMP ('translation-source-sync-{0}' -f [System.Guid]::NewGuid().ToString('N')) + +try { + $sourceDir = Join-Path $tempRoot 'src\Sample' + $languageDir = Join-Path $tempRoot 'src\UniGetUI.Core.LanguageEngine\Assets\Languages' + New-Item -Path $sourceDir -ItemType Directory -Force | Out-Null + New-Item -Path $languageDir -ItemType Directory -Force | Out-Null + + New-Utf8File -Path (Join-Path $sourceDir 'Strings.cs') -Content @' +using UniGetUI.Core.Tools; + +namespace Sample; + +internal static class Strings +{ + public static void Use(int value) + { + _ = CoreTools.Translate("Literal from code"); + _ = CoreTools.AutoTranslated("Auto translated literal"); + _ = CoreTools.Translate($"Interpolated {value}"); + } +} +'@ + + New-Utf8File -Path (Join-Path $sourceDir 'View.xaml') -Content @' + + + +'@ + + New-Utf8File -Path (Join-Path $sourceDir 'View.axaml') -Content @' + + + + + + + +'@ + + $englishPath = Join-Path $languageDir 'lang_en.json' + $initialMap = New-OrderedStringMap + $initialMap['Literal from code'] = 'Literal from code' + $initialMap['Obsolete key'] = 'Obsolete key' + Write-OrderedJsonMap -Path $englishPath -Map $initialMap + + $snapshot = Get-TranslationSourceSnapshot -RepositoryRoot $tempRoot + if (@($snapshot.Warnings).Count -ne 1) { + throw "Expected exactly one warning for interpolated CoreTools.Translate, found $(@($snapshot.Warnings).Count)." + } + + $threwOnCheck = $false + try { + & $syncScript -RepositoryRoot $tempRoot -EnglishFilePath $englishPath -CheckOnly | Out-Null + } + catch { + if ($_.Exception.Message -notlike '*out of sync*') { + throw + } + + $threwOnCheck = $true + } + + if (-not $threwOnCheck) { + throw 'Expected check-only mode to detect synchronization differences.' + } + + & $syncScript -RepositoryRoot $tempRoot -EnglishFilePath $englishPath | Out-Null + + $updatedMap = Read-OrderedJsonMap -Path $englishPath + $expectedKeys = @( + 'Literal from code', + 'Auto translated literal', + 'WinUI label', + 'Avalonia header', + 'About UniGetUI', + 'A, B, C' + ) + + if ($updatedMap.Count -ne $expectedKeys.Count) { + throw "Expected $($expectedKeys.Count) synchronized keys, found $($updatedMap.Count)." + } + + foreach ($expectedKey in $expectedKeys) { + if (-not $updatedMap.Contains($expectedKey)) { + throw "Expected synchronized English file to contain key '$expectedKey'." + } + } + + if ($updatedMap.Contains('Obsolete key')) { + throw 'Obsolete key should have been removed during synchronization.' + } + + & $syncScript -RepositoryRoot $tempRoot -EnglishFilePath $englishPath -CheckOnly | Out-Null + + $boundaryKey = Get-TranslationLegacyBoundaryKey + $boundaryMap = New-OrderedStringMap + $boundaryMap['Literal from code'] = 'Literal from code' + $boundaryMap['Obsolete key'] = 'Obsolete key' + Write-OrderedJsonMap -Path $englishPath -Map $boundaryMap + + & $syncScript -RepositoryRoot $tempRoot -EnglishFilePath $englishPath -UseLegacyBoundary | Out-Null + + $boundaryUpdatedMap = Read-OrderedJsonMap -Path $englishPath + $boundarySections = Split-TranslationMapAtBoundary -Map $boundaryUpdatedMap + + if (-not $boundarySections.HasBoundary) { + throw 'Expected the synchronized English file to include the legacy boundary marker.' + } + + if (-not $boundarySections.LegacyMap.Contains('Obsolete key')) { + throw 'Obsolete key should have been preserved below the legacy boundary.' + } + + if ($boundarySections.ActiveMap.Contains('Obsolete key')) { + throw 'Obsolete key should not remain in the active key section.' + } + + if (-not $boundaryUpdatedMap.Contains($boundaryKey)) { + throw 'Expected the legacy boundary marker key to exist in the synchronized English file.' + } + + & $syncScript -RepositoryRoot $tempRoot -EnglishFilePath $englishPath -UseLegacyBoundary -CheckOnly | Out-Null + + Write-Output 'Translation source sync smoke test completed successfully.' +} +finally { + Remove-Item -Path $tempRoot -Recurse -Force -ErrorAction SilentlyContinue +} \ No newline at end of file diff --git a/scripts/verify_translations.ps1 b/scripts/translation/Verify-Translations.ps1 similarity index 99% rename from scripts/verify_translations.ps1 rename to scripts/translation/Verify-Translations.ps1 index c3690a1f7a..a22fc1fe5f 100644 --- a/scripts/verify_translations.ps1 +++ b/scripts/translation/Verify-Translations.ps1 @@ -10,7 +10,7 @@ $simplePlaceholderPattern = '^(?[A-Za-z0-9_]+)(?:,[^}:]+)?(?::[^}]+)?$' $icuControlPattern = '^(?[A-Za-z0-9_]+)\s*,\s*(?plural|select|selectordinal)\s*,(?[\s\S]*)$' function Get-RepositoryRoot { - return [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..')) + return [System.IO.Path]::GetFullPath((Join-Path $PSScriptRoot '..\..')) } function Resolve-LanguagesDirectory { diff --git a/src/UniGetUI.Avalonia/Views/Pages/SettingsPages/Experimental.axaml b/src/UniGetUI.Avalonia/Views/Pages/SettingsPages/Experimental.axaml index 35a3343cca..07a05e72e0 100644 --- a/src/UniGetUI.Avalonia/Views/Pages/SettingsPages/Experimental.axaml +++ b/src/UniGetUI.Avalonia/Views/Pages/SettingsPages/Experimental.axaml @@ -47,19 +47,13 @@ - - + CornerRadius="8"/> diff --git a/src/UniGetUI.Core.Language.Tests/LanguageEngineTests.cs b/src/UniGetUI.Core.Language.Tests/LanguageEngineTests.cs index d89e506c1c..62fc687115 100644 --- a/src/UniGetUI.Core.Language.Tests/LanguageEngineTests.cs +++ b/src/UniGetUI.Core.Language.Tests/LanguageEngineTests.cs @@ -63,19 +63,19 @@ public void TestLoadingUkrainianSpecificTranslation() } [Fact] - public void TestLoadingCachedLanguageWithDuplicateKeysKeepsLastValue() + public void TestLoadingLanguageIgnoresCachedOverrides() { - string cachedLangFile = Path.Join( - CoreData.UniGetUICacheDirectory_Lang, - "lang_duplicate-test.json" - ); + string cachedLangFile = Path.Join(CoreData.UniGetUICacheDirectory_Lang, "lang_en.json"); + string? previousContents = File.Exists(cachedLangFile) + ? File.ReadAllText(cachedLangFile) + : null; + + Directory.CreateDirectory(CoreData.UniGetUICacheDirectory_Lang); File.WriteAllText( cachedLangFile, """ { - "Android Subsystem": "Android Subsystem", - "Android Subsystem": "Підсистема Android", - "Backup installed packages": "Cached duplicate test" + "Starting operation...": "Cached override should be ignored" } """ ); @@ -84,13 +84,16 @@ public void TestLoadingCachedLanguageWithDuplicateKeysKeepsLastValue() { LanguageEngine engine = new(); - Dictionary langFile = engine.LoadLanguageFile("duplicate-test"); - Assert.Equal("Підсистема Android", langFile["Android Subsystem"]); - Assert.Equal("Cached duplicate test", langFile["Backup installed packages"]); + Dictionary langFile = engine.LoadLanguageFile("en"); + Assert.Equal("Starting operation...", langFile["Starting operation..."]); } finally { - if (File.Exists(cachedLangFile)) + if (previousContents is not null) + { + File.WriteAllText(cachedLangFile, previousContents); + } + else if (File.Exists(cachedLangFile)) { File.Delete(cachedLangFile); } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_af.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_af.json index 0a11d63e40..5bd1b43079 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_af.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_af.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Opdrag in vordering", + "Please wait...": "Wag asseblief...", + "Success!": "Sukses!", + "Failed": "Misluk", + "An error occurred while processing this package": "'n Fout het voorgekom tydens die verwerking van hierdie pakket", + "Log in to enable cloud backup": "Meld aan om wolkrugsteun te aktiveer", + "Backup Failed": "Rugsteun het misluk", + "Downloading backup...": "Laai rugsteun af...", + "An update was found!": "'n Opdatering is gevind!", + "{0} can be updated to version {1}": "{0} kan word opgedateer na weergawe {1}", + "Updates found!": "Opdaterings gevind!", + "{0} packages can be updated": "{0} pakkette kan word opgedateer ", + "You have currently version {0} installed": "Jy het tans weergawe {0} geïnstalleer", + "Desktop shortcut created": "Werkskerm kortpad geskep", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI het 'n nuwe werkskerm kortpad opgespoor wat outomaties uitgevee kan word.", + "{0} desktop shortcuts created": "{0} werkskerm kortpaaie geskep ", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI het bespeur {0} nuwe werkskerm kortpaaie wat outomaties uitgevee kan word.", + "Are you sure?": "Is jy seker?", + "Do you really want to uninstall {0}?": "Wil jy regtig {0} deïnstalleer?", + "Do you really want to uninstall the following {0} packages?": "Wil u die volgende {0} pakkette regtig deïnstalleer?", + "No": "Nee", + "Yes": "Ja", + "View on UniGetUI": "Kyk op UniGetUI", + "Update": "Opdatering", + "Open UniGetUI": "Maak UniGetUI oop", + "Update all": "Dateer almal op", + "Update now": "Bring op datum nou", + "This package is on the queue": "Hierdie pakket is op tou", + "installing": "Installeer", + "updating": "opdatering", + "uninstalling": "deïnstalleering", + "installed": "geïnstalleer", + "Retry": "Herprobeer", + "Install": "Installeer", + "Uninstall": "Deïnstalleer", + "Open": "Oopmaak", + "Operation profile:": "Bewerkingsprofiel:", + "Follow the default options when installing, upgrading or uninstalling this package": "Volg die verstekopsies wanneer hierdie pakket geïnstalleer, opgegradeer of gedeïnstalleer word", + "The following settings will be applied each time this package is installed, updated or removed.": "Die volgende instellings word toegepas elke keer as hierdie pakket geïnstalleer, opgedateer of verwyder word.", + "Version to install:": "Weergawe om te installeer:", + "Architecture to install:": "Argitektuur om te installeer:", + "Installation scope:": "Installasie omvang:", + "Install location:": "Installeer plek", + "Select": "Selekteer", + "Reset": "Herstel ", + "Custom install arguments:": "Pasgemaakte installeer-argumente:", + "Custom update arguments:": "Pasgemaakte opdateer-argumente:", + "Custom uninstall arguments:": "Pasgemaakte deïnstalleer-argumente:", + "Pre-install command:": "Voor-installeer-opdrag:", + "Post-install command:": "Na-installeer-opdrag:", + "Abort install if pre-install command fails": "Staak installasie as die voor-installeer-opdrag misluk", + "Pre-update command:": "Voor-opdateer-opdrag:", + "Post-update command:": "Na-opdateer-opdrag:", + "Abort update if pre-update command fails": "Staak opdatering as die voor-opdateer-opdrag misluk", + "Pre-uninstall command:": "Voor-deïnstalleer-opdrag:", + "Post-uninstall command:": "Na-deïnstalleer-opdrag:", + "Abort uninstall if pre-uninstall command fails": "Staak deïnstallering as die voor-deïnstalleer-opdrag misluk", + "Command-line to run:": "Opdrag-lyn om te loop:", + "Save and close": "Stoor en sluit", + "Run as admin": "Laat loop as admin", + "Interactive installation": "Interaktiewe installasie", + "Skip hash check": "Slaan huts kontrole oor", + "Uninstall previous versions when updated": "Deïnstalleer vorige weergawes wanneer opgedateer word", + "Skip minor updates for this package": "Slaan geringe opdaterings oor vir hierdie pakket", + "Automatically update this package": "Dateer hierdie pakket outomaties op", + "{0} installation options": "{0} installasie opsies ", + "Latest": "Nuutste", + "PreRelease": "Voorvrystelling", + "Default": "Standaard", + "Manage ignored updates": "Bestuur geïgnoreerde opdaterings", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Die pakkette wat hier gelys word, sal nie in ag geneem word wanneer daar vir opdaterings gekyk word nie. Dubbelklik op hulle of klik op die knoppie aan hul regterkant om op te hou om hul opdaterings te ignoreer.", + "Reset list": "Herstel lys", + "Package Name": "Pakket Naam", + "Package ID": "Pakket ID", + "Ignored version": "Geïgnoreerde weergawe", + "New version": "Nuwe weergawe", + "Source": "Bron", + "All versions": "Alle weergawes", + "Unknown": "Onbekend", + "Up to date": "Op datum", + "Cancel": "Kanselleer", + "Administrator privileges": "Administrateurs voorregte", + "This operation is running with administrator privileges.": "Hierdie werking word uitgevoer met administrateur regte.", + "Interactive operation": "Interaktiewe werking", + "This operation is running interactively.": "Hierdie operasie loop interaktief.", + "You will likely need to interact with the installer.": "Jy sal waarskynlik met die installeerder moet kommunikeer.", + "Integrity checks skipped": "Integriteits kontroles oorgeslaan", + "Proceed at your own risk.": "Gaan voort op eie risiko.", + "Close": "Sluit", + "Loading...": "Laai...", + "Installer SHA256": "Installeerder SHA256", + "Homepage": "Tuisblad", + "Author": "Outeur", + "Publisher": "Uitgewer", + "License": "Lisensie", + "Manifest": "Manifesteer", + "Installer Type": "Installeerder Tipe", + "Size": "Grootte", + "Installer URL": "Installeerder URL", + "Last updated:": "Laas opgedateer:", + "Release notes URL": "Vrystelling notas", + "Package details": "Pakket besonderhede", + "Dependencies:": "Afhanklikhede:", + "Release notes": "Vrystelling notas", + "Version": "Weergawe", + "Install as administrator": "Installeer as administrateur", + "Update to version {0}": "Dateer op na weergawe {0}", + "Installed Version": "Geïnstalleerde Weergawe", + "Update as administrator": "Opdatering as administrateur", + "Interactive update": "Interaktiewe opdatering", + "Uninstall as administrator": "Deïnstalleer as administrateur", + "Interactive uninstall": "Interaktiewe deïnstalleer", + "Uninstall and remove data": "Deïnstalleer en verwyder weg data", + "Not available": "Nie beskikbaar nie", + "Installer SHA512": "Installeerder SHA512", + "Unknown size": "Onbekende grootte", + "No dependencies specified": "Geen afhanklikhede gespesifiseer nie", + "mandatory": "verpligtend", + "optional": "opsioneel", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} is gereed om geïnstalleer te word.", + "The update process will start after closing UniGetUI": "Die opdatering sproses sal begin nadat UniGetUI toegemaak is", + "Share anonymous usage data": "Deel anonieme gebruiks data", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI versamel anonieme gebruiks data om die gebruikers ervaring te verbeter.", + "Accept": "Aanvaar", + "You have installed WingetUI Version {0}": "Jy het UniGetUI weergawe geïnstalleer {0}", + "Disclaimer": "Vrywaring", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI hou nie verband met enige van die versoenbare pakket bestuurders nie. UniGetUI is 'n onafhanklike projek.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI sou nie moontlik gewees het sonder die hulp van die bydraers nie. Dankie almal 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI gebruik die volgende biblioteke. Sonder hulle sou UniGetUI nie moontlik gewees het nie.", + "{0} homepage": "{0} tuisblad", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI is in meer as 40 tale vertaal danksy die vrywillige vertalers. Dankie 🤝", + "Verbose": "Omvattend", + "1 - Errors": "1 - Foute", + "2 - Warnings": "2 - Waarskuwings", + "3 - Information (less)": "3 - Inligting (minder).", + "4 - Information (more)": "4 - Inligting (meer)", + "5 - information (debug)": "5 - Inligting (ontfout)", + "Warning": "Waarskuwing", + "The following settings may pose a security risk, hence they are disabled by default.": "Die volgende instellings kan 'n sekuriteitsrisiko inhou en is daarom by verstek gedeaktiveer.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiveer die onderstaande instellings slegs as jy ten volle verstaan wat hulle doen en watter implikasies dit kan hê.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Die instellings sal in hul beskrywings die moontlike sekuriteitskwessies lys wat hulle kan hê.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Die rugsteun bevat die volledige lys van die geïnstalleerde pakkette en hul installasie opsies. Ignoreerde opdaterings en oorgeslaande weergawes sal ook gestoor word.", + "The backup will NOT include any binary file nor any program's saved data.": "Die rugsteun sal NIE enige binêre lêer of enige program se gestoorde data insluit nie.", + "The size of the backup is estimated to be less than 1MB.": "Die grootte van die rugsteun word geskat op minder as 1 MB.", + "The backup will be performed after login.": "Die rugsteun sal uitgevoer word na aanmelding.", + "{pcName} installed packages": "{pcName} geïnstalleerde pakkette", + "Current status: Not logged in": "Huidige status: Nie aangemeld nie", + "You are logged in as {0} (@{1})": "Jy is aangemeld as {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Mooi! Rugsteune sal na 'n private gist in jou rekening opgelaai word", + "Select backup": "Kies rugsteun", + "WingetUI Settings": "UniGetUI Instellings", + "Allow pre-release versions": "Laat voorvrystelling-weergawes toe", + "Apply": "Pas toe", + "Go to UniGetUI security settings": "Gaan na UniGetUI-sekuriteitsinstellings", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Die volgende opsies sal by verstek toegepas word elke keer wanneer 'n {0}-pakket geïnstalleer, opgegradeer of gedeïnstalleer word.", + "Package's default": "Pakket se verstek", + "Install location can't be changed for {0} packages": "Installeerligging kan nie vir {0}-pakkette verander word nie", + "The local icon cache currently takes {0} MB": "Die plaaslike ikoon voorlopige geheue neem tans {0} MB", + "Username": "Gebruikers naam", + "Password": "Wagwoord", + "Credentials": "Verwysings", + "Partially": "Gedeeltelik", + "Package manager": "Pakket bestuurder", + "Compatible with proxy": "Versoenbaar met volmag", + "Compatible with authentication": "Versoenbaar met verifiëring", + "Proxy compatibility table": "Volmag versoenbaarheid tabel", + "{0} settings": "{0} instellings", + "{0} status": "{0} stand", + "Default installation options for {0} packages": "Verstek-installeeropsies vir {0}-pakkette", + "Expand version": "Brei weergawe uit", + "The executable file for {0} was not found": "Die uitvoerbare lêer vir {0} is nie gevind nie", + "{pm} is disabled": "{pm} is gedeaktiveer", + "Enable it to install packages from {pm}.": "Stel dit in staat om pakkette vanaf {pm} te installeer.", + "{pm} is enabled and ready to go": "{pm} is geaktiveer en gereed om te begin", + "{pm} version:": "{pm} weergawe:", + "{pm} was not found!": "{pm} is nie gevind nie!", + "You may need to install {pm} in order to use it with WingetUI.": "Miskien moet jy {pm} installeer om dit met UniGetUI te gebruik.", + "Scoop Installer - WingetUI": "Scoop se Installer - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop deïnstalleerder - UniGetUI", + "Clearing Scoop cache - WingetUI": "Skoonmaak van die Scoop se voorlopige geheue - UniGetUI", + "Restart UniGetUI": "Herbegin UniGetUI", + "Manage {0} sources": "Bestuur {0} bronne", + "Add source": "Voeg bron by", + "Add": "Voegby", + "Other": "Ander", + "1 day": "'n dag", + "{0} days": "{0} dae", + "{0} minutes": "{0} minute", + "1 hour": "'n uur", + "{0} hours": "{0} ure", + "1 week": "'n week", + "WingetUI Version {0}": "UniGetUI Weergawe {0}", + "Search for packages": "Soek vir pakkette", + "Local": "Plaaslike", + "OK": "Goed", + "{0} packages were found, {1} of which match the specified filters.": "{0} pakkette is gevind, {1} van die wat ooreenstem met die gespesifiseerde filtreers.", + "{0} selected": "{0} gekies", + "(Last checked: {0})": "(Laas nagegaan: {0})", + "Enabled": "Geaktiveer", + "Disabled": "Gedeaktiveer", + "More info": "Meer inligting", + "Log in with GitHub to enable cloud package backup.": "Meld met GitHub aan om wolk-pakket-rugsteun te aktiveer.", + "More details": "Meer besonderhede", + "Log in": "Meld aan", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "As jy wolkrugsteun geaktiveer het, sal dit as 'n GitHub Gist in hierdie rekening gestoor word", + "Log out": "Meld af", + "About": "Omtrent", + "Third-party licenses": "Derde party lisensies", + "Contributors": "Bydraers\n", + "Translators": "Vertalers", + "Manage shortcuts": "Bestuur kortpaaie", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI het die volgende werkskerm kortpaaie opgespoor wat outomaties verwyder kan word by toekomstige opgraderings", + "Do you really want to reset this list? This action cannot be reverted.": "Wil jy definitief hierdie lys terugstel? Hierdie aksie kan nie teruggekeer word nie.", + "Remove from list": "Verwyder van lys", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Wanneer nuwe kortpaaie bespeur word, skrap hulle outomaties in plaas daarvan om hierdie dialoog te vertoon.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI versamel anonieme gebruiks data met die uitsluitlike doel om die gebruikers ervaring te verstaan en te verbeter.", + "More details about the shared data and how it will be processed": "Meer besonderhede oor die gedeelde data en hoe dit verwerk sal word", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Aanvaar jy dat UniGetUI anonieme gebruiks statistieke versamel en stuur, met die uitsluitlike doel om die gebruikers ervaring te verstaan en te verbeter?", + "Decline": "Weier", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Geen persoonlike inligting word ingesamel of gestuur nie, en die versamelde data word geanonimiseer, so dit kan nie na jou teruggestuur word nie.", + "About WingetUI": "Omtrent UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI is 'n toepassing wat die bestuur van jou sagteware makliker maak deur 'n alles-in-een grafiese koppelvlak vir jou opdrag reël pakket bestuurders te verskaf.", + "Useful links": "Nuttige skakels", + "Report an issue or submit a feature request": "Rapporteer 'n probleem of dien 'n funksie versoek in", + "View GitHub Profile": "Kyk na GitHub profiel", + "WingetUI License": "UniGetUI Lisensie ", + "Using WingetUI implies the acceptation of the MIT License": "Die gebruik van UniGetUI impliseer die aanvaarding van die MIT-lisensie", + "Become a translator": "Word 'n vertaler", + "View page on browser": "Bekyk bladsy op blaaier", + "Copy to clipboard": "Kopieer na knipbord", + "Export to a file": "Voer uit na 'n lêer", + "Log level:": "Log vlak: ", + "Reload log": "Herlaai log", + "Text": "Teks", + "Change how operations request administrator rights": "Verander hoe bedryfs versoek administrateur regte raak\n\n", + "Restrictions on package operations": "Beperkings op pakketbewerkings", + "Restrictions on package managers": "Beperkings op pakketbestuurders", + "Restrictions when importing package bundles": "Beperkings wanneer pakketbondels ingevoer word", + "Ask for administrator privileges once for each batch of operations": "Vra een keer vir administrateur regte vir elke bondel bewerkings", + "Ask only once for administrator privileges": "Vra slegs een keer vir administrateurvoorregte", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Verbied enige vorm van verhoging via UniGetUI Elevator of GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Hierdie opsie SAL probleme veroorsaak. Enige bewerking wat homself nie kan verhoog nie, SAL MISLUK. Installeer, dateer op of deïnstalleer as administrateur SAL NIE WERK NIE.", + "Allow custom command-line arguments": "Laat pasgemaakte opdragreël-argumente toe", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Pasgemaakte opdragreël-argumente kan die manier waarop programme geïnstalleer, opgegradeer of gedeïnstalleer word verander op 'n manier wat UniGetUI nie kan beheer nie. Die gebruik van pasgemaakte opdragreëls kan pakkette breek. Gaan versigtig voort.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Laat pasgemaakte voor-installeer- en na-installeer-opdragte toe om uitgevoer te word", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Voor- en na-installeer-opdragte sal voor en na die installering, opgradering of deïnstallering van 'n pakket uitgevoer word. Wees bewus daarvan dat hulle dinge kan breek as hulle nie versigtig gebruik word nie", + "Allow changing the paths for package manager executables": "Laat toe dat die paaie vir pakketbestuurder-uitvoerbare lêers verander word", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "As jy dit aanskakel, kan die uitvoerbare lêer wat gebruik word om met pakketbestuurders te werk verander word. Al laat dit fyner aanpassing van jou installasieprosesse toe, kan dit ook gevaarlik wees", + "Allow importing custom command-line arguments when importing packages from a bundle": "Laat die invoer van pasgemaakte opdragreël-argumente toe wanneer pakkette vanaf 'n bondel ingevoer word", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Wanvormde opdragreël-argumente kan pakkette breek of selfs 'n kwaadwillige akteur toelaat om verhoogde uitvoering te verkry. Daarom is die invoer van pasgemaakte opdragreël-argumente by verstek gedeaktiveer.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Laat die invoer van pasgemaakte voor-installeer- en na-installeer-opdragte toe wanneer pakkette vanaf 'n bondel ingevoer word", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Voor- en na-installeer-opdragte kan baie slegte dinge aan jou toestel doen as hulle daarvoor ontwerp is. Dit kan baie gevaarlik wees om hierdie opdragte uit 'n bondel in te voer, tensy jy die bron van daardie pakketbondel vertrou", + "Administrator rights and other dangerous settings": "Administrateurregte en ander gevaarlike instellings", + "Package backup": "Pakket rugsteun", + "Cloud package backup": "Wolk-rugsteun vir pakkette", + "Local package backup": "Plaaslike pakket-rugsteun", + "Local backup advanced options": "Gevorderde plaaslike rugsteunopsies", + "Log in with GitHub": "Meld aan met GitHub", + "Log out from GitHub": "Meld af van GitHub", + "Periodically perform a cloud backup of the installed packages": "Voer periodiek 'n wolkrugsteun van die geïnstalleerde pakkette uit", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Wolkrugsteun gebruik 'n private GitHub Gist om 'n lys van geïnstalleerde pakkette te stoor", + "Perform a cloud backup now": "Voer nou 'n wolkrugsteun uit", + "Backup": "Rugsteun", + "Restore a backup from the cloud": "Herstel 'n rugsteun vanuit die wolk", + "Begin the process to select a cloud backup and review which packages to restore": "Begin die proses om 'n wolkrugsteun te kies en te hersien watter pakkette herstel moet word", + "Periodically perform a local backup of the installed packages": "Voer periodiek 'n plaaslike rugsteun van die geïnstalleerde pakkette uit", + "Perform a local backup now": "Voer nou 'n plaaslike rugsteun uit", + "Change backup output directory": "Verander rugsteun lewering lêergids", + "Set a custom backup file name": "Stel 'n pasgemaakte rugsteun lêer naam vas", + "Leave empty for default": "Laat leeg vir standaard", + "Add a timestamp to the backup file names": "Voeg 'n tyd stempel by die rugsteun lêer name", + "Backup and Restore": "Rugsteun en herstel", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiveer agtergrond API (Wingets vir UniGetUI en Deel, Port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Wag totdat die toestel aan die internet gekoppel is voordat jy probeer om take te verrig wat internet verbinding benodig.", + "Disable the 1-minute timeout for package-related operations": "Deaktiveer die 1-minuut spertydperk vir pakketverwante bewerkings", + "Use installed GSudo instead of UniGetUI Elevator": "Gebruik geïnstalleerde GSudo in plaas van UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Gebruik 'n pasgemaakte ikoon en 'n skermkiekie databasis URL", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiveer agtergrond -CPU gebruiks optimalisering (see Pull Request #3278)", + "Perform integrity checks at startup": "Voer integriteitskontroles by opstart uit", + "When batch installing packages from a bundle, install also packages that are already installed": "Wanneer pakkette in bondels geïnstalleer word, installeer ook pakkette wat reeds geïnstalleer is", + "Experimental settings and developer options": "Eksperimentele instellings en ontwikkelaar opsies", + "Show UniGetUI's version and build number on the titlebar.": "Wys UniGetUI se weergawe op die titel balk", + "Language": "Taal", + "UniGetUI updater": "UniGetUI opdatering", + "Telemetry": "Telemetrie", + "Manage UniGetUI settings": "Bestuur UniGetUI instellings", + "Related settings": "Verwante instellings", + "Update WingetUI automatically": "Dateer UniGetUI outomaties op", + "Check for updates": "Kyk vir opdaterings", + "Install prerelease versions of UniGetUI": "Installeer voor vrystel uitgawe van UniGetUI", + "Manage telemetry settings": "Bestuur telemetrie-instellings", + "Manage": "Bestuur", + "Import settings from a local file": "Voer instellings van 'n plaaslike lêer in", + "Import": "Voer in", + "Export settings to a local file": "Voer instellings uit na 'n plaaslike lêer", + "Export": "Uitvoer", + "Reset WingetUI": "Herstel UniGetUI", + "Reset UniGetUI": "Herstel UniGetUI", + "User interface preferences": "Voorkeure vir gebruiker koppelvlak", + "Application theme, startup page, package icons, clear successful installs automatically": "Toepassings tema, begin bladsy, pakket ikone, suksesvolle installasies outomaties skoon gemaak", + "General preferences": "Algemene voorkeure", + "WingetUI display language:": "UniGetUI vertoon taal:", + "Is your language missing or incomplete?": "Ontbreek jou taal of is dit onvolledig?", + "Appearance": "Voorkoms ", + "UniGetUI on the background and system tray": "UniGetUI op die agtergrond en stelsel balk", + "Package lists": "Pakket lyste", + "Close UniGetUI to the system tray": "Maak dat Unigetui na die stelselbakkie toe gaan", + "Show package icons on package lists": "Wys pakket ikone op pakket lyste", + "Clear cache": "Maak voorlopige geheue skoon", + "Select upgradable packages by default": "Selekteer standaard opgradeerbare pakkette", + "Light": "Lig", + "Dark": "Donker", + "Follow system color scheme": "Volg die stelsel kleur skema", + "Application theme:": "Toepassings tema:", + "Discover Packages": "Vind pakkette", + "Software Updates": "Sagteware Opdaterings", + "Installed Packages": "Geïnstalleerde pakkette", + "Package Bundles": "Pakket Bondels", + "Settings": "Instellings", + "UniGetUI startup page:": "UniGetUI Begin bladsy:", + "Proxy settings": "Volmag instellings", + "Other settings": "Ander instellings", + "Connect the internet using a custom proxy": "Verbind die internet met behulp van persoonlike volmag", + "Please note that not all package managers may fully support this feature": "Let asseblief daarop dat nie alle pakket bestuurders hierdie funksie ten volle kan ondersteun nie", + "Proxy URL": "Volmag UTL", + "Enter proxy URL here": "Voer hier 'n volmag URL in", + "Package manager preferences": "Pakket bestuurders se voorkeure", + "Ready": "Gereed", + "Not found": "Nie gevind nie", + "Notification preferences": "Kennisgewing voorkeure", + "Notification types": "Kennisgewing tipes", + "The system tray icon must be enabled in order for notifications to work": "Die stelsel bakkie ikoon moet aangeskakel word om kennisgewings te laat werk", + "Enable WingetUI notifications": "Aktiveer UniGetUI kennisgewings", + "Show a notification when there are available updates": "Wys 'n kennisgewing wanneer daar beskikbare opdaterings is", + "Show a silent notification when an operation is running": "Wys 'n stil kennisgewing wanneer 'n opdrag loop", + "Show a notification when an operation fails": "Wys 'n kennisgewing aan wanneer 'n opdrag misluk", + "Show a notification when an operation finishes successfully": "Wys 'n kennisgewing wanneer 'n opdrag suksesvol voltooi is", + "Concurrency and execution": "Gelyktydigheid en uitvoering ", + "Automatic desktop shortcut remover": "Outomatiese gebruikskoppelvlak kortpad verwyderaar", + "Clear successful operations from the operation list after a 5 second delay": "Maak suksesvolle operasies van die operasie lys na 5 sekondes vertraging skoon", + "Download operations are not affected by this setting": "Aflaaibewerkings word nie deur hierdie instelling beïnvloed nie", + "Try to kill the processes that refuse to close when requested to": "Probeer die prosesse beëindig wat weier om te sluit wanneer dit versoek word", + "You may lose unsaved data": "Jy kan ongestoorde data verloor", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Vra om die kortpaaie van die gebruikskoppelvlak te verwyder wat tydens 'n installasie of opgradering geskep is.", + "Package update preferences": "Voorkeure vir pakket opdatering", + "Update check frequency, automatically install updates, etc.": "Dateer kontrole frekwensie op, installeer opdaterings outomaties, ens.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Verminder UAC-aanporboodskappe, verhoog installasies by verstek, ontsluit sekere gevaarlike funksies, ens.", + "Package operation preferences": "Voorkeure vir pakket bewerking", + "Enable {pm}": "Aktiveer {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Kan jy nie die lêer kry waarna jy soek nie? Maak seker dit is by PATH gevoeg.", + "For security reasons, changing the executable file is disabled by default": "Om veiligheidsredes is die verandering van die uitvoerbare lêer by verstek gedeaktiveer", + "Change this": "Verander dit", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Kies die uitvoerbare lêer wat gebruik moet word. Die volgende lys wys die uitvoerbare lêers wat deur UniGetUI gevind is", + "Current executable file:": "Huidige uitvoerbare lêer:", + "Ignore packages from {pm} when showing a notification about updates": "Ignoreer pakkette van {pm} wanneer jy 'n kennisgewing oor opdaterings toon", + "View {0} logs": "Bekyk {0} logs", + "Advanced options": "Gevorderde opsies ", + "Reset WinGet": "Herstel WinGet", + "This may help if no packages are listed": "Dit kan help as geen pakkette gelys word nie", + "Force install location parameter when updating packages with custom locations": "Dwing installeer-liggingparameter af wanneer pakkette met pasgemaakte liggings opgedateer word", + "Use bundled WinGet instead of system WinGet": "Gebruik gebundelde WinGet in plaas van stelsel WinGet", + "This may help if WinGet packages are not shown": "Dit kan help as Winget pakkette nie vertoon word nie", + "Install Scoop": "Installeer Scoop", + "Uninstall Scoop (and its packages)": "Deïnstalleer Scoop (en sy pakkette)", + "Run cleanup and clear cache": "Laat loop skoonmaak en maak voorlopige geheue skoon", + "Run": "Laat loop", + "Enable Scoop cleanup on launch": "Aktiveer Scoop se opruiming by bekendstelling", + "Use system Chocolatey": "Gebruik stelsel Chocolatey", + "Default vcpkg triplet": "Standaard vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Taal, tema en ander diverse voorkeure", + "Show notifications on different events": "Wys kennisgewings oor verskillende gebeure", + "Change how UniGetUI checks and installs available updates for your packages": "Verander hoe UniGetUI kontrol word en installeer die beskikbare updates vir jou pakkette", + "Automatically save a list of all your installed packages to easily restore them.": "Stoor outomaties 'n lys van al jou geïnstalleerde pakkette om dit maklik te herstel.", + "Enable and disable package managers, change default install options, etc.": "Aktiveer en deaktiveer pakketbestuurders, verander verstek-installeeropsies, ens.", + "Internet connection settings": "Internet verbindings instellings", + "Proxy settings, etc.": "Volmag instellings, ens.", + "Beta features and other options that shouldn't be touched": "Beta kenmerke en ander opsies wat nie aangeraak moet word nie", + "Update checking": "Kontrole vir opdaterings", + "Automatic updates": "Outomatiese opdaterings", + "Check for package updates periodically": "Kyk periodiek vir pakket opdaterings", + "Check for updates every:": "Kyk vir opdaterings elke:", + "Install available updates automatically": "Installeer beskikbare opdaterings outomaties", + "Do not automatically install updates when the network connection is metered": "Moenie outomaties opdaterings installeer wanneer die netwerkverbinding gemeteerd word nie", + "Do not automatically install updates when the device runs on battery": "Moenie opdaterings outomaties installeer wanneer die toestel op battery loop nie", + "Do not automatically install updates when the battery saver is on": "Moenie outomaties opdaterings installeer wanneer die batterybesparing aan is nie", + "Change how UniGetUI handles install, update and uninstall operations.": "Verander hoe Unigetui installeer en deïnstalleer van bewerkings hanteer.", + "Package Managers": "Pakket bestuurders", + "More": "Meer", + "WingetUI Log": "UniGetUI-logboek", + "Package Manager logs": "Pakket Bestuurder logs", + "Operation history": "Opdrag Geskiedenis", + "Help": "Hulp", + "Order by:": "Volgorde:", + "Name": "Naam", + "Id": "ID", + "Ascendant": "Opgang", + "Descendant": "Nasaat", + "View mode:": "Bekyk modus:", + "Filters": "Filtreer", + "Sources": "Bronne", + "Search for packages to start": "Soek vir pakkette om te begin", + "Select all": "Selekteer alles", + "Clear selection": "Maak seleksie skoon", + "Instant search": "Onmiddellike soektog", + "Distinguish between uppercase and lowercase": "Onderskei tussen hoofletters en kleinletters", + "Ignore special characters": "Ignoreer spesiale karakters", + "Search mode": "Soek modus", + "Both": "Beide", + "Exact match": "Presiese resultaat", + "Show similar packages": "Wys soortgelyke pakkette", + "No results were found matching the input criteria": "Geen resultate is gevind wat ooreenstem met die inset kriteria nie", + "No packages were found": "Geen pakkette is gevind nie", + "Loading packages": "Laai pakkette ", + "Skip integrity checks": "Slaan integriteits kontroles oor", + "Download selected installers": "Laai geselekteerde installeerders af", + "Install selection": "Installeer seleksie", + "Install options": "Installeeropsies", + "Share": "Deel", + "Add selection to bundle": "Voeg seleksie by bundel", + "Download installer": "Laai installeerder af", + "Share this package": "Deel hierdie pakket", + "Uninstall selection": "Deïnstalleer seleksie", + "Uninstall options": "Deïnstalleeropsies", + "Ignore selected packages": "Ignoreer geselekteerde pakkette", + "Open install location": "Maak installeer ligging oop", + "Reinstall package": "Herinstalleer Pakkette", + "Uninstall package, then reinstall it": "Deïnstalleer pakket en installeer dit dan weer", + "Ignore updates for this package": "Ignoreer opdaterings vir hierdie pakket", + "Do not ignore updates for this package anymore": "Moenie meer opdaterings vir hierdie pakket ignoreer nie", + "Add packages or open an existing package bundle": "Voeg pakkette by of open 'n bestaande pakket bundel", + "Add packages to start": "Voeg pakkette by om te begin", + "The current bundle has no packages. Add some packages to get started": "Die huidige bundel het geen pakkette nie. Voeg 'n paar pakkette by om aan die gang te kom", + "New": "Nuut", + "Save as": "Stoor as", + "Remove selection from bundle": "Verwyder seleksie uit bondel", + "Skip hash checks": "Slaan hash kontroles oor", + "The package bundle is not valid": "Die pakket bundel is nie geldig nie", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Die bundel wat jy probeer laai blyk ongeldig te wees. Kontroleer aseblief die lêer en probeer weer.", + "Package bundle": "Pakket bundel", + "Could not create bundle": "Kon nie bondel skep nie", + "The package bundle could not be created due to an error.": "Die pakket bundel kon nie geskep word nie weens 'n fout.", + "Bundle security report": "Bondel-sekuriteitsverslag", + "Hooray! No updates were found.": "Hoera! Geen opdaterings is gevind nie.", + "Everything is up to date": "Alles is op datum", + "Uninstall selected packages": "Deïnstalleer geselekteerde pakkette", + "Update selection": "Dateer seleksie op", + "Update options": "Opdateeropsies", + "Uninstall package, then update it": "Deïnstalleer pakket en dateer dit dan op", + "Uninstall package": "Deïnstalleer pakket", + "Skip this version": "Slaan hierdie weergawe oor", + "Pause updates for": "Pouse opdaterings vir", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Die Rust pakket bestuurder.
Bevat: \nRust biblioteke en programme wat in Rust geskryf is ", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Die klassieke pakket bestuurder vir windows. Jy sal alles daar vind.
Bevat: Algemene sagteware", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "'n Bewaarplek vol gereedskap en uitvoerbare artikels wat ontwerp is met Microsoft se .NET -ekosisteem in gedagte.
Bevat: .NET -verwante gereedskap en skrifte ", + "NuPkg (zipped manifest)": "NuPkg (kompakteer openbaar) ", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS se pakket bestuurder. Vol biblioteke en ander hulpmiddels wat om die javascript-wêreld wentel
Bevat: Node javascript biblioteke en ander verwante hulpmiddels", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python se biblioteek bestuurder. Vol python biblioteke en ander Python verwante hulpmiddels
bevat: Python biblioteke en verwante hulpmiddels ", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell se pakket bestuurder. Vind biblioteke en skrifte om PowerShell vermoëns uit te brei
bevat: modules, skrifte, Cmdlets ", + "extracted": "onttrek", + "Scoop package": "Scoop pakket ", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Groot bewaarplek van onbekende, maar nuttige hulpmiddels en ander interessante pakkette.
Bevat: Nuts programme, opdragreël programme, Algemene sagteware (ekstra-houer vereis)", + "library": "biblioteek", + "feature": "kenmerk", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "'n Gewilde C/C ++ Biblioteekbestuurder. Vol van C/C ++ biblioteke en ander C/C ++-Verwante hulpprogramme
bevat: c/c ++ biblioteke en verwante hulpmiddels ", + "option": "keuse", + "This package cannot be installed from an elevated context.": "Hierdie pakket kan nie vanuit 'n verhoogde konteks geïnstalleer word nie.", + "Please run UniGetUI as a regular user and try again.": "Voer asseblief UniGetUI as \"n gewone gebruiker uit en probeer weer.", + "Please check the installation options for this package and try again": "Gaan asseblief die installasie opsies vir hierdie pakket na en probeer weer", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft se amptelike pakketbestuurder. Vol bekende en geverifieerde pakkette
Bevat: Algemene sagteware, Microsoft Store-toepassings", + "Local PC": "Plaaslike PC", + "Android Subsystem": "Android Substelsel", + "Operation on queue (position {0})...": "Opdrag in wagting (posisie {0})...", + "Click here for more details": "Klik hier vir meer besonderhede", + "Operation canceled by user": "Opdrag gekanselleer deur gebruiker", + "Starting operation...": "Begin opdrag...", + "{package} installer download": "{package} installer word aflaai", + "{0} installer is being downloaded": "{0} installeerder is besig om afgelaai te word", + "Download succeeded": "Aflaai het geslaag", + "{package} installer was downloaded successfully": "{package} installeerder is suksesvol afgelaai", + "Download failed": "Aflaai het misluk", + "{package} installer could not be downloaded": "{package} installeerder kon nie afgelaai word nie", + "{package} Installation": "{package} Installasie", + "{0} is being installed": "{0} word geïnstalleer ", + "Installation succeeded": "Installasie het geslaag", + "{package} was installed successfully": "{package} is suksesvol geïnstalleer", + "Installation failed": "Installasie het misluk", + "{package} could not be installed": "{package} kon nie geïnstalleer word nie", + "{package} Update": "{package} Opdatering", + "{0} is being updated to version {1}": "{0} word opgedateer na weergawe {1}", + "Update succeeded": "Opdatering het geslaag", + "{package} was updated successfully": "{package} is suksesvol opgedateer", + "Update failed": "Opdatering het misluk", + "{package} could not be updated": "{package} kon nie opgedateer word nie", + "{package} Uninstall": "{package} deïnstalleer", + "{0} is being uninstalled": "{0} word gedeïnstalleer", + "Uninstall succeeded": "Deïnstalleer het geslaag", + "{package} was uninstalled successfully": "{package} is suksesvol gedeïnstalleer", + "Uninstall failed": "Deïnstalleer het misluk", + "{package} could not be uninstalled": "{package} Kon nie geïnstalleer word nie ", + "Adding source {source}": "Voeg bron by {source}", + "Adding source {source} to {manager}": "Voeg bron by {source} na {manager}", + "Source added successfully": "Bron suksesvol bygevoeg", + "The source {source} was added to {manager} successfully": "Die bron {source} is suksevol bygevoeg na die {manager} ", + "Could not add source": "Kon nie bron byvoeg nie", + "Could not add source {source} to {manager}": "Kon nie die bron {source} by {manager} voeg nie", + "Removing source {source}": "Verwydering bron {source}", + "Removing source {source} from {manager}": "Verwydering bron {source} van {manager}", + "Source removed successfully": "Bron suksesvol verwyder", + "The source {source} was removed from {manager} successfully": "Die bron {source} is suksevol verwyder na die {manager} ", + "Could not remove source": "Kon nie bron verwyder nie", + "Could not remove source {source} from {manager}": "Kon die bron nie {source} van {manager} verwyder nie", + "The package manager \"{0}\" was not found": "Die pakketbestuurder \"{0}\" is nie gevind nie", + "The package manager \"{0}\" is disabled": "Die pakketbestuurder \"{0}\" is gestremd", + "There is an error with the configuration of the package manager \"{0}\"": "Daar is 'n fout met die konfigurasie van die pakket bestuurder \" {0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Die pakket \"{0}\" is nie op die pakket bestuurder gevind nie \"{1}\"", + "{0} is disabled": "{0} is afgeskakel ", + "Something went wrong": "Iets het verkeerd geloop", + "An interal error occurred. Please view the log for further details.": "'n Interne fout het voorgekom. Kyk asseblief na die logboek vir verdere besonderhede.", + "No applicable installer was found for the package {0}": "Geen toepaslike installeerder is vir die pakket gevind nie{0}", + "We are checking for updates.": "Ons kyk na opdaterings.", + "Please wait": "Wag asseblief", + "UniGetUI version {0} is being downloaded.": "UniGetUI weergawe {0} word afgelaai.", + "This may take a minute or two": "Dit kan 'n minuut of twee neem", + "The installer authenticity could not be verified.": "Die installeerder se egtheid kon nie geverifieer word nie.", + "The update process has been aborted.": "Die opdaterings proses is gestaak.", + "Great! You are on the latest version.": "Mooi! Jy het die nuutste weergawe.", + "There are no new UniGetUI versions to be installed": "Daar is geen nuwe UniGetUI weergawes wat geïnstalleer moet word nie", + "An error occurred when checking for updates: ": "'n Fout het voorgekom toe daar vir opdaterings gekyk is:", + "UniGetUI is being updated...": "UniGetUI word opgedateer...", + "Something went wrong while launching the updater.": "Iets het verkeerd geloop tydens die bekendstelling van die opdaterer.", + "Please try again later": "Probeer asseblief weer later", + "Integrity checks will not be performed during this operation": "Integriteits kontroles sal nie tydens hierdie werking uitgevoer word nie", + "This is not recommended.": "Dit word nie aanbeveel nie.", + "Run now": "Laat loop nou", + "Run next": "Laat loop volgende", + "Run last": "Laat loop laaste", + "Retry as administrator": "Herprobeer as administrateur ", + "Retry interactively": "Herprobeer interaktief ", + "Retry skipping integrity checks": "Herprobeer om integriteits kontroles oor te slaan", + "Installation options": "Installasie opsies", + "Show in explorer": "Wys in explorer", + "This package is already installed": "Hierdie pakket is reeds geïnstalleer", + "This package can be upgraded to version {0}": "Hierdie pakket kan opgegradeer word na die weergawe {0}", + "Updates for this package are ignored": "Opdaterings vir hierdie pakket word geïgnoreer", + "This package is being processed": "Hierdie pakket word verwerk", + "This package is not available": "Hierdie pakket is nie beskikbaar nie", + "Select the source you want to add:": "Selekteer die bron wat jy wil byvoeg:", + "Source name:": "Bron naam:", + "Source URL:": "Bron URL:", + "An error occurred": "'n Fout het voorgekom", + "An error occurred when adding the source: ": "'n Fout het voorgekom by die toevoeging van die bron:", + "Package management made easy": "Pakket bestuur maklik gemaak", + "version {0}": "weergawe {0}", + "[RAN AS ADMINISTRATOR]": "LAAT LOOP AS ADMINISTRATEUR ", + "Portable mode": "Draagbare modus", + "DEBUG BUILD": "ONTFOUT BOU", + "Available Updates": "Beskikbare Opdaterings", + "Show WingetUI": "Wys UniGetUI", + "Quit": "Verlaat", + "Attention required": "Aandag vereis ", + "Restart required": "Herbegin benodig", + "1 update is available": "1 opdatering is beskikbaar", + "{0} updates are available": "{0} Opdaterings is beskikbaar", + "WingetUI Homepage": "UniGetUI Tuisblad ", + "WingetUI Repository": "UniGetUI bewaarplek", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Hier kan jy UniGetUI se gedrag ten opsigte van die volgende kortpaaie verander. As u 'n kortpad nagaan, sal UniGetUI dit uitvee as dit op \"n toekomstige opgradering geskep word. As jy dit ontmerk, sal die kortpad ongeskonde bly", + "Manual scan": "Handmatige skandering", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Bestaande kortpaaie op jou werkskerm sal geskandeer word, en jy sal nodig het om te kies wat om te hou en wat om te verwyder.", + "Continue": "Gaan voort", + "Delete?": "Verwyder?", + "Missing dependency": "Ontbrekende afhanklikheid", + "Not right now": "Nie nou nie", + "Install {0}": "Installeer {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI benodig {0} om te werk, maar dit is nie op jou stelsel gevind nie.\n", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik op Installeer om te begin met die installasie proses. As jy die installasie oorslaan, kan UniGetUI nie werk soos verwag nie.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatiewelik kan u ook {0} installeer deur die volgende opdrag in 'n Windows PowerShell aanvraag uit te voer:", + "Do not show this dialog again for {0}": "Moenie hierdie dialoog weer wys vir {0} nie", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Wag asseblief terwyl {0} geïnstalleer word. 'n Swart venster kan dalk oopmaak. Wag asseblief totdat dit sluit", + "{0} has been installed successfully.": "{0} is suksesvol geïnstalleer.", + "Please click on \"Continue\" to continue": "Klik asseblief op \"Gaan voort\" om voort te gaan", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} is suksesvol geïnstalleer. Dit word aanbeveel om UniGetUI te oorbegin om die installasie te voltooi", + "Restart later": "Herbegin later", + "An error occurred:": "'n Fout het voorgekom:", + "I understand": "Ek verstaan", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI het as administrateur geloop, wat nie aanbeveel word nie. As u UniGetUI as administrateur gebruik, sal ELKE bewerking wat vanaf UniGetUI van stapel gestuur word, administrateur regte hê. Jy kan steeds die program gebruik, maar ons beveel sterk aan om nie UniGetUI met administrateurregte te laat loop nie.", + "WinGet was repaired successfully": "WinGet is suksesvol herstel", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Dit word aanbeveel om UniGetUI weer te begin nadat Winget herstel is", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "LET WEL: Hierdie probleem oplosser kan gedeaktiveer word vanaf UniGetUI instellings, op die WinGet afdeling", + "Restart": "Herbegin", + "WinGet could not be repaired": "WinGet kon nie herstel word nie", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "'n Onverwagte probleem het voorgekom terwyl daar probeer is om Winget te herstel. Probeer asseblief later weer", + "Are you sure you want to delete all shortcuts?": "Is jy seker dat jy alle kortpaaie wil uitvee?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Enige nuwe kortpaaie wat tydens 'n installasie of 'n opdaterings bewerking geskep is, sal outomaties uitgevee word, in plaas daarvan om die eerste keer dat dit opgespoor word, 'n bevestigings aanporboodskap te wys.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Enige koertpaaie wat buite UniGetUI geskep of gewysig is, sal geïgnoreer word. Jy sal dit via die {0}-knoppie kan byvoeg.", + "Are you really sure you want to enable this feature?": "Is jy regtig seker jy wil hierdie kenmerk aktiveer?", + "No new shortcuts were found during the scan.": "Geen nuwe kortpaaie is tydens die skandering gevind nie.", + "How to add packages to a bundle": "Hoe om pakkette by 'n bondel te voeg", + "In order to add packages to a bundle, you will need to: ": "Om pakkette by 'n bundel te voeg, moet jy:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigeer na die bladsy '{0}' of '{1}'.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "Soek die pakket(te) wat jy by die bundel wil voeg, en merk die linkerste blokkie daarvan.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. As die pakkette wat jy by die bundel wil voeg, gekies word, vind en klik op die opsie '{0}' op die werkbalk.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Jou pakkette is bygevoeg tot die bundel. Jy kan voortgaan met die toevoeging van pakkette, of die uitvoer van die bundel.", + "Which backup do you want to open?": "Watter rugsteun wil jy oopmaak?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Kies die rugsteun wat jy wil oopmaak. Later sal jy kan nagaan watter pakkette of programme jy wil herstel.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Daar is deurlopende bedrywighede. As jy UniGetUI toemaak, kan dit misluk. Wil jy voortgaan?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI of sommige van sy komponente ontbreek of is korrup.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Dit word sterk aanbeveel om UniGetUI weer te installeer om die situasie aan te spreek.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Verwys na die UniGetUI-logboeke vir meer besonderhede oor die betrokke lêer(s)", + "Integrity checks can be disabled from the Experimental Settings": "Integriteitskontroles kan vanuit die eksperimentele instellings gedeaktiveer word", + "Repair UniGetUI": "Herstel UniGetUI", + "Live output": "Regstreekse afvoer", + "Package not found": "Pakket nie gevind nie", + "An error occurred when attempting to show the package with Id {0}": "'n Fout het voorgekom tydens die poging om die pakket met Id {0} te wys", + "Package": "Pakket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Hierdie pakketbondel het sommige instellings gehad wat potensieel gevaarlik is en by verstek geïgnoreer kan word.", + "Entries that show in YELLOW will be IGNORED.": "Inskrywings wat in GEEL vertoon word, sal GEÏGNOREER word.", + "Entries that show in RED will be IMPORTED.": "Inskrywings wat in ROOI vertoon word, sal INGEVOER word.", + "You can change this behavior on UniGetUI security settings.": "Jy kan hierdie gedrag in UniGetUI-sekuriteitsinstellings verander.", + "Open UniGetUI security settings": "Open UniGetUI-sekuriteitsinstellings", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "As jy die sekuriteitsinstellings verander, sal jy die bondel weer moet oopmaak voordat die veranderinge in werking tree.", + "Details of the report:": "Besonderhede van die verslag:", "\"{0}\" is a local package and can't be shared": "\"{0}\" is \"n plaaslike pakket en kan nie gedeel word nie", + "Are you sure you want to create a new package bundle? ": "Is jy seker jy wil 'n nuwe pakket bundel skep?", + "Any unsaved changes will be lost": "Enige ongestoorde veranderinge sal verlore gaan", + "Warning!": "Waarskuwing!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredes is pasgemaakte opdragreël-argumente by verstek gedeaktiveer. Gaan na UniGetUI-sekuriteitsinstellings om dit te verander.", + "Change default options": "Verander verstekopsies", + "Ignore future updates for this package": "Ignoreer toekomstige opdaterings vir hierdie pakket\n", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredes is voor- en na-bewerking-skripte by verstek gedeaktiveer. Gaan na UniGetUI-sekuriteitsinstellings om dit te verander.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Jy kan die opdragte definieer wat voor of ná die installering, opdatering of deïnstallering van hierdie pakket uitgevoer sal word. Hulle sal in 'n opdragprompt loop, so CMD-skripte sal hier werk.", + "Change this and unlock": "Verander dit en ontsluit", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} se installeeropsies is tans gesluit omdat {0} die verstek-installeeropsies volg.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Kies die prosesse wat gesluit moet word voordat hierdie pakket geïnstalleer, opgedateer of gedeïnstalleer word.", + "Write here the process names here, separated by commas (,)": "Skryf hier die prosesname, geskei deur kommas (,)", + "Unset or unknown": "Ongeset of onbekend", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Raadpleeg asseblief die opdrag reël uitset of verwys na die operasionele geskiedenis vir verdere inligting oor die kwessie.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Hierdie pakket het geen skermkiekies nie of ontbreek die ikoon? Dra by tot UniGgetUI deur die ontbrekende ikone en skermkiekies by ons oop, openbare databasis te voeg.", + "Become a contributor": "Word 'n bydraer", + "Save": "Stoor", + "Update to {0} available": "Opdatering tot {0} beskikbaar", + "Reinstall": "Herinstalleer", + "Installer not available": "Installeerder nie beskikbaar nie", + "Version:": "Weergawe:", + "Performing backup, please wait...": "Voer rugsteun uit, wag asseblief...", + "An error occurred while logging in: ": "'n Fout het voorgekom tydens aanmelding: ", + "Fetching available backups...": "Haal beskikbare rugsteune op...", + "Done!": "Klaar!", + "The cloud backup has been loaded successfully.": "Die wolkrugsteun is suksesvol gelaai.", + "An error occurred while loading a backup: ": "'n Fout het voorgekom tydens die laai van 'n rugsteun: ", + "Backing up packages to GitHub Gist...": "Rugsteun tans pakkette na GitHub Gist...", + "Backup Successful": "Rugsteun was suksesvol", + "The cloud backup completed successfully.": "Die wolkrugsteun is suksesvol voltooi.", + "Could not back up packages to GitHub Gist: ": "Kon nie pakkette na GitHub Gist rugsteun nie: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Dit is nie gewaarborg dat die voorsiende bewyse veilig geberg sal word nie, en jy kan ook nie die bewyse van jou bankrekening gebruik nie", + "Enable the automatic WinGet troubleshooter": "Aktiveer die outomatiese WinGet probleem oplosser", + "Enable an [experimental] improved WinGet troubleshooter": "Aktiveer 'n [eksperimentele] verbeterde Winget probleem oplosser", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Voeg opdaterings by wat misluk met 'geen toepaslike opdatering' by die lys wat geïgnoreer word nie.", + "Restart WingetUI to fully apply changes": "Herbegin UniGetUI om veranderinge volledig toe te pas", + "Restart WingetUI": "Herbegin UniGetUI", + "Invalid selection": "Ongeldige keuse", + "No package was selected": "Geen pakket is gekies nie", + "More than 1 package was selected": "Meer as 1 pakket is gekies", + "List": "Lys", + "Grid": "ruitnet", + "Icons": "Ikone", "\"{0}\" is a local package and does not have available details": "\"{0}\" is 'n plaaslike pakket en het nie beskikbare besonderhede nie", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" is \"n plaaslike pakket en is nie versoenbaar met hierdie funksie nie", - "(Last checked: {0})": "(Laas nagegaan: {0})", + "WinGet malfunction detected": "WinGet wanfunksie opgespoor", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Dit lyk asof Winget nie goed werk nie. Wil jy probeer om Winget te herstel?", + "Repair WinGet": "Herstel WinGet", + "Create .ps1 script": "Skep .ps1-skrip", + "Add packages to bundle": "Voeg pakkette by die bundel", + "Preparing packages, please wait...": "Berei pakkette voor, wag asseblief...", + "Loading packages, please wait...": "Laai pakkette, wag asseblief...", + "Saving packages, please wait...": "Stoor pakkette, wag asseblief ...", + "The bundle was created successfully on {0}": "Die bondel is suksesvol geskep op {0}", + "Install script": "Installeer-skrip", + "The installation script saved to {0}": "Die installasie-skrip is na {0} gestoor", + "An error occurred while attempting to create an installation script:": "'n Fout het voorgekom tydens die poging om 'n installasie-skrip te skep:", + "{0} packages are being updated": "{0} pakkette is opgedateer", + "Error": "Fout", + "Log in failed: ": "Aanmelding het misluk: ", + "Log out failed: ": "Afmelding het misluk: ", + "Package backup settings": "Pakket-rugsteuninstellings", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nommer {0} in die tou)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": " Hendrik Bezuidenhout", "0 packages found": "0 pakkette gevind", "0 updates found": "0 opdaterings gevind", - "1 - Errors": "1 - Foute", - "1 day": "'n dag", - "1 hour": "'n uur", "1 month": "'n maand", "1 package was found": "1 pakket is gevind", - "1 update is available": "1 opdatering is beskikbaar", - "1 week": "'n week", "1 year": "1 jaar", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigeer na die bladsy '{0}' of '{1}'.", - "2 - Warnings": "2 - Waarskuwings", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "Soek die pakket(te) wat jy by die bundel wil voeg, en merk die linkerste blokkie daarvan.", - "3 - Information (less)": "3 - Inligting (minder).", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. As die pakkette wat jy by die bundel wil voeg, gekies word, vind en klik op die opsie '{0}' op die werkbalk.", - "4 - Information (more)": "4 - Inligting (meer)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Jou pakkette is bygevoeg tot die bundel. Jy kan voortgaan met die toevoeging van pakkette, of die uitvoer van die bundel.", - "5 - information (debug)": "5 - Inligting (ontfout)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "'n Gewilde C/C ++ Biblioteekbestuurder. Vol van C/C ++ biblioteke en ander C/C ++-Verwante hulpprogramme
bevat: c/c ++ biblioteke en verwante hulpmiddels ", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "'n Bewaarplek vol gereedskap en uitvoerbare artikels wat ontwerp is met Microsoft se .NET -ekosisteem in gedagte.
Bevat: .NET -verwante gereedskap en skrifte ", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "'n Bewaarplek vol gereedskap wat ontwerp is met Microsoft se .NET-ekosisteem in gedagte.
Bevat: .NET verwante gereedskap", "A restart is required": "'n herlaai nodig is ", - "Abort install if pre-install command fails": "Staak installasie as die voor-installeer-opdrag misluk", - "Abort uninstall if pre-uninstall command fails": "Staak deïnstallering as die voor-deïnstalleer-opdrag misluk", - "Abort update if pre-update command fails": "Staak opdatering as die voor-opdateer-opdrag misluk", - "About": "Omtrent", "About Qt6": "Omtrent Qt6", - "About WingetUI": "Omtrent UniGetUI", "About WingetUI version {0}": "Omtrent WingetUI weergawe {0}", "About the dev": "Omtrent die dev", - "Accept": "Aanvaar", "Action when double-clicking packages, hide successful installations": "Aksie wanneer jy op pakkette dubbelklik, versteek suksesvolle installasies", - "Add": "Voegby", "Add a source to {0}": "Voeg 'n bron by {0}", - "Add a timestamp to the backup file names": "Voeg 'n tyd stempel by die rugsteun lêer name", "Add a timestamp to the backup files": "Voeg 'n tyd stempel by die rugsteun lêer", "Add packages or open an existing bundle": "Voeg pakkette by of maak 'n bestaande bundel oop", - "Add packages or open an existing package bundle": "Voeg pakkette by of open 'n bestaande pakket bundel", - "Add packages to bundle": "Voeg pakkette by die bundel", - "Add packages to start": "Voeg pakkette by om te begin", - "Add selection to bundle": "Voeg seleksie by bundel", - "Add source": "Voeg bron by", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Voeg opdaterings by wat misluk met 'geen toepaslike opdatering' by die lys wat geïgnoreer word nie.", - "Adding source {source}": "Voeg bron by {source}", - "Adding source {source} to {manager}": "Voeg bron by {source} na {manager}", "Addition succeeded": "Byvoeging geslaag", - "Administrator privileges": "Administrateurs voorregte", "Administrator privileges preferences": "Voorkeure vir administrateur regte", "Administrator rights": "Administrateur regte", - "Administrator rights and other dangerous settings": "Administrateurregte en ander gevaarlike instellings", - "Advanced options": "Gevorderde opsies ", "All files": "Alle lêers", - "All versions": "Alle weergawes", - "Allow changing the paths for package manager executables": "Laat toe dat die paaie vir pakketbestuurder-uitvoerbare lêers verander word", - "Allow custom command-line arguments": "Laat pasgemaakte opdragreël-argumente toe", - "Allow importing custom command-line arguments when importing packages from a bundle": "Laat die invoer van pasgemaakte opdragreël-argumente toe wanneer pakkette vanaf 'n bondel ingevoer word", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Laat die invoer van pasgemaakte voor-installeer- en na-installeer-opdragte toe wanneer pakkette vanaf 'n bondel ingevoer word", "Allow package operations to be performed in parallel": "Laat die pakket bewerkings parallel uitgevoer word", "Allow parallel installs (NOT RECOMMENDED)": "Laat parallelle installasies toe (NIE AANBEVEEL NIE)", - "Allow pre-release versions": "Laat voorvrystelling-weergawes toe", "Allow {pm} operations to be performed in parallel": "Laat toe dat {pm} parallel uitgevoer word", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatiewelik kan u ook {0} installeer deur die volgende opdrag in 'n Windows PowerShell aanvraag uit te voer:", "Always elevate {pm} installations by default": "Altyd verhef {pm} installasies by verstek", "Always run {pm} operations with administrator rights": "Begin altyd {pm} bedrywighede met administrateur regte", - "An error occurred": "'n Fout het voorgekom", - "An error occurred when adding the source: ": "'n Fout het voorgekom by die toevoeging van die bron:", - "An error occurred when attempting to show the package with Id {0}": "'n Fout het voorgekom tydens die poging om die pakket met Id {0} te wys", - "An error occurred when checking for updates: ": "'n Fout het voorgekom toe daar vir opdaterings gekyk is:", - "An error occurred while attempting to create an installation script:": "'n Fout het voorgekom tydens die poging om 'n installasie-skrip te skep:", - "An error occurred while loading a backup: ": "'n Fout het voorgekom tydens die laai van 'n rugsteun: ", - "An error occurred while logging in: ": "'n Fout het voorgekom tydens aanmelding: ", - "An error occurred while processing this package": "'n Fout het voorgekom tydens die verwerking van hierdie pakket", - "An error occurred:": "'n Fout het voorgekom:", - "An interal error occurred. Please view the log for further details.": "'n Interne fout het voorgekom. Kyk asseblief na die logboek vir verdere besonderhede.", "An unexpected error occurred:": "'n Onverwagte fout het voorgekom:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "'n Onverwagte probleem het voorgekom terwyl daar probeer is om Winget te herstel. Probeer asseblief later weer", - "An update was found!": "'n Opdatering is gevind!", - "Android Subsystem": "Android Substelsel", "Another source": "'n Ander bron ", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Enige nuwe kortpaaie wat tydens 'n installasie of 'n opdaterings bewerking geskep is, sal outomaties uitgevee word, in plaas daarvan om die eerste keer dat dit opgespoor word, 'n bevestigings aanporboodskap te wys.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Enige koertpaaie wat buite UniGetUI geskep of gewysig is, sal geïgnoreer word. Jy sal dit via die {0}-knoppie kan byvoeg.", - "Any unsaved changes will be lost": "Enige ongestoorde veranderinge sal verlore gaan", "App Name": "Toep Naam", - "Appearance": "Voorkoms ", - "Application theme, startup page, package icons, clear successful installs automatically": "Toepassings tema, begin bladsy, pakket ikone, suksesvolle installasies outomaties skoon gemaak", - "Application theme:": "Toepassings tema:", - "Apply": "Pas toe", - "Architecture to install:": "Argitektuur om te installeer:", "Are these screenshots wron or blurry?": "Is hierdie skermkiekies uitgewerk of vaag?", - "Are you really sure you want to enable this feature?": "Is jy regtig seker jy wil hierdie kenmerk aktiveer?", - "Are you sure you want to create a new package bundle? ": "Is jy seker jy wil 'n nuwe pakket bundel skep?", - "Are you sure you want to delete all shortcuts?": "Is jy seker dat jy alle kortpaaie wil uitvee?", - "Are you sure?": "Is jy seker?", - "Ascendant": "Opgang", - "Ask for administrator privileges once for each batch of operations": "Vra een keer vir administrateur regte vir elke bondel bewerkings", "Ask for administrator rights when required": "Vra vir administrateur regte wanneer nodig", "Ask once or always for administrator rights, elevate installations by default": "Vra een keer of altyd vir administrateurregte, verhoog die installasies standaard", - "Ask only once for administrator privileges": "Vra slegs een keer vir administrateurvoorregte", "Ask only once for administrator privileges (not recommended)": "Vra slegs een keer vir administrateur voorregte (nie aanbeveel nie)\n", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Vra om die kortpaaie van die gebruikskoppelvlak te verwyder wat tydens 'n installasie of opgradering geskep is.", - "Attention required": "Aandag vereis ", "Authenticate to the proxy with an user and a password": "Verifieer aan die instaanbediener met 'n gebruiker en 'n wagwoord", - "Author": "Outeur", - "Automatic desktop shortcut remover": "Outomatiese gebruikskoppelvlak kortpad verwyderaar", - "Automatic updates": "Outomatiese opdaterings", - "Automatically save a list of all your installed packages to easily restore them.": "Stoor outomaties 'n lys van al jou geïnstalleerde pakkette om dit maklik te herstel.", "Automatically save a list of your installed packages on your computer.": "Stoor outomaties 'n lys van u geïnstalleerde pakkette op u rekenaar.", - "Automatically update this package": "Dateer hierdie pakket outomaties op", "Autostart WingetUI in the notifications area": "Outo begin WingetUI in die kennisgewings area", - "Available Updates": "Beskikbare Opdaterings", "Available updates: {0}": "Beskikbare Opdaterings: {0}", "Available updates: {0}, not finished yet...": "Beskikbare Opdaterings: {0} nog nie klaar nie ...", - "Backing up packages to GitHub Gist...": "Rugsteun tans pakkette na GitHub Gist...", - "Backup": "Rugsteun", - "Backup Failed": "Rugsteun het misluk", - "Backup Successful": "Rugsteun was suksesvol", - "Backup and Restore": "Rugsteun en herstel", "Backup installed packages": "Rugsteun geïnstalleerde pakkette", "Backup location": "Rugsteun ligging", - "Become a contributor": "Word 'n bydraer", - "Become a translator": "Word 'n vertaler", - "Begin the process to select a cloud backup and review which packages to restore": "Begin die proses om 'n wolkrugsteun te kies en te hersien watter pakkette herstel moet word", - "Beta features and other options that shouldn't be touched": "Beta kenmerke en ander opsies wat nie aangeraak moet word nie", - "Both": "Beide", - "Bundle security report": "Bondel-sekuriteitsverslag", "But here are other things you can do to learn about WingetUI even more:": "Maar hier is ander dinge wat u kan doen om nog meer oor UniGetUI te leer:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Deur 'n pakketbestuurder af te skakel, sal u nie meer die pakkette kan sien of opdateer nie.", "Cache administrator rights and elevate installers by default": "Voorlopige geheue administrateur regte en verhef installeerders by verstek", "Cache administrator rights, but elevate installers only when required": "Voorlopige geheue administrateur regte, maar verhoog installeerders slegs wanneer dit nodig is", "Cache was reset successfully!": "Voorlopige geheue was suksesvol herstel!", "Can't {0} {1}": "Kan nie {0} {1} ", - "Cancel": "Kanselleer", "Cancel all operations": "Kanselleer alle bedrywighede", - "Change backup output directory": "Verander rugsteun lewering lêergids", - "Change default options": "Verander verstekopsies", - "Change how UniGetUI checks and installs available updates for your packages": "Verander hoe UniGetUI kontrol word en installeer die beskikbare updates vir jou pakkette", - "Change how UniGetUI handles install, update and uninstall operations.": "Verander hoe Unigetui installeer en deïnstalleer van bewerkings hanteer.", "Change how UniGetUI installs packages, and checks and installs available updates": "Verander hoe UniGetUI pakkette installeer en beskikbare opdaterings nagaan en installeer", - "Change how operations request administrator rights": "Verander hoe bedryfs versoek administrateur regte raak\n\n", "Change install location": "Verander installeer plek ", - "Change this": "Verander dit", - "Change this and unlock": "Verander dit en ontsluit", - "Check for package updates periodically": "Kyk periodiek vir pakket opdaterings", - "Check for updates": "Kyk vir opdaterings", - "Check for updates every:": "Kyk vir opdaterings elke:", "Check for updates periodically": "Kyk periodiek vir opdaterings", "Check for updates regularly, and ask me what to do when updates are found.": "Kyk gereeld vir opdaterings, en vra my wat om te doen wanneer opdaterings gevind word.", "Check for updates regularly, and automatically install available ones.": "Kyk gereeld vir opdaterings en installeer outomaties beskikbares.", @@ -159,916 +741,335 @@ "Checking for updates...": "Kyk vir opdaterings...", "Checking found instace(s)...": "Kontroleer gevonde gevall(e)", "Choose how many operations shouls be performed in parallel": "Kies hoeveel bewerkings parallel uitgevoer moet word", - "Clear cache": "Maak voorlopige geheue skoon", "Clear finished operations": "Maak voltooide bewerkings skoon", - "Clear selection": "Maak seleksie skoon", "Clear successful operations": "Maak suksesvolle bedrywighede skoon", - "Clear successful operations from the operation list after a 5 second delay": "Maak suksesvolle operasies van die operasie lys na 5 sekondes vertraging skoon", "Clear the local icon cache": "Maak dat die plaaslike ikoon voorlopige geheue skoon", - "Clearing Scoop cache - WingetUI": "Skoonmaak van die Scoop se voorlopige geheue - UniGetUI", "Clearing Scoop cache...": "Skoonmaak van die Scoop se voorlopige geheue", - "Click here for more details": "Klik hier vir meer besonderhede", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik op Installeer om te begin met die installasie proses. As jy die installasie oorslaan, kan UniGetUI nie werk soos verwag nie.", - "Close": "Sluit", - "Close UniGetUI to the system tray": "Maak dat Unigetui na die stelselbakkie toe gaan", "Close WingetUI to the notification area": "Maak dat UniGetUI na die kennisgewing area gaan", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Wolkrugsteun gebruik 'n private GitHub Gist om 'n lys van geïnstalleerde pakkette te stoor", - "Cloud package backup": "Wolk-rugsteun vir pakkette", "Command-line Output": "Opdragreël Uitset", - "Command-line to run:": "Opdrag-lyn om te loop:", "Compare query against": "Vergelyk navraag teen ", - "Compatible with authentication": "Versoenbaar met verifiëring", - "Compatible with proxy": "Versoenbaar met volmag", "Component Information": "Komponent Inligting ", - "Concurrency and execution": "Gelyktydigheid en uitvoering ", - "Connect the internet using a custom proxy": "Verbind die internet met behulp van persoonlike volmag", - "Continue": "Gaan voort", "Contribute to the icon and screenshot repository": "Dra by tot die ikoon en skermkiekie bewaarplek", - "Contributors": "Bydraers\n", "Copy": "Kopieër", - "Copy to clipboard": "Kopieer na knipbord", - "Could not add source": "Kon nie bron byvoeg nie", - "Could not add source {source} to {manager}": "Kon nie die bron {source} by {manager} voeg nie", - "Could not back up packages to GitHub Gist: ": "Kon nie pakkette na GitHub Gist rugsteun nie: ", - "Could not create bundle": "Kon nie bondel skep nie", "Could not load announcements - ": "Kon nie aankondigings laai nie -", "Could not load announcements - HTTP status code is $CODE": "Kon nie aankondigings laai nie - HTTP -statuskode is $CODE", - "Could not remove source": "Kon nie bron verwyder nie", - "Could not remove source {source} from {manager}": "Kon die bron nie {source} van {manager} verwyder nie", "Could not remove {source} from {manager}": "Kon die {source} van {manager} verwyder nie", - "Create .ps1 script": "Skep .ps1-skrip", - "Credentials": "Verwysings", "Current Version": "Huidige weergawe", - "Current executable file:": "Huidige uitvoerbare lêer:", - "Current status: Not logged in": "Huidige status: Nie aangemeld nie", "Current user": "Huidige gebruiker", "Custom arguments:": "Pasgemaakte argumente: ", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Pasgemaakte opdragreël-argumente kan die manier waarop programme geïnstalleer, opgegradeer of gedeïnstalleer word verander op 'n manier wat UniGetUI nie kan beheer nie. Die gebruik van pasgemaakte opdragreëls kan pakkette breek. Gaan versigtig voort.", "Custom command-line arguments:": "Pasgemaakte opdrag reël argumente", - "Custom install arguments:": "Pasgemaakte installeer-argumente:", - "Custom uninstall arguments:": "Pasgemaakte deïnstalleer-argumente:", - "Custom update arguments:": "Pasgemaakte opdateer-argumente:", "Customize WingetUI - for hackers and advanced users only": "Pas UniGetUI aan - slegs vir hackers en gevorderde gebruikers", - "DEBUG BUILD": "ONTFOUT BOU", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "VRYWARING: ONS IS NIE VERANTWOORDELIK VIR DIE AFGELAAIDE PAKKETTE NIE. MAAK ASSEBLIEF SEKER DAT JY SLEGS BETROUBARE SAGTEWARE INSTALLEER.", - "Dark": "Donker", - "Decline": "Weier", - "Default": "Standaard", - "Default installation options for {0} packages": "Verstek-installeeropsies vir {0}-pakkette", "Default preferences - suitable for regular users": "Standaard voorkeure - geskik vir gewone gebruikers", - "Default vcpkg triplet": "Standaard vcpkg triplet", - "Delete?": "Verwyder?", - "Dependencies:": "Afhanklikhede:", - "Descendant": "Nasaat", "Description:": "Beskrywing:", - "Desktop shortcut created": "Werkskerm kortpad geskep", - "Details of the report:": "Besonderhede van die verslag:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Ontwikkeling is moeilik, en hierdie toepassing is gratis. As jy egter die toepassing nuttig gevind het, kan jy altyd vir my 'n koffie koop :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installeer direk wanneer jy op \"n item op die \"{discoveryTab}\"-oortjie dubbelklik (in plaas daarvan om die pakketinligting te wys)", "Disable new share API (port 7058)": "Deaktiveer nuwe aandeel API (poort 7058)", - "Disable the 1-minute timeout for package-related operations": "Deaktiveer die 1-minuut spertydperk vir pakketverwante bewerkings", - "Disabled": "Gedeaktiveer", - "Disclaimer": "Vrywaring", - "Discover Packages": "Vind pakkette", "Discover packages": "Vind pakkette", "Distinguish between\nuppercase and lowercase": "Onderskei tussen hoofletters en kleinletters", - "Distinguish between uppercase and lowercase": "Onderskei tussen hoofletters en kleinletters", "Do NOT check for updates": "MOENIE kyk vir opdaterings nie", "Do an interactive install for the selected packages": "Doen 'n interaktiewe installasie vir die geselekteerde pakkette", "Do an interactive uninstall for the selected packages": "Doen 'n interaktiewe deïnstalleer vir die geselekteerde pakkette", "Do an interactive update for the selected packages": "Doen 'n interaktiewe opdatering vir die geselekteerde pakkette", - "Do not automatically install updates when the battery saver is on": "Moenie outomaties opdaterings installeer wanneer die batterybesparing aan is nie", - "Do not automatically install updates when the device runs on battery": "Moenie opdaterings outomaties installeer wanneer die toestel op battery loop nie", - "Do not automatically install updates when the network connection is metered": "Moenie outomaties opdaterings installeer wanneer die netwerkverbinding gemeteerd word nie", "Do not download new app translations from GitHub automatically": "Moenie nuwe toep -vertalings van GitHub outomaties aflaai nie", - "Do not ignore updates for this package anymore": "Moenie meer opdaterings vir hierdie pakket ignoreer nie", "Do not remove successful operations from the list automatically": "Moenie suksesvolle bewerkings outomaties van die lys verwyder nie", - "Do not show this dialog again for {0}": "Moenie hierdie dialoog weer wys vir {0} nie", "Do not update package indexes on launch": "Moenie pakketindekse opdateer by lansering nie", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Aanvaar jy dat UniGetUI anonieme gebruiks statistieke versamel en stuur, met die uitsluitlike doel om die gebruikers ervaring te verstaan en te verbeter?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Vind jy UniGetUI nuttig? As jy kan, wil jy dalk my werk ondersteun, sodat ek kan voortgaan om UniGetUI die uiteindelike pakket bestuur koppelvlak te maak.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Vind u UniGetUI nuttig? Wil u die ontwikkelaar ondersteun? As dit so is, kan u {0}, dit help baie!", - "Do you really want to reset this list? This action cannot be reverted.": "Wil jy definitief hierdie lys terugstel? Hierdie aksie kan nie teruggekeer word nie.", - "Do you really want to uninstall the following {0} packages?": "Wil u die volgende {0} pakkette regtig deïnstalleer?", "Do you really want to uninstall {0} packages?": "Wil jy regtig {0} pakkette deïnstalleer?", - "Do you really want to uninstall {0}?": "Wil jy regtig {0} deïnstalleer?", "Do you want to restart your computer now?": "Wil jy jou rekenaar nou herbegin?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Wil jy UniGetUI na jou taal vertaal? Kyk hoe om by te dra HIER!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Het jy nie lus om te skenk nie? Moenie bekommerd wees nie, jy kan altyd WingetUI met jou vriende deel. Versprei die woord oor WingetUI.", "Donate": "Skenk", - "Done!": "Klaar!", - "Download failed": "Aflaai het misluk", - "Download installer": "Laai installeerder af", - "Download operations are not affected by this setting": "Aflaaibewerkings word nie deur hierdie instelling beïnvloed nie", - "Download selected installers": "Laai geselekteerde installeerders af", - "Download succeeded": "Aflaai het geslaag", "Download updated language files from GitHub automatically": "Laai outomaties bygewerkte taal lêers van GitHub af", "Downloading": "Aflaai", - "Downloading backup...": "Laai rugsteun af...", "Downloading installer for {package}": "Laai installeerder af vir {package}", "Downloading package metadata...": "Laai tans pakket metadata af...", - "Enable Scoop cleanup on launch": "Aktiveer Scoop se opruiming by bekendstelling", - "Enable WingetUI notifications": "Aktiveer UniGetUI kennisgewings", - "Enable an [experimental] improved WinGet troubleshooter": "Aktiveer 'n [eksperimentele] verbeterde Winget probleem oplosser", - "Enable and disable package managers, change default install options, etc.": "Aktiveer en deaktiveer pakketbestuurders, verander verstek-installeeropsies, ens.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiveer agtergrond -CPU gebruiks optimalisering (see Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiveer agtergrond API (Wingets vir UniGetUI en Deel, Port 7058)", - "Enable it to install packages from {pm}.": "Stel dit in staat om pakkette vanaf {pm} te installeer.", - "Enable the automatic WinGet troubleshooter": "Aktiveer die outomatiese WinGet probleem oplosser", "Enable the new UniGetUI-Branded UAC Elevator": "Aktiveer die nuwe UniGetUI gemerkte UAC verhogings diens", "Enable the new process input handler (StdIn automated closer)": "Aktiveer die nuwe proses-invoerhanteerder (StdIn outomatiese sluiter)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiveer die onderstaande instellings slegs as jy ten volle verstaan wat hulle doen en watter implikasies dit kan hê.", - "Enable {pm}": "Aktiveer {pm}", - "Enabled": "Geaktiveer", - "Enter proxy URL here": "Voer hier 'n volmag URL in", - "Entries that show in RED will be IMPORTED.": "Inskrywings wat in ROOI vertoon word, sal INGEVOER word.", - "Entries that show in YELLOW will be IGNORED.": "Inskrywings wat in GEEL vertoon word, sal GEÏGNOREER word.", - "Error": "Fout", - "Everything is up to date": "Alles is op datum", - "Exact match": "Presiese resultaat", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Bestaande kortpaaie op jou werkskerm sal geskandeer word, en jy sal nodig het om te kies wat om te hou en wat om te verwyder.", - "Expand version": "Brei weergawe uit", - "Experimental settings and developer options": "Eksperimentele instellings en ontwikkelaar opsies", - "Export": "Uitvoer", - "Export log as a file": "Voer log boek as 'n lêer uit", - "Export packages": "Voer pakkette uit ", - "Export selected packages to a file": "Voer geselekteerde pakkette na 'n lêer uit", - "Export settings to a local file": "Voer instellings uit na 'n plaaslike lêer", - "Export to a file": "Voer uit na 'n lêer", - "Failed": "Misluk", - "Fetching available backups...": "Haal beskikbare rugsteune op...", + "Export log as a file": "Voer log boek as 'n lêer uit", + "Export packages": "Voer pakkette uit ", + "Export selected packages to a file": "Voer geselekteerde pakkette na 'n lêer uit", "Fetching latest announcements, please wait...": "Haal die nuutste aankondigings, wag asseblief..", - "Filters": "Filtreer", "Finish": "Voltooi", - "Follow system color scheme": "Volg die stelsel kleur skema", - "Follow the default options when installing, upgrading or uninstalling this package": "Volg die verstekopsies wanneer hierdie pakket geïnstalleer, opgegradeer of gedeïnstalleer word", - "For security reasons, changing the executable file is disabled by default": "Om veiligheidsredes is die verandering van die uitvoerbare lêer by verstek gedeaktiveer", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredes is pasgemaakte opdragreël-argumente by verstek gedeaktiveer. Gaan na UniGetUI-sekuriteitsinstellings om dit te verander.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredes is voor- en na-bewerking-skripte by verstek gedeaktiveer. Gaan na UniGetUI-sekuriteitsinstellings om dit te verander.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Dwing ARM saamgestelde winget weergawe (SLEGS VIR ARM64 STELSELS)", - "Force install location parameter when updating packages with custom locations": "Dwing installeer-liggingparameter af wanneer pakkette met pasgemaakte liggings opgedateer word", "Formerly known as WingetUI": "Voorheen bekend as WingetUI", "Found": "Gevind", "Found packages: ": "Pakkette gevind:", "Found packages: {0}": "Pakkette gevind: {0}", "Found packages: {0}, not finished yet...": "Pakkette gevind: {0}, nog nie klaar nie...", - "General preferences": "Algemene voorkeure", "GitHub profile": "GitHub profiel", "Global": "Globale", - "Go to UniGetUI security settings": "Gaan na UniGetUI-sekuriteitsinstellings", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Groot bewaarplek van onbekende, maar nuttige hulpmiddels en ander interessante pakkette.
Bevat: Nuts programme, opdragreël programme, Algemene sagteware (ekstra-houer vereis)", - "Great! You are on the latest version.": "Mooi! Jy het die nuutste weergawe.", - "Grid": "ruitnet", - "Help": "Hulp", "Help and documentation": "Hulp en dokumentasie", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Hier kan jy UniGetUI se gedrag ten opsigte van die volgende kortpaaie verander. As u 'n kortpad nagaan, sal UniGetUI dit uitvee as dit op \"n toekomstige opgradering geskep word. As jy dit ontmerk, sal die kortpad ongeskonde bly", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hallo, my naam is Martí, en ek is die ontwikkelaar van UnigetUI. UniGetUI is heeltemal in my vrye tyd gemaak!", "Hide details": "Versteek besonderhede", - "Homepage": "Tuisblad", - "homepage": "Webwerf", - "Hooray! No updates were found.": "Hoera! Geen opdaterings is gevind nie.", "How should installations that require administrator privileges be treated?": "Hoe moet installasies wat administrateur regte vereis, hanteer word?", - "How to add packages to a bundle": "Hoe om pakkette by 'n bondel te voeg", - "I understand": "Ek verstaan", - "Icons": "Ikone", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "As jy wolkrugsteun geaktiveer het, sal dit as 'n GitHub Gist in hierdie rekening gestoor word", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Laat pasgemaakte voor-installeer- en na-installeer-opdragte toe om uitgevoer te word", - "Ignore future updates for this package": "Ignoreer toekomstige opdaterings vir hierdie pakket\n", - "Ignore packages from {pm} when showing a notification about updates": "Ignoreer pakkette van {pm} wanneer jy 'n kennisgewing oor opdaterings toon", - "Ignore selected packages": "Ignoreer geselekteerde pakkette", - "Ignore special characters": "Ignoreer spesiale karakters", "Ignore updates for the selected packages": "Ignoreer opdaterings vir die geselekteerde pakkette", - "Ignore updates for this package": "Ignoreer opdaterings vir hierdie pakket", "Ignored updates": "Ignoreer opdaterings", - "Ignored version": "Geïgnoreerde weergawe", - "Import": "Voer in", "Import packages": "Voer pakkette in", "Import packages from a file": "Voer pakkette vanaf 'n lêer in", - "Import settings from a local file": "Voer instellings van 'n plaaslike lêer in", - "In order to add packages to a bundle, you will need to: ": "Om pakkette by 'n bundel te voeg, moet jy:", "Initializing WingetUI...": "Initialiseer UniGetUI ...", - "install": "installeer", - "Install": "Installeer", - "Install Scoop": "Installeer Scoop", "Install and more": "Installeer en meer", "Install and update preferences": "Voorkeure vir installasie en opdatering", - "Install as administrator": "Installeer as administrateur", - "Install available updates automatically": "Installeer beskikbare opdaterings outomaties", - "Install location can't be changed for {0} packages": "Installeerligging kan nie vir {0}-pakkette verander word nie", - "Install location:": "Installeer plek", - "Install options": "Installeeropsies", "Install packages from a file": "Installeer pakkette van uit 'n lêer", - "Install prerelease versions of UniGetUI": "Installeer voor vrystel uitgawe van UniGetUI", - "Install script": "Installeer-skrip", "Install selected packages": "Installeer geselekteerde pakkette", "Install selected packages with administrator privileges": "Installeer geselekteerde pakkette met administrateur voorregte", - "Install selection": "Installeer seleksie", "Install the latest prerelease version": "Installeer die nuutste voor vrystel uitgawe", "Install updates automatically": "Installeer opdaterings outomaties", - "Install {0}": "Installeer {0}", "Installation canceled by the user!": "Installasie gekanselleer deur die gebruiker!", - "Installation failed": "Installasie het misluk", - "Installation options": "Installasie opsies", - "Installation scope:": "Installasie omvang:", - "Installation succeeded": "Installasie het geslaag", - "Installed Packages": "Geïnstalleerde pakkette", "Installed packages": "Geïnstalleerde pakkette", - "Installed Version": "Geïnstalleerde Weergawe", - "Installer SHA256": "Installeerder SHA256", - "Installer SHA512": "Installeerder SHA512", - "Installer Type": "Installeerder Tipe", - "Installer URL": "Installeerder URL", - "Installer not available": "Installeerder nie beskikbaar nie", "Instance {0} responded, quitting...": "Eksemplaar {0} het gereageer en opgehou ...", - "Instant search": "Onmiddellike soektog", - "Integrity checks can be disabled from the Experimental Settings": "Integriteitskontroles kan vanuit die eksperimentele instellings gedeaktiveer word", - "Integrity checks skipped": "Integriteits kontroles oorgeslaan", - "Integrity checks will not be performed during this operation": "Integriteits kontroles sal nie tydens hierdie werking uitgevoer word nie", - "Interactive installation": "Interaktiewe installasie", - "Interactive operation": "Interaktiewe werking", - "Interactive uninstall": "Interaktiewe deïnstalleer", - "Interactive update": "Interaktiewe opdatering", - "Internet connection settings": "Internet verbindings instellings", - "Invalid selection": "Ongeldige keuse", "Is this package missing the icon?": "Ontbreek hierdie pakket die ikoon?", - "Is your language missing or incomplete?": "Ontbreek jou taal of is dit onvolledig?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Dit is nie gewaarborg dat die voorsiende bewyse veilig geberg sal word nie, en jy kan ook nie die bewyse van jou bankrekening gebruik nie", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Dit word aanbeveel om UniGetUI weer te begin nadat Winget herstel is", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Dit word sterk aanbeveel om UniGetUI weer te installeer om die situasie aan te spreek.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Dit lyk asof Winget nie goed werk nie. Wil jy probeer om Winget te herstel?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Dit lyk asof jy UniGetUI as administrateur uitgevoer, wat nie aanbeveel word nie. Jy kan steeds die program gebruik, maar ons beveel sterk aan om nie UniGetUI met administrateur regte te laat loop nie. Klik op \"{showDetails}\" om te sien hoekom.", - "Language": "Taal", - "Language, theme and other miscellaneous preferences": "Taal, tema en ander diverse voorkeure", - "Last updated:": "Laas opgedateer:", - "Latest": "Nuutste", "Latest Version": "Nuutste Weergawe", "Latest Version:": "Nuutste Weergawe:", "Latest details...": "Nuutste besonderhede ...", "Launching subprocess...": "Begin tans subverwerking...", - "Leave empty for default": "Laat leeg vir standaard", - "License": "Lisensie", "Licenses": "Lisensies", - "Light": "Lig", - "List": "Lys", "Live command-line output": "Regstreekse opdrag reël afvoer", - "Live output": "Regstreekse afvoer", "Loading UI components...": "Laai UI komponente... ", "Loading WingetUI...": "Laai UniGetUI", - "Loading packages": "Laai pakkette ", - "Loading packages, please wait...": "Laai pakkette, wag asseblief...", - "Loading...": "Laai...", - "Local": "Plaaslike", - "Local PC": "Plaaslike PC", - "Local backup advanced options": "Gevorderde plaaslike rugsteunopsies", "Local machine": "Plaaslike masjien ", - "Local package backup": "Plaaslike pakket-rugsteun", "Locating {pm}...": "Vind tans {pm}...", - "Log in": "Meld aan", - "Log in failed: ": "Aanmelding het misluk: ", - "Log in to enable cloud backup": "Meld aan om wolkrugsteun te aktiveer", - "Log in with GitHub": "Meld aan met GitHub", - "Log in with GitHub to enable cloud package backup.": "Meld met GitHub aan om wolk-pakket-rugsteun te aktiveer.", - "Log level:": "Log vlak: ", - "Log out": "Meld af", - "Log out failed: ": "Afmelding het misluk: ", - "Log out from GitHub": "Meld af van GitHub", "Looking for packages...": "Op soek na pakkette...", "Machine | Global": "Masjien | Globaal", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Wanvormde opdragreël-argumente kan pakkette breek of selfs 'n kwaadwillige akteur toelaat om verhoogde uitvoering te verkry. Daarom is die invoer van pasgemaakte opdragreël-argumente by verstek gedeaktiveer.", - "Manage": "Bestuur", - "Manage UniGetUI settings": "Bestuur UniGetUI instellings", "Manage WingetUI autostart behaviour from the Settings app": "Bestuur UniGetUI outobegin gedrag vanaf die Instellings toep", "Manage ignored packages": "Bestuur geïgnoreerde pakkette", - "Manage ignored updates": "Bestuur geïgnoreerde opdaterings", - "Manage shortcuts": "Bestuur kortpaaie", - "Manage telemetry settings": "Bestuur telemetrie-instellings", - "Manage {0} sources": "Bestuur {0} bronne", - "Manifest": "Manifesteer", "Manifests": "Manifesteer", - "Manual scan": "Handmatige skandering", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft se amptelike pakketbestuurder. Vol bekende en geverifieerde pakkette
Bevat: Algemene sagteware, Microsoft Store-toepassings", - "Missing dependency": "Ontbrekende afhanklikheid", - "More": "Meer", - "More details": "Meer besonderhede", - "More details about the shared data and how it will be processed": "Meer besonderhede oor die gedeelde data en hoe dit verwerk sal word", - "More info": "Meer inligting", - "More than 1 package was selected": "Meer as 1 pakket is gekies", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "LET WEL: Hierdie probleem oplosser kan gedeaktiveer word vanaf UniGetUI instellings, op die WinGet afdeling", - "Name": "Naam", - "New": "Nuut", "New Version": "Nuwe weergawe", - "New version": "Nuwe weergawe", "New bundle": "Nuwe bondel", - "Nice! Backups will be uploaded to a private gist on your account": "Mooi! Rugsteune sal na 'n private gist in jou rekening opgelaai word", - "No": "Nee", - "No applicable installer was found for the package {0}": "Geen toepaslike installeerder is vir die pakket gevind nie{0}", - "No dependencies specified": "Geen afhanklikhede gespesifiseer nie", - "No new shortcuts were found during the scan.": "Geen nuwe kortpaaie is tydens die skandering gevind nie.", - "No package was selected": "Geen pakket is gekies nie", "No packages found": "Geen pakkette gevind nie", "No packages found matching the input criteria": "Geen pakkette word gevind wat ooreenstem met die inset kriteria nie", "No packages have been added yet": "Geen pakkette is nog bygevoeg nie", "No packages selected": "Geen pakkette gekies nie", - "No packages were found": "Geen pakkette is gevind nie", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Geen persoonlike inligting word ingesamel of gestuur nie, en die versamelde data word geanonimiseer, so dit kan nie na jou teruggestuur word nie.", - "No results were found matching the input criteria": "Geen resultate is gevind wat ooreenstem met die inset kriteria nie", "No sources found": "Geen bronne gevind nie", "No sources were found": "Geen bronne is gevind nie", "No updates are available": "Geen opdaterings is beskikbaar nie", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS se pakket bestuurder. Vol biblioteke en ander hulpmiddels wat om die javascript-wêreld wentel
Bevat: Node javascript biblioteke en ander verwante hulpmiddels", - "Not available": "Nie beskikbaar nie", - "Not finding the file you are looking for? Make sure it has been added to path.": "Kan jy nie die lêer kry waarna jy soek nie? Maak seker dit is by PATH gevoeg.", - "Not found": "Nie gevind nie", - "Not right now": "Nie nou nie", "Notes:": "Notas:", - "Notification preferences": "Kennisgewing voorkeure", "Notification tray options": "Kennisgewing laai opsies", - "Notification types": "Kennisgewing tipes", - "NuPkg (zipped manifest)": "NuPkg (kompakteer openbaar) ", - "OK": "Goed", "Ok": "Goed", - "Open": "Oopmaak", "Open GitHub": "Maak GitHub oop", - "Open UniGetUI": "Maak UniGetUI oop", - "Open UniGetUI security settings": "Open UniGetUI-sekuriteitsinstellings", "Open WingetUI": "Maak UniGetUI oop", "Open backup location": "Maak rugsteun ligging oop", "Open existing bundle": "Maak bestaande bondel oop", - "Open install location": "Maak installeer ligging oop", "Open the welcome wizard": "Maak die welkome assistent oop", - "Operation canceled by user": "Opdrag gekanselleer deur gebruiker", "Operation cancelled": "Opdrag gekanselleer", - "Operation history": "Opdrag Geskiedenis", - "Operation in progress": "Opdrag in vordering", - "Operation on queue (position {0})...": "Opdrag in wagting (posisie {0})...", - "Operation profile:": "Bewerkingsprofiel:", "Options saved": "Opsies gestoor", - "Order by:": "Volgorde:", - "Other": "Ander", - "Other settings": "Ander instellings", - "Package": "Pakket", - "Package Bundles": "Pakket Bondels", - "Package ID": "Pakket ID", "Package Manager": "Pakket bestuurder", - "Package manager": "Pakket bestuurder", - "Package Manager logs": "Pakket Bestuurder logs", - "Package Managers": "Pakket bestuurders", "Package managers": "Pakket bestuurders", - "Package Name": "Pakket Naam", - "Package backup": "Pakket rugsteun", - "Package backup settings": "Pakket-rugsteuninstellings", - "Package bundle": "Pakket bundel", - "Package details": "Pakket besonderhede", - "Package lists": "Pakket lyste", - "Package management made easy": "Pakket bestuur maklik gemaak", - "Package manager preferences": "Pakket bestuurders se voorkeure", - "Package not found": "Pakket nie gevind nie", - "Package operation preferences": "Voorkeure vir pakket bewerking", - "Package update preferences": "Voorkeure vir pakket opdatering", "Package {name} from {manager}": "Pakket {name} van {manager}\n", - "Package's default": "Pakket se verstek", "Packages": "Pakkette", "Packages found: {0}": "Pakkette gevind: {0} ", - "Partially": "Gedeeltelik", - "Password": "Wagwoord", "Paste a valid URL to the database": "Plak 'n geldige URL in die databasis", - "Pause updates for": "Pouse opdaterings vir", "Perform a backup now": "Voer 'n rugsteun uit", - "Perform a cloud backup now": "Voer nou 'n wolkrugsteun uit", - "Perform a local backup now": "Voer nou 'n plaaslike rugsteun uit", - "Perform integrity checks at startup": "Voer integriteitskontroles by opstart uit", - "Performing backup, please wait...": "Voer rugsteun uit, wag asseblief...", "Periodically perform a backup of the installed packages": "Voer 'n periodiek rugsteun van die geïnstalleerde pakkette uit", - "Periodically perform a cloud backup of the installed packages": "Voer periodiek 'n wolkrugsteun van die geïnstalleerde pakkette uit", - "Periodically perform a local backup of the installed packages": "Voer periodiek 'n plaaslike rugsteun van die geïnstalleerde pakkette uit", - "Please check the installation options for this package and try again": "Gaan asseblief die installasie opsies vir hierdie pakket na en probeer weer", - "Please click on \"Continue\" to continue": "Klik asseblief op \"Gaan voort\" om voort te gaan", "Please enter at least 3 characters": "Voer asseblief ten minste 3 karakters in", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Let asseblief daarop dat sekere pakkette moontlik nie geïnstalleer kan word nie, as gevolg van die pakket bestuurders wat op hierdie masjien geaktiveer is.", - "Please note that not all package managers may fully support this feature": "Let asseblief daarop dat nie alle pakket bestuurders hierdie funksie ten volle kan ondersteun nie", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Let daarop dat pakkette uit sekere bronne moontlik nie uitvoerbaar is nie. Hulle is grys en sal nie uitgevoer word nie.", - "Please run UniGetUI as a regular user and try again.": "Voer asseblief UniGetUI as \"n gewone gebruiker uit en probeer weer.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Raadpleeg asseblief die opdrag reël uitset of verwys na die operasionele geskiedenis vir verdere inligting oor die kwessie.", "Please select how you want to configure WingetUI": "Kies asseblief hoe jy UniGetUI wil konfigureer", - "Please try again later": "Probeer asseblief weer later", "Please type at least two characters": "Tik aseblief ten minste twee karakters in", - "Please wait": "Wag asseblief", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Wag asseblief terwyl {0} geïnstalleer word. 'n Swart venster kan dalk oopmaak. Wag asseblief totdat dit sluit", - "Please wait...": "Wag asseblief...", "Portable": "draagbaar", - "Portable mode": "Draagbare modus", - "Post-install command:": "Na-installeer-opdrag:", - "Post-uninstall command:": "Na-deïnstalleer-opdrag:", - "Post-update command:": "Na-opdateer-opdrag:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell se pakket bestuurder. Vind biblioteke en skrifte om PowerShell vermoëns uit te brei
bevat: modules, skrifte, Cmdlets ", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Voor- en na-installeer-opdragte kan baie slegte dinge aan jou toestel doen as hulle daarvoor ontwerp is. Dit kan baie gevaarlik wees om hierdie opdragte uit 'n bondel in te voer, tensy jy die bron van daardie pakketbondel vertrou", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Voor- en na-installeer-opdragte sal voor en na die installering, opgradering of deïnstallering van 'n pakket uitgevoer word. Wees bewus daarvan dat hulle dinge kan breek as hulle nie versigtig gebruik word nie", - "Pre-install command:": "Voor-installeer-opdrag:", - "Pre-uninstall command:": "Voor-deïnstalleer-opdrag:", - "Pre-update command:": "Voor-opdateer-opdrag:", - "PreRelease": "Voorvrystelling", - "Preparing packages, please wait...": "Berei pakkette voor, wag asseblief...", - "Proceed at your own risk.": "Gaan voort op eie risiko.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Verbied enige vorm van verhoging via UniGetUI Elevator of GSudo", - "Proxy URL": "Volmag UTL", - "Proxy compatibility table": "Volmag versoenbaarheid tabel", - "Proxy settings": "Volmag instellings", - "Proxy settings, etc.": "Volmag instellings, ens.", "Publication date:": "Publikasie datum: ", - "Publisher": "Uitgewer", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python se biblioteek bestuurder. Vol python biblioteke en ander Python verwante hulpmiddels
bevat: Python biblioteke en verwante hulpmiddels ", - "Quit": "Verlaat", "Quit WingetUI": "Verlaat UniGetUI", - "Ready": "Gereed", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Verminder UAC-aanporboodskappe, verhoog installasies by verstek, ontsluit sekere gevaarlike funksies, ens.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Verwys na die UniGetUI-logboeke vir meer besonderhede oor die betrokke lêer(s)", - "Reinstall": "Herinstalleer", - "Reinstall package": "Herinstalleer Pakkette", - "Related settings": "Verwante instellings", - "Release notes": "Vrystelling notas", - "Release notes URL": "Vrystelling notas", "Release notes URL:": "Vrystelling notas URL:", "Release notes:": "Vrystelling notas:", "Reload": "Herlaai", - "Reload log": "Herlaai log", "Removal failed": "Verwydering het misluk", "Removal succeeded": "Verwydering het geslaag", - "Remove from list": "Verwyder van lys", "Remove permanent data": "Verwyder permanente data", - "Remove selection from bundle": "Verwyder seleksie uit bondel", "Remove successful installs/uninstalls/updates from the installation list": "Verwyder suksesvolle installeering//deïnstalleering/opdaterings van die installering lys", - "Removing source {source}": "Verwydering bron {source}", - "Removing source {source} from {manager}": "Verwydering bron {source} van {manager}", - "Repair UniGetUI": "Herstel UniGetUI", - "Repair WinGet": "Herstel WinGet", - "Report an issue or submit a feature request": "Rapporteer 'n probleem of dien 'n funksie versoek in", "Repository": "Bewaarplek", - "Reset": "Herstel ", "Reset Scoop's global app cache": "Herstel Scoop se global toep vir voorlopige geheue", - "Reset UniGetUI": "Herstel UniGetUI", - "Reset WinGet": "Herstel WinGet", "Reset Winget sources (might help if no packages are listed)": "Herstel WinGet bronne (kan help as geen pakkette gelys word nie)", - "Reset WingetUI": "Herstel UniGetUI", "Reset WingetUI and its preferences": "Herstel UniGetUI en sy voorkeure", "Reset WingetUI icon and screenshot cache": "Herstel UniGetUI ikoon en skermkiekie se voorlopige geheue ", - "Reset list": "Herstel lys", "Resetting Winget sources - WingetUI": "Herstel van Winget bronne - UniGetUI", - "Restart": "Herbegin", - "Restart UniGetUI": "Herbegin UniGetUI", - "Restart WingetUI": "Herbegin UniGetUI", - "Restart WingetUI to fully apply changes": "Herbegin UniGetUI om veranderinge volledig toe te pas", - "Restart later": "Herbegin later", "Restart now": "Herbegin nou", - "Restart required": "Herbegin benodig", "Restart your PC to finish installation": "Herbegin jou PC om die installasie te voltooi", "Restart your computer to finish the installation": "Herbegin jou rekenaar om die installasie te voltooi", - "Restore a backup from the cloud": "Herstel 'n rugsteun vanuit die wolk", - "Restrictions on package managers": "Beperkings op pakketbestuurders", - "Restrictions on package operations": "Beperkings op pakketbewerkings", - "Restrictions when importing package bundles": "Beperkings wanneer pakketbondels ingevoer word", - "Retry": "Herprobeer", - "Retry as administrator": "Herprobeer as administrateur ", "Retry failed operations": "Herprobeer mislukte bedrywighede", - "Retry interactively": "Herprobeer interaktief ", - "Retry skipping integrity checks": "Herprobeer om integriteits kontroles oor te slaan", "Retrying, please wait...": "Probeer weer, wag asseblief ...", "Return to top": "Keer terug na bo", - "Run": "Laat loop", - "Run as admin": "Laat loop as admin", - "Run cleanup and clear cache": "Laat loop skoonmaak en maak voorlopige geheue skoon", - "Run last": "Laat loop laaste", - "Run next": "Laat loop volgende", - "Run now": "Laat loop nou", "Running the installer...": "Laat loop die installeerder...", "Running the uninstaller...": "Loop loop deïnstalleerder...", "Running the updater...": "Laat loop opdatering...", - "Save": "Stoor", "Save File": "Stoor Lêer", - "Save and close": "Stoor en sluit", - "Save as": "Stoor as", - "Save bundle as": "Stoor bundel as", - "Save now": "Stoor nou", - "Saving packages, please wait...": "Stoor pakkette, wag asseblief ...", - "Scoop Installer - WingetUI": "Scoop se Installer - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop deïnstalleerder - UniGetUI", - "Scoop package": "Scoop pakket ", + "Save bundle as": "Stoor bundel as", + "Save now": "Stoor nou", "Search": "Soek", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Soek na werkskerm sagteware, waarsku my wanneer opdaterings beskikbaar is en nie snaaks dinge doen nie. Ek wil nie hê UniGetUI moet te veel komplisering hê nie, ek wil net 'n eenvoudige hê sagteware winkel\n", - "Search for packages": "Soek vir pakkette", - "Search for packages to start": "Soek vir pakkette om te begin", - "Search mode": "Soek modus", "Search on available updates": "Soek op beskikbare opdaterings", "Search on your software": "Soek op jou sagteware", "Searching for installed packages...": "Soek vir geïnstalleerde pakkette...", "Searching for packages...": "Op na pakkette ...", "Searching for updates...": "Soek na opdaterings ...", - "Select": "Selekteer", "Select \"{item}\" to add your custom bucket": "Selekteer \"{item}\" om in jou pasgemaakte emmer by te voeg", "Select a folder": "Selekteer 'n vouer", - "Select all": "Selekteer alles", "Select all packages": "Selekteer alle pakkette", - "Select backup": "Kies rugsteun", "Select only if you know what you are doing.": "Selekteer slegs as jy weet wat jy doen .", "Select package file": "Selekteer pakket lêer", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Kies die rugsteun wat jy wil oopmaak. Later sal jy kan nagaan watter pakkette of programme jy wil herstel.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Kies die uitvoerbare lêer wat gebruik moet word. Die volgende lys wys die uitvoerbare lêers wat deur UniGetUI gevind is", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Kies die prosesse wat gesluit moet word voordat hierdie pakket geïnstalleer, opgedateer of gedeïnstalleer word.", - "Select the source you want to add:": "Selekteer die bron wat jy wil byvoeg:", - "Select upgradable packages by default": "Selekteer standaard opgradeerbare pakkette", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Selekteer watter pakket bestuurders om te gebruik ({0}), konfigureer hoe pakkette geïnstalleer moet word, bestuur hoe administrateur regte hanteer moet word, ens.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Stuur handdruk. Wag vir die antwoord van die luisteraar ... ({0}%)", - "Set a custom backup file name": "Stel 'n pasgemaakte rugsteun lêer naam vas", "Set custom backup file name": "Stel pasgemaakte rug steun lêer naam vas", - "Settings": "Instellings", - "Share": "Deel", "Share WingetUI": "Deel UniGetUI", - "Share anonymous usage data": "Deel anonieme gebruiks data", - "Share this package": "Deel hierdie pakket", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "As jy die sekuriteitsinstellings verander, sal jy die bondel weer moet oopmaak voordat die veranderinge in werking tree.", "Show UniGetUI on the system tray": "Wys UniGetUI op die stelsel bak", - "Show UniGetUI's version and build number on the titlebar.": "Wys UniGetUI se weergawe op die titel balk", - "Show WingetUI": "Wys UniGetUI", "Show a notification when an installation fails": "Wys 'n kennisgewing wanneer 'n installasie misluk", "Show a notification when an installation finishes successfully": "Wys 'n kennisgewing wanneer 'n installasie suksesvol voltooi is", - "Show a notification when an operation fails": "Wys 'n kennisgewing aan wanneer 'n opdrag misluk", - "Show a notification when an operation finishes successfully": "Wys 'n kennisgewing wanneer 'n opdrag suksesvol voltooi is", - "Show a notification when there are available updates": "Wys 'n kennisgewing wanneer daar beskikbare opdaterings is", - "Show a silent notification when an operation is running": "Wys 'n stil kennisgewing wanneer 'n opdrag loop", "Show details": "Wys besonderhede", - "Show in explorer": "Wys in explorer", "Show info about the package on the Updates tab": "Wys inligting oor die pakket op die Opdaterings oortjie", "Show missing translation strings": "Wys ontbrekende vertaal stringe", - "Show notifications on different events": "Wys kennisgewings oor verskillende gebeure", "Show package details": "Wys pakket besonderhede", - "Show package icons on package lists": "Wys pakket ikone op pakket lyste", - "Show similar packages": "Wys soortgelyke pakkette", "Show the live output": "Wys die regstreekse uitset", - "Size": "Grootte", "Skip": "Slaan oor", - "Skip hash check": "Slaan huts kontrole oor", - "Skip hash checks": "Slaan hash kontroles oor", - "Skip integrity checks": "Slaan integriteits kontroles oor", - "Skip minor updates for this package": "Slaan geringe opdaterings oor vir hierdie pakket", "Skip the hash check when installing the selected packages": "Slaan die hash kontrole oor wanneer jy die geselekteerde pakkette installeer", "Skip the hash check when updating the selected packages": "Slaan die hash kontrole oor wanneer jy die geselekteerde pakkette opdateer", - "Skip this version": "Slaan hierdie weergawe oor", - "Software Updates": "Sagteware Opdaterings", - "Something went wrong": "Iets het verkeerd geloop", - "Something went wrong while launching the updater.": "Iets het verkeerd geloop tydens die bekendstelling van die opdaterer.", - "Source": "Bron", - "Source URL:": "Bron URL:", - "Source added successfully": "Bron suksesvol bygevoeg", "Source addition failed": "Bron aanvulling het misluk", - "Source name:": "Bron naam:", "Source removal failed": "Bron verwydering het misluk", - "Source removed successfully": "Bron suksesvol verwyder", "Source:": "Bron:", - "Sources": "Bronne", "Start": "Begin", "Starting daemons...": "Begin Daemons ...", - "Starting operation...": "Begin opdrag...", "Startup options": "Opstart opsies", "Status": "Toestand", "Stuck here? Skip initialization": "Vas hier? Slaan inisialisering oor", - "Success!": "Sukses!", "Suport the developer": "Ondersteun die ontwikkelaar", "Support me": "Ondersteun my", "Support the developer": "Ondersteun die ontwikkelaar", "Systems are now ready to go!": "Stelsels is nou gereed om te gaan!", - "Telemetry": "Telemetrie", - "Text": "Teks", "Text file": "Teks lêer", - "Thank you ❤": "Dankie ❤", "Thank you 😉": "Dankie 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Die Rust pakket bestuurder.
Bevat: \nRust biblioteke en programme wat in Rust geskryf is ", - "The backup will NOT include any binary file nor any program's saved data.": "Die rugsteun sal NIE enige binêre lêer of enige program se gestoorde data insluit nie.", - "The backup will be performed after login.": "Die rugsteun sal uitgevoer word na aanmelding.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Die rugsteun bevat die volledige lys van die geïnstalleerde pakkette en hul installasie opsies. Ignoreerde opdaterings en oorgeslaande weergawes sal ook gestoor word.", - "The bundle was created successfully on {0}": "Die bondel is suksesvol geskep op {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Die bundel wat jy probeer laai blyk ongeldig te wees. Kontroleer aseblief die lêer en probeer weer.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Die kontrolesom van die installeerder val nie saam met die verwagte waarde nie, en die egtheid van die installeerder kan nie geverifieer word nie. As jy die uitgewer vertrou, {0} die pakket weer om die huts kontrole oor te slaan.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Die klassieke pakket bestuurder vir windows. Jy sal alles daar vind.
Bevat: Algemene sagteware", - "The cloud backup completed successfully.": "Die wolkrugsteun is suksesvol voltooi.", - "The cloud backup has been loaded successfully.": "Die wolkrugsteun is suksesvol gelaai.", - "The current bundle has no packages. Add some packages to get started": "Die huidige bundel het geen pakkette nie. Voeg 'n paar pakkette by om aan die gang te kom", - "The executable file for {0} was not found": "Die uitvoerbare lêer vir {0} is nie gevind nie", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Die volgende opsies sal by verstek toegepas word elke keer wanneer 'n {0}-pakket geïnstalleer, opgegradeer of gedeïnstalleer word.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Die volgende pakkette gaan na \"n JSON lêer uitgevoer word. Geen gebruikers data of binêre gaan gestoor word nie", "The following packages are going to be installed on your system.": "Die volgende pakkette gaan op jou stelsel geïnstalleer word.", - "The following settings may pose a security risk, hence they are disabled by default.": "Die volgende instellings kan 'n sekuriteitsrisiko inhou en is daarom by verstek gedeaktiveer.", - "The following settings will be applied each time this package is installed, updated or removed.": "Die volgende instellings word toegepas elke keer as hierdie pakket geïnstalleer, opgedateer of verwyder word.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "\nDie volgende instellings word toegepas elke keer as hierdie pakket geïnstalleer, opgedateer of verwyder word. Hulle sal outomaties gestoor word.", "The icons and screenshots are maintained by users like you!": "Die ikone en skermkiekies word deur gebruikers soos jy onderhou!", - "The installation script saved to {0}": "Die installasie-skrip is na {0} gestoor", - "The installer authenticity could not be verified.": "Die installeerder se egtheid kon nie geverifieer word nie.", "The installer has an invalid checksum": "Die installeerder het 'n ongeldige kontrolesom", "The installer hash does not match the expected value.": "Die installeerder huts stem nie ooreen met die verwagte waarde nie.", - "The local icon cache currently takes {0} MB": "Die plaaslike ikoon voorlopige geheue neem tans {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Die hoofdoel van hierdie projek is om 'n intuïtiewe UI te skep vir die mees algemene CLI -pakket bestuurders vir windows, soos Winget en Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Die pakket \"{0}\" is nie op die pakket bestuurder gevind nie \"{1}\"", - "The package bundle could not be created due to an error.": "Die pakket bundel kon nie geskep word nie weens 'n fout.", - "The package bundle is not valid": "Die pakket bundel is nie geldig nie", - "The package manager \"{0}\" is disabled": "Die pakketbestuurder \"{0}\" is gestremd", - "The package manager \"{0}\" was not found": "Die pakketbestuurder \"{0}\" is nie gevind nie", "The package {0} from {1} was not found.": "Die pakket {0} van {1} is nie gevind nie.\n", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Die pakkette wat hier gelys word, sal nie in ag geneem word wanneer daar vir opdaterings gekyk word nie. Dubbelklik op hulle of klik op die knoppie aan hul regterkant om op te hou om hul opdaterings te ignoreer.", "The selected packages have been blacklisted": "Die geselekteerde pakkette is op die swartlys geplaas", - "The settings will list, in their descriptions, the potential security issues they may have.": "Die instellings sal in hul beskrywings die moontlike sekuriteitskwessies lys wat hulle kan hê.", - "The size of the backup is estimated to be less than 1MB.": "Die grootte van die rugsteun word geskat op minder as 1 MB.", - "The source {source} was added to {manager} successfully": "Die bron {source} is suksevol bygevoeg na die {manager} ", - "The source {source} was removed from {manager} successfully": "Die bron {source} is suksevol verwyder na die {manager} ", - "The system tray icon must be enabled in order for notifications to work": "Die stelsel bakkie ikoon moet aangeskakel word om kennisgewings te laat werk", - "The update process has been aborted.": "Die opdaterings proses is gestaak.", - "The update process will start after closing UniGetUI": "Die opdatering sproses sal begin nadat UniGetUI toegemaak is", "The update will be installed upon closing WingetUI": "Die opdatering sal geïnstalleer word wanneer Unigetui toekemaak word", "The update will not continue.": "Die opdatering sal nie voortgaan nie.", "The user has canceled {0}, that was a requirement for {1} to be run": "Die gebruiker het {0} gekanselleer, dit was 'n vereiste vir {1} om uitgevoer te word\n", - "There are no new UniGetUI versions to be installed": "Daar is geen nuwe UniGetUI weergawes wat geïnstalleer moet word nie", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Daar is deurlopende bedrywighede. As jy UniGetUI toemaak, kan dit misluk. Wil jy voortgaan?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Daar is \"n paar wonderlike video\"s op YouTube wat UniGetUI en sy vermoëns ten toon stel. Jy kan nuttige truuks en wenke leer!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Daar is twee hoofredes om UniGetUI nie as administrateur uit te voer nie:\nDie eerste een is dat die Scoop-pakket bestuurder probleme met sommige opdragte kan veroorsaak wanneer dit met administrateur regte uitgevoer word.\n", - "There is an error with the configuration of the package manager \"{0}\"": "Daar is 'n fout met die konfigurasie van die pakket bestuurder \" {0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Daar is 'n installasie aan die gang. As jy UniGetUI toe maak, kan die installasie misluk en onverwagte resultate hê. Wil jy nog UniGetUI toemaak?", "They are the programs in charge of installing, updating and removing packages.": "Dit is die programme wat verantwoordelik is vir die installering, opdatering en verwydering van pakkett", - "Third-party licenses": "Derde party lisensies", "This could represent a security risk.": "Dit kan 'n sekuriteits risiko verteenwoordig.", - "This is not recommended.": "Dit word nie aanbeveel nie.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Dit is waarskynlik te wyte aan die feit dat die pakket wat jy gestuur is, verwyder is, of gepubliseer is op 'n pakket bestuurder wat jy nie geaktiveer het nie. Die ontvangde ID is {0}", "This is the default choice.": "Dit is die verstek keuse ", - "This may help if WinGet packages are not shown": "Dit kan help as Winget pakkette nie vertoon word nie", - "This may help if no packages are listed": "Dit kan help as geen pakkette gelys word nie", - "This may take a minute or two": "Dit kan 'n minuut of twee neem", - "This operation is running interactively.": "Hierdie operasie loop interaktief.", - "This operation is running with administrator privileges.": "Hierdie werking word uitgevoer met administrateur regte.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Hierdie opsie SAL probleme veroorsaak. Enige bewerking wat homself nie kan verhoog nie, SAL MISLUK. Installeer, dateer op of deïnstalleer as administrateur SAL NIE WERK NIE.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Hierdie pakketbondel het sommige instellings gehad wat potensieel gevaarlik is en by verstek geïgnoreer kan word.", "This package can be updated": "Hierdie pakket kan opgedateer word", "This package can be updated to version {0}": "Hierdie pakket kan opgedateer word na die weergawe {0}", - "This package can be upgraded to version {0}": "Hierdie pakket kan opgegradeer word na die weergawe {0}", - "This package cannot be installed from an elevated context.": "Hierdie pakket kan nie vanuit 'n verhoogde konteks geïnstalleer word nie.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Hierdie pakket het geen skermkiekies nie of ontbreek die ikoon? Dra by tot UniGgetUI deur die ontbrekende ikone en skermkiekies by ons oop, openbare databasis te voeg.", - "This package is already installed": "Hierdie pakket is reeds geïnstalleer", - "This package is being processed": "Hierdie pakket word verwerk", - "This package is not available": "Hierdie pakket is nie beskikbaar nie", - "This package is on the queue": "Hierdie pakket is op tou", "This process is running with administrator privileges": "Hierdie proses word met administrateur regte uitgevoer", - "This project has no connection with the official {0} project — it's completely unofficial.": "Hierdie projek het geen verband met die amptelike {0} projek nie - dit is heeltemal nie-amptelik.", "This setting is disabled": "Hierdie instelling is gedeaktiveer", "This wizard will help you configure and customize WingetUI!": "Hierdie assistent sal jou help om UniGetUI op te stel en aan te pas!", "Toggle search filters pane": "Wipkring soek filtreer paneel", - "Translators": "Vertalers", - "Try to kill the processes that refuse to close when requested to": "Probeer die prosesse beëindig wat weier om te sluit wanneer dit versoek word", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "As jy dit aanskakel, kan die uitvoerbare lêer wat gebruik word om met pakketbestuurders te werk verander word. Al laat dit fyner aanpassing van jou installasieprosesse toe, kan dit ook gevaarlik wees", "Type here the name and the URL of the source you want to add, separed by a space.": "Tik hier die naam en die URL van die bron wat jy wil byvoeg, geskei deur 'n spasie.", "Unable to find package": "Kan nie die pakket vind nie", "Unable to load informarion": "Kan nie inligting laai nie", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI versamel anonieme gebruiks data om die gebruikers ervaring te verbeter.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI versamel anonieme gebruiks data met die uitsluitlike doel om die gebruikers ervaring te verstaan en te verbeter.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI het 'n nuwe werkskerm kortpad opgespoor wat outomaties uitgevee kan word.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI het die volgende werkskerm kortpaaie opgespoor wat outomaties verwyder kan word by toekomstige opgraderings", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI het bespeur {0} nuwe werkskerm kortpaaie wat outomaties uitgevee kan word.", - "UniGetUI is being updated...": "UniGetUI word opgedateer...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI hou nie verband met enige van die versoenbare pakket bestuurders nie. UniGetUI is 'n onafhanklike projek.", - "UniGetUI on the background and system tray": "UniGetUI op die agtergrond en stelsel balk", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI of sommige van sy komponente ontbreek of is korrup.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI benodig {0} om te werk, maar dit is nie op jou stelsel gevind nie.\n", - "UniGetUI startup page:": "UniGetUI Begin bladsy:", - "UniGetUI updater": "UniGetUI opdatering", - "UniGetUI version {0} is being downloaded.": "UniGetUI weergawe {0} word afgelaai.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} is gereed om geïnstalleer te word.", - "uninstall": "deïnstalleer", - "Uninstall": "Deïnstalleer", - "Uninstall Scoop (and its packages)": "Deïnstalleer Scoop (en sy pakkette)", "Uninstall and more": "Deïnstalleer en meer", - "Uninstall and remove data": "Deïnstalleer en verwyder weg data", - "Uninstall as administrator": "Deïnstalleer as administrateur", "Uninstall canceled by the user!": "Deïnstalleer deur die gebruiker gekanselleer!", - "Uninstall failed": "Deïnstalleer het misluk", - "Uninstall options": "Deïnstalleeropsies", - "Uninstall package": "Deïnstalleer pakket", - "Uninstall package, then reinstall it": "Deïnstalleer pakket en installeer dit dan weer", - "Uninstall package, then update it": "Deïnstalleer pakket en dateer dit dan op", - "Uninstall previous versions when updated": "Deïnstalleer vorige weergawes wanneer opgedateer word", - "Uninstall selected packages": "Deïnstalleer geselekteerde pakkette", - "Uninstall selection": "Deïnstalleer seleksie", - "Uninstall succeeded": "Deïnstalleer het geslaag", "Uninstall the selected packages with administrator privileges": "Deïnstalleer die gekose pakkette met administrateur regte", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Ongeïnstalleerbare pakkette met die oorsprong gelys as \"{0}\" word nie op enige pakket bestuurder gepubliseer nie, so daar is geen inligting beskikbaar om daaroor te wys nie.\n", - "Unknown": "Onbekend", - "Unknown size": "Onbekende grootte", - "Unset or unknown": "Ongeset of onbekend", - "Up to date": "Op datum", - "Update": "Opdatering", - "Update WingetUI automatically": "Dateer UniGetUI outomaties op", - "Update all": "Dateer almal op", "Update and more": "Dateer op en meer", - "Update as administrator": "Opdatering as administrateur", - "Update check frequency, automatically install updates, etc.": "Dateer kontrole frekwensie op, installeer opdaterings outomaties, ens.", - "Update checking": "Kontrole vir opdaterings", "Update date": "Dateer datum op", - "Update failed": "Opdatering het misluk", "Update found!": "Opdatering gevind!", - "Update now": "Bring op datum nou", - "Update options": "Opdateeropsies", "Update package indexes on launch": "Dateer pakket indekse op by bekendstelling", "Update packages automatically": "Dateer pakkette outomaties op", "Update selected packages": "Opdateer geselekteerde pakkette op", "Update selected packages with administrator privileges": "Dateer geselekteerde pakkette op met administrateur voorregte", - "Update selection": "Dateer seleksie op", - "Update succeeded": "Opdatering het geslaag", - "Update to version {0}": "Dateer op na weergawe {0}", - "Update to {0} available": "Opdatering tot {0} beskikbaar", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Opdateer VCPKG se GIT portefiele outomaties (benodig GIT geïnstalleer)", "Updates": "Bywerkings", "Updates available!": "Opdaterings beskikbaar!", - "Updates for this package are ignored": "Opdaterings vir hierdie pakket word geïgnoreer", - "Updates found!": "Opdaterings gevind!", "Updates preferences": "Dateer voorkeure op", "Updating WingetUI": "Opdatering van UniGetUI", "Url": "Webadres", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Gebruik Legacy gebundelde WinGet in plaas van PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Gebruik 'n pasgemaakte ikoon en 'n skermkiekie databasis URL", "Use bundled WinGet instead of PowerShell CMDlets": "Gebruik gebundelde WinGet in plaas van PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Gebruik gebundelde WinGet in plaas van stelsel WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Gebruik geïnstalleerde GSudo in plaas van UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Gebruik geïnstalleerde GSudo in plaas van die gebundelde een", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Gebruik die ou UniGetUI Elevator (kan help as jy probleme met UniGetUI Elevator ervaar)", - "Use system Chocolatey": "Gebruik stelsel Chocolatey", "Use system Chocolatey (Needs a restart)": "Gebruik stelsel Chocolatey (benodig 'n herbegin)", "Use system Winget (Needs a restart)": "Gebruik System Winget (moet weer begin)", "Use system Winget (System language must be set to english)": "Gebruik Winget (stelseltaal moet op Engels gestel word)", "Use the WinGet COM API to fetch packages": "Gebruik die Winget Com API om pakkette te gaan haal", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Gebruik die WinGet PowerShell Module in plaas van die WinGet COM-API", - "Useful links": "Nuttige skakels", "User": "Gebruiker", - "User interface preferences": "Voorkeure vir gebruiker koppelvlak", "User | Local": "Gebruiker | Plaaslik", - "Username": "Gebruikers naam", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Die gebruik van UniGetUI impliseer die aanvaarding van die GNU Lesser General Public License v2.1-lisensie", - "Using WingetUI implies the acceptation of the MIT License": "Die gebruik van UniGetUI impliseer die aanvaarding van die MIT-lisensie", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "VCPKG -wortel is nie gevind nie. Definieer die %VCPKG_ROOT% Omgewings veranderlike of definieer dit van UnigGtUI instellings", "Vcpkg was not found on your system.": "Vcpkg is nie op jou stelsel gevind nie.", - "Verbose": "Omvattend", - "Version": "Weergawe", - "Version to install:": "Weergawe om te installeer:", - "Version:": "Weergawe:", - "View GitHub Profile": "Kyk na GitHub profiel", "View WingetUI on GitHub": "Bekyk UniGetUI op GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Bekyk UniGetUI se bron kode. Van daar af kan jy foute rapporteer of kenmerke voorstel, of selfs direk bydra tot die UniGetUI-projek", - "View mode:": "Bekyk modus:", - "View on UniGetUI": "Kyk op UniGetUI", - "View page on browser": "Bekyk bladsy op blaaier", - "View {0} logs": "Bekyk {0} logs", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Wag totdat die toestel aan die internet gekoppel is voordat jy probeer om take te verrig wat internet verbinding benodig.", "Waiting for other installations to finish...": "Wag vir ander installasies om klaar te maak ...", "Waiting for {0} to complete...": "Wag vir {0} Om te voltooi ...", - "Warning": "Waarskuwing", - "Warning!": "Waarskuwing!", - "We are checking for updates.": "Ons kyk na opdaterings.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Ons kon nie gedetailleerde inligting oor hierdie pakket laai nie, want dit is nie in u pakket bronne gevind nie.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Ons kon nie gedetailleerde inligting oor hierdie pakket laai nie, omdat dit nie vanaf \"n beskikbare pakket bestuurder geïnstalleer is nie.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Ons kon nie {action} {package} nie. Probeer asseblief later weer. Klik op \"{showDetails}\" om die logs van die installeerder te kry.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Ons kon nie {action} {package}. Probeer asseblief weer later. Klik op {showDetails} om die logs van die deïnstalleerder te kry.", "We couldn't find any package": "Ons kon geen pakkie kry nie", "Welcome to WingetUI": "Welkom by UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Wanneer pakkette in bondels geïnstalleer word, installeer ook pakkette wat reeds geïnstalleer is", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Wanneer nuwe kortpaaie bespeur word, skrap hulle outomaties in plaas daarvan om hierdie dialoog te vertoon.", - "Which backup do you want to open?": "Watter rugsteun wil jy oopmaak?", "Which package managers do you want to use?": "Watter pakket bestuurders wil jy gebruik?", "Which source do you want to add?": "Watter bron wil jy byvoeg?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Terwyl WinGet binne UniGetUI gebruik kan word, kan UniGetUI saam met ander pakketbestuurders gebruik word, wat verwarrend kan wees. In die verlede is UniGetUI ontwerp om slegs met Winget te werk, maar dit is nie meer waar nie, en daarom verteenwoordig UniGetUI nie wat hierdie projek beoog om te word nie.", - "WinGet could not be repaired": "WinGet kon nie herstel word nie", - "WinGet malfunction detected": "WinGet wanfunksie opgespoor", - "WinGet was repaired successfully": "WinGet is suksesvol herstel", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Alles is op datum", "WingetUI - {0} updates are available": "UniGetUI - {0} opdaterings is beskikbaar", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI Tuisblad ", "WingetUI Homepage - Share this link!": "UniGetUI Tuisblad - Deel hierdie skakel!", - "WingetUI License": "UniGetUI Lisensie ", - "WingetUI Log": "UniGetUI-logboek", - "WingetUI log": "UniGetUI-logboek", - "WingetUI Repository": "UniGetUI bewaarplek", - "WingetUI Settings": "UniGetUI Instellings", "WingetUI Settings File": "UniGetUI Instellings Lêer", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI gebruik die volgende biblioteke. Sonder hulle sou UniGetUI nie moontlik gewees het nie.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI gebruik die volgende biblioteke. Sonder hulle sou UniGetUI nie moontlik gewees het nie.", - "WingetUI Version {0}": "UniGetUI Weergawe {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI outo begingedrag, toepassings bekend stellings instellings", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI kan kyk of jou sagteware beskikbare opdaterings het, en dit outomaties installeer as jy wil", - "WingetUI display language:": "UniGetUI vertoon taal:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI het as administrateur geloop, wat nie aanbeveel word nie. As u UniGetUI as administrateur gebruik, sal ELKE bewerking wat vanaf UniGetUI van stapel gestuur word, administrateur regte hê. Jy kan steeds die program gebruik, maar ons beveel sterk aan om nie UniGetUI met administrateurregte te laat loop nie.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI is in meer as 40 tale vertaal danksy die vrywillige vertalers. Dankie 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI is nie masjien vertaal nie! Die volgende gebruikers was in beheer van die vertalings:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI is 'n toepassing wat die bestuur van jou sagteware makliker maak deur 'n alles-in-een grafiese koppelvlak vir jou opdrag reël pakket bestuurders te verskaf.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI word hernoem om die verskil tussen UniGetUI (die koppelvlak wat jy tans gebruik) en WinGet ('n pakket bestuurder ontwikkel deur Microsoft waarmee ek nie verwant is nie) te beklemtoon", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI word opgedateer. Wanneer dit klaar is, sal UniGetUI vanself weer begin", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI is gratis, en dit sal vir ewig gratis wees. Geen advertensies, geen kredietkaart, geen premium weergawe nie. 100% gratis, vir ewig", + "WingetUI log": "UniGetUI-logboek", "WingetUI tray application preferences": "UniGetUI skinkbord toepassings voorkeure", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI gebruik die volgende biblioteke. Sonder hulle sou UniGetUI nie moontlik gewees het nie.", "WingetUI version {0} is being downloaded.": "UniGetUI weergawe {0} word afgelaai.\n", "WingetUI will become {newname} soon!": "WingetUI sal binnekort {newname} word!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI sal nie periodiek vir opdaterings kyk nie. Hulle sal steeds by lanseering nagegaan word, maar jy sal nie daaroor gewaarsku word nie.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI sal 'n UAC aanpor wys elke keer as 'n pakket vereis dat verhoging geïnstalleer moet word.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI sal binnekort die naam {newname} kry. Dit sal geen verandering in die toepassing verteenwoordig nie. Ek (die ontwikkelaar) sal voortgaan met die ontwikkeling van hierdie projek soos ek tans doen, maar onder 'n ander naam.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI sou nie moontlik gewees het sonder die hulp van ons dierbare bydraers nie. Kyk na hul GitHub profiele, UniGetUI sou nie sonder hulle moontlik wees nie!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI sou nie moontlik gewees het sonder die hulp van die bydraers nie. Dankie almal 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} is gereed om geïnstalleer te word.", - "Write here the process names here, separated by commas (,)": "Skryf hier die prosesname, geskei deur kommas (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Jy is aangemeld as {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Jy kan hierdie gedrag in UniGetUI-sekuriteitsinstellings verander.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Jy kan die opdragte definieer wat voor of ná die installering, opdatering of deïnstallering van hierdie pakket uitgevoer sal word. Hulle sal in 'n opdragprompt loop, so CMD-skripte sal hier werk.", - "You have currently version {0} installed": "Jy het tans weergawe {0} geïnstalleer", - "You have installed WingetUI Version {0}": "Jy het UniGetUI weergawe geïnstalleer {0}", - "You may lose unsaved data": "Jy kan ongestoorde data verloor", - "You may need to install {pm} in order to use it with WingetUI.": "Miskien moet jy {pm} installeer om dit met UniGetUI te gebruik.", "You may restart your computer later if you wish": "Jy kan jou rekenaar later herbegin as jy wil", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Jy sal net een keer gevra word, en administrateur regte sal verleen word aan pakkette wat dit versoek.", "You will be prompted only once, and every future installation will be elevated automatically.": "Jy sal slegs een keer gevra word, en elke toekomstige installasie sal outomaties verhoog word", - "You will likely need to interact with the installer.": "Jy sal waarskynlik met die installeerder moet kommunikeer.", - "[RAN AS ADMINISTRATOR]": "LAAT LOOP AS ADMINISTRATEUR ", "buy me a coffee": "Koop vir my 'n koffie", - "extracted": "onttrek", - "feature": "kenmerk", "formerly WingetUI": "Voorheen Wingetui", + "homepage": "Webwerf", + "install": "installeer", "installation": "installasie", - "installed": "geïnstalleer", - "installing": "Installeer", - "library": "biblioteek", - "mandatory": "verpligtend", - "option": "keuse", - "optional": "opsioneel", + "uninstall": "deïnstalleer", "uninstallation": "Ominstalleering", "uninstalled": "Gedeïnstalleer", - "uninstalling": "deïnstalleering", "update(noun)": "opdatering", "update(verb)": "opdatering", "updated": "Bygewerk", - "updating": "opdatering", - "version {0}": "weergawe {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} se installeeropsies is tans gesluit omdat {0} die verstek-installeeropsies volg.", "{0} Uninstallation": "{0} Deïnstalleering", "{0} aborted": "{0} onderbreek", "{0} can be updated": "{0} opgedateer kan word ", - "{0} can be updated to version {1}": "{0} kan word opgedateer na weergawe {1}", - "{0} days": "{0} dae", - "{0} desktop shortcuts created": "{0} werkskerm kortpaaie geskep ", "{0} failed": "{0} misluk", - "{0} has been installed successfully.": "{0} is suksesvol geïnstalleer.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} is suksesvol geïnstalleer. Dit word aanbeveel om UniGetUI te oorbegin om die installasie te voltooi", "{0} has failed, that was a requirement for {1} to be run": "{0} het nie, dit was'n vereiste vir {1} om te loop", - "{0} homepage": "{0} tuisblad", - "{0} hours": "{0} ure", "{0} installation": "{0} installasie", - "{0} installation options": "{0} installasie opsies ", - "{0} installer is being downloaded": "{0} installeerder is besig om afgelaai te word", - "{0} is being installed": "{0} word geïnstalleer ", - "{0} is being uninstalled": "{0} word gedeïnstalleer", "{0} is being updated": "{0} word opgedateer ", - "{0} is being updated to version {1}": "{0} word opgedateer na weergawe {1}", - "{0} is disabled": "{0} is afgeskakel ", - "{0} minutes": "{0} minute", "{0} months": "{0} maande", - "{0} packages are being updated": "{0} pakkette is opgedateer", - "{0} packages can be updated": "{0} pakkette kan word opgedateer ", "{0} packages found": "{0} pakkette gevind ", "{0} packages were found": "{0} pakkette is gevind ", - "{0} packages were found, {1} of which match the specified filters.": "{0} pakkette is gevind, {1} van die wat ooreenstem met die gespesifiseerde filtreers.", - "{0} selected": "{0} gekies", - "{0} settings": "{0} instellings", - "{0} status": "{0} stand", "{0} succeeded": "{0} opgevolg", "{0} update": "{0} Opdateer", - "{0} updates are available": "{0} Opdaterings is beskikbaar", "{0} was {1} successfully!": "{0} was {1} suksesvol!", "{0} weeks": "{0} weke", "{0} years": "{0} jare", "{0} {1} failed": "{0} {1} het misluk", - "{package} Installation": "{package} Installasie", - "{package} Uninstall": "{package} deïnstalleer", - "{package} Update": "{package} Opdatering", - "{package} could not be installed": "{package} kon nie geïnstalleer word nie", - "{package} could not be uninstalled": "{package} Kon nie geïnstalleer word nie ", - "{package} could not be updated": "{package} kon nie opgedateer word nie", "{package} installation failed": "{package} installasie het misluk", - "{package} installer could not be downloaded": "{package} installeerder kon nie afgelaai word nie", - "{package} installer download": "{package} installer word aflaai", - "{package} installer was downloaded successfully": "{package} installeerder is suksesvol afgelaai", "{package} uninstall failed": "{package} deïnstalleer het misluk", "{package} update failed": "{package} opdatering het misluk", "{package} update failed. Click here for more details.": "{package} opdatering het misluk. Klik hier vir meer besonderhede.", - "{package} was installed successfully": "{package} is suksesvol geïnstalleer", - "{package} was uninstalled successfully": "{package} is suksesvol gedeïnstalleer", - "{package} was updated successfully": "{package} is suksesvol opgedateer", - "{pcName} installed packages": "{pcName} geïnstalleerde pakkette", "{pm} could not be found": "{pm} kon nie gevind word nie", "{pm} found: {state}": "{pm} gevind: {state}", - "{pm} is disabled": "{pm} is gedeaktiveer", - "{pm} is enabled and ready to go": "{pm} is geaktiveer en gereed om te begin", "{pm} package manager specific preferences": "{pm} pakketbestuurder spesifieke voorkeure", "{pm} preferences": "{pm} voorkeure", - "{pm} version:": "{pm} weergawe:", - "{pm} was not found!": "{pm} is nie gevind nie!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hallo, my naam is Martí, en ek is die ontwikkelaar van UnigetUI. UniGetUI is heeltemal in my vrye tyd gemaak!", + "Thank you ❤": "Dankie ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Hierdie projek het geen verband met die amptelike {0} projek nie - dit is heeltemal nie-amptelik." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ar.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ar.json index bfac0193dd..dd10289ec0 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ar.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ar.json @@ -1,155 +1,737 @@ { + "Operation in progress": "العملية قيد التنفيذ", + "Please wait...": "الرجاء الانتظار...", + "Success!": "نجاح!", + "Failed": "فشل", + "An error occurred while processing this package": "حدث خطاُ وقت معالجة هذه الحزمة", + "Log in to enable cloud backup": "سجل الدخول لتفعيل النسخ الاحتياطي السحابي", + "Backup Failed": "فشل النسخ الاحتياطي", + "Downloading backup...": "تنزيل النسخة الإحتياطية...", + "An update was found!": "تم إيجاد تحديث!", + "{0} can be updated to version {1}": "يمكن تحديث {0} إلى الإصدار {1}", + "Updates found!": "تم العثور على تحديثات!", + "{0} packages can be updated": "يمكن تحديث {0} حزم", + "You have currently version {0} installed": "لقد قمت حاليًا بتثبيت الإصدار {0}", + "Desktop shortcut created": "تم إنشاء اختصار سطح المكتب", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "اكتشف UniGetUI اختصارًا جديدًا على سطح المكتب يمكن حذفه تلقائيًا.", + "{0} desktop shortcuts created": "تم إنشاء {0} اختصارا سطح المكتب", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "اكتشف UniGetUI {0} اختصارات سطح مكتب جديدة يمكن حذفها تلقائيًا.", + "Are you sure?": "هل أنت متأكد؟", + "Do you really want to uninstall {0}?": "هل تريد حقأ إلغاء تثبيت {0}؟", + "Do you really want to uninstall the following {0} packages?": "هل ترغب حقاً بإزالة تثبيت المصادر {0}؟ ", + "No": "لا", + "Yes": "نعم", + "View on UniGetUI": "اعرض على UniGetUI", + "Update": "تحديث", + "Open UniGetUI": "فتح UniGetUI", + "Update all": "تحديث الكل", + "Update now": "تحديث الآن", + "This package is on the queue": "هذه الحزمة موجودة في قائمة الانتظار", + "installing": "يتم التثبيت", + "updating": "يتم تحديث", + "uninstalling": "يتم إلغاء تثبيت", + "installed": "تم التثبيت", + "Retry": "إعادة المحاولة", + "Install": "تثبيت", + "Uninstall": "إلغاء التثبيت", + "Open": "فتح", + "Operation profile:": "ملف تعريف العملية:", + "Follow the default options when installing, upgrading or uninstalling this package": "اتّباع الخيارات الافتراضية عند تثبيت هذه الحزمة أو ترقيتها أو إلغاء تثبيتها", + "The following settings will be applied each time this package is installed, updated or removed.": "سيتم تطبيق الإعدادات التالية في كل مرة يتم فيها تثبيت هذه الحزمة أو تحديثها أو إزالتها.", + "Version to install:": "الإصدار للتثبيت", + "Architecture to install:": "المعمارية للتثبيت:", + "Installation scope:": "التثبيت scope:", + "Install location:": "مكان التثبيت:", + "Select": "تحديد", + "Reset": "إعادة ضبط", + "Custom install arguments:": "وسائط التثبيت المخصصة:", + "Custom update arguments:": "وسائط التحديث المخصصة:", + "Custom uninstall arguments:": "وسائط إلغاء التثبيت المخصصة:", + "Pre-install command:": "أمر ما قبل التثبيت:", + "Post-install command:": "أمر ما بعد التثبيت:", + "Abort install if pre-install command fails": "إلغاء التثبيت إذا فشل أمر التثبيت المسبق", + "Pre-update command:": "أمر ما قبل التحديث:", + "Post-update command:": "أمر ما بعد التحديث:", + "Abort update if pre-update command fails": "إلغاء التحديث إذا فشل أمر ما قبل التحديث", + "Pre-uninstall command:": "أمر ما قبل إلغاء التثبيت:", + "Post-uninstall command:": "أمر ما بعد إلغاء التثبيت:", + "Abort uninstall if pre-uninstall command fails": "إلغاء أزالة التثبيت إذا فشل أمر ما قبل الإزالة", + "Command-line to run:": "سطر الأوامر للتشغيل:", + "Save and close": "حفظ وإغلاق", + "Run as admin": "تشغيل كمسؤول", + "Interactive installation": "تثبيت تفاعلي", + "Skip hash check": "تخطي تحقق hash", + "Uninstall previous versions when updated": "إلغاء تثبيت الإصدارات السابقة عند التحديث", + "Skip minor updates for this package": "تخطي التحديثات البسيطة لهذه الحزمة", + "Automatically update this package": "تحديث هذه الحزمة تلقائيًا", + "{0} installation options": "{0} خيارات التثبيت", + "Latest": "الأخير", + "PreRelease": "إصدار مبدأي", + "Default": "افتراضي", + "Manage ignored updates": "إدارة التحديثات المتجاهلة", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "لن يتم أخذ الحزم المدرجة هنا في الاعتبار عند التحقق من وجود تحديثات. انقر نقرًا مزدوجًا فوقهم أو انقر فوق الزر الموجود على يمينهم للتوقف عن تجاهل تحديثاتهم.", + "Reset list": "إعادة تعيين القائمة", + "Package Name": "اسم الحزمة", + "Package ID": "معرف الحزمة", + "Ignored version": "الإصدار المتجاهل", + "New version": "الإصدار الجديد", + "Source": "المصدر", + "All versions": "كل الإصدارات", + "Unknown": "غير معروف", + "Up to date": "محدثة", + "Cancel": "إلغاء", + "Administrator privileges": "صلاحيات المسؤول", + "This operation is running with administrator privileges.": "هذه العملية تعمل بصلاحيات المسؤول", + "Interactive operation": "عملية تفاعلية", + "This operation is running interactively.": "هذه العملية تعمل بشكل تفاعلي.", + "You will likely need to interact with the installer.": "ستحتاج غالباً إلى التفاعل مع المثبت.", + "Integrity checks skipped": "عمليات التحقق من السلامة تم تخطيها", + "Proceed at your own risk.": "التباعة على مسؤوليتك الخاصة.", + "Close": "إغلاق", + "Loading...": "يتم التحميل...", + "Installer SHA256": "SHA256 للمثبت", + "Homepage": "الصفحة الرئيسية", + "Author": "المؤلف", + "Publisher": "الناشر", + "License": "الترخيص", + "Manifest": "القائمة الأساسية", + "Installer Type": "نوع المثبت", + "Size": "الحجم", + "Installer URL": "رابط المثبت", + "Last updated:": "تم التحديث آخر مرة:", + "Release notes URL": "ملاحظات الإصدار URL", + "Package details": "تفاصيل الحزمة", + "Dependencies:": "الاعتماديات:", + "Release notes": "ملاحظات الإصدار", + "Version": "الإصدار", + "Install as administrator": "تثبيت كمسؤول", + "Update to version {0}": "التحديث إلى الإصدار {0}", + "Installed Version": "الإصدار المثبت", + "Update as administrator": "تحديث كمسؤول", + "Interactive update": "تحديث تفاعلي", + "Uninstall as administrator": "إلغاء التثبيت كمسؤول", + "Interactive uninstall": "إلغاء تثبيت تفاعلي", + "Uninstall and remove data": "إلغاء التثبيت وإزالة البيانات", + "Not available": "غير متاح", + "Installer SHA512": "SHA512 للمثبت:", + "Unknown size": "حجم غير معروف", + "No dependencies specified": "لم يتم تحديد أي اعتماديات", + "mandatory": "إلزامي", + "optional": "خياري", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} جاهز للتثبيت.", + "The update process will start after closing UniGetUI": "ستبدأ عملية التحديث بعد إغلاق UniGetUI", + "Share anonymous usage data": "مشاركة بيانات استخدام مجهولة المصدر", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "يقوم UniGetUI بجمع بيانات الاستخدام مجهولة المصدر لتطوير تجربة المستخدم.", + "Accept": "قبول", + "You have installed WingetUI Version {0}": "لقد قمت بتثبيت UniGetUI الإصدار {0}", + "Disclaimer": "تنصل (للتوضيح)", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ليس مرتبطًا بأي من مديري الحزم المتوافقين. UniGetUI هو مشروع مستقل.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "لم يكن من الممكن إنشاء UniGetUI بدون مساعدة المساهمين. شكرًا لكم جميعًا 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "يستخدم UniGetUI المكتبات التالية. بدونها، لم يكن UniGetUI ممكنًا.", + "{0} homepage": "{0} الصفحة الرئيسية", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "لقد تمت ترجمة UniGetUI إلى أكثر من 40 لغة بفضل المترجمين المتطوعين. شكرًا لكم 🤝", + "Verbose": "مطوّل", + "1 - Errors": "1- أخطاء", + "2 - Warnings": "2- تحذيرات", + "3 - Information (less)": "3- معلومات (أقل)", + "4 - Information (more)": "4- معلومات (أكثر)", + "5 - information (debug)": "5- معلومات (للمعالجة)", + "Warning": "تحذير", + "The following settings may pose a security risk, hence they are disabled by default.": "قد تشكّل الإعدادات التالية خطرًا أمنيًا، ولذلك تكون معطّلة افتراضيًا.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "قم بتمكين الإعدادات أدناه فقط إذا كنت تفهم تمامًا ما تفعله والآثار المترتبة عليها.", + "The settings will list, in their descriptions, the potential security issues they may have.": "ستسرد الإعدادات، في أوصافها، المشكلات الأمنية المحتملة التي قد تنطوي عليها.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "لن تتضمن النسخة الاحتياطية أي ملف مصدري أو أي بيانات محفوظة بواسطة برامج.", + "The backup will NOT include any binary file nor any program's saved data.": "لن تتضمن النسخة الاحتياطية أي ملف ثنائي أو أي بيانات محفوظة بواسطة برامج.", + "The size of the backup is estimated to be less than 1MB.": "حجم النسخ الإحتياطي مُقدّر بأن يكون أقل من 1 ميغابايت.", + "The backup will be performed after login.": "سيتم إجراء النسخ الاحتياطي بعد تسجيل الدخول.", + "{pcName} installed packages": "الحزم المثبتة بواسطة {pcName}", + "Current status: Not logged in": "الحالة الحالية: لم يتم تسجيل الدخول", + "You are logged in as {0} (@{1})": "أنت مسجل الدخول باسم {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "رائع! سيتم رفع النسخ الاحتياطية إلى gist خاص في حسابك", + "Select backup": "حدد نسخة احتياطية", + "WingetUI Settings": "إعدادات UniGetUI", + "Allow pre-release versions": "السماح بنسخ ماقبل الاصدار", + "Apply": "تطبيق", + "Go to UniGetUI security settings": "الانتقال إلى إعدادات أمان UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "سيتم تطبيق الخيارات التالية افتراضيًا في كل مرة يتم فيها تثبيت حزمة {0} أو ترقيتها أو إلغاء تثبيتها.", + "Package's default": "الافتراضي للحزمة", + "Install location can't be changed for {0} packages": "لا يمكن تغيير موقع التثبيت لحزم {0}", + "The local icon cache currently takes {0} MB": "تبلغ مساحة ذاكرة التخزين المؤقتة للرمز المحلي حاليًا {0} ميجا بايت", + "Username": "اسم المستخدم", + "Password": "كلمة المرور", + "Credentials": "بيانات الاعتماد", + "Partially": "جزئياً", + "Package manager": "مدير الحزم", + "Compatible with proxy": "متوافق مع الوكيل", + "Compatible with authentication": "متوافق مع المصادقة", + "Proxy compatibility table": "جدول توافق الوكيل", + "{0} settings": "إعدادات {0}", + "{0} status": "حالة {0}", + "Default installation options for {0} packages": "خيارات التثبيت الافتراضية لحزم {0}", + "Expand version": "الإصدار الكامل", + "The executable file for {0} was not found": "الملف القابل للتنفيذ لـ {0} لم يتم إيجاده", + "{pm} is disabled": "تم تعطيل {pm}", + "Enable it to install packages from {pm}.": "قم بتفعيله لتثبيت الحزم من {pm}.", + "{pm} is enabled and ready to go": "تم تمكين {pm} وهو جاهز للاستخدام", + "{pm} version:": "إصدار {pm}:", + "{pm} was not found!": "لم يتم العثور على {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "قد تحتاج إلى تثبيت {pm} حتى تتمكن من استخدامه مع UniGetUI.", + "Scoop Installer - WingetUI": "UniGetUI - مثبت Scoop", + "Scoop Uninstaller - WingetUI": "UniGetUI - إلغاء تثبيت Scoop", + "Clearing Scoop cache - WingetUI": "مسح ذاكرة التخزين المؤقت Scoop لـ UniGetUI", + "Restart UniGetUI": "أعد تشغيل UniGetUI", + "Manage {0} sources": "إدارة {0} من المصادر", + "Add source": "إضافة مصدر", + "Add": "إضافة", + "Other": "أخرى", + "1 day": "يوم 1", + "{0} days": "{0} أيام", + "{0} minutes": "{0} دقائق", + "1 hour": "ساعة واحدة", + "{0} hours": "{0} ساعات", + "1 week": "أسبوع واحد", + "WingetUI Version {0}": "إصدار UniGetUI {0}", + "Search for packages": "البحث عن حزم", + "Local": "محلي", + "OK": "حسنًا", + "{0} packages were found, {1} of which match the specified filters.": "تم العثور على {0} حزمة، {1} منها تطابق الفلاتر المحددة.", + "{0} selected": " {0}محدد", + "(Last checked: {0})": "(أخر تحقق: {0}) ", + "Enabled": "مفعّل", + "Disabled": "معطل", + "More info": "معلومات أكثر", + "Log in with GitHub to enable cloud package backup.": "سجّل الدخول باستخدام GitHub لتمكين النسخ الاحتياطي السحابي للحزم.", + "More details": "تفاصيل أكثر", + "Log in": "تسجيل الدخول", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "إذا كان النسخ الاحتياطي السحابي مفعّلًا، فسيتم حفظه كـ GitHub Gist على هذا الحساب", + "Log out": "تسجيل الخروج", + "About": "عنا", + "Third-party licenses": "تراخيص الطرف الثالث", + "Contributors": "المساهمون", + "Translators": "المترجمون", + "Manage shortcuts": "إدارة الاختصارات", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "اكتشف UniGetUI اختصارات سطح المكتب التالية والتي يمكن إزالتها تلقائيًا في الترقيات المستقبلية", + "Do you really want to reset this list? This action cannot be reverted.": "هل ترغب فعلاً بإعادة تعيين هذه القائمة؟ هذا الإجراء لا يمكن التراجع عنه.", + "Remove from list": "إزالة من القائمة", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "إذا اكتُشِفت اختصارات جديدة، أزلهم تلقائيا بدلا من عرض هذه النافذة", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "يقوم UniGetUI بجمع بيانات استخدام مجهولة المصدر لغاية وحيدة وهي فهم وتطوير تجربة المستخدم.", + "More details about the shared data and how it will be processed": "المزيد من التفاصيل عن البيانات التم يتم مشاركتها وكيف سيتم معالجتها", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "هل تقبل أن يقوم UniGetUI بجمع وإرسال إحصائيات استخدام مجهولة الهوية، من أجل فهم وتحسين تجربة المتسخدم فقط؟", + "Decline": "رفض", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "لن يتم جمع أو إرسال أية معلومات شخصية، والبيانات التي يتم جمعها ستكون مجهولة المصدر، لذا لا يمكن تتبعها رجوعاً إليك.", + "About WingetUI": "عن UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI هو تطبيق يجعل إدارة البرامج الخاصة بك أسهل، من خلال توفير واجهة رسومية شاملة لمديري حزم سطر الأوامر لديك.", + "Useful links": "روابط مفيدة", + "Report an issue or submit a feature request": "الإبلاغ عن مشكلة أو تقديم طلب ميزة", + "View GitHub Profile": "عرض ملف GitHub الشخصي ", + "WingetUI License": "ترخيص UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "إن استخدام UniGetUI يعني قبول ترخيص MIT", + "Become a translator": "كن مُترجِماً", + "View page on browser": "أعرض الصفحة في المتصفح", + "Copy to clipboard": "نسخ إلى الحافظة", + "Export to a file": "تصدير إلى ملف", + "Log level:": "مستوى السجل:", + "Reload log": "إعادة تحميل السجل", + "Text": "نص", + "Change how operations request administrator rights": "تغيير كيفية طلب العمليات لحقوق المسؤول", + "Restrictions on package operations": "قيود على عمليات الحزم", + "Restrictions on package managers": "قيود على مديري الحزم", + "Restrictions when importing package bundles": "قيود عند استيراد باقات الحزم", + "Ask for administrator privileges once for each batch of operations": "اطلب صلاحيات المسؤول مرة واحدة لكل دفعة من العمليات", + "Ask only once for administrator privileges": "السؤال مرة واحد لامتيازات المسؤول", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "منع أي نوع من الرفع عبر UniGetUI Elevator أو GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "سيؤدي هذا الخيار بالتأكيد إلى حدوث مشاكل. أي عملية غير قادرة على رفع صلاحياتها بنفسها ستفشل. لن يعمل التثبيت أو التحديث أو إلغاء التثبيت كمسؤول.", + "Allow custom command-line arguments": "السماح بمعاملات سطر الأوامر المخصصة", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "يمكن أن تغيّر وسائط سطر الأوامر المخصصة الطريقة التي يتم بها تثبيت البرامج أو ترقيتها أو إلغاء تثبيتها بطريقة لا يستطيع UniGetUI التحكم بها. قد يؤدي استخدام أسطر أوامر مخصصة إلى إفساد الحزم. تابع بحذر.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "السماح بتشغيل أوامر ما قبل التثبيت وما بعده المخصصة", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "سيتم تشغيل أوامر ما قبل التثبيت وما بعده قبل وبعد تثبيت الحزمة أو ترقيتها أو إلغاء تثبيتها. انتبه إلى أنها قد تتسبب في مشاكل ما لم تُستخدم بحذر", + "Allow changing the paths for package manager executables": "السماح بتغيير المسارات لملفات مدير الحزم التنفيذية", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "يؤدي تشغيل هذا الخيار إلى تمكين تغيير الملف التنفيذي المستخدم للتعامل مع مديري الحزم. وبينما يتيح هذا تخصيصًا أدق لعمليات التثبيت، فقد يكون خطيرًا أيضًا", + "Allow importing custom command-line arguments when importing packages from a bundle": "السماح باستيراد معاملات سطر الأوامر المخصصة عند استيراد الحزم من رزمة", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "يمكن أن تؤدي وسائط سطر الأوامر غير الصالحة إلى إفساد الحزم، أو حتى السماح لجهة خبيثة بالحصول على تنفيذ بامتيازات مرتفعة. لذلك، يكون استيراد وسائط سطر الأوامر المخصصة معطّلًا افتراضيًا.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "السماح باستيراد أوامر ما قبل التثبيت وما بعده المخصصة عند استيراد الحزم من باقة", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "يمكن لأوامر ما قبل التثبيت وما بعده أن تفعل أشياء سيئة جدًا بجهازك إذا صُممت لذلك. قد يكون استيراد هذه الأوامر من باقة أمرًا خطيرًا جدًا ما لم تكن تثق بمصدر باقة الحزمة تلك", + "Administrator rights and other dangerous settings": "صلاحيات المسؤول وإعدادت خطيرة أخرى", + "Package backup": "النسخة الاحتياطية للحزمة", + "Cloud package backup": "النسخ الاحتياطي السحابي للحزم", + "Local package backup": "النسخ الاحتياطي المحلي للحزم", + "Local backup advanced options": "خيارات متطورة للنسخ الاحتياطية", + "Log in with GitHub": "تسجيل الدخول عن طريق GitHub", + "Log out from GitHub": "تسجيل الخروج عن طريق GitHub", + "Periodically perform a cloud backup of the installed packages": "إجراء نسخ احتياطي سحابي للحزم المثبتة بشكل دوري", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "تستخدم النسخة الاحتياطية السحابية Gist خاصًا على GitHub لتخزين قائمة الحزم المثبتة", + "Perform a cloud backup now": "إجراء نسخ احتياطي سحابي الآن", + "Backup": "النسخ الإحتياطي", + "Restore a backup from the cloud": "استعادة نسخة احتياطية من السحابة", + "Begin the process to select a cloud backup and review which packages to restore": "بدء عملية اختيار نسخ احتياطي سحابي واختيار أي الحزم سيتم استعادتها", + "Periodically perform a local backup of the installed packages": "إجراء نسخ احتياطي محلي للحزم المثبتة بشكل دوري", + "Perform a local backup now": "إجراء نسخ احتياطي محلي الآن", + "Change backup output directory": "تغيير موقع ملفات النسخ الاحتياطي", + "Set a custom backup file name": "تعيين اسم ملف النسخ الاحتياطي المخصص", + "Leave empty for default": "اتركه فارغًا للإفتراضي", + "Add a timestamp to the backup file names": "إضافة ختم زمني إلى أسماء ملفات النسخ الاحتياطي", + "Backup and Restore": "النسخ الاحتياطي والاستعادة", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "تمكين واجهة برمجة التطبيقات الخلفية (أدوات UniGetUI والمشاركة، المنفذ 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "انتظار اتصال الجهاز بالانترنت قبل محاولة عمل المهام التي تتطلب اتصالاً بالشبكة.", + "Disable the 1-minute timeout for package-related operations": "تعطيل مهلة الدقيقة الواحدة للعمليات المتعلقة بالحزمة", + "Use installed GSudo instead of UniGetUI Elevator": "استخدم GSudo المثبّت بدلًا من UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "استخدام رابط مخصص لقاعدة بيانات الأيقونات ولقطات الشاشة", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "تفعيل تحسينات استخدام وحدة المعالجة المركزية في الخلفية (انظر الطلب #3278)", + "Perform integrity checks at startup": "إجراء عمليات التحقق من السلامة عند بدء التشغيل", + "When batch installing packages from a bundle, install also packages that are already installed": "عند تثبيت الحزم من باقة دفعةً واحدة، ثبّت أيضًا الحزم المثبتة بالفعل", + "Experimental settings and developer options": "إعدادات تجريبية و خيارات المطور", + "Show UniGetUI's version and build number on the titlebar.": "إظهار نسخة UniGetUI على شرط العنوان", + "Language": "اللغة", + "UniGetUI updater": "محدّث UniGetUI", + "Telemetry": "القياس عن بُعد", + "Manage UniGetUI settings": "إدارة إعدادات UniGetUI", + "Related settings": "إعدادات مرتبطة", + "Update WingetUI automatically": "تحديث UniGetUI تلقائياً", + "Check for updates": "التحقق من التحديثات", + "Install prerelease versions of UniGetUI": "تثبيت الإصدارات التجريبية من UniGetUI", + "Manage telemetry settings": "إدارة إعدادات القياس عن بعد", + "Manage": "أدِر", + "Import settings from a local file": "إستيراد الإعدادات من ملف محلي", + "Import": "إستيراد", + "Export settings to a local file": "تصدير الإعدادات إلى ملف محلي", + "Export": "تصدير", + "Reset WingetUI": "إعادة تعيين UniGetUI", + "Reset UniGetUI": "إعادة تعيين UniGetUI", + "User interface preferences": "تفضيلات واجهة المستخدم", + "Application theme, startup page, package icons, clear successful installs automatically": "سمة التطبيق، صفحة بدء التشغيل، أيقونات الحزمة، مسح التثبيتات الناجحة تلقائيًا", + "General preferences": "التفضيلات العامة", + "WingetUI display language:": "لغة عرض UniGetUI:", + "Is your language missing or incomplete?": "هل لغتك مفقودة أم غير مكتملة؟", + "Appearance": "المظهر", + "UniGetUI on the background and system tray": "UniGetUI في الخلفية وشريط المهام", + "Package lists": "قوائم الحزمة", + "Close UniGetUI to the system tray": "إغلاق UniGetUI إلى شريط المهام", + "Show package icons on package lists": "إظهار أيقونات الحزمة في قوائم الحزمة", + "Clear cache": "مسح ذاكرة التخزين المؤقت", + "Select upgradable packages by default": "حدد الحزم التي سيتم ترقيتها بشكل افتراضي", + "Light": "فاتح", + "Dark": "داكن", + "Follow system color scheme": "اتباع نمط ألوان النظام", + "Application theme:": "مظهر التطبيق:", + "Discover Packages": "استكشف الحزم", + "Software Updates": "تحديثات البرامج", + "Installed Packages": "الحزم المثبتة", + "Package Bundles": "حزم الحزم", + "Settings": "الإعدادات", + "UniGetUI startup page:": "صفحة بدء تشغيل UniGetUI:", + "Proxy settings": "إعدادات الوكيل", + "Other settings": "إعدادات أخرى", + "Connect the internet using a custom proxy": "الاتصال بشبكة الانترنت باستخدام وكيل مخصص", + "Please note that not all package managers may fully support this feature": "يرجى ملاحظة أنه قد لا يمكن لجميع إدارات الحزمة ان تدعم هذه الخاصية", + "Proxy URL": "عنوان URL الخاص بالوكيل", + "Enter proxy URL here": "أدخل رابط الخادم هنا", + "Package manager preferences": "تفضيلات مدير الحزم", + "Ready": "جاهز", + "Not found": "غير موجود", + "Notification preferences": "تفضيلات الإشعارات", + "Notification types": "أنواع التنبيهات", + "The system tray icon must be enabled in order for notifications to work": "يجب تفعيل أيقونة شريط المهام لكي تعمل الإشعارات", + "Enable WingetUI notifications": "تفعيل إشعارات UniGetUI", + "Show a notification when there are available updates": "إظهار إشعار عند توفر تحديثات", + "Show a silent notification when an operation is running": "إظهار إشعار صامت عند تشغيل عملية ما", + "Show a notification when an operation fails": "إظهار إشعار عند فشل العملية", + "Show a notification when an operation finishes successfully": "إظهار إشعار عند انتهاء العملية بنجاح", + "Concurrency and execution": "التزامن والتنفيذ", + "Automatic desktop shortcut remover": "إزالة اختصار سطح المكتب تلقائيًا", + "Clear successful operations from the operation list after a 5 second delay": "مسح العمليات الناجحة من قائمة العمليات بعد 5 ثوانٍ", + "Download operations are not affected by this setting": "عمليات التنزيل لا تتأثر بهذا الإعداد", + "Try to kill the processes that refuse to close when requested to": "حاول إنهاء العمليات التي ترفض الإغلاق عند طلب ذلك", + "You may lose unsaved data": "قد تفقد بيانات غير محفوظة", + "Ask to delete desktop shortcuts created during an install or upgrade.": "اطلب حذف اختصارات سطح المكتب التي تم إنشاؤها أثناء التثبيت أو الترقية.", + "Package update preferences": "تفضيلات تحديث الحزمة", + "Update check frequency, automatically install updates, etc.": "تردد فحص التحديثات، تثبيت التحديثات تلقائياً، إلخ.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "تقليل مطالبات UAC، ورفع التثبيتات افتراضيًا، وفتح بعض الميزات الخطيرة، وغير ذلك.", + "Package operation preferences": "تفضيلات عملية الحزمة", + "Enable {pm}": "تفعيل {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "ألا تجد الملف الذي تبحث عنه؟ تأكد من أنه تمت إضافته إلى المسار.", + "For security reasons, changing the executable file is disabled by default": "لدواعٍ أمنية، يكون تغيير الملف التنفيذي معطّلًا افتراضيًا", + "Change this": "تغيير هذا", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "حدد الملف التنفيذي المراد استخدامه. تعرض القائمة التالية الملفات التنفيذية التي عثر عليها UniGetUI", + "Current executable file:": "الملف التنفيذي الحالي:", + "Ignore packages from {pm} when showing a notification about updates": "تجاهل الحزم من {pm} عند إظهار إشعار عن التحديث", + "View {0} logs": "إظهار {0} سجل", + "Advanced options": "خيارات متقدمة", + "Reset WinGet": "إعادة تعيين WinGet", + "This may help if no packages are listed": "قد يكون هذا مفيدًا إذا لم يتم إدراج أي حزم", + "Force install location parameter when updating packages with custom locations": "فرض معامل موقع التثبيت عند تحديث الحزم ذات المواقع المخصصة", + "Use bundled WinGet instead of system WinGet": "استخدم WinGet المجمع بدلاً من WinGet الخاص بالنظام", + "This may help if WinGet packages are not shown": "قد يكون هذا مفيدًا إذا لم يتم عرض حزم WinGet", + "Install Scoop": "تثبيت Scoop", + "Uninstall Scoop (and its packages)": "إلغاء تثبيت Scoop (و حزمه)", + "Run cleanup and clear cache": "قم بتشغيل التنظيف ومسح ذاكرة التخزين المؤقت", + "Run": "تشغيل", + "Enable Scoop cleanup on launch": "تفعيل تنظيف Scoop عند البدأ", + "Use system Chocolatey": "استخدم نظام Chocolatey", + "Default vcpkg triplet": "ثلاثية vcpkg الافتراضية", + "Language, theme and other miscellaneous preferences": "اللغة, المظهر و تفضيلات متنوعة أخرى", + "Show notifications on different events": "إظهار الإشعارات حول الأحداث المختلفة", + "Change how UniGetUI checks and installs available updates for your packages": "تغيير كيفية قيام UniGetUI بالتحقق من التحديثات المتوفرة لحزمك وتثبيتها", + "Automatically save a list of all your installed packages to easily restore them.": "تلقائياً قم بحفظ قائمة لكل حُزمِك المثبتة لاستعادتها بسهولة.", + "Enable and disable package managers, change default install options, etc.": "تمكين مديري الحزم وتعطيلهم، وتغيير خيارات التثبيت الافتراضية، وغير ذلك.", + "Internet connection settings": "إعدادات اتصال الانرنت", + "Proxy settings, etc.": "إعدادات الوكيل، وأخرى.", + "Beta features and other options that shouldn't be touched": "ميزات تجريبية و خيارات أخرى لا يجب لمسها", + "Update checking": "التحقق من التحديثات", + "Automatic updates": "التحديثات التلقائية", + "Check for package updates periodically": "البحث عن التحديثات بشكل متكرر", + "Check for updates every:": "البحث عن التحديثات كل:", + "Install available updates automatically": "تثبيت التحديثات المتوفرة تلقائيًا", + "Do not automatically install updates when the network connection is metered": "لا تقم بتثبيت التحديثات تلقائياً عندما يكون اتصال الشبكة محدود", + "Do not automatically install updates when the device runs on battery": "عدم تثبيت التحديثات تلقائيًا عندما يعمل الجهاز على البطارية", + "Do not automatically install updates when the battery saver is on": "لا تقم بتثبيت التحديثات تلقائياً عند تشغيل وضع توفير الطاقة", + "Change how UniGetUI handles install, update and uninstall operations.": "تغيير كيفية تولي UniGetUI لعمليات التثبيت، التحديث، والإزالة.", + "Package Managers": "مدراء الحزم", + "More": "أكثر", + "WingetUI Log": "سجل UniGetUI", + "Package Manager logs": "سجلات نظام إدارة الحزم", + "Operation history": "سجل العمليات", + "Help": "مساعدة", + "Order by:": "رتب بحسب:", + "Name": "الاسم", + "Id": "معرّف", + "Ascendant": "صعوداً", + "Descendant": "تنازلي", + "View mode:": "طريقة العرض:", + "Filters": "فرز", + "Sources": "المصادر", + "Search for packages to start": "ابحث عن الحزم للبدء", + "Select all": "تحديد الكل", + "Clear selection": "إزالة التحديد", + "Instant search": "البحث الفوري", + "Distinguish between uppercase and lowercase": "تمييز بين الأحرف الكبيرة والصغيرة", + "Ignore special characters": "تجاهل الأحرف الخاصة", + "Search mode": "وضع البحث", + "Both": "كلاهما", + "Exact match": "تطابق تام\n", + "Show similar packages": "إظهار الحُزم المتشابهة", + "No results were found matching the input criteria": "لم يتم العثور على نتائج مطابقة لمعايير الإدخال", + "No packages were found": "لم يتم العثور على الحُزم", + "Loading packages": "تحميل الحزم", + "Skip integrity checks": "تخطي عمليات التحقق من السلامة", + "Download selected installers": "تحميل المُنصِّب المحدد", + "Install selection": "تثبيت المُحدد", + "Install options": "خيارات التثبيت", + "Share": "مشاركة", + "Add selection to bundle": "إضافة المُحدد إلى الحزمة", + "Download installer": "تحميل المُنصِّب", + "Share this package": "مشاركة هذه الحزمة", + "Uninstall selection": "إلغاء تثبيت المحدد", + "Uninstall options": "خيارات إلغاء التثبيت", + "Ignore selected packages": "تجاهل الحزم المحددة", + "Open install location": "فتح موقع التثبيت", + "Reinstall package": "إعادة تثبيت الحزمة", + "Uninstall package, then reinstall it": "أزِل تثبيت الحزمة, ثم أعِد تثبيتها", + "Ignore updates for this package": "تجاهل التحديثات لهذه الحزمة", + "Do not ignore updates for this package anymore": "لا تتجاهل التحديثات الخاصة بهذه الحزمة بعد الآن", + "Add packages or open an existing package bundle": "أضف حزم أو افتح حزمة مسبقة", + "Add packages to start": "أضف حزم للبدء", + "The current bundle has no packages. Add some packages to get started": "لا تحتوي الحزمة الحالية على أي حزم. أضف بعض الحزم للبدء", + "New": "جديد", + "Save as": "حفظ كـ", + "Remove selection from bundle": "حذف المحدد من الحزمة", + "Skip hash checks": "تخطي عمليات التحقق من hash", + "The package bundle is not valid": "الحزمة غير صالحة", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "يبدو أن الحزمة التي تحاول تحميلها غير صالحة. يرجى التحقق من الملف والمحاولة مرة أخرى.", + "Package bundle": "حزمة الحزمة", + "Could not create bundle": "لم يتمكن من إنشاء الحزمة", + "The package bundle could not be created due to an error.": "لم يتم إنشاء حزمة الحزمة بسبب خطأ.", + "Bundle security report": "رزمة تقرير الأمان", + "Hooray! No updates were found.": "يا للسعادة! لم يتم العثور على أية تحديثات!", + "Everything is up to date": "كل شيءٍ مُحدّث", + "Uninstall selected packages": "إلغاء تثبيت الحزم المحددة", + "Update selection": "تحديث المحدد", + "Update options": "خيارات التحديث", + "Uninstall package, then update it": "أزِل تثبيت الحزمة, ثم حدِثّها", + "Uninstall package": "إلغاء تثبيت الحزمة", + "Skip this version": "تخطي هذه النسخة", + "Pause updates for": "إيقاف التحديثات لـ", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "مدير حزمة Rust.
يحتوي على: مكتبات Rust والبرامج المكتوبة بلغة Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "نظام إدارة الحزم الكلاسيكي لويندوز. ستجد كل شيء هناك.
يحتوي على: برامج عامة ", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "مستودع مليء بالأدوات والملفات القابلة للتنفيذ المصممة مع وضع نظام Microsoft البيئي .NET في الاعتبار.
يحتوي على: أدوات وبرامج نصية مرتبطة بـ .NET", + "NuPkg (zipped manifest)": "NuPkg (بيان مضغوط)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "مدير حزم Node JS. مليئة بالمكتبات والأدوات المساعدة الأخرى التي تدور حول عالم جافا سكريبت
تحتوي على: مكتبات Node javascript والأدوات المساعدة الأخرى ذات الصلة ", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "مدير مكتبة بايثون. مليء بمكتبات بايثون وأدوات مساعدة أخرى متعلقة بالبايثون
يحتوي على: مكتبات بايثون وأدوات مساعدة متعلقة", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "مدير حزم PowerShell. ابحث عن المكتبات والبرامج النصية لتوسيع إمكانيات PowerShell
يحتوي على: وحدات نمطية وبرامج نصية وأدوات أوامر", + "extracted": "تم استخراجه", + "Scoop package": "حزم Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "حزمة عظيمة من الأدوات المجهولة ولكن مفيدة، بالإضافة إلى حزمات مثيرة للإهتمام.
تحتوي:
أدوات، سطور أوامر، برامج، وبرمجيات عامة (بحاجة لحاوية إضافية", + "library": "مكتبة", + "feature": "ميزة", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "مدير مكتبات ++C/C شائع الاستخدام. مليء بمكتبات ++C/C وأدوات مساعدة أخرى متعلقة بـ ++C/C
يحتوي على: مكتبات ++C/C وأدوات مساعدة ذات صلة", + "option": "خيار", + "This package cannot be installed from an elevated context.": "لا يمكن تثبيت هذه الحزمة من سياق مرتفع.", + "Please run UniGetUI as a regular user and try again.": "يرجى تشغيل UniGetUI كمستخدم عادي ثم حاول مرة أخرى.", + "Please check the installation options for this package and try again": "يرجى التحقق من خيارات التثبيت لهذه الحزمة ثم المحاولة مرة أخرى", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "مدير الحزم الرسمي لشركة Microsoft. مليئة بالحزم المعروفة والتي تم التحقق منها
تحتوي على: برامج عامة ، تطبيقات متجر مايكروسوفت", + "Local PC": "الكمبيوتر المحلي", + "Android Subsystem": "نظام Android الفرعي", + "Operation on queue (position {0})...": "العملية على قائمة الانتظار (الموضع {0})...", + "Click here for more details": "اضغط هنا للمزيد من التفاصيل", + "Operation canceled by user": "تم إلغاء العملية بواسطة المستخدم", + "Starting operation...": "يجري التسغيل...", + "{package} installer download": "حمّل مثبّت {package}", + "{0} installer is being downloaded": "مثبت {0} قيد التحميل", + "Download succeeded": "تم التحميل بنجاح", + "{package} installer was downloaded successfully": "تم تحميل مثبّت {package} بنجاح", + "Download failed": "فشل التحميل", + "{package} installer could not be downloaded": "لم يتم تحميل مثبّت {package}", + "{package} Installation": "{package} التثبيت", + "{0} is being installed": "جاري تثبيت {0}", + "Installation succeeded": "نجاح التنزيل", + "{package} was installed successfully": "تم تثبيت {package} بنجاح", + "Installation failed": "فشل التنزيل", + "{package} could not be installed": "لم يتم تثبيت {package}", + "{package} Update": "تحديث {package}", + "{0} is being updated to version {1}": "يتم تحديث {0} إلى الإصدار {1}", + "Update succeeded": "تم التحديث بنجاح", + "{package} was updated successfully": "تم تحديث {package} بنجاح", + "Update failed": "فشل التحديث", + "{package} could not be updated": "لم يتمكن من تحديث {package}", + "{package} Uninstall": "{package} إلغاء التثبيت", + "{0} is being uninstalled": "جاري إلغاء تثبيت {0}", + "Uninstall succeeded": "تم إلغاء التثبيت بنجاح", + "{package} was uninstalled successfully": "تم إلغاء تثبيت {package} بنجاح", + "Uninstall failed": "فشل إلغاء التثبيت", + "{package} could not be uninstalled": "لم يتم إلغاء تثبيت {package}", + "Adding source {source}": "إضافة مصدر {source}", + "Adding source {source} to {manager}": "إضافة المصدر {source} إلى {manager} ", + "Source added successfully": "تم إضافة المصدر بنجاح", + "The source {source} was added to {manager} successfully": "تمت إضافة المصدر {source} إلى {manager} بنجاح", + "Could not add source": "لم يتم إضافة مصدر", + "Could not add source {source} to {manager}": "لم يٌتمكن من إضافة المصدر {source} إلى {manager}", + "Removing source {source}": "إزالة المصدر {source}", + "Removing source {source} from {manager}": "إزالة المصدر {source} من {manager}", + "Source removed successfully": "تم حذف المصدر بنجاح", + "The source {source} was removed from {manager} successfully": "تم إزالة المصدر {source} من {manager} بنجاح", + "Could not remove source": "لم يتم إزالة المصدر", + "Could not remove source {source} from {manager}": "لم تتم إزالة المصدر {source} من {manager}", + "The package manager \"{0}\" was not found": "لم يتم العثور على مدير الحزمة \"{0}\"", + "The package manager \"{0}\" is disabled": "تم تعطيل مدير الحزمة \"{0}\"", + "There is an error with the configuration of the package manager \"{0}\"": "يوجد خطأ في تكوين مدير الحزم \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "لم يتم العثور على الحزمة \"{0}\" في مدير الحزم \"{1}\"", + "{0} is disabled": "{0} غير مفعل", + "Something went wrong": "حدث خطأ ما", + "An interal error occurred. Please view the log for further details.": "حدث خطأ داخلي. يرجى الاطلاع على السجل لمزيد من التفاصيل.", + "No applicable installer was found for the package {0}": "لم يتم العثور على مثبّت مناسب لهذه الحزمة {0}", + "We are checking for updates.": "نحن نتحقق من وجود تحديثات.", + "Please wait": "يرجى الإنتظار", + "UniGetUI version {0} is being downloaded.": "جاري تنزيل إصدار UniGetUI {0}.", + "This may take a minute or two": "قد يستغرق هذا دقيقة أو دقيقتين", + "The installer authenticity could not be verified.": "لم يتم التحقق من صحة المثبت.", + "The update process has been aborted.": "لقد تم إلغاء عملية التحديث.", + "Great! You are on the latest version.": "رائع! أنت تستخدم الإصدار الأحدث.", + "There are no new UniGetUI versions to be installed": "لا توجد إصدارات جديدة من UniGetUI ليتم تثبيتها\n", + "An error occurred when checking for updates: ": "حدث خطأ عند البحث عن التحديثات:", + "UniGetUI is being updated...": "جاري تحديث UniGetUI...", + "Something went wrong while launching the updater.": "لقد حدث خطأ ما أثناء تشغيل برنامج التحديث.", + "Please try again later": "يرجى المحاولة مرة أخرى لاحقًا", + "Integrity checks will not be performed during this operation": "عمليات التحقق من السلامة لن يتم تنفيذها أثناء هذه العملية", + "This is not recommended.": "غير موصى به", + "Run now": "تشغيل الآن", + "Run next": "تشغيل التالي", + "Run last": "تشغيل الأخير", + "Retry as administrator": "المحاولة كمسؤول", + "Retry interactively": "المحاولة تفاعلياً", + "Retry skipping integrity checks": "إعادة محاولة عمليات التحقق من السلامة التي تم تخطيها", + "Installation options": "خيارات التثبيت", + "Show in explorer": "الإظهار في المستكشف", + "This package is already installed": "هذه الحزمة مثبتة سابقا ", + "This package can be upgraded to version {0}": "يمكن تحديث هذه الحزمة إلى الإصدار {0}", + "Updates for this package are ignored": "تجاهل التحديثات لهذه الحزمة", + "This package is being processed": "تتم معالجة هذه الحزمة", + "This package is not available": "هذه الحزمة غير متوفرة", + "Select the source you want to add:": "قم تحديد المصدر المُراد إضافته:", + "Source name:": "اسم المصدر:", + "Source URL:": "رابط المصدر:", + "An error occurred": "حدث خطأ", + "An error occurred when adding the source: ": "حدث خطأ عند إضافة المصدر:", + "Package management made easy": "إدارة الحزم أصبحت سهلة", + "version {0}": "الإصدار {0}", + "[RAN AS ADMINISTRATOR]": "[RAN AS ADMINISTRATOR]", + "Portable mode": "الوضع المتنقل.", + "DEBUG BUILD": "أصدار التصحيح.", + "Available Updates": "التحديثات المتاحة", + "Show WingetUI": "إظهار UniGetUI", + "Quit": "خروج", + "Attention required": "مطلوب الانتباه", + "Restart required": "إعادة التشغيل مطلوبة", + "1 update is available": "يوجد تحديث 1 متوفر", + "{0} updates are available": "التحديثات المتاحة: {0}", + "WingetUI Homepage": "الصفحة الرئيسية لـ UniGetUI", + "WingetUI Repository": "مستودع UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "يمكنك هنا تغيير سلوك UniGetUI فيما يتعلق بالاختصارات التالية. سيؤدي تحديد اختصار إلى جعل UniGetUI يحذفه إذا تم إنشاؤه في ترقية مستقبلية. سيؤدي إلغاء تحديده إلى إبقاء الاختصار سليمًا", + "Manual scan": "الفحص اليدوي.", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "الاختصارات الموجودة على سطح المكتب سيتم مسحها، وستحتاج إلى اختيار أيٍّ منها لتبقى وأيٍّ منها لتُحذَف.", + "Continue": "أكمل", + "Delete?": "حذف؟", + "Missing dependency": "الاعتمادات مفقود", + "Not right now": "ليس الان", + "Install {0}": "تثبيت {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "يتطلب UniGetUI {0} للعمل، ولكن لم يتم العثور عليه على نظامك.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "انقر فوق \"تثبيت\" لبدء عملية التثبيت. إذا تخطيت عملية التثبيت، فقد لا يعمل UniGetUI بالشكل المتوقع.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "بدلا من ذلك، يمكنك تثبيت {0} عن طريق لصق هذا اﻷمر في نافذة powershell", + "Do not show this dialog again for {0}": "لا تعرض مربع الحوار هذا مرة أخرى {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "يرجى الانتظار أثناء تثبيت {0}. قد تظهر نافذة سوداء. يرجى الانتظار حتى يتم إغلاقها.", + "{0} has been installed successfully.": "تم تثبيت {0} بنجاح.", + "Please click on \"Continue\" to continue": "الرجاء الضغط على \"متابعة\" للمتابعة", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "تم تثبيت {0} بنجاح. يوصى بإعادة تشغيل UniGetUI لإكمال التثبيت", + "Restart later": "إعادة التشغيل لاحقاً", + "An error occurred:": "حدث خطأ:", + "I understand": "أنا أتفهم", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "تم تشغيل UniGetUI كمسؤول، وهو أمر غير مستحسن. عند تشغيل UniGetUI كمسؤول، فإن كل عملية يتم إطلاقها من UniGetUI سيكون لها امتيازات المسؤول. لا يزال بإمكانك استخدام البرنامج، لكننا نوصي بشدة بعدم تشغيل UniGetUI بامتيازات المسؤول.", + "WinGet was repaired successfully": "تم إصلاح WinGet بنجاح", + "It is recommended to restart UniGetUI after WinGet has been repaired": "يوصى بإعادة تشغيل UniGetUI بعد إصلاح WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ملاحظة: يمكن تعطيل أداة استكشاف الأخطاء وإصلاحها هذه من إعدادات UniGetUI، في قسم WinGet", + "Restart": "إعادة التشغيل", + "WinGet could not be repaired": "لم يتم إصلاح WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "حدثت مشكلة غير متوقعة أثناء محاولة إصلاح WinGet. يرجى المحاولة مرة أخرى لاحقًا", + "Are you sure you want to delete all shortcuts?": "هل أنت متأكد من أنك تريد حذف جميع الاختصارات؟", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "أي اختصارات جديدة تُنشأ أثناء عملية تثبيت أو تحديث سيتم حذفها تلقائياً، بدلاً من إظهار إشارة تأكيد في المرة الأولى التي يتم اكتشافها فيها.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "أيّ اختصارات تُنشأ أو تُعَدّل خارج UniGetUI سيتم تجاهلها. ستتمكن من إضافتها من خلال الزر {0}.", + "Are you really sure you want to enable this feature?": "هل أنت متأكد من أنك تريد تفعيل هذه الخاصية؟", + "No new shortcuts were found during the scan.": "فشل العثور على اختصارات جديدة أثناء الفحص.", + "How to add packages to a bundle": "كيفية إضافة الحزم إلى الباقة", + "In order to add packages to a bundle, you will need to: ": "من أجل إضافة حزم إلى الباقة، ستحتاج إلى:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "تنقّل إلى صفحة \"{0}\" أو \"{1}\"", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. حدد موقع الحزمة/الحزم التي تريد إضافتها إلى الباقة، وحدد مربع الاختيار أقصى اليسار", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. عندما تكون الحزم التي تريد إضافتها إلى الباقة مُختارة، جِد واصغط الخيار \"{0}\" في شريط الأدوات.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. سيتم إضافة حزمك إلى الباقة. يمكنك مواصلة إضافة الحزم، أو تصدير الباقة.", + "Which backup do you want to open?": "أي نسخة احتياطية تريد فتحها؟", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "حدد النسخة الاحتياطية التي تريد فتحها. ستتمكن لاحقًا من مراجعة الحزم أو البرامج التي تريد استعادتها.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "هناك عمليات جارية. قد يؤدي إغلاق UniGetUI إلى فشلها. هل تريد الاستمرار؟", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI أو بعض مكوّناته مفقودة أو تالفة.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "يوصى بشدة بإعادة تثبيت UniGetUI لمعالجة هذا الوضع.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "ارجع إلى سجلات UniGetUI للحصول على مزيد من التفاصيل حول الملف أو الملفات المتأثرة", + "Integrity checks can be disabled from the Experimental Settings": "يمكن تعطيل عمليات التحقق من السلامة من الإعدادات التجريبية", + "Repair UniGetUI": "إصلاح UniGetUI", + "Live output": "الإخراج المباشر", + "Package not found": "الحزمة غير موجودة", + "An error occurred when attempting to show the package with Id {0}": "حصل خطأ عند محاولة عرض الحزمة مع المعرف {0}", + "Package": "حزمة", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "تحتوي باقة الحزم هذه على بعض الإعدادات التي قد تكون خطيرة وقد يتم تجاهلها افتراضيًا.", + "Entries that show in YELLOW will be IGNORED.": "سيتم تجاهل الإدخالات التي تظهر باللون الأصفر.", + "Entries that show in RED will be IMPORTED.": "سيتم استيراد الإدخالات التي تظهر باللون الأحمر.", + "You can change this behavior on UniGetUI security settings.": "يمكنك تغيير هذا السلوك من إعدادات أمان UniGetUI.", + "Open UniGetUI security settings": "افتح إعدادات أمان UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "إذا عدّلت إعدادات الأمان، فستحتاج إلى فتح الباقة مرة أخرى حتى تدخل التغييرات حيّز التنفيذ.", + "Details of the report:": "تفاصيل التقرير:", "\"{0}\" is a local package and can't be shared": "\"{0}\" هي حزمة محلية ولا يمكننا تحديثها", + "Are you sure you want to create a new package bundle? ": "هل أنت متأكد من أنك تريد إنشاء حزمة جديدة؟", + "Any unsaved changes will be lost": "أي حزم غير محفوظة ستُفقد", + "Warning!": "تحذير!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "لدواعٍ أمنية، تكون وسائط سطر الأوامر المخصصة معطّلة افتراضيًا. انتقل إلى إعدادات أمان UniGetUI لتغيير ذلك.", + "Change default options": "تغيير الخيارات الإفتراضية", + "Ignore future updates for this package": "تجاهل التحديثات المستقبلية لهذه الحزمة", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "لدواعٍ أمنية، تكون البرامج النصية قبل العملية وبعدها معطّلة افتراضيًا. انتقل إلى إعدادات أمان UniGetUI لتغيير ذلك.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "يمكنك تحديد الأوامر التي سيتم تشغيلها قبل تثبيت هذه الحزمة أو تحديثها أو إلغاء تثبيتها أو بعد ذلك. سيتم تشغيلها في موجه الأوامر، لذا ستعمل برامج CMD النصية هنا.", + "Change this and unlock": "تغيير هذا والغاء القفل", + "{0} Install options are currently locked because {0} follows the default install options.": "خيارات تثبيت {0} مقفلة حاليًا لأن {0} يتبع خيارات التثبيت الافتراضية.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "حدد العمليات التي يجب إغلاقها قبل تثبيت هذه الحزمة أو تحديثها أو إلغاء تثبيتها.", + "Write here the process names here, separated by commas (,)": "اكتب هنا أسماء العمليات، مفصولة بفواصل (,)", + "Unset or unknown": "غير معروف أو لم يتم ضبطها", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "يرجى الاطلاع على مخرجات سطر الأوامر أو الرجوع إلى سجل العمليات للحصول على مزيد من المعلومات حول المشكلة.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "هل لا تحتوي هذه الحزمة على لقطات شاشة أو تفتقد الرمز؟ ساهم في UniGetUI عن طريق إضافة الأيقونات ولقطات الشاشة المفقودة إلى قاعدة البيانات العامة المفتوحة لدينا.", + "Become a contributor": "كن مساهاً", + "Save": "حفظ", + "Update to {0} available": "التحديث إلى {0} متاح", + "Reinstall": "إعادة التثبيت", + "Installer not available": "المثبت غير متوفر", + "Version:": "الإصدار:", + "Performing backup, please wait...": "يتم النسخ الإحتياطي الآن, يرجى الإنتظار...", + "An error occurred while logging in: ": "حدث خطأ عند تسجيل الدخول", + "Fetching available backups...": "إسترداد النسخ الاحتياطية المتوفرة...", + "Done!": "تم!", + "The cloud backup has been loaded successfully.": "تم تحميل النسخة الاحتياطية السحابية بنجاح.", + "An error occurred while loading a backup: ": "حدث خطأ أثناء تحميل النسخة الإحتياطية:", + "Backing up packages to GitHub Gist...": "يتم النسخ الاحتياطي للحزم الى GitHub Gist...", + "Backup Successful": "نجح النسخ الاحتياطي", + "The cloud backup completed successfully.": "اكتمل النسخ الاحتياطي السحابي بنجاح.", + "Could not back up packages to GitHub Gist: ": "تعذر نسخ الحزم احتياطيًا إلى GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "ليس مضموناً أن بيانات الاعتماد المقدّمة سيتم حفظها بأمان، لذلك لا تقم باستخدام بيانات حسابك المصرفي", + "Enable the automatic WinGet troubleshooter": "تمكين مستكشف أخطاء WinGet التلقائي", + "Enable an [experimental] improved WinGet troubleshooter": "تفعيل مستكشف أخطاء WinGet [التجريبي] المحسّن", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "أضف التحديثات التي تفشل بـ \"لا يوجد تحديث قابل للتطبيق\" إلى قائمة التحديثات التي تم تجاهلها", + "Restart WingetUI to fully apply changes": "أعد تشغيل UniGetUI لتطبيق التغييرات بشكل تام", + "Restart WingetUI": "إعادة تشغيل UniGetUI", + "Invalid selection": "تحديد غير صالح", + "No package was selected": "لم يتم تحديد أي حزمة", + "More than 1 package was selected": "تم تحديد أكثر من حزمة واحدة", + "List": "قائمة", + "Grid": "شبكة", + "Icons": "أيقونات", "\"{0}\" is a local package and does not have available details": "\"{0}\" هي حزمة محلية وليس لها تفاصيل متاحة", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" هي حزمة محلية وليست متوافقة مع هذه الخاصية", - "(Last checked: {0})": "(أخر تحقق: {0}) ", + "WinGet malfunction detected": "تم اكتشاف خلل في برنامج WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "يبدو أن WinGet لا يعمل بشكل صحيح. هل تريد محاولة إصلاح WinGet؟", + "Repair WinGet": "إصلاح WinGet", + "Create .ps1 script": "إنشاء برنامج نصي بصيغة .ps1", + "Add packages to bundle": "أضف الحزم إلى الباقة", + "Preparing packages, please wait...": "جاري تحضير الحزم ، يرجى الانتظار...", + "Loading packages, please wait...": "يتم تحميل الحُزم, يرجى الإنتظار...", + "Saving packages, please wait...": "يتم حفظ الحُزم, يرجى الإنتظار...", + "The bundle was created successfully on {0}": "تم إنشاء الباقة بنجاح في {0}", + "Install script": "برنامج نصي للتثبيت", + "The installation script saved to {0}": "تم حفظ برنامج التثبيت النصي في {0}", + "An error occurred while attempting to create an installation script:": "حدث خطأ عند محاولة انشاء نص تثبيت", + "{0} packages are being updated": "يتم تحديث {0} حزمة", + "Error": "خطأ", + "Log in failed: ": "فشل تسجيل الدخول:", + "Log out failed: ": "فشل تسجيل الخروج:", + "Package backup settings": "إعدادات النسخ الاحتياطي للحزم", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(الرقم {0} في الدور)\n", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Abdu11ahAS, @mo9a7i, @FancyCookin, @Abdullah-Dev115, @bassuny3003, @DaRandomCube, @AbdullahAlousi, @IFrxo", "0 packages found": "لم يتم العثور على أية حزمة", "0 updates found": "لم يتم العثور على أية تحديثات", - "1 - Errors": "1- أخطاء", - "1 day": "يوم 1", - "1 hour": "ساعة واحدة", "1 month": "شهر واحد", "1 package was found": "تم العثور على حزمة واحدة", - "1 update is available": "يوجد تحديث 1 متوفر", - "1 week": "أسبوع واحد", "1 year": "سنة واحدة", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "تنقّل إلى صفحة \"{0}\" أو \"{1}\"", - "2 - Warnings": "2- تحذيرات", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. حدد موقع الحزمة/الحزم التي تريد إضافتها إلى الباقة، وحدد مربع الاختيار أقصى اليسار", - "3 - Information (less)": "3- معلومات (أقل)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. عندما تكون الحزم التي تريد إضافتها إلى الباقة مُختارة، جِد واصغط الخيار \"{0}\" في شريط الأدوات.", - "4 - Information (more)": "4- معلومات (أكثر)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. سيتم إضافة حزمك إلى الباقة. يمكنك مواصلة إضافة الحزم، أو تصدير الباقة.", - "5 - information (debug)": "5- معلومات (للمعالجة)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "مدير مكتبات ++C/C شائع الاستخدام. مليء بمكتبات ++C/C وأدوات مساعدة أخرى متعلقة بـ ++C/C
يحتوي على: مكتبات ++C/C وأدوات مساعدة ذات صلة", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "مستودع مليء بالأدوات والملفات القابلة للتنفيذ المصممة مع وضع نظام Microsoft البيئي .NET في الاعتبار.
يحتوي على: أدوات وبرامج نصية مرتبطة بـ .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "مستودع مليء بالأدوات المصممة مع وضع نظام Microsoft البيئي .NET في الاعتبار.
يحتوي على: أدوات ذات صلة بـ .NET", "A restart is required": "إعادة التشغيل مطلوب", - "Abort install if pre-install command fails": "إلغاء التثبيت إذا فشل أمر التثبيت المسبق", - "Abort uninstall if pre-uninstall command fails": "إلغاء أزالة التثبيت إذا فشل أمر ما قبل الإزالة", - "Abort update if pre-update command fails": "إلغاء التحديث إذا فشل أمر ما قبل التحديث", - "About": "عنا", "About Qt6": "عن Qt6", - "About WingetUI": "عن UniGetUI", "About WingetUI version {0}": "عن UniGetUI إصدار {0}", "About the dev": "عن المطوّر", - "Accept": "قبول", "Action when double-clicking packages, hide successful installations": "الحدث عند النقر-المزدوج على الحزم, إخفاء التثبيت الناجح", - "Add": "إضافة", "Add a source to {0}": "إضافة مصدر إلى {0}", - "Add a timestamp to the backup file names": "إضافة ختم زمني إلى أسماء ملفات النسخ الاحتياطي", "Add a timestamp to the backup files": "إضافة ختم زمني إلى ملفات النسخ الاحتياطي", "Add packages or open an existing bundle": "إضافة حُزم أو فتح حزمة موجودة", - "Add packages or open an existing package bundle": "أضف حزم أو افتح حزمة مسبقة", - "Add packages to bundle": "أضف الحزم إلى الباقة", - "Add packages to start": "أضف حزم للبدء", - "Add selection to bundle": "إضافة المُحدد إلى الحزمة", - "Add source": "إضافة مصدر", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "أضف التحديثات التي تفشل بـ \"لا يوجد تحديث قابل للتطبيق\" إلى قائمة التحديثات التي تم تجاهلها", - "Adding source {source}": "إضافة مصدر {source}", - "Adding source {source} to {manager}": "إضافة المصدر {source} إلى {manager} ", "Addition succeeded": "نجحت الإضافة", - "Administrator privileges": "صلاحيات المسؤول", "Administrator privileges preferences": "تفضيلات صلاحيات المسؤول", "Administrator rights": "صلاحيات المسؤول", - "Administrator rights and other dangerous settings": "صلاحيات المسؤول وإعدادت خطيرة أخرى", - "Advanced options": "خيارات متقدمة", "All files": "جميع الملفات", - "All versions": "كل الإصدارات", - "Allow changing the paths for package manager executables": "السماح بتغيير المسارات لملفات مدير الحزم التنفيذية", - "Allow custom command-line arguments": "السماح بمعاملات سطر الأوامر المخصصة", - "Allow importing custom command-line arguments when importing packages from a bundle": "السماح باستيراد معاملات سطر الأوامر المخصصة عند استيراد الحزم من رزمة", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "السماح باستيراد أوامر ما قبل التثبيت وما بعده المخصصة عند استيراد الحزم من باقة", "Allow package operations to be performed in parallel": "السماح بإجراء عمليات الحزمة بالتوازي", "Allow parallel installs (NOT RECOMMENDED)": "السماح بالتثبيت المتعدد (غير مستحسن)", - "Allow pre-release versions": "السماح بنسخ ماقبل الاصدار", "Allow {pm} operations to be performed in parallel": "السماح لعمليات {pm} بالعمل على التوازي ", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "بدلا من ذلك، يمكنك تثبيت {0} عن طريق لصق هذا اﻷمر في نافذة powershell", "Always elevate {pm} installations by default": "رفع تثبيتات {pm} دائماً افتراضياً", "Always run {pm} operations with administrator rights": "السماح دائماً بشتغيل عمليات {pm} بصلاحيات المسؤول", - "An error occurred": "حدث خطأ", - "An error occurred when adding the source: ": "حدث خطأ عند إضافة المصدر:", - "An error occurred when attempting to show the package with Id {0}": "حصل خطأ عند محاولة عرض الحزمة مع المعرف {0}", - "An error occurred when checking for updates: ": "حدث خطأ عند البحث عن التحديثات:", - "An error occurred while attempting to create an installation script:": "حدث خطأ عند محاولة انشاء نص تثبيت", - "An error occurred while loading a backup: ": "حدث خطأ أثناء تحميل النسخة الإحتياطية:", - "An error occurred while logging in: ": "حدث خطأ عند تسجيل الدخول", - "An error occurred while processing this package": "حدث خطاُ وقت معالجة هذه الحزمة", - "An error occurred:": "حدث خطأ:", - "An interal error occurred. Please view the log for further details.": "حدث خطأ داخلي. يرجى الاطلاع على السجل لمزيد من التفاصيل.", "An unexpected error occurred:": "حدث خطأٌ غيرمُتوقع:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "حدثت مشكلة غير متوقعة أثناء محاولة إصلاح WinGet. يرجى المحاولة مرة أخرى لاحقًا", - "An update was found!": "تم إيجاد تحديث!", - "Android Subsystem": "نظام Android الفرعي", "Another source": "مصدرُ آخر", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "أي اختصارات جديدة تُنشأ أثناء عملية تثبيت أو تحديث سيتم حذفها تلقائياً، بدلاً من إظهار إشارة تأكيد في المرة الأولى التي يتم اكتشافها فيها.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "أيّ اختصارات تُنشأ أو تُعَدّل خارج UniGetUI سيتم تجاهلها. ستتمكن من إضافتها من خلال الزر {0}.", - "Any unsaved changes will be lost": "أي حزم غير محفوظة ستُفقد", "App Name": "اسم التطبيق", - "Appearance": "المظهر", - "Application theme, startup page, package icons, clear successful installs automatically": "سمة التطبيق، صفحة بدء التشغيل، أيقونات الحزمة، مسح التثبيتات الناجحة تلقائيًا", - "Application theme:": "مظهر التطبيق:", - "Apply": "تطبيق", - "Architecture to install:": "المعمارية للتثبيت:", "Are these screenshots wron or blurry?": "هل لقطات الشاشة هذه خاطئة أو غير واضحة؟", - "Are you really sure you want to enable this feature?": "هل أنت متأكد من أنك تريد تفعيل هذه الخاصية؟", - "Are you sure you want to create a new package bundle? ": "هل أنت متأكد من أنك تريد إنشاء حزمة جديدة؟", - "Are you sure you want to delete all shortcuts?": "هل أنت متأكد من أنك تريد حذف جميع الاختصارات؟", - "Are you sure?": "هل أنت متأكد؟", - "Ascendant": "صعوداً", - "Ask for administrator privileges once for each batch of operations": "اطلب صلاحيات المسؤول مرة واحدة لكل دفعة من العمليات", "Ask for administrator rights when required": "طلب صلاحيات المسؤول عند الحاجة", "Ask once or always for administrator rights, elevate installations by default": "طلب صلاحيات المسؤول مرة أو دائماً, رفع التثبيتات افتراضياً", - "Ask only once for administrator privileges": "السؤال مرة واحد لامتيازات المسؤول", "Ask only once for administrator privileges (not recommended)": "طلب صلاحيات المسؤول مرة واحدة فقط (غير مستحسن)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "اطلب حذف اختصارات سطح المكتب التي تم إنشاؤها أثناء التثبيت أو الترقية.", - "Attention required": "مطلوب الانتباه", "Authenticate to the proxy with an user and a password": "المصادقة على الوكيل مع مستخدم وكلمة مرور", - "Author": "المؤلف", - "Automatic desktop shortcut remover": "إزالة اختصار سطح المكتب تلقائيًا", - "Automatic updates": "التحديثات التلقائية", - "Automatically save a list of all your installed packages to easily restore them.": "تلقائياً قم بحفظ قائمة لكل حُزمِك المثبتة لاستعادتها بسهولة.", "Automatically save a list of your installed packages on your computer.": "تلقائياً قم بحفظ قائمة لكل حُزمِك المثبتة على جهازك.", - "Automatically update this package": "تحديث هذه الحزمة تلقائيًا", "Autostart WingetUI in the notifications area": "تشغيل UniGetUI تلقائياً في منطقة الإشعارات", - "Available Updates": "التحديثات المتاحة", "Available updates: {0}": "التحديثات المتاحة: {0}", "Available updates: {0}, not finished yet...": "التحديثات المتاحة: {0}, لم يتم الانتهاء بعد...", - "Backing up packages to GitHub Gist...": "يتم النسخ الاحتياطي للحزم الى GitHub Gist...", - "Backup": "النسخ الإحتياطي", - "Backup Failed": "فشل النسخ الاحتياطي", - "Backup Successful": "نجح النسخ الاحتياطي", - "Backup and Restore": "النسخ الاحتياطي والاستعادة", "Backup installed packages": "نسخ احتياطي للحزم المثبتة", "Backup location": "موقع النسخة الاحتياطية", - "Become a contributor": "كن مساهاً", - "Become a translator": "كن مُترجِماً", - "Begin the process to select a cloud backup and review which packages to restore": "بدء عملية اختيار نسخ احتياطي سحابي واختيار أي الحزم سيتم استعادتها", - "Beta features and other options that shouldn't be touched": "ميزات تجريبية و خيارات أخرى لا يجب لمسها", - "Both": "كلاهما", - "Bundle security report": "رزمة تقرير الأمان", "But here are other things you can do to learn about WingetUI even more:": "لكن هنا يوجد المزيد من الأشياء التي يمكنك فعلها لتعلم المزيد عن UniGetUI أكثر فأكثر:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "من خلال إيقاف تشغيل مدير الحزم، لن تتمكن بعد الآن من رؤية حزمه أو تحديثها.", "Cache administrator rights and elevate installers by default": "جعل صلاحيات المسؤول مؤقتة و رفع التثبيتات افتراضياً", "Cache administrator rights, but elevate installers only when required": "جعل صلاحيات المسؤول مؤقتة, لكن رفع التثبيتات فقط عند الحاجة", "Cache was reset successfully!": "تمت إعادة ضبط الملفات المؤقتة بنجاح!", "Can't {0} {1}": "لا يمكن {0} {1}", - "Cancel": "إلغاء", "Cancel all operations": "إلغاء جميع العمليات", - "Change backup output directory": "تغيير موقع ملفات النسخ الاحتياطي", - "Change default options": "تغيير الخيارات الإفتراضية", - "Change how UniGetUI checks and installs available updates for your packages": "تغيير كيفية قيام UniGetUI بالتحقق من التحديثات المتوفرة لحزمك وتثبيتها", - "Change how UniGetUI handles install, update and uninstall operations.": "تغيير كيفية تولي UniGetUI لعمليات التثبيت، التحديث، والإزالة.", "Change how UniGetUI installs packages, and checks and installs available updates": "تغيير كيفية قيام UniGetUI بالتحقق من التحديثات المتوفرة لحزمك وتثبيتها", - "Change how operations request administrator rights": "تغيير كيفية طلب العمليات لحقوق المسؤول", "Change install location": "تغيير مكان التنزيل", - "Change this": "تغيير هذا", - "Change this and unlock": "تغيير هذا والغاء القفل", - "Check for package updates periodically": "البحث عن التحديثات بشكل متكرر", - "Check for updates": "التحقق من التحديثات", - "Check for updates every:": "البحث عن التحديثات كل:", "Check for updates periodically": "البحث عن التحديثات بشكل متكرر", "Check for updates regularly, and ask me what to do when updates are found.": "البحث عن التحديثات بانتظام, و إعلامي بماذا يجب أن يفعل عند العثور على على التحديثات", "Check for updates regularly, and automatically install available ones.": "تحقق من التحديثات بانتظام وقم بتثبيتها تلقائيًا عند توفرها.", @@ -159,916 +741,335 @@ "Checking for updates...": "جاري التحقق من وجود تحديثات...", "Checking found instace(s)...": "جاري التحقق من العملية(ات) التي وُجدت...", "Choose how many operations shouls be performed in parallel": "اختر عدد العمليات التي يتم تنفيذها بالتوازي", - "Clear cache": "مسح ذاكرة التخزين المؤقت", "Clear finished operations": "مسح العمليات المكتملة", - "Clear selection": "إزالة التحديد", "Clear successful operations": "مسح العمليات الناجحة", - "Clear successful operations from the operation list after a 5 second delay": "مسح العمليات الناجحة من قائمة العمليات بعد 5 ثوانٍ", "Clear the local icon cache": "مسح ذاكرة التخزين المؤقت للرمز المحلي", - "Clearing Scoop cache - WingetUI": "مسح ذاكرة التخزين المؤقت Scoop لـ UniGetUI", "Clearing Scoop cache...": "تتم إزالة بيانات Scoop المؤقتة...", - "Click here for more details": "اضغط هنا للمزيد من التفاصيل", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "انقر فوق \"تثبيت\" لبدء عملية التثبيت. إذا تخطيت عملية التثبيت، فقد لا يعمل UniGetUI بالشكل المتوقع.", - "Close": "إغلاق", - "Close UniGetUI to the system tray": "إغلاق UniGetUI إلى شريط المهام", "Close WingetUI to the notification area": "إغلاق UniGetUI إلى منطقة الإشعارات", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "تستخدم النسخة الاحتياطية السحابية Gist خاصًا على GitHub لتخزين قائمة الحزم المثبتة", - "Cloud package backup": "النسخ الاحتياطي السحابي للحزم", "Command-line Output": "نتائج سطر الأوامر", - "Command-line to run:": "سطر الأوامر للتشغيل:", "Compare query against": "مقارنة الاستعلام ب", - "Compatible with authentication": "متوافق مع المصادقة", - "Compatible with proxy": "متوافق مع الوكيل", "Component Information": "معلومات العنصر", - "Concurrency and execution": "التزامن والتنفيذ", - "Connect the internet using a custom proxy": "الاتصال بشبكة الانترنت باستخدام وكيل مخصص", - "Continue": "أكمل", "Contribute to the icon and screenshot repository": "شارك في مخزن الأيقونات و لقطات الشاشة", - "Contributors": "المساهمون", "Copy": "نسخ", - "Copy to clipboard": "نسخ إلى الحافظة", - "Could not add source": "لم يتم إضافة مصدر", - "Could not add source {source} to {manager}": "لم يٌتمكن من إضافة المصدر {source} إلى {manager}", - "Could not back up packages to GitHub Gist: ": "تعذر نسخ الحزم احتياطيًا إلى GitHub Gist: ", - "Could not create bundle": "لم يتمكن من إنشاء الحزمة", "Could not load announcements - ": "لم يتم تحميل الإعلانات -", "Could not load announcements - HTTP status code is $CODE": "تعذر تحميل الإعلانات - رمز حالة HTTP هو $CODE", - "Could not remove source": "لم يتم إزالة المصدر", - "Could not remove source {source} from {manager}": "لم تتم إزالة المصدر {source} من {manager}", "Could not remove {source} from {manager}": "لم يتمكن من إزالة {source} من {manager}", - "Create .ps1 script": "إنشاء برنامج نصي بصيغة .ps1", - "Credentials": "بيانات الاعتماد", "Current Version": "النسخة الحالية", - "Current executable file:": "الملف التنفيذي الحالي:", - "Current status: Not logged in": "الحالة الحالية: لم يتم تسجيل الدخول", "Current user": "المستخدم الحالي", "Custom arguments:": "مدخلات خاصة", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "يمكن أن تغيّر وسائط سطر الأوامر المخصصة الطريقة التي يتم بها تثبيت البرامج أو ترقيتها أو إلغاء تثبيتها بطريقة لا يستطيع UniGetUI التحكم بها. قد يؤدي استخدام أسطر أوامر مخصصة إلى إفساد الحزم. تابع بحذر.", "Custom command-line arguments:": "وسائط مخصصة لسطور-الأوامر", - "Custom install arguments:": "وسائط التثبيت المخصصة:", - "Custom uninstall arguments:": "وسائط إلغاء التثبيت المخصصة:", - "Custom update arguments:": "وسائط التحديث المخصصة:", "Customize WingetUI - for hackers and advanced users only": "تخصيص UniGetUI - للمخترقين و المستخدمين المتقدمين فقط", - "DEBUG BUILD": "أصدار التصحيح.", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "تحذير: نحن لسنا مسؤولون عن الحزم التي يتم تحميلها. الرجاء التأكد من تحميل الحزم الموثوقة فقط.\n", - "Dark": "داكن", - "Decline": "رفض", - "Default": "افتراضي", - "Default installation options for {0} packages": "خيارات التثبيت الافتراضية لحزم {0}", "Default preferences - suitable for regular users": "تفضيلات افتراضية - مناسبة للمستخدمين العاديين", - "Default vcpkg triplet": "ثلاثية vcpkg الافتراضية", - "Delete?": "حذف؟", - "Dependencies:": "الاعتماديات:", - "Descendant": "تنازلي", "Description:": "الوصف:", - "Desktop shortcut created": "تم إنشاء اختصار سطح المكتب", - "Details of the report:": "تفاصيل التقرير:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "التطوير صعب, وهذا البرنامج مجاني. لكن إن أحببت البرنامج, يمكنك دائما شراء قهوة لي :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "قم يالتثبيت مباشرة عند النقر المزدوج على العنصر في علامة التبويب \"{discoveryTab}\" (بدلاً من عرض معلومات الحزمة).", "Disable new share API (port 7058)": "تعطيل واجهة برمجة تطبيقات المشاركة الجديدة (المنفذ 7058)", - "Disable the 1-minute timeout for package-related operations": "تعطيل مهلة الدقيقة الواحدة للعمليات المتعلقة بالحزمة", - "Disabled": "معطل", - "Disclaimer": "تنصل (للتوضيح)", - "Discover Packages": "استكشف الحزم", "Discover packages": "استكشف الحزم", "Distinguish between\nuppercase and lowercase": "تمييز بين الأحرف الكبيرة والصغيرة", - "Distinguish between uppercase and lowercase": "تمييز بين الأحرف الكبيرة والصغيرة", "Do NOT check for updates": "لا تبحث عن التحديثات", "Do an interactive install for the selected packages": "تثبيت تفاعلي للحزم المحددة", "Do an interactive uninstall for the selected packages": "إلغاء التثبيت تفاعلي للحزم المحددة", "Do an interactive update for the selected packages": "تحديث تفاعلي للحزم المحددة", - "Do not automatically install updates when the battery saver is on": "لا تقم بتثبيت التحديثات تلقائياً عند تشغيل وضع توفير الطاقة", - "Do not automatically install updates when the device runs on battery": "عدم تثبيت التحديثات تلقائيًا عندما يعمل الجهاز على البطارية", - "Do not automatically install updates when the network connection is metered": "لا تقم بتثبيت التحديثات تلقائياً عندما يكون اتصال الشبكة محدود", "Do not download new app translations from GitHub automatically": "لا تقم بتنزيل ترجمات التطبيق الجديدة من GitHub تلقائياً", - "Do not ignore updates for this package anymore": "لا تتجاهل التحديثات الخاصة بهذه الحزمة بعد الآن", "Do not remove successful operations from the list automatically": "لا تقم بحذف العمليات الناجحة من القائمة تلقائياً", - "Do not show this dialog again for {0}": "لا تعرض مربع الحوار هذا مرة أخرى {0}", "Do not update package indexes on launch": "عدم تحديث القوائم عند البدء", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "هل تقبل أن يقوم UniGetUI بجمع وإرسال إحصائيات استخدام مجهولة الهوية، من أجل فهم وتحسين تجربة المتسخدم فقط؟", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "هل تجد UniGetUI مفيدًا؟ إذا كان بوسعك ذلك، فقد ترغب في دعم عملي، حتى أتمكن من الاستمرار في جعل UniGetUI واجهة إدارة الحزم المثالية.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "هل تجد UniGetUI مفيداً؟ هل ترغب بدعم المطوّر؟ إذا كنت كذلك, يمكنك أن {0}, فذلك يساعد كثيراً!", - "Do you really want to reset this list? This action cannot be reverted.": "هل ترغب فعلاً بإعادة تعيين هذه القائمة؟ هذا الإجراء لا يمكن التراجع عنه.", - "Do you really want to uninstall the following {0} packages?": "هل ترغب حقاً بإزالة تثبيت المصادر {0}؟ ", "Do you really want to uninstall {0} packages?": "هل تريد حقأ إلغاء تثبيت {0} حزمة؟", - "Do you really want to uninstall {0}?": "هل تريد حقأ إلغاء تثبيت {0}؟", "Do you want to restart your computer now?": "هل تريد إعادة تشغيل الكمبيوتر الآن؟", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "هل تريد ترجمة UniGetUI إلى لغتك؟ لمعرفة كيفية المشاركة انظر هنا!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "لا تشعر بالرغبة في التبرع؟ لا تقلق، يمكنك دائمًا مشاركة UniGetUI مع أصدقائك. انشر كلمة عن UniGetUI.", "Donate": "تبرع", - "Done!": "تم!", - "Download failed": "فشل التحميل", - "Download installer": "تحميل المُنصِّب", - "Download operations are not affected by this setting": "عمليات التنزيل لا تتأثر بهذا الإعداد", - "Download selected installers": "تحميل المُنصِّب المحدد", - "Download succeeded": "تم التحميل بنجاح", "Download updated language files from GitHub automatically": "تحميل ملف اللغة المُحدثة من GitHub تلقائياً", "Downloading": "يتم التحميل", - "Downloading backup...": "تنزيل النسخة الإحتياطية...", "Downloading installer for {package}": "جاري تنزيل برنامج التثبيت لـ {package}", "Downloading package metadata...": "يتم تحميل البيانات الوصفية للحزم...", - "Enable Scoop cleanup on launch": "تفعيل تنظيف Scoop عند البدأ", - "Enable WingetUI notifications": "تفعيل إشعارات UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "تفعيل مستكشف أخطاء WinGet [التجريبي] المحسّن", - "Enable and disable package managers, change default install options, etc.": "تمكين مديري الحزم وتعطيلهم، وتغيير خيارات التثبيت الافتراضية، وغير ذلك.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "تفعيل تحسينات استخدام وحدة المعالجة المركزية في الخلفية (انظر الطلب #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "تمكين واجهة برمجة التطبيقات الخلفية (أدوات UniGetUI والمشاركة، المنفذ 7058)", - "Enable it to install packages from {pm}.": "قم بتفعيله لتثبيت الحزم من {pm}.", - "Enable the automatic WinGet troubleshooter": "تمكين مستكشف أخطاء WinGet التلقائي", "Enable the new UniGetUI-Branded UAC Elevator": "تفعيل UniGetUI-Branded UAC Elevator الجديد", "Enable the new process input handler (StdIn automated closer)": "تمكين معالج إدخال العمليات الجديد (الإغلاق التلقائي لـ StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "قم بتمكين الإعدادات أدناه فقط إذا كنت تفهم تمامًا ما تفعله والآثار المترتبة عليها.", - "Enable {pm}": "تفعيل {pm}", - "Enabled": "مفعّل", - "Enter proxy URL here": "أدخل رابط الخادم هنا", - "Entries that show in RED will be IMPORTED.": "سيتم استيراد الإدخالات التي تظهر باللون الأحمر.", - "Entries that show in YELLOW will be IGNORED.": "سيتم تجاهل الإدخالات التي تظهر باللون الأصفر.", - "Error": "خطأ", - "Everything is up to date": "كل شيءٍ مُحدّث", - "Exact match": "تطابق تام\n", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "الاختصارات الموجودة على سطح المكتب سيتم مسحها، وستحتاج إلى اختيار أيٍّ منها لتبقى وأيٍّ منها لتُحذَف.", - "Expand version": "الإصدار الكامل", - "Experimental settings and developer options": "إعدادات تجريبية و خيارات المطور", - "Export": "تصدير", - "Export log as a file": "تصدير السجل كملف", - "Export packages": "تصدير الحزم", - "Export selected packages to a file": "تصدير الحزم المحددة إلى ملف", - "Export settings to a local file": "تصدير الإعدادات إلى ملف محلي", - "Export to a file": "تصدير إلى ملف", - "Failed": "فشل", - "Fetching available backups...": "إسترداد النسخ الاحتياطية المتوفرة...", + "Export log as a file": "تصدير السجل كملف", + "Export packages": "تصدير الحزم", + "Export selected packages to a file": "تصدير الحزم المحددة إلى ملف", "Fetching latest announcements, please wait...": "\nيتم جلب أحدث الإعلانات، يرجى الانتظار...", - "Filters": "فرز", "Finish": "إنهاء", - "Follow system color scheme": "اتباع نمط ألوان النظام", - "Follow the default options when installing, upgrading or uninstalling this package": "اتّباع الخيارات الافتراضية عند تثبيت هذه الحزمة أو ترقيتها أو إلغاء تثبيتها", - "For security reasons, changing the executable file is disabled by default": "لدواعٍ أمنية، يكون تغيير الملف التنفيذي معطّلًا افتراضيًا", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "لدواعٍ أمنية، تكون وسائط سطر الأوامر المخصصة معطّلة افتراضيًا. انتقل إلى إعدادات أمان UniGetUI لتغيير ذلك.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "لدواعٍ أمنية، تكون البرامج النصية قبل العملية وبعدها معطّلة افتراضيًا. انتقل إلى إعدادات أمان UniGetUI لتغيير ذلك.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "استخدم إصدار winget المبني لمعمارية ARM (فقط لأنظمة ARM64)", - "Force install location parameter when updating packages with custom locations": "فرض معامل موقع التثبيت عند تحديث الحزم ذات المواقع المخصصة", "Formerly known as WingetUI": "المعروف سابقًا باسم WingetUI", "Found": "موجود", "Found packages: ": "الحُزم المعثور عليها:", "Found packages: {0}": "الحزم الموجودة: {0}", "Found packages: {0}, not finished yet...": "الحزم الموجودة: {0}, لم يتم الانتهاء بعد...", - "General preferences": "التفضيلات العامة", "GitHub profile": "الملف الشخصي على GitHub", "Global": "عالمي", - "Go to UniGetUI security settings": "الانتقال إلى إعدادات أمان UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "حزمة عظيمة من الأدوات المجهولة ولكن مفيدة، بالإضافة إلى حزمات مثيرة للإهتمام.
تحتوي:
أدوات، سطور أوامر، برامج، وبرمجيات عامة (بحاجة لحاوية إضافية", - "Great! You are on the latest version.": "رائع! أنت تستخدم الإصدار الأحدث.", - "Grid": "شبكة", - "Help": "مساعدة", "Help and documentation": "المساعدة والوثائق", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "يمكنك هنا تغيير سلوك UniGetUI فيما يتعلق بالاختصارات التالية. سيؤدي تحديد اختصار إلى جعل UniGetUI يحذفه إذا تم إنشاؤه في ترقية مستقبلية. سيؤدي إلغاء تحديده إلى إبقاء الاختصار سليمًا", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "مرحباً, اسمي Martí, أنا مطوّر UniGetUI. تمت صناعة UniGetUI بشكل كامل في وقت فراغي!\n", "Hide details": "إخفاء التفاصيل", - "Homepage": "الصفحة الرئيسية", - "homepage": "الموقع الإلكتروني", - "Hooray! No updates were found.": "يا للسعادة! لم يتم العثور على أية تحديثات!", "How should installations that require administrator privileges be treated?": "كيف يجب أن تعامل التثبيتات التي تتطلب صلاحيات المسؤول؟", - "How to add packages to a bundle": "كيفية إضافة الحزم إلى الباقة", - "I understand": "أنا أتفهم", - "Icons": "أيقونات", - "Id": "معرّف", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "إذا كان النسخ الاحتياطي السحابي مفعّلًا، فسيتم حفظه كـ GitHub Gist على هذا الحساب", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "السماح بتشغيل أوامر ما قبل التثبيت وما بعده المخصصة", - "Ignore future updates for this package": "تجاهل التحديثات المستقبلية لهذه الحزمة", - "Ignore packages from {pm} when showing a notification about updates": "تجاهل الحزم من {pm} عند إظهار إشعار عن التحديث", - "Ignore selected packages": "تجاهل الحزم المحددة", - "Ignore special characters": "تجاهل الأحرف الخاصة", "Ignore updates for the selected packages": "تجاهل التحديثات للحزم المحددة", - "Ignore updates for this package": "تجاهل التحديثات لهذه الحزمة", "Ignored updates": "التحديثات المتجاهلة", - "Ignored version": "الإصدار المتجاهل", - "Import": "إستيراد", "Import packages": "استيراد الحزم", "Import packages from a file": "استيراد الحزم من ملف", - "Import settings from a local file": "إستيراد الإعدادات من ملف محلي", - "In order to add packages to a bundle, you will need to: ": "من أجل إضافة حزم إلى الباقة، ستحتاج إلى:", "Initializing WingetUI...": "جارٍ تهيئة UniGetUI ...", - "install": "تثبيت", - "Install": "تثبيت", - "Install Scoop": "تثبيت Scoop", "Install and more": "تثبيت و المزيد", "Install and update preferences": "تثبيت وتحديث التفضيلات", - "Install as administrator": "تثبيت كمسؤول", - "Install available updates automatically": "تثبيت التحديثات المتوفرة تلقائيًا", - "Install location can't be changed for {0} packages": "لا يمكن تغيير موقع التثبيت لحزم {0}", - "Install location:": "مكان التثبيت:", - "Install options": "خيارات التثبيت", "Install packages from a file": "تثبيت الحزم من ملف", - "Install prerelease versions of UniGetUI": "تثبيت الإصدارات التجريبية من UniGetUI", - "Install script": "برنامج نصي للتثبيت", "Install selected packages": "تثبيت الحزم المحددة", "Install selected packages with administrator privileges": "تثبيت الحزم المحددة بصلاحيات المسؤول", - "Install selection": "تثبيت المُحدد", "Install the latest prerelease version": "تثبيت آخر نسخة أولية", "Install updates automatically": "تثبيت التحديثات تلقائياً", - "Install {0}": "تثبيت {0}", "Installation canceled by the user!": "تم إلغاء التثبيت بواسطة المستخدم", - "Installation failed": "فشل التنزيل", - "Installation options": "خيارات التثبيت", - "Installation scope:": "التثبيت scope:", - "Installation succeeded": "نجاح التنزيل", - "Installed Packages": "الحزم المثبتة", "Installed packages": "الحزم المثبتة", - "Installed Version": "الإصدار المثبت", - "Installer SHA256": "SHA256 للمثبت", - "Installer SHA512": "SHA512 للمثبت:", - "Installer Type": "نوع المثبت", - "Installer URL": "رابط المثبت", - "Installer not available": "المثبت غير متوفر", "Instance {0} responded, quitting...": "رد النموذج {0}, يتم الإغلاق...", - "Instant search": "البحث الفوري", - "Integrity checks can be disabled from the Experimental Settings": "يمكن تعطيل عمليات التحقق من السلامة من الإعدادات التجريبية", - "Integrity checks skipped": "عمليات التحقق من السلامة تم تخطيها", - "Integrity checks will not be performed during this operation": "عمليات التحقق من السلامة لن يتم تنفيذها أثناء هذه العملية", - "Interactive installation": "تثبيت تفاعلي", - "Interactive operation": "عملية تفاعلية", - "Interactive uninstall": "إلغاء تثبيت تفاعلي", - "Interactive update": "تحديث تفاعلي", - "Internet connection settings": "إعدادات اتصال الانرنت", - "Invalid selection": "تحديد غير صالح", "Is this package missing the icon?": "هل أيقونة هذه الحزمة مفقودة؟", - "Is your language missing or incomplete?": "هل لغتك مفقودة أم غير مكتملة؟", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "ليس مضموناً أن بيانات الاعتماد المقدّمة سيتم حفظها بأمان، لذلك لا تقم باستخدام بيانات حسابك المصرفي", - "It is recommended to restart UniGetUI after WinGet has been repaired": "يوصى بإعادة تشغيل UniGetUI بعد إصلاح WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "يوصى بشدة بإعادة تثبيت UniGetUI لمعالجة هذا الوضع.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "يبدو أن WinGet لا يعمل بشكل صحيح. هل تريد محاولة إصلاح WinGet؟", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "يبدو أنك قمت بتشغيل UniGetUI كمسؤول, و هذا غير مستحسن. لايزال بإمكانك استعمال البرنامج, لكننا ننصحك بشدة أن لا تشغل UniGetUI كمسؤول. انقر على \"{showDetails}\" لتعرف لمذا.", - "Language": "اللغة", - "Language, theme and other miscellaneous preferences": "اللغة, المظهر و تفضيلات متنوعة أخرى", - "Last updated:": "تم التحديث آخر مرة:", - "Latest": "الأخير", "Latest Version": "الإصدار الأخير", "Latest Version:": "الإصدار الأخير:", "Latest details...": "التفاصيل الأخيرة...", "Launching subprocess...": "بدأ العملية الفرعية...", - "Leave empty for default": "اتركه فارغًا للإفتراضي", - "License": "الترخيص", "Licenses": "التراخيص", - "Light": "فاتح", - "List": "قائمة", "Live command-line output": "سطور الأوامر الناتجة بشكل مباشر", - "Live output": "الإخراج المباشر", "Loading UI components...": "يتم تحميل عناصر الواجهة الرسومية...", "Loading WingetUI...": "يتم تحميل UniGetUI...", - "Loading packages": "تحميل الحزم", - "Loading packages, please wait...": "يتم تحميل الحُزم, يرجى الإنتظار...", - "Loading...": "يتم التحميل...", - "Local": "محلي", - "Local PC": "الكمبيوتر المحلي", - "Local backup advanced options": "خيارات متطورة للنسخ الاحتياطية", "Local machine": "الجهاز المحلي", - "Local package backup": "النسخ الاحتياطي المحلي للحزم", "Locating {pm}...": "يتم تحديد موقع {pm}...", - "Log in": "تسجيل الدخول", - "Log in failed: ": "فشل تسجيل الدخول:", - "Log in to enable cloud backup": "سجل الدخول لتفعيل النسخ الاحتياطي السحابي", - "Log in with GitHub": "تسجيل الدخول عن طريق GitHub", - "Log in with GitHub to enable cloud package backup.": "سجّل الدخول باستخدام GitHub لتمكين النسخ الاحتياطي السحابي للحزم.", - "Log level:": "مستوى السجل:", - "Log out": "تسجيل الخروج", - "Log out failed: ": "فشل تسجيل الخروج:", - "Log out from GitHub": "تسجيل الخروج عن طريق GitHub", "Looking for packages...": "جاري البحث عن الحزم...", "Machine | Global": "الجهاز | عام", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "يمكن أن تؤدي وسائط سطر الأوامر غير الصالحة إلى إفساد الحزم، أو حتى السماح لجهة خبيثة بالحصول على تنفيذ بامتيازات مرتفعة. لذلك، يكون استيراد وسائط سطر الأوامر المخصصة معطّلًا افتراضيًا.", - "Manage": "أدِر", - "Manage UniGetUI settings": "إدارة إعدادات UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "إدارة سلوك التشغيل التلقائي لـ UniGetUI من تطبيق الإعدادات", "Manage ignored packages": "إدارة الحزم المتجاهلة", - "Manage ignored updates": "إدارة التحديثات المتجاهلة", - "Manage shortcuts": "إدارة الاختصارات", - "Manage telemetry settings": "إدارة إعدادات القياس عن بعد", - "Manage {0} sources": "إدارة {0} من المصادر", - "Manifest": "القائمة الأساسية", "Manifests": "القوائم الأساسية", - "Manual scan": "الفحص اليدوي.", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "مدير الحزم الرسمي لشركة Microsoft. مليئة بالحزم المعروفة والتي تم التحقق منها
تحتوي على: برامج عامة ، تطبيقات متجر مايكروسوفت", - "Missing dependency": "الاعتمادات مفقود", - "More": "أكثر", - "More details": "تفاصيل أكثر", - "More details about the shared data and how it will be processed": "المزيد من التفاصيل عن البيانات التم يتم مشاركتها وكيف سيتم معالجتها", - "More info": "معلومات أكثر", - "More than 1 package was selected": "تم تحديد أكثر من حزمة واحدة", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ملاحظة: يمكن تعطيل أداة استكشاف الأخطاء وإصلاحها هذه من إعدادات UniGetUI، في قسم WinGet", - "Name": "الاسم", - "New": "جديد", "New Version": "الإصدار الجديد", - "New version": "الإصدار الجديد", "New bundle": "حزمة جديدة", - "Nice! Backups will be uploaded to a private gist on your account": "رائع! سيتم رفع النسخ الاحتياطية إلى gist خاص في حسابك", - "No": "لا", - "No applicable installer was found for the package {0}": "لم يتم العثور على مثبّت مناسب لهذه الحزمة {0}", - "No dependencies specified": "لم يتم تحديد أي اعتماديات", - "No new shortcuts were found during the scan.": "فشل العثور على اختصارات جديدة أثناء الفحص.", - "No package was selected": "لم يتم تحديد أي حزمة", "No packages found": "لم يتم العثور على حزم", "No packages found matching the input criteria": "لم يتم العثور على حزم مطابقة للمعايير المدخلة", "No packages have been added yet": "لم تتم إضافة الحُزم حتى الآن", "No packages selected": "لم يتم تحديد حزم", - "No packages were found": "لم يتم العثور على الحُزم", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "لن يتم جمع أو إرسال أية معلومات شخصية، والبيانات التي يتم جمعها ستكون مجهولة المصدر، لذا لا يمكن تتبعها رجوعاً إليك.", - "No results were found matching the input criteria": "لم يتم العثور على نتائج مطابقة لمعايير الإدخال", "No sources found": "لم يتم العثور على مصادر", "No sources were found": "لم يتم العثور على مصادر", "No updates are available": "لا يوجد تحديثات متاحة", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "مدير حزم Node JS. مليئة بالمكتبات والأدوات المساعدة الأخرى التي تدور حول عالم جافا سكريبت
تحتوي على: مكتبات Node javascript والأدوات المساعدة الأخرى ذات الصلة ", - "Not available": "غير متاح", - "Not finding the file you are looking for? Make sure it has been added to path.": "ألا تجد الملف الذي تبحث عنه؟ تأكد من أنه تمت إضافته إلى المسار.", - "Not found": "غير موجود", - "Not right now": "ليس الان", "Notes:": "ملاحظات:", - "Notification preferences": "تفضيلات الإشعارات", "Notification tray options": "خيارات قسم الإشعارات", - "Notification types": "أنواع التنبيهات", - "NuPkg (zipped manifest)": "NuPkg (بيان مضغوط)", - "OK": "حسنًا", "Ok": "حسناً", - "Open": "فتح", "Open GitHub": "فتح GitHub", - "Open UniGetUI": "فتح UniGetUI", - "Open UniGetUI security settings": "افتح إعدادات أمان UniGetUI", "Open WingetUI": "فتح UniGetUI", "Open backup location": "فتح مكان النسخة الاحتياطية", "Open existing bundle": "فتح الحزمة الموجودة", - "Open install location": "فتح موقع التثبيت", "Open the welcome wizard": "فتح صفحة الترحيب", - "Operation canceled by user": "تم إلغاء العملية بواسطة المستخدم", "Operation cancelled": "تم إلغاء العملية", - "Operation history": "سجل العمليات", - "Operation in progress": "العملية قيد التنفيذ", - "Operation on queue (position {0})...": "العملية على قائمة الانتظار (الموضع {0})...", - "Operation profile:": "ملف تعريف العملية:", "Options saved": "تم حفظ الخيارات", - "Order by:": "رتب بحسب:", - "Other": "أخرى", - "Other settings": "إعدادات أخرى", - "Package": "حزمة", - "Package Bundles": "حزم الحزم", - "Package ID": "معرف الحزمة", "Package Manager": "مدير الحزم", - "Package manager": "مدير الحزم", - "Package Manager logs": "سجلات نظام إدارة الحزم", - "Package Managers": "مدراء الحزم", "Package managers": "مدراء الحزم", - "Package Name": "اسم الحزمة", - "Package backup": "النسخة الاحتياطية للحزمة", - "Package backup settings": "إعدادات النسخ الاحتياطي للحزم", - "Package bundle": "حزمة الحزمة", - "Package details": "تفاصيل الحزمة", - "Package lists": "قوائم الحزمة", - "Package management made easy": "إدارة الحزم أصبحت سهلة", - "Package manager preferences": "تفضيلات مدير الحزم", - "Package not found": "الحزمة غير موجودة", - "Package operation preferences": "تفضيلات عملية الحزمة", - "Package update preferences": "تفضيلات تحديث الحزمة", "Package {name} from {manager}": "الحزمة {name} من {manager}", - "Package's default": "الافتراضي للحزمة", "Packages": "الحزم", "Packages found: {0}": "الحزم المعثور عليها: {0}", - "Partially": "جزئياً", - "Password": "كلمة المرور", "Paste a valid URL to the database": "إلصق عنوان URL صالح الي قاعدةالبيانات", - "Pause updates for": "إيقاف التحديثات لـ", "Perform a backup now": "القيام بالنسخ الإحتياطي الآن", - "Perform a cloud backup now": "إجراء نسخ احتياطي سحابي الآن", - "Perform a local backup now": "إجراء نسخ احتياطي محلي الآن", - "Perform integrity checks at startup": "إجراء عمليات التحقق من السلامة عند بدء التشغيل", - "Performing backup, please wait...": "يتم النسخ الإحتياطي الآن, يرجى الإنتظار...", "Periodically perform a backup of the installed packages": "بشكل دوري قم بالنسخ الإحتياطي للحُزم المُثبتّة", - "Periodically perform a cloud backup of the installed packages": "إجراء نسخ احتياطي سحابي للحزم المثبتة بشكل دوري", - "Periodically perform a local backup of the installed packages": "إجراء نسخ احتياطي محلي للحزم المثبتة بشكل دوري", - "Please check the installation options for this package and try again": "يرجى التحقق من خيارات التثبيت لهذه الحزمة ثم المحاولة مرة أخرى", - "Please click on \"Continue\" to continue": "الرجاء الضغط على \"متابعة\" للمتابعة", "Please enter at least 3 characters": "يرجى إدخال على الأقل 3 أحرف", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "من فضلك انتبه أن حزم محددة قد لا تكون قابلة للتثبيت, بسبب مدراء الحزم المفعلة على هذا الجهاز.", - "Please note that not all package managers may fully support this feature": "يرجى ملاحظة أنه قد لا يمكن لجميع إدارات الحزمة ان تدعم هذه الخاصية", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "من فضلك انتبه أن حزم من مصادر محددة قد لا تكون قابلة للتصدير. لقد تم تظليلها ولن يتم تصديرها.", - "Please run UniGetUI as a regular user and try again.": "يرجى تشغيل UniGetUI كمستخدم عادي ثم حاول مرة أخرى.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "يرجى الاطلاع على مخرجات سطر الأوامر أو الرجوع إلى سجل العمليات للحصول على مزيد من المعلومات حول المشكلة.", "Please select how you want to configure WingetUI": "من فضلك اختر كيف تريد إعداد UniGetUI", - "Please try again later": "يرجى المحاولة مرة أخرى لاحقًا", "Please type at least two characters": "الرجاء كتابة حرفين على الأقل", - "Please wait": "يرجى الإنتظار", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "يرجى الانتظار أثناء تثبيت {0}. قد تظهر نافذة سوداء. يرجى الانتظار حتى يتم إغلاقها.", - "Please wait...": "الرجاء الانتظار...", "Portable": "محمول", - "Portable mode": "الوضع المتنقل.", - "Post-install command:": "أمر ما بعد التثبيت:", - "Post-uninstall command:": "أمر ما بعد إلغاء التثبيت:", - "Post-update command:": "أمر ما بعد التحديث:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "مدير حزم PowerShell. ابحث عن المكتبات والبرامج النصية لتوسيع إمكانيات PowerShell
يحتوي على: وحدات نمطية وبرامج نصية وأدوات أوامر", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "يمكن لأوامر ما قبل التثبيت وما بعده أن تفعل أشياء سيئة جدًا بجهازك إذا صُممت لذلك. قد يكون استيراد هذه الأوامر من باقة أمرًا خطيرًا جدًا ما لم تكن تثق بمصدر باقة الحزمة تلك", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "سيتم تشغيل أوامر ما قبل التثبيت وما بعده قبل وبعد تثبيت الحزمة أو ترقيتها أو إلغاء تثبيتها. انتبه إلى أنها قد تتسبب في مشاكل ما لم تُستخدم بحذر", - "Pre-install command:": "أمر ما قبل التثبيت:", - "Pre-uninstall command:": "أمر ما قبل إلغاء التثبيت:", - "Pre-update command:": "أمر ما قبل التحديث:", - "PreRelease": "إصدار مبدأي", - "Preparing packages, please wait...": "جاري تحضير الحزم ، يرجى الانتظار...", - "Proceed at your own risk.": "التباعة على مسؤوليتك الخاصة.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "منع أي نوع من الرفع عبر UniGetUI Elevator أو GSudo", - "Proxy URL": "عنوان URL الخاص بالوكيل", - "Proxy compatibility table": "جدول توافق الوكيل", - "Proxy settings": "إعدادات الوكيل", - "Proxy settings, etc.": "إعدادات الوكيل، وأخرى.", "Publication date:": "تاريخ النشر:", - "Publisher": "الناشر", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "مدير مكتبة بايثون. مليء بمكتبات بايثون وأدوات مساعدة أخرى متعلقة بالبايثون
يحتوي على: مكتبات بايثون وأدوات مساعدة متعلقة", - "Quit": "خروج", "Quit WingetUI": "الخروج من UniGetUI", - "Ready": "جاهز", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "تقليل مطالبات UAC، ورفع التثبيتات افتراضيًا، وفتح بعض الميزات الخطيرة، وغير ذلك.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "ارجع إلى سجلات UniGetUI للحصول على مزيد من التفاصيل حول الملف أو الملفات المتأثرة", - "Reinstall": "إعادة التثبيت", - "Reinstall package": "إعادة تثبيت الحزمة", - "Related settings": "إعدادات مرتبطة", - "Release notes": "ملاحظات الإصدار", - "Release notes URL": "ملاحظات الإصدار URL", "Release notes URL:": "رابط ملاحظات الإصدار:", "Release notes:": "ملاحظات الإصدار:", "Reload": "إعادة تحميل", - "Reload log": "إعادة تحميل السجل", "Removal failed": "فشلت الإزالة", "Removal succeeded": "تمت الإزالة بنجاح", - "Remove from list": "إزالة من القائمة", "Remove permanent data": "إزالة البيانات الدائمة", - "Remove selection from bundle": "حذف المحدد من الحزمة", "Remove successful installs/uninstalls/updates from the installation list": "إزالة عمليات التثبيت\\عمليات إلغاء التثبيت\\التحديثات الناجحة من القائمة التثبيت", - "Removing source {source}": "إزالة المصدر {source}", - "Removing source {source} from {manager}": "إزالة المصدر {source} من {manager}", - "Repair UniGetUI": "إصلاح UniGetUI", - "Repair WinGet": "إصلاح WinGet", - "Report an issue or submit a feature request": "الإبلاغ عن مشكلة أو تقديم طلب ميزة", "Repository": "مخزن", - "Reset": "إعادة ضبط", "Reset Scoop's global app cache": "إعادة تعيين ذاكرة التخزين المؤقت لتطبيق Scoop العالمي", - "Reset UniGetUI": "إعادة تعيين UniGetUI", - "Reset WinGet": "إعادة تعيين WinGet", "Reset Winget sources (might help if no packages are listed)": "إعادة ضبط مصادر Winget (من الممكن أن يساعد عند عدم ظهور الحزم في القائمة)", - "Reset WingetUI": "إعادة تعيين UniGetUI", "Reset WingetUI and its preferences": "إعادة تعيين UniGetUI و تفضيلاته", "Reset WingetUI icon and screenshot cache": "إعادة ضبط الذاكرة المؤقتة لأيقونات و لقطات شاشة UniGetUI", - "Reset list": "إعادة تعيين القائمة", "Resetting Winget sources - WingetUI": "إعادة تعيين مصادر UniGetUI - WinGet", - "Restart": "إعادة التشغيل", - "Restart UniGetUI": "أعد تشغيل UniGetUI", - "Restart WingetUI": "إعادة تشغيل UniGetUI", - "Restart WingetUI to fully apply changes": "أعد تشغيل UniGetUI لتطبيق التغييرات بشكل تام", - "Restart later": "إعادة التشغيل لاحقاً", "Restart now": "إعادة التشغيل الآن", - "Restart required": "إعادة التشغيل مطلوبة", "Restart your PC to finish installation": "إعادة التشغيل كمبيوترك لإنهاء التثبيت", "Restart your computer to finish the installation": "إعادة التشغيل كمبيوترك لإنهاء التثبيت", - "Restore a backup from the cloud": "استعادة نسخة احتياطية من السحابة", - "Restrictions on package managers": "قيود على مديري الحزم", - "Restrictions on package operations": "قيود على عمليات الحزم", - "Restrictions when importing package bundles": "قيود عند استيراد باقات الحزم", - "Retry": "إعادة المحاولة", - "Retry as administrator": "المحاولة كمسؤول", "Retry failed operations": "المحاولة للعمليات الفاشلة", - "Retry interactively": "المحاولة تفاعلياً", - "Retry skipping integrity checks": "إعادة محاولة عمليات التحقق من السلامة التي تم تخطيها", "Retrying, please wait...": "تتم إعادة المحاولة, يرجى الإنتظار... ", "Return to top": "عودة للأعلى", - "Run": "تشغيل", - "Run as admin": "تشغيل كمسؤول", - "Run cleanup and clear cache": "قم بتشغيل التنظيف ومسح ذاكرة التخزين المؤقت", - "Run last": "تشغيل الأخير", - "Run next": "تشغيل التالي", - "Run now": "تشغيل الآن", "Running the installer...": "جاري تشغيل المثبت ...", "Running the uninstaller...": "جاري تشغيل إزالة التثبيت...", "Running the updater...": "جاري تشغيل المحدث...", - "Save": "حفظ", "Save File": "حفظ الملف", - "Save and close": "حفظ وإغلاق", - "Save as": "حفظ كـ", - "Save bundle as": "حفظ الحزمة كـ", - "Save now": "حفظ الآن", - "Saving packages, please wait...": "يتم حفظ الحُزم, يرجى الإنتظار...", - "Scoop Installer - WingetUI": "UniGetUI - مثبت Scoop", - "Scoop Uninstaller - WingetUI": "UniGetUI - إلغاء تثبيت Scoop", - "Scoop package": "حزم Scoop", + "Save bundle as": "حفظ الحزمة كـ", + "Save now": "حفظ الآن", "Search": "بحث", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "ابحث عن برامج سطح المكتب ، وحذرني عندما تكون التحديثات متاحة ولا تفعل أشياء غير مألوفة. لا أرغب في زيادة تعقيد UniGetUI ، أريد فقط متجر برامج بسيطًا", - "Search for packages": "البحث عن حزم", - "Search for packages to start": "ابحث عن الحزم للبدء", - "Search mode": "وضع البحث", "Search on available updates": "البحث عن التحديثات المتاحة", "Search on your software": "البحث عن برنامجك", "Searching for installed packages...": "يتم البحث عن الحزم المثبتة...", "Searching for packages...": "يتم البحث عن الحزم...", "Searching for updates...": "جاري البحث ععن تحديثات...", - "Select": "تحديد", "Select \"{item}\" to add your custom bucket": "حدد \"{item}\" لإضافة الحزمة المخصصة الخاصة بك", "Select a folder": "تحديد مجلد", - "Select all": "تحديد الكل", "Select all packages": "إختيار جميع الحزم", - "Select backup": "حدد نسخة احتياطية", "Select only if you know what you are doing.": "حدد فقط إذا كنت تعرف ما تفعله .", "Select package file": "تحديد ملف الحزم", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "حدد النسخة الاحتياطية التي تريد فتحها. ستتمكن لاحقًا من مراجعة الحزم أو البرامج التي تريد استعادتها.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "حدد الملف التنفيذي المراد استخدامه. تعرض القائمة التالية الملفات التنفيذية التي عثر عليها UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "حدد العمليات التي يجب إغلاقها قبل تثبيت هذه الحزمة أو تحديثها أو إلغاء تثبيتها.", - "Select the source you want to add:": "قم تحديد المصدر المُراد إضافته:", - "Select upgradable packages by default": "حدد الحزم التي سيتم ترقيتها بشكل افتراضي", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "حدد مديري الحزم لاستخدام ({0}) ، وتهيئة كيفية تثبيت الحزم ، وإدارة كيفية التعامل مع صلاحيات المسؤول ، وما إلى ذلك.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "تم إرسال المصافحة. يتم انتظار رد مستمعة العمليات ({0}%)", - "Set a custom backup file name": "تعيين اسم ملف النسخ الاحتياطي المخصص", "Set custom backup file name": "تعيين اسم لملف النسخة الإحتياطية المخصصة", - "Settings": "الإعدادات", - "Share": "مشاركة", "Share WingetUI": "مشاركة UniGetUI", - "Share anonymous usage data": "مشاركة بيانات استخدام مجهولة المصدر", - "Share this package": "مشاركة هذه الحزمة", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "إذا عدّلت إعدادات الأمان، فستحتاج إلى فتح الباقة مرة أخرى حتى تدخل التغييرات حيّز التنفيذ.", "Show UniGetUI on the system tray": "إظهار UniGetUI على شريط المهام", - "Show UniGetUI's version and build number on the titlebar.": "إظهار نسخة UniGetUI على شرط العنوان", - "Show WingetUI": "إظهار UniGetUI", "Show a notification when an installation fails": "إظهار تنبيه عند فشل التثبيت", "Show a notification when an installation finishes successfully": "إظهار تنبيه عند انتهاء التثبيت بنجاح", - "Show a notification when an operation fails": "إظهار إشعار عند فشل العملية", - "Show a notification when an operation finishes successfully": "إظهار إشعار عند انتهاء العملية بنجاح", - "Show a notification when there are available updates": "إظهار إشعار عند توفر تحديثات", - "Show a silent notification when an operation is running": "إظهار إشعار صامت عند تشغيل عملية ما", "Show details": "إظهار التفاصيل", - "Show in explorer": "الإظهار في المستكشف", "Show info about the package on the Updates tab": "إظهار معلومات حول الحزمة في تبويبة التحديثات", "Show missing translation strings": "إظهار نصوص الترجمات المفقودة", - "Show notifications on different events": "إظهار الإشعارات حول الأحداث المختلفة", "Show package details": "إظهار تفاصيل الحزمة", - "Show package icons on package lists": "إظهار أيقونات الحزمة في قوائم الحزمة", - "Show similar packages": "إظهار الحُزم المتشابهة", "Show the live output": "إظهار الناتج بشكل مباشر", - "Size": "الحجم", "Skip": "تخطي", - "Skip hash check": "تخطي تحقق hash", - "Skip hash checks": "تخطي عمليات التحقق من hash", - "Skip integrity checks": "تخطي عمليات التحقق من السلامة", - "Skip minor updates for this package": "تخطي التحديثات البسيطة لهذه الحزمة", "Skip the hash check when installing the selected packages": "تخطي فحص الهاش عند تثبيت الحزم المحددة", "Skip the hash check when updating the selected packages": "تخطي فحص الهاش عند تحديث الحزم المحددة", - "Skip this version": "تخطي هذه النسخة", - "Software Updates": "تحديثات البرامج", - "Something went wrong": "حدث خطأ ما", - "Something went wrong while launching the updater.": "لقد حدث خطأ ما أثناء تشغيل برنامج التحديث.", - "Source": "المصدر", - "Source URL:": "رابط المصدر:", - "Source added successfully": "تم إضافة المصدر بنجاح", "Source addition failed": "فشلت إضافة المصدر", - "Source name:": "اسم المصدر:", "Source removal failed": "فشل إزالة المصدر", - "Source removed successfully": "تم حذف المصدر بنجاح", "Source:": "المصدر:", - "Sources": "المصادر", "Start": "بدء", "Starting daemons...": "يتم بدء الخدمات... ", - "Starting operation...": "يجري التسغيل...", "Startup options": "خيارات بدأ التشغيل", "Status": "الحالة", "Stuck here? Skip initialization": "علقت هنا؟ تخطي التهيئة", - "Success!": "نجاح!", "Suport the developer": "قم بدعم المؤلف", "Support me": "ادعمني", "Support the developer": "ادعم المُطوِّر", "Systems are now ready to go!": "الأنظمة جاهزة الآن للانطلاق!", - "Telemetry": "القياس عن بُعد", - "Text": "نص", "Text file": "ملف نصي", - "Thank you ❤": "شكراً لك ❤️", "Thank you 😉": "شكراً لك 😉 ", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "مدير حزمة Rust.
يحتوي على: مكتبات Rust والبرامج المكتوبة بلغة Rust", - "The backup will NOT include any binary file nor any program's saved data.": "لن تتضمن النسخة الاحتياطية أي ملف ثنائي أو أي بيانات محفوظة بواسطة برامج.", - "The backup will be performed after login.": "سيتم إجراء النسخ الاحتياطي بعد تسجيل الدخول.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "لن تتضمن النسخة الاحتياطية أي ملف مصدري أو أي بيانات محفوظة بواسطة برامج.", - "The bundle was created successfully on {0}": "تم إنشاء الباقة بنجاح في {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "يبدو أن الحزمة التي تحاول تحميلها غير صالحة. يرجى التحقق من الملف والمحاولة مرة أخرى.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "لا يتطابق المجموع الاختباري للمثبت مع القيمة المتوقعة ، ولا يمكن التحقق من أصالة المثبت. إذا كنت تثق في الناشر ، {0} ستتخطى الحزمة فحص التجزئة مرة أخرى.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "نظام إدارة الحزم الكلاسيكي لويندوز. ستجد كل شيء هناك.
يحتوي على: برامج عامة ", - "The cloud backup completed successfully.": "اكتمل النسخ الاحتياطي السحابي بنجاح.", - "The cloud backup has been loaded successfully.": "تم تحميل النسخة الاحتياطية السحابية بنجاح.", - "The current bundle has no packages. Add some packages to get started": "لا تحتوي الحزمة الحالية على أي حزم. أضف بعض الحزم للبدء", - "The executable file for {0} was not found": "الملف القابل للتنفيذ لـ {0} لم يتم إيجاده", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "سيتم تطبيق الخيارات التالية افتراضيًا في كل مرة يتم فيها تثبيت حزمة {0} أو ترقيتها أو إلغاء تثبيتها.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "سيتم تصدير الحزم التالية إلى ملف JSON. لن يتم حفظ بيانات المستخدم أو الثنائيات.", "The following packages are going to be installed on your system.": "سيتم تثبيت الحزم التالية على نظامك.", - "The following settings may pose a security risk, hence they are disabled by default.": "قد تشكّل الإعدادات التالية خطرًا أمنيًا، ولذلك تكون معطّلة افتراضيًا.", - "The following settings will be applied each time this package is installed, updated or removed.": "سيتم تطبيق الإعدادات التالية في كل مرة يتم فيها تثبيت هذه الحزمة أو تحديثها أو إزالتها.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "سيتم تطبيق الإعدادات التالية في كل مرة يتم فيها تثبيت هذه الحزمة أو تحديثها أو إزالتها. وسيتم حفظها تلقائيًا.", "The icons and screenshots are maintained by users like you!": "تتم رعاية الأيقونات و لقطات الشاشة بواسطة مستخدمين مثلك!", - "The installation script saved to {0}": "تم حفظ برنامج التثبيت النصي في {0}", - "The installer authenticity could not be verified.": "لم يتم التحقق من صحة المثبت.", "The installer has an invalid checksum": "المثبت يحتوي مجموع اختباري غير صالح", "The installer hash does not match the expected value.": "لا يتطابق hash المثبت مع القيمة المتوقعة.", - "The local icon cache currently takes {0} MB": "تبلغ مساحة ذاكرة التخزين المؤقتة للرمز المحلي حاليًا {0} ميجا بايت", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "الهدف الأساسي من هذا المشروع هو إنشاء واجهة سهلة الإستخدام لإدارة مدراء حزم CLI الأكثر شيوعاً لـ Windows. مثل Winget و Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "لم يتم العثور على الحزمة \"{0}\" في مدير الحزم \"{1}\"", - "The package bundle could not be created due to an error.": "لم يتم إنشاء حزمة الحزمة بسبب خطأ.", - "The package bundle is not valid": "الحزمة غير صالحة", - "The package manager \"{0}\" is disabled": "تم تعطيل مدير الحزمة \"{0}\"", - "The package manager \"{0}\" was not found": "لم يتم العثور على مدير الحزمة \"{0}\"", "The package {0} from {1} was not found.": "لم يتم العثور على الحزمة {0} من {1}.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "لن يتم أخذ الحزم المدرجة هنا في الاعتبار عند التحقق من وجود تحديثات. انقر نقرًا مزدوجًا فوقهم أو انقر فوق الزر الموجود على يمينهم للتوقف عن تجاهل تحديثاتهم.", "The selected packages have been blacklisted": "تم إدراج الحزمة المحددة في قائمة الحظر.", - "The settings will list, in their descriptions, the potential security issues they may have.": "ستسرد الإعدادات، في أوصافها، المشكلات الأمنية المحتملة التي قد تنطوي عليها.", - "The size of the backup is estimated to be less than 1MB.": "حجم النسخ الإحتياطي مُقدّر بأن يكون أقل من 1 ميغابايت.", - "The source {source} was added to {manager} successfully": "تمت إضافة المصدر {source} إلى {manager} بنجاح", - "The source {source} was removed from {manager} successfully": "تم إزالة المصدر {source} من {manager} بنجاح", - "The system tray icon must be enabled in order for notifications to work": "يجب تفعيل أيقونة شريط المهام لكي تعمل الإشعارات", - "The update process has been aborted.": "لقد تم إلغاء عملية التحديث.", - "The update process will start after closing UniGetUI": "ستبدأ عملية التحديث بعد إغلاق UniGetUI", "The update will be installed upon closing WingetUI": "سيتم تثبيت التحديث عند إغلاق UniGetUI", "The update will not continue.": "لن يستمر التحديث.", "The user has canceled {0}, that was a requirement for {1} to be run": "المستخدم قام بإلغاء {0}، والتي كانت مطلوبة لـ {1} لكي يعمل", - "There are no new UniGetUI versions to be installed": "لا توجد إصدارات جديدة من UniGetUI ليتم تثبيتها\n", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "هناك عمليات جارية. قد يؤدي إغلاق UniGetUI إلى فشلها. هل تريد الاستمرار؟", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "هناك بعض مقاطع الفيديو الرائعة على YouTube تعرض UniGetUI وقدراتها. يمكنك تعلم الحيل والنصائح المفيدة!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "هناك سببان رئيسيان لعدم تشغيل UniGetUI كمسؤول: السبب الأول هو أن مدير الحزم Scoop يمكن أن يسبب مشاكل مع بعض الأوامر عندما يُشغَّل كمسؤول. السبب الثاني هو أن تشغيل WingetUI كمسؤول يعني أن أي حزمة سوف تحملها ستعمل كمسؤول (وهذا غير آمن). تذكر أنك إذا أردت أن تثبت حزمة معينة كمسؤوول, يمكنك دائماً أن تنقر نقرة يمنى على العنصر -> تثبيت\\تحديث\\إلغاء تثبيت كمسؤول.\n", - "There is an error with the configuration of the package manager \"{0}\"": "يوجد خطأ في تكوين مدير الحزم \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "هناك تثبيت قيد التقدم. إذا أغلقت UniGetUI ، فقد يفشل التثبيت وتكون له نتائج غير متوقعة. هل ما زلت تريد إنهاء UniGetUI؟", "They are the programs in charge of installing, updating and removing packages.": "هم البرامج المسؤولة عن تثبيت الحزم وتحديثها وإزالتها.", - "Third-party licenses": "تراخيص الطرف الثالث", "This could represent a security risk.": "قد يمثل هذا خطرًا أمنيًا .", - "This is not recommended.": "غير موصى به", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "ربما يرجع هذا إلى حقيقة أن الحزمة التي تم إرسالها قد تمت إزالتها أو هي منشورة على مدير حزم لم تقم بتمكينه. المعرف المستلم هو {0}", "This is the default choice.": "هذا هو الخيار الافتراضي .", - "This may help if WinGet packages are not shown": "قد يكون هذا مفيدًا إذا لم يتم عرض حزم WinGet", - "This may help if no packages are listed": "قد يكون هذا مفيدًا إذا لم يتم إدراج أي حزم", - "This may take a minute or two": "قد يستغرق هذا دقيقة أو دقيقتين", - "This operation is running interactively.": "هذه العملية تعمل بشكل تفاعلي.", - "This operation is running with administrator privileges.": "هذه العملية تعمل بصلاحيات المسؤول", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "سيؤدي هذا الخيار بالتأكيد إلى حدوث مشاكل. أي عملية غير قادرة على رفع صلاحياتها بنفسها ستفشل. لن يعمل التثبيت أو التحديث أو إلغاء التثبيت كمسؤول.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "تحتوي باقة الحزم هذه على بعض الإعدادات التي قد تكون خطيرة وقد يتم تجاهلها افتراضيًا.", "This package can be updated": "هذه الحزمة يمكن تحديثها.", "This package can be updated to version {0}": "يمكن تحديث هذه الحزمة إلى الإصدار {0}", - "This package can be upgraded to version {0}": "يمكن تحديث هذه الحزمة إلى الإصدار {0}", - "This package cannot be installed from an elevated context.": "لا يمكن تثبيت هذه الحزمة من سياق مرتفع.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "هل لا تحتوي هذه الحزمة على لقطات شاشة أو تفتقد الرمز؟ ساهم في UniGetUI عن طريق إضافة الأيقونات ولقطات الشاشة المفقودة إلى قاعدة البيانات العامة المفتوحة لدينا.", - "This package is already installed": "هذه الحزمة مثبتة سابقا ", - "This package is being processed": "تتم معالجة هذه الحزمة", - "This package is not available": "هذه الحزمة غير متوفرة", - "This package is on the queue": "هذه الحزمة موجودة في قائمة الانتظار", "This process is running with administrator privileges": "هذه العملية تعمل بصلاحيات المسؤول", - "This project has no connection with the official {0} project — it's completely unofficial.": "لا يوجد أي اتصال بين هذا المشروع والمشروع الرسمي {0} — فهو غير رسمي تمامًا.", "This setting is disabled": "هذا الإعداد مُعطّل", "This wizard will help you configure and customize WingetUI!": "سيساعدك هذا المعالج في تكوين UniGetUI وتخصيصه!", "Toggle search filters pane": "تبديل لوحة مرشحات البحث", - "Translators": "المترجمون", - "Try to kill the processes that refuse to close when requested to": "حاول إنهاء العمليات التي ترفض الإغلاق عند طلب ذلك", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "يؤدي تشغيل هذا الخيار إلى تمكين تغيير الملف التنفيذي المستخدم للتعامل مع مديري الحزم. وبينما يتيح هذا تخصيصًا أدق لعمليات التثبيت، فقد يكون خطيرًا أيضًا", "Type here the name and the URL of the source you want to add, separed by a space.": "اكتب هنا اسم وعنوان URL للمصدر الذي تريد إضافته، مفصولًا بمسافة.", "Unable to find package": "غير قادر على وجود الحزمة", "Unable to load informarion": "غير قادر على تحميل المعلومات", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "يقوم UniGetUI بجمع بيانات الاستخدام مجهولة المصدر لتطوير تجربة المستخدم.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "يقوم UniGetUI بجمع بيانات استخدام مجهولة المصدر لغاية وحيدة وهي فهم وتطوير تجربة المستخدم.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "اكتشف UniGetUI اختصارًا جديدًا على سطح المكتب يمكن حذفه تلقائيًا.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "اكتشف UniGetUI اختصارات سطح المكتب التالية والتي يمكن إزالتها تلقائيًا في الترقيات المستقبلية", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "اكتشف UniGetUI {0} اختصارات سطح مكتب جديدة يمكن حذفها تلقائيًا.", - "UniGetUI is being updated...": "جاري تحديث UniGetUI...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ليس مرتبطًا بأي من مديري الحزم المتوافقين. UniGetUI هو مشروع مستقل.", - "UniGetUI on the background and system tray": "UniGetUI في الخلفية وشريط المهام", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI أو بعض مكوّناته مفقودة أو تالفة.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "يتطلب UniGetUI {0} للعمل، ولكن لم يتم العثور عليه على نظامك.", - "UniGetUI startup page:": "صفحة بدء تشغيل UniGetUI:", - "UniGetUI updater": "محدّث UniGetUI", - "UniGetUI version {0} is being downloaded.": "جاري تنزيل إصدار UniGetUI {0}.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} جاهز للتثبيت.", - "uninstall": "إلغاء التثبيت", - "Uninstall": "إلغاء التثبيت", - "Uninstall Scoop (and its packages)": "إلغاء تثبيت Scoop (و حزمه)", "Uninstall and more": "إلغاء التثبيت والمزيد", - "Uninstall and remove data": "إلغاء التثبيت وإزالة البيانات", - "Uninstall as administrator": "إلغاء التثبيت كمسؤول", "Uninstall canceled by the user!": "تم إلغاء الإزالة من قبل المستخدم!", - "Uninstall failed": "فشل إلغاء التثبيت", - "Uninstall options": "خيارات إلغاء التثبيت", - "Uninstall package": "إلغاء تثبيت الحزمة", - "Uninstall package, then reinstall it": "أزِل تثبيت الحزمة, ثم أعِد تثبيتها", - "Uninstall package, then update it": "أزِل تثبيت الحزمة, ثم حدِثّها", - "Uninstall previous versions when updated": "إلغاء تثبيت الإصدارات السابقة عند التحديث", - "Uninstall selected packages": "إلغاء تثبيت الحزم المحددة", - "Uninstall selection": "إلغاء تثبيت المحدد", - "Uninstall succeeded": "تم إلغاء التثبيت بنجاح", "Uninstall the selected packages with administrator privileges": "إلغاء تثبيت الحزم المحددة بامتيازات المسؤول", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "الحزم غير القابلة للإلغاء التي تأتي من المصدر المذكور \"{0}\" ليست منشورة في أي مدير حزم، وبالتالي لا يتوفر أي معلومات عنها.", - "Unknown": "غير معروف", - "Unknown size": "حجم غير معروف", - "Unset or unknown": "غير معروف أو لم يتم ضبطها", - "Up to date": "محدثة", - "Update": "تحديث", - "Update WingetUI automatically": "تحديث UniGetUI تلقائياً", - "Update all": "تحديث الكل", "Update and more": "التحديث والمزيد", - "Update as administrator": "تحديث كمسؤول", - "Update check frequency, automatically install updates, etc.": "تردد فحص التحديثات، تثبيت التحديثات تلقائياً، إلخ.", - "Update checking": "التحقق من التحديثات", "Update date": "تاريخ التحديث", - "Update failed": "فشل التحديث", "Update found!": "تم العثور على تحديث!", - "Update now": "تحديث الآن", - "Update options": "خيارات التحديث", "Update package indexes on launch": "تحديث فهارس الحزمة عند البدأ", "Update packages automatically": "تحديث الحزم تلقائيًا", "Update selected packages": "تحديث الحزم المحددة", "Update selected packages with administrator privileges": "تحديث الحزم المحددة بامتيازات المسؤول", - "Update selection": "تحديث المحدد", - "Update succeeded": "تم التحديث بنجاح", - "Update to version {0}": "التحديث إلى الإصدار {0}", - "Update to {0} available": "التحديث إلى {0} متاح", "Update vcpkg's Git portfiles automatically (requires Git installed)": "تحديث ملفات منفذ Git الخاصة بـ vcpkg تلقائيًا (يتطلب تثبيت Git)", "Updates": "التحديثات", "Updates available!": "هنالك تحديثات متاحة!", - "Updates for this package are ignored": "تجاهل التحديثات لهذه الحزمة", - "Updates found!": "تم العثور على تحديثات!", "Updates preferences": "تحديث التفضيلات", "Updating WingetUI": "جارٍ تحديث UniGetUI", "Url": "الرابط", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "استخدم حزمة WinGet القديمة بدلاً من PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "استخدام رابط مخصص لقاعدة بيانات الأيقونات ولقطات الشاشة", "Use bundled WinGet instead of PowerShell CMDlets": "استخدم WinGet المضمّن بدلاً من PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "استخدم WinGet المجمع بدلاً من WinGet الخاص بالنظام", - "Use installed GSudo instead of UniGetUI Elevator": "استخدم GSudo المثبّت بدلًا من UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "استخدم GSudo المثبت بدلاً من المُضمَّن (يتطلب إعادة تشغيل التطبيق)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "استخدم UniGetUI Elevator القديم (قد يكون مفيدًا إذا كنت تواجه مشكلات مع UniGetUI Elevator)", - "Use system Chocolatey": "استخدم نظام Chocolatey", "Use system Chocolatey (Needs a restart)": "استخدام Chocolatey الخاص بالنظام (يحتاج إعادة تشغيل)", "Use system Winget (Needs a restart)": "استخدام Winget الخاص بالنظام (يحتاج إلى إعادة تشغيل)", "Use system Winget (System language must be set to english)": "استخدم نظام Winget (يجب ضبط لغة النظام على اللغة الإنجليزية)", "Use the WinGet COM API to fetch packages": "استخدم WinGet COM API لجلب الحزم", "Use the WinGet PowerShell Module instead of the WinGet COM API": "استخدم وحدة WinGet PowerShell بدلاً من WinGet COM API", - "Useful links": "روابط مفيدة", "User": "المستخدم", - "User interface preferences": "تفضيلات واجهة المستخدم", "User | Local": "المستخدم | محلي", - "Username": "اسم المستخدم", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "إن استخدام UniGetUI يعني قبول ترخيص GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "إن استخدام UniGetUI يعني قبول ترخيص MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "لم يتم العثور على جذر Vcpkg. يرجى تحديد متغير البيئة %VCPKG_ROOT% أو تحديده من إعدادات UniGetUI", "Vcpkg was not found on your system.": "لم يتم العثور على Vcpkg على نظامك.", - "Verbose": "مطوّل", - "Version": "الإصدار", - "Version to install:": "الإصدار للتثبيت", - "Version:": "الإصدار:", - "View GitHub Profile": "عرض ملف GitHub الشخصي ", "View WingetUI on GitHub": "استكشف UniGetUI على GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "استكشف مصدر UniGetUI. يمكنك الإبلاغ عن الأخطاء أو اقتراح الميزات، أو حتى المساهمة مباشرة في المشروع.", - "View mode:": "طريقة العرض:", - "View on UniGetUI": "اعرض على UniGetUI", - "View page on browser": "أعرض الصفحة في المتصفح", - "View {0} logs": "إظهار {0} سجل", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "انتظار اتصال الجهاز بالانترنت قبل محاولة عمل المهام التي تتطلب اتصالاً بالشبكة.", "Waiting for other installations to finish...": "انتظار المثبتات الأخرى حتى تنتهي...", "Waiting for {0} to complete...": "انتظار لـ {0} للاكتمال...", - "Warning": "تحذير", - "Warning!": "تحذير!", - "We are checking for updates.": "نحن نتحقق من وجود تحديثات.", "We could not load detailed information about this package, because it was not found in any of your package sources": "تعذر علينا تحميل معلومات مفصلة حول هذه الحزمة، لأنها لم يعثر عليها في أي من مصادر الحزم الخاصة بك.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "تعذر علينا تحميل معلومات مفصلة حول هذه الحزمة، لأنها لم تكن مثبتة من أي مدير حزم متاح.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "لم نتمكن من {action} {package}. الرجاء المحاولة مرة أخرى لاحقًا. انقر على \"{showDetails}\" للحصول على السجلات من مثبت البرامج.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "لم نتمكن من {action} {package}. الرجاء المحاولة مرة أخرى لاحقًا. انقر على \"{showDetails}\" للحصول على سجلات من برنامج إلغاء التثبيت.\n\n\n\n\n", "We couldn't find any package": "لم نتمكن من العثور على أي حزمة", "Welcome to WingetUI": "مرحبًا بك في UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "عند تثبيت الحزم من باقة دفعةً واحدة، ثبّت أيضًا الحزم المثبتة بالفعل", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "إذا اكتُشِفت اختصارات جديدة، أزلهم تلقائيا بدلا من عرض هذه النافذة", - "Which backup do you want to open?": "أي نسخة احتياطية تريد فتحها؟", "Which package managers do you want to use?": "أي مدير حزم ترغب في استخدامه؟", "Which source do you want to add?": "أيُ مصدرٍ تريد إضافته؟", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "بينما يمكن استخدام Winget داخل UniGetUI، يمكن أيضًا استخدام UniGetUI مع مديري حزم آخرين، مما قد يكون مربكًا. في السابق، كان UniGetUI مصممًا للعمل فقط مع Winget، ولكن لم يعد هذا صحيحًا، ولذلك لم يعد اسم UniGetUI يعكس الهدف الذي يسعى إليه هذا المشروع مستقبلاً.", - "WinGet could not be repaired": "لم يتم إصلاح WinGet", - "WinGet malfunction detected": "تم اكتشاف خلل في برنامج WinGet", - "WinGet was repaired successfully": "تم إصلاح WinGet بنجاح", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - كل شيء محدث", "WingetUI - {0} updates are available": "UniGetUI - {0} تحديث متاح", "WingetUI - {0} {1}": "UniGetUI - {1} {0}", - "WingetUI Homepage": "الصفحة الرئيسية لـ UniGetUI", "WingetUI Homepage - Share this link!": "الصفحة الرئيسية لـ UniGetUI - شارك هذا الرابط!", - "WingetUI License": "ترخيص UniGetUI", - "WingetUI Log": "سجل UniGetUI", - "WingetUI log": "سجل UniGetUI", - "WingetUI Repository": "مستودع UniGetUI", - "WingetUI Settings": "إعدادات UniGetUI", "WingetUI Settings File": "ملف إعدادات UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "يستخدم UniGetUI المكتبات التالية. بدونها، لم يكن UniGetUI ممكنًا.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "يستخدم UniGetUI المكتبات التالية. بدونها، لم يكن UniGetUI ممكنًا.", - "WingetUI Version {0}": "إصدار UniGetUI {0}", "WingetUI autostart behaviour, application launch settings": "سلوك البدء التلقائي لـ UniGetUI, إعدادات لغة البرنامج", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI يمكنه التحقق مما إذا كان لديك تحديثات متاحة لبرامجك، وتثبيتها تلقائيًا إذا كنت ترغب في ذلك.", - "WingetUI display language:": "لغة عرض UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "تم تشغيل UniGetUI كمسؤول، وهو أمر غير مستحسن. عند تشغيل UniGetUI كمسؤول، فإن كل عملية يتم إطلاقها من UniGetUI سيكون لها امتيازات المسؤول. لا يزال بإمكانك استخدام البرنامج، لكننا نوصي بشدة بعدم تشغيل UniGetUI بامتيازات المسؤول.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "لقد تمت ترجمة UniGetUI إلى أكثر من 40 لغة بفضل المترجمين المتطوعين. شكرًا لكم 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "لم تتم ترجمة UniGetUI بواسطة آلة, هؤلاء المستخدمون هم المسؤولون عن الترجمات:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI هو تطبيق يجعل إدارة البرامج الخاصة بك أسهل، من خلال توفير واجهة رسومية شاملة لمديري حزم سطر الأوامر لديك.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "تم تغيير اسم UniGetUI للتأكيد على الفرق بين UniGetUI (الواجهة التي تستخدمها الآن) وWinGet (مدير الحزم الذي طورته Microsoft والذي لا تربطني به صلة قرابة)", "WingetUI is being updated. When finished, WingetUI will restart itself": "يتم تحديث WingetUI. عند الانتهاء ، سيعاد تشغيل WingetUI ", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI مجاني وسيظل مجانيًا إلى الأبد. لا إعلانات ولا بطاقات ائتمان ولا إصدار مميز. مجاني بنسبة 100% إلى الأبد.", + "WingetUI log": "سجل UniGetUI", "WingetUI tray application preferences": "تفضيلات أيقونة المهام لتطبيق UniGetUI", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "يستخدم UniGetUI المكتبات التالية. بدونها، لم يكن UniGetUI ممكنًا.", "WingetUI version {0} is being downloaded.": "جاري تنزيل إصدار {0} من UniGetUI.", "WingetUI will become {newname} soon!": "UniGetUI سيصبح {newname} قريبًا!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI لن يقوم بفحص التحديثات بشكل دوري. سيتم التحقق منها لاحقًا عند بدء التشغيل، ولكنك لن تتلقى تحذيرًا بشأنها.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "سيقوم UniGetUI بعرض مربع حوار UAC في كل مرة تتطلب فيها حزمة رفع الصلاحيات للتثبيت.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "سيتم تسمية WingetUI قريبًا باسم {newname}. ولن يمثل هذا أي تغيير في التطبيق. وسأستمر أنا (المطور) في تطوير هذا المشروع كما أفعل الآن، ولكن تحت اسم مختلف.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "لم يكن UniGetUI ليصبح ممكنناً بدون مساعدة أعزائنا المساهمين. فم بزيارة ملفهم الشخصي على GitHub, لم يكن UniGetUI ليصبح ممكنناً بدونهم! ", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "لم يكن من الممكن إنشاء UniGetUI بدون مساعدة المساهمين. شكرًا لكم جميعًا 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} جاهز للتثبيت.", - "Write here the process names here, separated by commas (,)": "اكتب هنا أسماء العمليات، مفصولة بفواصل (,)", - "Yes": "نعم", - "You are logged in as {0} (@{1})": "أنت مسجل الدخول باسم {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "يمكنك تغيير هذا السلوك من إعدادات أمان UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "يمكنك تحديد الأوامر التي سيتم تشغيلها قبل تثبيت هذه الحزمة أو تحديثها أو إلغاء تثبيتها أو بعد ذلك. سيتم تشغيلها في موجه الأوامر، لذا ستعمل برامج CMD النصية هنا.", - "You have currently version {0} installed": "لقد قمت حاليًا بتثبيت الإصدار {0}", - "You have installed WingetUI Version {0}": "لقد قمت بتثبيت UniGetUI الإصدار {0}", - "You may lose unsaved data": "قد تفقد بيانات غير محفوظة", - "You may need to install {pm} in order to use it with WingetUI.": "قد تحتاج إلى تثبيت {pm} حتى تتمكن من استخدامه مع UniGetUI.", "You may restart your computer later if you wish": "يمكنك إعادة تشغيل جهاز الكمبيوتر الخاص بك لاحقًا إذا كنت ترغب في ذلك", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "ستتم مطالبتك مرة واحدة فقط ، وسيتم منح صلاحيات المسؤول للحزم التي تطلبها.", "You will be prompted only once, and every future installation will be elevated automatically.": "ستتم مطالبتك مرة واحدة فقط ، وستتم ترقية كل تثبيت مستقبلي تلقائيًا.", - "You will likely need to interact with the installer.": "ستحتاج غالباً إلى التفاعل مع المثبت.", - "[RAN AS ADMINISTRATOR]": "[RAN AS ADMINISTRATOR]", "buy me a coffee": "إشتري لي قهوة", - "extracted": "تم استخراجه", - "feature": "ميزة", "formerly WingetUI": "سابقًا WingetUI", + "homepage": "الموقع الإلكتروني", + "install": "تثبيت", "installation": "التثبيت", - "installed": "تم التثبيت", - "installing": "يتم التثبيت", - "library": "مكتبة", - "mandatory": "إلزامي", - "option": "خيار", - "optional": "خياري", + "uninstall": "إلغاء التثبيت", "uninstallation": "إلغاء التثبيت", "uninstalled": "تم إلغاء تثبيت", - "uninstalling": "يتم إلغاء تثبيت", "update(noun)": "تحديث", "update(verb)": "تحديث", "updated": "تم تحديث", - "updating": "يتم تحديث", - "version {0}": "الإصدار {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "خيارات تثبيت {0} مقفلة حاليًا لأن {0} يتبع خيارات التثبيت الافتراضية.", "{0} Uninstallation": "إلغاء تثبيت {0}", "{0} aborted": "تم إيقاف {0}", "{0} can be updated": "يمكن تحديث {0}", - "{0} can be updated to version {1}": "يمكن تحديث {0} إلى الإصدار {1}", - "{0} days": "{0} أيام", - "{0} desktop shortcuts created": "تم إنشاء {0} اختصارا سطح المكتب", "{0} failed": "فشل {0}", - "{0} has been installed successfully.": "تم تثبيت {0} بنجاح.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "تم تثبيت {0} بنجاح. يوصى بإعادة تشغيل UniGetUI لإكمال التثبيت", "{0} has failed, that was a requirement for {1} to be run": "{0} قد فشلت، والتي كانت مطلوبة لـ {1} لكي تعمل", - "{0} homepage": "{0} الصفحة الرئيسية", - "{0} hours": "{0} ساعات", "{0} installation": "تثبيت {0}", - "{0} installation options": "{0} خيارات التثبيت", - "{0} installer is being downloaded": "مثبت {0} قيد التحميل", - "{0} is being installed": "جاري تثبيت {0}", - "{0} is being uninstalled": "جاري إلغاء تثبيت {0}", "{0} is being updated": "يتم تحديث {0}", - "{0} is being updated to version {1}": "يتم تحديث {0} إلى الإصدار {1}", - "{0} is disabled": "{0} غير مفعل", - "{0} minutes": "{0} دقائق", "{0} months": "{0} أشهر", - "{0} packages are being updated": "يتم تحديث {0} حزمة", - "{0} packages can be updated": "يمكن تحديث {0} حزم", "{0} packages found": "تم العثور على {0} حزم", "{0} packages were found": "تم العثور على {0} حزمة", - "{0} packages were found, {1} of which match the specified filters.": "تم العثور على {0} حزمة، {1} منها تطابق الفلاتر المحددة.", - "{0} selected": " {0}محدد", - "{0} settings": "إعدادات {0}", - "{0} status": "حالة {0}", "{0} succeeded": "نجح {0}", "{0} update": "تحديث {0}", - "{0} updates are available": "التحديثات المتاحة: {0}", "{0} was {1} successfully!": " {1} {0} بنجاح!", "{0} weeks": "{0} شهور", "{0} years": "{0}سنوات", "{0} {1} failed": "فشل {1} {0}", - "{package} Installation": "{package} التثبيت", - "{package} Uninstall": "{package} إلغاء التثبيت", - "{package} Update": "تحديث {package}", - "{package} could not be installed": "لم يتم تثبيت {package}", - "{package} could not be uninstalled": "لم يتم إلغاء تثبيت {package}", - "{package} could not be updated": "لم يتمكن من تحديث {package}", "{package} installation failed": "فشل تثبيت {package}", - "{package} installer could not be downloaded": "لم يتم تحميل مثبّت {package}", - "{package} installer download": "حمّل مثبّت {package}", - "{package} installer was downloaded successfully": "تم تحميل مثبّت {package} بنجاح", "{package} uninstall failed": "فشل إلغاء تثبيت {package}", "{package} update failed": "فشل تحديث {package}", "{package} update failed. Click here for more details.": "فشل تحديث {package}. انقر هنا لمزيد من التفاصيل.", - "{package} was installed successfully": "تم تثبيت {package} بنجاح", - "{package} was uninstalled successfully": "تم إلغاء تثبيت {package} بنجاح", - "{package} was updated successfully": "تم تحديث {package} بنجاح", - "{pcName} installed packages": "الحزم المثبتة بواسطة {pcName}", "{pm} could not be found": "لم يتم العثور على {pm}", "{pm} found: {state}": "تم إيجاد {pm}: {state}", - "{pm} is disabled": "تم تعطيل {pm}", - "{pm} is enabled and ready to go": "تم تمكين {pm} وهو جاهز للاستخدام", "{pm} package manager specific preferences": "تفضيلات مدير الحزم {pm} الخاصة", "{pm} preferences": "تفضيلات {pm}", - "{pm} version:": "إصدار {pm}:", - "{pm} was not found!": "لم يتم العثور على {pm}!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "مرحباً, اسمي Martí, أنا مطوّر UniGetUI. تمت صناعة UniGetUI بشكل كامل في وقت فراغي!\n", + "Thank you ❤": "شكراً لك ❤️", + "This project has no connection with the official {0} project — it's completely unofficial.": "لا يوجد أي اتصال بين هذا المشروع والمشروع الرسمي {0} — فهو غير رسمي تمامًا." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_be.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_be.json index afa08ffc8f..1b086df207 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_be.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_be.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Аперацыя выконваецца", + "Please wait...": "Пачакайце...", + "Success!": "Поспех!", + "Failed": "Няўдала", + "An error occurred while processing this package": "Памылка апрацоўкі гэтага пакета", + "Log in to enable cloud backup": "Увайдзіце, каб уключыць воблачную копію", + "Backup Failed": "Памылка стварэння рэзервовай копіі", + "Downloading backup...": "Спампоўка рэзервовай копіі...", + "An update was found!": "Знойдзена абнаўленне!", + "{0} can be updated to version {1}": "{0} можна абнавіць да версіі {1}", + "Updates found!": "Знойдзены абнаўленні!", + "{0} packages can be updated": "{0} пакета(ў) можна абнавіць", + "You have currently version {0} installed": "Зараз усталявана версія {0}", + "Desktop shortcut created": "Створаны ярлык на працоўным стале", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Выяўлены новы ярлык - можна аўтаматычна выдаліць.", + "{0} desktop shortcuts created": "Створана ярлыкоў: {0}", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Выяўлена {0} новых ярлыкоў для аўтавылучэння.", + "Are you sure?": "Вы ўпэўнены?", + "Do you really want to uninstall {0}?": "Выдаліць {0}?", + "Do you really want to uninstall the following {0} packages?": "Выдаліць наступныя {0} пакетаў?", + "No": "Не", + "Yes": "Так", + "View on UniGetUI": "Прагляд у UniGetUI", + "Update": "Абнавіць", + "Open UniGetUI": "Адкрыць UniGetUI", + "Update all": "Абнавіць усё", + "Update now": "Абнавіць зараз", + "This package is on the queue": "Пакет у чарзе", + "installing": "усталёўваецца", + "updating": "абнаўляецца", + "uninstalling": "выдаляецца", + "installed": "усталявана", + "Retry": "Паўтарыць", + "Install": "Усталяваць", + "Uninstall": "Выдаліць", + "Open": "Адкрыць", + "Operation profile:": "Профіль аперацыі:", + "Follow the default options when installing, upgrading or uninstalling this package": "Выкарыстоўваць налады па змаўчанні для ўсталявання/абнаўлення/выдалення гэтага пакета", + "The following settings will be applied each time this package is installed, updated or removed.": "Наступныя налады прымяняюцца для кожнага ўсталявання/абнаўлення/выдалення пакета.", + "Version to install:": "Версія для ўсталявання:", + "Architecture to install:": "Архітэктура для ўсталявання:", + "Installation scope:": "Ахоп усталявання:", + "Install location:": "Месца ўсталявання:", + "Select": "Абраць", + "Reset": "Скід", + "Custom install arguments:": "Уласныя аргументы ўсталявання:", + "Custom update arguments:": "Уласныя аргументы абнаўлення:", + "Custom uninstall arguments:": "Уласныя аргументы выдалення:", + "Pre-install command:": "Каманда перад усталяваннем:", + "Post-install command:": "Каманда пасля ўсталявання:", + "Abort install if pre-install command fails": "Скасаваць устаноўку ў выпадку памылкі ў падрыхтоўчай камандзе", + "Pre-update command:": "Каманда перад абнаўленнем:", + "Post-update command:": "Каманда пасля абнаўлення:", + "Abort update if pre-update command fails": "Скасаваць абнауленне ў выпадку памылкі ў падрыхтоўчай камандзе", + "Pre-uninstall command:": "Каманда перад выдаленнем:", + "Post-uninstall command:": "Каманда пасля выдалення:", + "Abort uninstall if pre-uninstall command fails": "Скасаваць выдаленне ў выпадку памылкі ў падрыхтоўчай камандзе", + "Command-line to run:": "Каманда для запуску:", + "Save and close": "Захаваць і закрыць", + "Run as admin": "Запусціць як адміністратар", + "Interactive installation": "Інтэрактыўнае ўсталяванне", + "Skip hash check": "Прапусціць праверку хэша", + "Uninstall previous versions when updated": "Выдаляць старыя версіі пры абнаўленні", + "Skip minor updates for this package": "Прапускаць дробныя абнаўленні для пакета", + "Automatically update this package": "Аўтаматычна абнаўляць гэты пакет", + "{0} installation options": "Параметры ўсталявання {0}", + "Latest": "Апошняя", + "PreRelease": "Перадрэліз", + "Default": "Па змаўчанні", + "Manage ignored updates": "Рэгуляваць ігнараваныя абнаўленні", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакеты ў спісе ігнаруюцца пры праверцы абнаўленняў. Падвойны клік або кнопка справа - спыніць ігнараванне.", + "Reset list": "Скінуць спіс", + "Package Name": "Назва пакета", + "Package ID": "ID пакета", + "Ignored version": "Ігнараваная версія", + "New version": "Новая версія", + "Source": "Крыніца", + "All versions": "Усе версіі", + "Unknown": "Невядома", + "Up to date": "Актуальна", + "Cancel": "Скасаваць", + "Administrator privileges": "Паўнамоцтвы адміністратара", + "This operation is running with administrator privileges.": "Аперацыя працуе з правамі адміністратара.", + "Interactive operation": "Інтэрактыўная аперацыя", + "This operation is running interactively.": "Аперацыя працуе ў інтэрактыўным рэжыме.", + "You will likely need to interact with the installer.": "Магчыма спатрэбіцца ўзаемадзеянне з усталёўшчыкам.", + "Integrity checks skipped": "Праверкі цэласнасці прапушчаны", + "Proceed at your own risk.": "Працягвайце на ўласную рызыку.", + "Close": "Закрыць", + "Loading...": "Загрузка...", + "Installer SHA256": "SHA256 усталёўшчыка", + "Homepage": "Хатняя старонка", + "Author": "Аўтар", + "Publisher": "Выдавец", + "License": "Ліцэнзія", + "Manifest": "Маніфест", + "Installer Type": "Тып усталёўшчыка", + "Size": "Памер", + "Installer URL": "URL усталёўшчыка", + "Last updated:": "Апошняе абнаўленне:", + "Release notes URL": "URL нататак выпуску", + "Package details": "Падрабязнасці пакета", + "Dependencies:": "Залежнасці:", + "Release notes": "Нататкі выпуску", + "Version": "Версія", + "Install as administrator": "Усталяваць як адміністратар", + "Update to version {0}": "Абнавіць да версіі {0}", + "Installed Version": "Усталяваная версія", + "Update as administrator": "Абнавіць як адміністратар", + "Interactive update": "Інтэрактыўнае абнаўленне", + "Uninstall as administrator": "Выдаліць як адміністратар", + "Interactive uninstall": "Інтэрактыўнае выдаленне", + "Uninstall and remove data": "Выдаліць і даныя", + "Not available": "Недаступна", + "Installer SHA512": "SHA512 усталёўшчыка", + "Unknown size": "Невядомы памер", + "No dependencies specified": "Залежнасці не зададзены", + "mandatory": "абавязкова", + "optional": "неабавязкова", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} гатовы да ўсталявання.", + "The update process will start after closing UniGetUI": "Абнаўленне пачнецца пасля закрыцця UniGetUI", + "Share anonymous usage data": "Дзяліцца ананімнымі данымі выкарыстання", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI збірае ананімныя даныя для паляпшэння UX.", + "Accept": "Прыняць", + "You have installed WingetUI Version {0}": "Вы ўсталявалі UniGetUI версіі {0}", + "Disclaimer": "Адмова ад адказнасці", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не звязаны ні з адным з мэнэджараў - незалежны праект.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI быў бы немагчымы без дапамогі ўсіх удзельнікаў. Дзякуй вам 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI выкарыстоўвае наступныя бібліятэкі - без іх праект немагчымы.", + "{0} homepage": "Сайт {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI перакладзены на больш чым 40 моў дзякуючы валанцёрам. Дзякуй 🤝", + "Verbose": "Падрабязна", + "1 - Errors": "1 - Збоі", + "2 - Warnings": "2 - Папярэджанні", + "3 - Information (less)": "3 - Інфармацыя (менш)", + "4 - Information (more)": "4 - Інфармацыя (больш)", + "5 - information (debug)": "5 - Інфармацыя (адладка)", + "Warning": "Папярэджанне", + "The following settings may pose a security risk, hence they are disabled by default.": "Наступныя налады рызыкоўныя - адключаны па змаўчанні.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Уключайце ніжэйшыя параметры ТОЛЬКІ калі разумееце іх наступствы і рызыкі.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Апісанні налад паказваюць магчымыя рызыкі бяспекі.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Рэзервовая копія утрымлівае спіс усталяваных пакетаў і іх параметры. Таксама ігнараваныя абнаўленні і прапушчаныя версіі.", + "The backup will NOT include any binary file nor any program's saved data.": "Рэзервовая копію НЕ ўключае ні бінарныя файлы ні даныя праграм.", + "The size of the backup is estimated to be less than 1MB.": "Памер рэзерву меркавана менш за 1 МБ.", + "The backup will be performed after login.": "Рэзервовая копію будзе створаны пасля ўваходу.", + "{pcName} installed packages": "Пакеты на {pcName}", + "Current status: Not logged in": "Статус: не ўвайшлі", + "You are logged in as {0} (@{1})": "Вы ўвайшлі як {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Цудоўна! Рэзервовыя копіі будуць загружаныя ў прыватны gist вашага акаўнта", + "Select backup": "Абраць рэзервовую копію", + "WingetUI Settings": "Налады UniGetUI", + "Allow pre-release versions": "Дазволіць папярэднія версіі", + "Apply": "Ужыць", + "Go to UniGetUI security settings": "Адкрыць налады бяспекі UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Наступныя параметры па змаўчанні для кожнага ўсталявання/абнаўлення/выдалення пакета {0}.", + "Package's default": "Па змаўчанні пакета", + "Install location can't be changed for {0} packages": "Месца ўсталявання нельга змяніць для пакетаў {0}", + "The local icon cache currently takes {0} MB": "Лакальны кэш ікон займае {0} МБ", + "Username": "Імя карыстальніка", + "Password": "Пароль", + "Credentials": "Уліковыя даныя", + "Partially": "Часткова", + "Package manager": "Мэнэджар пакетаў", + "Compatible with proxy": "Сумяшчальна з проксі", + "Compatible with authentication": "Сумяшчальна з аўтэнтыфікацыяй", + "Proxy compatibility table": "Табліца сумяшчальнасці проксі", + "{0} settings": "Налады {0}", + "{0} status": "Статус {0}", + "Default installation options for {0} packages": "Параметры ўсталявання па змаўчанні для пакетаў {0}", + "Expand version": "Разгарнуць версію", + "The executable file for {0} was not found": "Выканальны файл {0} не знойдзены", + "{pm} is disabled": "{pm} адключаны", + "Enable it to install packages from {pm}.": "Уключыце, каб усталёўваць пакеты з {pm}.", + "{pm} is enabled and ready to go": "{pm} уключаны і гатовы", + "{pm} version:": "Версія {pm}:", + "{pm} was not found!": "{pm} не знойдзены!", + "You may need to install {pm} in order to use it with WingetUI.": "Магчыма трэба ўсталяваць {pm} для выкарыстання з UniGetUI.", + "Scoop Installer - WingetUI": "Усталёўшчык Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Выдаленне Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Ачыстка кэша Scoop - UniGetUI", + "Restart UniGetUI": "Перазапусціць UniGetUI", + "Manage {0} sources": "Рэгуляваць {0} крыніцы", + "Add source": "Дадаць крыніцу", + "Add": "Дадаць", + "Other": "Іншае", + "1 day": "1 дзень", + "{0} days": "{0} дзён", + "{0} minutes": "{0} хвілін", + "1 hour": "1 гадзіна", + "{0} hours": "{0} гадзін", + "1 week": "1 тыдзень", + "WingetUI Version {0}": "UniGetUI версія {0}", + "Search for packages": "Пошук пакетаў", + "Local": "Лакальна", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Знойдзена {0} пакетаў, {1} адпавядае фільтрам.", + "{0} selected": "Абрана {0}", + "(Last checked: {0})": "(Апошняя праверка: {0})", + "Enabled": "Уключана", + "Disabled": "Адключана", + "More info": "Больш інфармацыі", + "Log in with GitHub to enable cloud package backup.": "Увайдзіце праз GitHub, каб уключыць воблачную копію пакетаў.", + "More details": "Больш падрабязнасцей", + "Log in": "Увайсці", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Калі ўключана воблачная копія, яна захоўваецца як GitHub Gist гэтага акаўнта", + "Log out": "Выйсці", + "About": "Аб праграме", + "Third-party licenses": "Ліцэнзіі трэціх бакоў", + "Contributors": "Удзельнікі", + "Translators": "Перакладчыкі", + "Manage shortcuts": "Рэгуляваць цэтлікі", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Знойдзены ярлыкі, якія можна аўтаматычна выдаляць у будучыні", + "Do you really want to reset this list? This action cannot be reverted.": "Скід спісу незваротны. Працягнуць?", + "Remove from list": "Выдаліць са спісу", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Пры выяўленні новых ярлыкоў - выдаляць без дыялогу", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI збірае ананімныя даныя толькі дзеля паляпшэння UX.", + "More details about the shared data and how it will be processed": "Больш пра даные і іх апрацоўку", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Пагаджаецеся на збор ананімнай статыстыкі для паляпшэння UX?", + "Decline": "Адхіліць", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Асабістыя даныя не збіраюцца; усё ананімізавана і не прывязана да вас", + "About WingetUI": "Аб UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI дазваляе лягчэй кіраваць праграмным забеспячэннем праз адзіны графічны інтэрфейс для каманднага радка менеджараў пакетаў.", + "Useful links": "Карысныя спасылкі", + "Report an issue or submit a feature request": "Паведаміць пра памылку або прапанаваць функцыю", + "View GitHub Profile": "Прагляд профілю GitHub", + "WingetUI License": "Ліцэнзія UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Выкарыстанне UniGetUI азначае прыняцце ліцэнзіі MIT", + "Become a translator": "Стаць перакладчыкам", + "View page on browser": "Адкрыць у браўзеры", + "Copy to clipboard": "Капіяваць у буфер", + "Export to a file": "Экспартаваць у файл", + "Log level:": "Узровень лагавання:", + "Reload log": "Перазагрузіць лог", + "Text": "Тэкст", + "Change how operations request administrator rights": "Змяніць спосаб запыту правоў адміністратара", + "Restrictions on package operations": "Абмежаванні аперацый пакетаў", + "Restrictions on package managers": "Абмежаванні для мэнэджараў пакетаў", + "Restrictions when importing package bundles": "Абмежаванні імпарту набораў", + "Ask for administrator privileges once for each batch of operations": "Запытваць правы адміністратара адзін раз на партыю аперацый", + "Ask only once for administrator privileges": "Запытаць толькі раз", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забараніць павышэнне прывілеяў праз UniGetUI Elevator або GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Гэта опцыя выкліча праблемы. Аперацыі без самапазняцця будуць ПАДАЛЕ. Устал./абнаўл./выдал. як адміністратар НЕ ПРАЦУЕ.", + "Allow custom command-line arguments": "Дазволіць ўвод уласных аргументаў каманднага радка", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Уласныя аргументы могуць змяніць працэс усталявання/абнаўлення/выдалення. Будзьце асцярожныя - гэта можа сапсаваць пакеты.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Дазволіць выкананне карыстальніцкіх каманд перад і пасля ўсталявання пры імпарце пакетаў з набору", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Скрыпты запускаюцца да і пасля ўсталявання / абнаўлення / выдалення і могуць пашкодзіць сістэму", + "Allow changing the paths for package manager executables": "Дазволіць змяняць шляхі для выканальных файлаў менеджара пакетаў", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Уключэнне дазваляе змяняць выканальны файл для мэнэджараў - гнутка, але небяспечна", + "Allow importing custom command-line arguments when importing packages from a bundle": "Дазволіць імпарт уласных аргументаў каманднага радка пры імпарце пакетаў з набору", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Няправільныя аргументы каманднага радка могуць пашкодзіць пакеты або нават дазволіць злоўмысніку атрымаць прывілеяваны доступ. Таму імпарт карыстальніцкіх аргументаў каманднага радка па змаўчанні адключаны.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дазволіць імпарт перад- і паслякамандаў пры імпарце з набора", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Каманды перад і пасля ўстаноўкі могуць быць небяспечныя. Імпартуйце толькі з давераных крыніц.", + "Administrator rights and other dangerous settings": "Правы адміністратара і іншыя небяспечныя налады", + "Package backup": "Рэзерваванне пакетаў", + "Cloud package backup": "Воблачная копія пакетаў", + "Local package backup": "Лакальнае рэзерваванне пакетаў", + "Local backup advanced options": "Пашыраныя параметры лакальнага рэзерву", + "Log in with GitHub": "Увайсці праз GitHub", + "Log out from GitHub": "Выйсці з GitHub", + "Periodically perform a cloud backup of the installed packages": "Перыядычна ствараць воблачную копію спіса ўсталяваных пакетаў", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Воблачная копія выкарыстоўвае прыватны GitHub Gist для спісу ўсталяваных пакетаў", + "Perform a cloud backup now": "Стварыць воблачную копію зараз", + "Backup": "Рэзервовае капіраванне", + "Restore a backup from the cloud": "Аднавіць з воблачная копіі", + "Begin the process to select a cloud backup and review which packages to restore": "Пачаць выбар воблачнай копіі і перагляд пакетаў для аднаўлення", + "Periodically perform a local backup of the installed packages": "Перыядычна ствараць лакальную копію пакетаў", + "Perform a local backup now": "Стварыць лакальную копію зараз", + "Change backup output directory": "Змяніць каталог для рэзервовай копіі", + "Set a custom backup file name": "Задаць уласную назву файла рэзерву", + "Leave empty for default": "Пакіньце пустым для значэння па змаўчанні", + "Add a timestamp to the backup file names": "Дабаўляць адзнаку часу ў назвы файлаў рэзервовай копіі", + "Backup and Restore": "Копія і аднаўленне", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Уключыць фонавы API (віджэты і абмен UniGetUI, порт 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Чакаць злучэння з інтэрнэтам перад сеткавымі задачамі", + "Disable the 1-minute timeout for package-related operations": "Адключыць 1-хвілінны таймаўт аперацый", + "Use installed GSudo instead of UniGetUI Elevator": "Выкарыстоўваць усталяваны GSudo замест Elevator", + "Use a custom icon and screenshot database URL": "Уласны URL базы ікон і скрыншотаў", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Уключыць аптымізацыю выкарыстання CPU у фоне (гл. Pull Request #3278)", + "Perform integrity checks at startup": "Правяраць цэласнасць пры запуску", + "When batch installing packages from a bundle, install also packages that are already installed": "Пры пакетным усталяванні таксама ўсталёўваць ужо ўсталяваныя пакеты", + "Experimental settings and developer options": "Эксперыментальныя і распрацоўніцкія налады", + "Show UniGetUI's version and build number on the titlebar.": "Паказваць версію UniGetUI ў загалоўку", + "Language": "Мова", + "UniGetUI updater": "Абнаўляльнік UniGetUI", + "Telemetry": "Тэлеметрыя", + "Manage UniGetUI settings": "Рэгуляваць налады UniGetUI", + "Related settings": "Звязаныя налады", + "Update WingetUI automatically": "Аўтаабнаўляць UniGetUI", + "Check for updates": "Праверыць абнаўленні", + "Install prerelease versions of UniGetUI": "Усталёўваць перадрэлізныя версіі UniGetUI", + "Manage telemetry settings": "Рэгуляваць тэлеметрыю", + "Manage": "Кіраванне", + "Import settings from a local file": "Імпартаваць налады з лакальнага файла", + "Import": "Імпарт", + "Export settings to a local file": "Экспартаваць налады ў лакальны файл", + "Export": "Экспарт", + "Reset WingetUI": "Скінуць UniGetUI", + "Reset UniGetUI": "Скінуць UniGetUI", + "User interface preferences": "Налады інтэрфейсу", + "Application theme, startup page, package icons, clear successful installs automatically": "Тэма, стартавая старонка, іконкі пакетаў, аўтаачыстка ўдалых аперацый", + "General preferences": "Агульныя налады", + "WingetUI display language:": "Мова інтэрфейсу UniGetUI:", + "Is your language missing or incomplete?": "Вашай мовы няма або яна няпоўная?", + "Appearance": "Выгляд", + "UniGetUI on the background and system tray": "UniGetUI у фоне і трэі", + "Package lists": "Спісы пакетаў", + "Close UniGetUI to the system tray": "Згарнуць UniGetUI у трэй", + "Show package icons on package lists": "Паказваць іконкі ў спісах", + "Clear cache": "Ачысціць кэш", + "Select upgradable packages by default": "Абраць абнаўляльныя пакеты па змаўчанні", + "Light": "Светлая", + "Dark": "Цёмная", + "Follow system color scheme": "Сачыць за сістэмнай колеравай схемай", + "Application theme:": "Тэма праграммы:", + "Discover Packages": "Пошук пакетаў", + "Software Updates": "Абнаўленні", + "Installed Packages": "Усталяваныя пакеты", + "Package Bundles": "Наборы пакетаў", + "Settings": "Налады", + "UniGetUI startup page:": "Стартавая старонка UniGetUI:", + "Proxy settings": "Налады проксі", + "Other settings": "Іншыя налады", + "Connect the internet using a custom proxy": "Злучацца праз уласны проксі", + "Please note that not all package managers may fully support this feature": "Не ўсе мэнэджары пакетаў падтрымліваюць гэтую функцыю", + "Proxy URL": "URL проксі", + "Enter proxy URL here": "Увядзіце URL проксі тут", + "Package manager preferences": "Налады мэнэджара пакетаў", + "Ready": "Гатова", + "Not found": "Не знойдзена", + "Notification preferences": "Налады апавяшчэнняў", + "Notification types": "Тыпы апавяшчэнняў", + "The system tray icon must be enabled in order for notifications to work": "Для апавяшчэнняў трэба уключыць значок у трэі", + "Enable WingetUI notifications": "Уключыць апавяшчэнні UniGetUI", + "Show a notification when there are available updates": "Паказваць апавяшчэнне пра даступныя абнаўленні", + "Show a silent notification when an operation is running": "Паказваць ціхае апавяшчэнне падчас аперацыі", + "Show a notification when an operation fails": "Паказваць апавяшчэнне пры няўдалай аперацыі", + "Show a notification when an operation finishes successfully": "Паказваць апавяшчэнне пра ўдалую аперацыю", + "Concurrency and execution": "Паралелізм і выкананне", + "Automatic desktop shortcut remover": "Аўтавылучэнне ярлыкоў на працоўным стале", + "Clear successful operations from the operation list after a 5 second delay": "Выдаляць удалыя аперацыі праз 5 секунд", + "Download operations are not affected by this setting": "На спампоўкі гэта не ўплывае", + "Try to kill the processes that refuse to close when requested to": "Паспрабаваць забіць працэсы, якія не закрываюцца", + "You may lose unsaved data": "Можаце страціць незахаваныя даныя", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Пытаць аб выдаленні ярлыкоў, створаных падчас усталявання/абнаўлення.", + "Package update preferences": "Налады абнаўлення пакетаў", + "Update check frequency, automatically install updates, etc.": "Частата праверкі, аўтаабнаўленні і інш.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Менш UAC акон, падняцце правоў па змаўчанні, разблакаванне рызыкоўных функцый", + "Package operation preferences": "Налады аперацый пакетаў", + "Enable {pm}": "Уключыць {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Не знаходзіце файл? Праверце, што шлях дададзены ў PATH.", + "For security reasons, changing the executable file is disabled by default": "З меркаванняў бяспекі змена выканальнага файла адключана па змаўчанні", + "Change this": "Змяніць гэта", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Абярыце выканальны файл. Ніжэй спіс знойдзеных UniGetUI файлаў", + "Current executable file:": "Бягучы выканальны файл:", + "Ignore packages from {pm} when showing a notification about updates": "Ігнараваць пакеты з {pm} у апавяшчэннях пра абнаўленні", + "View {0} logs": "Прагляд логаў {0}", + "Advanced options": "Дадатковыя налады", + "Reset WinGet": "Скінуць WinGet", + "This may help if no packages are listed": "Можа дапамагчы, калі пакеты не адлюстроўваюцца", + "Force install location parameter when updating packages with custom locations": "Прымусова выкарыстоўваць параметр месца ўсталявання пры абнаўленні пакетаў з карыстальніцкімі шляхамі", + "Use bundled WinGet instead of system WinGet": "Убудаваны WinGet замест сістэмнага", + "This may help if WinGet packages are not shown": "Можа дапамагчы, калі пакеты WinGet не паказваюцца", + "Install Scoop": "Усталяваць Scoop", + "Uninstall Scoop (and its packages)": "Выдаліць Scoop (і яго пакеты)", + "Run cleanup and clear cache": "Ачысціць і скінуць кэш", + "Run": "Запусціць", + "Enable Scoop cleanup on launch": "Уключыць ачыстку Scoop пры запуску", + "Use system Chocolatey": "Выкарыстоўваць сістэмны Chocolatey", + "Default vcpkg triplet": "Трыплет vcpkg па змаўчанні", + "Language, theme and other miscellaneous preferences": "Мова, тэма і іншыя налады", + "Show notifications on different events": "Паказваць апавяшчэнні пры розных падзеях", + "Change how UniGetUI checks and installs available updates for your packages": "Змяніць як UniGetUI правярае і ўсталёўвае абнаўленні", + "Automatically save a list of all your installed packages to easily restore them.": "Аўтаматычна захоўваць спіс усталяваных пакетаў для хуткага аднаўлення.", + "Enable and disable package managers, change default install options, etc.": "Уключэнне / выключэнне мэнэджараў пакетаў, змена параметраў усталявання па змаўчанні і інш.", + "Internet connection settings": "Налады падключэння да Інтэрнэту", + "Proxy settings, etc.": "Налады проксі і інш.", + "Beta features and other options that shouldn't be touched": "Бэта-функцыі і іншыя рызыкоўныя налады", + "Update checking": "Праверка абнаўленняў", + "Automatic updates": "Аўтаабнаўленні", + "Check for package updates periodically": "Перыядычна правяраць абнаўленні пакетаў", + "Check for updates every:": "Правяраць абнаўленні кожныя:", + "Install available updates automatically": "Аўтаматычна ўсталёўваць даступныя абнаўленні", + "Do not automatically install updates when the network connection is metered": "Не ўсталёўваць аўтаабнаўленні пры лімітаванавай сетцы", + "Do not automatically install updates when the device runs on battery": "Не ўсталёўваць аўтаабнаўленні пры працы ад батарэі", + "Do not automatically install updates when the battery saver is on": "Не ўсталёўваць аўтаабнаўленні пры рэжыме эканоміі", + "Change how UniGetUI handles install, update and uninstall operations.": "Змяніць як UniGetUI апрацоўвае ўсталяванні, абнаўленні і выдаленні.", + "Package Managers": "Мэнэджары пакетаў", + "More": "Болей", + "WingetUI Log": "Лог UniGetUI", + "Package Manager logs": "Логі мэнэджара пакетаў", + "Operation history": "Гісторыя аперацый", + "Help": "Дапамога", + "Order by:": "Упарадкаванне:", + "Name": "Назва", + "Id": "ID", + "Ascendant": "Па ўзрастанні", + "Descendant": "Па змяншэнні", + "View mode:": "Рэжым прагляду:", + "Filters": "Фільтры", + "Sources": "Крыніцы", + "Search for packages to start": "Пачніце з пошуку пакетаў", + "Select all": "Абраць усё", + "Clear selection": "Ачысціць выбар", + "Instant search": "Імгненны пошук", + "Distinguish between uppercase and lowercase": "Адрозніваць вялікія і малыя літары", + "Ignore special characters": "Ігнараваць спецзнакі", + "Search mode": "Рэжым пошуку", + "Both": "Назва і ID пакета", + "Exact match": "Дакладнае супадзенне", + "Show similar packages": "Паказаць падобныя пакеты", + "No results were found matching the input criteria": "Няма вынікаў па крытэрыях", + "No packages were found": "Пакеты не былі знойдзены", + "Loading packages": "Загрузка пакетаў", + "Skip integrity checks": "Прапусціць праверку цэласнасці", + "Download selected installers": "Спампаваць выбраныя ўсталёўшчыкі", + "Install selection": "Усталяваць выбранае", + "Install options": "Параметры ўсталявання", + "Share": "Падзяліцца", + "Add selection to bundle": "Дадаць выбраныя ў набор", + "Download installer": "Спампаваць усталёўшчык", + "Share this package": "Падзяліцца пакетам", + "Uninstall selection": "Выдаліць выбранае", + "Uninstall options": "Параметры выдалення", + "Ignore selected packages": "Ігнараваць выбраныя пакеты", + "Open install location": "Адкрыць месца ўсталявання", + "Reinstall package": "Пераўсталяваць пакет", + "Uninstall package, then reinstall it": "Выдаліць і пераўсталяваць", + "Ignore updates for this package": "Ігнараваць абнаўленні гэтага пакета", + "Do not ignore updates for this package anymore": "Больш не ігнараваць абнаўленні гэтага пакета", + "Add packages or open an existing package bundle": "Дадаць пакеты або адкрыць набор пакетаў", + "Add packages to start": "Дадайце пакеты каб пачаць", + "The current bundle has no packages. Add some packages to get started": "У наборы няма пакетаў. Дадайце некалькі для пачатку", + "New": "Новы", + "Save as": "Захаваць як", + "Remove selection from bundle": "Выдаліць выбранае з набора", + "Skip hash checks": "Прапускаць праверкі хэша", + "The package bundle is not valid": "Набор пакетаў несапраўдны", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Набор, які вы адкрываеце, хібны. Праверце файл і паўторыце.", + "Package bundle": "Набор пакетаў", + "Could not create bundle": "Немагчыма стварыць набор", + "The package bundle could not be created due to an error.": "Немагчыма стварыць набор пакетаў з-за памылкі.", + "Bundle security report": "Справаздача бяспекі набора", + "Hooray! No updates were found.": "Нарэшце! Абнаўленняў не знойдзена.", + "Everything is up to date": "Усё актуальна", + "Uninstall selected packages": "Выдаліць выбраныя пакеты", + "Update selection": "Абнавіць выбранае", + "Update options": "Параметры абнаўлення", + "Uninstall package, then update it": "Выдаліць і абнавіць", + "Uninstall package": "Выдаліць пакет", + "Skip this version": "Прапусціць гэтую версію", + "Pause updates for": "Прыпыніць абнаўленні на", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Мэнэджар пакетаў Rust.
Змяшчае: Бібліятэкі і праграмы на Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класічны мэнэджар пакетаў для Windows. Тут ёсць усё.
Змяшчае: Праграмы агульнага прызначэння", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Рэпазітарый інструментаў і выканальных файлаў для экасістэмы Microsoft .NET.
Змяшчае: Інструменты і сцэнарыі .NET", + "NuPkg (zipped manifest)": "NuPkg (заціснуты маніфест)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Мэнэджар пакетаў Node JS. Бібліятэкі і ўтыліты JS
Змяшчае: JS бібліятэкі і ўтыліты", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Мэнэджар бібліятэк Python. Бібліятэкі і ўтыліты Python
Змяшчае: Бібліятэкі і ўтыліты Python", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Мэнэджар пакетаў PowerShell. Бібліятэкі і скрыпты для пашырэння
Змяшчае: Модулі, скрыпты, Cmdlet", + "extracted": "распакавана", + "Scoop package": "Пакет Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Выдатны рэпазітарый карысных утыліт і цікавых пакетаў.
Змяшчае: Утыліты, камандныя праграмы, праграмнае забеспячэнне (патрабуецца extras bucket)", + "library": "бібліятэка", + "feature": "функцыя", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Папулярны мэнэджар бібліятэк C/C++. Мноства бібліятэк і ўтыліт C/C++
Змяшчае: Бібліятэкі і ўтыліты C/C++", + "option": "параметр", + "This package cannot be installed from an elevated context.": "Пакет нельга ўсталяваць з павышанага кантэксту.", + "Please run UniGetUI as a regular user and try again.": "Запусціце UniGetUI як звычайны карыстальнік і паспрабуйце зноў.", + "Please check the installation options for this package and try again": "Праверце параметры ўсталявання гэтага пакета і паўторыце", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Афіцыйны мэнэджар пакетаў Microsoft. Мноства вядомых правераных пакетаў
Змяшчае: Праграмы агульнага прызначэння, праграмы з Microsoft Store", + "Local PC": "Мясцовы ПК", + "Android Subsystem": "Падсістэма Android", + "Operation on queue (position {0})...": "Аперацыя ў чарзе (пазіцыя {0})...", + "Click here for more details": "Падрабязнасці тут", + "Operation canceled by user": "Аперацыя скасавана карыстальнікам", + "Starting operation...": "Запуск аперацыі...", + "{package} installer download": "Спампоўка усталёўшчыка {package}", + "{0} installer is being downloaded": "Спампоўваецца ўсталёўшчык {0}", + "Download succeeded": "Спампоўванне завершана ўдала", + "{package} installer was downloaded successfully": "Усталёўшчык {package} паспяхова спампаваны", + "Download failed": "Спампоўка не ўдалася", + "{package} installer could not be downloaded": "Немагчыма спампаваць усталёўшчык {package}", + "{package} Installation": "Усталяванне {package}", + "{0} is being installed": "{0} усталёўваецца", + "Installation succeeded": "Усталяванне завершана ўдала", + "{package} was installed successfully": "{package} паспяхова ўсталяваны", + "Installation failed": "Усталяванне не ўдалося", + "{package} could not be installed": "Немагчыма ўсталяваць {package}", + "{package} Update": "Абнаўленне {package}", + "{0} is being updated to version {1}": "{0} абнаўляецца да версіі {1}", + "Update succeeded": "Абнаўленне завершана ўдала", + "{package} was updated successfully": "{package} паспяхова абноўлены", + "Update failed": "Абнаўленне не ўдалося", + "{package} could not be updated": "Немагчыма абнавіць {package}", + "{package} Uninstall": "Выдаленне {package}", + "{0} is being uninstalled": "{0} выдаляецца", + "Uninstall succeeded": "Выдаленне завершана ўдала", + "{package} was uninstalled successfully": "{package} паспяхова выдалены", + "Uninstall failed": "Выдаленне не ўдалося", + "{package} could not be uninstalled": "Немагчыма выдаліць {package}", + "Adding source {source}": "Дадаецца крыніца {source}", + "Adding source {source} to {manager}": "Дадаецца крыніца {source} у {manager}", + "Source added successfully": "Крыніца паспяхова дададзена", + "The source {source} was added to {manager} successfully": "Крыніца {source} паспяхова дададзена ў {manager}", + "Could not add source": "Немагчыма дадаць крыніцу", + "Could not add source {source} to {manager}": "Немагчыма дадаць крыніцу {source} у {manager}", + "Removing source {source}": "Выдаленне крыніцы {source}", + "Removing source {source} from {manager}": "Выдаленне {source} з {manager}", + "Source removed successfully": "Крыніца паспяхова выдалена", + "The source {source} was removed from {manager} successfully": "Крыніца {source} паспяхова выдалена з {manager}", + "Could not remove source": "Немагчыма выдаліць крыніцу", + "Could not remove source {source} from {manager}": "Немагчыма выдаліць {source} з {manager}", + "The package manager \"{0}\" was not found": "Мэнэджар \"{0}\" не знойдзены", + "The package manager \"{0}\" is disabled": "Мэнэджар \"{0}\" адключаны", + "There is an error with the configuration of the package manager \"{0}\"": "Памылка канфігурацыі мэнэджара \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" не знойдзены ў мэнэджары \"{1}\"", + "{0} is disabled": "{0} адключаны", + "Something went wrong": "Нешта пайшло не так", + "An interal error occurred. Please view the log for further details.": "Унутраная памылка. Прагледзьце журнал для падрабязнасцей.", + "No applicable installer was found for the package {0}": "Не знойдзена адпаведнага ўсталёўшчыка для пакета {0}", + "We are checking for updates.": "Ідзе праверка абнаўленняў.", + "Please wait": "Пачакайце", + "UniGetUI version {0} is being downloaded.": "Спампоўваецца UniGetUI версіі {0}.", + "This may take a minute or two": "Гэта можа заняць хвіліну-другую", + "The installer authenticity could not be verified.": "Нельга пацвердзіць сапраўднасць усталёўшчыка.", + "The update process has been aborted.": "Працэс абнаўлення спынены.", + "Great! You are on the latest version.": "Вы выкарыстоўваеце апошнюю версію.", + "There are no new UniGetUI versions to be installed": "Новых версій UniGetUI няма", + "An error occurred when checking for updates: ": "Памылка пры праверцы абнаўленняў: ", + "UniGetUI is being updated...": "UniGetUI абнаўляецца...", + "Something went wrong while launching the updater.": "Памылка пры запуску абнаўлення.", + "Please try again later": "Паспрабуйце пазней", + "Integrity checks will not be performed during this operation": "Праверкі цэласнасці не будуць выконвацца для гэтай аперацыі", + "This is not recommended.": "Не рэкамендуецца.", + "Run now": "Запусціць цяпер", + "Run next": "Запусціць наступным", + "Run last": "Запусціць апошнім", + "Retry as administrator": "Паўтарыць як адміністратар", + "Retry interactively": "Паўтарыць інтэрактыўна", + "Retry skipping integrity checks": "Паўтарыць без праверкі цэласнасці", + "Installation options": "Параметры ўсталявання", + "Show in explorer": "Паказаць у провадніку", + "This package is already installed": "Пакет ужо ўсталяваны", + "This package can be upgraded to version {0}": "Пакет можна абнавіць да версіі {0}", + "Updates for this package are ignored": "Абнаўленні гэтага пакета ігнаруюцца", + "This package is being processed": "Пакет апрацоўваецца", + "This package is not available": "Пакет недаступны", + "Select the source you want to add:": "Абярыце крыніцу для дадання:", + "Source name:": "Назва крыніцы:", + "Source URL:": "URL крыніцы:", + "An error occurred": "Адбылася памылка", + "An error occurred when adding the source: ": "Памылка пры даданні крыніцы: ", + "Package management made easy": "Кіраванне пакетамі стала прасцей", + "version {0}": "версія {0}", + "[RAN AS ADMINISTRATOR]": "[ЗАПУСК АДМІНІСТРАТАРА]", + "Portable mode": "Партатыўны рэжым", + "DEBUG BUILD": "АДЛАДАЧНАЯ ЗБОРКА", + "Available Updates": "Даступныя абнаўленні", + "Show WingetUI": "Паказаць UniGetUI", + "Quit": "Выхад", + "Attention required": "Патрабуецца ўвага", + "Restart required": "Патрабуецца перазапуск", + "1 update is available": "Даступнае 1 абнаўленне", + "{0} updates are available": "Даступна абнаўленняў: {0}", + "WingetUI Homepage": "Сайт UniGetUI", + "WingetUI Repository": "Рэпазітарый UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тут можна змяніць паводзіны адносна ярлыкоў. Адзначаныя ярлыкі будуць аўтавыдалены пры будучых абнаўленнях, іншыя будуць захаваны.", + "Manual scan": "Ручное сканаванне", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Існыя ярлыкі на працоўным стале будуць прасканіраваны; выберыце, якія пакінуць, а якія выдаліць.", + "Continue": "Працягнуць", + "Delete?": "Выдаліць?", + "Missing dependency": "Адсутнічае залежнасць", + "Not right now": "Не цяпер", + "Install {0}": "Усталяваць {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "Для працы патрабуецца {0}, але яго не знойдзена.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Націсніце Усталяваць, каб пачаць. Калі прапусціце, UniGetUI можа працаваць некарэктна.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Таксама можна ўсталяваць {0} праз наступную каманду ў PowerShell:", + "Do not show this dialog again for {0}": "Больш не паказваць гэта акно на {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Пачакайце пакуль усталёўваецца {0}. Можа з'явіцца чорнае (ці сіняе) акно. Пачакайце пакуль яно закрыецца.", + "{0} has been installed successfully.": "{0} паспяхова ўсталяваны.", + "Please click on \"Continue\" to continue": "Націсніце \"Працягнуць\" каб працягнуць", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} усталяваны. Рэкамендуецца перазапусціць UniGetUI", + "Restart later": "Перазапусціць пазней", + "An error occurred:": "Адбылася памылка:", + "I understand": "Я разумею", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI запушчаны як адміністратар - не рэкамендуецца. Усе аперацыі будуць з правамі. Лепш запускаць без іх.", + "WinGet was repaired successfully": "WinGet паспяхова адноўлены", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Рэкамендуецца перазапусціць UniGetUI пасля рамонту WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ЗАЎВАГА: гэты сродак можна адключыць у наладах UniGetUI (раздзел WinGet)", + "Restart": "Перазапуск", + "WinGet could not be repaired": "WinGet не ўдалося аднавіць", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Нечаканая праблема пры спробе аднавіць WinGet. Паспрабуйце пазней", + "Are you sure you want to delete all shortcuts?": "Выдаліць усе ярлыкі?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Новыя ярлыкі, створаныя падчас усталявання або абнаўлення, будуць аўтаматычна выдалены без пацвярджэння.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Ярлыкі, створаныя або змененыя па-за UniGetUI, будуць ігнаравацца. Можна дадаць іх праз кнопку {0}.", + "Are you really sure you want to enable this feature?": "Сапраўды ўключыць гэтую функцыю?", + "No new shortcuts were found during the scan.": "Падчас сканавання новых ярлыкоў не знойдзена.", + "How to add packages to a bundle": "Як дадаць пакеты ў набор", + "In order to add packages to a bundle, you will need to: ": "Каб дадаць пакеты ў набор неабходна: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Перайдзіце на старонку \"{0}\" або \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Знайдзіце пакет(ы), якія жадаеце дадаць у набор, і пастаўце птушку ў самым левым слупку.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Пасля выбару пакетаў знайдзіце і націсніце \"{0}\" на панэлі інструментаў.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вашы пакеты будуць дададзены ў набор. Можна працягваць дадаваць пакеты або экспартаваць набор.", + "Which backup do you want to open?": "Якую рэзервовую копію загрузіць?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Абярыце копію, якую хочаце загрузіць. Пазней будзе магчымасць вызначыць, якія пакеты аднавіць.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ёсць актыўныя аперацыі. Выхад можа выклікаць іх памылку. Працягнуць?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI або яго кампаненты адсутнічаюць/пашкоджаны.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Настойліва раім перавсталяваць UniGetUI для вырашэння праблемы.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Глядзіце логі UniGetUI для падрабязнасцей пра файл(ы)", + "Integrity checks can be disabled from the Experimental Settings": "Праверкі цэласнасці можна адключыць у эксперыментальных наладах", + "Repair UniGetUI": "Аднавіць UniGetUI", + "Live output": "Жывы вывад", + "Package not found": "Пакет не знойдзены", + "An error occurred when attempting to show the package with Id {0}": "Памылка пры паказе пакета з ID {0}", + "Package": "Пакет", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Набор меў патэнцыйна небяспечныя налады - яны могуць ігнаравацца.", + "Entries that show in YELLOW will be IGNORED.": "Радкі ЖОЎТАГА колеру будуць ІГНАРАВАНЫ.", + "Entries that show in RED will be IMPORTED.": "Радкі ЧЫРВОНАГА колеру будуць ІМПАРТАВАНЫ.", + "You can change this behavior on UniGetUI security settings.": "Паводзіны можна змяніць у наладах бяспекі UniGetUI.", + "Open UniGetUI security settings": "Адкрыць налады бяспекі UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Пасля змены налад бяспекі зноў адкрыйце набор для прымянення.", + "Details of the report:": "Падрабязнасці справаздачы:", "\"{0}\" is a local package and can't be shared": "\"{0}\" - лакальны пакет і ім нельга падзяліцца", + "Are you sure you want to create a new package bundle? ": "Стварыць новы набор пакетаў? ", + "Any unsaved changes will be lost": "Незахаваныя змены будуць страчаныя", + "Warning!": "Увага!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "З меркаванняў бяспекі ўласныя аргументы адключаны. Змяніце ў наладах бяспекі UniGetUI.", + "Change default options": "Змяніць налады па змаўчанні", + "Ignore future updates for this package": "Ігнараваць будучыя абнаўленні пакета", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "З меркаванняў бяспекі перад- і пасляскрыпты адключаны. Змяніце ў наладах бяспекі UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можна задаць каманды да і пасля ўсталявання/абнаўлення/выдалення. Запускаюцца ў CMD.", + "Change this and unlock": "Змяніць і разблакаваць", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Налады ўсталёўкі заблакаваныя, бо для {0} выкарыстоўваюцца налады па змаўчанні.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Абярыце працэсы, якія трэба закрыць перад усталяваннем/абнаўленнем/выдаленнем пакета.", + "Write here the process names here, separated by commas (,)": "Упішыце назвы працэсаў праз коску", + "Unset or unknown": "Не зададзена / невядома", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Глядзіце вывад каманднага радка або звярніцеся да гісторыі аперацый, каб атрымаць больш звестак пра праблему.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Няма ікон або скрыншотаў? Дадайце іх у публічную базу UniGetUI.", + "Become a contributor": "Стаць удзельнікам", + "Save": "Захаваць", + "Update to {0} available": "Даступна абнаўленне да {0}", + "Reinstall": "Пераўсталяваць", + "Installer not available": "Усталёўшчык недаступны", + "Version:": "Версія:", + "Performing backup, please wait...": "Стварэнне рэзерву, пачакайце...", + "An error occurred while logging in: ": "Памылка ўваходу: ", + "Fetching available backups...": "Атрыманне даступных рэзервовых копій...", + "Done!": "Гатова!", + "The cloud backup has been loaded successfully.": "Воблачная копію паспяхова загружана.", + "An error occurred while loading a backup: ": "Памылка пры загрузцы рэзервовай копіі: ", + "Backing up packages to GitHub Gist...": "Адпраўка рэзервовай копіі пакетаў у GitHub Gist...", + "Backup Successful": "Рэзервовая копія створана ўдала", + "The cloud backup completed successfully.": "Воблачная копію паспяхова створана.", + "Could not back up packages to GitHub Gist: ": "Немагчыма зрабіць рэзервовую копію ў GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Няма гарантый бяспечнага захавання ўліковых даных - не выкарыстоўвайце важныя (банкаўскія) даныя", + "Enable the automatic WinGet troubleshooter": "Уключыць аўтаматычны сродак выпраўлення WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Уключыць [эксперыментальны] палепшаны сродак выпраўлення WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Дадаваць абнаўленні з памылкай 'няма адпаведнага абнаўлення' у спіс ігнараваных", + "Restart WingetUI to fully apply changes": "Перазапусціце UniGetUI для прымянення змен", + "Restart WingetUI": "Перазапусціць UniGetUI", + "Invalid selection": "Няправільны выбар", + "No package was selected": "Не выбрана ніводнага пакета", + "More than 1 package was selected": "Выбрана больш за адзін пакет", + "List": "Спіс", + "Grid": "Сетка", + "Icons": "Іконкі", "\"{0}\" is a local package and does not have available details": "\"{0}\" - лакальны пакет, падрабязнасці недаступныя", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" - лакальны пакет і ён не падтрымлівае гэтую функцыю", - "(Last checked: {0})": "(Апошняя праверка: {0})", + "WinGet malfunction detected": "Выяўлена няспраўнасць WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Падобна WinGet працуе няправільна. Паспрабаваць адрамантаваць?", + "Repair WinGet": "Аднавіць WinGet", + "Create .ps1 script": "Стварыць .ps1 скрыпт", + "Add packages to bundle": "Дадаць пакеты ў набор", + "Preparing packages, please wait...": "Падрыхтоўка пакетаў, пачакайце...", + "Loading packages, please wait...": "Загрузка пакетаў, пачакайце...", + "Saving packages, please wait...": "Захаванне пакетаў, пачакайце...", + "The bundle was created successfully on {0}": "Набор паспяхова створаны ў {0}", + "Install script": "Скрыпт усталявання", + "The installation script saved to {0}": "Скрыпт усталявання захаваны ў {0}", + "An error occurred while attempting to create an installation script:": "Памылка пры стварэнні скрыпту ўсталявання:", + "{0} packages are being updated": "{0} пакетаў абнаўляюцца", + "Error": "Памылка", + "Log in failed: ": "Памылка ўваходу: ", + "Log out failed: ": "Не ўдалося выйсці: ", + "Package backup settings": "Налады рэзервовай копіі пакетаў", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Нумар {0} у чарзе)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@bthos", "0 packages found": "Пакеты не знойдзены", "0 updates found": "Абнаўленняў не знойдзена", - "1 - Errors": "1 - Збоі", - "1 day": "1 дзень", - "1 hour": "1 гадзіна", "1 month": "1 месяц", "1 package was found": "Знойдзены 1 пакет", - "1 update is available": "Даступнае 1 абнаўленне", - "1 week": "1 тыдзень", "1 year": "1 год", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Перайдзіце на старонку \"{0}\" або \"{1}\".", - "2 - Warnings": "2 - Папярэджанні", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Знайдзіце пакет(ы), якія жадаеце дадаць у набор, і пастаўце птушку ў самым левым слупку.", - "3 - Information (less)": "3 - Інфармацыя (менш)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Пасля выбару пакетаў знайдзіце і націсніце \"{0}\" на панэлі інструментаў.", - "4 - Information (more)": "4 - Інфармацыя (больш)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вашы пакеты будуць дададзены ў набор. Можна працягваць дадаваць пакеты або экспартаваць набор.", - "5 - information (debug)": "5 - Інфармацыя (адладка)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Папулярны мэнэджар бібліятэк C/C++. Мноства бібліятэк і ўтыліт C/C++
Змяшчае: Бібліятэкі і ўтыліты C/C++", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Рэпазітарый інструментаў і выканальных файлаў для экасістэмы Microsoft .NET.
Змяшчае: Інструменты і сцэнарыі .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Рэпазітарый інструментаў, распрацаваных для экасістэмы Microsoft .NET.
Змяшчае: Інструменты .NET", "A restart is required": "Патрабуецца перазапуск", - "Abort install if pre-install command fails": "Скасаваць устаноўку ў выпадку памылкі ў падрыхтоўчай камандзе", - "Abort uninstall if pre-uninstall command fails": "Скасаваць выдаленне ў выпадку памылкі ў падрыхтоўчай камандзе", - "Abort update if pre-update command fails": "Скасаваць абнауленне ў выпадку памылкі ў падрыхтоўчай камандзе", - "About": "Аб праграме", "About Qt6": "Аб Qt6", - "About WingetUI": "Аб UniGetUI", "About WingetUI version {0}": "Аб UniGetUI версіі {0}", "About the dev": "Інфармацыя пра распрацоўніка", - "Accept": "Прыняць", "Action when double-clicking packages, hide successful installations": "Дзеянне пры двайным кліку па пакетах, хаваць паспяховыя ўстаноўкі", - "Add": "Дадаць", "Add a source to {0}": "Дадаць крыніцу ў {0}", - "Add a timestamp to the backup file names": "Дабаўляць адзнаку часу ў назвы файлаў рэзервовай копіі", "Add a timestamp to the backup files": "Дабаўляць адзнаку часу ў рэзервовыя файлы", "Add packages or open an existing bundle": "Дадаць пакеты або адкрыць існы набор", - "Add packages or open an existing package bundle": "Дадаць пакеты або адкрыць набор пакетаў", - "Add packages to bundle": "Дадаць пакеты ў набор", - "Add packages to start": "Дадайце пакеты каб пачаць", - "Add selection to bundle": "Дадаць выбраныя ў набор", - "Add source": "Дадаць крыніцу", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Дадаваць абнаўленні з памылкай 'няма адпаведнага абнаўлення' у спіс ігнараваных", - "Adding source {source}": "Дадаецца крыніца {source}", - "Adding source {source} to {manager}": "Дадаецца крыніца {source} у {manager}", "Addition succeeded": "Дабаўленне завершана ўдала", - "Administrator privileges": "Паўнамоцтвы адміністратара", "Administrator privileges preferences": "Налады паўнамоцтваў адміністратара", "Administrator rights": "Правы адміністратара", - "Administrator rights and other dangerous settings": "Правы адміністратара і іншыя небяспечныя налады", - "Advanced options": "Дадатковыя налады", "All files": "Усе файлы", - "All versions": "Усе версіі", - "Allow changing the paths for package manager executables": "Дазволіць змяняць шляхі для выканальных файлаў менеджара пакетаў", - "Allow custom command-line arguments": "Дазволіць ўвод уласных аргументаў каманднага радка", - "Allow importing custom command-line arguments when importing packages from a bundle": "Дазволіць імпарт уласных аргументаў каманднага радка пры імпарце пакетаў з набору", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дазволіць імпарт перад- і паслякамандаў пры імпарце з набора", "Allow package operations to be performed in parallel": "Дазволіць паралельныя аперацыі з пакетамі", "Allow parallel installs (NOT RECOMMENDED)": "Дазволіць паралельныя ўсталёўкі (НЕ РЭКАМЕНДУЕЦЦА)", - "Allow pre-release versions": "Дазволіць папярэднія версіі", "Allow {pm} operations to be performed in parallel": "Дазволіць паралельныя аперацыі {pm}", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Таксама можна ўсталяваць {0} праз наступную каманду ў PowerShell:", "Always elevate {pm} installations by default": "Заўсёды падымаць прывілеі для {pm}", "Always run {pm} operations with administrator rights": "Заўсёды запускаць {pm} з правамі адміністратара", - "An error occurred": "Адбылася памылка", - "An error occurred when adding the source: ": "Памылка пры даданні крыніцы: ", - "An error occurred when attempting to show the package with Id {0}": "Памылка пры паказе пакета з ID {0}", - "An error occurred when checking for updates: ": "Памылка пры праверцы абнаўленняў: ", - "An error occurred while attempting to create an installation script:": "Памылка пры стварэнні скрыпту ўсталявання:", - "An error occurred while loading a backup: ": "Памылка пры загрузцы рэзервовай копіі: ", - "An error occurred while logging in: ": "Памылка ўваходу: ", - "An error occurred while processing this package": "Памылка апрацоўкі гэтага пакета", - "An error occurred:": "Адбылася памылка:", - "An interal error occurred. Please view the log for further details.": "Унутраная памылка. Прагледзьце журнал для падрабязнасцей.", "An unexpected error occurred:": "Нечаканая памылка:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Нечаканая праблема пры спробе аднавіць WinGet. Паспрабуйце пазней", - "An update was found!": "Знойдзена абнаўленне!", - "Android Subsystem": "Падсістэма Android", "Another source": "Іншая крыніца", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Новыя ярлыкі, створаныя падчас усталявання або абнаўлення, будуць аўтаматычна выдалены без пацвярджэння.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Ярлыкі, створаныя або змененыя па-за UniGetUI, будуць ігнаравацца. Можна дадаць іх праз кнопку {0}.", - "Any unsaved changes will be lost": "Незахаваныя змены будуць страчаныя", "App Name": "Назва праграмы", - "Appearance": "Выгляд", - "Application theme, startup page, package icons, clear successful installs automatically": "Тэма, стартавая старонка, іконкі пакетаў, аўтаачыстка ўдалых аперацый", - "Application theme:": "Тэма праграммы:", - "Apply": "Ужыць", - "Architecture to install:": "Архітэктура для ўсталявання:", "Are these screenshots wron or blurry?": "Скрыншоты няправільныя або размытыя?", - "Are you really sure you want to enable this feature?": "Сапраўды ўключыць гэтую функцыю?", - "Are you sure you want to create a new package bundle? ": "Стварыць новы набор пакетаў? ", - "Are you sure you want to delete all shortcuts?": "Выдаліць усе ярлыкі?", - "Are you sure?": "Вы ўпэўнены?", - "Ascendant": "Па ўзрастанні", - "Ask for administrator privileges once for each batch of operations": "Запытваць правы адміністратара адзін раз на партыю аперацый", "Ask for administrator rights when required": "Пытаць правы адміністратара па меры патрэбы", "Ask once or always for administrator rights, elevate installations by default": "Запыт разавы або заўсёды, падымаць прывілеі па змаўчанні", - "Ask only once for administrator privileges": "Запытаць толькі раз", "Ask only once for administrator privileges (not recommended)": "Запытаць толькі раз (не рэкамендуецца)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Пытаць аб выдаленні ярлыкоў, створаных падчас усталявання/абнаўлення.", - "Attention required": "Патрабуецца ўвага", "Authenticate to the proxy with an user and a password": "Аўтарызавацца на проксі з лагінам і паролем", - "Author": "Аўтар", - "Automatic desktop shortcut remover": "Аўтавылучэнне ярлыкоў на працоўным стале", - "Automatic updates": "Аўтаабнаўленні", - "Automatically save a list of all your installed packages to easily restore them.": "Аўтаматычна захоўваць спіс усталяваных пакетаў для хуткага аднаўлення.", "Automatically save a list of your installed packages on your computer.": "Захоўваць спіс усталяваных пакетаў на камп'ютары.", - "Automatically update this package": "Аўтаматычна абнаўляць гэты пакет", "Autostart WingetUI in the notifications area": "Аўтазапуск UniGetUI у вобласці паведамленняў", - "Available Updates": "Даступныя абнаўленні", "Available updates: {0}": "Даступна абнаўленняў: {0}", "Available updates: {0}, not finished yet...": "Даступна абнаўленняў: {0}, яшчэ не скончана...", - "Backing up packages to GitHub Gist...": "Адпраўка рэзервовай копіі пакетаў у GitHub Gist...", - "Backup": "Рэзервовае капіраванне", - "Backup Failed": "Памылка стварэння рэзервовай копіі", - "Backup Successful": "Рэзервовая копія створана ўдала", - "Backup and Restore": "Копія і аднаўленне", "Backup installed packages": "Стварыць рэзервовыя копіі усталяваных пакетаў", "Backup location": "Размяшчэнне рэзервовая копіі", - "Become a contributor": "Стаць удзельнікам", - "Become a translator": "Стаць перакладчыкам", - "Begin the process to select a cloud backup and review which packages to restore": "Пачаць выбар воблачнай копіі і перагляд пакетаў для аднаўлення", - "Beta features and other options that shouldn't be touched": "Бэта-функцыі і іншыя рызыкоўныя налады", - "Both": "Назва і ID пакета", - "Bundle security report": "Справаздача бяспекі набора", "But here are other things you can do to learn about WingetUI even more:": "Існуюць і іншыя спосабы даведацца пра UniGetUI яшчэ больш:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Адключыўшы мэнэджар, вы не ўбачыце і не зможаце абнаўляць яго пакеты.", "Cache administrator rights and elevate installers by default": "Кэшаваць правы і падымаць усталёўкі па змаўчанні", "Cache administrator rights, but elevate installers only when required": "Кэшаваць правы, падымаць толькі пры неабходнасці", "Cache was reset successfully!": "Кэш паспяхова ачышчаны!", "Can't {0} {1}": "Немагчыма {0} {1}", - "Cancel": "Скасаваць", "Cancel all operations": "Скасаваць усе аперацыі", - "Change backup output directory": "Змяніць каталог для рэзервовай копіі", - "Change default options": "Змяніць налады па змаўчанні", - "Change how UniGetUI checks and installs available updates for your packages": "Змяніць як UniGetUI правярае і ўсталёўвае абнаўленні", - "Change how UniGetUI handles install, update and uninstall operations.": "Змяніць як UniGetUI апрацоўвае ўсталяванні, абнаўленні і выдаленні.", "Change how UniGetUI installs packages, and checks and installs available updates": "Змяніць усталяванне і праверку абнаўленняў у UniGetUI", - "Change how operations request administrator rights": "Змяніць спосаб запыту правоў адміністратара", "Change install location": "Змяніць месца ўсталявання", - "Change this": "Змяніць гэта", - "Change this and unlock": "Змяніць і разблакаваць", - "Check for package updates periodically": "Перыядычна правяраць абнаўленні пакетаў", - "Check for updates": "Праверыць абнаўленні", - "Check for updates every:": "Правяраць абнаўленні кожныя:", "Check for updates periodically": "Правяраць абнаўленні перыядычна", "Check for updates regularly, and ask me what to do when updates are found.": "Рэгулярна правяраць і пытаць дзеянне пры знаходжанні абнаўленняў.", "Check for updates regularly, and automatically install available ones.": "Рэгулярна правяраць і аўтаматычна ўсталёўваць абнаўленні.", @@ -159,805 +741,283 @@ "Checking for updates...": "Праверка абнаўленняў...", "Checking found instace(s)...": "Праверка знойдзеных асобнікаў...", "Choose how many operations shouls be performed in parallel": "Абярыце колькі аперацый выконваць паралельна", - "Clear cache": "Ачысціць кэш", "Clear finished operations": "Ачысціць завершаныя аперацыі", - "Clear selection": "Ачысціць выбар", "Clear successful operations": "Ачысціць удалыя аперацыі", - "Clear successful operations from the operation list after a 5 second delay": "Выдаляць удалыя аперацыі праз 5 секунд", "Clear the local icon cache": "Ачысціць лакальны кэш ікон", - "Clearing Scoop cache - WingetUI": "Ачыстка кэша Scoop - UniGetUI", "Clearing Scoop cache...": "Ачыстка кэша Scoop...", - "Click here for more details": "Падрабязнасці тут", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Націсніце Усталяваць, каб пачаць. Калі прапусціце, UniGetUI можа працаваць некарэктна.", - "Close": "Закрыць", - "Close UniGetUI to the system tray": "Згарнуць UniGetUI у трэй", "Close WingetUI to the notification area": "Згарнуць UniGetUI ў вобласць паведамленняў", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Воблачная копія выкарыстоўвае прыватны GitHub Gist для спісу ўсталяваных пакетаў", - "Cloud package backup": "Воблачная копія пакетаў", "Command-line Output": "Вывад каманднага радка", - "Command-line to run:": "Каманда для запуску:", "Compare query against": "Параўнаць запыт з", - "Compatible with authentication": "Сумяшчальна з аўтэнтыфікацыяй", - "Compatible with proxy": "Сумяшчальна з проксі", "Component Information": "Звесткі пра кампанент", - "Concurrency and execution": "Паралелізм і выкананне", - "Connect the internet using a custom proxy": "Злучацца праз уласны проксі", - "Continue": "Працягнуць", "Contribute to the icon and screenshot repository": "Дапамагчы з базай ікон і скрыншотаў", - "Contributors": "Удзельнікі", "Copy": "Капіяваць", - "Copy to clipboard": "Капіяваць у буфер", - "Could not add source": "Немагчыма дадаць крыніцу", - "Could not add source {source} to {manager}": "Немагчыма дадаць крыніцу {source} у {manager}", - "Could not back up packages to GitHub Gist: ": "Немагчыма зрабіць рэзервовую копію ў GitHub Gist: ", - "Could not create bundle": "Немагчыма стварыць набор", "Could not load announcements - ": "Немагчыма загрузіць паведамленні - ", "Could not load announcements - HTTP status code is $CODE": "Немагчыма загрузіць паведамленні - код HTTP $CODE", - "Could not remove source": "Немагчыма выдаліць крыніцу", - "Could not remove source {source} from {manager}": "Немагчыма выдаліць {source} з {manager}", "Could not remove {source} from {manager}": "Немагчыма выдаліць {source} з {manager}", - "Create .ps1 script": "Стварыць .ps1 скрыпт", - "Credentials": "Уліковыя даныя", "Current Version": "Бягучая версія", - "Current executable file:": "Бягучы выканальны файл:", - "Current status: Not logged in": "Статус: не ўвайшлі", "Current user": "Бягучы карыстальнік", "Custom arguments:": "Уласныя аргументы:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Уласныя аргументы могуць змяніць працэс усталявання/абнаўлення/выдалення. Будзьце асцярожныя - гэта можа сапсаваць пакеты.", "Custom command-line arguments:": "Уласныя аргументы каманднага радка:", - "Custom install arguments:": "Уласныя аргументы ўсталявання:", - "Custom uninstall arguments:": "Уласныя аргументы выдалення:", - "Custom update arguments:": "Уласныя аргументы абнаўлення:", "Customize WingetUI - for hackers and advanced users only": "Наладзіць UniGetUI (для дасведчаных карыстальнікаў)", - "DEBUG BUILD": "АДЛАДАЧНАЯ ЗБОРКА", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "АДМОВА: АЎТАРЫ НЕ НЯСУЦЬ АДКАЗНАСЦІ ЗА ЗАГРУЖАНЫЯ ПАКЕТЫ. УСТАЛЯЙЦЕ ТОЛЬКІ ДАВЕРАНЫ СОФТ.", - "Dark": "Цёмная", - "Decline": "Адхіліць", - "Default": "Па змаўчанні", - "Default installation options for {0} packages": "Параметры ўсталявання па змаўчанні для пакетаў {0}", "Default preferences - suitable for regular users": "Налады па змаўчанні - для большасці карыстальнікаў", - "Default vcpkg triplet": "Трыплет vcpkg па змаўчанні", - "Delete?": "Выдаліць?", - "Dependencies:": "Залежнасці:", - "Descendant": "Па змяншэнні", "Description:": "Апісанне:", - "Desktop shortcut created": "Створаны ярлык на працоўным стале", - "Details of the report:": "Падрабязнасці справаздачы:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Распрацоўка — справа нялёгкая, а гэтая праграма — бясплатная. Але калі яна вам прыйшлася да густу, заўсёды можна падтрымаць кавай :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Падвойны клік па \"{discoveryTab}\" - адразу ўсталёўваць (без інфармацыі)", "Disable new share API (port 7058)": "Адключыць новы Share API (порт 7058)", - "Disable the 1-minute timeout for package-related operations": "Адключыць 1-хвілінны таймаўт аперацый", - "Disabled": "Адключана", - "Disclaimer": "Адмова ад адказнасці", - "Discover Packages": "Пошук пакетаў", "Discover packages": "Пошук пакетаў", "Distinguish between\nuppercase and lowercase": "Распазнаваць\nрэгістр", - "Distinguish between uppercase and lowercase": "Адрозніваць вялікія і малыя літары", "Do NOT check for updates": "НЕ правяраць абнаўленні", "Do an interactive install for the selected packages": "Інтэрактыўнае ўсталяванне абраных пакетаў", "Do an interactive uninstall for the selected packages": "Інтэрактыўнае выдаленне абраных пакетаў", "Do an interactive update for the selected packages": "Інтэрактыўнае абнаўленне абраных пакетаў", - "Do not automatically install updates when the battery saver is on": "Не ўсталёўваць аўтаабнаўленні пры рэжыме эканоміі", - "Do not automatically install updates when the device runs on battery": "Не ўсталёўваць аўтаабнаўленні пры працы ад батарэі", - "Do not automatically install updates when the network connection is metered": "Не ўсталёўваць аўтаабнаўленні пры лімітаванавай сетцы", "Do not download new app translations from GitHub automatically": "Не сцягваць новыя пераклады аўтаматычна", - "Do not ignore updates for this package anymore": "Больш не ігнараваць абнаўленні гэтага пакета", "Do not remove successful operations from the list automatically": "Не выдаляць удалыя аперацыі аўтаматычна", - "Do not show this dialog again for {0}": "Больш не паказваць гэта акно на {0}", "Do not update package indexes on launch": "Не абнаўляць індэксы пры запуску", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Пагаджаецеся на збор ананімнай статыстыкі для паляпшэння UX?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Ці карысны вам UniGetUI? Можна падтрымаць распрацоўку для яе развіцця.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Ці карысны UniGetUI? Жадаеце падтрымаць? Можна {0} - гэта вельмі дапамагае!", - "Do you really want to reset this list? This action cannot be reverted.": "Скід спісу незваротны. Працягнуць?", - "Do you really want to uninstall the following {0} packages?": "Выдаліць наступныя {0} пакетаў?", "Do you really want to uninstall {0} packages?": "Выдаліць {0} пакетаў?", - "Do you really want to uninstall {0}?": "Выдаліць {0}?", "Do you want to restart your computer now?": "Перазапусціць камп'ютар зараз?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Жадаеце перакласці UniGetUI? Інструкцыя ТУТ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Няма магчымасці ахвяраваць? Проста раскажыце сябрам пра UniGetUI.", "Donate": "Падтрымаць", - "Done!": "Гатова!", - "Download failed": "Спампоўка не ўдалася", - "Download installer": "Спампаваць усталёўшчык", - "Download operations are not affected by this setting": "На спампоўкі гэта не ўплывае", - "Download selected installers": "Спампаваць выбраныя ўсталёўшчыкі", - "Download succeeded": "Спампоўванне завершана ўдала", "Download updated language files from GitHub automatically": "Аўтаспампоўка абноўленых файлаў мовы з GitHub", - "Downloading": "Спампоўка", - "Downloading backup...": "Спампоўка рэзервовай копіі...", - "Downloading installer for {package}": "Спампоўка ўсталёўшчыка для {package}", - "Downloading package metadata...": "Спампоўка метаданых пакета...", - "Enable Scoop cleanup on launch": "Уключыць ачыстку Scoop пры запуску", - "Enable WingetUI notifications": "Уключыць апавяшчэнні UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Уключыць [эксперыментальны] палепшаны сродак выпраўлення WinGet", - "Enable and disable package managers, change default install options, etc.": "Уключэнне / выключэнне мэнэджараў пакетаў, змена параметраў усталявання па змаўчанні і інш.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Уключыць аптымізацыю выкарыстання CPU у фоне (гл. Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Уключыць фонавы API (віджэты і абмен UniGetUI, порт 7058)", - "Enable it to install packages from {pm}.": "Уключыце, каб усталёўваць пакеты з {pm}.", - "Enable the automatic WinGet troubleshooter": "Уключыць аўтаматычны сродак выпраўлення WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Уключыць новы UAC UniGetUI Elevator", - "Enable the new process input handler (StdIn automated closer)": "Уключыць новы апрацоўшчык StdIn (аўтаматычнае закрыццё)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Уключайце ніжэйшыя параметры ТОЛЬКІ калі разумееце іх наступствы і рызыкі.", - "Enable {pm}": "Уключыць {pm}", - "Enabled": "Уключана", - "Enter proxy URL here": "Увядзіце URL проксі тут", - "Entries that show in RED will be IMPORTED.": "Радкі ЧЫРВОНАГА колеру будуць ІМПАРТАВАНЫ.", - "Entries that show in YELLOW will be IGNORED.": "Радкі ЖОЎТАГА колеру будуць ІГНАРАВАНЫ.", - "Error": "Памылка", - "Everything is up to date": "Усё актуальна", - "Exact match": "Дакладнае супадзенне", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Існыя ярлыкі на працоўным стале будуць прасканіраваны; выберыце, якія пакінуць, а якія выдаліць.", - "Expand version": "Разгарнуць версію", - "Experimental settings and developer options": "Эксперыментальныя і распрацоўніцкія налады", - "Export": "Экспарт", + "Downloading": "Спампоўка", + "Downloading installer for {package}": "Спампоўка ўсталёўшчыка для {package}", + "Downloading package metadata...": "Спампоўка метаданых пакета...", + "Enable the new UniGetUI-Branded UAC Elevator": "Уключыць новы UAC UniGetUI Elevator", + "Enable the new process input handler (StdIn automated closer)": "Уключыць новы апрацоўшчык StdIn (аўтаматычнае закрыццё)", "Export log as a file": "Экспартаваць лог у файл", "Export packages": "Экспартаваць пакеты", "Export selected packages to a file": "Экспартаваць выбраныя пакеты ў файл", - "Export settings to a local file": "Экспартаваць налады ў лакальны файл", - "Export to a file": "Экспартаваць у файл", - "Failed": "Няўдала", - "Fetching available backups...": "Атрыманне даступных рэзервовых копій...", "Fetching latest announcements, please wait...": "Атрыманне апошніх аб'яў, пачакайце...", - "Filters": "Фільтры", "Finish": "Гатова", - "Follow system color scheme": "Сачыць за сістэмнай колеравай схемай", - "Follow the default options when installing, upgrading or uninstalling this package": "Выкарыстоўваць налады па змаўчанні для ўсталявання/абнаўлення/выдалення гэтага пакета", - "For security reasons, changing the executable file is disabled by default": "З меркаванняў бяспекі змена выканальнага файла адключана па змаўчанні", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "З меркаванняў бяспекі ўласныя аргументы адключаны. Змяніце ў наладах бяспекі UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "З меркаванняў бяспекі перад- і пасляскрыпты адключаны. Змяніце ў наладах бяспекі UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Прымусіць ARM-версію winget (УВАГА: толькі для ARM64)", - "Force install location parameter when updating packages with custom locations": "Прымусова выкарыстоўваць параметр месца ўсталявання пры абнаўленні пакетаў з карыстальніцкімі шляхамі", "Formerly known as WingetUI": "Раней вядомы як WingetUI", "Found": "Знойдзена", "Found packages: ": "Знойдзена пакетаў: ", "Found packages: {0}": "Знойдзена пакетаў: {0}", "Found packages: {0}, not finished yet...": "Знойдзена пакетаў: {0}, яшчэ не скончана...", - "General preferences": "Агульныя налады", "GitHub profile": "Профіль GitHub", "Global": "Глабальна", - "Go to UniGetUI security settings": "Адкрыць налады бяспекі UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Выдатны рэпазітарый карысных утыліт і цікавых пакетаў.
Змяшчае: Утыліты, камандныя праграмы, праграмнае забеспячэнне (патрабуецца extras bucket)", - "Great! You are on the latest version.": "Вы выкарыстоўваеце апошнюю версію.", - "Grid": "Сетка", - "Help": "Дапамога", "Help and documentation": "Дапамога і дакументацыя", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тут можна змяніць паводзіны адносна ярлыкоў. Адзначаныя ярлыкі будуць аўтавыдалены пры будучых абнаўленнях, іншыя будуць захаваны.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Вітаю! Я Martí - распрацоўнік UniGetUI. Праект створаны ў вольны час!", "Hide details": "Схаваць падрабязнасці", - "Homepage": "Хатняя старонка", - "Hooray! No updates were found.": "Нарэшце! Абнаўленняў не знойдзена.", "How should installations that require administrator privileges be treated?": "Як абыходзіцца з усталяваннямі, што патрабуюць правы адміністратара?", - "How to add packages to a bundle": "Як дадаць пакеты ў набор", - "I understand": "Я разумею", - "Icons": "Іконкі", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Калі ўключана воблачная копія, яна захоўваецца як GitHub Gist гэтага акаўнта", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Дазволіць выкананне карыстальніцкіх каманд перад і пасля ўсталявання пры імпарце пакетаў з набору", - "Ignore future updates for this package": "Ігнараваць будучыя абнаўленні пакета", - "Ignore packages from {pm} when showing a notification about updates": "Ігнараваць пакеты з {pm} у апавяшчэннях пра абнаўленні", - "Ignore selected packages": "Ігнараваць выбраныя пакеты", - "Ignore special characters": "Ігнараваць спецзнакі", "Ignore updates for the selected packages": "Ігнараваць абнаўленні для выбраных пакетаў", - "Ignore updates for this package": "Ігнараваць абнаўленні гэтага пакета", "Ignored updates": "Ігнараваныя абнаўленні", - "Ignored version": "Ігнараваная версія", - "Import": "Імпарт", "Import packages": "Імпартаваць пакеты", "Import packages from a file": "Імпартаваць пакеты з файла", - "Import settings from a local file": "Імпартаваць налады з лакальнага файла", - "In order to add packages to a bundle, you will need to: ": "Каб дадаць пакеты ў набор неабходна: ", "Initializing WingetUI...": "Ініцыялізацыя UniGetUI...", - "Install": "Усталяваць", - "Install Scoop": "Усталяваць Scoop", "Install and more": "Усталяваць і яшчэ", "Install and update preferences": "Налады ўсталявання і абнаўлення", - "Install as administrator": "Усталяваць як адміністратар", - "Install available updates automatically": "Аўтаматычна ўсталёўваць даступныя абнаўленні", - "Install location can't be changed for {0} packages": "Месца ўсталявання нельга змяніць для пакетаў {0}", - "Install location:": "Месца ўсталявання:", - "Install options": "Параметры ўсталявання", "Install packages from a file": "Усталяваць пакеты з файла", - "Install prerelease versions of UniGetUI": "Усталёўваць перадрэлізныя версіі UniGetUI", - "Install script": "Скрыпт усталявання", "Install selected packages": "Усталяваць выбраныя пакеты", "Install selected packages with administrator privileges": "Усталяваць выбраныя пакеты з правамі адміністратара", - "Install selection": "Усталяваць выбранае", "Install the latest prerelease version": "Усталяваць апошнюю перадрэлізную версію", "Install updates automatically": "Аўтаабнаўленне пакетаў", - "Install {0}": "Усталяваць {0}", "Installation canceled by the user!": "Усталяванне скасавана карыстальнікам!", - "Installation failed": "Усталяванне не ўдалося", - "Installation options": "Параметры ўсталявання", - "Installation scope:": "Ахоп усталявання:", - "Installation succeeded": "Усталяванне завершана ўдала", - "Installed Packages": "Усталяваныя пакеты", - "Installed Version": "Усталяваная версія", "Installed packages": "Усталяваныя пакеты", - "Installer SHA256": "SHA256 усталёўшчыка", - "Installer SHA512": "SHA512 усталёўшчыка", - "Installer Type": "Тып усталёўшчыка", - "Installer URL": "URL усталёўшчыка", - "Installer not available": "Усталёўшчык недаступны", "Instance {0} responded, quitting...": "Асобнік {0} адказаў, выхад...", - "Instant search": "Імгненны пошук", - "Integrity checks can be disabled from the Experimental Settings": "Праверкі цэласнасці можна адключыць у эксперыментальных наладах", - "Integrity checks skipped": "Праверкі цэласнасці прапушчаны", - "Integrity checks will not be performed during this operation": "Праверкі цэласнасці не будуць выконвацца для гэтай аперацыі", - "Interactive installation": "Інтэрактыўнае ўсталяванне", - "Interactive operation": "Інтэрактыўная аперацыя", - "Interactive uninstall": "Інтэрактыўнае выдаленне", - "Interactive update": "Інтэрактыўнае абнаўленне", - "Internet connection settings": "Налады падключэння да Інтэрнэту", - "Invalid selection": "Няправільны выбар", "Is this package missing the icon?": "У гэтага пакета няма іконкі?", - "Is your language missing or incomplete?": "Вашай мовы няма або яна няпоўная?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Няма гарантый бяспечнага захавання ўліковых даных - не выкарыстоўвайце важныя (банкаўскія) даныя", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Рэкамендуецца перазапусціць UniGetUI пасля рамонту WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Настойліва раім перавсталяваць UniGetUI для вырашэння праблемы.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Падобна WinGet працуе няправільна. Паспрабаваць адрамантаваць?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Праграма запушчана з правамі адміністратара - гэта не рэкамендуецца. Вы можаце працягваць, але лепш запускаць без правоў. Націсніце \"{showDetails}\" каб даведацца чаму.", - "Language": "Мова", - "Language, theme and other miscellaneous preferences": "Мова, тэма і іншыя налады", - "Last updated:": "Апошняе абнаўленне:", - "Latest": "Апошняя", "Latest Version": "Апошняя версія", "Latest Version:": "Апошняя версія:", "Latest details...": "Апошнія падрабязнасці...", "Launching subprocess...": "Запуск падпрацэсу...", - "Leave empty for default": "Пакіньце пустым для значэння па змаўчанні", - "License": "Ліцэнзія", "Licenses": "Ліцэнзіі", - "Light": "Светлая", - "List": "Спіс", "Live command-line output": "Вывад каманднага радка ў рэжыме рэальнага часу", - "Live output": "Жывы вывад", "Loading UI components...": "Загрузка кампанентаў інтэрфейсу...", "Loading WingetUI...": "Загрузка UniGetUI...", - "Loading packages": "Загрузка пакетаў", - "Loading packages, please wait...": "Загрузка пакетаў, пачакайце...", - "Loading...": "Загрузка...", - "Local": "Лакальна", - "Local PC": "Мясцовы ПК", - "Local backup advanced options": "Пашыраныя параметры лакальнага рэзерву", "Local machine": "Машына (глабальна)", - "Local package backup": "Лакальнае рэзерваванне пакетаў", "Locating {pm}...": "Пошук {pm}...", - "Log in": "Увайсці", - "Log in failed: ": "Памылка ўваходу: ", - "Log in to enable cloud backup": "Увайдзіце, каб уключыць воблачную копію", - "Log in with GitHub": "Увайсці праз GitHub", - "Log in with GitHub to enable cloud package backup.": "Увайдзіце праз GitHub, каб уключыць воблачную копію пакетаў.", - "Log level:": "Узровень лагавання:", - "Log out": "Выйсці", - "Log out failed: ": "Не ўдалося выйсці: ", - "Log out from GitHub": "Выйсці з GitHub", "Looking for packages...": "Пошук пакетаў...", "Machine | Global": "Машына | Глабальна", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Няправільныя аргументы каманднага радка могуць пашкодзіць пакеты або нават дазволіць злоўмысніку атрымаць прывілеяваны доступ. Таму імпарт карыстальніцкіх аргументаў каманднага радка па змаўчанні адключаны.", - "Manage": "Кіраванне", - "Manage UniGetUI settings": "Рэгуляваць налады UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Рэгуляваць аўтазапуск UniGetUI у наладах сістэмы", "Manage ignored packages": "Рэгуляваць ігнараваныя пакеты", - "Manage ignored updates": "Рэгуляваць ігнараваныя абнаўленні", - "Manage shortcuts": "Рэгуляваць цэтлікі", - "Manage telemetry settings": "Рэгуляваць тэлеметрыю", - "Manage {0} sources": "Рэгуляваць {0} крыніцы", - "Manifest": "Маніфест", "Manifests": "Маніфесты", - "Manual scan": "Ручное сканаванне", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Афіцыйны мэнэджар пакетаў Microsoft. Мноства вядомых правераных пакетаў
Змяшчае: Праграмы агульнага прызначэння, праграмы з Microsoft Store", - "Missing dependency": "Адсутнічае залежнасць", - "More": "Болей", - "More details": "Больш падрабязнасцей", - "More details about the shared data and how it will be processed": "Больш пра даные і іх апрацоўку", - "More info": "Больш інфармацыі", - "More than 1 package was selected": "Выбрана больш за адзін пакет", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ЗАЎВАГА: гэты сродак можна адключыць у наладах UniGetUI (раздзел WinGet)", - "Name": "Назва", - "New": "Новы", "New Version": "Новая версія", "New bundle": "Новы набор", - "New version": "Новая версія", - "Nice! Backups will be uploaded to a private gist on your account": "Цудоўна! Рэзервовыя копіі будуць загружаныя ў прыватны gist вашага акаўнта", - "No": "Не", - "No applicable installer was found for the package {0}": "Не знойдзена адпаведнага ўсталёўшчыка для пакета {0}", - "No dependencies specified": "Залежнасці не зададзены", - "No new shortcuts were found during the scan.": "Падчас сканавання новых ярлыкоў не знойдзена.", - "No package was selected": "Не выбрана ніводнага пакета", "No packages found": "Пакеты не знойдзены", "No packages found matching the input criteria": "Па крытэрыях нічога не знойдзена", "No packages have been added yet": "Пакеты яшчэ не дададзены", "No packages selected": "Пакеты не выбраны", - "No packages were found": "Пакеты не былі знойдзены", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Асабістыя даныя не збіраюцца; усё ананімізавана і не прывязана да вас", - "No results were found matching the input criteria": "Няма вынікаў па крытэрыях", "No sources found": "Крыніц не знойдзена", "No sources were found": "Крыніцы не знойдзены", "No updates are available": "Няма даступных абнаўленняў", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Мэнэджар пакетаў Node JS. Бібліятэкі і ўтыліты JS
Змяшчае: JS бібліятэкі і ўтыліты", - "Not available": "Недаступна", - "Not finding the file you are looking for? Make sure it has been added to path.": "Не знаходзіце файл? Праверце, што шлях дададзены ў PATH.", - "Not found": "Не знойдзена", - "Not right now": "Не цяпер", "Notes:": "Заўвагі:", - "Notification preferences": "Налады апавяшчэнняў", "Notification tray options": "Параметры трэя", - "Notification types": "Тыпы апавяшчэнняў", - "NuPkg (zipped manifest)": "NuPkg (заціснуты маніфест)", - "OK": "OK", "Ok": "Ok", - "Open": "Адкрыць", "Open GitHub": "Адкрыць GitHub", - "Open UniGetUI": "Адкрыць UniGetUI", - "Open UniGetUI security settings": "Адкрыць налады бяспекі UniGetUI", "Open WingetUI": "Адкрыць UniGetUI", "Open backup location": "Адкрыць каталог рэзерву", "Open existing bundle": "Адкрыць існы набор", - "Open install location": "Адкрыць месца ўсталявання", "Open the welcome wizard": "Адкрыць майстар вітаньня", - "Operation canceled by user": "Аперацыя скасавана карыстальнікам", "Operation cancelled": "Аперацыя скасавана", - "Operation history": "Гісторыя аперацый", - "Operation in progress": "Аперацыя выконваецца", - "Operation on queue (position {0})...": "Аперацыя ў чарзе (пазіцыя {0})...", - "Operation profile:": "Профіль аперацыі:", "Options saved": "Налады захаваны", - "Order by:": "Упарадкаванне:", - "Other": "Іншае", - "Other settings": "Іншыя налады", - "Package": "Пакет", - "Package Bundles": "Наборы пакетаў", - "Package ID": "ID пакета", "Package Manager": "Мэнэджар пакетаў", - "Package Manager logs": "Логі мэнэджара пакетаў", - "Package Managers": "Мэнэджары пакетаў", - "Package Name": "Назва пакета", - "Package backup": "Рэзерваванне пакетаў", - "Package backup settings": "Налады рэзервовай копіі пакетаў", - "Package bundle": "Набор пакетаў", - "Package details": "Падрабязнасці пакета", - "Package lists": "Спісы пакетаў", - "Package management made easy": "Кіраванне пакетамі стала прасцей", - "Package manager": "Мэнэджар пакетаў", - "Package manager preferences": "Налады мэнэджара пакетаў", "Package managers": "Мэнэджары пакетаў", - "Package not found": "Пакет не знойдзены", - "Package operation preferences": "Налады аперацый пакетаў", - "Package update preferences": "Налады абнаўлення пакетаў", "Package {name} from {manager}": "Пакет {name} з {manager}", - "Package's default": "Па змаўчанні пакета", "Packages": "Пакеты", "Packages found: {0}": "Знойдзена пакетаў: {0}", - "Partially": "Часткова", - "Password": "Пароль", "Paste a valid URL to the database": "Устаўце карэктны URL базы", - "Pause updates for": "Прыпыніць абнаўленні на", "Perform a backup now": "Стварыць рэзервовую копію зараз", - "Perform a cloud backup now": "Стварыць воблачную копію зараз", - "Perform a local backup now": "Стварыць лакальную копію зараз", - "Perform integrity checks at startup": "Правяраць цэласнасць пры запуску", - "Performing backup, please wait...": "Стварэнне рэзерву, пачакайце...", "Periodically perform a backup of the installed packages": "Перыядычна ствараць рэзервовую копію усталяваных пакетаў", - "Periodically perform a cloud backup of the installed packages": "Перыядычна ствараць воблачную копію спіса ўсталяваных пакетаў", - "Periodically perform a local backup of the installed packages": "Перыядычна ствараць лакальную копію пакетаў", - "Please check the installation options for this package and try again": "Праверце параметры ўсталявання гэтага пакета і паўторыце", - "Please click on \"Continue\" to continue": "Націсніце \"Працягнуць\" каб працягнуць", "Please enter at least 3 characters": "Увядзіце мінімум 3 сімвалы", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Пэўныя пакеты нельга ўсталяваць з-за адключаных мэнэджараў на гэтай машыне.", - "Please note that not all package managers may fully support this feature": "Не ўсе мэнэджары пакетаў падтрымліваюць гэтую функцыю", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Звярніце ўвагу, што пакеты з некаторых крыніц могуць быць недаступныя для экспарту. Яны пазначаны шэрым колерам і не будуць экспартаваныя.", - "Please run UniGetUI as a regular user and try again.": "Запусціце UniGetUI як звычайны карыстальнік і паспрабуйце зноў.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Глядзіце вывад каманднага радка або звярніцеся да гісторыі аперацый, каб атрымаць больш звестак пра праблему.", "Please select how you want to configure WingetUI": "Абярыце спосаб канфігурацыі UniGetUI", - "Please try again later": "Паспрабуйце пазней", "Please type at least two characters": "Увядзіце як мінімум два сімвалы", - "Please wait": "Пачакайце", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Пачакайце пакуль усталёўваецца {0}. Можа з'явіцца чорнае (ці сіняе) акно. Пачакайце пакуль яно закрыецца.", - "Please wait...": "Пачакайце...", "Portable": "Партатыўны", - "Portable mode": "Партатыўны рэжым", - "Post-install command:": "Каманда пасля ўсталявання:", - "Post-uninstall command:": "Каманда пасля выдалення:", - "Post-update command:": "Каманда пасля абнаўлення:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Мэнэджар пакетаў PowerShell. Бібліятэкі і скрыпты для пашырэння
Змяшчае: Модулі, скрыпты, Cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Каманды перад і пасля ўстаноўкі могуць быць небяспечныя. Імпартуйце толькі з давераных крыніц.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Скрыпты запускаюцца да і пасля ўсталявання / абнаўлення / выдалення і могуць пашкодзіць сістэму", - "Pre-install command:": "Каманда перад усталяваннем:", - "Pre-uninstall command:": "Каманда перад выдаленнем:", - "Pre-update command:": "Каманда перад абнаўленнем:", - "PreRelease": "Перадрэліз", - "Preparing packages, please wait...": "Падрыхтоўка пакетаў, пачакайце...", - "Proceed at your own risk.": "Працягвайце на ўласную рызыку.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забараніць павышэнне прывілеяў праз UniGetUI Elevator або GSudo", - "Proxy URL": "URL проксі", - "Proxy compatibility table": "Табліца сумяшчальнасці проксі", - "Proxy settings": "Налады проксі", - "Proxy settings, etc.": "Налады проксі і інш.", "Publication date:": "Дата публікацыі:", - "Publisher": "Выдавец", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Мэнэджар бібліятэк Python. Бібліятэкі і ўтыліты Python
Змяшчае: Бібліятэкі і ўтыліты Python", - "Quit": "Выхад", "Quit WingetUI": "Выйсці з UniGetUI", - "Ready": "Гатова", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Менш UAC акон, падняцце правоў па змаўчанні, разблакаванне рызыкоўных функцый", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Глядзіце логі UniGetUI для падрабязнасцей пра файл(ы)", - "Reinstall": "Пераўсталяваць", - "Reinstall package": "Пераўсталяваць пакет", - "Related settings": "Звязаныя налады", - "Release notes": "Нататкі выпуску", - "Release notes URL": "URL нататак выпуску", "Release notes URL:": "URL нататак выпуску:", "Release notes:": "Нататкі выпуску:", "Reload": "Перазагрузіць", - "Reload log": "Перазагрузіць лог", "Removal failed": "Выдаленне не ўдалося", "Removal succeeded": "Выдаленне завершана ўдала", - "Remove from list": "Выдаліць са спісу", "Remove permanent data": "Выдаліць пастаянныя даныя", - "Remove selection from bundle": "Выдаліць выбранае з набора", "Remove successful installs/uninstalls/updates from the installation list": "Выдаляць удалыя ўсталяванні/выдаленні/абнаўленні са спісу", - "Removing source {source}": "Выдаленне крыніцы {source}", - "Removing source {source} from {manager}": "Выдаленне {source} з {manager}", - "Repair UniGetUI": "Аднавіць UniGetUI", - "Repair WinGet": "Аднавіць WinGet", - "Report an issue or submit a feature request": "Паведаміць пра памылку або прапанаваць функцыю", "Repository": "Рэпазітарый", - "Reset": "Скід", "Reset Scoop's global app cache": "Скінуць глабальны кэш Scoop", - "Reset UniGetUI": "Скінуць UniGetUI", - "Reset WinGet": "Скінуць WinGet", "Reset Winget sources (might help if no packages are listed)": "Скінуць крыніцы WinGet (калі няма пакетаў)", - "Reset WingetUI": "Скінуць UniGetUI", "Reset WingetUI and its preferences": "Скінуць UniGetUI і яго налады", "Reset WingetUI icon and screenshot cache": "Скінуць кэш ікон і скрыншотаў UniGetUI", - "Reset list": "Скінуць спіс", "Resetting Winget sources - WingetUI": "Скід крыніц WinGet - UniGetUI", - "Restart": "Перазапуск", - "Restart UniGetUI": "Перазапусціць UniGetUI", - "Restart WingetUI": "Перазапусціць UniGetUI", - "Restart WingetUI to fully apply changes": "Перазапусціце UniGetUI для прымянення змен", - "Restart later": "Перазапусціць пазней", "Restart now": "Перазапусціць зараз", - "Restart required": "Патрабуецца перазапуск", - "Restart your PC to finish installation": "Перазапусціце ПК для завяршэння ўсталявання", - "Restart your computer to finish the installation": "Перазапусціце камп'ютар для завяршэння ўсталявання", - "Restore a backup from the cloud": "Аднавіць з воблачная копіі", - "Restrictions on package managers": "Абмежаванні для мэнэджараў пакетаў", - "Restrictions on package operations": "Абмежаванні аперацый пакетаў", - "Restrictions when importing package bundles": "Абмежаванні імпарту набораў", - "Retry": "Паўтарыць", - "Retry as administrator": "Паўтарыць як адміністратар", - "Retry failed operations": "Паўтарыць няўдалыя аперацыі", - "Retry interactively": "Паўтарыць інтэрактыўна", - "Retry skipping integrity checks": "Паўтарыць без праверкі цэласнасці", - "Retrying, please wait...": "Паўтор, пачакайце...", - "Return to top": "Уверх", - "Run": "Запусціць", - "Run as admin": "Запусціць як адміністратар", - "Run cleanup and clear cache": "Ачысціць і скінуць кэш", - "Run last": "Запусціць апошнім", - "Run next": "Запусціць наступным", - "Run now": "Запусціць цяпер", + "Restart your PC to finish installation": "Перазапусціце ПК для завяршэння ўсталявання", + "Restart your computer to finish the installation": "Перазапусціце камп'ютар для завяршэння ўсталявання", + "Retry failed operations": "Паўтарыць няўдалыя аперацыі", + "Retrying, please wait...": "Паўтор, пачакайце...", + "Return to top": "Уверх", "Running the installer...": "Запуск усталёўшчыка...", "Running the uninstaller...": "Запуск выдалення...", "Running the updater...": "Запуск абнаўлення...", - "Save": "Захаваць", "Save File": "Захаваць файл", - "Save and close": "Захаваць і закрыць", - "Save as": "Захаваць як", "Save bundle as": "Захаваць набор як", "Save now": "Захаваць цяпер", - "Saving packages, please wait...": "Захаванне пакетаў, пачакайце...", - "Scoop Installer - WingetUI": "Усталёўшчык Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Выдаленне Scoop - UniGetUI", - "Scoop package": "Пакет Scoop", "Search": "Пошук", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Шукаць праграмы працоўнага стала, папярэджваць пра абнаўленні. Хачу простую краму праграм", - "Search for packages": "Пошук пакетаў", - "Search for packages to start": "Пачніце з пошуку пакетаў", - "Search mode": "Рэжым пошуку", "Search on available updates": "Шукаць у даступных абнаўленнях", "Search on your software": "Шукаць у вашых праграмах", "Searching for installed packages...": "Пошук усталяваных пакетаў...", "Searching for packages...": "Пошук пакетаў...", "Searching for updates...": "Пошук абнаўленняў...", - "Select": "Абраць", "Select \"{item}\" to add your custom bucket": "Абярыце \"{item}\" каб дадаць уласны bucket", "Select a folder": "Абраць папку", - "Select all": "Абраць усё", "Select all packages": "Абраць усе пакеты", - "Select backup": "Абраць рэзервовую копію", "Select only if you know what you are doing.": "Абірайце толькі калі дакладна ведаеце што робіце.", "Select package file": "Абраць файл пакета", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Абярыце копію, якую хочаце загрузіць. Пазней будзе магчымасць вызначыць, якія пакеты аднавіць.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Абярыце выканальны файл. Ніжэй спіс знойдзеных UniGetUI файлаў", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Абярыце працэсы, якія трэба закрыць перад усталяваннем/абнаўленнем/выдаленнем пакета.", - "Select the source you want to add:": "Абярыце крыніцу для дадання:", - "Select upgradable packages by default": "Абраць абнаўляльныя пакеты па змаўчанні", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Абярыце якія мэнэджары пакетаў выкарыстоўваць ({0}), наладзьце ўсталяванні і правы адміністратара і г.д.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Адпраўлены handshake. Чаканне адказу асобніка... ({0}%)", - "Set a custom backup file name": "Задаць уласную назву файла рэзерву", "Set custom backup file name": "Уласная назва файла рэзерву", - "Settings": "Налады", - "Share": "Падзяліцца", "Share WingetUI": "Падзяліцца UniGetUI", - "Share anonymous usage data": "Дзяліцца ананімнымі данымі выкарыстання", - "Share this package": "Падзяліцца пакетам", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Пасля змены налад бяспекі зноў адкрыйце набор для прымянення.", "Show UniGetUI on the system tray": "Паказваць UniGetUI у сістэмным трэі", - "Show UniGetUI's version and build number on the titlebar.": "Паказваць версію UniGetUI ў загалоўку", - "Show WingetUI": "Паказаць UniGetUI", "Show a notification when an installation fails": "Паказваць апавяшчэнне пры памылцы ўсталявання", "Show a notification when an installation finishes successfully": "Паказваць апавяшчэнне пра ўдалае ўсталяванне", - "Show a notification when an operation fails": "Паказваць апавяшчэнне пры няўдалай аперацыі", - "Show a notification when an operation finishes successfully": "Паказваць апавяшчэнне пра ўдалую аперацыю", - "Show a notification when there are available updates": "Паказваць апавяшчэнне пра даступныя абнаўленні", - "Show a silent notification when an operation is running": "Паказваць ціхае апавяшчэнне падчас аперацыі", "Show details": "Паказаць падрабязнасці", - "Show in explorer": "Паказаць у провадніку", "Show info about the package on the Updates tab": "Паказваць звесткі пра пакет на ўкладцы Абнаўленні", "Show missing translation strings": "Паказваць адсутныя радкі перакладу", - "Show notifications on different events": "Паказваць апавяшчэнні пры розных падзеях", "Show package details": "Паказаць падрабязнасці пакета", - "Show package icons on package lists": "Паказваць іконкі ў спісах", - "Show similar packages": "Паказаць падобныя пакеты", "Show the live output": "Паказаць жывы вывад", - "Size": "Памер", "Skip": "Прапусціць", - "Skip hash check": "Прапусціць праверку хэша", - "Skip hash checks": "Прапускаць праверкі хэша", - "Skip integrity checks": "Прапусціць праверку цэласнасці", - "Skip minor updates for this package": "Прапускаць дробныя абнаўленні для пакета", "Skip the hash check when installing the selected packages": "Прапусціць праверку хэша пры ўсталяванні абраных пакетаў", "Skip the hash check when updating the selected packages": "Прапусціць праверку хэша пры абнаўленні абраных пакетаў", - "Skip this version": "Прапусціць гэтую версію", - "Software Updates": "Абнаўленні", - "Something went wrong": "Нешта пайшло не так", - "Something went wrong while launching the updater.": "Памылка пры запуску абнаўлення.", - "Source": "Крыніца", - "Source URL:": "URL крыніцы:", - "Source added successfully": "Крыніца паспяхова дададзена", "Source addition failed": "Не ўдалося дадаць крыніцу", - "Source name:": "Назва крыніцы:", "Source removal failed": "Не ўдалося выдаліць крыніцу", - "Source removed successfully": "Крыніца паспяхова выдалена", "Source:": "Крыніца:", - "Sources": "Крыніцы", "Start": "Пачаць", "Starting daemons...": "Запуск службаў...", - "Starting operation...": "Запуск аперацыі...", "Startup options": "Параметры запуску", "Status": "Статус", "Stuck here? Skip initialization": "Завісла? Прапусціць ініцыялізацыю", - "Success!": "Поспех!", "Suport the developer": "Падтрымаць распрацоўніка", "Support me": "Падтрымаць мяне", "Support the developer": "Падтрымаць распрацоўніка", "Systems are now ready to go!": "Сістэма гатовая да працы!", - "Telemetry": "Тэлеметрыя", - "Text": "Тэкст", "Text file": "Тэкставы файл", - "Thank you ❤": "Дзякуй ❤", - "Thank you \uD83D\uDE09": "Дзякуй \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Мэнэджар пакетаў Rust.
Змяшчае: Бібліятэкі і праграмы на Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Рэзервовая копію НЕ ўключае ні бінарныя файлы ні даныя праграм.", - "The backup will be performed after login.": "Рэзервовая копію будзе створаны пасля ўваходу.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Рэзервовая копія утрымлівае спіс усталяваных пакетаў і іх параметры. Таксама ігнараваныя абнаўленні і прапушчаныя версіі.", - "The bundle was created successfully on {0}": "Набор паспяхова створаны ў {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Набор, які вы адкрываеце, хібны. Праверце файл і паўторыце.", + "Thank you 😉": "Дзякуй 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Хэш усталёўшчыка не супадае з чаканым, сапраўднасць не пацверджана. Калі давяраеце, {0} пакет з прапускам хэша.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класічны мэнэджар пакетаў для Windows. Тут ёсць усё.
Змяшчае: Праграмы агульнага прызначэння", - "The cloud backup completed successfully.": "Воблачная копію паспяхова створана.", - "The cloud backup has been loaded successfully.": "Воблачная копію паспяхова загружана.", - "The current bundle has no packages. Add some packages to get started": "У наборы няма пакетаў. Дадайце некалькі для пачатку", - "The executable file for {0} was not found": "Выканальны файл {0} не знойдзены", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Наступныя параметры па змаўчанні для кожнага ўсталявання/абнаўлення/выдалення пакета {0}.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Наступныя пакеты будуць экспартаваны ў JSON. Даныя і бінары не захоўваюцца.", "The following packages are going to be installed on your system.": "Наступныя пакеты будуць усталяваны.", - "The following settings may pose a security risk, hence they are disabled by default.": "Наступныя налады рызыкоўныя - адключаны па змаўчанні.", - "The following settings will be applied each time this package is installed, updated or removed.": "Наступныя налады прымяняюцца для кожнага ўсталявання/абнаўлення/выдалення пакета.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Наступныя налады будуць прымяняцца і аўтаматычна захоўвацца.", "The icons and screenshots are maintained by users like you!": "Іконкі і скрыншоты падтрымліваюцца такімі ж карыстальнікамі як вы!", - "The installation script saved to {0}": "Скрыпт усталявання захаваны ў {0}", - "The installer authenticity could not be verified.": "Нельга пацвердзіць сапраўднасць усталёўшчыка.", "The installer has an invalid checksum": "Усталёўшчык мае хібны хэш", "The installer hash does not match the expected value.": "Хэш усталёўшчыка не супадае з чаканым.", - "The local icon cache currently takes {0} MB": "Лакальны кэш ікон займае {0} МБ", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Мэта праекта - інтуітыўны UI для кіравання CLI-мэнэджарамі (Winget, Scoop і інш.)", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" не знойдзены ў мэнэджары \"{1}\"", - "The package bundle could not be created due to an error.": "Немагчыма стварыць набор пакетаў з-за памылкі.", - "The package bundle is not valid": "Набор пакетаў несапраўдны", - "The package manager \"{0}\" is disabled": "Мэнэджар \"{0}\" адключаны", - "The package manager \"{0}\" was not found": "Мэнэджар \"{0}\" не знойдзены", "The package {0} from {1} was not found.": "Пакет {0} з {1} не знойдзены.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакеты ў спісе ігнаруюцца пры праверцы абнаўленняў. Падвойны клік або кнопка справа - спыніць ігнараванне.", "The selected packages have been blacklisted": "Абраныя пакеты занесены ў чорны спіс", - "The settings will list, in their descriptions, the potential security issues they may have.": "Апісанні налад паказваюць магчымыя рызыкі бяспекі.", - "The size of the backup is estimated to be less than 1MB.": "Памер рэзерву меркавана менш за 1 МБ.", - "The source {source} was added to {manager} successfully": "Крыніца {source} паспяхова дададзена ў {manager}", - "The source {source} was removed from {manager} successfully": "Крыніца {source} паспяхова выдалена з {manager}", - "The system tray icon must be enabled in order for notifications to work": "Для апавяшчэнняў трэба уключыць значок у трэі", - "The update process has been aborted.": "Працэс абнаўлення спынены.", - "The update process will start after closing UniGetUI": "Абнаўленне пачнецца пасля закрыцця UniGetUI", "The update will be installed upon closing WingetUI": "Абнаўленне будзе ўсталявана пасля закрыцця UniGetUI", "The update will not continue.": "Абнаўленне не працягнецца.", "The user has canceled {0}, that was a requirement for {1} to be run": "Карыстальнік скасаваў {0}, што было патрэбна для запуску {1}", - "There are no new UniGetUI versions to be installed": "Новых версій UniGetUI няма", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ёсць актыўныя аперацыі. Выхад можа выклікаць іх памылку. Працягнуць?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "На YouTube ёсць відэа пра UniGetUI - можна даведацца карысныя парады!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Дзве прычыны не запускаць UniGetUI як адміністратар:\n1) Scoop можа працаваць некарэктна.\n2) Усе пакеты будуць запускацца з павышанымі правамі - небяспечна.\nКалі трэба - пстрыкніце правай кнопкай і абярыце патрэбную аперацыю як адміністратар.", - "There is an error with the configuration of the package manager \"{0}\"": "Памылка канфігурацыі мэнэджара \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Ідзе ўсталяванне. Пры закрыцці яно можа зламацца. Выйсці?", "They are the programs in charge of installing, updating and removing packages.": "Гэта праграмы для ўсталявання, абнаўлення і выдалення пакетаў.", - "Third-party licenses": "Ліцэнзіі трэціх бакоў", "This could represent a security risk.": "Гэта можа быць рызыкай бяспекі.", - "This is not recommended.": "Не рэкамендуецца.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Магчыма пакет выдалены або ў мэнэджары, які адключаны. Атрыманны ID {0}", "This is the default choice.": "Гэта варыянт па змаўчанні.", - "This may help if WinGet packages are not shown": "Можа дапамагчы, калі пакеты WinGet не паказваюцца", - "This may help if no packages are listed": "Можа дапамагчы, калі пакеты не адлюстроўваюцца", - "This may take a minute or two": "Гэта можа заняць хвіліну-другую", - "This operation is running interactively.": "Аперацыя працуе ў інтэрактыўным рэжыме.", - "This operation is running with administrator privileges.": "Аперацыя працуе з правамі адміністратара.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Гэта опцыя выкліча праблемы. Аперацыі без самапазняцця будуць ПАДАЛЕ. Устал./абнаўл./выдал. як адміністратар НЕ ПРАЦУЕ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Набор меў патэнцыйна небяспечныя налады - яны могуць ігнаравацца.", "This package can be updated": "Пакет можна абнавіць", "This package can be updated to version {0}": "Пакет можна абнавіць да версіі {0}", - "This package can be upgraded to version {0}": "Пакет можна абнавіць да версіі {0}", - "This package cannot be installed from an elevated context.": "Пакет нельга ўсталяваць з павышанага кантэксту.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Няма ікон або скрыншотаў? Дадайце іх у публічную базу UniGetUI.", - "This package is already installed": "Пакет ужо ўсталяваны", - "This package is being processed": "Пакет апрацоўваецца", - "This package is not available": "Пакет недаступны", - "This package is on the queue": "Пакет у чарзе", "This process is running with administrator privileges": "Працэс працуе з правамі адміністратара", - "This project has no connection with the official {0} project — it's completely unofficial.": "Гэта цалкам неафіцыйны праект. Ён не мае сувязі з афіцыйным праектам {0}.", "This setting is disabled": "Гэта налада адключана", "This wizard will help you configure and customize WingetUI!": "Майстар дапаможа наладзіць UniGetUI!", "Toggle search filters pane": "Паказаць/схаваць панэль фільтраў", - "Translators": "Перакладчыкі", - "Try to kill the processes that refuse to close when requested to": "Паспрабаваць забіць працэсы, якія не закрываюцца", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Уключэнне дазваляе змяняць выканальны файл для мэнэджараў - гнутка, але небяспечна", "Type here the name and the URL of the source you want to add, separed by a space.": "Увядзіце назву і URL крыніцы праз прагал.", "Unable to find package": "Не атрымалася знайсці пакет", "Unable to load informarion": "Не атрымалася загрузіць інфармацыю", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI збірае ананімныя даныя для паляпшэння UX.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI збірае ананімныя даныя толькі дзеля паляпшэння UX.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Выяўлены новы ярлык - можна аўтаматычна выдаліць.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Знойдзены ярлыкі, якія можна аўтаматычна выдаляць у будучыні", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Выяўлена {0} новых ярлыкоў для аўтавылучэння.", - "UniGetUI is being updated...": "UniGetUI абнаўляецца...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не звязаны ні з адным з мэнэджараў - незалежны праект.", - "UniGetUI on the background and system tray": "UniGetUI у фоне і трэі", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI або яго кампаненты адсутнічаюць/пашкоджаны.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "Для працы патрабуецца {0}, але яго не знойдзена.", - "UniGetUI startup page:": "Стартавая старонка UniGetUI:", - "UniGetUI updater": "Абнаўляльнік UniGetUI", - "UniGetUI version {0} is being downloaded.": "Спампоўваецца UniGetUI версіі {0}.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} гатовы да ўсталявання.", - "Uninstall": "Выдаліць", - "Uninstall Scoop (and its packages)": "Выдаліць Scoop (і яго пакеты)", "Uninstall and more": "Выдаліць і яшчэ", - "Uninstall and remove data": "Выдаліць і даныя", - "Uninstall as administrator": "Выдаліць як адміністратар", "Uninstall canceled by the user!": "Выдаленне скасавана карыстальнікам!", - "Uninstall failed": "Выдаленне не ўдалося", - "Uninstall options": "Параметры выдалення", - "Uninstall package": "Выдаліць пакет", - "Uninstall package, then reinstall it": "Выдаліць і пераўсталяваць", - "Uninstall package, then update it": "Выдаліць і абнавіць", - "Uninstall previous versions when updated": "Выдаляць старыя версіі пры абнаўленні", - "Uninstall selected packages": "Выдаліць выбраныя пакеты", - "Uninstall selection": "Выдаліць выбранае", - "Uninstall succeeded": "Выдаленне завершана ўдала", "Uninstall the selected packages with administrator privileges": "Выдаліць абраныя пакеты з правамі адміністратара", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Пакеты з паходжаннем \"{0}\" не апублікаваны ў мэнэджарах - інфармацыі няма.", - "Unknown": "Невядома", - "Unknown size": "Невядомы памер", - "Unset or unknown": "Не зададзена / невядома", - "Up to date": "Актуальна", - "Update": "Абнавіць", - "Update WingetUI automatically": "Аўтаабнаўляць UniGetUI", - "Update all": "Абнавіць усё", "Update and more": "Абнавіць і яшчэ", - "Update as administrator": "Абнавіць як адміністратар", - "Update check frequency, automatically install updates, etc.": "Частата праверкі, аўтаабнаўленні і інш.", - "Update checking": "Праверка абнаўленняў", "Update date": "Дата абнаўлення", - "Update failed": "Абнаўленне не ўдалося", "Update found!": "Знойдзена абнаўленне!", - "Update now": "Абнавіць зараз", - "Update options": "Параметры абнаўлення", "Update package indexes on launch": "Абнаўляць індэксы пры запуску", "Update packages automatically": "Аўтаабнаўляць пакеты", "Update selected packages": "Абнавіць выбраныя пакеты", "Update selected packages with administrator privileges": "Абнавіць выбраныя пакеты з правамі адміністратара", - "Update selection": "Абнавіць выбранае", - "Update succeeded": "Абнаўленне завершана ўдала", - "Update to version {0}": "Абнавіць да версіі {0}", - "Update to {0} available": "Даступна абнаўленне да {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Аўтаабнаўляць portfiles vcpkg (патрабуе Git)", "Updates": "Абнаўленні", "Updates available!": "Ёсць абнаўленні!", - "Updates for this package are ignored": "Абнаўленні гэтага пакета ігнаруюцца", - "Updates found!": "Знойдзены абнаўленні!", "Updates preferences": "Налады абнаўленняў", "Updating WingetUI": "Абнаўленне UniGetUI", "Url": "URL-адрас", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Выкарыстаць старую ўбудаваную WinGet замест PowerShell Cmdlets", - "Use a custom icon and screenshot database URL": "Уласны URL базы ікон і скрыншотаў", "Use bundled WinGet instead of PowerShell CMDlets": "Убудаваны WinGet замест PowerShell Cmdlets", - "Use bundled WinGet instead of system WinGet": "Убудаваны WinGet замест сістэмнага", - "Use installed GSudo instead of UniGetUI Elevator": "Выкарыстоўваць усталяваны GSudo замест Elevator", "Use installed GSudo instead of the bundled one": "Выкарыстоўваць усталяваны GSudo замест убудаванага", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Стары Elevator UniGetUI (можа дапамагчы пры праблемах)", - "Use system Chocolatey": "Выкарыстоўваць сістэмны Chocolatey", "Use system Chocolatey (Needs a restart)": "Сістэмны Chocolatey (патрабуе перазапуск)", "Use system Winget (Needs a restart)": "Сістэмны WinGet (патрабуе перазапуск)", "Use system Winget (System language must be set to english)": "Выкарыстаць WinGet (мовай сістэмы мусіць быць English)", "Use the WinGet COM API to fetch packages": "Выкарыстаць WinGet COM API для атрымання пакетаў", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Выкарыстаць WinGet PowerShell Module замест COM API", - "Useful links": "Карысныя спасылкі", "User": "Карыстальнік", - "User interface preferences": "Налады інтэрфейсу", "User | Local": "Карыстальнік | Лакальна", - "Username": "Імя карыстальніка", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Выкарыстанне UniGetUI азначае прыняцце LGPL v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Выкарыстанне UniGetUI азначае прыняцце ліцэнзіі MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Не знойдзены корань vcpkg. Вызначце %VCPKG_ROOT% або ў наладах UniGetUI", "Vcpkg was not found on your system.": "Vcpkg не знойдзены ў сістэме.", - "Verbose": "Падрабязна", - "Version": "Версія", - "Version to install:": "Версія для ўсталявання:", - "Version:": "Версія:", - "View GitHub Profile": "Прагляд профілю GitHub", "View WingetUI on GitHub": "Прагляд UniGetUI на GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Прагледзьце зыходны код UniGetUI - там можна паведаміць пра памылкі, прапанаваць функцыі або ўнесці ўклад", - "View mode:": "Рэжым прагляду:", - "View on UniGetUI": "Прагляд у UniGetUI", - "View page on browser": "Адкрыць у браўзеры", - "View {0} logs": "Прагляд логаў {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Чакаць злучэння з інтэрнэтам перад сеткавымі задачамі", "Waiting for other installations to finish...": "Чаканне завяршэння іншых усталяванняў...", "Waiting for {0} to complete...": "Чаканне завяршэння {0}...", - "Warning": "Папярэджанне", - "Warning!": "Увага!", - "We are checking for updates.": "Ідзе праверка абнаўленняў.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Не атрымалася загрузіць падрабязнасці, пакет не быў знойдзены ў вашых крыніцах.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Не атрымалася загрузіць падрабязнасці, пакет не быў усталяваны з даступнага мэнэджара пакетаў.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Не атрымалася {action} {package}. Паўтарыце пазней. Націсніце \"{showDetails}\" для логаў усталёўшчыка.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Не атрымалася {action} {package}. Паўтарыце пазней. Націсніце \"{showDetails}\" для логаў выдалення.", "We couldn't find any package": "Не знойдзена ніводнага пакета", "Welcome to WingetUI": "Вітаем у UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Пры пакетным усталяванні таксама ўсталёўваць ужо ўсталяваныя пакеты", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Пры выяўленні новых ярлыкоў - выдаляць без дыялогу", - "Which backup do you want to open?": "Якую рэзервовую копію загрузіць?", "Which package managers do you want to use?": "Якія мэнэджары выкарыстоўваць?", "Which source do you want to add?": "Якую крыніцу дадаць?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WinGet можна выкарыстоўваць у UniGetUI, але UniGetUI таксама працуе з іншымі - гэта можа бянтэжыць. Раней быў толькі WinGet, цяпер праект шырэйшы.", - "WinGet could not be repaired": "WinGet не ўдалося аднавіць", - "WinGet malfunction detected": "Выяўлена няспраўнасць WinGet", - "WinGet was repaired successfully": "WinGet паспяхова адноўлены", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Усё актуальна", "WingetUI - {0} updates are available": "UniGetUI - даступна {0} абнаўленняў", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Сайт UniGetUI", "WingetUI Homepage - Share this link!": "Сайт UniGetUI - падзяліцеся спасылкай!", - "WingetUI License": "Ліцэнзія UniGetUI", - "WingetUI Log": "Лог UniGetUI", - "WingetUI Repository": "Рэпазітарый UniGetUI", - "WingetUI Settings": "Налады UniGetUI", "WingetUI Settings File": "Файл налад UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI выкарыстоўвае наступныя бібліятэкі - без іх праект немагчымы.", - "WingetUI Version {0}": "UniGetUI версія {0}", "WingetUI autostart behaviour, application launch settings": "Аўтазапуск UniGetUI, налады запуску", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI можа правяраць і аўтаматычна ўсталёўваць абнаўленні", - "WingetUI display language:": "Мова інтэрфейсу UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI запушчаны як адміністратар - не рэкамендуецца. Усе аперацыі будуць з правамі. Лепш запускаць без іх.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI перакладзены на больш чым 40 моў дзякуючы валанцёрам. Дзякуй \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI не машынны пераклад. Перакладчыкі:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI дазваляе лягчэй кіраваць праграмным забеспячэннем праз адзіны графічны інтэрфейс для каманднага радка менеджараў пакетаў.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI пераймяноўваецца, каб аддзяліць інтэрфейс ад WinGet (менеджар Microsoft)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI абнаўляецца. Пасля завершання перазапусціцца", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI бясплатны назаўжды. Без рэкламы і платных версій.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI будзе паказваць UAC пры кожным патрабаванні павышэння.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "Хутка WingetUI будзе называцца {newname}. Функцыянал не зменіцца.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI немагчыма без нашых аўтараў. Наведайце іх GitHub!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI быў бы немагчымы без дапамогі ўсіх удзельнікаў. Дзякуй вам \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} гатовы да ўсталявання.", - "Write here the process names here, separated by commas (,)": "Упішыце назвы працэсаў праз коску", - "Yes": "Так", - "You are logged in as {0} (@{1})": "Вы ўвайшлі як {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Паводзіны можна змяніць у наладах бяспекі UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можна задаць каманды да і пасля ўсталявання/абнаўлення/выдалення. Запускаюцца ў CMD.", - "You have currently version {0} installed": "Зараз усталявана версія {0}", - "You have installed WingetUI Version {0}": "Вы ўсталявалі UniGetUI версіі {0}", - "You may lose unsaved data": "Можаце страціць незахаваныя даныя", - "You may need to install {pm} in order to use it with WingetUI.": "Магчыма трэба ўсталяваць {pm} для выкарыстання з UniGetUI.", "You may restart your computer later if you wish": "Можаце перазапусціць камп'ютар пазней", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "UAC з'явіцца аднойчы; правы будуць выдадзены па запыце", "You will be prompted only once, and every future installation will be elevated automatically.": "Запыт толькі раз; далей усталяванні з павышэннем", - "You will likely need to interact with the installer.": "Магчыма спатрэбіцца ўзаемадзеянне з усталёўшчыкам.", - "[RAN AS ADMINISTRATOR]": "[ЗАПУСК АДМІНІСТРАТАРА]", "buy me a coffee": "падайце каву", - "extracted": "распакавана", - "feature": "функцыя", "formerly WingetUI": "раней WingetUI", "homepage": "сайт", "install": "усталяваць", "installation": "усталяванне", - "installed": "усталявана", - "installing": "усталёўваецца", - "library": "бібліятэка", - "mandatory": "абавязкова", - "option": "параметр", - "optional": "неабавязкова", "uninstall": "выдаліць", "uninstallation": "выдаленне", "uninstalled": "выдалена", - "uninstalling": "выдаляецца", "update(noun)": "абнаўленне", "update(verb)": "абнавіць", "updated": "абноўлена", - "updating": "абнаўляецца", - "version {0}": "версія {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Налады ўсталёўкі заблакаваныя, бо для {0} выкарыстоўваюцца налады па змаўчанні.", "{0} Uninstallation": "Выдаленне {0}", "{0} aborted": "{0} скасавана", "{0} can be updated": "{0} можна абнавіць", - "{0} can be updated to version {1}": "{0} можна абнавіць да версіі {1}", - "{0} days": "{0} дзён", - "{0} desktop shortcuts created": "Створана ярлыкоў: {0}", "{0} failed": "{0} не ўдалося", - "{0} has been installed successfully.": "{0} паспяхова ўсталяваны.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} усталяваны. Рэкамендуецца перазапусціць UniGetUI", "{0} has failed, that was a requirement for {1} to be run": "{0} не ўдалося - патрабаванне для запуску {1}", - "{0} homepage": "Сайт {0}", - "{0} hours": "{0} гадзін", "{0} installation": "Усталяванне {0}", - "{0} installation options": "Параметры ўсталявання {0}", - "{0} installer is being downloaded": "Спампоўваецца ўсталёўшчык {0}", - "{0} is being installed": "{0} усталёўваецца", - "{0} is being uninstalled": "{0} выдаляецца", "{0} is being updated": "{0} абнаўляецца", - "{0} is being updated to version {1}": "{0} абнаўляецца да версіі {1}", - "{0} is disabled": "{0} адключаны", - "{0} minutes": "{0} хвілін", "{0} months": "{0} месяцаў", - "{0} packages are being updated": "{0} пакетаў абнаўляюцца", - "{0} packages can be updated": "{0} пакета(ў) можна абнавіць", "{0} packages found": "Знойдзена пакетаў: {0}", "{0} packages were found": "Знойдзена пакетаў: {0}", - "{0} packages were found, {1} of which match the specified filters.": "Знойдзена {0} пакетаў, {1} адпавядае фільтрам.", - "{0} selected": "Абрана {0}", - "{0} settings": "Налады {0}", - "{0} status": "Статус {0}", "{0} succeeded": "{0} завершана ўдала", "{0} update": "Абнаўленне {0}", - "{0} updates are available": "Даступна абнаўленняў: {0}", "{0} was {1} successfully!": "{0} быў паспяхова {1}!", "{0} weeks": "{0} тыдняў", "{0} years": "{0} гадоў", "{0} {1} failed": "{0} {1} не ўдалося", - "{package} Installation": "Усталяванне {package}", - "{package} Uninstall": "Выдаленне {package}", - "{package} Update": "Абнаўленне {package}", - "{package} could not be installed": "Немагчыма ўсталяваць {package}", - "{package} could not be uninstalled": "Немагчыма выдаліць {package}", - "{package} could not be updated": "Немагчыма абнавіць {package}", "{package} installation failed": "Усталяванне {package} не ўдалося", - "{package} installer could not be downloaded": "Немагчыма спампаваць усталёўшчык {package}", - "{package} installer download": "Спампоўка усталёўшчыка {package}", - "{package} installer was downloaded successfully": "Усталёўшчык {package} паспяхова спампаваны", "{package} uninstall failed": "Выдаленне {package} не ўдалося", "{package} update failed": "Абнаўленне {package} не ўдалося", "{package} update failed. Click here for more details.": "Абнаўленне {package} не ўдалося. Падрабязнасці тут.", - "{package} was installed successfully": "{package} паспяхова ўсталяваны", - "{package} was uninstalled successfully": "{package} паспяхова выдалены", - "{package} was updated successfully": "{package} паспяхова абноўлены", - "{pcName} installed packages": "Пакеты на {pcName}", "{pm} could not be found": "{pm} не знойдзены", "{pm} found: {state}": "{pm} знойдзены: {state}", - "{pm} is disabled": "{pm} адключаны", - "{pm} is enabled and ready to go": "{pm} уключаны і гатовы", "{pm} package manager specific preferences": "Спецыфічныя налады {pm}", "{pm} preferences": "Налады {pm}", - "{pm} version:": "Версія {pm}:", - "{pm} was not found!": "{pm} не знойдзены!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Вітаю! Я Martí - распрацоўнік UniGetUI. Праект створаны ў вольны час!", + "Thank you ❤": "Дзякуй ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Гэта цалкам неафіцыйны праект. Ён не мае сувязі з афіцыйным праектам {0}." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bg.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bg.json index 351ffdd76b..45cd190872 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bg.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bg.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Изпълнява се операция", + "Please wait...": "Моля изчакайте...", + "Success!": "Успешно!", + "Failed": "Неуспешно", + "An error occurred while processing this package": "Грешка при обработката на този пакет", + "Log in to enable cloud backup": "Влезте, за да активирате архивирането в облака", + "Backup Failed": "Резервнито копие е неуспешно", + "Downloading backup...": "Изтегляне на резервното копие...", + "An update was found!": "Намерена е актуализация!", + "{0} can be updated to version {1}": "{0} може да бъде актуализиран до версия {1}", + "Updates found!": "Намерени са актуализации!", + "{0} packages can be updated": "{0} пакета могат да се актуализират", + "You have currently version {0} installed": "В момента имате инсталирана версия {0}", + "Desktop shortcut created": "Създаден е пряк път на работния плот", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI откри нов пряк път на работния плот, който може да бъде изтрит автоматично.", + "{0} desktop shortcuts created": "Създадени са {0} преки пътища на работния плот", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI откри {0} нови преки пътища на работния плот, които могат да бъдат изтрити автоматично.", + "Are you sure?": "Сигурни ли сте?", + "Do you really want to uninstall {0}?": "Наистина ли искате да деинсталирате {0}?", + "Do you really want to uninstall the following {0} packages?": "Наистина ли искате да деинсталирате следните {0} пакети?", + "No": "Не", + "Yes": "Да", + "View on UniGetUI": "Преглед в UniGetUI", + "Update": "Актуализиране", + "Open UniGetUI": "Отвори UniGetUI", + "Update all": "Актуализиране на всички", + "Update now": "Актуализирай сега", + "This package is on the queue": "Този пакет е в опашката", + "installing": "инсталиране", + "updating": "актуализиране", + "uninstalling": "деинсталиране", + "installed": "инсталиран", + "Retry": "Нов опит", + "Install": "Инсталиране", + "Uninstall": "Деинсталиране", + "Open": "Отвори", + "Operation profile:": "Профил на операцията:", + "Follow the default options when installing, upgrading or uninstalling this package": "Следвайте опциите по подразбиране, когато инсталирате, надграждате или деинсталирате този пакет", + "The following settings will be applied each time this package is installed, updated or removed.": "Следните настройки ще се прилагат всеки път, когато този пакет бъде инсталиран, актуализиран или премахнат.", + "Version to install:": "Версия за инсталиране:", + "Architecture to install:": "Архитектура за инсталиране:", + "Installation scope:": "Обхват на инсталацията:", + "Install location:": "Място на инсталиране:", + "Select": "Избор", + "Reset": "Нулиране", + "Custom install arguments:": "Аргументи за персонализирано инсталиране:", + "Custom update arguments:": "Аргументи за персонализирано деинсталиране:", + "Custom uninstall arguments:": "Аргументи за персонализирано деинсталиране:", + "Pre-install command:": "Команда за предварителна инсталация:", + "Post-install command:": "Команда след инсталиране:", + "Abort install if pre-install command fails": "Прекратяване на инсталирането, ако командата за предварителна инсталация е неуспешна", + "Pre-update command:": "Команда за предварителна актуализация:", + "Post-update command:": "Команда след актуализация:", + "Abort update if pre-update command fails": "Прекратяване на актуализацията, ако командата за предварително актуализиране е неуспешна", + "Pre-uninstall command:": "Команда за предварителна деинсталация:", + "Post-uninstall command:": "Команда след деинсталиране:", + "Abort uninstall if pre-uninstall command fails": "Прекратяване на деинсталирането, ако командата за предварително деинсталиране е неуспешна", + "Command-line to run:": "Команден ред за изпълнение:", + "Save and close": "Запази и затвори", + "Run as admin": "Стартиране като администратор", + "Interactive installation": "Интерактивна инсталация", + "Skip hash check": "Пропускане проверката на хеша", + "Uninstall previous versions when updated": "Деинсталирайте предишни версии, когато актуализирате", + "Skip minor updates for this package": "Пропускане на малки актуализации за този пакет", + "Automatically update this package": "Автоматично актуализиране на този пакет", + "{0} installation options": "{0} опции за инсталиране", + "Latest": "Последна", + "PreRelease": "Ранно издаване", + "Default": "По подразбиране", + "Manage ignored updates": "Управление на игнорираните актуализации", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакетите, изброени тук, няма да бъдат взети предвид при проверката за актуализации. Щракнете двукратно върху тях или щракнете върху бутона отдясно, за да спрете игнорирането на техните актуализации.", + "Reset list": "Нулиране на списъка", + "Package Name": "Име на пакета", + "Package ID": "ID на пакета", + "Ignored version": "Игнорирана версия", + "New version": "Нова версия", + "Source": "Източник", + "All versions": "Всички версии", + "Unknown": "Неизвестна", + "Up to date": "Актуално", + "Cancel": "Отмяна", + "Administrator privileges": "Администраторски привилегии", + "This operation is running with administrator privileges.": "Тази операция се изпълнява с администраторски права.", + "Interactive operation": "Интерактивна инсталация", + "This operation is running interactively.": "Тази операция се изпълнява интерактивно.", + "You will likely need to interact with the installer.": "Вероятно ще трябва да взаимодействате с инсталатора.", + "Integrity checks skipped": "Пропуснати проверки за целостта", + "Proceed at your own risk.": "Продължете на свой собствен риск.", + "Close": "Затвори", + "Loading...": "Зареждане...", + "Installer SHA256": "SHA256 инсталатор", + "Homepage": "Уебсайт", + "Author": "Автор", + "Publisher": "Издател", + "License": "Лиценз", + "Manifest": "Манифест", + "Installer Type": "Тип инсталатор", + "Size": "Размер", + "Installer URL": "Линк към инсталатора", + "Last updated:": "Последна актуализация:", + "Release notes URL": "Бележки за изданието на URL адрес", + "Package details": "Подробности за пакета", + "Dependencies:": "Зависимости:", + "Release notes": "Бележки към изданието", + "Version": "Версия", + "Install as administrator": "Инсталиране като администратор", + "Update to version {0}": "Актуализиране до версия {0}", + "Installed Version": "Инсталирана версия", + "Update as administrator": "Актуализиране като администратор", + "Interactive update": "Интерактивна актуализация", + "Uninstall as administrator": "Деинсталиране като администратор", + "Interactive uninstall": "Интерактивна деинсталация", + "Uninstall and remove data": "Деинсталиране и премахване на данните", + "Not available": "Не е наличен", + "Installer SHA512": "SHA512 инсталатор", + "Unknown size": "Неизвестен размер", + "No dependencies specified": "Няма посочени зависимости", + "mandatory": "задължително", + "optional": "по избор", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} е готов за инсталиране.", + "The update process will start after closing UniGetUI": "Процесът на актуализиране ще започне след затваряне на UniGetUI", + "Share anonymous usage data": "Споделяне на анонимни данни за употреба", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI събира анонимни данни за употреба, за да подобри потребителското изживяване.", + "Accept": "Приеми", + "You have installed WingetUI Version {0}": "Инсталирали сте WingetUI версия {0}", + "Disclaimer": "Отказ от отговорност", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не е свързан с никой от съвместимите мениджъри на пакети. UniGetUI е независим проект.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI нямаше да е възможен без помощта на сътрудниците. Благодаря на всички 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI използва следните библиотеки. Без тях WingetUI нямаше да е възможен.", + "{0} homepage": "Начална страница {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI е преведен на повече от 40 езика благодарение на преводачите-доброволци. Благодарим ви 🤝", + "Verbose": "Подробно", + "1 - Errors": "1 - Грешки", + "2 - Warnings": "2 - Предупреждения", + "3 - Information (less)": "3 - Информация (по-малко)", + "4 - Information (more)": "4 - Информация (още)", + "5 - information (debug)": "5 - информация (отстраняване на грешки)", + "Warning": "Внимание", + "The following settings may pose a security risk, hence they are disabled by default.": "Следните настройки могат да представляват риск за сигурността, поради което са деактивирани по подразбиране.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Активирайте настройките по-долу, само ако напълно разбирате какво правят и какви последици могат да имат.", + "The settings will list, in their descriptions, the potential security issues they may have.": "В описанията на настройките ще бъдат изброени потенциалните проблеми със сигурността, които може да имат.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Архивирането ще включва пълния списък с инсталираните пакети и техните опции за инсталиране. Игнорираните актуализации и пропуснатите версии също ще бъдат запазени.", + "The backup will NOT include any binary file nor any program's saved data.": "Резервното копие НЯМА да включва двоичен файл, нито запазени данни на която и да е програма.", + "The size of the backup is estimated to be less than 1MB.": "Размерът на архивното копие се оценява да е под 1MB.", + "The backup will be performed after login.": "Архивирането ще се извърши след влизане в системата.", + "{pcName} installed packages": "{pcName} инсталира пакети", + "Current status: Not logged in": "Текущ статус: Не сте влезли", + "You are logged in as {0} (@{1})": "Влезли сте като {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Чудесно! Резервните копия ще бъдат качени в частен gist във вашия акаунт.", + "Select backup": "Изберете архив", + "WingetUI Settings": "WingetUI настройки", + "Allow pre-release versions": "Разрешаване на предварителни версии", + "Apply": "Приложи", + "Go to UniGetUI security settings": "Отидете на настройките за сигурност на UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следните опции ще се прилагат по подразбиране всеки път, когато {0} пакет бъде инсталиран, надстроен или деинсталиран.", + "Package's default": "Пакет по подразбиране", + "Install location can't be changed for {0} packages": "Местоположението за инсталиране не може да бъде променено за {0} пакета", + "The local icon cache currently takes {0} MB": "Локалният кеш на иконите в момента заема {0} MB", + "Username": "Потребителско име", + "Password": "Парола", + "Credentials": "Пълномощия", + "Partially": "Частично", + "Package manager": "Мениджър на пакети", + "Compatible with proxy": "Съвместим с прокси сървър", + "Compatible with authentication": "Съвместим с удостоверяване", + "Proxy compatibility table": "Таблица за съвместимост на прокси сървъри", + "{0} settings": "{0} настройки", + "{0} status": "Състояние на {0}", + "Default installation options for {0} packages": "Опции за инсталиране по подразбиране за {0} пакети", + "Expand version": "Разгъване на версията", + "The executable file for {0} was not found": "Изпълнимият файл за {0} не е намерен", + "{pm} is disabled": "{pm} е деактивирано", + "Enable it to install packages from {pm}.": "Активирайте го, за да инсталира пакети от {pm}.", + "{pm} is enabled and ready to go": "{pm} е активирано и готово за употреба", + "{pm} version:": "версия {pm}:", + "{pm} was not found!": "{pm} не беше намерен!", + "You may need to install {pm} in order to use it with WingetUI.": "Може да се наложи да инсталирате {pm}, за да го използвате с WingetUI.", + "Scoop Installer - WingetUI": "Scoop инсталатор - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop деинсталатор - WingetUI", + "Clearing Scoop cache - WingetUI": "Изчистване на Scoop кеша - UniGetUI", + "Restart UniGetUI": "Рестартирай UniGetUI", + "Manage {0} sources": "Управление на {0} източника", + "Add source": "Добави източник ", + "Add": "Добави", + "Other": "Друго", + "1 day": "1 ден", + "{0} days": "{0} дена", + "{0} minutes": "{0} минути", + "1 hour": "1 час", + "{0} hours": "{0} часа", + "1 week": "1 седмица", + "WingetUI Version {0}": "Версия на WingetUI {0}", + "Search for packages": "Търсене на пакети", + "Local": "Локален", + "OK": "ОК", + "{0} packages were found, {1} of which match the specified filters.": "Намерени са {0} пакета, {1} от които отговарят на посочените филтри.", + "{0} selected": "Избрани са {0}", + "(Last checked: {0})": "(Последна проверка: {0})", + "Enabled": "Активирано", + "Disabled": "Изключено", + "More info": "Повече информация", + "Log in with GitHub to enable cloud package backup.": "Влезте с GitHub, за да активирате архивирането на пакети в облака.", + "More details": "Още подробности", + "Log in": "Вход", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ако имате активирано архивиране в облака, то ще бъде запазено като GitHub Gist файл в този акаунт.", + "Log out": "Изход", + "About": "Относно", + "Third-party licenses": "Лицензи на трети страни", + "Contributors": "Сътрудници", + "Translators": "Преводачи", + "Manage shortcuts": "Управление на преките пътища", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI откри нов пряк път на работния плот, който може да бъде изтрит автоматично.", + "Do you really want to reset this list? This action cannot be reverted.": "Наистина ли искате да нулирате този списък? Това действието не може да бъде отменено.", + "Remove from list": "Премахване от списъка", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Когато бъдат открити нови преки пътища, те да се изтриват автоматично, вместо да се показва този диалогов прозорец.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI събира анонимни данни за употреба с единствената цел да разбере и подобри потребителското изживяване.", + "More details about the shared data and how it will be processed": "Повече подробности за споделените данни и как те ще бъдат обработвани", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Приемате ли, че UniGetUI събира и изпраща анонимни статистически данни за употреба, с единствената цел да разбере и подобри потребителското изживяване?", + "Decline": "Отказ", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Не се събира и не се изпраща лична информация, а събраните данни са анонимизирани, така че не могат да бъдат проследени обратно до вас.", + "About WingetUI": "За WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI е приложение, което улеснява управлението на вашия софтуер, като предоставя графичен интерфейс „всичко в едно“ за вашите мениджъри на пакети от командния ред.", + "Useful links": "Полезни връзки", + "Report an issue or submit a feature request": "Съобщете за проблем или изпратете заявка за функция", + "View GitHub Profile": "Преглед на профила в GitHub", + "WingetUI License": "Лиценз на WingetUI", + "Using WingetUI implies the acceptation of the MIT License": "Използването на WingetUI предполага приемането на лиценза на MIT", + "Become a translator": "Станете преводач", + "View page on browser": "Отваряне на страницата в браузър", + "Copy to clipboard": "Копирай в клипбоарда", + "Export to a file": "Експортирай във файл", + "Log level:": "Ниво на дневника:", + "Reload log": "Презареждане на лога", + "Text": "Текст", + "Change how operations request administrator rights": "Промяна на начина, по който операциите изискват администраторски права", + "Restrictions on package operations": "Ограничения върху операциите с пакети", + "Restrictions on package managers": "Ограничения за мениджърите на пакети", + "Restrictions when importing package bundles": "Ограничения при импортиране на пакети", + "Ask for administrator privileges once for each batch of operations": "Питайте за администраторски права веднъж за всяка партида от операции", + "Ask only once for administrator privileges": "Попитайте само веднъж за администраторски права", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забранете всякакъв вид актуализации чрез UniGetUI Elevator или GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Тази опция ЩЕ причини проблеми. Всяка операция, която не може да се издигне, ЩЕ СЕ ПРОВАЛИ. Инсталирането/актуализирането/деинсталирането като администратор НЯМА да работи.", + "Allow custom command-line arguments": "Разрешаване на персонализирани аргументи от командния ред", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Персонализираните аргументи на командния ред могат да променят начина, по който програмите се инсталират, надграждат или деинсталират, по начин, който UniGetUI не може да контролира. Използването на персонализирани командни редове може да повреди пакетите. Действайте внимателно.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Игнориране на персонализираните команди преди и след инсталиране при импортиране на пакети от пакет", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Командите преди и след инсталирането ще се изпълняват преди и след инсталирането, надграждането или деинсталирането на пакет. Имайте предвид, че те могат да повредят системата, ако не се използват внимателно.", + "Allow changing the paths for package manager executables": "Разрешаване на промяна на пътищата за изпълними файлове на мениджъра на пакети", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Включването на това позволява промяна на изпълнимия файл, използван за взаимодействие с мениджърите на пакети. Въпреки че това позволява по-фина персонализация на инсталационните процеси, може да бъде и опасно", + "Allow importing custom command-line arguments when importing packages from a bundle": "Разрешаване на импортиране на персонализирани аргументи от командния ред при импортиране на пакети", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправилно оформените аргументи от командния ред могат да повредят пакетите или дори да позволят на злонамерен участник да получи привилегировано изпълнение. Следователно, импортирането на персонализирани аргументи от командния ред е деактивирано по подразбиране.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Разрешаване на импортиране на персонализирани команди преди и след инсталиране при импортиране на пакети", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Командите преди и след инсталирането могат да причинят много неприятни неща на вашето устройство, ако са предназначени за това. Може да бъде много опасно да импортирате командите от пакет, освен ако не се доверявате на източника на този пакет.", + "Administrator rights and other dangerous settings": "Администраторски права и други опасни настройки", + "Package backup": "Архивиране на пакета", + "Cloud package backup": "Архивиране на пакетите в облака", + "Local package backup": "Локално архивиране на пакети", + "Local backup advanced options": "Разширени опции за локално архивиране", + "Log in with GitHub": "Влезте с GitHub", + "Log out from GitHub": "Изход от GitHub", + "Periodically perform a cloud backup of the installed packages": "Периодично правете облачно архивиране на инсталираните пакети", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Облачното архивиране използва частен GitHub Gist, за да съхранява списък с инсталирани пакети", + "Perform a cloud backup now": "Направете архивиране в облака сега", + "Backup": "Резервно копие", + "Restore a backup from the cloud": "Възстановяване на резервно копие от облака", + "Begin the process to select a cloud backup and review which packages to restore": "Започнете процеса за избор на облачно архивиране и прегледайте кои пакети да възстановите", + "Periodically perform a local backup of the installed packages": "Периодично правете локално архивиране на инсталираните пакети", + "Perform a local backup now": "Извършете локално архивиране сега", + "Change backup output directory": "Смяна на директорията на архивното копие", + "Set a custom backup file name": "Задаване на персонализирано име на архивния файл", + "Leave empty for default": "Стартиране на подпроцеса...", + "Add a timestamp to the backup file names": "Добавете времева маркировка към имената на файловете за архивиране", + "Backup and Restore": "Резервнито копие и възстановяване", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Активиране на фоновия API (WingetUI Widgets и Sharing, порт 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Изчакайте устройството да се свърже с интернет, преди да се опитате да извършите задачи, които изискват интернет връзка.", + "Disable the 1-minute timeout for package-related operations": "Деактивирайте 1-минутното изчакване за операции, свързани с пакети", + "Use installed GSudo instead of UniGetUI Elevator": "Използвайте инсталиран GSudo вместо UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Използвайте персонализирана икона и URL адрес за базата данни за екранни снимки", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Активирайте оптимизациите за използване на процесора във фонов режим (вижте Заявка #3278)", + "Perform integrity checks at startup": "Извършвайте проверка за целостта при стартиране", + "When batch installing packages from a bundle, install also packages that are already installed": "При пакетно инсталиране на пакети, инсталирайте също и пакети, които вече са инсталирани", + "Experimental settings and developer options": "Експериментални настройки и опции за разработчици", + "Show UniGetUI's version and build number on the titlebar.": "Показване на версията и номера на компилацията на UniGetUI в заглавната лента.", + "Language": "Език", + "UniGetUI updater": "Актуализация на UniGetUI", + "Telemetry": "Телеметрия", + "Manage UniGetUI settings": "Управление на настройките на UniGetUI", + "Related settings": "Свързани настройки", + "Update WingetUI automatically": "Автоматично актуализиране на WingetUI", + "Check for updates": "Проверете за актуализации", + "Install prerelease versions of UniGetUI": "Инсталирайте предварителни версии на UniGetUI", + "Manage telemetry settings": "Управление на настройките на телеметрията", + "Manage": "Управление", + "Import settings from a local file": "Импортиране на настройки от локален файл", + "Import": "Импортиране", + "Export settings to a local file": "Експортирай избраните пакети в локален файл", + "Export": "Експортирай", + "Reset WingetUI": "Нулиране на WingetUI", + "Reset UniGetUI": "Нулиране на UniGetUI", + "User interface preferences": "Настройки на потребителския интерфейс", + "Application theme, startup page, package icons, clear successful installs automatically": "Тема на приложението, начална страница, икони на пакети, автоматично изчистване на успешни инсталации", + "General preferences": "Общи настройки", + "WingetUI display language:": "Език на показване на WingetUI:", + "Is your language missing or incomplete?": "Вашият език липсва или е непълен?", + "Appearance": "Външен вид", + "UniGetUI on the background and system tray": "UniGetUI във фонов режим и системна област", + "Package lists": "Списъци с пакети", + "Close UniGetUI to the system tray": "Затвори UniGetUI в системния трей", + "Show package icons on package lists": "Показване на икони в списъците с пакети", + "Clear cache": "Изчистване на кеша", + "Select upgradable packages by default": "Избиране на надграждаеми пакети по подразбиране", + "Light": "Светла", + "Dark": "Тъмна", + "Follow system color scheme": "Следване на цветовата схема на системата", + "Application theme:": "Тема на приложението:", + "Discover Packages": "Откриване на пакети", + "Software Updates": "Софтуерни актуализации", + "Installed Packages": "Инсталирани пакети", + "Package Bundles": "Пакетирани пакети", + "Settings": "Настройки", + "UniGetUI startup page:": "Стартова страница на UniGetUI:", + "Proxy settings": "Настройки на прокси сървъра", + "Other settings": "Други настройки", + "Connect the internet using a custom proxy": "Свържете се с интернет, използвайки персонализиран прокси сървър", + "Please note that not all package managers may fully support this feature": "Моля, обърнете внимание, че не всички мениджъри на пакети може да поддържат напълно тази функция", + "Proxy URL": "URL адрес на прокси сървър", + "Enter proxy URL here": "Въведете URL адрес на прокси сървъра тук", + "Package manager preferences": "Настройки на мениджърът на пакети", + "Ready": "Готов", + "Not found": "Не е намерен", + "Notification preferences": "Предпочитания за известия", + "Notification types": "Видове известия", + "The system tray icon must be enabled in order for notifications to work": "Иконата в системния трей трябва да е активирана, за да работят известията", + "Enable WingetUI notifications": "Включи WingetUI известията", + "Show a notification when there are available updates": "Показване на известие при наличие на актуализации", + "Show a silent notification when an operation is running": "Показване на тихо известие, когато се изпълнява операция", + "Show a notification when an operation fails": "Показване на известие при неуспешна операция", + "Show a notification when an operation finishes successfully": "Показване на известие при успешно завършване на операция", + "Concurrency and execution": "Паралелност и изпълнение", + "Automatic desktop shortcut remover": "Автоматично премахване на преки пътища от работния плот", + "Clear successful operations from the operation list after a 5 second delay": "Изчистване на успешни операции от списъка с операции след 5-секундно забавяне", + "Download operations are not affected by this setting": "Операциите за изтегляне не се влияят от тази настройка", + "Try to kill the processes that refuse to close when requested to": "Опитайте се да прекратите процесите, които отказват да се затворят, когато бъдат поискани", + "You may lose unsaved data": "Може да загубите незапазени данни", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Поискайте изтриване на преките пътища на работния плот, създадени по време на инсталиране или надстройка.", + "Package update preferences": "Предпочитания за актуализиране на пакети", + "Update check frequency, automatically install updates, etc.": "Честота на проверка на актуализациите, автоматично инсталиране на актуализации и др.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Намалете UAC подканите, повишете инсталациите по подразбиране, отключете определени опасни функции и др.", + "Package operation preferences": "Предпочитания за работа с пакети", + "Enable {pm}": "Включи {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Не намирате файла, който търсите? Уверете се, че е добавен към пътя.", + "For security reasons, changing the executable file is disabled by default": "От съображения за сигурност, промяната на изпълнимия файл е деактивирана по подразбиране.", + "Change this": "Промени това", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Изберете изпълним файл, който ще се използва. Следният списък показва изпълнимите файлове, намерени от UniGetUI.", + "Current executable file:": "Текущ изпълним файл:", + "Ignore packages from {pm} when showing a notification about updates": "Игнориране на пакети от {pm} при показване на известие за актуализации", + "View {0} logs": "Преглед на {0} лог файлове", + "Advanced options": "Разширени опции", + "Reset WinGet": "Нулиране на WinGet", + "This may help if no packages are listed": "Това може да помогне, ако не са изброени пакети", + "Force install location parameter when updating packages with custom locations": "Принудително задаване на параметъра за местоположение при актуализиране на пакети с персонализирани местоположения", + "Use bundled WinGet instead of system WinGet": "Използвайте пакетния WinGet вместо системния WinGet", + "This may help if WinGet packages are not shown": "Това може да помогне, ако пакетите на WinGet не се показват", + "Install Scoop": "Инсталиране на Scoop", + "Uninstall Scoop (and its packages)": "Деинсталиране на Scoop (и неговите пакети)", + "Run cleanup and clear cache": "Изпълнете почистване и изчистете кеша", + "Run": "Стартирай", + "Enable Scoop cleanup on launch": "Активиране на Scoop cleanup при стартиране", + "Use system Chocolatey": "Използвайте системата Chocolatey", + "Default vcpkg triplet": "Подразбиране vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Език, тема и други предпочитания", + "Show notifications on different events": "Показване на известия за различни събития", + "Change how UniGetUI checks and installs available updates for your packages": "Променете начина, по който UniGetUI проверява и инсталира наличните актуализации за вашите пакети", + "Automatically save a list of all your installed packages to easily restore them.": "Автоматично запазване на списък с всички инсталирани пакети, за да ги възстановите лесно.", + "Enable and disable package managers, change default install options, etc.": "Активиране и деактивиране на мениджъри на пакети, промяна на опциите за инсталиране по подразбиране и др.", + "Internet connection settings": "Интерактивна актуализация", + "Proxy settings, etc.": "Настройки на прокси сървъра и др.", + "Beta features and other options that shouldn't be touched": "Бета функции и други опции, които не трябва да се пипат", + "Update checking": "Проверка за актуализации", + "Automatic updates": "Автоматични актуализации", + "Check for package updates periodically": "Периодично проверяване за актуализации на пакети", + "Check for updates every:": "Проверяване за актуализации на всеки:", + "Install available updates automatically": "Автоматично инсталиране на наличните актуализации", + "Do not automatically install updates when the network connection is metered": "Не инсталирайте автоматично актуализации, когато мрежовата връзка е с ограничено потребление", + "Do not automatically install updates when the device runs on battery": "Не инсталирайте автоматично актуализации, когато устройството работи на батерия", + "Do not automatically install updates when the battery saver is on": "Не инсталирайте автоматично актуализации, когато режимът за пестене на батерията е включен", + "Change how UniGetUI handles install, update and uninstall operations.": "Променете начина, по който UniGetUI обработва операциите при инсталиране, актуализиране и деинсталиране.", + "Package Managers": "Мениджъри на пакети", + "More": "Още", + "WingetUI Log": "Дневник на WingetUI", + "Package Manager logs": "Дневник на мениджърът на пакети", + "Operation history": "История на операциите", + "Help": "Помощ", + "Order by:": "Подреди по:", + "Name": "Име", + "Id": "Идентификационен номер", + "Ascendant": "Асцендент", + "Descendant": "Потомък", + "View mode:": "Режим на преглед:", + "Filters": "Филтри", + "Sources": "Източници", + "Search for packages to start": "За да започнете, потърсете пакети", + "Select all": "Маркиране на всички", + "Clear selection": "Изчисти избора", + "Instant search": "Незабавно търсене", + "Distinguish between uppercase and lowercase": "Разграничавай големи от малки букви", + "Ignore special characters": "Игнориране на специални символи", + "Search mode": "Режим на търсене", + "Both": "И двата", + "Exact match": "Точно съвпадение", + "Show similar packages": "Показване на подобни пакети", + "No results were found matching the input criteria": "Не бяха намерени резултати, съответстващи на въведените критерии", + "No packages were found": "Не бяха намерени пакети", + "Loading packages": "Зареждане на пакети", + "Skip integrity checks": "Пропускане на проверките за цялостност", + "Download selected installers": "Изтегляне на избрани инсталатори", + "Install selection": "Инсталиране на маркираните", + "Install options": "Опции за инсталиране", + "Share": "Споделяне", + "Add selection to bundle": "Добавяне на селекция към групата", + "Download installer": "Изтегляне на инсталатора", + "Share this package": "Споделяне на този пакет", + "Uninstall selection": "Деинсталиране на избраното", + "Uninstall options": "Опции за деинсталиране", + "Ignore selected packages": "Игнориране на избраните пакети", + "Open install location": "Отваряне на мястото за инсталиране", + "Reinstall package": "Преинсталиране на пакет", + "Uninstall package, then reinstall it": "Деинсталиране на пакета, и тогава инсталиране наново", + "Ignore updates for this package": "Игнориране на актуализации за този пакет", + "Do not ignore updates for this package anymore": "Не игнорирайте повече актуализациите за този пакет", + "Add packages or open an existing package bundle": "Отваряне на пакет или съществуващ такъв ", + "Add packages to start": "Добавете пакети, за да започнете", + "The current bundle has no packages. Add some packages to get started": "Текущият пакет няма пакети. Добавете няколко пакета, за да започнете.", + "New": "Нов", + "Save as": "Запази като", + "Remove selection from bundle": "Премахване на селекцията от пакета", + "Skip hash checks": "Пропускане на проверките за хеш", + "The package bundle is not valid": "Пакетът не е валиден", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Пакетът, който се опитвате да заредите, изглежда е невалиден. Моля, проверете файла и опитайте отново.", + "Package bundle": "Пакетиране на пакет", + "Could not create bundle": "Не можа да се създаде пакет", + "The package bundle could not be created due to an error.": "Пакетът не можа да бъде създаден поради грешка.", + "Bundle security report": "Доклад за сигурността на пакета", + "Hooray! No updates were found.": "Ура! Няма намерени актуализации!", + "Everything is up to date": "Всичко е актуално", + "Uninstall selected packages": "Деинсталиране на избраните пакети", + "Update selection": "Актуализация за на селектираните", + "Update options": "Опции за актуализиране", + "Uninstall package, then update it": "Деинсталиране на пакета, и тогава актуализиция", + "Uninstall package": "Деинсталиране на пакета", + "Skip this version": "Пропускане на тази версия", + "Pause updates for": "Пауза на актуализациите за", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Мениджърът на пакети Rust.
Съдържа: Rust библиотеки и програми, написани на Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Оригиналния мениджър за пакети за Windows. Има всичко.
Съдържа: Общ софтуер", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Хранилище, пълно с инструменти и изпълними файлове, проектирано за екосистемата на .NET на Microsoft.
Съдържа: .NET инструменти и скриптове", + "NuPkg (zipped manifest)": "NuPkg (компактен манифест)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Мениджърът на пакети на Node JS. Е пълен с библиотеки и други помощни програми, които обикалят света на JavaScript.
Съдържа: Библиотеки на Node JavaScript и други свързани помощни програми", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Мениджър на библиотеки за Python. Съдържа библиотеки за Python и други инструменти, свързани с Python.
Съдържа: библиотеки за Python и свързану инструменти", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Мениджърът на пакети на PowerShell. Намерете библиотеки и скриптове за разширяване на възможностите на PowerShell
Съдържа: Modules, Scripts, Cmdlets", + "extracted": "извлечен", + "Scoop package": "Пакет на Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Чудесно хранилище на малко известни, но полезни инструменти и други интересни пакети.
Съдръжание: Инструменти, програми за командния ред, общ софтуер (изисква кофата \"extras\")", + "library": "библиотека", + "feature": "функция", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популярен мениджър на C/C++ библиотеки. Пълен с C/C++ библиотеки и други C/C++-свързани помощни програми
Съдържа: C/C++ библиотеки и свързани помощни програми", + "option": "опция", + "This package cannot be installed from an elevated context.": "Този пакет не може да бъде инсталиран от повишен контекст.", + "Please run UniGetUI as a regular user and try again.": "Моля, стартирайте UniGetUI като обикновен потребител и опитайте отново.", + "Please check the installation options for this package and try again": "Моля, проверете опциите за инсталиране на този пакет и опитайте отново.", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Официалният мениждър за пакети на Microsoft. Съдържа добре известни и проверени пакети
Съдържа: общ софтуер, пакети от Microsoft Store", + "Local PC": "Локален ПК", + "Android Subsystem": "Подсистема на Android", + "Operation on queue (position {0})...": "Операция на опашката (позиция {0})...", + "Click here for more details": "Кликнете тук за повече подробности", + "Operation canceled by user": "Операцията е прекъсната от потребителя", + "Starting operation...": "Стартиране на операцията...", + "{package} installer download": "изтегляне на инсталатора на {package}", + "{0} installer is being downloaded": "Инсталаторът на {0} се изтегля", + "Download succeeded": "Изтеглянето е успешно", + "{package} installer was downloaded successfully": "Инсталаторът на {package} беше изтеглен успешно", + "Download failed": "Изтеглянето беше неуспешно", + "{package} installer could not be downloaded": "Инсталаторът на {package} не можа да бъде изтеглен", + "{package} Installation": "Инсталация на {package}", + "{0} is being installed": "Инсталаторът на {0} се изтегля", + "Installation succeeded": "Инсталацията е успешна", + "{package} was installed successfully": "{package} беше инсталиран успешно", + "Installation failed": "Инсталацията не бе успешна", + "{package} could not be installed": "{package} не можа да бъде инсталиран", + "{package} Update": "Актуализация на {package}", + "{0} is being updated to version {1}": "{0} се актуализира до версия {1}", + "Update succeeded": "Актуализацията е успешна", + "{package} was updated successfully": "{package} беше актуализиран успешно", + "Update failed": "Актуализацията е неуспешна", + "{package} could not be updated": "{package} не можа да бъде актуализиран", + "{package} Uninstall": "Деинсталиране на {package}", + "{0} is being uninstalled": "{0} се деинсталира", + "Uninstall succeeded": "Деинсталирането е успешно", + "{package} was uninstalled successfully": "{package} беше деинсталиран успешно", + "Uninstall failed": "Неуспешно деинсталиране", + "{package} could not be uninstalled": "{package} не можа да бъде деинсталиран", + "Adding source {source}": "Добавете източник {source}", + "Adding source {source} to {manager}": "Добавете източник {source} към {manager}", + "Source added successfully": "Източника беше добавен успешно", + "The source {source} was added to {manager} successfully": "Източникът {source} беше успешно добавен към {manager}", + "Could not add source": "Не можа да се добави източника", + "Could not add source {source} to {manager}": "Не можа да се добави източник {source} към {manager}", + "Removing source {source}": "Премахване на източника {source}", + "Removing source {source} from {manager}": "Премахване на източника {source} от {manager}", + "Source removed successfully": "Източникът е премахнат успешно", + "The source {source} was removed from {manager} successfully": "Източникът {source} беше успешно премахнат от {manager}", + "Could not remove source": "Източникът не можа да бъде премахнат", + "Could not remove source {source} from {manager}": "Не можа да се премахне източникът {source} от {manager}", + "The package manager \"{0}\" was not found": "Мениджърът на пакети „{0}“ не е намерен", + "The package manager \"{0}\" is disabled": "Мениджърът на пакети „{0}“ е деактивиран", + "There is an error with the configuration of the package manager \"{0}\"": "Възникна грешка в конфигурацията на мениджъра на пакети „{0}“", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакетът „{0}“ не е намерен в мениджъра на пакети „{1}“", + "{0} is disabled": "{0} е деактивиран", + "Something went wrong": "Нещо се обърка", + "An interal error occurred. Please view the log for further details.": "Възникна вътрешна грешка. Моля, вижте лога за повече подробности.", + "No applicable installer was found for the package {0}": "Не е намерен подходящ инсталатор за пакета {0}", + "We are checking for updates.": "Проверяваме за актуализации.", + "Please wait": "Моля, изчкайте", + "UniGetUI version {0} is being downloaded.": "UniGetUI версия {0} се изтегля.", + "This may take a minute or two": "Това може да отнеме една, две минути", + "The installer authenticity could not be verified.": "Автентичността на инсталатора не можа да бъде потвърдена.", + "The update process has been aborted.": "Процесът на актуализиране беше прекъснат.", + "Great! You are on the latest version.": "Чудесно! Вие сте с най-новата версия.", + "There are no new UniGetUI versions to be installed": "Няма нови версии на UniGetUI за инсталиране", + "An error occurred when checking for updates: ": "Възникна грешка при проверка за актуализации:", + "UniGetUI is being updated...": "UniGetUI се актуализира...", + "Something went wrong while launching the updater.": "Нещо се обърка при стартирането на програмата за актуализиране.", + "Please try again later": "Опитайте отново по-късно", + "Integrity checks will not be performed during this operation": "Проверки за целостта няма да се извършват по време на тази операция", + "This is not recommended.": "Това не се препоръчва.", + "Run now": "Стартирай сега", + "Run next": "Стартирай следващия", + "Run last": "Стартирай последния", + "Retry as administrator": "Опитай отново като администратор", + "Retry interactively": "Опитайте отново интерактивно", + "Retry skipping integrity checks": "Опитайте да пропуснете проверките за целостта", + "Installation options": "Инсталационни настройки", + "Show in explorer": "Показване в експлорър", + "This package is already installed": "Този пакет е вече инсталиран", + "This package can be upgraded to version {0}": "Този пакет може да бъде надстроен до версия {0}", + "Updates for this package are ignored": "Актуализациите за този пакет се игнорират", + "This package is being processed": "Този пакет се обработва", + "This package is not available": "Този пакет не е наличен", + "Select the source you want to add:": "Изберете източника, който искате да добавите:", + "Source name:": "Име на източника:", + "Source URL:": "URL на източника:", + "An error occurred": "Възникна грешка", + "An error occurred when adding the source: ": "Възникна грешка при добавянето на източника:", + "Package management made easy": "Управлението на пакети е лесно", + "version {0}": "версия {0}", + "[RAN AS ADMINISTRATOR]": "[ИЗПЪЛНЯВАШ КАТО АДМИНИСТРАТОР]", + "Portable mode": "Преносим режим", + "DEBUG BUILD": "ОТЛАДЪЧНА КОМПИЛАЦИЯ", + "Available Updates": "Налични актуализации", + "Show WingetUI": "Показване на WingetUI", + "Quit": "Изход", + "Attention required": "Обърнете внимание", + "Restart required": "Нужно е рестрартиране", + "1 update is available": "Налична е 1 актуализация", + "{0} updates are available": "Налични са {0} актуализации", + "WingetUI Homepage": "Начална страница на WingetUI", + "WingetUI Repository": "Хранилище на WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тук можете да промените поведението на UniGetUI по отношение на следните преки пътища. Отметването на пряк път ще накара UniGetUI да го изтрие, ако бъде създаден при бъдеща надстройка. Премахването на отметката ще запази прякия път непокътнат.", + "Manual scan": "Ръчно сканиране", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Съществуващите преки пътища на вашия работен плот ще бъдат сканирани и ще трябва да изберете кои да запазите и кои да премахнете.", + "Continue": "Продължи", + "Delete?": "Да се изтрие ли?", + "Missing dependency": "Липсва зависимост", + "Not right now": "Не точно сега", + "Install {0}": "Инсталиране на {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI изисква {0}, за да работи, но не е намерен във вашата система.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Кликнете върху „Инсталиране“, за да започнете процеса на инсталиране. Ако пропуснете инсталацията, UniGetUI може да не работи както се очаква.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Като алтернатива, можете да инсталирате \n{0}\nкато изпълните следната команда в командния ред на Windows PowerShell:", + "Do not show this dialog again for {0}": "Не показвай този диалогов прозорец отново за {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Моля, изчакайте, докато {0} се инсталира. Може да се появи черен прозорец. Моля, изчакайте, докато се затвори.", + "{0} has been installed successfully.": "{0} е инсталиран успешно.", + "Please click on \"Continue\" to continue": "Моля, кликнете върху „Продължи“, за да продължите", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} е инсталиран успешно. Препоръчително е да рестартирате UniGetUI, за да завършите инсталацията.", + "Restart later": "Да се рестартира по-късно", + "An error occurred:": "Възникна грешка:", + "I understand": "Разбирам", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI е стартиран като администратор, което не се препоръчва. Когато стартирате WingetUI като администратор, ВСЯКА операция, стартирана от WingetUI, ще има администраторски права. Все още можете да използвате програмата, но силно препоръчваме да не стартирате WingetUI с администраторски права.", + "WinGet was repaired successfully": "WinGet беше поправен успешно", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Препоръчително е да рестартирате UniGetUI след поправяне на WinGet.", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ЗАБЕЛЕЖКА: Този инструмент за отстраняване на неизправности може да бъде деактивиран от настройките на UniGetUI, в секцията WinGet", + "Restart": "Рестартиране", + "WinGet could not be repaired": "WinGet не можа да бъде поправен", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Възникна неочакван проблем при опит за поправка на WinGet. Моля, опитайте отново по-късно.", + "Are you sure you want to delete all shortcuts?": "Сигурни ли сте, че искате да изтриете всички преки пътища?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Всички нови преки пътища, създадени по време на инсталиране или актуализиране, ще бъдат изтрити автоматично, вместо да се показва подкана за потвърждение при първото им откриване.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Всички преки пътища, създадени или променени извън UniGetUI, ще бъдат игнорирани. Ще можете да ги добавите чрез бутона \n{0}.", + "Are you really sure you want to enable this feature?": "Наистина ли сте сигурни, че искате да активирате тази функция?", + "No new shortcuts were found during the scan.": "По време на сканирането не бяха открити нови преки пътища.", + "How to add packages to a bundle": "Как да добавя пакети към пакет", + "In order to add packages to a bundle, you will need to: ": "За да добавите пакети към пакет, ще трябва:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Отидете на страницата „{0}“ или „{1}“.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Намерете пакета(ите), които искате да добавите, и изберете най-лявото им квадратче за отметка.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Когато пакетите, които искате да добавите, са избрани, намерете и щракнете върху опцията „{0}“ в лентата с инструменти.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вашите пакети ще бъдат добавени. Можете да продължите да добавяте пакети или да ги експортирате.", + "Which backup do you want to open?": "Кой резервен файл искате да отворите?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Изберете резервното копие, което искате да отворите. По-късно ще можете да прегледате кои пакети искате да инсталирате.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Има текущи операции. Излизането от WingetUI може да доведе до неуспех. Искате ли да продължите?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или някои от неговите компоненти липсват или са повредени.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Силно се препоръчва да инсталирате UniGetUI, за да разрешите ситуацията.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Вижте лог файловете на UniGetUI, за да получите повече подробности относно засегнатите файлове.", + "Integrity checks can be disabled from the Experimental Settings": "Проверките за целостта могат да бъдат деактивирани от експерименталните настройки", + "Repair UniGetUI": "Поправка на UniGetUI", + "Live output": "Представяне на живо", + "Package not found": "Пакета не е намерен", + "An error occurred when attempting to show the package with Id {0}": "Възникна грешка при опит за показване на пакета с идентификатор {0}", + "Package": "Пакет", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Този пакет има някои настройки, които са потенциално опасни и могат да бъдат игнорирани по подразбиране.", + "Entries that show in YELLOW will be IGNORED.": "Записите, които се показват в ЖЪЛТО, ще бъдат ИГНОРИРАНИ.", + "Entries that show in RED will be IMPORTED.": "Записите, които се показват в ЧЕРВЕНО, ще бъдат ИМПОРТИРАНИ.", + "You can change this behavior on UniGetUI security settings.": "Можете да промените това поведение в настройките за сигурност на UniGetUI.", + "Open UniGetUI security settings": "Отворете настройките за сигурност на UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ако промените настройките за сигурност, ще трябва да отворите пакета отново, за да влязат в сила промените.", + "Details of the report:": "Подробности за доклада:", "\"{0}\" is a local package and can't be shared": "\"{0}\" е локален пакет и не може да се споделя", + "Are you sure you want to create a new package bundle? ": "Сигурни ли сте, че искате да създадете нов пакет?", + "Any unsaved changes will be lost": "Всички незапазени промени ще бъдат загубени", + "Warning!": "Внимание!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "От съображения за сигурност, персонализираните аргументи на командния ред са деактивирани по подразбиране. Отидете в настройките за сигурност на UniGetUI, за да промените това.", + "Change default options": "Промяна на опциите по подразбиране", + "Ignore future updates for this package": "Игнориране на бъдещи актуализации за този пакет", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "От съображения за сигурност, скриптовете преди и след операцията са деактивирани по подразбиране. Отидете в настройките за сигурност на UniGetUI, за да промените това.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можете да дефинирате командите, които ще се изпълняват преди или след инсталирането, актуализирането или деинсталирането на този пакет. Те ще се изпълняват в командния ред, така че CMD скриптовете ще работят тук.", + "Change this and unlock": "Променете това и отключете", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Опциите за инсталиране са заключени в момента, защото {0} следва опциите за инсталиране по подразбиране.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Изберете процесите, които трябва да бъдат затворени, преди този пакет да бъде инсталиран, актуализиран или деинсталиран.", + "Write here the process names here, separated by commas (,)": "Напишете тук имената на процесите, разделени със запетаи (,)", + "Unset or unknown": "Незададено или неизвестно", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Моля, вижте изхода от командния ред или вижте историята на операциите за допълнителна информация относно проблема.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Този пакет няма скрийншотове или липсва иконата? Допринесете за WingetUI, като добавите липсващите икони и скрийншотове към нашата отворена, публична база данни.", + "Become a contributor": "Станете сътрудник", + "Save": "Запази", + "Update to {0} available": "Налична е актуализация до {0}", + "Reinstall": "Преинсталирайте", + "Installer not available": "Инсталатора не е наличен", + "Version:": "Версия:", + "Performing backup, please wait...": "Извършва се архивиране, моля изчакайте...", + "An error occurred while logging in: ": "Възникна грешка при влизане:", + "Fetching available backups...": "Извличане на наличните резервни копия...", + "Done!": "Готово!", + "The cloud backup has been loaded successfully.": "Архивирането в облака е заредено успешно.", + "An error occurred while loading a backup: ": "Възникна грешка при зареждане на резервното копие:", + "Backing up packages to GitHub Gist...": "Резервно копе на пакетите в GitHub Gist...", + "Backup Successful": "Резервнито копие е успешно", + "The cloud backup completed successfully.": "Архивирането в облака завърши успешно.", + "Could not back up packages to GitHub Gist: ": "Не можа да се създаде резервно копие на пакетите в GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не е гарантирано, че предоставените идентификационни данни ще бъдат съхранени безопасно, така че е по-добре да не използвате идентификационните данни на банковата си сметка.", + "Enable the automatic WinGet troubleshooter": "Активирайте автоматичния инструмент за отстраняване на неизправности с WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Активирайте [експериментално] подобреното отстраняване на неизправности в WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Добавете актуализации, които са неуспешни с „няма намерена приложима актуализация“, към списъка с игнорирани актуализации.", + "Restart WingetUI to fully apply changes": "Рестартирайте WingetUI, за да приложите промените напълно", + "Restart WingetUI": "Рестартиране на WingetUI", + "Invalid selection": "Невалиден избор", + "No package was selected": "Не е избран пакет", + "More than 1 package was selected": "Избран е повече от 1 пакет", + "List": "Списък", + "Grid": "Решетка", + "Icons": "Икони", "\"{0}\" is a local package and does not have available details": "\"{0}\" е локален пакет и няма налични подробности", "\"{0}\" is a local package and is not compatible with this feature": "„{0}“ е локален пакет и не е съвместим с тази функция", - "(Last checked: {0})": "(Последна проверка: {0})", + "WinGet malfunction detected": "Открита е неизправност в WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Изглежда, че WinGet не работи правилно. Искате ли да опитате да го поправите?", + "Repair WinGet": "Поправка на WinGet", + "Create .ps1 script": "Създаване на .ps1 скрипт", + "Add packages to bundle": "Добавяне на пакет към съществуващ", + "Preparing packages, please wait...": "Подготвяме пакетите, моля изчакайте...", + "Loading packages, please wait...": "Зареждане на пакети, моля изчакайте...", + "Saving packages, please wait...": "Запазване на пакетите, моля изчакайте...", + "The bundle was created successfully on {0}": "Пакетът е създаден успешно на {0}", + "Install script": "Скрипт за инсталиране", + "The installation script saved to {0}": "Инсталационният скрипт е запазен в {0}", + "An error occurred while attempting to create an installation script:": "Възникна грешка при опит за създаване на инсталационен скрипт:", + "{0} packages are being updated": "{0} пакета се актуализират", + "Error": "Грешка", + "Log in failed: ": "Влизането не бе успешно:", + "Log out failed: ": "Неуспешен изход:", + "Package backup settings": "Настройки за архивиране на пакети", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Номер {0} в опашката)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "Vasil Kolev, Nikolay Naydenov", "0 packages found": "Няма намерени пакети", "0 updates found": "Няма намерени актуализации", - "1 - Errors": "1 - Грешки", - "1 day": "1 ден", - "1 hour": "1 час", "1 month": "1 месец", "1 package was found": "Намерен е 1 пакет", - "1 update is available": "Налична е 1 актуализация", - "1 week": "1 седмица", "1 year": "1 година", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Отидете на страницата „{0}“ или „{1}“.", - "2 - Warnings": "2 - Предупреждения", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Намерете пакета(ите), които искате да добавите, и изберете най-лявото им квадратче за отметка.", - "3 - Information (less)": "3 - Информация (по-малко)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Когато пакетите, които искате да добавите, са избрани, намерете и щракнете върху опцията „{0}“ в лентата с инструменти.", - "4 - Information (more)": "4 - Информация (още)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вашите пакети ще бъдат добавени. Можете да продължите да добавяте пакети или да ги експортирате.", - "5 - information (debug)": "5 - информация (отстраняване на грешки)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популярен мениджър на C/C++ библиотеки. Пълен с C/C++ библиотеки и други C/C++-свързани помощни програми
Съдържа: C/C++ библиотеки и свързани помощни програми", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Хранилище, пълно с инструменти и изпълними файлове, проектирано за екосистемата на .NET на Microsoft.
Съдържа: .NET инструменти и скриптове", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Хранилище на инструменти, предназначени за екосистемата на .NET oт Microsoft.
Съдържа: Инструменти, свъразни с .NET", "A restart is required": "Изисква се рестарт", - "Abort install if pre-install command fails": "Прекратяване на инсталирането, ако командата за предварителна инсталация е неуспешна", - "Abort uninstall if pre-uninstall command fails": "Прекратяване на деинсталирането, ако командата за предварително деинсталиране е неуспешна", - "Abort update if pre-update command fails": "Прекратяване на актуализацията, ако командата за предварително актуализиране е неуспешна", - "About": "Относно", "About Qt6": " За Qt6", - "About WingetUI": "За WingetUI", "About WingetUI version {0}": "За WingetUI версия {0}", "About the dev": "За автора", - "Accept": "Приеми", "Action when double-clicking packages, hide successful installations": "Поведение при двойно кликване върху пакети, скриване на успешните инсталации", - "Add": "Добави", "Add a source to {0}": "Добавяне на източник към {0}", - "Add a timestamp to the backup file names": "Добавете времева маркировка към имената на файловете за архивиране", "Add a timestamp to the backup files": "Добавете времева маркировка към архивните файлове", "Add packages or open an existing bundle": "Добавяне на пакети или отваряне на съществуващ пакет", - "Add packages or open an existing package bundle": "Отваряне на пакет или съществуващ такъв ", - "Add packages to bundle": "Добавяне на пакет към съществуващ", - "Add packages to start": "Добавете пакети, за да започнете", - "Add selection to bundle": "Добавяне на селекция към групата", - "Add source": "Добави източник ", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Добавете актуализации, които са неуспешни с „няма намерена приложима актуализация“, към списъка с игнорирани актуализации.", - "Adding source {source}": "Добавете източник {source}", - "Adding source {source} to {manager}": "Добавете източник {source} към {manager}", "Addition succeeded": "Добавянето е успешно", - "Administrator privileges": "Администраторски привилегии", "Administrator privileges preferences": "Предпочитания за администраторските привилегии", "Administrator rights": "Администраторски права", - "Administrator rights and other dangerous settings": "Администраторски права и други опасни настройки", - "Advanced options": "Разширени опции", "All files": "Всички файлове", - "All versions": "Всички версии", - "Allow changing the paths for package manager executables": "Разрешаване на промяна на пътищата за изпълними файлове на мениджъра на пакети", - "Allow custom command-line arguments": "Разрешаване на персонализирани аргументи от командния ред", - "Allow importing custom command-line arguments when importing packages from a bundle": "Разрешаване на импортиране на персонализирани аргументи от командния ред при импортиране на пакети", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Разрешаване на импортиране на персонализирани команди преди и след инсталиране при импортиране на пакети", "Allow package operations to be performed in parallel": "Позволете паралелно изпълнение на операциите с пакети", "Allow parallel installs (NOT RECOMMENDED)": "Разрешаване на паралелни инсталации (НЕ СЕ ПРЕПОРЪЧВА)", - "Allow pre-release versions": "Разрешаване на предварителни версии", "Allow {pm} operations to be performed in parallel": "Позволява паралелно изпълнение на операции {pm}", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Като алтернатива, можете да инсталирате \n{0}\nкато изпълните следната команда в командния ред на Windows PowerShell:", "Always elevate {pm} installations by default": "Винаги повишавай правата, с които се стартират инсталациите на {pm}, по подразбиране", "Always run {pm} operations with administrator rights": "Винаги изпълнявайте\nоперации {pm} с администраторски права", - "An error occurred": "Възникна грешка", - "An error occurred when adding the source: ": "Възникна грешка при добавянето на източника:", - "An error occurred when attempting to show the package with Id {0}": "Възникна грешка при опит за показване на пакета с идентификатор {0}", - "An error occurred when checking for updates: ": "Възникна грешка при проверка за актуализации:", - "An error occurred while attempting to create an installation script:": "Възникна грешка при опит за създаване на инсталационен скрипт:", - "An error occurred while loading a backup: ": "Възникна грешка при зареждане на резервното копие:", - "An error occurred while logging in: ": "Възникна грешка при влизане:", - "An error occurred while processing this package": "Грешка при обработката на този пакет", - "An error occurred:": "Възникна грешка:", - "An interal error occurred. Please view the log for further details.": "Възникна вътрешна грешка. Моля, вижте лога за повече подробности.", "An unexpected error occurred:": "Възникна неочаквана грешка:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Възникна неочакван проблем при опит за поправка на WinGet. Моля, опитайте отново по-късно.", - "An update was found!": "Намерена е актуализация!", - "Android Subsystem": "Подсистема на Android", "Another source": "Друг източник", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Всички нови преки пътища, създадени по време на инсталиране или актуализиране, ще бъдат изтрити автоматично, вместо да се показва подкана за потвърждение при първото им откриване.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Всички преки пътища, създадени или променени извън UniGetUI, ще бъдат игнорирани. Ще можете да ги добавите чрез бутона \n{0}.", - "Any unsaved changes will be lost": "Всички незапазени промени ще бъдат загубени", "App Name": "Име на приложението", - "Appearance": "Външен вид", - "Application theme, startup page, package icons, clear successful installs automatically": "Тема на приложението, начална страница, икони на пакети, автоматично изчистване на успешни инсталации", - "Application theme:": "Тема на приложението:", - "Apply": "Приложи", - "Architecture to install:": "Архитектура за инсталиране:", "Are these screenshots wron or blurry?": "Грешни или размазани са тези снимки?", - "Are you really sure you want to enable this feature?": "Наистина ли сте сигурни, че искате да активирате тази функция?", - "Are you sure you want to create a new package bundle? ": "Сигурни ли сте, че искате да създадете нов пакет?", - "Are you sure you want to delete all shortcuts?": "Сигурни ли сте, че искате да изтриете всички преки пътища?", - "Are you sure?": "Сигурни ли сте?", - "Ascendant": "Асцендент", - "Ask for administrator privileges once for each batch of operations": "Питайте за администраторски права веднъж за всяка партида от операции", "Ask for administrator rights when required": "Питай за администраторски права, когато е необходимо", "Ask once or always for administrator rights, elevate installations by default": "Питай за администраторски права само веднъж или всеки път винаги, издигай инсталациите по подразбиране", - "Ask only once for administrator privileges": "Попитайте само веднъж за администраторски права", "Ask only once for administrator privileges (not recommended)": "Питай само веднъж за администраторски привилегии (не е препоръчително)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Поискайте изтриване на преките пътища на работния плот, създадени по време на инсталиране или надстройка.", - "Attention required": "Обърнете внимание", "Authenticate to the proxy with an user and a password": "Удостоверете се пред прокси сървъра с потребителско име и парола", - "Author": "Автор", - "Automatic desktop shortcut remover": "Автоматично премахване на преки пътища от работния плот", - "Automatic updates": "Автоматични актуализации", - "Automatically save a list of all your installed packages to easily restore them.": "Автоматично запазване на списък с всички инсталирани пакети, за да ги възстановите лесно.", "Automatically save a list of your installed packages on your computer.": "Автоматично запазване на списъка на Вашите инсталирани пакети на Вашия компютър.", - "Automatically update this package": "Автоматично актуализиране на този пакет", "Autostart WingetUI in the notifications area": "Автоматично стартиране на WingetUI в зоната за известия", - "Available Updates": "Налични актуализации", "Available updates: {0}": "Налични актуализации: {0}", "Available updates: {0}, not finished yet...": "Налични актуализации: {0}, още не сме готови...", - "Backing up packages to GitHub Gist...": "Резервно копе на пакетите в GitHub Gist...", - "Backup": "Резервно копие", - "Backup Failed": "Резервнито копие е неуспешно", - "Backup Successful": "Резервнито копие е успешно", - "Backup and Restore": "Резервнито копие и възстановяване", "Backup installed packages": "Архивиране на инсталираните пакети", "Backup location": "Път на резервнито копие", - "Become a contributor": "Станете сътрудник", - "Become a translator": "Станете преводач", - "Begin the process to select a cloud backup and review which packages to restore": "Започнете процеса за избор на облачно архивиране и прегледайте кои пакети да възстановите", - "Beta features and other options that shouldn't be touched": "Бета функции и други опции, които не трябва да се пипат", - "Both": "И двата", - "Bundle security report": "Доклад за сигурността на пакета", "But here are other things you can do to learn about WingetUI even more:": "Ето какво още бихте могли да направите, за да научите повече за WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Като изключите мениджъра на пакети, вече няма да можете да виждате или актуализирате неговите пакети.", "Cache administrator rights and elevate installers by default": "Кеширай администраторските права и повишете инсталаторите по подразбиране", "Cache administrator rights, but elevate installers only when required": "Кеширане на администраторски права, но повишаване на инсталаторите само когато е необходимо", "Cache was reset successfully!": "Кеша беше нулиран успешно!", "Can't {0} {1}": "Неуспех при {0} на {1}", - "Cancel": "Отмяна", "Cancel all operations": "Отмяна на всички операции", - "Change backup output directory": "Смяна на директорията на архивното копие", - "Change default options": "Промяна на опциите по подразбиране", - "Change how UniGetUI checks and installs available updates for your packages": "Променете начина, по който UniGetUI проверява и инсталира наличните актуализации за вашите пакети", - "Change how UniGetUI handles install, update and uninstall operations.": "Променете начина, по който UniGetUI обработва операциите при инсталиране, актуализиране и деинсталиране.", "Change how UniGetUI installs packages, and checks and installs available updates": "Променете начина, по който UniGetUI инсталира пакети и проверява и инсталира наличните актуализации.", - "Change how operations request administrator rights": "Промяна на начина, по който операциите изискват администраторски права", "Change install location": "Смяна на мястото на инсталация", - "Change this": "Промени това", - "Change this and unlock": "Променете това и отключете", - "Check for package updates periodically": "Периодично проверяване за актуализации на пакети", - "Check for updates": "Проверете за актуализации", - "Check for updates every:": "Проверяване за актуализации на всеки:", "Check for updates periodically": "Периодично проверявай за актуализации.", "Check for updates regularly, and ask me what to do when updates are found.": "Редовно проверявай за актуализации и ако такива са налице, питай за последващите действия.", "Check for updates regularly, and automatically install available ones.": "Редовно проверявай за актуализации и ако такива са налице, премини към инсталирането им автоматично.", @@ -159,805 +741,283 @@ "Checking for updates...": "Проверка за актуализации...", "Checking found instace(s)...": "Проверяват се намерените инстанции...", "Choose how many operations shouls be performed in parallel": "Изберете колко операции да се извършват паралелно", - "Clear cache": "Изчистване на кеша", "Clear finished operations": "Изчистване на завършените операции", - "Clear selection": "Изчисти избора", "Clear successful operations": "Изчистване на успешни операции", - "Clear successful operations from the operation list after a 5 second delay": "Изчистване на успешни операции от списъка с операции след 5-секундно забавяне", "Clear the local icon cache": "Изчистване на локалния кеш на иконите", - "Clearing Scoop cache - WingetUI": "Изчистване на Scoop кеша - UniGetUI", "Clearing Scoop cache...": "Чистене на Scoop кеш...", - "Click here for more details": "Кликнете тук за повече подробности", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Кликнете върху „Инсталиране“, за да започнете процеса на инсталиране. Ако пропуснете инсталацията, UniGetUI може да не работи както се очаква.", - "Close": "Затвори", - "Close UniGetUI to the system tray": "Затвори UniGetUI в системния трей", "Close WingetUI to the notification area": "Прибери WingetUI в зоната за известия", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Облачното архивиране използва частен GitHub Gist, за да съхранява списък с инсталирани пакети", - "Cloud package backup": "Архивиране на пакетите в облака", "Command-line Output": "Изход от командния ред", - "Command-line to run:": "Команден ред за изпълнение:", "Compare query against": "Сравни заявката срещу", - "Compatible with authentication": "Съвместим с удостоверяване", - "Compatible with proxy": "Съвместим с прокси сървър", "Component Information": "Информация за компонентите", - "Concurrency and execution": "Паралелност и изпълнение", - "Connect the internet using a custom proxy": "Свържете се с интернет, използвайки персонализиран прокси сървър", - "Continue": "Продължи", "Contribute to the icon and screenshot repository": "Допринасяне към хранилището за икони и снимки", - "Contributors": "Сътрудници", "Copy": "Копирай", - "Copy to clipboard": "Копирай в клипбоарда", - "Could not add source": "Не можа да се добави източника", - "Could not add source {source} to {manager}": "Не можа да се добави източник {source} към {manager}", - "Could not back up packages to GitHub Gist: ": "Не можа да се създаде резервно копие на пакетите в GitHub Gist:", - "Could not create bundle": "Не можа да се създаде пакет", "Could not load announcements - ": "Не можаха да се заредят съобщенията -", "Could not load announcements - HTTP status code is $CODE": "Не можаха да се заредят съобщенията - HTTP кодът на състоянието е $CODE", - "Could not remove source": "Източникът не можа да бъде премахнат", - "Could not remove source {source} from {manager}": "Не можа да се премахне източникът {source} от {manager}", "Could not remove {source} from {manager}": "Не можа да се премахне {source} от {manager}", - "Create .ps1 script": "Създаване на .ps1 скрипт", - "Credentials": "Пълномощия", "Current Version": "Текуща версия", - "Current executable file:": "Текущ изпълним файл:", - "Current status: Not logged in": "Текущ статус: Не сте влезли", "Current user": "Текущ потребител", "Custom arguments:": "Персонализирани аргументи:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Персонализираните аргументи на командния ред могат да променят начина, по който програмите се инсталират, надграждат или деинсталират, по начин, който UniGetUI не може да контролира. Използването на персонализирани командни редове може да повреди пакетите. Действайте внимателно.", "Custom command-line arguments:": "Персонализирани аргументи на командния ред:", - "Custom install arguments:": "Аргументи за персонализирано инсталиране:", - "Custom uninstall arguments:": "Аргументи за персонализирано деинсталиране:", - "Custom update arguments:": "Аргументи за персонализирано деинсталиране:", "Customize WingetUI - for hackers and advanced users only": "Персонализирай WingetUI - само за хакери и напреднали потребители", - "DEBUG BUILD": "ОТЛАДЪЧНА КОМПИЛАЦИЯ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ОТКАЗ ОТ ОТГОВОРНОСТ: НЕ НОСИМ ОТГОВОРНОСТ ЗА ИЗТЕГЛЕНИТЕ ПАКЕТИ. МОЛЯ, УВЕРЕТЕ СЕ, ЧЕ ИНСТАЛИРАТЕ САМО ДОВЕРЕН СОФТУЕР.", - "Dark": "Тъмна", - "Decline": "Отказ", - "Default": "По подразбиране", - "Default installation options for {0} packages": "Опции за инсталиране по подразбиране за {0} пакети", "Default preferences - suitable for regular users": "Предпочитания по подразбиране - подходящо за обикновенни потребители", - "Default vcpkg triplet": "Подразбиране vcpkg triplet", - "Delete?": "Да се изтрие ли?", - "Dependencies:": "Зависимости:", - "Descendant": "Потомък", "Description:": "Описание:", - "Desktop shortcut created": "Създаден е пряк път на работния плот", - "Details of the report:": "Подробности за доклада:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Разработването е трудно и тази програма е безплатна. Но ако Ви е харесала, винаги можете да ми купите кафе :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Директно започни инсталацията, когато артикул от раздел \"{discoveryTab}\" бъде двукратно щракнат (вместо да се показва пълната информация за пакета)", "Disable new share API (port 7058)": "Изключи API за ново споделяне (порт 7058)", - "Disable the 1-minute timeout for package-related operations": "Деактивирайте 1-минутното изчакване за операции, свързани с пакети", - "Disabled": "Изключено", - "Disclaimer": "Отказ от отговорност", - "Discover Packages": "Откриване на пакети", "Discover packages": "Откриване на пакети", "Distinguish between\nuppercase and lowercase": "Разграничавай големи от малки букви", - "Distinguish between uppercase and lowercase": "Разграничавай големи от малки букви", "Do NOT check for updates": "НЕ проверявай за актуализации", "Do an interactive install for the selected packages": "Интерактивна инсталация на избраните пакети", "Do an interactive uninstall for the selected packages": "Интерактивна деинсталация на избраните пакети", "Do an interactive update for the selected packages": "Интерактивна актуализация на избраните пакети", - "Do not automatically install updates when the battery saver is on": "Не инсталирайте автоматично актуализации, когато режимът за пестене на батерията е включен", - "Do not automatically install updates when the device runs on battery": "Не инсталирайте автоматично актуализации, когато устройството работи на батерия", - "Do not automatically install updates when the network connection is metered": "Не инсталирайте автоматично актуализации, когато мрежовата връзка е с ограничено потребление", "Do not download new app translations from GitHub automatically": "Не изтегляй автоматично нови преводи на приложението от GitHub", - "Do not ignore updates for this package anymore": "Не игнорирайте повече актуализациите за този пакет", "Do not remove successful operations from the list automatically": "Не премахвайте автоматично успешните операции от списъка", - "Do not show this dialog again for {0}": "Не показвай този диалогов прозорец отново за {0}", "Do not update package indexes on launch": "Не актуализирай пакетните индекси при стартиране", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Приемате ли, че UniGetUI събира и изпраща анонимни статистически данни за употреба, с единствената цел да разбере и подобри потребителското изживяване?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Смятате ли WingetUI за полезен? Ако е възможно, може би искате да подкрепите работата ми, за да мога да продължа да правя WingetUI най-добрия интерфейс за управление на пакети.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Смятате ли WingetUI за полезен? Искате ли да подкрепите автора? Ако е така, можете да ми {0}, много помага!", - "Do you really want to reset this list? This action cannot be reverted.": "Наистина ли искате да нулирате този списък? Това действието не може да бъде отменено.", - "Do you really want to uninstall the following {0} packages?": "Наистина ли искате да деинсталирате следните {0} пакети?", "Do you really want to uninstall {0} packages?": "Сигурни ли сте, че искате да деинсталирате {0} пакети?", - "Do you really want to uninstall {0}?": "Наистина ли искате да деинсталирате {0}?", "Do you want to restart your computer now?": "Искате ли да рестартирате компютъра сега?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Искате ли да преведете WingetUI на вашия език? Вижте как да допринесете ТУК!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Не ви се дарява? Не се притеснявайте, винаги можете да споделите WingetUI с приятелите си. Разпространете информацията за WingetUI.", "Donate": "Направи дарение", - "Done!": "Готово!", - "Download failed": "Изтеглянето беше неуспешно", - "Download installer": "Изтегляне на инсталатора", - "Download operations are not affected by this setting": "Операциите за изтегляне не се влияят от тази настройка", - "Download selected installers": "Изтегляне на избрани инсталатори", - "Download succeeded": "Изтеглянето е успешно", "Download updated language files from GitHub automatically": "Автоматично изтегляне на актуализирани езикови файлове от GitHub", - "Downloading": "Изтегляне", - "Downloading backup...": "Изтегляне на резервното копие...", - "Downloading installer for {package}": "Изтегляне на инсталатора за {package}", - "Downloading package metadata...": "Изтегляне на метаданни за пакета...", - "Enable Scoop cleanup on launch": "Активиране на Scoop cleanup при стартиране", - "Enable WingetUI notifications": "Включи WingetUI известията", - "Enable an [experimental] improved WinGet troubleshooter": "Активирайте [експериментално] подобреното отстраняване на неизправности в WinGet", - "Enable and disable package managers, change default install options, etc.": "Активиране и деактивиране на мениджъри на пакети, промяна на опциите за инсталиране по подразбиране и др.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Активирайте оптимизациите за използване на процесора във фонов режим (вижте Заявка #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Активиране на фоновия API (WingetUI Widgets и Sharing, порт 7058)", - "Enable it to install packages from {pm}.": "Активирайте го, за да инсталира пакети от {pm}.", - "Enable the automatic WinGet troubleshooter": "Активирайте автоматичния инструмент за отстраняване на неизправности с WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Активирайте новия UniGetUI-Branded UAC Elevator", - "Enable the new process input handler (StdIn automated closer)": "Активиране на новия манипулатор на входни данни за процеса (автоматизиран затварящ механизъм StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Активирайте настройките по-долу, само ако напълно разбирате какво правят и какви последици могат да имат.", - "Enable {pm}": "Включи {pm}", - "Enabled": "Активирано", - "Enter proxy URL here": "Въведете URL адрес на прокси сървъра тук", - "Entries that show in RED will be IMPORTED.": "Записите, които се показват в ЧЕРВЕНО, ще бъдат ИМПОРТИРАНИ.", - "Entries that show in YELLOW will be IGNORED.": "Записите, които се показват в ЖЪЛТО, ще бъдат ИГНОРИРАНИ.", - "Error": "Грешка", - "Everything is up to date": "Всичко е актуално", - "Exact match": "Точно съвпадение", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Съществуващите преки пътища на вашия работен плот ще бъдат сканирани и ще трябва да изберете кои да запазите и кои да премахнете.", - "Expand version": "Разгъване на версията", - "Experimental settings and developer options": "Експериментални настройки и опции за разработчици", - "Export": "Експортирай", + "Downloading": "Изтегляне", + "Downloading installer for {package}": "Изтегляне на инсталатора за {package}", + "Downloading package metadata...": "Изтегляне на метаданни за пакета...", + "Enable the new UniGetUI-Branded UAC Elevator": "Активирайте новия UniGetUI-Branded UAC Elevator", + "Enable the new process input handler (StdIn automated closer)": "Активиране на новия манипулатор на входни данни за процеса (автоматизиран затварящ механизъм StdIn)", "Export log as a file": "Експортирай лога като файл", "Export packages": "Експортирай пакетите", "Export selected packages to a file": "Експортирай избраните пакети във файл", - "Export settings to a local file": "Експортирай избраните пакети в локален файл", - "Export to a file": "Експортирай във файл", - "Failed": "Неуспешно", - "Fetching available backups...": "Извличане на наличните резервни копия...", "Fetching latest announcements, please wait...": "Извличане на най-новите съобщения, моля изчакайте...", - "Filters": "Филтри", "Finish": "Завърши", - "Follow system color scheme": "Следване на цветовата схема на системата", - "Follow the default options when installing, upgrading or uninstalling this package": "Следвайте опциите по подразбиране, когато инсталирате, надграждате или деинсталирате този пакет", - "For security reasons, changing the executable file is disabled by default": "От съображения за сигурност, промяната на изпълнимия файл е деактивирана по подразбиране.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "От съображения за сигурност, персонализираните аргументи на командния ред са деактивирани по подразбиране. Отидете в настройките за сигурност на UniGetUI, за да промените това.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "От съображения за сигурност, скриптовете преди и след операцията са деактивирани по подразбиране. Отидете в настройките за сигурност на UniGetUI, за да промените това.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Принудително компилирана ARM версия на winget (САМО ЗА ARM64 СИСТЕМИ)", - "Force install location parameter when updating packages with custom locations": "Принудително задаване на параметъра за местоположение при актуализиране на пакети с персонализирани местоположения", "Formerly known as WingetUI": "Преди известен като WingetUI", "Found": "Намерени", "Found packages: ": "Намерени пакети:", "Found packages: {0}": "Намерени пакети: {0} ", "Found packages: {0}, not finished yet...": "Намерени пакети: {0}, търсенето не е приключило...", - "General preferences": "Общи настройки", "GitHub profile": "профил в GitHub", "Global": "Глобален", - "Go to UniGetUI security settings": "Отидете на настройките за сигурност на UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Чудесно хранилище на малко известни, но полезни инструменти и други интересни пакети.
Съдръжание: Инструменти, програми за командния ред, общ софтуер (изисква кофата \"extras\")", - "Great! You are on the latest version.": "Чудесно! Вие сте с най-новата версия.", - "Grid": "Решетка", - "Help": "Помощ", "Help and documentation": "Помощ и документация", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тук можете да промените поведението на UniGetUI по отношение на следните преки пътища. Отметването на пряк път ще накара UniGetUI да го изтрие, ако бъде създаден при бъдеща надстройка. Премахването на отметката ще запази прякия път непокътнат.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Здравейте, казвам се Мартѝ и съм автор на WingetUI. WingetUI е създаден изцяло в свободното ми време!", "Hide details": "Скриване на подробности", - "Homepage": "Уебсайт", - "Hooray! No updates were found.": "Ура! Няма намерени актуализации!", "How should installations that require administrator privileges be treated?": "Как да се третират инсталации, които се нуждаят от администраторски права?", - "How to add packages to a bundle": "Как да добавя пакети към пакет", - "I understand": "Разбирам", - "Icons": "Икони", - "Id": "Идентификационен номер", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ако имате активирано архивиране в облака, то ще бъде запазено като GitHub Gist файл в този акаунт.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Игнориране на персонализираните команди преди и след инсталиране при импортиране на пакети от пакет", - "Ignore future updates for this package": "Игнориране на бъдещи актуализации за този пакет", - "Ignore packages from {pm} when showing a notification about updates": "Игнориране на пакети от {pm} при показване на известие за актуализации", - "Ignore selected packages": "Игнориране на избраните пакети", - "Ignore special characters": "Игнориране на специални символи", "Ignore updates for the selected packages": "Игнориране на актуализации за избраните пакети", - "Ignore updates for this package": "Игнориране на актуализации за този пакет", "Ignored updates": "Игнорирани актуализации", - "Ignored version": "Игнорирана версия", - "Import": "Импортиране", "Import packages": "Импортиране на пакети", "Import packages from a file": "Импортиране на пакети от файл", - "Import settings from a local file": "Импортиране на настройки от локален файл", - "In order to add packages to a bundle, you will need to: ": "За да добавите пакети към пакет, ще трябва:", "Initializing WingetUI...": "Инициализиране на WingetUI...", - "Install": "Инсталиране", - "Install Scoop": "Инсталиране на Scoop", "Install and more": "Инсталиране и още", "Install and update preferences": "Инсталиране и актуализиране предпочитанията", - "Install as administrator": "Инсталиране като администратор", - "Install available updates automatically": "Автоматично инсталиране на наличните актуализации", - "Install location can't be changed for {0} packages": "Местоположението за инсталиране не може да бъде променено за {0} пакета", - "Install location:": "Място на инсталиране:", - "Install options": "Опции за инсталиране", "Install packages from a file": "Инсталиране на пакети от файл", - "Install prerelease versions of UniGetUI": "Инсталирайте предварителни версии на UniGetUI", - "Install script": "Скрипт за инсталиране", "Install selected packages": "Инсталиране на избраните пакети", "Install selected packages with administrator privileges": "Започни инсталирането на избраните пакети с администраторски права", - "Install selection": "Инсталиране на маркираните", "Install the latest prerelease version": "Инсталирайте най-новата предварителна версия", "Install updates automatically": "Автоматично инсталиране на актуализации", - "Install {0}": "Инсталиране на {0}", "Installation canceled by the user!": "Инсталацията е прекратена от потребителят!", - "Installation failed": "Инсталацията не бе успешна", - "Installation options": "Инсталационни настройки", - "Installation scope:": "Обхват на инсталацията:", - "Installation succeeded": "Инсталацията е успешна", - "Installed Packages": "Инсталирани пакети", - "Installed Version": "Инсталирана версия", "Installed packages": "Инсталирани пакети", - "Installer SHA256": "SHA256 инсталатор", - "Installer SHA512": "SHA512 инсталатор", - "Installer Type": "Тип инсталатор", - "Installer URL": "Линк към инсталатора", - "Installer not available": "Инсталатора не е наличен", "Instance {0} responded, quitting...": "Отговориха {0} инстанции, затваряне...", - "Instant search": "Незабавно търсене", - "Integrity checks can be disabled from the Experimental Settings": "Проверките за целостта могат да бъдат деактивирани от експерименталните настройки", - "Integrity checks skipped": "Пропуснати проверки за целостта", - "Integrity checks will not be performed during this operation": "Проверки за целостта няма да се извършват по време на тази операция", - "Interactive installation": "Интерактивна инсталация", - "Interactive operation": "Интерактивна инсталация", - "Interactive uninstall": "Интерактивна деинсталация", - "Interactive update": "Интерактивна актуализация", - "Internet connection settings": "Интерактивна актуализация", - "Invalid selection": "Невалиден избор", "Is this package missing the icon?": "Липсва ли иконата на този пакет?", - "Is your language missing or incomplete?": "Вашият език липсва или е непълен?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не е гарантирано, че предоставените идентификационни данни ще бъдат съхранени безопасно, така че е по-добре да не използвате идентификационните данни на банковата си сметка.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Препоръчително е да рестартирате UniGetUI след поправяне на WinGet.", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Силно се препоръчва да инсталирате UniGetUI, за да разрешите ситуацията.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Изглежда, че WinGet не работи правилно. Искате ли да опитате да го поправите?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Изглежда сте стартирали WingetUI като администратор, което не се препоръчва. Все още можете да използвате програмата, но силно препоръчваме да не стартирате WingetUI с администраторски права. Кликнете върху „{showDetails}“, за да видите защо.", - "Language": "Език", - "Language, theme and other miscellaneous preferences": "Език, тема и други предпочитания", - "Last updated:": "Последна актуализация:", - "Latest": "Последна", "Latest Version": "Последна Версия", "Latest Version:": "Последна версия:", "Latest details...": "Последни детайли...", "Launching subprocess...": "Стартиране на подпроцес...", - "Leave empty for default": "Стартиране на подпроцеса...", - "License": "Лиценз", "Licenses": "Лицензи", - "Light": "Светла", - "List": "Списък", "Live command-line output": "Резултат в конзолата", - "Live output": "Представяне на живо", "Loading UI components...": "Зареждане на компонентите от потребителския интерфейс...", "Loading WingetUI...": "Зареждане на WingetUI...", - "Loading packages": "Зареждане на пакети", - "Loading packages, please wait...": "Зареждане на пакети, моля изчакайте...", - "Loading...": "Зареждане...", - "Local": "Локален", - "Local PC": "Локален ПК", - "Local backup advanced options": "Разширени опции за локално архивиране", "Local machine": "Локална машина", - "Local package backup": "Локално архивиране на пакети", "Locating {pm}...": "Локализиране {pm}...", - "Log in": "Вход", - "Log in failed: ": "Влизането не бе успешно:", - "Log in to enable cloud backup": "Влезте, за да активирате архивирането в облака", - "Log in with GitHub": "Влезте с GitHub", - "Log in with GitHub to enable cloud package backup.": "Влезте с GitHub, за да активирате архивирането на пакети в облака.", - "Log level:": "Ниво на дневника:", - "Log out": "Изход", - "Log out failed: ": "Неуспешен изход:", - "Log out from GitHub": "Изход от GitHub", "Looking for packages...": "Търсят се пакети...", "Machine | Global": "Машина | Глобално", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправилно оформените аргументи от командния ред могат да повредят пакетите или дори да позволят на злонамерен участник да получи привилегировано изпълнение. Следователно, импортирането на персонализирани аргументи от командния ред е деактивирано по подразбиране.", - "Manage": "Управление", - "Manage UniGetUI settings": "Управление на настройките на UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Управление на автоматичното стартиране на WingetUI от настройките на приложението", "Manage ignored packages": "Управление на игнорираните пакети", - "Manage ignored updates": "Управление на игнорираните актуализации", - "Manage shortcuts": "Управление на преките пътища", - "Manage telemetry settings": "Управление на настройките на телеметрията", - "Manage {0} sources": "Управление на {0} източника", - "Manifest": "Манифест", "Manifests": "Манифести", - "Manual scan": "Ръчно сканиране", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Официалният мениждър за пакети на Microsoft. Съдържа добре известни и проверени пакети
Съдържа: общ софтуер, пакети от Microsoft Store", - "Missing dependency": "Липсва зависимост", - "More": "Още", - "More details": "Още подробности", - "More details about the shared data and how it will be processed": "Повече подробности за споделените данни и как те ще бъдат обработвани", - "More info": "Повече информация", - "More than 1 package was selected": "Избран е повече от 1 пакет", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ЗАБЕЛЕЖКА: Този инструмент за отстраняване на неизправности може да бъде деактивиран от настройките на UniGetUI, в секцията WinGet", - "Name": "Име", - "New": "Нов", "New Version": "Нова Версия", "New bundle": "Нов пакет", - "New version": "Нова версия", - "Nice! Backups will be uploaded to a private gist on your account": "Чудесно! Резервните копия ще бъдат качени в частен gist във вашия акаунт.", - "No": "Не", - "No applicable installer was found for the package {0}": "Не е намерен подходящ инсталатор за пакета {0}", - "No dependencies specified": "Няма посочени зависимости", - "No new shortcuts were found during the scan.": "По време на сканирането не бяха открити нови преки пътища.", - "No package was selected": "Не е избран пакет", "No packages found": "Няма намерени пакети", "No packages found matching the input criteria": "Няма намерени пакети, отговарящи на въведените критерии", "No packages have been added yet": "Все още не са добавени пакети", "No packages selected": "Не са избрани пакети", - "No packages were found": "Не бяха намерени пакети", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Не се събира и не се изпраща лична информация, а събраните данни са анонимизирани, така че не могат да бъдат проследени обратно до вас.", - "No results were found matching the input criteria": "Не бяха намерени резултати, съответстващи на въведените критерии", "No sources found": "Не са намерени източници", "No sources were found": "Не бяха намерени източници", "No updates are available": "Няма налични актуализации", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Мениджърът на пакети на Node JS. Е пълен с библиотеки и други помощни програми, които обикалят света на JavaScript.
Съдържа: Библиотеки на Node JavaScript и други свързани помощни програми", - "Not available": "Не е наличен", - "Not finding the file you are looking for? Make sure it has been added to path.": "Не намирате файла, който търсите? Уверете се, че е добавен към пътя.", - "Not found": "Не е намерен", - "Not right now": "Не точно сега", "Notes:": "Бележки:", - "Notification preferences": "Предпочитания за известия", "Notification tray options": "Настройки на таблата за известия", - "Notification types": "Видове известия", - "NuPkg (zipped manifest)": "NuPkg (компактен манифест)", - "OK": "ОК", "Ok": "Ок", - "Open": "Отвори", "Open GitHub": "Отвори GitHub", - "Open UniGetUI": "Отвори UniGetUI", - "Open UniGetUI security settings": "Отворете настройките за сигурност на UniGetUI", "Open WingetUI": "Отвори UniGetUI", "Open backup location": "Отваряне на мястото на архивното копие", "Open existing bundle": "Отваряне на съществуващ пакет", - "Open install location": "Отваряне на мястото за инсталиране", "Open the welcome wizard": "Отваряне на съветника за добре дошли", - "Operation canceled by user": "Операцията е прекъсната от потребителя", "Operation cancelled": "Операцията е прекъсната", - "Operation history": "История на операциите", - "Operation in progress": "Изпълнява се операция", - "Operation on queue (position {0})...": "Операция на опашката (позиция {0})...", - "Operation profile:": "Профил на операцията:", "Options saved": "Настройките са запазени", - "Order by:": "Подреди по:", - "Other": "Друго", - "Other settings": "Други настройки", - "Package": "Пакет", - "Package Bundles": "Пакетирани пакети", - "Package ID": "ID на пакета", "Package Manager": "Мениджър на пакети", - "Package Manager logs": "Дневник на мениджърът на пакети", - "Package Managers": "Мениджъри на пакети", - "Package Name": "Име на пакета", - "Package backup": "Архивиране на пакета", - "Package backup settings": "Настройки за архивиране на пакети", - "Package bundle": "Пакетиране на пакет", - "Package details": "Подробности за пакета", - "Package lists": "Списъци с пакети", - "Package management made easy": "Управлението на пакети е лесно", - "Package manager": "Мениджър на пакети", - "Package manager preferences": "Настройки на мениджърът на пакети", "Package managers": "Мениджъри на пакети", - "Package not found": "Пакета не е намерен", - "Package operation preferences": "Предпочитания за работа с пакети", - "Package update preferences": "Предпочитания за актуализиране на пакети", "Package {name} from {manager}": "Пакет {name} от {manager}", - "Package's default": "Пакет по подразбиране", "Packages": "Пакети", "Packages found: {0}": "Намерени пакети: {0}", - "Partially": "Частично", - "Password": "Парола", "Paste a valid URL to the database": "Поставете валиден адрес (URL) на базата данни", - "Pause updates for": "Пауза на актуализациите за", "Perform a backup now": "Направете резервно копие сега", - "Perform a cloud backup now": "Направете архивиране в облака сега", - "Perform a local backup now": "Извършете локално архивиране сега", - "Perform integrity checks at startup": "Извършвайте проверка за целостта при стартиране", - "Performing backup, please wait...": "Извършва се архивиране, моля изчакайте...", "Periodically perform a backup of the installed packages": "Периодично правете резервно копие на инсталираните пакети", - "Periodically perform a cloud backup of the installed packages": "Периодично правете облачно архивиране на инсталираните пакети", - "Periodically perform a local backup of the installed packages": "Периодично правете локално архивиране на инсталираните пакети", - "Please check the installation options for this package and try again": "Моля, проверете опциите за инсталиране на този пакет и опитайте отново.", - "Please click on \"Continue\" to continue": "Моля, кликнете върху „Продължи“, за да продължите", "Please enter at least 3 characters": "Моля, въведете поне 3 символа", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Моля, имайте предвид, че някои пакети може да не могат да се инсталират поради мениджърите на пакети, които са активирани на тази машина.", - "Please note that not all package managers may fully support this feature": "Моля, обърнете внимание, че не всички мениджъри на пакети може да поддържат напълно тази функция", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Моля, обърнете внимание, че пакетите от определени източници може да не са експортируеми. Те са оцветени в сиво и няма да бъдат експортирани.", - "Please run UniGetUI as a regular user and try again.": "Моля, стартирайте UniGetUI като обикновен потребител и опитайте отново.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Моля, вижте изхода от командния ред или вижте историята на операциите за допълнителна информация относно проблема.", "Please select how you want to configure WingetUI": "Моля, изберете как искате да конфигурирате WingetUI", - "Please try again later": "Опитайте отново по-късно", "Please type at least two characters": "Моля, въведете поне 2 знака", - "Please wait": "Моля, изчкайте", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Моля, изчакайте, докато {0} се инсталира. Може да се появи черен прозорец. Моля, изчакайте, докато се затвори.", - "Please wait...": "Моля изчакайте...", "Portable": "Преносим", - "Portable mode": "Преносим режим", - "Post-install command:": "Команда след инсталиране:", - "Post-uninstall command:": "Команда след деинсталиране:", - "Post-update command:": "Команда след актуализация:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Мениджърът на пакети на PowerShell. Намерете библиотеки и скриптове за разширяване на възможностите на PowerShell
Съдържа: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Командите преди и след инсталирането могат да причинят много неприятни неща на вашето устройство, ако са предназначени за това. Може да бъде много опасно да импортирате командите от пакет, освен ако не се доверявате на източника на този пакет.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Командите преди и след инсталирането ще се изпълняват преди и след инсталирането, надграждането или деинсталирането на пакет. Имайте предвид, че те могат да повредят системата, ако не се използват внимателно.", - "Pre-install command:": "Команда за предварителна инсталация:", - "Pre-uninstall command:": "Команда за предварителна деинсталация:", - "Pre-update command:": "Команда за предварителна актуализация:", - "PreRelease": "Ранно издаване", - "Preparing packages, please wait...": "Подготвяме пакетите, моля изчакайте...", - "Proceed at your own risk.": "Продължете на свой собствен риск.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забранете всякакъв вид актуализации чрез UniGetUI Elevator или GSudo", - "Proxy URL": "URL адрес на прокси сървър", - "Proxy compatibility table": "Таблица за съвместимост на прокси сървъри", - "Proxy settings": "Настройки на прокси сървъра", - "Proxy settings, etc.": "Настройки на прокси сървъра и др.", "Publication date:": "Дата на публикация:", - "Publisher": "Издател", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Мениджър на библиотеки за Python. Съдържа библиотеки за Python и други инструменти, свързани с Python.
Съдържа: библиотеки за Python и свързану инструменти", - "Quit": "Изход", "Quit WingetUI": "Изход от WingetUI", - "Ready": "Готов", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Намалете UAC подканите, повишете инсталациите по подразбиране, отключете определени опасни функции и др.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Вижте лог файловете на UniGetUI, за да получите повече подробности относно засегнатите файлове.", - "Reinstall": "Преинсталирайте", - "Reinstall package": "Преинсталиране на пакет", - "Related settings": "Свързани настройки", - "Release notes": "Бележки към изданието", - "Release notes URL": "Бележки за изданието на URL адрес", "Release notes URL:": "URL адрес на бележките за изданието:", "Release notes:": "Бележки към версията:", "Reload": "Презареждане", - "Reload log": "Презареждане на лога", "Removal failed": "Премахването не беше успешно", "Removal succeeded": "Премахването успешно", - "Remove from list": "Премахване от списъка", "Remove permanent data": "Премахване на постоянните данни", - "Remove selection from bundle": "Премахване на селекцията от пакета", "Remove successful installs/uninstalls/updates from the installation list": "Премахване на успешните инсталации/деинсталации/актуализации от списъка за инсталиране", - "Removing source {source}": "Премахване на източника {source}", - "Removing source {source} from {manager}": "Премахване на източника {source} от {manager}", - "Repair UniGetUI": "Поправка на UniGetUI", - "Repair WinGet": "Поправка на WinGet", - "Report an issue or submit a feature request": "Съобщете за проблем или изпратете заявка за функция", "Repository": "Хранилище", - "Reset": "Нулиране", "Reset Scoop's global app cache": "Нулиране на общия кеш на Scoop за приложения", - "Reset UniGetUI": "Нулиране на UniGetUI", - "Reset WinGet": "Нулиране на WinGet", "Reset Winget sources (might help if no packages are listed)": "Нулиране на източниците на Winget (може да помогне, ако няма показани пакети)", - "Reset WingetUI": "Нулиране на WingetUI", "Reset WingetUI and its preferences": "Нулиране на WingetUI и неговите настройки", "Reset WingetUI icon and screenshot cache": "Нулиране на кеша на WingetUI за иконки и екранни снимки", - "Reset list": "Нулиране на списъка", "Resetting Winget sources - WingetUI": "Нулиране на източниците на Winget - WingetUI", - "Restart": "Рестартиране", - "Restart UniGetUI": "Рестартирай UniGetUI", - "Restart WingetUI": "Рестартиране на WingetUI", - "Restart WingetUI to fully apply changes": "Рестартирайте WingetUI, за да приложите промените напълно", - "Restart later": "Да се рестартира по-късно", "Restart now": "Да се рестартира сега", - "Restart required": "Нужно е рестрартиране", - "Restart your PC to finish installation": "Моля, рестарартирайте компютър си, за завършите инсталацията", - "Restart your computer to finish the installation": "Моля, рестарартирайте компютър си, за завършите инсталацията", - "Restore a backup from the cloud": "Възстановяване на резервно копие от облака", - "Restrictions on package managers": "Ограничения за мениджърите на пакети", - "Restrictions on package operations": "Ограничения върху операциите с пакети", - "Restrictions when importing package bundles": "Ограничения при импортиране на пакети", - "Retry": "Нов опит", - "Retry as administrator": "Опитай отново като администратор", - "Retry failed operations": "Повторния опит за операциии е неуспешен", - "Retry interactively": "Опитайте отново интерактивно", - "Retry skipping integrity checks": "Опитайте да пропуснете проверките за целостта", - "Retrying, please wait...": "Повторен опит, моля изчакайте...", - "Return to top": "Връщане горе", - "Run": "Стартирай", - "Run as admin": "Стартиране като администратор", - "Run cleanup and clear cache": "Изпълнете почистване и изчистете кеша", - "Run last": "Стартирай последния", - "Run next": "Стартирай следващия", - "Run now": "Стартирай сега", + "Restart your PC to finish installation": "Моля, рестарартирайте компютър си, за завършите инсталацията", + "Restart your computer to finish the installation": "Моля, рестарартирайте компютър си, за завършите инсталацията", + "Retry failed operations": "Повторния опит за операциии е неуспешен", + "Retrying, please wait...": "Повторен опит, моля изчакайте...", + "Return to top": "Връщане горе", "Running the installer...": "Стартиране на инсталатора...", "Running the uninstaller...": "Стартиране на деинсталатора...", "Running the updater...": "Стартиране на актуализатора...", - "Save": "Запази", "Save File": "Запазване на файла", - "Save and close": "Запази и затвори", - "Save as": "Запази като", "Save bundle as": "Запазване на пакета като", "Save now": "Запазване сега", - "Saving packages, please wait...": "Запазване на пакетите, моля изчакайте...", - "Scoop Installer - WingetUI": "Scoop инсталатор - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop деинсталатор - WingetUI", - "Scoop package": "Пакет на Scoop", "Search": "Търсене", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Потърсете за десктоп софтуер, предупреждавайте ме, когато са налични актуализации и не правете глупави неща. Не искам WingetUI да е прекалено усложняващ, просто искам прост магазин за софтуер.", - "Search for packages": "Търсене на пакети", - "Search for packages to start": "За да започнете, потърсете пакети", - "Search mode": "Режим на търсене", "Search on available updates": "Търсене в намерените актуализации", "Search on your software": "Търсене във вашия софтуер", "Searching for installed packages...": "Търсене на инсталирани пакети...", "Searching for packages...": "Търсене на пакети...", "Searching for updates...": "Търсене на актуализации...", - "Select": "Избор", "Select \"{item}\" to add your custom bucket": "Изберете „{item}“, за да добавите персонализирана кофа", "Select a folder": "Избиране на папка", - "Select all": "Маркиране на всички", "Select all packages": "Избор на всички пакети", - "Select backup": "Изберете архив", "Select only if you know what you are doing.": "Изберете, .", "Select package file": "Избиране на пакетен файл", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Изберете резервното копие, което искате да отворите. По-късно ще можете да прегледате кои пакети искате да инсталирате.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Изберете изпълним файл, който ще се използва. Следният списък показва изпълнимите файлове, намерени от UniGetUI.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Изберете процесите, които трябва да бъдат затворени, преди този пакет да бъде инсталиран, актуализиран или деинсталиран.", - "Select the source you want to add:": "Изберете източника, който искате да добавите:", - "Select upgradable packages by default": "Избиране на надграждаеми пакети по подразбиране", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Изберете кои мениджъри на пакети да се използват ({0}), конфигурирайте как да се инсталират пакетите, управлявайте използването на администраторските права и т.н.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Изпратен е handshake сигнал. Изчаква се отговор... ({0}%)", - "Set a custom backup file name": "Задаване на персонализирано име на архивния файл", "Set custom backup file name": "Персонализирано име на архивния файл", - "Settings": "Настройки", - "Share": "Споделяне", "Share WingetUI": "Споделяне на WingetUI", - "Share anonymous usage data": "Споделяне на анонимни данни за употреба", - "Share this package": "Споделяне на този пакет", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ако промените настройките за сигурност, ще трябва да отворите пакета отново, за да влязат в сила промените.", "Show UniGetUI on the system tray": "Показване на UniGetUI в системния трей", - "Show UniGetUI's version and build number on the titlebar.": "Показване на версията и номера на компилацията на UniGetUI в заглавната лента.", - "Show WingetUI": "Показване на WingetUI", "Show a notification when an installation fails": "Показване на съобщение при провал на инсталция", "Show a notification when an installation finishes successfully": "Показване на съобщение при успешна инсталация", - "Show a notification when an operation fails": "Показване на известие при неуспешна операция", - "Show a notification when an operation finishes successfully": "Показване на известие при успешно завършване на операция", - "Show a notification when there are available updates": "Показване на известие при наличие на актуализации", - "Show a silent notification when an operation is running": "Показване на тихо известие, когато се изпълнява операция", "Show details": "Показване на детайли", - "Show in explorer": "Показване в експлорър", "Show info about the package on the Updates tab": "Показване на информация за пакета в раздела Актуализации", "Show missing translation strings": "Показване на липсващи преводи", - "Show notifications on different events": "Показване на известия за различни събития", "Show package details": "Показване на подробности за пакет", - "Show package icons on package lists": "Показване на икони в списъците с пакети", - "Show similar packages": "Показване на подобни пакети", "Show the live output": "Показване на резултата в реално време", - "Size": "Размер", "Skip": "Пропускане", - "Skip hash check": "Пропускане проверката на хеша", - "Skip hash checks": "Пропускане на проверките за хеш", - "Skip integrity checks": "Пропускане на проверките за цялостност", - "Skip minor updates for this package": "Пропускане на малки актуализации за този пакет", "Skip the hash check when installing the selected packages": "Пропускане на проверката на хеша при инсталиране на избраните пакети", "Skip the hash check when updating the selected packages": "Пропускане на проверката на хеша при актуализация на избраните пакети", - "Skip this version": "Пропускане на тази версия", - "Software Updates": "Софтуерни актуализации", - "Something went wrong": "Нещо се обърка", - "Something went wrong while launching the updater.": "Нещо се обърка при стартирането на програмата за актуализиране.", - "Source": "Източник", - "Source URL:": "URL на източника:", - "Source added successfully": "Източника беше добавен успешно", "Source addition failed": "Добавянето на източника се провали", - "Source name:": "Име на източника:", "Source removal failed": "Премахването на източника не бе успешно", - "Source removed successfully": "Източникът е премахнат успешно", "Source:": "Източник:", - "Sources": "Източници", "Start": "Начало", "Starting daemons...": "Стартиране на нишки...", - "Starting operation...": "Стартиране на операцията...", "Startup options": "Настройки при стартиране", "Status": "Статус", "Stuck here? Skip initialization": "Заседнали сте тук? Пропуснете инициализацията", - "Success!": "Успешно!", "Suport the developer": "Подкрепете разработчика", "Support me": "Подкрепете ме", "Support the developer": "Подкрепете разработчика", "Systems are now ready to go!": "Системите вече са готови за работа!", - "Telemetry": "Телеметрия", - "Text": "Текст", "Text file": "Текстов файл", - "Thank you ❤": "Благодаря ❤", - "Thank you \uD83D\uDE09": "Благодаря \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Мениджърът на пакети Rust.
Съдържа: Rust библиотеки и програми, написани на Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Резервното копие НЯМА да включва двоичен файл, нито запазени данни на която и да е програма.", - "The backup will be performed after login.": "Архивирането ще се извърши след влизане в системата.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Архивирането ще включва пълния списък с инсталираните пакети и техните опции за инсталиране. Игнорираните актуализации и пропуснатите версии също ще бъдат запазени.", - "The bundle was created successfully on {0}": "Пакетът е създаден успешно на {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Пакетът, който се опитвате да заредите, изглежда е невалиден. Моля, проверете файла и опитайте отново.", + "Thank you 😉": "Благодаря 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Контролната сума на инсталатора не съвпада с очакваната стойност и автентичността на инсталатора не може да бъде проверена. Ако имате доверие на издателя, {0} пакетът отново пропуска проверката на хеша.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Оригиналния мениджър за пакети за Windows. Има всичко.
Съдържа: Общ софтуер", - "The cloud backup completed successfully.": "Архивирането в облака завърши успешно.", - "The cloud backup has been loaded successfully.": "Архивирането в облака е заредено успешно.", - "The current bundle has no packages. Add some packages to get started": "Текущият пакет няма пакети. Добавете няколко пакета, за да започнете.", - "The executable file for {0} was not found": "Изпълнимият файл за {0} не е намерен", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следните опции ще се прилагат по подразбиране всеки път, когато {0} пакет бъде инсталиран, надстроен или деинсталиран.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Следните пакети ще бъдат експортирани в JSON файл. Няма да бъдат запазени потребителски данни или двоични файлове.", "The following packages are going to be installed on your system.": "Следните пакети ще бъдат инсталирани на Вашата система.", - "The following settings may pose a security risk, hence they are disabled by default.": "Следните настройки могат да представляват риск за сигурността, поради което са деактивирани по подразбиране.", - "The following settings will be applied each time this package is installed, updated or removed.": "Следните настройки ще се прилагат всеки път, когато този пакет бъде инсталиран, актуализиран или премахнат.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Следните настройки ще се прилагат всеки път, когато този пакет бъде инсталиран, актуализиран или премахнат. Те ще бъдат запазени автоматично.", "The icons and screenshots are maintained by users like you!": "Иконите и снимките се поддържат от потребители като вас!", - "The installation script saved to {0}": "Инсталационният скрипт е запазен в {0}", - "The installer authenticity could not be verified.": "Автентичността на инсталатора не можа да бъде потвърдена.", "The installer has an invalid checksum": "Инсталаторът има невалидна контролна сума.", "The installer hash does not match the expected value.": "Хешът на инсталатора не съответства на очакваната стойност.", - "The local icon cache currently takes {0} MB": "Локалният кеш на иконите в момента заема {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Основната цел на този проект е да създаде интуитивен потребителски интерфейс за най-разпространените конзолни мениджъри на пакети за Windows, като Winget и Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакетът „{0}“ не е намерен в мениджъра на пакети „{1}“", - "The package bundle could not be created due to an error.": "Пакетът не можа да бъде създаден поради грешка.", - "The package bundle is not valid": "Пакетът не е валиден", - "The package manager \"{0}\" is disabled": "Мениджърът на пакети „{0}“ е деактивиран", - "The package manager \"{0}\" was not found": "Мениджърът на пакети „{0}“ не е намерен", "The package {0} from {1} was not found.": "Пакетът {0} от {1} не беше намерен.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакетите, изброени тук, няма да бъдат взети предвид при проверката за актуализации. Щракнете двукратно върху тях или щракнете върху бутона отдясно, за да спрете игнорирането на техните актуализации.", "The selected packages have been blacklisted": "Избраните пакети са включени в забранения списък", - "The settings will list, in their descriptions, the potential security issues they may have.": "В описанията на настройките ще бъдат изброени потенциалните проблеми със сигурността, които може да имат.", - "The size of the backup is estimated to be less than 1MB.": "Размерът на архивното копие се оценява да е под 1MB.", - "The source {source} was added to {manager} successfully": "Източникът {source} беше успешно добавен към {manager}", - "The source {source} was removed from {manager} successfully": "Източникът {source} беше успешно премахнат от {manager}", - "The system tray icon must be enabled in order for notifications to work": "Иконата в системния трей трябва да е активирана, за да работят известията", - "The update process has been aborted.": "Процесът на актуализиране беше прекъснат.", - "The update process will start after closing UniGetUI": "Процесът на актуализиране ще започне след затваряне на UniGetUI", "The update will be installed upon closing WingetUI": "Актуализацията ще бъде инсталирана след затваряне на WingetUI.", "The update will not continue.": "Актуализацията няма да продължи.", "The user has canceled {0}, that was a requirement for {1} to be run": "Потребителят е отменил {0}, което беше изискване за изпълнението на {1}", - "There are no new UniGetUI versions to be installed": "Няма нови версии на UniGetUI за инсталиране", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Има текущи операции. Излизането от WingetUI може да доведе до неуспех. Искате ли да продължите?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "В YouTube има страхотни видеоклипове, които показват WingetUI и неговите възможности. Можете да научите полезни трикове и съвети!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Има две основни причини да не стартирате WingetUI като администратор: Първата е, че мениджърът на пакети Scoop може да причини проблеми с някои команди, когато се изпълнява с администраторски права. Второто е, че стартирането на WingetUI като администратор означава, че всеки пакет, който изтеглите, ще се изпълнява като администратор (това не е безопасно). Не забравяйте, че ако трябва да инсталирате конкретен пакет като администратор, винаги можете да щракнете с десния бутон върху него -> Инсталиране/Актуализиране/Деинсталиране като администратор.", - "There is an error with the configuration of the package manager \"{0}\"": "Възникна грешка в конфигурацията на мениджъра на пакети „{0}“", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "В процес е инсталиране. Ако затворите WingetUI, инсталирането може да се провали и да доведе до неочаквани резултати. Все още ли искате да излезете от WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "Те са програми, които инсталират, актуализират и премахват пакети.", - "Third-party licenses": "Лицензи на трети страни", "This could represent a security risk.": "Това може да е риск за сигурността.", - "This is not recommended.": "Това не се препоръчва.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Това вероятно се дължи на факта, че пакетът, който ви е изпратен, е бил премахнат или публикуван в мениджър на пакети, който не сте активирали. Полученият идентификатор е {0}", "This is the default choice.": "Тов а е избора по подразбиране.", - "This may help if WinGet packages are not shown": "Това може да помогне, ако пакетите на WinGet не се показват", - "This may help if no packages are listed": "Това може да помогне, ако не са изброени пакети", - "This may take a minute or two": "Това може да отнеме една, две минути", - "This operation is running interactively.": "Тази операция се изпълнява интерактивно.", - "This operation is running with administrator privileges.": "Тази операция се изпълнява с администраторски права.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Тази опция ЩЕ причини проблеми. Всяка операция, която не може да се издигне, ЩЕ СЕ ПРОВАЛИ. Инсталирането/актуализирането/деинсталирането като администратор НЯМА да работи.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Този пакет има някои настройки, които са потенциално опасни и могат да бъдат игнорирани по подразбиране.", "This package can be updated": "Този пакет може да се актуализира", "This package can be updated to version {0}": "Този пакет може да бъде актуализиран до версия {0}", - "This package can be upgraded to version {0}": "Този пакет може да бъде надстроен до версия {0}", - "This package cannot be installed from an elevated context.": "Този пакет не може да бъде инсталиран от повишен контекст.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Този пакет няма скрийншотове или липсва иконата? Допринесете за WingetUI, като добавите липсващите икони и скрийншотове към нашата отворена, публична база данни.", - "This package is already installed": "Този пакет е вече инсталиран", - "This package is being processed": "Този пакет се обработва", - "This package is not available": "Този пакет не е наличен", - "This package is on the queue": "Този пакет е в опашката", "This process is running with administrator privileges": "Този процес се изпълнява с администраторски права", - "This project has no connection with the official {0} project — it's completely unofficial.": "Този проект няма връзка с официалния проект {0} — той е напълно неофициален.", "This setting is disabled": "Тази настройка е изключена", "This wizard will help you configure and customize WingetUI!": "Този съветник ще ви помогне да конфигурирате и персонализирате WingetUI!", "Toggle search filters pane": "Превключване на панела с филтри за търсене", - "Translators": "Преводачи", - "Try to kill the processes that refuse to close when requested to": "Опитайте се да прекратите процесите, които отказват да се затворят, когато бъдат поискани", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Включването на това позволява промяна на изпълнимия файл, използван за взаимодействие с мениджърите на пакети. Въпреки че това позволява по-фина персонализация на инсталационните процеси, може да бъде и опасно", "Type here the name and the URL of the source you want to add, separed by a space.": "Въведете тук името и URL адреса на източника, който искате да добавите, разделени с интервал.", "Unable to find package": "Не може да се намери пакет", "Unable to load informarion": "Не може да се зареди информация", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI събира анонимни данни за употреба, за да подобри потребителското изживяване.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI събира анонимни данни за употреба с единствената цел да разбере и подобри потребителското изживяване.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI откри нов пряк път на работния плот, който може да бъде изтрит автоматично.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI откри нов пряк път на работния плот, който може да бъде изтрит автоматично.", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI откри {0} нови преки пътища на работния плот, които могат да бъдат изтрити автоматично.", - "UniGetUI is being updated...": "UniGetUI се актуализира...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не е свързан с никой от съвместимите мениджъри на пакети. UniGetUI е независим проект.", - "UniGetUI on the background and system tray": "UniGetUI във фонов режим и системна област", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или някои от неговите компоненти липсват или са повредени.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI изисква {0}, за да работи, но не е намерен във вашата система.", - "UniGetUI startup page:": "Стартова страница на UniGetUI:", - "UniGetUI updater": "Актуализация на UniGetUI", - "UniGetUI version {0} is being downloaded.": "UniGetUI версия {0} се изтегля.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} е готов за инсталиране.", - "Uninstall": "Деинсталиране", - "Uninstall Scoop (and its packages)": "Деинсталиране на Scoop (и неговите пакети)", "Uninstall and more": "Деинсталиране и др.", - "Uninstall and remove data": "Деинсталиране и премахване на данните", - "Uninstall as administrator": "Деинсталиране като администратор", "Uninstall canceled by the user!": "Деинсталацията е отменена от потребителя!", - "Uninstall failed": "Неуспешно деинсталиране", - "Uninstall options": "Опции за деинсталиране", - "Uninstall package": "Деинсталиране на пакета", - "Uninstall package, then reinstall it": "Деинсталиране на пакета, и тогава инсталиране наново", - "Uninstall package, then update it": "Деинсталиране на пакета, и тогава актуализиция", - "Uninstall previous versions when updated": "Деинсталирайте предишни версии, когато актуализирате", - "Uninstall selected packages": "Деинсталиране на избраните пакети", - "Uninstall selection": "Деинсталиране на избраното", - "Uninstall succeeded": "Деинсталирането е успешно", "Uninstall the selected packages with administrator privileges": "Деинсталиране на избраните пакети с администраторски права", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Деинсталируемите пакети с посочен произход като „{0}“ не са публикувани в никой мениджър на пакети, така че няма налична информация за тях.", - "Unknown": "Неизвестна", - "Unknown size": "Неизвестен размер", - "Unset or unknown": "Незададено или неизвестно", - "Up to date": "Актуално", - "Update": "Актуализиране", - "Update WingetUI automatically": "Автоматично актуализиране на WingetUI", - "Update all": "Актуализиране на всички", "Update and more": "Актуализация и още", - "Update as administrator": "Актуализиране като администратор", - "Update check frequency, automatically install updates, etc.": "Честота на проверка на актуализациите, автоматично инсталиране на актуализации и др.", - "Update checking": "Проверка за актуализации", "Update date": "Дата на актуализиране", - "Update failed": "Актуализацията е неуспешна", "Update found!": "Намерена е актуализация!", - "Update now": "Актуализирай сега", - "Update options": "Опции за актуализиране", "Update package indexes on launch": "Актуализиране на индексите на пакетите при стартиране", "Update packages automatically": "Автоматично актуализиране на пакети", "Update selected packages": "Актуализиране на избраните пакети", "Update selected packages with administrator privileges": "Актуализирайте избраните пакети с администраторски права", - "Update selection": "Актуализация за на селектираните", - "Update succeeded": "Актуализацията е успешна", - "Update to version {0}": "Актуализиране до версия {0}", - "Update to {0} available": "Налична е актуализация до {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Автоматично актуализиране на Git portfiles на vcpkg (изисква инсталиран Git)\n", "Updates": "Актуализации", "Updates available!": "Има актуализации!", - "Updates for this package are ignored": "Актуализациите за този пакет се игнорират", - "Updates found!": "Намерени са актуализации!", "Updates preferences": "Предпочитания за актуализиране", "Updating WingetUI": "Актуализиране на WingetUI", "Url": "URL адрес", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Използвайте стария пакет WinGet вместо PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Използвайте персонализирана икона и URL адрес за базата данни за екранни снимки", "Use bundled WinGet instead of PowerShell CMDlets": "Използвайте пакетен WinGet вместо PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Използвайте пакетния WinGet вместо системния WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Използвайте инсталиран GSudo вместо UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Използвайте инсталирания GSudo вместо включения в пакета", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Използване на остарялата версия на UniGetUI Elevator (деактивиране на поддръжката на AdminByRequest)", - "Use system Chocolatey": "Използвайте системата Chocolatey", "Use system Chocolatey (Needs a restart)": "Използвайте системата Chocolatey (необходимо е рестартиране)", "Use system Winget (Needs a restart)": "Използване на системния Winget (изисква рестартиране)", "Use system Winget (System language must be set to english)": "Използвайте системата Winget (езикът на системата трябва да е английски)", "Use the WinGet COM API to fetch packages": "Използвайте WinGet COM API за извличане на пакети", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Използвайте WinGet PowerShell модула вместо WinGet COM API", - "Useful links": "Полезни връзки", "User": "Потребител", - "User interface preferences": "Настройки на потребителския интерфейс", "User | Local": "Потребител | Локален", - "Username": "Потребителско име", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Използването на WingetUI предполага приемането на лиценза GNU Lesser General Public License v2.1.", - "Using WingetUI implies the acceptation of the MIT License": "Използването на WingetUI предполага приемането на лиценза на MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Коренът на Vcpkg не е намерен. Моля, дефинирайте променливата на средата %VCPKG_ROOT% или я дефинирайте от настройките на UniGetUI.", "Vcpkg was not found on your system.": "Vcpkg не беше намерен на вашата система.", - "Verbose": "Подробно", - "Version": "Версия", - "Version to install:": "Версия за инсталиране:", - "Version:": "Версия:", - "View GitHub Profile": "Преглед на профила в GitHub", "View WingetUI on GitHub": "Посетете страницата на WingetUI в GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Вижте изходния код на WingetUI. Оттам можете да съобщавате за грешки, да предлагате функции или дори да допринасяте директно за проекта WingetUI.", - "View mode:": "Режим на преглед:", - "View on UniGetUI": "Преглед в UniGetUI", - "View page on browser": "Отваряне на страницата в браузър", - "View {0} logs": "Преглед на {0} лог файлове", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Изчакайте устройството да се свърже с интернет, преди да се опитате да извършите задачи, които изискват интернет връзка.", "Waiting for other installations to finish...": "Изчаква се завършването на другите инсталации...", "Waiting for {0} to complete...": "Чака се завършването на {0}...", - "Warning": "Внимание", - "Warning!": "Внимание!", - "We are checking for updates.": "Проверяваме за актуализации.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Не успяхме да заредим подробна информация за този пакет, защото не беше намерен в нито един от източниците на вашите пакети.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Не успяхме да заредим подробна информация за този пакет, защото не е инсталиран от наличен мениджър на пакети.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Не успяхме да {action} {package}. Моля, опитайте отново по-късно. Кликнете върху „{showDetails}“, за да получите лог файловете от инсталатора.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Не успяхме да {action} {package}. Моля, опитайте отново по-късно. Кликнете върху „{showDetails}“, за да получите лог файловете от инсталатора.", "We couldn't find any package": "Не успяхме да намерим никакъв пакет", "Welcome to WingetUI": "Добре дошли в WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "При пакетно инсталиране на пакети, инсталирайте също и пакети, които вече са инсталирани", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Когато бъдат открити нови преки пътища, те да се изтриват автоматично, вместо да се показва този диалогов прозорец.", - "Which backup do you want to open?": "Кой резервен файл искате да отворите?", "Which package managers do you want to use?": "Кои мениджъри за пакети искате да използвате?", "Which source do you want to add?": "Кой източник искате да добавите?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Въпреки че Winget може да се използва в рамките на WingetUI, WingetUI може да се използва и с други мениджъри на пакети, което може да е объркващо. В миналото WingetUI беше проектиран да работи само с Winget, но това вече не е така и следователно WingetUI не представлява това, което този проект се стреми да стане.", - "WinGet could not be repaired": "WinGet не можа да бъде поправен", - "WinGet malfunction detected": "Открита е неизправност в WinGet", - "WinGet was repaired successfully": "WinGet беше поправен успешно", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Всичко е актуално", "WingetUI - {0} updates are available": "WingetUI - налични са {0} актуализации", "WingetUI - {0} {1}": "WingetUI - {1} на {0}", - "WingetUI Homepage": "Начална страница на WingetUI", "WingetUI Homepage - Share this link!": "Начална страница на WingetUI - Споделете тази връзка!", - "WingetUI License": "Лиценз на WingetUI", - "WingetUI Log": "Дневник на WingetUI", - "WingetUI Repository": "Хранилище на WingetUI", - "WingetUI Settings": "WingetUI настройки", "WingetUI Settings File": "Файл с настройки на WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI използва следните библиотеки. Без тях WingetUI нямаше да е възможен.", - "WingetUI Version {0}": "Версия на WingetUI {0}", "WingetUI autostart behaviour, application launch settings": "Поведение при автоматично стартиране на WingetUI, настройки при стартиране на приложения", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI може да провери дали вашият софтуер има налични актуализации и да ги инсталира автоматично, ако желаете", - "WingetUI display language:": "Език на показване на WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI е стартиран като администратор, което не се препоръчва. Когато стартирате WingetUI като администратор, ВСЯКА операция, стартирана от WingetUI, ще има администраторски права. Все още можете да използвате програмата, но силно препоръчваме да не стартирате WingetUI с администраторски права.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI е преведен на повече от 40 езика благодарение на преводачите-доброволци. Благодарим ви \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI не е машинно преведен. Следните потребители са помогнали при превеждането:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI е приложение, което улеснява управлението на вашия софтуер, като предоставя графичен интерфейс „всичко в едно“ за вашите мениджъри на пакети от командния ред.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI се преименува, за да се подчертае разликата между WingetUI (интерфейсът, който използвате в момента) и Winget (мениджър на пакети, разработен от Microsoft, с който не съм свързан).", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI се актуализира. Когато това приключи, WingetUI ще се рестартира сам.", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI е безплатен и ще бъде безплатен завинаги. Без реклами, без кредитна карта, без премиум версия. 100% безплатен, завинаги.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI ще показва UAC подкана всеки път, когато даден пакет изисква инсталиране на актуализация.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI скоро ще бъде наречен {newname}. Това няма да представлява никаква промяна в приложението. Аз (разработчикът) ще продължа разработването на този проект, както правя в момента, но под различно име.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI не би бил възможен без помощта на нашите скъпи сътрудници. Разгледайте техните профили в GitHub, WingetUI не би бил възможен без тях!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "WingetUI нямаше да е възможен без помощта на сътрудниците. Благодаря на всички \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "WingetUI {0} е готов за инсталиране.", - "Write here the process names here, separated by commas (,)": "Напишете тук имената на процесите, разделени със запетаи (,)", - "Yes": "Да", - "You are logged in as {0} (@{1})": "Влезли сте като {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Можете да промените това поведение в настройките за сигурност на UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можете да дефинирате командите, които ще се изпълняват преди или след инсталирането, актуализирането или деинсталирането на този пакет. Те ще се изпълняват в командния ред, така че CMD скриптовете ще работят тук.", - "You have currently version {0} installed": "В момента имате инсталирана версия {0}", - "You have installed WingetUI Version {0}": "Инсталирали сте WingetUI версия {0}", - "You may lose unsaved data": "Може да загубите незапазени данни", - "You may need to install {pm} in order to use it with WingetUI.": "Може да се наложи да инсталирате {pm}, за да го използвате с WingetUI.", "You may restart your computer later if you wish": "Можете да рестартирате компютъра си и по-късно, ако желаете", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Ще бъдете подканени само веднъж и ще бъдат предоставени администраторски права на пакетите, които ги поискат.", "You will be prompted only once, and every future installation will be elevated automatically.": "Ще бъдете подканени само веднъж и всяка бъдеща инсталация ще бъде автоматично изпълнена.", - "You will likely need to interact with the installer.": "Вероятно ще трябва да взаимодействате с инсталатора.", - "[RAN AS ADMINISTRATOR]": "[ИЗПЪЛНЯВАШ КАТО АДМИНИСТРАТОР]", "buy me a coffee": "купи ми кафе", - "extracted": "извлечен", - "feature": "функция", "formerly WingetUI": "преди това WingetUI", "homepage": "уебсайт", "install": "инсталиране", "installation": "инсталация", - "installed": "инсталиран", - "installing": "инсталиране", - "library": "библиотека", - "mandatory": "задължително", - "option": "опция", - "optional": "по избор", "uninstall": "деинсталиране", "uninstallation": "деинсталация", "uninstalled": "деинсталиран", - "uninstalling": "деинсталиране", "update(noun)": "актуализация", "update(verb)": "актуализация", "updated": "актуализиран", - "updating": "актуализиране", - "version {0}": "версия {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Опциите за инсталиране са заключени в момента, защото {0} следва опциите за инсталиране по подразбиране.", "{0} Uninstallation": "Деинсталиране на {0}", "{0} aborted": "{0} прекъснат", "{0} can be updated": "{0} могат да се актуализират", - "{0} can be updated to version {1}": "{0} може да бъде актуализиран до версия {1}", - "{0} days": "{0} дена", - "{0} desktop shortcuts created": "Създадени са {0} преки пътища на работния плот", "{0} failed": "Неуспешна {0}", - "{0} has been installed successfully.": "{0} е инсталиран успешно.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} е инсталиран успешно. Препоръчително е да рестартирате UniGetUI, за да завършите инсталацията.", "{0} has failed, that was a requirement for {1} to be run": "{0} се провали, това беше изискване за изпълнението на {1}", - "{0} homepage": "Начална страница {0}", - "{0} hours": "{0} часа", "{0} installation": "Инсталиране на {0}", - "{0} installation options": "{0} опции за инсталиране", - "{0} installer is being downloaded": "Инсталаторът на {0} се изтегля", - "{0} is being installed": "Инсталаторът на {0} се изтегля", - "{0} is being uninstalled": "{0} се деинсталира", "{0} is being updated": "{0} се актуализира", - "{0} is being updated to version {1}": "{0} се актуализира до версия {1}", - "{0} is disabled": "{0} е деактивиран", - "{0} minutes": "{0} минути", "{0} months": "{0} месеца", - "{0} packages are being updated": "{0} пакета се актуализират", - "{0} packages can be updated": "{0} пакета могат да се актуализират", "{0} packages found": "Намерени са {0} пакета", "{0} packages were found": "{0} пакета са намерени", - "{0} packages were found, {1} of which match the specified filters.": "Намерени са {0} пакета, {1} от които отговарят на посочените филтри.", - "{0} selected": "Избрани са {0}", - "{0} settings": "{0} настройки", - "{0} status": "Състояние на {0}", "{0} succeeded": "Успешна {0}", "{0} update": "Актуализиране на {0}", - "{0} updates are available": "Налични са {0} актуализации", "{0} was {1} successfully!": "{0} е {1} успешно!", "{0} weeks": "{0} седмици", "{0} years": "{0} години", "{0} {1} failed": "Неуспешна {1} на {0}", - "{package} Installation": "Инсталация на {package}", - "{package} Uninstall": "Деинсталиране на {package}", - "{package} Update": "Актуализация на {package}", - "{package} could not be installed": "{package} не можа да бъде инсталиран", - "{package} could not be uninstalled": "{package} не можа да бъде деинсталиран", - "{package} could not be updated": "{package} не можа да бъде актуализиран", "{package} installation failed": "Инсталирането на {package} беше неуспешно", - "{package} installer could not be downloaded": "Инсталаторът на {package} не можа да бъде изтеглен", - "{package} installer download": "изтегляне на инсталатора на {package}", - "{package} installer was downloaded successfully": "Инсталаторът на {package} беше изтеглен успешно", "{package} uninstall failed": "Деинсталирането на {package} беше неуспешно", "{package} update failed": "Актуализацията на {package} беше неуспешна", "{package} update failed. Click here for more details.": "Актуализацията на {package} беше неуспешна. Кликнете тук за повече подробности.", - "{package} was installed successfully": "{package} беше инсталиран успешно", - "{package} was uninstalled successfully": "{package} беше деинсталиран успешно", - "{package} was updated successfully": "{package} беше актуализиран успешно", - "{pcName} installed packages": "{pcName} инсталира пакети", "{pm} could not be found": "{pm} не могат да се намерят", "{pm} found: {state}": "Намерено е {pm}: {state}", - "{pm} is disabled": "{pm} е деактивирано", - "{pm} is enabled and ready to go": "{pm} е активирано и готово за употреба", "{pm} package manager specific preferences": "{pm} специфични предпочитания на мениджъра на пакети", "{pm} preferences": "{pm} предпочитания", - "{pm} version:": "версия {pm}:", - "{pm} was not found!": "{pm} не беше намерен!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Здравейте, казвам се Мартѝ и съм автор на WingetUI. WingetUI е създаден изцяло в свободното ми време!", + "Thank you ❤": "Благодаря ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Този проект няма връзка с официалния проект {0} — той е напълно неофициален." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bn.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bn.json index 8abf6e71bd..828e58b5cb 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bn.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_bn.json @@ -1,155 +1,737 @@ { + "Operation in progress": "অপারেশন চলছে", + "Please wait...": "একটু অপেক্ষা করুন...", + "Success!": "সাফল্য!", + "Failed": "ব্যর্থ হয়েছে", + "An error occurred while processing this package": "এই প্যাকেজটি প্রক্রিয়া করার সময় একটি ত্রুটি ঘটেছে", + "Log in to enable cloud backup": "ক্লাউড ব্যাকআপ সক্ষম করতে লগ ইন করুন", + "Backup Failed": "ব্যাকআপ ব্যর্থ হয়েছে", + "Downloading backup...": "ব্যাকআপ ডাউনলোড করা হচ্ছে...", + "An update was found!": "একটি আপডেট পাওয়া গেছে!", + "{0} can be updated to version {1}": "{0} সংস্করণ {1}-এ আপডেট করা যেতে পারে", + "Updates found!": "আপডেট পাওয়া গেছে!", + "{0} packages can be updated": "{0}টি প্যাকেজ আপডেট করা যেতে পারে", + "You have currently version {0} installed": "আপনার বর্তমানে সংস্করণ {0} ইনস্টল করা আছে", + "Desktop shortcut created": "ডেস্কটপ শর্টকাট তৈরি করা হয়েছে", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI একটি নতুন ডেস্কটপ শর্টকাট সনাক্ত করেছে যা স্বয়ংক্রিয়ভাবে মুছে ফেলা যেতে পারে।", + "{0} desktop shortcuts created": "{0} ডেস্কটপ শর্টকাট তৈরি করা হয়েছে", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI {0}টি নতুন ডেস্কটপ শর্টকাট সনাক্ত করেছে যা স্বয়ংক্রিয়ভাবে মুছে ফেলা যেতে পারে।", + "Are you sure?": "আপনি কি নিশ্চিত?", + "Do you really want to uninstall {0}?": "আপনি কি {0} আনইনষ্টল করতে চান?", + "Do you really want to uninstall the following {0} packages?": "আপনি কি সত্যিই নিম্নলিখিত {0} প্যাকেজগুলি আনইনস্টল করতে চান?", + "No": "না", + "Yes": "হ্যাঁ", + "View on UniGetUI": "UniGetUI-তে দেখুন", + "Update": "হালনাগাদ", + "Open UniGetUI": "UniGetUI খুলুন", + "Update all": "সব হালনাগাদ করুন", + "Update now": "এখনই আপডেট করুন", + "This package is on the queue": "এই প্যাকেজ সারিতে আছে", + "installing": "ইনস্টল করা হচ্ছে", + "updating": "আপডেট করা হচ্ছে", + "uninstalling": "আনইনস্টল করা হচ্ছে", + "installed": "ইনস্টল করা হয়েছে", + "Retry": "পুনরায় চেষ্টা করা", + "Install": "ইনস্টল", + "Uninstall": "আনইনস্টল", + "Open": "খোলা", + "Operation profile:": "অপারেশন প্রোফাইল:", + "Follow the default options when installing, upgrading or uninstalling this package": "এই প্যাকেজটি ইনস্টল, আপগ্রেড বা আনইনস্টল করার সময় ডিফল্ট বিকল্পগুলি অনুসরণ করুন", + "The following settings will be applied each time this package is installed, updated or removed.": "এই প্যাকেজটি ইনস্টল করা, আপডেট করা বা সরানো হলে নিম্নলিখিত সেটিংস প্রয়োগ করা হবে।", + "Version to install:": "ইনস্টল করার জন্য সংস্করণঃ", + "Architecture to install:": "ইনস্টল করার জন্য আর্কিটেকচারঃ", + "Installation scope:": "ইনস্টলেশন সুযোগ:", + "Install location:": "ইন্টলের জায়গাঃ", + "Select": "নির্বাচন করুন", + "Reset": "রিসেট করুন", + "Custom install arguments:": "কাস্টম ইনস্টল আর্গুমেন্ট:", + "Custom update arguments:": "কাস্টম আপডেট আর্গুমেন্ট:", + "Custom uninstall arguments:": "কাস্টম আনইনস্টল আর্গুমেন্ট:", + "Pre-install command:": "প্রাক-ইনস্টল কমান্ড:", + "Post-install command:": "পোস্ট-ইনস্টল কমান্ড:", + "Abort install if pre-install command fails": "প্রাক-ইনস্টল কমান্ড ব্যর্থ হলে ইনস্টল বাতিল করুন", + "Pre-update command:": "প্রাক-আপডেট কমান্ড:", + "Post-update command:": "পোস্ট-আপডেট কমান্ড:", + "Abort update if pre-update command fails": "প্রাক-আপডেট কমান্ড ব্যর্থ হলে আপডেট বাতিল করুন", + "Pre-uninstall command:": "প্রাক-আনইনস্টল কমান্ড:", + "Post-uninstall command:": "পোস্ট-আনইনস্টল কমান্ড:", + "Abort uninstall if pre-uninstall command fails": "প্রাক-আনইনস্টল কমান্ড ব্যর্থ হলে আনইনস্টল বাতিল করুন", + "Command-line to run:": "চালাতে কমান্ড-লাইন:", + "Save and close": "সংরক্ষণ করেন এবং বন্ধ করেন", + "Run as admin": "এডমিনিস্ট্রেটর হিসেবে চালান", + "Interactive installation": "ইন্টারেক্টিভ ইনস্টলেশন", + "Skip hash check": "হ্যাশ চেক করা বাদ দিন", + "Uninstall previous versions when updated": "আপডেট করার সময় পূর্ববর্তী সংস্করণ আনইনস্টল করুন", + "Skip minor updates for this package": "এই প্যাকেজের জন্য ছোট আপডেটগুলি এড়িয়ে যান", + "Automatically update this package": "স্বয়ংক্রিয়ভাবে এই প্যাকেজটি আপডেট করুন", + "{0} installation options": "{0} ইনস্টলেশন বিকল্প", + "Latest": "সর্বশেষ", + "PreRelease": "প্রি-রিলিজ", + "Default": "ডিফল্ট", + "Manage ignored updates": "উপেক্ষা করা আপডেটগুলি পরিচালনা করুন", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "আপডেটের জন্য চেক করার সময় এখানে তালিকাভুক্ত প্যাকেজগুলি অ্যাকাউন্টে নেওয়া হবে না। তাদের আপডেট উপেক্ষা করা বন্ধ করতে তাদের ডাবল-ক্লিক করুন বা তাদের ডানদিকের বোতামটি ক্লিক করুন।", + "Reset list": "তালিকা রিসেট করুন", + "Package Name": "প্যাকেজের নাম", + "Package ID": "প্যাকেজ আইডি", + "Ignored version": "উপেক্ষিত সংস্করণ", + "New version": "নতুন সংস্করণ", + "Source": "উৎস", + "All versions": "সকল ভার্সন", + "Unknown": "অজানা", + "Up to date": "আপ টু ডেট", + "Cancel": "বাতিল", + "Administrator privileges": "প্রশাসকের বিশেষাধিকার", + "This operation is running with administrator privileges.": "এই অপারেশনটি প্রশাসকের বিশেষাধিকার সহ চলছে।", + "Interactive operation": "ইন্টারেক্টিভ অপারেশন", + "This operation is running interactively.": "এই অপারেশনটি ইন্টারেক্টিভভাবে চলছে।", + "You will likely need to interact with the installer.": "আপনার সম্ভবত ইনস্টলারের সাথে মিথস্ক্রিয়া করতে হবে।", + "Integrity checks skipped": "অখণ্ডতা পরীক্ষা এড়িয়ে গেছে", + "Proceed at your own risk.": "আপনার নিজের ঝুঁকিতে এগিয়ে যান।", + "Close": "বন্ধ", + "Loading...": "লোড হচ্ছে...", + "Installer SHA256": "ইনস্টলার SHA256", + "Homepage": "ওয়েবসাইট", + "Author": "লেখক", + "Publisher": "প্রকাশক", + "License": "লাইসেন্স", + "Manifest": "উদ্ভাসিত", + "Installer Type": "ইনস্টলার প্রকার", + "Size": "আকার", + "Installer URL": "ইনস্টলার URL", + "Last updated:": "সর্বশেষ সংষ্করণঃ", + "Release notes URL": "রিলিজ নোট URL", + "Package details": "প্যাকেজ বিবরণ", + "Dependencies:": "নির্ভরতা:", + "Release notes": "অব্যাহতি পত্র", + "Version": "সংস্করণ", + "Install as administrator": "এডমিনিস্ট্রেটর হিসেবে ইনস্টল করুন", + "Update to version {0}": "{0} সংস্করণে আপডেট করুন", + "Installed Version": "ইনস্টল করা সংস্করণ", + "Update as administrator": "এডমিনিস্ট্রেটর হিসেবে আপডেট করুন", + "Interactive update": "ইন্টারেক্টিভ আপডেট", + "Uninstall as administrator": "এডমিনিস্ট্রেটর হিসেবে আনইনস্টল করুন ", + "Interactive uninstall": "ইন্টারেক্টিভ আনইনস্টল", + "Uninstall and remove data": "আনইনস্টল এবং ডেটা অপসারণ", + "Not available": "পাওয়া যায়নি", + "Installer SHA512": "ইনস্টলার SHA512", + "Unknown size": "অজানা সাইজ", + "No dependencies specified": "কোন নির্ভরতা নির্দিষ্ট করা হয়নি", + "mandatory": "বাধ্যতামূলক", + "optional": "ঐচ্ছিক", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} ইনস্টল করার জন্য প্রস্তুত।", + "The update process will start after closing UniGetUI": "UniGetUI বন্ধ করার পরে আপডেট প্রক্রিয়া শুরু হবে", + "Share anonymous usage data": "নিরাপদ ব্যবহার ডেটা শেয়ার করুন", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI ব্যবহারকারীর অভিজ্ঞতা উন্নত করার জন্য নিরাপদ ব্যবহার ডেটা সংগ্রহ করে।", + "Accept": "গ্রহণ করুন", + "You have installed WingetUI Version {0}": "আপনি UniGetUI সংস্করণ {0} ইনস্টল করেছেন", + "Disclaimer": "দাবিত্যাগ", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI কোনো সামঞ্জস্যপূর্ণ প্যাকেজ পরিচালকদের সাথে সম্পর্কিত নয়। UniGetUI একটি স্বাধীন প্রকল্প।", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "অবদানকারীদের সাহায্য ছাড়া UniGetUI সম্ভব হত না। সবাইকে ধন্যবাদ 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI নিম্নলিখিত লাইব্রেরি ব্যবহার করে। এগুলি ছাড়া UniGetUI সম্ভব হত না।", + "{0} homepage": "{0} হোমপেজ", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "স্বেচ্ছাসেবক অনুবাদকদের ধন্যবাদ জানাতে UniGetUI ৪০-এর বেশি ভাষায় অনুবাদ করা হয়েছে। ধন্যবাদ 🤝", + "Verbose": "বর্ণনামূলক", + "1 - Errors": "১ - ত্রুটি", + "2 - Warnings": "২ - সতর্কতা", + "3 - Information (less)": "৩ - তথ্য (কম)", + "4 - Information (more)": "৪ - তথ্য (আরো)", + "5 - information (debug)": "৫ - তথ্য (ডিবাগ)", + "Warning": "সতর্কতা", + "The following settings may pose a security risk, hence they are disabled by default.": "নিম্নলিখিত সেটিংসগুলি নিরাপত্তা ঝুঁকি তৈরি করতে পারে, তাই সেগুলি ডিফল্টরূপে অক্ষম করা আছে।", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "নিম্নলিখিত সেটিংসগুলি সক্ষম করুন যদি এবং শুধুমাত্র যদি আপনি সম্পূর্ণরূপে বুঝেন যে তারা কী করে এবং তারা যে প্রভাব ফেলতে পারে।", + "The settings will list, in their descriptions, the potential security issues they may have.": "সেটিংসগুলি তাদের বর্ণনায় সম্ভাব্য নিরাপত্তা সমস্যাগুলি তালিকাভুক্ত করবে।", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "ব্যাকআপ ইনস্টল করা প্যাকেজের সম্পূর্ণ তালিকা এবং তাদের ইনস্টলেশন বিকল্পগুলি অন্তর্ভুক্ত করবে। উপেক্ষিত আপডেট এবং এড়িয়ে যাওয়া সংস্করণগুলিও সংরক্ষণ করা হবে।", + "The backup will NOT include any binary file nor any program's saved data.": "ব্যাকআপে কোনও বাইনারি ফাইল বা কোনও প্রোগ্রামের সংরক্ষিত ডেটা অন্তর্ভুক্ত থাকবে না।", + "The size of the backup is estimated to be less than 1MB.": "ব্যাকআপের আকার 1MB এর কম বলে অনুমান করা হয়।", + "The backup will be performed after login.": "ব্যাকআপ লগইন করার পরে সঞ্চালিত হবে।", + "{pcName} installed packages": "{pcName} ইনস্টল করা প্যাকেজ", + "Current status: Not logged in": "বর্তমান স্থিতি: লগ ইন করা হয়নি", + "You are logged in as {0} (@{1})": "আপনি {0} (@{1}) হিসাবে লগ ইন করেছেন", + "Nice! Backups will be uploaded to a private gist on your account": "চমৎকার! ব্যাকআপগুলি আপনার অ্যাকাউন্টে একটি ব্যক্তিগত gist-এ আপলোড করা হবে", + "Select backup": "ব্যাকআপ নির্বাচন করুন", + "WingetUI Settings": "WingetUI সেটিংস", + "Allow pre-release versions": "প্রি-রিলিজ সংস্করণের অনুমতি দিন", + "Apply": "প্রয়োগ করুন", + "Go to UniGetUI security settings": "UniGetUI নিরাপত্তা সেটিংসে যান", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "প্রতিটি পর্যায়ে নিম্নলিখিত বিকল্পগুলি ডিফল্টরূপে প্রয়োগ করা হবে যখন একটি {0} প্যাকেজ ইনস্টল, আপগ্রেড বা আনইনস্টল করা হয়।", + "Package's default": "প্যাকেজের ডিফল্ট", + "Install location can't be changed for {0} packages": "{0} প্যাকেজের জন্য ইনস্টল অবস্থান পরিবর্তন করা যায় না", + "The local icon cache currently takes {0} MB": "স্থানীয় আইকন ক্যাশ বর্তমানে {0} MB নেয়", + "Username": "ব্যবহারকারীর নাম", + "Password": "পাসওয়ার্ড", + "Credentials": "প্রশংসাপত্র", + "Partially": "আংশিকভাবে", + "Package manager": "প্যাকেজ ম্যানেজার", + "Compatible with proxy": "প্রক্সির সাথে সামঞ্জস্যপূর্ণ", + "Compatible with authentication": "প্রমাণীকরণের সাথে সামঞ্জস্যপূর্ণ", + "Proxy compatibility table": "প্রক্সি সামঞ্জস্য টেবিল", + "{0} settings": "{0} সেটিংস", + "{0} status": "{0} অবস্থা", + "Default installation options for {0} packages": "{0} প্যাকেজের জন্য ডিফল্ট ইনস্টলেশন বিকল্প", + "Expand version": "সংস্করণ প্রসারিত করুন", + "The executable file for {0} was not found": "{0} এর জন্য এক্সিকিউটেবল ফাইল পাওয়া যায়নি", + "{pm} is disabled": "{pm} অক্ষম করা আছে", + "Enable it to install packages from {pm}.": "{pm} থেকে প্যাকেজ ইনস্টল করতে এটি সক্ষম করুন।", + "{pm} is enabled and ready to go": "{pm} সক্ষম এবং যেতে প্রস্তুত", + "{pm} version:": "{pm} সংস্করণ:", + "{pm} was not found!": "{pm} পাওয়া যায়নি!", + "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI-এর সাথে এটি ব্যবহার করার জন্য আপনার {pm} ইনস্টল করতে হতে পারে।", + "Scoop Installer - WingetUI": "স্কুপ ইনস্টলার - WingetUI", + "Scoop Uninstaller - WingetUI": "স্কুপ আনইনস্টলার - WingetUI", + "Clearing Scoop cache - WingetUI": "স্কুপ ক্যাশে সাফ করা হচ্ছে - WingetUI", + "Restart UniGetUI": "UniGetUI পুনরায় চালু করুন", + "Manage {0} sources": "{0}টি উৎস পরিচালনা করুন৷", + "Add source": "উৎস যোগ করুন", + "Add": "যুক্ত করুন", + "Other": "অন্যান্য", + "1 day": "১ দিন", + "{0} days": "{0} দিন", + "{0} minutes": "{0} মিনিট", + "1 hour": "১ ঘন্টা", + "{0} hours": "{0} ঘণ্টা", + "1 week": "১ সপ্তাহ", + "WingetUI Version {0}": "UniGetUI সংস্করণ {0}", + "Search for packages": "প্যাকেজ অনুসন্ধান করুন", + "Local": "স্থানীয়", + "OK": "ঠিক আছে", + "{0} packages were found, {1} of which match the specified filters.": "{1} প্যাকেজ পাওয়া গেছে যার মধ্যে {0}টি নির্দিষ্ট ফিল্টারগুলির সাথে মেলে।", + "{0} selected": "{0} নির্বাচিত", + "(Last checked: {0})": "(শেষ পরীক্ষা করা হয়েছেঃ {0})", + "Enabled": "সক্ষম", + "Disabled": "অক্ষম", + "More info": "আরও তথ্য", + "Log in with GitHub to enable cloud package backup.": "ক্লাউড প্যাকেজ ব্যাকআপ সক্ষম করতে GitHub দিয়ে লগ ইন করুন।", + "More details": "আরো বিস্তারিত", + "Log in": "লগ ইন করুন", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "যদি আপনার ক্লাউড ব্যাকআপ সক্ষম থাকে তবে এটি এই অ্যাকাউন্টে একটি GitHub Gist হিসাবে সংরক্ষিত হবে", + "Log out": "লগ আউট করুন", + "About": "সম্পর্কিত", + "Third-party licenses": "তৃতীয় পক্ষের লাইসেন্স", + "Contributors": "অবদানকারী", + "Translators": "অনুবাদক", + "Manage shortcuts": "শর্টকাটস পরিচালনা করুন", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI নিম্নলিখিত ডেস্কটপ শর্টকাটগুলি সনাক্ত করেছে যা ভবিষ্যতের আপগ্রেডে স্বয়ংক্রিয়ভাবে সরানো যেতে পারে", + "Do you really want to reset this list? This action cannot be reverted.": "আপনি কি সত্যিই এই তালিকাটি রিসেট করতে চান? এই পদক্ষেপটি পূর্বাবস্থায় ফেরানো যায় না।", + "Remove from list": "তালিকা থেকে বাদ দিন", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "যখন নতুন শর্টকাটগুলি সনাক্ত করা হয় তখন এই সংলাপটি দেখানোর পরিবর্তে সেগুলিকে স্বয়ংক্রিয়ভাবে মুছে ফেলুন।", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI ব্যবহারকারীর অভিজ্ঞতা বোঝা এবং উন্নত করার একমাত্র উদ্দেশ্যে নিরাপদ ব্যবহার ডেটা সংগ্রহ করে।", + "More details about the shared data and how it will be processed": "শেয়ার করা ডেটা এবং এটি কীভাবে প্রক্রিয়া করা হবে তা সম্পর্কে আরও বিবরণ", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "আপনি কি মেনে চলেন যে UniGetUI ব্যবহারকারীর অভিজ্ঞতা বোঝা এবং উন্নত করার একমাত্র উদ্দেশ্যে নিরাপদ ব্যবহার পরিসংখ্যান সংগ্রহ এবং পাঠায়?", + "Decline": "অস্বীকার করুন", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "কোনো ব্যক্তিগত তথ্য সংগ্রহ বা প্রেরণ করা হয় না এবং সংগৃহীত ডেটা অননামকৃত করা হয়, তাই এটি আপনার কাছে ফিরিয়ে আনা যায় না।", + "About WingetUI": "WingetUI সম্পর্কে", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI একটি অ্যাপ্লিকেশন যা আপনার কমান্ড-লাইন প্যাকেজ ম্যানেজারগুলির জন্য একটি সর্বাত্মক গ্রাফিক্যাল ইন্টারফেস প্রদান করে আপনার সফ্টওয়্যার পরিচালনা সহজ করে।", + "Useful links": "দরকারি লিঙ্কগুলি", + "Report an issue or submit a feature request": "একটি সমস্যা রিপোর্ট করুন বা একটি বৈশিষ্ট্য অনুরোধ জমা দিন", + "View GitHub Profile": "GitHub প্রোফাইল দেখুন", + "WingetUI License": "UniGetUI লাইসেন্স", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI ব্যবহার করা MIT লাইসেন্স গ্রহণ করার অন্তর্দৃষ্টি দেয়", + "Become a translator": "একজন অনুবাদক হন", + "View page on browser": "ব্রাউজারে পৃষ্ঠা দেখুন", + "Copy to clipboard": "ক্লিপবোর্ডে কপি করুন", + "Export to a file": "একটি ফাইলে রপ্তানি করুন", + "Log level:": "লগ লেভেলঃ", + "Reload log": "লগ পুনরায় লোড করুন", + "Text": "পাঠ্য", + "Change how operations request administrator rights": "অপারেশনগুলি কীভাবে প্রশাসকের অধিকার অনুরোধ করে তা পরিবর্তন করুন", + "Restrictions on package operations": "প্যাকেজ অপারেশনগুলির বিধিনিষেধ", + "Restrictions on package managers": "প্যাকেজ ম্যানেজারগুলির বিধিনিষেধ", + "Restrictions when importing package bundles": "প্যাকেজ বান্ডিল আমদানি করার সময় বিধিনিষেধ", + "Ask for administrator privileges once for each batch of operations": "প্রতিটি ব্যাচের অপারেশনের জন্য একবার প্রশাসকের সুবিধার জন্য জিজ্ঞাসা করুন", + "Ask only once for administrator privileges": "প্রশাসকের বিশেষাধিকারের জন্য শুধুমাত্র একবার জিজ্ঞাসা করুন", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI এলিভেটর বা GSudo এর মাধ্যমে যেকোনো ধরনের উচ্চতা নিষিদ্ধ করুন", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "এই বিকল্পটি সমস্যা সৃষ্টি করবে। নিজেকে উন্নত করতে অক্ষম যেকোনো অপারেশন ব্যর্থ হবে। প্রশাসক হিসাবে ইনস্টল/আপডেট/আনইনস্টল কাজ করবে না।", + "Allow custom command-line arguments": "কাস্টম কমান্ড-লাইন আর্গুমেন্টের অনুমতি দিন", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "কাস্টম কমান্ড-লাইন আর্গুমেন্ট প্রোগ্রামগুলি ইনস্টল, আপগ্রেড বা আনইনস্টল করার উপায় পরিবর্তন করতে পারে এমনভাবে যা UniGetUI নিয়ন্ত্রণ করতে পারে না। কাস্টম কমান্ড-লাইন ব্যবহার করে প্যাকেজগুলি ভেঙে ফেলা যেতে পারে। সতর্কতার সাথে এগিয়ে যান।", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "চালাতে কাস্টম প্রাক-ইনস্টল এবং পোস্ট-ইনস্টল কমান্ড অনুমতি দিন", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "প্রাক এবং পোস্ট ইনস্টল কমান্ডগুলি একটি প্যাকেজ ইনস্টল, আপগ্রেড বা আনইনস্টল হওয়ার আগে এবং পরে চালানো হয়। সতর্ক থাকুন যে সাবধানে ব্যবহার না করলে তারা জিনিসগুলি ভেঙে ফেলতে পারে", + "Allow changing the paths for package manager executables": "প্যাকেজ ম্যানেজার এক্সিকিউটেবলের পথ পরিবর্তন করার অনুমতি দিন", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "এটি চালু করা প্যাকেজ ম্যানেজারগুলির সাথে মিথস্ক্রিয়া করার জন্য ব্যবহৃত এক্সিকিউটেবল ফাইল পরিবর্তন করার অনুমতি দেয়। যদিও এটি আপনার ইনস্টল প্রক্রিয়াগুলির সূক্ষ্মতর কাস্টমাইজেশনের অনুমতি দেয়, এটি বিপজ্জনকও হতে পারে", + "Allow importing custom command-line arguments when importing packages from a bundle": "বান্ডেল থেকে প্যাকেজ আমদানি করার সময় কাস্টম কমান্ড-লাইন আর্গুমেন্ট আমদানি করার অনুমতি দিন", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "বিকৃত কমান্ড-লাইন আর্গুমেন্ট প্যাকেজগুলি ভেঙে ফেলতে পারে বা একজন ক্ষতিকর অভিনেতাকে সুবিধাপ্রাপ্ত এক্সিকিউশন পেতে দিতে পারে। তাই কাস্টম কমান্ড-লাইন আর্গুমেন্ট আমদানি ডিফল্টরূপে অক্ষম করা আছে।", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "বান্ডেল থেকে প্যাকেজ আমদানি করার সময় কাস্টম প্রাক-ইনস্টল এবং পোস্ট-ইনস্টল কমান্ড আমদানি করার অনুমতি দিন", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "প্রাক এবং পোস্ট ইনস্টল কমান্ডগুলি আপনার ডিভাইসে অত্যন্ত নৃশংস কাজ করতে পারে যদি তা করার জন্য ডিজাইন করা হয়। বান্ডেল থেকে কমান্ডগুলি আমদানি করা অত্যন্ত বিপজ্জনক হতে পারে যদি না আপনি সেই প্যাকেজ বান্ডেলের উৎসকে বিশ্বাস করেন", + "Administrator rights and other dangerous settings": "প্রশাসকের অধিকার এবং অন্যান্য বিপজ্জনক সেটিংস", + "Package backup": "প্যাকেজ ব্যাকআপ", + "Cloud package backup": "ক্লাউড প্যাকেজ ব্যাকআপ", + "Local package backup": "স্থানীয় প্যাকেজ ব্যাকআপ", + "Local backup advanced options": "স্থানীয় ব্যাকআপ উন্নত বিকল্প", + "Log in with GitHub": "GitHub দিয়ে লগ ইন করুন", + "Log out from GitHub": "GitHub থেকে লগ আউট করুন", + "Periodically perform a cloud backup of the installed packages": "পর্যায়ক্রমে ইনস্টল করা প্যাকেজগুলির একটি ক্লাউড ব্যাকআপ সম্পাদন করুন", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "ক্লাউড ব্যাকআপ ইনস্টল করা প্যাকেজের তালিকা সংরক্ষণ করতে একটি ব্যক্তিগত GitHub Gist ব্যবহার করে", + "Perform a cloud backup now": "এখনই একটি ক্লাউড ব্যাকআপ সম্পাদন করুন", + "Backup": "ব্যাকআপ", + "Restore a backup from the cloud": "ক্লাউড থেকে একটি ব্যাকআপ পুনরুদ্ধার করুন", + "Begin the process to select a cloud backup and review which packages to restore": "একটি ক্লাউড ব্যাকআপ নির্বাচন করার প্রক্রিয়া শুরু করুন এবং কোন প্যাকেজ পুনরুদ্ধার করতে হবে তা পর্যালোচনা করুন", + "Periodically perform a local backup of the installed packages": "পর্যায়ক্রমে ইনস্টল করা প্যাকেজগুলির একটি স্থানীয় ব্যাকআপ সম্পাদন করুন", + "Perform a local backup now": "এখনই একটি স্থানীয় ব্যাকআপ সম্পাদন করুন", + "Change backup output directory": "ব্যাকআপ আউটপুট ডিরেক্টরি পরিবর্তন করুন", + "Set a custom backup file name": "একটি কাস্টম ব্যাকআপ ফাইলের নাম সেট করুন", + "Leave empty for default": "ডিফল্টের জন্য খালি ছেড়ে দিন", + "Add a timestamp to the backup file names": "ব্যাকআপ ফাইলের নামগুলিতে একটি টাইমস্ট্যাম্প যোগ করুন", + "Backup and Restore": "ব্যাকআপ এবং পুনরুদ্ধার", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "ব্যাকগ্রাউন্ড এপিআই সক্ষম করুন (WingetUI উইজেট এবং শেয়ারিং, পোর্ট 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "ইন্টারনেট সংযোগের প্রয়োজনীয় কাজগুলি করার চেষ্টা করার আগে ডিভাইসটি ইন্টারনেটে সংযুক্ত হওয়ার জন্য অপেক্ষা করুন।", + "Disable the 1-minute timeout for package-related operations": "প্যাকেজ-সম্পর্কিত অপারেশনের জন্য ১-মিনিটের সময়সীমা অক্ষম করুন", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI এলিভেটরের পরিবর্তে ইনস্টল করা GSudo ব্যবহার করুন", + "Use a custom icon and screenshot database URL": "একটি কাস্টম আইকন এবং স্ক্রিনশট ডাটাবেস URL ব্যবহার করুন", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "পটভূমি CPU ব্যবহার অপটিমাইজেশন সক্ষম করুন (Pull Request #3278 দেখুন)", + "Perform integrity checks at startup": "স্টার্টআপে অখণ্ডতা পরীক্ষা সম্পাদন করুন", + "When batch installing packages from a bundle, install also packages that are already installed": "বান্ডেল থেকে প্যাকেজগুলি ব্যাচ ইনস্টল করার সময় ইতিমধ্যে ইনস্টল করা প্যাকেজগুলিও ইনস্টল করুন", + "Experimental settings and developer options": "পরীক্ষামূলক সেটিংস এবং ডেভেলপার বিকল্প", + "Show UniGetUI's version and build number on the titlebar.": "টাইটেলবারে UniGetUI-এর সংস্করণ প্রদর্শন করুন", + "Language": "ভাষা", + "UniGetUI updater": "UniGetUI আপডেটার", + "Telemetry": "টেলিমেট্রি", + "Manage UniGetUI settings": "UniGetUI সেটিংস পরিচালনা করুন", + "Related settings": "সম্পর্কিত সেটিংস", + "Update WingetUI automatically": "স্বয়ংক্রিয়ভাবে WingetUI হালনাগাদ করুন", + "Check for updates": "আপডেটের জন্য চেক করুন", + "Install prerelease versions of UniGetUI": "UniGetUI-এর প্রি-রিলিজ সংস্করণ ইনস্টল করুন", + "Manage telemetry settings": "টেলিমেট্রি সেটিংস পরিচালনা করুন", + "Manage": "পরিচালনা করুন", + "Import settings from a local file": "একটি স্থানীয় ফাইল থেকে সেটিংস আমদানি করুন", + "Import": "আমদানি", + "Export settings to a local file": "একটি স্থানীয় ফাইলে সেটিংস রপ্তানি করুন", + "Export": "রপ্তানি", + "Reset WingetUI": "WingetUI রিসেট করুন", + "Reset UniGetUI": "UniGetUI রিসেট করুন", + "User interface preferences": "ব্যবহারকারীর ইন্টারফেস পছন্দসমূহ", + "Application theme, startup page, package icons, clear successful installs automatically": "অ্যাপ্লিকেশন থিম, স্টার্টআপ পৃষ্ঠা, প্যাকেজ আইকন, স্বয়ংক্রিয়ভাবে সফল ইনস্টল পরিষ্কার করুন", + "General preferences": "সাধারণ পছন্দ", + "WingetUI display language:": "WingetUI ভাষা প্রদর্শন:", + "Is your language missing or incomplete?": "আপনার ভাষা অনুপস্থিত বা অসম্পূর্ণ?", + "Appearance": "উপস্থিতি", + "UniGetUI on the background and system tray": "পটভূমিতে এবং সিস্টেম ট্রেতে UniGetUI", + "Package lists": "প্যাকেজ তালিকা", + "Close UniGetUI to the system tray": "UniGetUI সিস্টেম ট্রেতে বন্ধ করুন", + "Show package icons on package lists": "প্যাকেজ তালিকায় প্যাকেজ আইকন দেখান", + "Clear cache": "ক্যাশ পরিষ্কার করুন", + "Select upgradable packages by default": "ডিফল্টরূপে আপগ্রেডযোগ্য প্যাকেজ নির্বাচন করুন", + "Light": "আলো", + "Dark": "অন্ধকার", + "Follow system color scheme": "সিস্টেমের রঙের স্কিম অনুসরণ করুন", + "Application theme:": "অ্যাপ্লিকেশন থিমঃ", + "Discover Packages": "প্যাকেজ আবিষ্কার করুন", + "Software Updates": "সফটওয়্যার আপডেট", + "Installed Packages": "ইনস্টল করা প্যাকেজ", + "Package Bundles": "প্যাকেজ বান্ডিল", + "Settings": "সেটিংস", + "UniGetUI startup page:": "UniGetUI স্টার্টআপ পৃষ্ঠা:", + "Proxy settings": "প্রক্সি সেটিংস", + "Other settings": "অন্যান্য সেটিংস", + "Connect the internet using a custom proxy": "কাস্টম প্রক্সি ব্যবহার করে ইন্টারনেটে সংযোগ করুন", + "Please note that not all package managers may fully support this feature": "অনুগ্রহ করে মনে রাখবেন যে সমস্ত প্যাকেজ ম্যানেজার এই বৈশিষ্ট্যটি সম্পূর্ণরূপে সমর্থন করতে পারে না", + "Proxy URL": "প্রক্সি URL", + "Enter proxy URL here": "এখানে প্রক্সি URL লিখুন", + "Package manager preferences": "প্যাকেজ ম্যানেজার পছন্দ", + "Ready": "প্রস্তুত", + "Not found": "খুঁজে পাওয়া যায়নি", + "Notification preferences": "বিজ্ঞপ্তি পছন্দ", + "Notification types": "বিজ্ঞপ্তি প্রকার", + "The system tray icon must be enabled in order for notifications to work": "বিজ্ঞপ্তি কাজ করার জন্য সিস্টেম ট্রে আইকন সক্ষম করা আবশ্যক", + "Enable WingetUI notifications": "WingetUI বিজ্ঞপ্তি সক্ষম করুন", + "Show a notification when there are available updates": "আপডেট পাওয়া গেলে একটি বিজ্ঞপ্তি দেখান", + "Show a silent notification when an operation is running": "অপারেশন চলাকালীন একটি নীরব বিজ্ঞপ্তি দেখান", + "Show a notification when an operation fails": "অপারেশন ব্যর্থ হলে একটি বিজ্ঞপ্তি দেখান", + "Show a notification when an operation finishes successfully": "একটি অপারেশন সফলভাবে শেষ হলে একটি বিজ্ঞপ্তি দেখান", + "Concurrency and execution": "সমসাময়িকতা এবং বাস্তবায়ন", + "Automatic desktop shortcut remover": "স্বয়ংক্রিয় ডেস্কটপ শর্টকাট অপসারণকারী", + "Clear successful operations from the operation list after a 5 second delay": "৫ সেকেন্ডের বিলম্বের পরে অপারেশন তালিকা থেকে সফল অপারেশন পরিষ্কার করুন", + "Download operations are not affected by this setting": "ডাউনলোড অপারেশন এই সেটিংদ্বারা প্রভাবিত হয় না", + "Try to kill the processes that refuse to close when requested to": "অনুরোধ করলে বন্ধ করতে অস্বীকার করে এমন প্রক্রিয়াগুলি বন্ধ করার চেষ্টা করুন", + "You may lose unsaved data": "আপনি সংরক্ষিত ডেটা হারাতে পারেন", + "Ask to delete desktop shortcuts created during an install or upgrade.": "ইনস্টল বা আপগ্রেড করার সময় তৈরি করা ডেস্কটপ শর্টকাট মুছে ফেলার জন্য জিজ্ঞাসা করুন।", + "Package update preferences": "প্যাকেজ আপডেট পছন্দ", + "Update check frequency, automatically install updates, etc.": "আপডেট পরীক্ষার ফ্রিকোয়েন্সি, স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করুন ইত্যাদি।", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC প্রম্পটগুলি হ্রাস করুন, ডিফল্টরূপে ইনস্টলেশনগুলি উন্নত করুন, নির্দিষ্ট বিপজ্জনক বৈশিষ্ট্যগুলি আনলক করুন ইত্যাদি।", + "Package operation preferences": "প্যাকেজ অপারেশন পছন্দ", + "Enable {pm}": "{pm} চালু করুন", + "Not finding the file you are looking for? Make sure it has been added to path.": "আপনি যে ফাইলটি খুঁজছেন তা খুঁজে পাচ্ছেন না? নিশ্চিত করুন যে এটি পাথে যোগ করা হয়েছে।", + "For security reasons, changing the executable file is disabled by default": "নিরাপত্তার কারণে, এক্সিকিউটেবল ফাইল পরিবর্তন ডিফল্টরূপে অক্ষম করা আছে", + "Change this": "এটি পরিবর্তন করুন", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "ব্যবহার করার জন্য এক্সিকিউটেবল নির্বাচন করুন। নিম্নলিখিত তালিকা UniGetUI দ্বারা পাওয়া এক্সিকিউটেবলগুলি দেখায়", + "Current executable file:": "বর্তমান এক্সিকিউটেবল ফাইল:", + "Ignore packages from {pm} when showing a notification about updates": "আপডেটের বিষয়ে বিজ্ঞপ্তি দেখানোর সময় {pm} থেকে প্যাকেজ উপেক্ষা করুন", + "View {0} logs": "{0} লগ দেখুন", + "Advanced options": "উন্নত বিকল্প", + "Reset WinGet": "WinGet রিসেট করুন", + "This may help if no packages are listed": "যদি কোন প্যাকেজ তালিকাভুক্ত না হয় তবে এটি সাহায্য করতে পারে", + "Force install location parameter when updating packages with custom locations": "কাস্টম অবস্থান সহ প্যাকেজ আপডেট করার সময় ইনস্টল অবস্থান প্যারামিটার জোর করুন", + "Use bundled WinGet instead of system WinGet": "সিস্টেম WinGet-এর পরিবর্তে বান্ডিলড WinGet ব্যবহার করুন", + "This may help if WinGet packages are not shown": "UniGetUI প্যাকেজ দেখানো না হলে এটি সাহায্য করতে পারে", + "Install Scoop": "স্কুপ ইনস্টল করুন", + "Uninstall Scoop (and its packages)": "স্কুপ আনইনস্টল করুন (এবং এর প্যাকেজ)", + "Run cleanup and clear cache": "পরিষ্কার চালান এবং ক্যাশে পরিষ্কার করুন", + "Run": "চালান", + "Enable Scoop cleanup on launch": "লঞ্চের সময় Scoop ক্লিনআপ সক্ষম করুন", + "Use system Chocolatey": "সিস্টেম চকোলেট ব্যবহার করুন", + "Default vcpkg triplet": "ডিফল্ট vcpkg ট্রিপলেট", + "Language, theme and other miscellaneous preferences": "ভাষা, থিম এবং অন্যান্য বিবিধ পছন্দ", + "Show notifications on different events": "অপারেশন চলাকালীন একটি নীরব বিজ্ঞপ্তি দেখান", + "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI কীভাবে আপনার প্যাকেজগুলির জন্য উপলব্ধ আপডেটগুলি পরীক্ষা করে এবং ইনস্টল করে তা পরিবর্তন করুন", + "Automatically save a list of all your installed packages to easily restore them.": "সহজেই পুনরুদ্ধার করতে আপনার সমস্ত ইনস্টল করা প্যাকেজগুলির একটি তালিকা স্বয়ংক্রিয়ভাবে সংরক্ষণ করুন।", + "Enable and disable package managers, change default install options, etc.": "প্যাকেজ ম্যানেজার সক্ষম এবং অক্ষম করুন, ডিফল্ট ইনস্টলেশন বিকল্প পরিবর্তন করুন ইত্যাদি।", + "Internet connection settings": "ইন্টারনেট সংযোগ সেটিংস", + "Proxy settings, etc.": "প্রক্সি সেটিংস ইত্যাদি।", + "Beta features and other options that shouldn't be touched": "বেটা বৈশিষ্ট্যগুলো এবং অন্যান্য বিকল্পগুলি যা স্পর্শ করা উচিত হবে না।", + "Update checking": "আপডেট পরীক্ষা", + "Automatic updates": "স্বয়ংক্রিয় আপডেট", + "Check for package updates periodically": "পর্যায়ক্রমে প্যাকেজ আপডেট চেক করুন", + "Check for updates every:": "প্রতিটি আপডেটের জন্য চেক করুনঃ", + "Install available updates automatically": "স্বয়ংক্রিয়ভাবে উপলব্ধ আপডেট ইনস্টল করুন", + "Do not automatically install updates when the network connection is metered": "নেটওয়ার্ক সংযোগ পরিমাপযুক্ত হলে স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করবেন না", + "Do not automatically install updates when the device runs on battery": "ডিভাইসটি ব্যাটারিতে চলার সময় স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করবেন না", + "Do not automatically install updates when the battery saver is on": "ব্যাটারি সেভার চালু থাকলে সয়ংক্রিয়ভাবে আপডেট ইনস্টল করবেন না", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI কীভাবে ইনস্টল, আপডেট এবং আনইনস্টল অপারেশন পরিচালনা করে তা পরিবর্তন করুন।", + "Package Managers": "প্যাকেজ ম্যানেজার", + "More": "আরও", + "WingetUI Log": "WingetUI লগ", + "Package Manager logs": "প্যাকেজ ম্যানেজার লগ", + "Operation history": "অপারেশন ইতিহাস", + "Help": "সাহায্য", + "Order by:": "অর্ডার করুন:", + "Name": "নাম", + "Id": "আইড", + "Ascendant": "আরোহী", + "Descendant": "বংশধর", + "View mode:": "দেখার মোড:", + "Filters": "ফিল্টার", + "Sources": "সূত্র", + "Search for packages to start": "শুরু করার জন্য প্যাকেজ অনুসন্ধান করুন", + "Select all": "সব নির্বাচন করুন", + "Clear selection": "নির্বাচন পরিষ্কার করুন", + "Instant search": "তাৎক্ষণিক অনুসন্ধান", + "Distinguish between uppercase and lowercase": "বড় হাতের এবং ছোট হাতের অক্ষরের মধ্যে পার্থক্য করুন", + "Ignore special characters": "বিশেষ অক্ষরগুলো উপেক্ষা করুন", + "Search mode": "অনুসন্ধান মোড", + "Both": "উভয়", + "Exact match": "খাপে খাপ", + "Show similar packages": "অনুরূপ প্যাকেজ দেখান", + "No results were found matching the input criteria": "ইনপুট মানদণ্ডের সাথে মেলে এমন কোনো ফলাফল পাওয়া যায়নি", + "No packages were found": "কোন প্যাকেজ পাওয়া যায়নি", + "Loading packages": "প্যাকেজ লোড হচ্ছে", + "Skip integrity checks": "অখণ্ডতা পরীক্ষা এড়িয়ে যান", + "Download selected installers": "নির্বাচিত ইনস্টলারগুলি ডাউনলোড করুন", + "Install selection": "ইনস্টল নির্বাচন করুন", + "Install options": "ইনস্টল বিকল্প", + "Share": "শেয়ার", + "Add selection to bundle": "বান্ডেলে নির্বাচন যোগ করুন", + "Download installer": "ইনস্টলার ডাউনলোড করুন", + "Share this package": "এই প্যাকেজ শেয়ার করুন", + "Uninstall selection": "আনইনস্টল নির্বাচন", + "Uninstall options": "আনইনস্টল বিকল্প", + "Ignore selected packages": "নির্বাচিত প্যাকেজ উপেক্ষা করুন", + "Open install location": "ইনস্টল অবস্থান খুলুন", + "Reinstall package": "প্যাকেজ পুনরায় ইনস্টল করুন", + "Uninstall package, then reinstall it": "প্যাকেজ আনইনস্টল করুন, তারপর এটি পুনরায় ইনস্টল করুন", + "Ignore updates for this package": "এই প্যাকেজের আপডেট উপেক্ষা করুন", + "Do not ignore updates for this package anymore": "এই প্যাকেজের জন্য আর আপডেট উপেক্ষা করবেন না", + "Add packages or open an existing package bundle": "প্যাকেজ যোগ করুন বা একটি বিদ্যমান প্যাকেজ বান্ডিল খুলুন", + "Add packages to start": "শুরু করতে প্যাকেজ যোগ করুন", + "The current bundle has no packages. Add some packages to get started": "বর্তমান বান্ডেলে কোনো প্যাকেজ নেই। শুরু করতে কিছু প্যাকেজ যোগ করুন", + "New": "নতুন", + "Save as": "এই হিসাবে সংরক্ষণ করুন", + "Remove selection from bundle": "বান্ডেল থেকে নির্বাচন সরান", + "Skip hash checks": "হ্যাশ পরীক্ষা এড়িয়ে যান", + "The package bundle is not valid": "প্যাকেজ বান্ডিল বৈধ নয়", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "আপনি যে বান্ডেলটি লোড করার চেষ্টা করছেন তা অবৈধ মনে হচ্ছে। ফাইলটি পরীক্ষা করুন এবং আবার চেষ্টা করুন।", + "Package bundle": "প্যাকেজ বান্ডিল", + "Could not create bundle": "বান্ডিল তৈরি করা যায়নি", + "The package bundle could not be created due to an error.": "একটি ত্রুটির কারণে প্যাকেজ বান্ডিল তৈরি করা যায়নি।", + "Bundle security report": "বান্ডেল নিরাপত্তা রিপোর্ট", + "Hooray! No updates were found.": "কোনো নতুন আপডেট পাওয়া যায়নি!", + "Everything is up to date": "সবকিছু আপ টু ডেট", + "Uninstall selected packages": "নির্বাচিত প্যাকেজ আনইনস্টল করুন", + "Update selection": "আপডেট নির্বাচন", + "Update options": "আপডেট বিকল্প", + "Uninstall package, then update it": "প্যাকেজ আনইনস্টল করুন, তারপর এটি আপডেট করুন", + "Uninstall package": "প্যাকেজ আনইনস্টল করুন", + "Skip this version": "এই সংস্করণে এড়িয়ে যান", + "Pause updates for": "এর জন্য আপডেট স্থগিত করুন", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust প্যাকেজ ম্যানেজার।
অন্তর্ভুক্ত: Rust লাইব্রেরি এবং Rust-এ লেখা প্রোগ্রাম", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "উইন্ডোজের জন্য ক্লাসিক্যাল প্যাকেজ ম্যানেজার। আপনি সেখানে সবকিছু পাবেন.
ধারণ করে: সাধারণ সফ্টওয়্যার", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "মাইক্রোসফটের .NET ইকোসিস্টেমকে মাথায় রেখে ডিজাইন করা টুলস এবং এক্সিকিউটেবলে পূর্ণ একটি ভান্ডার।
এতে রয়েছে: .NET সম্পর্কিত টুল এবং স্ক্রিপ্ট", + "NuPkg (zipped manifest)": "NuPkg (জিপ করা ম্যানিফেস্ট)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "নোড জেএস এর প্যাকেজ ম্যানেজার। লাইব্রেরি এবং অন্যান্য ইউটিলিটি পূর্ণ যা জাভাস্ক্রিপ্ট বিশ্বকে প্রদক্ষিণ করে
এতে রয়েছে: নোড জাভাস্ক্রিপ্ট লাইব্রেরি এবং অন্যান্য সম্পর্কিত ইউটিলিটিগুলি", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "পাইথনের লাইব্রেরি ম্যানেজার। পাইথন লাইব্রেরি এবং অন্যান্য পাইথন-সম্পর্কিত ইউটিলিটিগুলিতে পরিপূর্ণ
অন্তর্ভুক্ত: পাইথন লাইব্রেরি এবং সম্পর্কিত ইউটিলিটিগুলি", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "পাওয়ারশেলের প্যাকেজ ম্যানেজার। PowerShell ক্ষমতা প্রসারিত করতে লাইব্রেরি এবং স্ক্রিপ্ট খুঁজুন
অন্তর্ভুক্তঃ মডিউল, স্ক্রিপ্ট, Cmdlets", + "extracted": "আহরণ করা", + "Scoop package": "স্কুপ প্যাকেজ", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "অজানা কিন্তু দরকারী ইউটিলিটি এবং অন্যান্য আকর্ষণীয় প্যাকেজগুলির দুর্দান্ত সংগ্রহস্থল৷
অন্তর্ভুক্ত: ইউটিলিটি, কমান্ড-লাইন প্রোগ্রাম, সাধারণ সফ্টওয়্যার (অতিরিক্ত বাকেট প্রয়োজন)", + "library": "লাইব্রেরি", + "feature": "বৈশিষ্ট্য", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "একটি জনপ্রিয় C/C++ লাইব্রেরি ম্যানেজার। C/C++ লাইব্রেরি এবং অন্যান্য C/C++ সম্পর্কিত ইউটিলিটিতে পূর্ণ
অন্তর্ভুক্ত: C/C++ লাইব্রেরি এবং সম্পর্কিত ইউটিলিটি", + "option": "বিকল্প", + "This package cannot be installed from an elevated context.": "এই প্যাকেজটি একটি উচ্চ প্রসঙ্গ থেকে ইনস্টল করা যায় না।", + "Please run UniGetUI as a regular user and try again.": "অনুগ্রহ করে UniGetUI একটি নিয়মিত ব্যবহারকারী হিসাবে চালান এবং আবার চেষ্টা করুন।", + "Please check the installation options for this package and try again": "এই প্যাকেজের জন্য ইনস্টলেশন বিকল্পগুলি পরীক্ষা করুন এবং আবার চেষ্টা করুন", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "মাইক্রোসফটের অফিসিয়াল প্যাকেজ ম্যানেজার। সুপরিচিত এবং যাচাইকৃত প্যাকেজে পূর্ণ
অন্তর্ভুক্ত: সাধারণ সফটওয়্যার, মাইক্রোসফ্ট স্টোর অ্যাপস", + "Local PC": "স্থানীয় পিসি", + "Android Subsystem": "অ্যান্ড্রয়েড সাবসিস্টেম", + "Operation on queue (position {0})...": "সারিতে অপারেশন (অবস্থান {0})...", + "Click here for more details": "আরও বিবরণের জন্য এখানে ক্লিক করুন", + "Operation canceled by user": "ব্যবহারকারী দ্বারা অপারেশন বাতিল করা হয়েছে", + "Starting operation...": "অপারেশন শুরু হচ্ছে...", + "{package} installer download": "{package} ইনস্টলার ডাউনলোড", + "{0} installer is being downloaded": "{0} ইনস্টলার ডাউনলোড করা হচ্ছে", + "Download succeeded": "ডাউনলোড সফল হয়েছে", + "{package} installer was downloaded successfully": "{package} ইনস্টলার সফলভাবে ডাউনলোড করা হয়েছে", + "Download failed": "ডাউনলোড ব্যর্থ হয়েছে", + "{package} installer could not be downloaded": "{package} ইনস্টলার ডাউনলোড করা যায়নি", + "{package} Installation": "{package} ইনস্টলেশন", + "{0} is being installed": "{0} ইনস্টল করা হচ্ছে", + "Installation succeeded": "ইনস্টলেশন সফল হয়েছে", + "{package} was installed successfully": "{package} সফলভাবে ইনস্টল করা হয়েছে", + "Installation failed": "ইনস্টলেশন ব্যর্থ হয়েছে", + "{package} could not be installed": "{package} ইনস্টল করা যায়নি", + "{package} Update": "{package} আপডেট", + "{0} is being updated to version {1}": "{0} সংস্করণ {1}-এ আপডেট করা হচ্ছে", + "Update succeeded": "আপডেট সফল হয়েছে", + "{package} was updated successfully": "{package} সফলভাবে আপডেট করা হয়েছে", + "Update failed": "আপডেট ব্যর্থ হয়েছে", + "{package} could not be updated": "{package} আপডেট করা যায়নি", + "{package} Uninstall": "{package} আনইনস্টল", + "{0} is being uninstalled": "{0} আনইনস্টল করা হচ্ছে", + "Uninstall succeeded": "আনইনস্টল সফল হয়েছে৷", + "{package} was uninstalled successfully": "{package} সফলভাবে আনইনস্টল করা হয়েছে", + "Uninstall failed": "আনইনস্টল ব্যর্থ হয়েছে৷", + "{package} could not be uninstalled": "{package} আনইনস্টল করা যায়নি", + "Adding source {source}": "{source} যোগ করা হচ্ছে", + "Adding source {source} to {manager}": "{manager}-এ {source} যোগ করা হচ্ছে", + "Source added successfully": "উৎস সফলভাবে যোগ করা হয়েছে", + "The source {source} was added to {manager} successfully": "উৎস {source} সফলভাবে {manager}-এ যোগ করা হয়েছে", + "Could not add source": "উৎস যোগ করা যায়নি", + "Could not add source {source} to {manager}": "{manager}-এ {source} যোগ করা যায়নি", + "Removing source {source}": "{source} সরানো হচ্ছে", + "Removing source {source} from {manager}": "{manager} থেকে উৎস {source} সরানো হচ্ছে", + "Source removed successfully": "উৎস সফলভাবে সরানো হয়েছে", + "The source {source} was removed from {manager} successfully": "উৎস {source} সফলভাবে {manager} থেকে সরানো হয়েছে", + "Could not remove source": "উৎস সরানো যায়নি", + "Could not remove source {source} from {manager}": "{manager} থেকে উৎস {source} সরানো যায়নি", + "The package manager \"{0}\" was not found": "প্যাকেজ ম্যানেজার \"{0}\" পাওয়া যায়নি", + "The package manager \"{0}\" is disabled": "প্যাকেজ ম্যানেজার \"{0}\" অক্ষম করা আছে", + "There is an error with the configuration of the package manager \"{0}\"": "প্যাকেজ ম্যানেজার \"{0}\"-এর কনফিগারেশনে একটি ত্রুটি রয়েছে", + "The package \"{0}\" was not found on the package manager \"{1}\"": "প্যাকেজ \"{0}\" প্যাকেজ ম্যানেজার \"{1}\"-এ পাওয়া যায়নি", + "{0} is disabled": "{0} বন্ধ রয়েছে", + "Something went wrong": "কিছু ভুল হয়েছে", + "An interal error occurred. Please view the log for further details.": "একটি অভ্যন্তরীণ ত্রুটি ঘটেছে. আরো বিস্তারিত জানার জন্য লগ দেখুন.", + "No applicable installer was found for the package {0}": "{0} প্যাকেজের জন্য কোন প্রযোজ্য ইনস্টলার পাওয়া যায়নি", + "We are checking for updates.": "আমরা আপডেটের জন্য চেক করছি।", + "Please wait": "অনুগ্রহপূর্বক অপেক্ষা করুন", + "UniGetUI version {0} is being downloaded.": "UniGetUI সংস্করণ {0} ডাউনলোড করা হচ্ছে।", + "This may take a minute or two": "এতে এক বা দুই মিনিট সময় লাগতে পারে", + "The installer authenticity could not be verified.": "ইনস্টলারের সত্যতা যাচাই করা যায়নি।", + "The update process has been aborted.": "আপডেট প্রক্রিয়া বাতিল করা হয়েছে।", + "Great! You are on the latest version.": "দুর্দান্ত! আপনি সর্বশেষ সংস্করণে আছেন।", + "There are no new UniGetUI versions to be installed": "ইনস্টল করার জন্য কোন নতুন UniGetUI সংস্করণ নেই", + "An error occurred when checking for updates: ": "আপডেটের জন্য পরীক্ষা করার সময় একটি ত্রুটি ঘটেছেঃ", + "UniGetUI is being updated...": "UniGetUI আপডেট করা হচ্ছে...", + "Something went wrong while launching the updater.": "আপডেটার চালু করার সময় কিছু ভুল হয়েছে।", + "Please try again later": "অনুগ্রহ করে পরে আবার চেষ্টা করুন", + "Integrity checks will not be performed during this operation": "এই অপারেশনের সময় অখণ্ডতা পরীক্ষা সম্পাদিত হবে না", + "This is not recommended.": "এটি সুপারিশ করা হয় না।", + "Run now": "এখনই চালান", + "Run next": "পরবর্তীতে চালান", + "Run last": "শেষে চালান", + "Retry as administrator": "প্রশাসক হিসাবে পুনরায় চেষ্টা করুন", + "Retry interactively": "ইন্টারেক্টিভভাবে পুনরায় চেষ্টা করুন", + "Retry skipping integrity checks": "অখণ্ডতা পরীক্ষা এড়িয়ে পুনরায় চেষ্টা করুন", + "Installation options": "ইনস্টলেশন বিকল্প", + "Show in explorer": "এক্সপ্লোরারে দেখান", + "This package is already installed": "এই প্যাকেজ ইতিমধ্যে ইনস্টল করা আছে", + "This package can be upgraded to version {0}": "এই প্যাকেজটি {0} সংস্করণে আপগ্রেড করা যেতে পারে", + "Updates for this package are ignored": "এই প্যাকেজের জন্য আপডেট উপেক্ষা করা হয়", + "This package is being processed": "এই প্যাকেজ প্রক্রিয়া করা হচ্ছে", + "This package is not available": "এই প্যাকেজটি উপলব্ধ নয়", + "Select the source you want to add:": "আপনি যে উৎসটি যোগ করতে চান তা নির্বাচন করুনঃ", + "Source name:": "উৎসের নামঃ", + "Source URL:": "উৎস URL", + "An error occurred": "একটি ত্রুটি ঘটেছে", + "An error occurred when adding the source: ": "উৎস যোগ করার সময় একটি ত্রুটি ঘটেছেঃ", + "Package management made easy": "প্যাকেজ পরিচালনা সহজ করা হয়েছে", + "version {0}": "সংস্করণ {0}", + "[RAN AS ADMINISTRATOR]": "প্রশাসক হিসাবে চালানো হয়েছে", + "Portable mode": "পোর্টেবল মোড\n", + "DEBUG BUILD": "ডিবাগ বিল্ড", + "Available Updates": "উপলব্ধ আপডেট", + "Show WingetUI": "WingetUI দেখান", + "Quit": "বন্ধ করুন", + "Attention required": "মনোযোগ প্রয়োজন", + "Restart required": "রিস্টার্ট প্রয়োজন", + "1 update is available": "১ টি আপডেট উপলব্ধ", + "{0} updates are available": "{0}টি আপডেট উপলব্ধ", + "WingetUI Homepage": "UniGetUI হোমপেজ", + "WingetUI Repository": "UniGetUI রিপোজিটরি", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "এখানে আপনি নিম্নলিখিত শর্টকাটগুলির বিষয়ে UniGetUI-এর আচরণ পরিবর্তন করতে পারেন। একটি শর্টকাট চেক করা UniGetUI-কে ভবিষ্যতের আপগ্রেডে এটি তৈরি হলে মুছে ফেলতে বাধ্য করবে। এটি আনচেক করলে শর্টকাটটি অক্ষুণ্ণ থাকবে", + "Manual scan": "ম্যানুয়াল স্ক্যান", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "আপনার ডেস্কটপের বিদ্যমান শর্টকাটগুলি স্ক্যান করা হবে এবং আপনি কোনগুলি রাখতে এবং কোনগুলি সরাতে হবে তা বেছে নিতে হবে।", + "Continue": "চালিয়ে যান", + "Delete?": "মুছবেন?", + "Missing dependency": "অনুপস্থিত নির্ভরতা", + "Not right now": "এখনই না", + "Install {0}": "{0} ইনস্টল করুন", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI অপারেট করার জন্য {0} প্রয়োজন কিন্তু এটি আপনার সিস্টেমে পাওয়া যায়নি।", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "ইনস্টলেশন প্রক্রিয়া শুরু করতে Install এ ক্লিক করুন। আপনি ইনস্টলেশন এড়িয়ে গেলে, UniGetUI আশানুরূপ কাজ নাও করতে পারে।", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "বিকল্পভাবে, আপনি নিম্নলিখিত কমান্ড Windows PowerShell প্রম্পটে চালিয়ে {0} ইনস্টল করতে পারেন:", + "Do not show this dialog again for {0}": "{0} এর জন্য এই সংলাপটি আর দেখাবেন না", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} ইনস্টল করা হচ্ছে এমন অবস্থায় অপেক্ষা করুন। একটি কালো (বা নীল) উইন্ডো দেখা দিতে পারে। এটি বন্ধ হওয়া পর্যন্ত অপেক্ষা করুন।", + "{0} has been installed successfully.": "{0} সফলভাবে ইনস্টল করা হয়েছে।", + "Please click on \"Continue\" to continue": "চালিয়ে যেতে অনুগ্রহ করে \"চালিয়ে যান\" এ ক্লিক করুন", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} সফলভাবে ইনস্টল করা হয়েছে। ইনস্টলেশন সম্পূর্ণ করতে UniGetUI পুনরায় চালু করার সুপারিশ করা হয়", + "Restart later": "পরে পুনরায় আরম্ভ করুন", + "An error occurred:": "একটি ত্রুটি ঘটেছেঃ", + "I understand": "আমি বুঝেছি", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI প্রশাসক হিসাবে চালানো হয়েছে যা সুপারিশ করা হয় না। UniGetUI-কে প্রশাসক হিসাবে চালানোর সময় UniGetUI থেকে চালু করা প্রতিটি অপারেশনে প্রশাসকের বিশেষাধিকার থাকবে। আপনি এখনও প্রোগ্রামটি ব্যবহার করতে পারেন কিন্তু আমরা প্রশাসকের বিশেষাধিকার সহ UniGetUI না চালানোর দৃঢ় সুপারিশ করি।", + "WinGet was repaired successfully": "WinGet সফলভাবে মেরামত করা হয়েছে", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet মেরামত করার পর UniGetUI পুনরায় চালু করার সুপারিশ করা হয়", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "নোট: এই সমস্যা নির্ণায়ক UniGetUI সেটিংস থেকে WinGet বিভাগে অক্ষম করা যেতে পারে", + "Restart": "পুনরায় চালু করুন", + "WinGet could not be repaired": "WinGet মেরামত করা যায়নি", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet মেরামত করার চেষ্টা করার সময় একটি অপ্রত্যাশিত সমস্যা ঘটেছে। অনুগ্রহ করে পরে আবার চেষ্টা করুন", + "Are you sure you want to delete all shortcuts?": "আপনি কি সমস্ত শর্টকাট মুছতে চান?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ইনস্টল বা আপডেট অপারেশনের সময় তৈরি করা নতুন শর্টকাটগুলি স্বয়ংক্রিয়ভাবে মুছে ফেলা হবে, প্রথমবার সনাক্ত করা হলে নিশ্চিতকরণ প্রম্পট দেখানোর পরিবর্তে।", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI-এর বাইরে তৈরি বা পরিবর্তিত যেকোনো শর্টকাট উপেক্ষা করা হবে। আপনি {0} বোতামের মাধ্যমে সেগুলি যোগ করতে পারবেন।", + "Are you really sure you want to enable this feature?": "আপনি সত্যিই এই বৈশিষ্ট্যটি সক্ষম করতে চান?", + "No new shortcuts were found during the scan.": "স্ক্যানের সময় কোন নতুন শর্টকাট পাওয়া যায়নি।", + "How to add packages to a bundle": "বান্ডেলে প্যাকেজ যোগ করার উপায়", + "In order to add packages to a bundle, you will need to: ": "বান্ডেলে প্যাকেজ যোগ করতে আপনার প্রয়োজন হবে: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "১. \"{0}\" বা \"{1}\" পৃষ্ঠায় নেভিগেট করুন।", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "২. বান্ডেলে যোগ করতে চান এমন প্যাকেজ খুঁজুন এবং তাদের সবচেয়ে বাঁদিকের চেকবক্স নির্বাচন করুন।", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "৩. বান্ডেলে যোগ করতে চান এমন প্যাকেজগুলি নির্বাচন করা হলে, টুলবারে \"{0}\" বিকল্পটি খুঁজুন এবং ক্লিক করুন।", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "৪. আপনার প্যাকেজগুলি বান্ডেলে যোগ করা হবে। আপনি প্যাকেজ যোগ করা চালিয়ে যেতে পারেন বা বান্ডেলটি রপ্তানি করতে পারেন।", + "Which backup do you want to open?": "আপনি কোন ব্যাকআপটি খুলতে চান?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "আপনি যে ব্যাকআপটি খুলতে চান তা নির্বাচন করুন। পরে, আপনি কোন প্যাকেজ/প্রোগ্রাম পুনরুদ্ধার করতে চান তা পর্যালোচনা করতে পারবেন।", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "চলমান অভিযান চলছে। UniGetUI ত্যাগ করা তাদের ব্যর্থ হতে পারে। আপনি কি চালিয়ে যেতে চান?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI বা এর কিছু উপাদান অনুপস্থিত বা দুর্নীতিগ্রস্ত।", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "পরিস্থিতি সমাধানের জন্য UniGetUI পুনরায় ইনস্টল করার দৃঢ় সুপারিশ করা হয়।", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "প্রভাবিত ফাইলগুলির বিষয়ে আরও বিবরণ পেতে UniGetUI লগস দেখুন", + "Integrity checks can be disabled from the Experimental Settings": "অখণ্ডতা পরীক্ষা পরীক্ষামূলক সেটিংস থেকে অক্ষম করা যেতে পারে", + "Repair UniGetUI": "UniGetUI মেরামত করুন", + "Live output": "লাইভ আউটপুট", + "Package not found": "প্যাকেজ পাওয়া যায়নি", + "An error occurred when attempting to show the package with Id {0}": "Id {0} সহ প্যাকেজটি দেখানোর চেষ্টা করার সময় একটি ত্রুটি ঘটেছে", + "Package": "প্যাকেজ", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "এই প্যাকেজ বান্ডেলে সম্ভাব্য বিপজ্জনক কিছু সেটিংস ছিল এবং ডিফল্টরূপে উপেক্ষা করা যেতে পারে।", + "Entries that show in YELLOW will be IGNORED.": "হলুদ রঙে দেখানো প্রবিষ্টিগুলি উপেক্ষা করা হবে।", + "Entries that show in RED will be IMPORTED.": "লাল রঙে দেখানো প্রবিষ্টিগুলি আমদানি করা হবে।", + "You can change this behavior on UniGetUI security settings.": "আপনি UniGetUI নিরাপত্তা সেটিংসে এই আচরণ পরিবর্তন করতে পারেন।", + "Open UniGetUI security settings": "UniGetUI নিরাপত্তা সেটিংস খুলুন", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "যদি আপনি নিরাপত্তা সেটিংস পরিবর্তন করেন তবে পরিবর্তনগুলি কার্যকর হওয়ার জন্য আপনাকে বান্ডেলটি আবার খুলতে হবে।", + "Details of the report:": "রিপোর্টের বিবরণ:", "\"{0}\" is a local package and can't be shared": "\"{0}\" একটি স্থানীয় প্যাকেজ এবং শেয়ার করা যায় না", + "Are you sure you want to create a new package bundle? ": "আপনি কি একটি নতুন প্যাকেজ বান্ডিল তৈরি করতে চান? ", + "Any unsaved changes will be lost": "সংরক্ষিত না করা কোনো পরিবর্তন হারিয়ে যাবে", + "Warning!": "সতর্কতা!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "নিরাপত্তার কারণে, কাস্টম কমান্ড-লাইন আর্গুমেন্ট ডিফল্টরূপে অক্ষম করা আছে। এটি পরিবর্তন করতে UniGetUI নিরাপত্তা সেটিংসে যান। ", + "Change default options": "ডিফল্ট বিকল্প পরিবর্তন করুন", + "Ignore future updates for this package": "এই প্যাকেজের জন্য ভবিষ্যতের আপডেটগুলি উপেক্ষা করুন", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "নিরাপত্তার কারণে, প্রাক-অপারেশন এবং পোস্ট-অপারেশন স্ক্রিপ্টগুলি ডিফল্টরূপে অক্ষম করা আছে। এটি পরিবর্তন করতে UniGetUI নিরাপত্তা সেটিংসে যান। ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "আপনি এমন কমান্ডগুলি সংজ্ঞায়িত করতে পারেন যা এই প্যাকেজটি ইনস্টল, আপডেট বা আনইনস্টল করার আগে বা পরে চালানো হবে। তারা একটি কমান্ড প্রম্পটে চালানো হবে তাই CMD স্ক্রিপ্টগুলি এখানে কাজ করবে।", + "Change this and unlock": "এটি পরিবর্তন করুন এবং আনলক করুন", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} ইনস্টল বিকল্পগুলি বর্তমানে লক করা আছে কারণ {0} ডিফল্ট ইনস্টল বিকল্পগুলি অনুসরণ করে।", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "এই প্যাকেজটি ইনস্টল, আপডেট বা আনইনস্টল করার আগে বন্ধ করা উচিত এমন প্রক্রিয়াগুলি নির্বাচন করুন।", + "Write here the process names here, separated by commas (,)": "এখানে প্রক্রিয়ার নাম লিখুন, কমা (,) দ্বারা পৃথক করা", + "Unset or unknown": "আনসেট বা অজানা", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "অনুগ্রহ করে কমান্ড-লাইন আউটপুট দেখুন বা সমস্যা সম্পর্কে আরও তথ্যের জন্য অপারেশন ইতিহাস পড়ুন।", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "এই প্যাকেজের কোন স্ক্রিনশট নেই বা আইকনটি নেই? আমাদের উন্মুক্ত, পাবলিক ডাটাবেসে অনুপস্থিত আইকন এবং স্ক্রিনশট যোগ করে UniGetUI-তে অবদান রাখুন।", + "Become a contributor": "অবদানকারী হয়ে উঠুন", + "Save": "সংরক্ষণ করুন", + "Update to {0} available": "{0} এর আপডেট উপলব্ধ", + "Reinstall": "পুনরায় ইনস্টল করুন", + "Installer not available": "ইনস্টলার উপলব্ধ নয়", + "Version:": "সংস্করণ:", + "Performing backup, please wait...": "ব্যাকআপ করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", + "An error occurred while logging in: ": "লগ ইন করার সময় একটি ত্রুটি ঘটেছে: ", + "Fetching available backups...": "উপলব্ধ ব্যাকআপ আনা হচ্ছে...", + "Done!": "সম্পন্ন!", + "The cloud backup has been loaded successfully.": "ক্লাউড ব্যাকআপ সফলভাবে লোড করা হয়েছে।", + "An error occurred while loading a backup: ": "ব্যাকআপ লোড করার সময় একটি ত্রুটি ঘটেছে: ", + "Backing up packages to GitHub Gist...": "GitHub Gist-এ প্যাকেজ ব্যাকআপ করা হচ্ছে...", + "Backup Successful": "ব্যাকআপ সফল", + "The cloud backup completed successfully.": "ক্লাউড ব্যাকআপ সফলভাবে সম্পন্ন হয়েছে।", + "Could not back up packages to GitHub Gist: ": "GitHub Gist-এ প্যাকেজ ব্যাকআপ করা যায়নি: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "প্রদান করা প্রশংসাপত্রগুলি নিরাপদে সংরক্ষিত হওয়ার গ্যারান্টি নেই, তাই আপনি আপনার ব্যাংক অ্যাকাউন্টের প্রশংসাপত্র ব্যবহার করতে পারেন না", + "Enable the automatic WinGet troubleshooter": "স্বয়ংক্রিয় WinGet সমস্যা নির্ণয় সক্ষম করুন", + "Enable an [experimental] improved WinGet troubleshooter": "একটি [পরীক্ষামূলক] উন্নত WinGet সমস্যা নির্ণয় সক্ষম করুন", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "\" কোন প্রযোজ্য আপডেট পাওয়া যায়নি\" দিয়ে ব্যর্থ হওয়া আপডেটগুলি উপেক্ষা করা আপডেটগুলির তালিকায় যোগ করুন।", + "Restart WingetUI to fully apply changes": "পরিবর্তনগুলি সম্পূর্ণরূপে প্রয়োগ করতে WingetUI পুনরায় চালু করুন", + "Restart WingetUI": "WingetUI পুনরায় চালু করুন", + "Invalid selection": "অবৈধ নির্বাচন", + "No package was selected": "কোনো প্যাকেজ নির্বাচিত হয়নি", + "More than 1 package was selected": "১টিরও বেশি প্যাকেজ নির্বাচন করা হয়েছে", + "List": "তালিকা", + "Grid": "গ্রিড", + "Icons": "আইকন", "\"{0}\" is a local package and does not have available details": "\"{0}\" একটি স্থানীয় প্যাকেজ এবং বিস্তারিত তথ্য উপলব্ধ নেই", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" একটি স্থানীয় প্যাকেজ এবং এই বৈশিষ্ট্যের সাথে সামঞ্জস্যপূর্ণ নয়", - "(Last checked: {0})": "(শেষ পরীক্ষা করা হয়েছেঃ {0})", + "WinGet malfunction detected": "WinGet ত্রুটি সনাক্ত করা হয়েছে", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "দেখে মনে হচ্ছে WinGet সঠিকভাবে কাজ করছে না। আপনি WinGet মেরামত করার চেষ্টা করতে চান?", + "Repair WinGet": "WinGet মেরামত করুন", + "Create .ps1 script": ".ps1 স্ক্রিপ্ট তৈরি করুন", + "Add packages to bundle": "বান্ডেলে প্যাকেজ যোগ করুন", + "Preparing packages, please wait...": "প্যাকেজ প্রস্তুত করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", + "Loading packages, please wait...": "প্যাকেজ লোড হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", + "Saving packages, please wait...": "প্যাকেজ সংরক্ষণ করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", + "The bundle was created successfully on {0}": "বান্ডেলটি {0}-এ সফলভাবে তৈরি করা হয়েছে", + "Install script": "ইনস্টল স্ক্রিপ্ট", + "The installation script saved to {0}": "ইনস্টলেশন স্ক্রিপ্ট {0}-তে সংরক্ষিত", + "An error occurred while attempting to create an installation script:": "ইনস্টলেশন স্ক্রিপ্ট তৈরি করার চেষ্টা করার সময় একটি ত্রুটি ঘটেছে:", + "{0} packages are being updated": "{0}টি প্যাকেজ আপডেট করা হচ্ছে", + "Error": "ত্রুটি", + "Log in failed: ": "লগ ইন ব্যর্থ: ", + "Log out failed: ": "লগ আউট ব্যর্থ: ", + "Package backup settings": "প্যাকেজ ব্যাকআপ সেটিংস", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(সারিতে {0} কিউ নম্বর)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "Nilavra Bhattacharya, @fluentmoheshwar, Mushfiq Iqbal Rayon, @itz-rj-here, @samiulislamsharan", "0 packages found": "০ টি প্যাকেজ পাওয়া গেছে", "0 updates found": "০ টি আপডেট পাওয়া গেছে", - "1 - Errors": "১ - ত্রুটি", - "1 day": "১ দিন", - "1 hour": "১ ঘন্টা", "1 month": "একটি মাস", "1 package was found": "১টি প্যাকেজ পাওয়া গেছে", - "1 update is available": "১ টি আপডেট উপলব্ধ", - "1 week": "১ সপ্তাহ", "1 year": "১ বছর", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "১. \"{0}\" বা \"{1}\" পৃষ্ঠায় নেভিগেট করুন।", - "2 - Warnings": "২ - সতর্কতা", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "২. বান্ডেলে যোগ করতে চান এমন প্যাকেজ খুঁজুন এবং তাদের সবচেয়ে বাঁদিকের চেকবক্স নির্বাচন করুন।", - "3 - Information (less)": "৩ - তথ্য (কম)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "৩. বান্ডেলে যোগ করতে চান এমন প্যাকেজগুলি নির্বাচন করা হলে, টুলবারে \"{0}\" বিকল্পটি খুঁজুন এবং ক্লিক করুন।", - "4 - Information (more)": "৪ - তথ্য (আরো)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "৪. আপনার প্যাকেজগুলি বান্ডেলে যোগ করা হবে। আপনি প্যাকেজ যোগ করা চালিয়ে যেতে পারেন বা বান্ডেলটি রপ্তানি করতে পারেন।", - "5 - information (debug)": "৫ - তথ্য (ডিবাগ)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "একটি জনপ্রিয় C/C++ লাইব্রেরি ম্যানেজার। C/C++ লাইব্রেরি এবং অন্যান্য C/C++ সম্পর্কিত ইউটিলিটিতে পূর্ণ
অন্তর্ভুক্ত: C/C++ লাইব্রেরি এবং সম্পর্কিত ইউটিলিটি", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "মাইক্রোসফটের .NET ইকোসিস্টেমকে মাথায় রেখে ডিজাইন করা টুলস এবং এক্সিকিউটেবলে পূর্ণ একটি ভান্ডার।
এতে রয়েছে: .NET সম্পর্কিত টুল এবং স্ক্রিপ্ট", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "মাইক্রোসফটের .NET ইকোসিস্টেমকে মাথায় রেখে ডিজাইন করা টুলে পূর্ণ একটি ভান্ডার।
এতে রয়েছে: .NET সম্পর্কিত টুলস", "A restart is required": "একটি পুনরায় সক্রিয় করা প্রয়োজন", - "Abort install if pre-install command fails": "প্রাক-ইনস্টল কমান্ড ব্যর্থ হলে ইনস্টল বাতিল করুন", - "Abort uninstall if pre-uninstall command fails": "প্রাক-আনইনস্টল কমান্ড ব্যর্থ হলে আনইনস্টল বাতিল করুন", - "Abort update if pre-update command fails": "প্রাক-আপডেট কমান্ড ব্যর্থ হলে আপডেট বাতিল করুন", - "About": "সম্পর্কিত", "About Qt6": "Qt6 সম্পর্কে", - "About WingetUI": "WingetUI সম্পর্কে", "About WingetUI version {0}": "WingetUI সম্পর্কে সংস্করণ {0}", "About the dev": "ডেভেলপার সম্বন্ধে", - "Accept": "গ্রহণ করুন", "Action when double-clicking packages, hide successful installations": "প্যাকেজগুলি ডাবল ক্লিক করার সময়, সফল ইনস্টলেশনগুলো লুকান", - "Add": "যুক্ত করুন", "Add a source to {0}": "{0} এ একটি উৎস যোগ করুন", - "Add a timestamp to the backup file names": "ব্যাকআপ ফাইলের নামগুলিতে একটি টাইমস্ট্যাম্প যোগ করুন", "Add a timestamp to the backup files": "ব্যাকআপ ফাইলগুলিতে একটি টাইমস্ট্যাম্প যোগ করুন", "Add packages or open an existing bundle": "প্যাকেজ যোগ করুন বা একটি বিদ্যমান বান্ডিল খুলুন", - "Add packages or open an existing package bundle": "প্যাকেজ যোগ করুন বা একটি বিদ্যমান প্যাকেজ বান্ডিল খুলুন", - "Add packages to bundle": "বান্ডেলে প্যাকেজ যোগ করুন", - "Add packages to start": "শুরু করতে প্যাকেজ যোগ করুন", - "Add selection to bundle": "বান্ডেলে নির্বাচন যোগ করুন", - "Add source": "উৎস যোগ করুন", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "\" কোন প্রযোজ্য আপডেট পাওয়া যায়নি\" দিয়ে ব্যর্থ হওয়া আপডেটগুলি উপেক্ষা করা আপডেটগুলির তালিকায় যোগ করুন।", - "Adding source {source}": "{source} যোগ করা হচ্ছে", - "Adding source {source} to {manager}": "{manager}-এ {source} যোগ করা হচ্ছে", "Addition succeeded": "সংযোজন সফল হয়েছে", - "Administrator privileges": "প্রশাসকের বিশেষাধিকার", "Administrator privileges preferences": "প্রশাসকের বিশেষাধিকার পছন্দসমূহ", "Administrator rights": "প্রশাসকের অধিকার", - "Administrator rights and other dangerous settings": "প্রশাসকের অধিকার এবং অন্যান্য বিপজ্জনক সেটিংস", - "Advanced options": "উন্নত বিকল্প", "All files": "সকল ফাইল", - "All versions": "সকল ভার্সন", - "Allow changing the paths for package manager executables": "প্যাকেজ ম্যানেজার এক্সিকিউটেবলের পথ পরিবর্তন করার অনুমতি দিন", - "Allow custom command-line arguments": "কাস্টম কমান্ড-লাইন আর্গুমেন্টের অনুমতি দিন", - "Allow importing custom command-line arguments when importing packages from a bundle": "বান্ডেল থেকে প্যাকেজ আমদানি করার সময় কাস্টম কমান্ড-লাইন আর্গুমেন্ট আমদানি করার অনুমতি দিন", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "বান্ডেল থেকে প্যাকেজ আমদানি করার সময় কাস্টম প্রাক-ইনস্টল এবং পোস্ট-ইনস্টল কমান্ড আমদানি করার অনুমতি দিন", "Allow package operations to be performed in parallel": "প্যাকেজ অপারেশন সমান্তরালভাবে সঞ্চালিত করার অনুমতি দিন", "Allow parallel installs (NOT RECOMMENDED)": "সমান্তরাল ইনস্টল করার অনুমতি দিন (প্রস্তাবিত নয়)", - "Allow pre-release versions": "প্রি-রিলিজ সংস্করণের অনুমতি দিন", "Allow {pm} operations to be performed in parallel": "{pm} ক্রিয়াকলাপগুলি সমান্তরালভাবে সম্পাদন করার অনুমতি দিন৷", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "বিকল্পভাবে, আপনি নিম্নলিখিত কমান্ড Windows PowerShell প্রম্পটে চালিয়ে {0} ইনস্টল করতে পারেন:", "Always elevate {pm} installations by default": "সর্বদা ডিফল্টরূপে {pm} ইনস্টলেশনগুলিকে উন্নত করুন", "Always run {pm} operations with administrator rights": "সর্বদা প্রশাসকের অধিকার সহ {pm} অপারেশন চালান৷", - "An error occurred": "একটি ত্রুটি ঘটেছে", - "An error occurred when adding the source: ": "উৎস যোগ করার সময় একটি ত্রুটি ঘটেছেঃ", - "An error occurred when attempting to show the package with Id {0}": "Id {0} সহ প্যাকেজটি দেখানোর চেষ্টা করার সময় একটি ত্রুটি ঘটেছে", - "An error occurred when checking for updates: ": "আপডেটের জন্য পরীক্ষা করার সময় একটি ত্রুটি ঘটেছেঃ", - "An error occurred while attempting to create an installation script:": "ইনস্টলেশন স্ক্রিপ্ট তৈরি করার চেষ্টা করার সময় একটি ত্রুটি ঘটেছে:", - "An error occurred while loading a backup: ": "ব্যাকআপ লোড করার সময় একটি ত্রুটি ঘটেছে: ", - "An error occurred while logging in: ": "লগ ইন করার সময় একটি ত্রুটি ঘটেছে: ", - "An error occurred while processing this package": "এই প্যাকেজটি প্রক্রিয়া করার সময় একটি ত্রুটি ঘটেছে", - "An error occurred:": "একটি ত্রুটি ঘটেছেঃ", - "An interal error occurred. Please view the log for further details.": "একটি অভ্যন্তরীণ ত্রুটি ঘটেছে. আরো বিস্তারিত জানার জন্য লগ দেখুন.", "An unexpected error occurred:": "একটি অপ্রত্যাশিত ত্রুটি ঘটেছেঃ", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet মেরামত করার চেষ্টা করার সময় একটি অপ্রত্যাশিত সমস্যা ঘটেছে। অনুগ্রহ করে পরে আবার চেষ্টা করুন", - "An update was found!": "একটি আপডেট পাওয়া গেছে!", - "Android Subsystem": "অ্যান্ড্রয়েড সাবসিস্টেম", "Another source": "আরেকটি উৎস", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ইনস্টল বা আপডেট অপারেশনের সময় তৈরি করা নতুন শর্টকাটগুলি স্বয়ংক্রিয়ভাবে মুছে ফেলা হবে, প্রথমবার সনাক্ত করা হলে নিশ্চিতকরণ প্রম্পট দেখানোর পরিবর্তে।", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI-এর বাইরে তৈরি বা পরিবর্তিত যেকোনো শর্টকাট উপেক্ষা করা হবে। আপনি {0} বোতামের মাধ্যমে সেগুলি যোগ করতে পারবেন।", - "Any unsaved changes will be lost": "সংরক্ষিত না করা কোনো পরিবর্তন হারিয়ে যাবে", "App Name": "অ্যাপের নাম", - "Appearance": "উপস্থিতি", - "Application theme, startup page, package icons, clear successful installs automatically": "অ্যাপ্লিকেশন থিম, স্টার্টআপ পৃষ্ঠা, প্যাকেজ আইকন, স্বয়ংক্রিয়ভাবে সফল ইনস্টল পরিষ্কার করুন", - "Application theme:": "অ্যাপ্লিকেশন থিমঃ", - "Apply": "প্রয়োগ করুন", - "Architecture to install:": "ইনস্টল করার জন্য আর্কিটেকচারঃ", "Are these screenshots wron or blurry?": "এই স্ক্রিনশটগুলি কি ভুল বা অস্পষ্ট লাগছে?", - "Are you really sure you want to enable this feature?": "আপনি সত্যিই এই বৈশিষ্ট্যটি সক্ষম করতে চান?", - "Are you sure you want to create a new package bundle? ": "আপনি কি একটি নতুন প্যাকেজ বান্ডিল তৈরি করতে চান? ", - "Are you sure you want to delete all shortcuts?": "আপনি কি সমস্ত শর্টকাট মুছতে চান?", - "Are you sure?": "আপনি কি নিশ্চিত?", - "Ascendant": "আরোহী", - "Ask for administrator privileges once for each batch of operations": "প্রতিটি ব্যাচের অপারেশনের জন্য একবার প্রশাসকের সুবিধার জন্য জিজ্ঞাসা করুন", "Ask for administrator rights when required": "প্রয়োজনে প্রশাসকের অধিকারের জন্য জিজ্ঞাসা করুন", "Ask once or always for administrator rights, elevate installations by default": "প্রশাসকের অধিকারের জন্য একবার বা সর্বদা জিজ্ঞাসা করুন, ডিফল্টরূপে ইনস্টলেশনগুলিকে উন্নত করুন", - "Ask only once for administrator privileges": "প্রশাসকের বিশেষাধিকারের জন্য শুধুমাত্র একবার জিজ্ঞাসা করুন", "Ask only once for administrator privileges (not recommended)": "প্রশাসকের বিশেষাধিকারের জন্য শুধুমাত্র একবার জিজ্ঞাসা করুন (প্রস্তাবিত নয়)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "ইনস্টল বা আপগ্রেড করার সময় তৈরি করা ডেস্কটপ শর্টকাট মুছে ফেলার জন্য জিজ্ঞাসা করুন।", - "Attention required": "মনোযোগ প্রয়োজন", "Authenticate to the proxy with an user and a password": "একটি ব্যবহারকারী এবং পাসওয়ার্ড দিয়ে প্রক্সিতে প্রমাণীকরণ করুন", - "Author": "লেখক", - "Automatic desktop shortcut remover": "স্বয়ংক্রিয় ডেস্কটপ শর্টকাট অপসারণকারী", - "Automatic updates": "স্বয়ংক্রিয় আপডেট", - "Automatically save a list of all your installed packages to easily restore them.": "সহজেই পুনরুদ্ধার করতে আপনার সমস্ত ইনস্টল করা প্যাকেজগুলির একটি তালিকা স্বয়ংক্রিয়ভাবে সংরক্ষণ করুন।", "Automatically save a list of your installed packages on your computer.": "আপনার কম্পিউটারে আপনার ইনস্টল করা প্যাকেজগুলির একটি তালিকা স্বয়ংক্রিয়ভাবে সংরক্ষণ করুন।", - "Automatically update this package": "স্বয়ংক্রিয়ভাবে এই প্যাকেজটি আপডেট করুন", "Autostart WingetUI in the notifications area": "বিজ্ঞপ্তি এলাকায় WingetUI অটোস্টার্ট করুন", - "Available Updates": "উপলব্ধ আপডেট", "Available updates: {0}": "উপলভ্য আপডেটগুলিঃ {0}", "Available updates: {0}, not finished yet...": "উপলব্ধ আপডেটগুলি: {0}, এখনো শেষ হয়নি...", - "Backing up packages to GitHub Gist...": "GitHub Gist-এ প্যাকেজ ব্যাকআপ করা হচ্ছে...", - "Backup": "ব্যাকআপ", - "Backup Failed": "ব্যাকআপ ব্যর্থ হয়েছে", - "Backup Successful": "ব্যাকআপ সফল", - "Backup and Restore": "ব্যাকআপ এবং পুনরুদ্ধার", "Backup installed packages": "ইনস্টল করা প্যাকেজগুলি ব্যাকআপ করুন", "Backup location": "ব্যাকআপ অবস্থান", - "Become a contributor": "অবদানকারী হয়ে উঠুন", - "Become a translator": "একজন অনুবাদক হন", - "Begin the process to select a cloud backup and review which packages to restore": "একটি ক্লাউড ব্যাকআপ নির্বাচন করার প্রক্রিয়া শুরু করুন এবং কোন প্যাকেজ পুনরুদ্ধার করতে হবে তা পর্যালোচনা করুন", - "Beta features and other options that shouldn't be touched": "বেটা বৈশিষ্ট্যগুলো এবং অন্যান্য বিকল্পগুলি যা স্পর্শ করা উচিত হবে না।", - "Both": "উভয়", - "Bundle security report": "বান্ডেল নিরাপত্তা রিপোর্ট", "But here are other things you can do to learn about WingetUI even more:": "কিন্তু WingetUI সম্বন্ধে আরও বেশি কিছু জানতে আপনি যা করতে পারেন তা এখানে রয়েছে:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "প্যাকেজ ম্যানেজারকে টগল করার মাধ্যমে, আপনি আর এর প্যাকেজ দেখতে বা আপডেট করতে পারবেন না।", "Cache administrator rights and elevate installers by default": "ক্যাশে অ্যাডমিনিস্ট্রেটর অধিকার এবং ডিফল্টরূপে ইনস্টলার উন্নত করুন", "Cache administrator rights, but elevate installers only when required": "ক্যাশে অ্যাডমিনিস্ট্রেটর অধিকার, কিন্তু যখন প্রয়োজন তখনই ইনস্টলারদের উন্নত করুন", "Cache was reset successfully!": "ক্যাশ সফলভাবে পুনরায় সেট করা হয়েছে!", "Can't {0} {1}": "{1} {0} করা যাচ্ছে না", - "Cancel": "বাতিল", "Cancel all operations": "সমস্ত অপারেশন বাতিল করুন", - "Change backup output directory": "ব্যাকআপ আউটপুট ডিরেক্টরি পরিবর্তন করুন", - "Change default options": "ডিফল্ট বিকল্প পরিবর্তন করুন", - "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI কীভাবে আপনার প্যাকেজগুলির জন্য উপলব্ধ আপডেটগুলি পরীক্ষা করে এবং ইনস্টল করে তা পরিবর্তন করুন", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI কীভাবে ইনস্টল, আপডেট এবং আনইনস্টল অপারেশন পরিচালনা করে তা পরিবর্তন করুন।", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI কীভাবে প্যাকেজ ইনস্টল করে এবং উপলব্ধ আপডেট পরীক্ষা ও ইনস্টল করে তা পরিবর্তন করুন", - "Change how operations request administrator rights": "অপারেশনগুলি কীভাবে প্রশাসকের অধিকার অনুরোধ করে তা পরিবর্তন করুন", "Change install location": "ইনস্টল করার অবস্থান পরিবর্তন করুন", - "Change this": "এটি পরিবর্তন করুন", - "Change this and unlock": "এটি পরিবর্তন করুন এবং আনলক করুন", - "Check for package updates periodically": "পর্যায়ক্রমে প্যাকেজ আপডেট চেক করুন", - "Check for updates": "আপডেটের জন্য চেক করুন", - "Check for updates every:": "প্রতিটি আপডেটের জন্য চেক করুনঃ", "Check for updates periodically": "পর্যায়ক্রমে আপডেটের জন্য চেক করুন", "Check for updates regularly, and ask me what to do when updates are found.": "নিয়মিত আপডেটের জন্য চেক করুন, এবং আপডেট পাওয়া গেলে কি করতে হবে তা আমাকে জিজ্ঞাসা করুন।", "Check for updates regularly, and automatically install available ones.": "নিয়মিত আপডেটের জন্য চেক করুন, এবং স্বয়ংক্রিয়ভাবে উপলব্ধগুলি ইনস্টল করুন।", @@ -159,916 +741,335 @@ "Checking for updates...": "আপডেট চেক করা হচ্ছে...", "Checking found instace(s)...": "পাওয়া উদাহরণ(গুলি) পরীক্ষা করা হচ্ছে...", "Choose how many operations shouls be performed in parallel": "কতগুলি অপারেশন সমান্তরালভাবে সম্পাদিত হবে তা বেছে নিন", - "Clear cache": "ক্যাশ পরিষ্কার করুন", "Clear finished operations": "সম্পন্ন অপারেশন পরিষ্কার করুন", - "Clear selection": "নির্বাচন পরিষ্কার করুন", "Clear successful operations": "সফল অপারেশন পরিষ্কার করুন", - "Clear successful operations from the operation list after a 5 second delay": "৫ সেকেন্ডের বিলম্বের পরে অপারেশন তালিকা থেকে সফল অপারেশন পরিষ্কার করুন", "Clear the local icon cache": "স্থানীয় আইকন ক্যাশ পরিষ্কার করুন", - "Clearing Scoop cache - WingetUI": "স্কুপ ক্যাশে সাফ করা হচ্ছে - WingetUI", "Clearing Scoop cache...": "Scoop ক্যাশে পরিষ্কার করা হচ্ছে...", - "Click here for more details": "আরও বিবরণের জন্য এখানে ক্লিক করুন", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "ইনস্টলেশন প্রক্রিয়া শুরু করতে Install এ ক্লিক করুন। আপনি ইনস্টলেশন এড়িয়ে গেলে, UniGetUI আশানুরূপ কাজ নাও করতে পারে।", - "Close": "বন্ধ", - "Close UniGetUI to the system tray": "UniGetUI সিস্টেম ট্রেতে বন্ধ করুন", "Close WingetUI to the notification area": "বিজ্ঞপ্তি এলাকায় WingetUI বন্ধ করুন", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "ক্লাউড ব্যাকআপ ইনস্টল করা প্যাকেজের তালিকা সংরক্ষণ করতে একটি ব্যক্তিগত GitHub Gist ব্যবহার করে", - "Cloud package backup": "ক্লাউড প্যাকেজ ব্যাকআপ", "Command-line Output": "কমান্ড-লাইন আউটপুট", - "Command-line to run:": "চালাতে কমান্ড-লাইন:", "Compare query against": "প্রশ্নের সাথে তুলনা করুন", - "Compatible with authentication": "প্রমাণীকরণের সাথে সামঞ্জস্যপূর্ণ", - "Compatible with proxy": "প্রক্সির সাথে সামঞ্জস্যপূর্ণ", "Component Information": "উপাদানের তথ্য", - "Concurrency and execution": "সমসাময়িকতা এবং বাস্তবায়ন", - "Connect the internet using a custom proxy": "কাস্টম প্রক্সি ব্যবহার করে ইন্টারনেটে সংযোগ করুন", - "Continue": "চালিয়ে যান", "Contribute to the icon and screenshot repository": "আইকন এবং স্ক্রিনশট সংগ্রহস্থলে অবদান রাখুন", - "Contributors": "অবদানকারী", "Copy": "কপি", - "Copy to clipboard": "ক্লিপবোর্ডে কপি করুন", - "Could not add source": "উৎস যোগ করা যায়নি", - "Could not add source {source} to {manager}": "{manager}-এ {source} যোগ করা যায়নি", - "Could not back up packages to GitHub Gist: ": "GitHub Gist-এ প্যাকেজ ব্যাকআপ করা যায়নি: ", - "Could not create bundle": "বান্ডিল তৈরি করা যায়নি", "Could not load announcements - ": "ঘোষণা লোড করা যায়নি -", "Could not load announcements - HTTP status code is $CODE": "ঘোষণা লোড করা যায়নি - HTTP স্ট্যাটাস কোড হল $CODE", - "Could not remove source": "উৎস সরানো যায়নি", - "Could not remove source {source} from {manager}": "{manager} থেকে উৎস {source} সরানো যায়নি", "Could not remove {source} from {manager}": "{manager} থেকে {source} সরানো যায়নি", - "Create .ps1 script": ".ps1 স্ক্রিপ্ট তৈরি করুন", - "Credentials": "প্রশংসাপত্র", "Current Version": "বর্তমান সংস্করণ", - "Current executable file:": "বর্তমান এক্সিকিউটেবল ফাইল:", - "Current status: Not logged in": "বর্তমান স্থিতি: লগ ইন করা হয়নি", "Current user": "বর্তমান ব্যবহারকারী", "Custom arguments:": "কাস্টম আর্গুমেন্টঃ", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "কাস্টম কমান্ড-লাইন আর্গুমেন্ট প্রোগ্রামগুলি ইনস্টল, আপগ্রেড বা আনইনস্টল করার উপায় পরিবর্তন করতে পারে এমনভাবে যা UniGetUI নিয়ন্ত্রণ করতে পারে না। কাস্টম কমান্ড-লাইন ব্যবহার করে প্যাকেজগুলি ভেঙে ফেলা যেতে পারে। সতর্কতার সাথে এগিয়ে যান।", "Custom command-line arguments:": "কাস্টম কমান্ড লাইন আর্গুমেন্টঃ", - "Custom install arguments:": "কাস্টম ইনস্টল আর্গুমেন্ট:", - "Custom uninstall arguments:": "কাস্টম আনইনস্টল আর্গুমেন্ট:", - "Custom update arguments:": "কাস্টম আপডেট আর্গুমেন্ট:", "Customize WingetUI - for hackers and advanced users only": "WingetUI কাস্টমাইজ করুন - শুধুমাত্র হ্যাকার এবং উন্নত ব্যবহারকারীদের জন্য", - "DEBUG BUILD": "ডিবাগ বিল্ড", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "দাবিত্যাগ: আমরা ডাউনলোড করা প্যাকেজগুলির জন্য দায়ী নই। শুধুমাত্র বিশ্বস্ত সফ্টওয়্যার ইনস্টল করার বিষয়ে নিশ্চিত করুন।", - "Dark": "অন্ধকার", - "Decline": "অস্বীকার করুন", - "Default": "ডিফল্ট", - "Default installation options for {0} packages": "{0} প্যাকেজের জন্য ডিফল্ট ইনস্টলেশন বিকল্প", "Default preferences - suitable for regular users": "ডিফল্ট পছন্দ - নিয়মিত ব্যবহারকারীদের জন্য উপযুক্ত", - "Default vcpkg triplet": "ডিফল্ট vcpkg ট্রিপলেট", - "Delete?": "মুছবেন?", - "Dependencies:": "নির্ভরতা:", - "Descendant": "বংশধর", "Description:": "বর্ণনাঃ", - "Desktop shortcut created": "ডেস্কটপ শর্টকাট তৈরি করা হয়েছে", - "Details of the report:": "রিপোর্টের বিবরণ:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "বিকাশ করা কঠিন, এবং এই অ্যাপ্লিকেশনটি বিনামূল্যে। কিন্তু আপনি যদি অ্যাপ্লিকেশনটি পছন্দ করেন তবে আপনি সবসময় আমাকে একটি কফি কিনতে পারেন :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" ট্যাবে একটি আইটেমে ডাবল ক্লিক করার সময় সরাসরি ইনস্টল করুন (প্যাকেজের তথ্য দেখানোর পরিবর্তে)", "Disable new share API (port 7058)": "নতুন শেয়ার API (পোর্ট 7058) অক্ষম করুন", - "Disable the 1-minute timeout for package-related operations": "প্যাকেজ-সম্পর্কিত অপারেশনের জন্য ১-মিনিটের সময়সীমা অক্ষম করুন", - "Disabled": "অক্ষম", - "Disclaimer": "দাবিত্যাগ", - "Discover Packages": "প্যাকেজ আবিষ্কার করুন", "Discover packages": "প্যাকেজ আবিষ্কার করুন", "Distinguish between\nuppercase and lowercase": "বড় হাতের এবং ছোট হাতের অক্ষরের মধ্যে পার্থক্য করুন", - "Distinguish between uppercase and lowercase": "বড় হাতের এবং ছোট হাতের অক্ষরের মধ্যে পার্থক্য করুন", "Do NOT check for updates": "আপডেটের জন্য চেক করবেন না", "Do an interactive install for the selected packages": "নির্বাচিত প্যাকেজের জন্য একটি ইন্টারেক্টিভ ইনস্টল করুন", "Do an interactive uninstall for the selected packages": "নির্বাচিত প্যাকেজগুলির জন্য একটি ইন্টারেক্টিভ আনইনস্টল করুন", "Do an interactive update for the selected packages": "নির্বাচিত প্যাকেজের জন্য একটি ইন্টারেক্টিভ আপডেট করুন", - "Do not automatically install updates when the battery saver is on": "ব্যাটারি সেভার চালু থাকলে সয়ংক্রিয়ভাবে আপডেট ইনস্টল করবেন না", - "Do not automatically install updates when the device runs on battery": "ডিভাইসটি ব্যাটারিতে চলার সময় স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করবেন না", - "Do not automatically install updates when the network connection is metered": "নেটওয়ার্ক সংযোগ পরিমাপযুক্ত হলে স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করবেন না", "Do not download new app translations from GitHub automatically": "GitHub থেকে স্বয়ংক্রিয়ভাবে নতুন অ্যাপ অনুবাদ ডাউনলোড করবেন না", - "Do not ignore updates for this package anymore": "এই প্যাকেজের জন্য আর আপডেট উপেক্ষা করবেন না", "Do not remove successful operations from the list automatically": "তালিকা থেকে স্বয়ংক্রিয়ভাবে সফল ক্রিয়াকলাপগুলি সরাবেন না", - "Do not show this dialog again for {0}": "{0} এর জন্য এই সংলাপটি আর দেখাবেন না", "Do not update package indexes on launch": "লঞ্চের সময় প্যাকেজ সূচী আপডেট করবেন না", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "আপনি কি মেনে চলেন যে UniGetUI ব্যবহারকারীর অভিজ্ঞতা বোঝা এবং উন্নত করার একমাত্র উদ্দেশ্যে নিরাপদ ব্যবহার পরিসংখ্যান সংগ্রহ এবং পাঠায়?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "আপনি কি WingetUI দরকারী বলে মনে করেন? আপনি যদি পারেন, আপনি আমার কাজকে সমর্থন করতে পারেন,যাতে আমি WingetUI-কে চূড়ান্ত প্যাকেজ পরিচালনার ইন্টারফেস তৈরি করা চালিয়ে যেতে পারি।", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "আপনি কি WingetUI দরকারী বলে মনে করেন? আপনি ডেভেলপমেন্ট সমর্থন করতে চান? যদি তাই হয়, আপনি {0} করতে পারেন, এটা অনেক সাহায্য করে!", - "Do you really want to reset this list? This action cannot be reverted.": "আপনি কি সত্যিই এই তালিকাটি রিসেট করতে চান? এই পদক্ষেপটি পূর্বাবস্থায় ফেরানো যায় না।", - "Do you really want to uninstall the following {0} packages?": "আপনি কি সত্যিই নিম্নলিখিত {0} প্যাকেজগুলি আনইনস্টল করতে চান?", "Do you really want to uninstall {0} packages?": "আপনি কি সত্যিই {0} টি প্যাকেজ আনইনস্টল করতে চান?", - "Do you really want to uninstall {0}?": "আপনি কি {0} আনইনষ্টল করতে চান?", "Do you want to restart your computer now?": "আপনি কি এখন আপনার কম্পিউটার পুনরায় চালু করতে চান?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "আপনি কি আপনার ভাষায় UniGetUI অনুবাদ করতে চান? কীভাবে অবদান রাখতে হয় তা দেখুন এখানে!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "দান করতে ভালো লাগছে না? চিন্তা করবেন না, আপনি সবসময় আপনার বন্ধুদের সাথে WingetUI শেয়ার করতে পারেন। WingetUI সম্পর্কে শব্দ ছড়িয়ে দিন।", "Donate": "দান করুন", - "Done!": "সম্পন্ন!", - "Download failed": "ডাউনলোড ব্যর্থ হয়েছে", - "Download installer": "ইনস্টলার ডাউনলোড করুন", - "Download operations are not affected by this setting": "ডাউনলোড অপারেশন এই সেটিংদ্বারা প্রভাবিত হয় না", - "Download selected installers": "নির্বাচিত ইনস্টলারগুলি ডাউনলোড করুন", - "Download succeeded": "ডাউনলোড সফল হয়েছে", "Download updated language files from GitHub automatically": "GitHub থেকে স্বয়ংক্রিয়ভাবে আপডেট করা ভাষার ফাইল ডাউনলোড করুন", "Downloading": "ডাউনলোড হচ্ছে", - "Downloading backup...": "ব্যাকআপ ডাউনলোড করা হচ্ছে...", "Downloading installer for {package}": "{package} এর জন্য ইনস্টলার ডাউনলোড করা হচ্ছে", "Downloading package metadata...": "প্যাকেজ মেটাডেটা ডাউনলোড করা হচ্ছে...", - "Enable Scoop cleanup on launch": "লঞ্চের সময় Scoop ক্লিনআপ সক্ষম করুন", - "Enable WingetUI notifications": "WingetUI বিজ্ঞপ্তি সক্ষম করুন", - "Enable an [experimental] improved WinGet troubleshooter": "একটি [পরীক্ষামূলক] উন্নত WinGet সমস্যা নির্ণয় সক্ষম করুন", - "Enable and disable package managers, change default install options, etc.": "প্যাকেজ ম্যানেজার সক্ষম এবং অক্ষম করুন, ডিফল্ট ইনস্টলেশন বিকল্প পরিবর্তন করুন ইত্যাদি।", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "পটভূমি CPU ব্যবহার অপটিমাইজেশন সক্ষম করুন (Pull Request #3278 দেখুন)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "ব্যাকগ্রাউন্ড এপিআই সক্ষম করুন (WingetUI উইজেট এবং শেয়ারিং, পোর্ট 7058)", - "Enable it to install packages from {pm}.": "{pm} থেকে প্যাকেজ ইনস্টল করতে এটি সক্ষম করুন।", - "Enable the automatic WinGet troubleshooter": "স্বয়ংক্রিয় WinGet সমস্যা নির্ণয় সক্ষম করুন", "Enable the new UniGetUI-Branded UAC Elevator": "নতুন UniGetUI-ব্র্যান্ডেড UAC এলিভেটর সক্ষম করুন", "Enable the new process input handler (StdIn automated closer)": "নতুন প্রসেস ইনপুট হ্যান্ডলার সক্ষম করুন (StdIn স্বয়ংক্রিয় ক্লোজার)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "নিম্নলিখিত সেটিংসগুলি সক্ষম করুন যদি এবং শুধুমাত্র যদি আপনি সম্পূর্ণরূপে বুঝেন যে তারা কী করে এবং তারা যে প্রভাব ফেলতে পারে।", - "Enable {pm}": "{pm} চালু করুন", - "Enabled": "সক্ষম", - "Enter proxy URL here": "এখানে প্রক্সি URL লিখুন", - "Entries that show in RED will be IMPORTED.": "লাল রঙে দেখানো প্রবিষ্টিগুলি আমদানি করা হবে।", - "Entries that show in YELLOW will be IGNORED.": "হলুদ রঙে দেখানো প্রবিষ্টিগুলি উপেক্ষা করা হবে।", - "Error": "ত্রুটি", - "Everything is up to date": "সবকিছু আপ টু ডেট", - "Exact match": "খাপে খাপ", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "আপনার ডেস্কটপের বিদ্যমান শর্টকাটগুলি স্ক্যান করা হবে এবং আপনি কোনগুলি রাখতে এবং কোনগুলি সরাতে হবে তা বেছে নিতে হবে।", - "Expand version": "সংস্করণ প্রসারিত করুন", - "Experimental settings and developer options": "পরীক্ষামূলক সেটিংস এবং ডেভেলপার বিকল্প", - "Export": "রপ্তানি", - "Export log as a file": "লগ একটি ফাইল হিসাবে রপ্তানি করুন", - "Export packages": "প্যাকেজ রপ্তানি করুন", - "Export selected packages to a file": "নির্বাচিত প্যাকেজ একটি ফাইলে রপ্তানি করুন", - "Export settings to a local file": "একটি স্থানীয় ফাইলে সেটিংস রপ্তানি করুন", - "Export to a file": "একটি ফাইলে রপ্তানি করুন", - "Failed": "ব্যর্থ হয়েছে", - "Fetching available backups...": "উপলব্ধ ব্যাকআপ আনা হচ্ছে...", + "Export log as a file": "লগ একটি ফাইল হিসাবে রপ্তানি করুন", + "Export packages": "প্যাকেজ রপ্তানি করুন", + "Export selected packages to a file": "নির্বাচিত প্যাকেজ একটি ফাইলে রপ্তানি করুন", "Fetching latest announcements, please wait...": "সাম্প্রতিক ঘোষণা আনা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", - "Filters": "ফিল্টার", "Finish": "শেষ করুন", - "Follow system color scheme": "সিস্টেমের রঙের স্কিম অনুসরণ করুন", - "Follow the default options when installing, upgrading or uninstalling this package": "এই প্যাকেজটি ইনস্টল, আপগ্রেড বা আনইনস্টল করার সময় ডিফল্ট বিকল্পগুলি অনুসরণ করুন", - "For security reasons, changing the executable file is disabled by default": "নিরাপত্তার কারণে, এক্সিকিউটেবল ফাইল পরিবর্তন ডিফল্টরূপে অক্ষম করা আছে", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "নিরাপত্তার কারণে, কাস্টম কমান্ড-লাইন আর্গুমেন্ট ডিফল্টরূপে অক্ষম করা আছে। এটি পরিবর্তন করতে UniGetUI নিরাপত্তা সেটিংসে যান। ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "নিরাপত্তার কারণে, প্রাক-অপারেশন এবং পোস্ট-অপারেশন স্ক্রিপ্টগুলি ডিফল্টরূপে অক্ষম করা আছে। এটি পরিবর্তন করতে UniGetUI নিরাপত্তা সেটিংসে যান। ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ফোর্স এআরএম কম্পাইল করা উইঙ্গেট সংস্করণ (শুধুমাত্র ARM64 সিস্টেমের জন্য)", - "Force install location parameter when updating packages with custom locations": "কাস্টম অবস্থান সহ প্যাকেজ আপডেট করার সময় ইনস্টল অবস্থান প্যারামিটার জোর করুন", "Formerly known as WingetUI": "পূর্বে WingetUI নামে পরিচিত", "Found": "পাওয়া গেছে ", "Found packages: ": "প্যাকেজ পাওয়া গেছেঃ", "Found packages: {0}": "পাওয়া গেছে : {0}", "Found packages: {0}, not finished yet...": "পাওয়া গেছে : {0}, এখনও খোজা শেষ হয়নি। ", - "General preferences": "সাধারণ পছন্দ", "GitHub profile": "GitHub প্রোফাইল", "Global": "গ্লোবাল", - "Go to UniGetUI security settings": "UniGetUI নিরাপত্তা সেটিংসে যান", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "অজানা কিন্তু দরকারী ইউটিলিটি এবং অন্যান্য আকর্ষণীয় প্যাকেজগুলির দুর্দান্ত সংগ্রহস্থল৷
অন্তর্ভুক্ত: ইউটিলিটি, কমান্ড-লাইন প্রোগ্রাম, সাধারণ সফ্টওয়্যার (অতিরিক্ত বাকেট প্রয়োজন)", - "Great! You are on the latest version.": "দুর্দান্ত! আপনি সর্বশেষ সংস্করণে আছেন।", - "Grid": "গ্রিড", - "Help": "সাহায্য", "Help and documentation": "সাহায্য এবং ডকুমেন্টেশন", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "এখানে আপনি নিম্নলিখিত শর্টকাটগুলির বিষয়ে UniGetUI-এর আচরণ পরিবর্তন করতে পারেন। একটি শর্টকাট চেক করা UniGetUI-কে ভবিষ্যতের আপগ্রেডে এটি তৈরি হলে মুছে ফেলতে বাধ্য করবে। এটি আনচেক করলে শর্টকাটটি অক্ষুণ্ণ থাকবে", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "নমস্কার। আমার নাম মার্টি। আমি WingetUI এর ডেভেলপার। WingetUI সম্পূর্ণরূপে আমার অবসর সময়ে বানিয়েছি !", "Hide details": "বিস্তারিত আড়াল করুন", - "Homepage": "ওয়েবসাইট", - "homepage": "ওয়েবসাইট", - "Hooray! No updates were found.": "কোনো নতুন আপডেট পাওয়া যায়নি!", "How should installations that require administrator privileges be treated?": "এডমিনিস্ট্রেটরের বিশেষাধিকার প্রয়োজন এমন ইনস্টলেশনগুলিকে কীভাবে বিবেচনা করা উচিত?", - "How to add packages to a bundle": "বান্ডেলে প্যাকেজ যোগ করার উপায়", - "I understand": "আমি বুঝেছি", - "Icons": "আইকন", - "Id": "আইড", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "যদি আপনার ক্লাউড ব্যাকআপ সক্ষম থাকে তবে এটি এই অ্যাকাউন্টে একটি GitHub Gist হিসাবে সংরক্ষিত হবে", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "চালাতে কাস্টম প্রাক-ইনস্টল এবং পোস্ট-ইনস্টল কমান্ড অনুমতি দিন", - "Ignore future updates for this package": "এই প্যাকেজের জন্য ভবিষ্যতের আপডেটগুলি উপেক্ষা করুন", - "Ignore packages from {pm} when showing a notification about updates": "আপডেটের বিষয়ে বিজ্ঞপ্তি দেখানোর সময় {pm} থেকে প্যাকেজ উপেক্ষা করুন", - "Ignore selected packages": "নির্বাচিত প্যাকেজ উপেক্ষা করুন", - "Ignore special characters": "বিশেষ অক্ষরগুলো উপেক্ষা করুন", "Ignore updates for the selected packages": "নির্বাচিত প্যাকেজের আপডেট উপেক্ষা করুন", - "Ignore updates for this package": "এই প্যাকেজের আপডেট উপেক্ষা করুন", "Ignored updates": "উপেক্ষা করা আপডেট", - "Ignored version": "উপেক্ষিত সংস্করণ", - "Import": "আমদানি", "Import packages": "প্যাকেজ আমদানি করুন", "Import packages from a file": "একটি ফাইল থেকে প্যাকেজ আমদানি করুন", - "Import settings from a local file": "একটি স্থানীয় ফাইল থেকে সেটিংস আমদানি করুন", - "In order to add packages to a bundle, you will need to: ": "বান্ডেলে প্যাকেজ যোগ করতে আপনার প্রয়োজন হবে: ", "Initializing WingetUI...": "WingetUI শুরু করা হচ্ছে...", - "Install": "ইনস্টল", - "install": "ইনস্টল", - "Install Scoop": "স্কুপ ইনস্টল করুন", "Install and more": "ইনস্টল এবং আরও", "Install and update preferences": "ইনস্টল এবং আপডেট পছন্দ", - "Install as administrator": "এডমিনিস্ট্রেটর হিসেবে ইনস্টল করুন", - "Install available updates automatically": "স্বয়ংক্রিয়ভাবে উপলব্ধ আপডেট ইনস্টল করুন", - "Install location can't be changed for {0} packages": "{0} প্যাকেজের জন্য ইনস্টল অবস্থান পরিবর্তন করা যায় না", - "Install location:": "ইন্টলের জায়গাঃ", - "Install options": "ইনস্টল বিকল্প", "Install packages from a file": "একটি ফাইল থেকে প্যাকেজ ইনস্টল করুন", - "Install prerelease versions of UniGetUI": "UniGetUI-এর প্রি-রিলিজ সংস্করণ ইনস্টল করুন", - "Install script": "ইনস্টল স্ক্রিপ্ট", "Install selected packages": "নির্বাচিত প্যাকেজ ইনস্টল করুন", "Install selected packages with administrator privileges": "প্রশাসকের বিশেষাধিকার সহ নির্বাচিত প্যাকেজগুলি ইনস্টল করুন", - "Install selection": "ইনস্টল নির্বাচন করুন", "Install the latest prerelease version": "সর্বশেষ প্রি-রিলিজ সংস্করণ ইনস্টল করুন", "Install updates automatically": "স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করুন", - "Install {0}": "{0} ইনস্টল করুন", "Installation canceled by the user!": "ব্যবহারকারী দ্বারা ইনস্টলেশন বাতিল!", - "Installation failed": "ইনস্টলেশন ব্যর্থ হয়েছে", - "Installation options": "ইনস্টলেশন বিকল্প", - "Installation scope:": "ইনস্টলেশন সুযোগ:", - "Installation succeeded": "ইনস্টলেশন সফল হয়েছে", - "Installed Packages": "ইনস্টল করা প্যাকেজ", "Installed packages": "ইনস্টল করা প্যাকেজ", - "Installed Version": "ইনস্টল করা সংস্করণ", - "Installer SHA256": "ইনস্টলার SHA256", - "Installer SHA512": "ইনস্টলার SHA512", - "Installer Type": "ইনস্টলার প্রকার", - "Installer URL": "ইনস্টলার URL", - "Installer not available": "ইনস্টলার উপলব্ধ নয়", "Instance {0} responded, quitting...": "উদাহরণ {0} সাড়া দিয়েছে, প্রস্থান করছে...", - "Instant search": "তাৎক্ষণিক অনুসন্ধান", - "Integrity checks can be disabled from the Experimental Settings": "অখণ্ডতা পরীক্ষা পরীক্ষামূলক সেটিংস থেকে অক্ষম করা যেতে পারে", - "Integrity checks skipped": "অখণ্ডতা পরীক্ষা এড়িয়ে গেছে", - "Integrity checks will not be performed during this operation": "এই অপারেশনের সময় অখণ্ডতা পরীক্ষা সম্পাদিত হবে না", - "Interactive installation": "ইন্টারেক্টিভ ইনস্টলেশন", - "Interactive operation": "ইন্টারেক্টিভ অপারেশন", - "Interactive uninstall": "ইন্টারেক্টিভ আনইনস্টল", - "Interactive update": "ইন্টারেক্টিভ আপডেট", - "Internet connection settings": "ইন্টারনেট সংযোগ সেটিংস", - "Invalid selection": "অবৈধ নির্বাচন", "Is this package missing the icon?": "এই প্যাকেজের আইকন অনুপস্থিত?", - "Is your language missing or incomplete?": "আপনার ভাষা অনুপস্থিত বা অসম্পূর্ণ?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "প্রদান করা প্রশংসাপত্রগুলি নিরাপদে সংরক্ষিত হওয়ার গ্যারান্টি নেই, তাই আপনি আপনার ব্যাংক অ্যাকাউন্টের প্রশংসাপত্র ব্যবহার করতে পারেন না", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet মেরামত করার পর UniGetUI পুনরায় চালু করার সুপারিশ করা হয়", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "পরিস্থিতি সমাধানের জন্য UniGetUI পুনরায় ইনস্টল করার দৃঢ় সুপারিশ করা হয়।", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "দেখে মনে হচ্ছে WinGet সঠিকভাবে কাজ করছে না। আপনি WinGet মেরামত করার চেষ্টা করতে চান?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "দেখে মনে হচ্ছে আপনি প্রশাসক হিসাবে WingetUI চালিয়েছেন, যা সুপারিশ করা হয় না। আপনি এখনও প্রোগ্রামটি ব্যবহার করতে পারেন, তবে আমরা প্রশাসকের বিশেষাধিকারের সাথে WingetUI না চালানোর পরামর্শ দিই। কেন দেখতে \"{showDetails}\"-এ ক্লিক করুন৷", - "Language": "ভাষা", - "Language, theme and other miscellaneous preferences": "ভাষা, থিম এবং অন্যান্য বিবিধ পছন্দ", - "Last updated:": "সর্বশেষ সংষ্করণঃ", - "Latest": "সর্বশেষ", "Latest Version": "সবচেয়ে নতুন সংস্করণ", "Latest Version:": "সবচেয়ে নতুন সংস্করণঃ", "Latest details...": "সর্বশেষ বিবরণ...", "Launching subprocess...": "সাবপ্রসেস চালু করা হচ্ছে...", - "Leave empty for default": "ডিফল্টের জন্য খালি ছেড়ে দিন", - "License": "লাইসেন্স", "Licenses": "লাইসেন্স", - "Light": "আলো", - "List": "তালিকা", "Live command-line output": "লাইভ কমান্ড-লাইন আউটপুট", - "Live output": "লাইভ আউটপুট", "Loading UI components...": "ইউ আই উপাদানগুলো লোড হচ্ছে...", "Loading WingetUI...": "WingetUI লোড হচ্ছে...", - "Loading packages": "প্যাকেজ লোড হচ্ছে", - "Loading packages, please wait...": "প্যাকেজ লোড হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", - "Loading...": "লোড হচ্ছে...", - "Local": "স্থানীয়", - "Local PC": "স্থানীয় পিসি", - "Local backup advanced options": "স্থানীয় ব্যাকআপ উন্নত বিকল্প", "Local machine": "স্থানীয় মেশিন", - "Local package backup": "স্থানীয় প্যাকেজ ব্যাকআপ", "Locating {pm}...": "{pm} সনাক্ত করা হচ্ছে...", - "Log in": "লগ ইন করুন", - "Log in failed: ": "লগ ইন ব্যর্থ: ", - "Log in to enable cloud backup": "ক্লাউড ব্যাকআপ সক্ষম করতে লগ ইন করুন", - "Log in with GitHub": "GitHub দিয়ে লগ ইন করুন", - "Log in with GitHub to enable cloud package backup.": "ক্লাউড প্যাকেজ ব্যাকআপ সক্ষম করতে GitHub দিয়ে লগ ইন করুন।", - "Log level:": "লগ লেভেলঃ", - "Log out": "লগ আউট করুন", - "Log out failed: ": "লগ আউট ব্যর্থ: ", - "Log out from GitHub": "GitHub থেকে লগ আউট করুন", "Looking for packages...": "প্যাকেজ খোঁজা হচ্ছে...", "Machine | Global": "মেশিন | গ্লোবাল", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "বিকৃত কমান্ড-লাইন আর্গুমেন্ট প্যাকেজগুলি ভেঙে ফেলতে পারে বা একজন ক্ষতিকর অভিনেতাকে সুবিধাপ্রাপ্ত এক্সিকিউশন পেতে দিতে পারে। তাই কাস্টম কমান্ড-লাইন আর্গুমেন্ট আমদানি ডিফল্টরূপে অক্ষম করা আছে।", - "Manage": "পরিচালনা করুন", - "Manage UniGetUI settings": "UniGetUI সেটিংস পরিচালনা করুন", "Manage WingetUI autostart behaviour from the Settings app": "সেটিংস অ্যাপ থেকে WingetUI অটোস্টার্ট আচরণ পরিচালনা করুন", "Manage ignored packages": "উপেক্ষা করা প্যাকেজ পরিচালনা করুন", - "Manage ignored updates": "উপেক্ষা করা আপডেটগুলি পরিচালনা করুন", - "Manage shortcuts": "শর্টকাটস পরিচালনা করুন", - "Manage telemetry settings": "টেলিমেট্রি সেটিংস পরিচালনা করুন", - "Manage {0} sources": "{0}টি উৎস পরিচালনা করুন৷", - "Manifest": "উদ্ভাসিত", "Manifests": "প্রকাশ করে", - "Manual scan": "ম্যানুয়াল স্ক্যান", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "মাইক্রোসফটের অফিসিয়াল প্যাকেজ ম্যানেজার। সুপরিচিত এবং যাচাইকৃত প্যাকেজে পূর্ণ
অন্তর্ভুক্ত: সাধারণ সফটওয়্যার, মাইক্রোসফ্ট স্টোর অ্যাপস", - "Missing dependency": "অনুপস্থিত নির্ভরতা", - "More": "আরও", - "More details": "আরো বিস্তারিত", - "More details about the shared data and how it will be processed": "শেয়ার করা ডেটা এবং এটি কীভাবে প্রক্রিয়া করা হবে তা সম্পর্কে আরও বিবরণ", - "More info": "আরও তথ্য", - "More than 1 package was selected": "১টিরও বেশি প্যাকেজ নির্বাচন করা হয়েছে", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "নোট: এই সমস্যা নির্ণায়ক UniGetUI সেটিংস থেকে WinGet বিভাগে অক্ষম করা যেতে পারে", - "Name": "নাম", - "New": "নতুন", "New Version": "নতুন সংস্করণ", - "New version": "নতুন সংস্করণ", "New bundle": "নতুন বান্ডিল", - "Nice! Backups will be uploaded to a private gist on your account": "চমৎকার! ব্যাকআপগুলি আপনার অ্যাকাউন্টে একটি ব্যক্তিগত gist-এ আপলোড করা হবে", - "No": "না", - "No applicable installer was found for the package {0}": "{0} প্যাকেজের জন্য কোন প্রযোজ্য ইনস্টলার পাওয়া যায়নি", - "No dependencies specified": "কোন নির্ভরতা নির্দিষ্ট করা হয়নি", - "No new shortcuts were found during the scan.": "স্ক্যানের সময় কোন নতুন শর্টকাট পাওয়া যায়নি।", - "No package was selected": "কোনো প্যাকেজ নির্বাচিত হয়নি", "No packages found": "কোন প্যাকেজ পাওয়া যায়নি", "No packages found matching the input criteria": "ইনপুট মানদণ্ডের সাথে মেলে এমন কোনো প্যাকেজ পাওয়া যায়নি", "No packages have been added yet": "কোনো প্যাকেজ এখনো যোগ করা হয়নি", "No packages selected": "কোনো প্যাকেজ নির্বাচন করা হয়নি", - "No packages were found": "কোন প্যাকেজ পাওয়া যায়নি", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "কোনো ব্যক্তিগত তথ্য সংগ্রহ বা প্রেরণ করা হয় না এবং সংগৃহীত ডেটা অননামকৃত করা হয়, তাই এটি আপনার কাছে ফিরিয়ে আনা যায় না।", - "No results were found matching the input criteria": "ইনপুট মানদণ্ডের সাথে মেলে এমন কোনো ফলাফল পাওয়া যায়নি", "No sources found": "কোনো সূত্র পাওয়া যায়নি", "No sources were found": "কোনো প্যাকেজ নির্বাচন করা হয়নি", "No updates are available": "কোন আপডেট উপলব্ধ নেই", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "নোড জেএস এর প্যাকেজ ম্যানেজার। লাইব্রেরি এবং অন্যান্য ইউটিলিটি পূর্ণ যা জাভাস্ক্রিপ্ট বিশ্বকে প্রদক্ষিণ করে
এতে রয়েছে: নোড জাভাস্ক্রিপ্ট লাইব্রেরি এবং অন্যান্য সম্পর্কিত ইউটিলিটিগুলি", - "Not available": "পাওয়া যায়নি", - "Not finding the file you are looking for? Make sure it has been added to path.": "আপনি যে ফাইলটি খুঁজছেন তা খুঁজে পাচ্ছেন না? নিশ্চিত করুন যে এটি পাথে যোগ করা হয়েছে।", - "Not found": "খুঁজে পাওয়া যায়নি", - "Not right now": "এখনই না", "Notes:": "মন্তব্যঃ", - "Notification preferences": "বিজ্ঞপ্তি পছন্দ", "Notification tray options": "বিজ্ঞপ্তি ট্রে বিকল্প", - "Notification types": "বিজ্ঞপ্তি প্রকার", - "NuPkg (zipped manifest)": "NuPkg (জিপ করা ম্যানিফেস্ট)", - "OK": "ঠিক আছে", "Ok": "Ok (ঠিকাছে)", - "Open": "খোলা", "Open GitHub": "GitHub খুলুন", - "Open UniGetUI": "UniGetUI খুলুন", - "Open UniGetUI security settings": "UniGetUI নিরাপত্তা সেটিংস খুলুন", "Open WingetUI": "WingetUI খুলুন", "Open backup location": "ব্যাকআপ অবস্থান খুলুন", "Open existing bundle": "বিদ্যমান বান্ডিল খুলুন", - "Open install location": "ইনস্টল অবস্থান খুলুন", "Open the welcome wizard": "স্বাগতম উইজার্ড খুলুন", - "Operation canceled by user": "ব্যবহারকারী দ্বারা অপারেশন বাতিল করা হয়েছে", "Operation cancelled": "অপারেশন বাতিল করা হয়েছে", - "Operation history": "অপারেশন ইতিহাস", - "Operation in progress": "অপারেশন চলছে", - "Operation on queue (position {0})...": "সারিতে অপারেশন (অবস্থান {0})...", - "Operation profile:": "অপারেশন প্রোফাইল:", "Options saved": "বিকল্পগুলি সংরক্ষিত", - "Order by:": "অর্ডার করুন:", - "Other": "অন্যান্য", - "Other settings": "অন্যান্য সেটিংস", - "Package": "প্যাকেজ", - "Package Bundles": "প্যাকেজ বান্ডিল", - "Package ID": "প্যাকেজ আইডি", "Package Manager": "প্যাকেজ ম্যানেজার", - "Package manager": "প্যাকেজ ম্যানেজার", - "Package Manager logs": "প্যাকেজ ম্যানেজার লগ", - "Package Managers": "প্যাকেজ ম্যানেজার", "Package managers": "প্যাকেজ ম্যানেজার", - "Package Name": "প্যাকেজের নাম", - "Package backup": "প্যাকেজ ব্যাকআপ", - "Package backup settings": "প্যাকেজ ব্যাকআপ সেটিংস", - "Package bundle": "প্যাকেজ বান্ডিল", - "Package details": "প্যাকেজ বিবরণ", - "Package lists": "প্যাকেজ তালিকা", - "Package management made easy": "প্যাকেজ পরিচালনা সহজ করা হয়েছে", - "Package manager preferences": "প্যাকেজ ম্যানেজার পছন্দ", - "Package not found": "প্যাকেজ পাওয়া যায়নি", - "Package operation preferences": "প্যাকেজ অপারেশন পছন্দ", - "Package update preferences": "প্যাকেজ আপডেট পছন্দ", "Package {name} from {manager}": "{manager} থেকে প্যাকেজ {name}", - "Package's default": "প্যাকেজের ডিফল্ট", "Packages": "প্যাকেজ", "Packages found: {0}": "প্যাকেজ পাওয়া গেছেঃ {0}", - "Partially": "আংশিকভাবে", - "Password": "পাসওয়ার্ড", "Paste a valid URL to the database": "ডাটাবেসে একটি বৈধ URL পেস্ট করুন", - "Pause updates for": "এর জন্য আপডেট স্থগিত করুন", "Perform a backup now": "এখন একটি ব্যাকআপ সঞ্চালন", - "Perform a cloud backup now": "এখনই একটি ক্লাউড ব্যাকআপ সম্পাদন করুন", - "Perform a local backup now": "এখনই একটি স্থানীয় ব্যাকআপ সম্পাদন করুন", - "Perform integrity checks at startup": "স্টার্টআপে অখণ্ডতা পরীক্ষা সম্পাদন করুন", - "Performing backup, please wait...": "ব্যাকআপ করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", "Periodically perform a backup of the installed packages": "পর্যায়ক্রমে ইনস্টল করা প্যাকেজগুলির একটি ব্যাকআপ সঞ্চালন করুন", - "Periodically perform a cloud backup of the installed packages": "পর্যায়ক্রমে ইনস্টল করা প্যাকেজগুলির একটি ক্লাউড ব্যাকআপ সম্পাদন করুন", - "Periodically perform a local backup of the installed packages": "পর্যায়ক্রমে ইনস্টল করা প্যাকেজগুলির একটি স্থানীয় ব্যাকআপ সম্পাদন করুন", - "Please check the installation options for this package and try again": "এই প্যাকেজের জন্য ইনস্টলেশন বিকল্পগুলি পরীক্ষা করুন এবং আবার চেষ্টা করুন", - "Please click on \"Continue\" to continue": "চালিয়ে যেতে অনুগ্রহ করে \"চালিয়ে যান\" এ ক্লিক করুন", "Please enter at least 3 characters": "অনুগ্রহ করে কমপক্ষে ৩টি অক্ষর লিখুন", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "অনুগ্রহ করে মনে রাখবেন যে এই মেশিনে সক্ষম প্যাকেজ পরিচালকদের কারণে কিছু প্যাকেজ ইনস্টলযোগ্য নাও হতে পারে।", - "Please note that not all package managers may fully support this feature": "অনুগ্রহ করে মনে রাখবেন যে সমস্ত প্যাকেজ ম্যানেজার এই বৈশিষ্ট্যটি সম্পূর্ণরূপে সমর্থন করতে পারে না", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "দয়া করে মনে রাখবেন যে নির্দিষ্ট উত্স থেকে প্যাকেজগুলি রপ্তানিযোগ্য নাও হতে পারে৷ সেগুলিকে ধূসর করা হয়েছে এবং রপ্তানি করা হবে না।", - "Please run UniGetUI as a regular user and try again.": "অনুগ্রহ করে UniGetUI একটি নিয়মিত ব্যবহারকারী হিসাবে চালান এবং আবার চেষ্টা করুন।", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "অনুগ্রহ করে কমান্ড-লাইন আউটপুট দেখুন বা সমস্যা সম্পর্কে আরও তথ্যের জন্য অপারেশন ইতিহাস পড়ুন।", "Please select how you want to configure WingetUI": "আপনি কিভাবে WingetUI কনফিগার করতে চান দয়া করে নির্বাচন করুন", - "Please try again later": "অনুগ্রহ করে পরে আবার চেষ্টা করুন", "Please type at least two characters": "অন্তত দুটি অক্ষর টাইপ করুন", - "Please wait": "অনুগ্রহপূর্বক অপেক্ষা করুন", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} ইনস্টল করা হচ্ছে এমন অবস্থায় অপেক্ষা করুন। একটি কালো (বা নীল) উইন্ডো দেখা দিতে পারে। এটি বন্ধ হওয়া পর্যন্ত অপেক্ষা করুন।", - "Please wait...": "একটু অপেক্ষা করুন...", "Portable": "সুবহ", - "Portable mode": "পোর্টেবল মোড\n", - "Post-install command:": "পোস্ট-ইনস্টল কমান্ড:", - "Post-uninstall command:": "পোস্ট-আনইনস্টল কমান্ড:", - "Post-update command:": "পোস্ট-আপডেট কমান্ড:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "পাওয়ারশেলের প্যাকেজ ম্যানেজার। PowerShell ক্ষমতা প্রসারিত করতে লাইব্রেরি এবং স্ক্রিপ্ট খুঁজুন
অন্তর্ভুক্তঃ মডিউল, স্ক্রিপ্ট, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "প্রাক এবং পোস্ট ইনস্টল কমান্ডগুলি আপনার ডিভাইসে অত্যন্ত নৃশংস কাজ করতে পারে যদি তা করার জন্য ডিজাইন করা হয়। বান্ডেল থেকে কমান্ডগুলি আমদানি করা অত্যন্ত বিপজ্জনক হতে পারে যদি না আপনি সেই প্যাকেজ বান্ডেলের উৎসকে বিশ্বাস করেন", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "প্রাক এবং পোস্ট ইনস্টল কমান্ডগুলি একটি প্যাকেজ ইনস্টল, আপগ্রেড বা আনইনস্টল হওয়ার আগে এবং পরে চালানো হয়। সতর্ক থাকুন যে সাবধানে ব্যবহার না করলে তারা জিনিসগুলি ভেঙে ফেলতে পারে", - "Pre-install command:": "প্রাক-ইনস্টল কমান্ড:", - "Pre-uninstall command:": "প্রাক-আনইনস্টল কমান্ড:", - "Pre-update command:": "প্রাক-আপডেট কমান্ড:", - "PreRelease": "প্রি-রিলিজ", - "Preparing packages, please wait...": "প্যাকেজ প্রস্তুত করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", - "Proceed at your own risk.": "আপনার নিজের ঝুঁকিতে এগিয়ে যান।", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI এলিভেটর বা GSudo এর মাধ্যমে যেকোনো ধরনের উচ্চতা নিষিদ্ধ করুন", - "Proxy URL": "প্রক্সি URL", - "Proxy compatibility table": "প্রক্সি সামঞ্জস্য টেবিল", - "Proxy settings": "প্রক্সি সেটিংস", - "Proxy settings, etc.": "প্রক্সি সেটিংস ইত্যাদি।", "Publication date:": "প্রকাশনার তারিখঃ", - "Publisher": "প্রকাশক", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "পাইথনের লাইব্রেরি ম্যানেজার। পাইথন লাইব্রেরি এবং অন্যান্য পাইথন-সম্পর্কিত ইউটিলিটিগুলিতে পরিপূর্ণ
অন্তর্ভুক্ত: পাইথন লাইব্রেরি এবং সম্পর্কিত ইউটিলিটিগুলি", - "Quit": "বন্ধ করুন", "Quit WingetUI": "WingetUI প্রস্থান করুন", - "Ready": "প্রস্তুত", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC প্রম্পটগুলি হ্রাস করুন, ডিফল্টরূপে ইনস্টলেশনগুলি উন্নত করুন, নির্দিষ্ট বিপজ্জনক বৈশিষ্ট্যগুলি আনলক করুন ইত্যাদি।", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "প্রভাবিত ফাইলগুলির বিষয়ে আরও বিবরণ পেতে UniGetUI লগস দেখুন", - "Reinstall": "পুনরায় ইনস্টল করুন", - "Reinstall package": "প্যাকেজ পুনরায় ইনস্টল করুন", - "Related settings": "সম্পর্কিত সেটিংস", - "Release notes": "অব্যাহতি পত্র", - "Release notes URL": "রিলিজ নোট URL", "Release notes URL:": "রিলিজ নোট URL:", "Release notes:": "অব্যাহতি পত্রঃ", "Reload": "পুনরায় লোড করুন", - "Reload log": "লগ পুনরায় লোড করুন", "Removal failed": "সরানো ব্যর্থ হয়েছে", "Removal succeeded": "অপসারণ সফল হয়েছে", - "Remove from list": "তালিকা থেকে বাদ দিন", "Remove permanent data": "পার্মানেন্ট ডেটা মুছে দিন", - "Remove selection from bundle": "বান্ডেল থেকে নির্বাচন সরান", "Remove successful installs/uninstalls/updates from the installation list": "ইনস্টলেশন তালিকা থেকে সফল ইনস্টল/আনইনস্টল/আপডেটগুলি সরান", - "Removing source {source}": "{source} সরানো হচ্ছে", - "Removing source {source} from {manager}": "{manager} থেকে উৎস {source} সরানো হচ্ছে", - "Repair UniGetUI": "UniGetUI মেরামত করুন", - "Repair WinGet": "WinGet মেরামত করুন", - "Report an issue or submit a feature request": "একটি সমস্যা রিপোর্ট করুন বা একটি বৈশিষ্ট্য অনুরোধ জমা দিন", "Repository": "ভান্ডার", - "Reset": "রিসেট করুন", "Reset Scoop's global app cache": "Scoop এর গ্লোবাল অ্যাপ ক্যাশ রিসেট করুন", - "Reset UniGetUI": "UniGetUI রিসেট করুন", - "Reset WinGet": "WinGet রিসেট করুন", "Reset Winget sources (might help if no packages are listed)": "উইনগেট সোর্স রিসেট করুন (কোন প্যাকেজ তালিকাভুক্ত না থাকলে সাহায্য করতে পারে)", - "Reset WingetUI": "WingetUI রিসেট করুন", "Reset WingetUI and its preferences": "WingetUI এবং এর পছন্দগুলি রিসেট করুন", "Reset WingetUI icon and screenshot cache": "WingetUI আইকন এবং স্ক্রিনশট ক্যাশে রিসেট করুন", - "Reset list": "তালিকা রিসেট করুন", "Resetting Winget sources - WingetUI": "Winget উৎস রিসেট করা হচ্ছে - WingetUI", - "Restart": "পুনরায় চালু করুন", - "Restart UniGetUI": "UniGetUI পুনরায় চালু করুন", - "Restart WingetUI": "WingetUI পুনরায় চালু করুন", - "Restart WingetUI to fully apply changes": "পরিবর্তনগুলি সম্পূর্ণরূপে প্রয়োগ করতে WingetUI পুনরায় চালু করুন", - "Restart later": "পরে পুনরায় আরম্ভ করুন", "Restart now": "এখন আবার পুনরায় চালু করুন", - "Restart required": "রিস্টার্ট প্রয়োজন", "Restart your PC to finish installation": "ইনস্টলেশন শেষ করতে আপনার পিসি পুনরায় চালু করুন", "Restart your computer to finish the installation": "ইনস্টলেশন শেষ করতে আপনার কম্পিউটার পুনরায় চালু করুন", - "Restore a backup from the cloud": "ক্লাউড থেকে একটি ব্যাকআপ পুনরুদ্ধার করুন", - "Restrictions on package managers": "প্যাকেজ ম্যানেজারগুলির বিধিনিষেধ", - "Restrictions on package operations": "প্যাকেজ অপারেশনগুলির বিধিনিষেধ", - "Restrictions when importing package bundles": "প্যাকেজ বান্ডিল আমদানি করার সময় বিধিনিষেধ", - "Retry": "পুনরায় চেষ্টা করা", - "Retry as administrator": "প্রশাসক হিসাবে পুনরায় চেষ্টা করুন", "Retry failed operations": "ব্যর্থ অপারেশনগুলি পুনরায় চেষ্টা করুন", - "Retry interactively": "ইন্টারেক্টিভভাবে পুনরায় চেষ্টা করুন", - "Retry skipping integrity checks": "অখণ্ডতা পরীক্ষা এড়িয়ে পুনরায় চেষ্টা করুন", "Retrying, please wait...": "পুনরায় চেষ্টা করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", "Return to top": "উপরে ফেরত যান", - "Run": "চালান", - "Run as admin": "এডমিনিস্ট্রেটর হিসেবে চালান", - "Run cleanup and clear cache": "পরিষ্কার চালান এবং ক্যাশে পরিষ্কার করুন", - "Run last": "শেষে চালান", - "Run next": "পরবর্তীতে চালান", - "Run now": "এখনই চালান", "Running the installer...": "ইনস্টলার চালানো হচ্ছে...", "Running the uninstaller...": "আনইনস্টলার চালানো হচ্ছে...", "Running the updater...": "আপডেটার চালানো হচ্ছে...", - "Save": "সংরক্ষণ করুন", "Save File": "ফাইল সংরক্ষণ", - "Save and close": "সংরক্ষণ করেন এবং বন্ধ করেন", - "Save as": "এই হিসাবে সংরক্ষণ করুন", - "Save bundle as": "এই হিসাবে বান্ডিল সংরক্ষণ করুন", - "Save now": "এখনই সংরক্ষণ করুন", - "Saving packages, please wait...": "প্যাকেজ সংরক্ষণ করা হচ্ছে, অনুগ্রহ করে অপেক্ষা করুন...", - "Scoop Installer - WingetUI": "স্কুপ ইনস্টলার - WingetUI", - "Scoop Uninstaller - WingetUI": "স্কুপ আনইনস্টলার - WingetUI", - "Scoop package": "স্কুপ প্যাকেজ", + "Save bundle as": "এই হিসাবে বান্ডিল সংরক্ষণ করুন", + "Save now": "এখনই সংরক্ষণ করুন", "Search": "অনুসন্ধান করুন", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "ডেস্কটপ সফ্টওয়্যার অনুসন্ধান করুন, আপডেটগুলি উপলব্ধ হলে আমাকে সতর্ক করুন এবং অযৌক্তিক জিনিসগুলি করবেন না। আমি চাই না উইনগেটইউআই অতিরিক্ত জটিল হোক, আমি চাই একটি সাধারণ সফ্টওয়্যার স্টোর", - "Search for packages": "প্যাকেজ অনুসন্ধান করুন", - "Search for packages to start": "শুরু করার জন্য প্যাকেজ অনুসন্ধান করুন", - "Search mode": "অনুসন্ধান মোড", "Search on available updates": "উপলব্ধ আপডেট অনুসন্ধান করুন", "Search on your software": "আপনার সফ্টওয়্যার অনুসন্ধান করুন", "Searching for installed packages...": "ইনস্টল করা প্যাকেজগুলির জন্য অনুসন্ধান করা হচ্ছে...", "Searching for packages...": "প্যাকেজ খোঁজা হচ্ছে...", "Searching for updates...": "আপডেটের জন্য অনুসন্ধান করা হচ্ছে...", - "Select": "নির্বাচন করুন", "Select \"{item}\" to add your custom bucket": "আপনার কাস্টম বাকেট যোগ করতে \"{item}\" নির্বাচন করুন", "Select a folder": "একটি ফোল্ডার নির্বাচন করুন", - "Select all": "সব নির্বাচন করুন", "Select all packages": "সব প্যাকেজ নির্বাচন করুন", - "Select backup": "ব্যাকআপ নির্বাচন করুন", "Select only if you know what you are doing.": "শুধুমাত্র যদি আপনি জানেন যে আপনি কি করছেন নির্বাচন করুন।", "Select package file": "প্যাকেজ ফাইল নির্বাচন করুন", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "আপনি যে ব্যাকআপটি খুলতে চান তা নির্বাচন করুন। পরে, আপনি কোন প্যাকেজ/প্রোগ্রাম পুনরুদ্ধার করতে চান তা পর্যালোচনা করতে পারবেন।", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "ব্যবহার করার জন্য এক্সিকিউটেবল নির্বাচন করুন। নিম্নলিখিত তালিকা UniGetUI দ্বারা পাওয়া এক্সিকিউটেবলগুলি দেখায়", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "এই প্যাকেজটি ইনস্টল, আপডেট বা আনইনস্টল করার আগে বন্ধ করা উচিত এমন প্রক্রিয়াগুলি নির্বাচন করুন।", - "Select the source you want to add:": "আপনি যে উৎসটি যোগ করতে চান তা নির্বাচন করুনঃ", - "Select upgradable packages by default": "ডিফল্টরূপে আপগ্রেডযোগ্য প্যাকেজ নির্বাচন করুন", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "কোন প্যাকেজ ম্যানেজার ব্যবহার করবেন ({0}) নির্বাচন করুন, প্যাকেজগুলি কীভাবে ইনস্টল করা হয় তা কনফিগার করুন, প্রশাসকের অধিকারগুলি কীভাবে পরিচালনা করা হয় তা পরিচালনা করুন ইত্যাদি।", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "হ্যান্ডশেক পাঠানো হয়েছে। উদাহরণ শ্রোতার উত্তরের জন্য অপেক্ষা করা হচ্ছে... ({0}%)", - "Set a custom backup file name": "একটি কাস্টম ব্যাকআপ ফাইলের নাম সেট করুন", "Set custom backup file name": "Set custom backup file name\n", - "Settings": "সেটিংস", - "Share": "শেয়ার", "Share WingetUI": "WingetUI শেয়ার করুন", - "Share anonymous usage data": "নিরাপদ ব্যবহার ডেটা শেয়ার করুন", - "Share this package": "এই প্যাকেজ শেয়ার করুন", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "যদি আপনি নিরাপত্তা সেটিংস পরিবর্তন করেন তবে পরিবর্তনগুলি কার্যকর হওয়ার জন্য আপনাকে বান্ডেলটি আবার খুলতে হবে।", "Show UniGetUI on the system tray": "সিস্টেম ট্রেতে UniGetUI দেখান", - "Show UniGetUI's version and build number on the titlebar.": "টাইটেলবারে UniGetUI-এর সংস্করণ প্রদর্শন করুন", - "Show WingetUI": "WingetUI দেখান", "Show a notification when an installation fails": "ইনস্টলেশন ব্যর্থ হলে একটি বিজ্ঞপ্তি দেখান", "Show a notification when an installation finishes successfully": "একটি ইনস্টলেশন সফলভাবে শেষ হলে একটি বিজ্ঞপ্তি দেখান", - "Show a notification when an operation fails": "অপারেশন ব্যর্থ হলে একটি বিজ্ঞপ্তি দেখান", - "Show a notification when an operation finishes successfully": "একটি অপারেশন সফলভাবে শেষ হলে একটি বিজ্ঞপ্তি দেখান", - "Show a notification when there are available updates": "আপডেট পাওয়া গেলে একটি বিজ্ঞপ্তি দেখান", - "Show a silent notification when an operation is running": "অপারেশন চলাকালীন একটি নীরব বিজ্ঞপ্তি দেখান", "Show details": "বিস্তারিত দেখাও", - "Show in explorer": "এক্সপ্লোরারে দেখান", "Show info about the package on the Updates tab": "আপডেট ট্যাবে প্যাকেজ সম্পর্কে তথ্য দেখান", "Show missing translation strings": "অনুপস্থিত অনুবাদ স্ট্রিং দেখান", - "Show notifications on different events": "অপারেশন চলাকালীন একটি নীরব বিজ্ঞপ্তি দেখান", "Show package details": "প্যাকেজের বিবরণ দেখান", - "Show package icons on package lists": "প্যাকেজ তালিকায় প্যাকেজ আইকন দেখান", - "Show similar packages": "অনুরূপ প্যাকেজ দেখান", "Show the live output": "লাইভ আউটপুট দেখান", - "Size": "আকার", "Skip": "এড়িয়ে যান", - "Skip hash check": "হ্যাশ চেক করা বাদ দিন", - "Skip hash checks": "হ্যাশ পরীক্ষা এড়িয়ে যান", - "Skip integrity checks": "অখণ্ডতা পরীক্ষা এড়িয়ে যান", - "Skip minor updates for this package": "এই প্যাকেজের জন্য ছোট আপডেটগুলি এড়িয়ে যান", "Skip the hash check when installing the selected packages": "নির্বাচিত প্যাকেজ ইনস্টল করার সময় হ্যাশ চেক এড়িয়ে যান", "Skip the hash check when updating the selected packages": "নির্বাচিত প্যাকেজ আপডেট করার সময় হ্যাশ চেক এড়িয়ে যান", - "Skip this version": "এই সংস্করণে এড়িয়ে যান", - "Software Updates": "সফটওয়্যার আপডেট", - "Something went wrong": "কিছু ভুল হয়েছে", - "Something went wrong while launching the updater.": "আপডেটার চালু করার সময় কিছু ভুল হয়েছে।", - "Source": "উৎস", - "Source URL:": "উৎস URL", - "Source added successfully": "উৎস সফলভাবে যোগ করা হয়েছে", "Source addition failed": "উৎস যোগ ব্যর্থ হয়েছে", - "Source name:": "উৎসের নামঃ", "Source removal failed": "উৎস অপসারণ ব্যর্থ হয়েছে", - "Source removed successfully": "উৎস সফলভাবে সরানো হয়েছে", "Source:": "উৎসঃ", - "Sources": "সূত্র", "Start": "শুরু করুন", "Starting daemons...": "ডেমন শুরু হচ্ছে...", - "Starting operation...": "অপারেশন শুরু হচ্ছে...", "Startup options": "স্টার্টআপ বিকল্প", "Status": "স্ট্যাটাস", "Stuck here? Skip initialization": "এখানে আটকে? সূচনা এড়িয়ে যান", - "Success!": "সাফল্য!", "Suport the developer": "ডেভেলপারদের সমর্থন করুন", "Support me": "আমাকে সমর্থন করুন", "Support the developer": "ডেভেলপারদের সমর্থন করুন", "Systems are now ready to go!": "সিস্টেম এখন যেতে প্রস্তুত!", - "Telemetry": "টেলিমেট্রি", - "Text": "পাঠ্য", "Text file": "লেখার ফাইল", - "Thank you ❤": "ধন্যবাদ ❤", "Thank you 😉": "ধন্যবাদ 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust প্যাকেজ ম্যানেজার।
অন্তর্ভুক্ত: Rust লাইব্রেরি এবং Rust-এ লেখা প্রোগ্রাম", - "The backup will NOT include any binary file nor any program's saved data.": "ব্যাকআপে কোনও বাইনারি ফাইল বা কোনও প্রোগ্রামের সংরক্ষিত ডেটা অন্তর্ভুক্ত থাকবে না।", - "The backup will be performed after login.": "ব্যাকআপ লগইন করার পরে সঞ্চালিত হবে।", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "ব্যাকআপ ইনস্টল করা প্যাকেজের সম্পূর্ণ তালিকা এবং তাদের ইনস্টলেশন বিকল্পগুলি অন্তর্ভুক্ত করবে। উপেক্ষিত আপডেট এবং এড়িয়ে যাওয়া সংস্করণগুলিও সংরক্ষণ করা হবে।", - "The bundle was created successfully on {0}": "বান্ডেলটি {0}-এ সফলভাবে তৈরি করা হয়েছে", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "আপনি যে বান্ডেলটি লোড করার চেষ্টা করছেন তা অবৈধ মনে হচ্ছে। ফাইলটি পরীক্ষা করুন এবং আবার চেষ্টা করুন।", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "ইনস্টলারের চেকসাম প্রত্যাশিত মানের সাথে মিলে না এবং ইনস্টলারের সত্যতা যাচাই করা যায় না। আপনি যদি প্রকাশককে বিশ্বাস করেন, তাহলে {0} প্যাকেজটি আবার হ্যাশ চেক এড়িয়ে যাচ্ছে।", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "উইন্ডোজের জন্য ক্লাসিক্যাল প্যাকেজ ম্যানেজার। আপনি সেখানে সবকিছু পাবেন.
ধারণ করে: সাধারণ সফ্টওয়্যার", - "The cloud backup completed successfully.": "ক্লাউড ব্যাকআপ সফলভাবে সম্পন্ন হয়েছে।", - "The cloud backup has been loaded successfully.": "ক্লাউড ব্যাকআপ সফলভাবে লোড করা হয়েছে।", - "The current bundle has no packages. Add some packages to get started": "বর্তমান বান্ডেলে কোনো প্যাকেজ নেই। শুরু করতে কিছু প্যাকেজ যোগ করুন", - "The executable file for {0} was not found": "{0} এর জন্য এক্সিকিউটেবল ফাইল পাওয়া যায়নি", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "প্রতিটি পর্যায়ে নিম্নলিখিত বিকল্পগুলি ডিফল্টরূপে প্রয়োগ করা হবে যখন একটি {0} প্যাকেজ ইনস্টল, আপগ্রেড বা আনইনস্টল করা হয়।", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "নিম্নলিখিত প্যাকেজগুলি একটি JSON ফাইলে রপ্তানি করা হবে৷ কোন ব্যবহারকারীর তথ্য বা বাইনারি সংরক্ষণ করা যাচ্ছে না।", "The following packages are going to be installed on your system.": "নিম্নলিখিত প্যাকেজ আপনার সিস্টেমে ইনস্টল করা যাচ্ছে।", - "The following settings may pose a security risk, hence they are disabled by default.": "নিম্নলিখিত সেটিংসগুলি নিরাপত্তা ঝুঁকি তৈরি করতে পারে, তাই সেগুলি ডিফল্টরূপে অক্ষম করা আছে।", - "The following settings will be applied each time this package is installed, updated or removed.": "এই প্যাকেজটি ইনস্টল করা, আপডেট করা বা সরানো হলে নিম্নলিখিত সেটিংস প্রয়োগ করা হবে।", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "এই প্যাকেজটি ইনস্টল করা, আপডেট করা বা সরানো হলে নিম্নলিখিত সেটিংস প্রয়োগ করা হবে। তারা স্বয়ংক্রিয়ভাবে সংরক্ষণ করা হবে।", "The icons and screenshots are maintained by users like you!": "আইকন এবং স্ক্রিনশট আপনার মত ব্যবহারকারীদের দ্বারা রক্ষণাবেক্ষণ করা হয়!", - "The installation script saved to {0}": "ইনস্টলেশন স্ক্রিপ্ট {0}-তে সংরক্ষিত", - "The installer authenticity could not be verified.": "ইনস্টলারের সত্যতা যাচাই করা যায়নি।", "The installer has an invalid checksum": "ইনস্টলারের একটি অবৈধ চেকসাম আছে", "The installer hash does not match the expected value.": "ইনস্টলার হ্যাশ প্রত্যাশিত মানের সাথে মেলে না।", - "The local icon cache currently takes {0} MB": "স্থানীয় আইকন ক্যাশ বর্তমানে {0} MB নেয়", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "এই প্রকল্পের মূল লক্ষ্য হল উইন্ডোজ এর জন্য সবচেয়ে সাধারণ সিএলআই প্যাকেজ পরিচালকদের জন্য একটি সজ্ঞান্মুলক ইউআই তৈরি করা, যেমন উইনগেট এবং স্কুপ ৷", - "The package \"{0}\" was not found on the package manager \"{1}\"": "প্যাকেজ \"{0}\" প্যাকেজ ম্যানেজার \"{1}\"-এ পাওয়া যায়নি", - "The package bundle could not be created due to an error.": "একটি ত্রুটির কারণে প্যাকেজ বান্ডিল তৈরি করা যায়নি।", - "The package bundle is not valid": "প্যাকেজ বান্ডিল বৈধ নয়", - "The package manager \"{0}\" is disabled": "প্যাকেজ ম্যানেজার \"{0}\" অক্ষম করা আছে", - "The package manager \"{0}\" was not found": "প্যাকেজ ম্যানেজার \"{0}\" পাওয়া যায়নি", "The package {0} from {1} was not found.": "প্যাকেজ {0} {1} থেকে পাওয়া যায়নি৷", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "আপডেটের জন্য চেক করার সময় এখানে তালিকাভুক্ত প্যাকেজগুলি অ্যাকাউন্টে নেওয়া হবে না। তাদের আপডেট উপেক্ষা করা বন্ধ করতে তাদের ডাবল-ক্লিক করুন বা তাদের ডানদিকের বোতামটি ক্লিক করুন।", "The selected packages have been blacklisted": "নির্বাচিত প্যাকেজ কালো তালিকাভুক্ত করা হয়েছে", - "The settings will list, in their descriptions, the potential security issues they may have.": "সেটিংসগুলি তাদের বর্ণনায় সম্ভাব্য নিরাপত্তা সমস্যাগুলি তালিকাভুক্ত করবে।", - "The size of the backup is estimated to be less than 1MB.": "ব্যাকআপের আকার 1MB এর কম বলে অনুমান করা হয়।", - "The source {source} was added to {manager} successfully": "উৎস {source} সফলভাবে {manager}-এ যোগ করা হয়েছে", - "The source {source} was removed from {manager} successfully": "উৎস {source} সফলভাবে {manager} থেকে সরানো হয়েছে", - "The system tray icon must be enabled in order for notifications to work": "বিজ্ঞপ্তি কাজ করার জন্য সিস্টেম ট্রে আইকন সক্ষম করা আবশ্যক", - "The update process has been aborted.": "আপডেট প্রক্রিয়া বাতিল করা হয়েছে।", - "The update process will start after closing UniGetUI": "UniGetUI বন্ধ করার পরে আপডেট প্রক্রিয়া শুরু হবে", "The update will be installed upon closing WingetUI": "WingetUI বন্ধ করার পরে আপডেটটি ইনস্টল করা হবে", "The update will not continue.": "আপডেট চলতে থাকবে না।", "The user has canceled {0}, that was a requirement for {1} to be run": "ব্যবহারকারী {0} বাতিল করেছেন, এটি {1} চালানোর জন্য একটি প্রয়োজন ছিল", - "There are no new UniGetUI versions to be installed": "ইনস্টল করার জন্য কোন নতুন UniGetUI সংস্করণ নেই", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "চলমান অভিযান চলছে। UniGetUI ত্যাগ করা তাদের ব্যর্থ হতে পারে। আপনি কি চালিয়ে যেতে চান?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "ইউটিউবে কিছু দুর্দান্ত ভিডিও রয়েছে যা WingetUI এবং এর ক্ষমতা প্রদর্শন করে। আপনি দরকারী কৌশল এবং টিপস শিখতে পারে!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "প্রশাসক হিসাবে WingetUI না চালানোর দুটি প্রধান কারণ রয়েছে: প্রথমটি হল যে Scoop প্যাকেজ ম্যানেজার প্রশাসকের অধিকারের সাথে চালানোর সময় কিছু কমান্ডের সাথে সমস্যা সৃষ্টি করতে পারে। দ্বিতীয়টি হল প্রশাসক হিসাবে WingetUI চালানোর অর্থ হল যে আপনি যে প্যাকেজ ডাউনলোড করবেন তা প্রশাসক হিসাবে চালানো হবে (এবং এটি নিরাপদ নয়)। মনে রাখবেন যে যদি আপনাকে প্রশাসক হিসাবে একটি নির্দিষ্ট প্যাকেজ ইনস্টল করতে হয়, আপনি সর্বদা আইটেমটিতে ডান-ক্লিক করতে পারেন -> প্রশাসক হিসাবে ইনস্টল/আপডেট/আনইনস্টল করুন।", - "There is an error with the configuration of the package manager \"{0}\"": "প্যাকেজ ম্যানেজার \"{0}\"-এর কনফিগারেশনে একটি ত্রুটি রয়েছে", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "একটি ইনস্টলেশন প্রক্রিয়াধীন আছে. আপনি যদি WingetUI বন্ধ করেন, তাহলে ইনস্টলেশন ব্যর্থ হতে পারে এবং অপ্রত্যাশিত ফলাফল হতে পারে। আপনি কি এখনও WingetUI ছেড়ে যেতে চান?", "They are the programs in charge of installing, updating and removing packages.": "তারা প্যাকেজ ইনস্টল, আপডেট এবং অপসারণের দায়িত্বে থাকা প্রোগ্রাম।", - "Third-party licenses": "তৃতীয় পক্ষের লাইসেন্স", "This could represent a security risk.": "এটি একটি নিরাপত্তা ঝুঁকি প্রতিনিধিত্ব করতে পারে।", - "This is not recommended.": "এটি সুপারিশ করা হয় না।", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "এটি সম্ভবত এই কারণে যে আপনাকে পাঠানো প্যাকেজটি সরানো হয়েছে, বা প্যাকেজ ম্যানেজারে প্রকাশিত হয়েছে যা আপনি সক্ষম করেননি। প্রাপ্ত ID হল {0}", "This is the default choice.": "এটি ডিফল্ট পছন্দ।", - "This may help if WinGet packages are not shown": "UniGetUI প্যাকেজ দেখানো না হলে এটি সাহায্য করতে পারে", - "This may help if no packages are listed": "যদি কোন প্যাকেজ তালিকাভুক্ত না হয় তবে এটি সাহায্য করতে পারে", - "This may take a minute or two": "এতে এক বা দুই মিনিট সময় লাগতে পারে", - "This operation is running interactively.": "এই অপারেশনটি ইন্টারেক্টিভভাবে চলছে।", - "This operation is running with administrator privileges.": "এই অপারেশনটি প্রশাসকের বিশেষাধিকার সহ চলছে।", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "এই বিকল্পটি সমস্যা সৃষ্টি করবে। নিজেকে উন্নত করতে অক্ষম যেকোনো অপারেশন ব্যর্থ হবে। প্রশাসক হিসাবে ইনস্টল/আপডেট/আনইনস্টল কাজ করবে না।", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "এই প্যাকেজ বান্ডেলে সম্ভাব্য বিপজ্জনক কিছু সেটিংস ছিল এবং ডিফল্টরূপে উপেক্ষা করা যেতে পারে।", "This package can be updated": "এই প্যাকেজ আপডেট করা যেতে পারে", "This package can be updated to version {0}": "এই প্যাকেজটি {0} সংস্করণে আপডেট করা যেতে পারে", - "This package can be upgraded to version {0}": "এই প্যাকেজটি {0} সংস্করণে আপগ্রেড করা যেতে পারে", - "This package cannot be installed from an elevated context.": "এই প্যাকেজটি একটি উচ্চ প্রসঙ্গ থেকে ইনস্টল করা যায় না।", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "এই প্যাকেজের কোন স্ক্রিনশট নেই বা আইকনটি নেই? আমাদের উন্মুক্ত, পাবলিক ডাটাবেসে অনুপস্থিত আইকন এবং স্ক্রিনশট যোগ করে UniGetUI-তে অবদান রাখুন।", - "This package is already installed": "এই প্যাকেজ ইতিমধ্যে ইনস্টল করা আছে", - "This package is being processed": "এই প্যাকেজ প্রক্রিয়া করা হচ্ছে", - "This package is not available": "এই প্যাকেজটি উপলব্ধ নয়", - "This package is on the queue": "এই প্যাকেজ সারিতে আছে", "This process is running with administrator privileges": "এই প্রক্রিয়াটি প্রশাসকের বিশেষাধিকারের সাথে চলছে", - "This project has no connection with the official {0} project — it's completely unofficial.": "এই প্রকল্পের সাথে অফিসিয়াল {0} প্রকল্পের কোনো সংযোগ নেই — এটি সম্পূর্ণরূপে অনানুষ্ঠানিক৷", "This setting is disabled": "এই সেটিং অক্ষম করা আছে", "This wizard will help you configure and customize WingetUI!": "এই উইজার্ড আপনাকে WingetUI কনফিগার এবং কাস্টমাইজ করতে সাহায্য করবে!", "Toggle search filters pane": "অনুসন্ধান ফিল্টার ফলক টগল করুন", - "Translators": "অনুবাদক", - "Try to kill the processes that refuse to close when requested to": "অনুরোধ করলে বন্ধ করতে অস্বীকার করে এমন প্রক্রিয়াগুলি বন্ধ করার চেষ্টা করুন", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "এটি চালু করা প্যাকেজ ম্যানেজারগুলির সাথে মিথস্ক্রিয়া করার জন্য ব্যবহৃত এক্সিকিউটেবল ফাইল পরিবর্তন করার অনুমতি দেয়। যদিও এটি আপনার ইনস্টল প্রক্রিয়াগুলির সূক্ষ্মতর কাস্টমাইজেশনের অনুমতি দেয়, এটি বিপজ্জনকও হতে পারে", "Type here the name and the URL of the source you want to add, separed by a space.": "আপনি যে উৎস যোগ করতে চান তার নাম এবং URL এখানে টাইপ করুন, একটি স্থান দ্বারা পৃথক করুন।", "Unable to find package": "প্যাকেজটি খুঁজে পাওয়া যায়নি", "Unable to load informarion": "তথ্য খুঁজে পাওয়া যায়নি", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI ব্যবহারকারীর অভিজ্ঞতা উন্নত করার জন্য নিরাপদ ব্যবহার ডেটা সংগ্রহ করে।", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI ব্যবহারকারীর অভিজ্ঞতা বোঝা এবং উন্নত করার একমাত্র উদ্দেশ্যে নিরাপদ ব্যবহার ডেটা সংগ্রহ করে।", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI একটি নতুন ডেস্কটপ শর্টকাট সনাক্ত করেছে যা স্বয়ংক্রিয়ভাবে মুছে ফেলা যেতে পারে।", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI নিম্নলিখিত ডেস্কটপ শর্টকাটগুলি সনাক্ত করেছে যা ভবিষ্যতের আপগ্রেডে স্বয়ংক্রিয়ভাবে সরানো যেতে পারে", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI {0}টি নতুন ডেস্কটপ শর্টকাট সনাক্ত করেছে যা স্বয়ংক্রিয়ভাবে মুছে ফেলা যেতে পারে।", - "UniGetUI is being updated...": "UniGetUI আপডেট করা হচ্ছে...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI কোনো সামঞ্জস্যপূর্ণ প্যাকেজ পরিচালকদের সাথে সম্পর্কিত নয়। UniGetUI একটি স্বাধীন প্রকল্প।", - "UniGetUI on the background and system tray": "পটভূমিতে এবং সিস্টেম ট্রেতে UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI বা এর কিছু উপাদান অনুপস্থিত বা দুর্নীতিগ্রস্ত।", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI অপারেট করার জন্য {0} প্রয়োজন কিন্তু এটি আপনার সিস্টেমে পাওয়া যায়নি।", - "UniGetUI startup page:": "UniGetUI স্টার্টআপ পৃষ্ঠা:", - "UniGetUI updater": "UniGetUI আপডেটার", - "UniGetUI version {0} is being downloaded.": "UniGetUI সংস্করণ {0} ডাউনলোড করা হচ্ছে।", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} ইনস্টল করার জন্য প্রস্তুত।", - "Uninstall": "আনইনস্টল", - "uninstall": "আনইনস্টল", - "Uninstall Scoop (and its packages)": "স্কুপ আনইনস্টল করুন (এবং এর প্যাকেজ)", "Uninstall and more": "আনইনস্টল এবং আরও", - "Uninstall and remove data": "আনইনস্টল এবং ডেটা অপসারণ", - "Uninstall as administrator": "এডমিনিস্ট্রেটর হিসেবে আনইনস্টল করুন ", "Uninstall canceled by the user!": "ব্যবহারকারী দ্বারা আনইনস্টল বাতিল!", - "Uninstall failed": "আনইনস্টল ব্যর্থ হয়েছে৷", - "Uninstall options": "আনইনস্টল বিকল্প", - "Uninstall package": "প্যাকেজ আনইনস্টল করুন", - "Uninstall package, then reinstall it": "প্যাকেজ আনইনস্টল করুন, তারপর এটি পুনরায় ইনস্টল করুন", - "Uninstall package, then update it": "প্যাকেজ আনইনস্টল করুন, তারপর এটি আপডেট করুন", - "Uninstall previous versions when updated": "আপডেট করার সময় পূর্ববর্তী সংস্করণ আনইনস্টল করুন", - "Uninstall selected packages": "নির্বাচিত প্যাকেজ আনইনস্টল করুন", - "Uninstall selection": "আনইনস্টল নির্বাচন", - "Uninstall succeeded": "আনইনস্টল সফল হয়েছে৷", "Uninstall the selected packages with administrator privileges": "প্রশাসকের বিশেষাধিকার সহ নির্বাচিত প্যাকেজগুলি আনইনস্টল করুন", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "\"{0}\" হিসাবে তালিকাভুক্ত মূলের সাথে আনইনস্টলযোগ্য প্যাকেজগুলি কোনও প্যাকেজ পরিচালকে প্রকাশিত হয় না, তাই তাদের সম্পর্কে দেখানোর জন্য কোনও তথ্য উপলব্ধ নেই৷", - "Unknown": "অজানা", - "Unknown size": "অজানা সাইজ", - "Unset or unknown": "আনসেট বা অজানা", - "Up to date": "আপ টু ডেট", - "Update": "হালনাগাদ", - "Update WingetUI automatically": "স্বয়ংক্রিয়ভাবে WingetUI হালনাগাদ করুন", - "Update all": "সব হালনাগাদ করুন", "Update and more": "আপডেট এবং আরও", - "Update as administrator": "এডমিনিস্ট্রেটর হিসেবে আপডেট করুন", - "Update check frequency, automatically install updates, etc.": "আপডেট পরীক্ষার ফ্রিকোয়েন্সি, স্বয়ংক্রিয়ভাবে আপডেট ইনস্টল করুন ইত্যাদি।", - "Update checking": "আপডেট পরীক্ষা", "Update date": "তারিখ আপডেট করুন", - "Update failed": "আপডেট ব্যর্থ হয়েছে", "Update found!": "আপডেট পাওয়া গেছে!", - "Update now": "এখনই আপডেট করুন", - "Update options": "আপডেট বিকল্প", "Update package indexes on launch": "লঞ্চের সময় প্যাকেজ সূচী আপডেট করুন", "Update packages automatically": "স্বয়ংক্রিয়ভাবে প্যাকেজ আপডেট করুন", "Update selected packages": "নির্বাচিত প্যাকেজ আপডেট করুন", "Update selected packages with administrator privileges": "প্রশাসকের বিশেষাধিকার সহ নির্বাচিত প্যাকেজ আপডেট করুন", - "Update selection": "আপডেট নির্বাচন", - "Update succeeded": "আপডেট সফল হয়েছে", - "Update to version {0}": "{0} সংস্করণে আপডেট করুন", - "Update to {0} available": "{0} এর আপডেট উপলব্ধ", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg-এর Git portfiles স্বয়ংক্রিয়ভাবে আপডেট করুন (Git ইনস্টল করা প্রয়োজন)", "Updates": "আপডেট", "Updates available!": "আপডেট উপলব্ধ!", - "Updates for this package are ignored": "এই প্যাকেজের জন্য আপডেট উপেক্ষা করা হয়", - "Updates found!": "আপডেট পাওয়া গেছে!", "Updates preferences": "পছন্দ আপডেট করুন", "Updating WingetUI": "WingetUI আপডেট করা হচ্ছে", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets এর পরিবর্তে Legacy bundled WinGet ব্যবহার করুন", - "Use a custom icon and screenshot database URL": "একটি কাস্টম আইকন এবং স্ক্রিনশট ডাটাবেস URL ব্যবহার করুন", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets-এর পরিবর্তে বান্ডিলড WinGet ব্যবহার করুন", - "Use bundled WinGet instead of system WinGet": "সিস্টেম WinGet-এর পরিবর্তে বান্ডিলড WinGet ব্যবহার করুন", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI এলিভেটরের পরিবর্তে ইনস্টল করা GSudo ব্যবহার করুন", "Use installed GSudo instead of the bundled one": "বান্ডিল এর পরিবর্তে ইনস্টল করা GSudo ব্যবহার করুন (অ্যাপ পুনরায় চালু করতে হবে)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "লিগেসি UniGetUI এলিভেটর ব্যবহার করুন (UniGetUI এলিভেটরের সাথে সমস্যা হলে সাহায্যকর হতে পারে)", - "Use system Chocolatey": "সিস্টেম চকোলেট ব্যবহার করুন", "Use system Chocolatey (Needs a restart)": "সিস্টেম চকোলেট ব্যবহার করুন (পুনরায় চালু করতে হবে)", "Use system Winget (Needs a restart)": "সিস্টেম Winget ব্যবহার করুন (পুনঃসূচনা প্রয়োজন)", "Use system Winget (System language must be set to english)": "WinGet ব্যবহার করুন (সিস্টেম ভাষা ইংরেজিতে সেট করতে হবে)", "Use the WinGet COM API to fetch packages": "প্যাকেজ আনতে WinGet COM API ব্যবহার করুন", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API-এর পরিবর্তে WinGet PowerShell মডিউল ব্যবহার করুন", - "Useful links": "দরকারি লিঙ্কগুলি", "User": "ব্যবহারকারী", - "User interface preferences": "ব্যবহারকারীর ইন্টারফেস পছন্দসমূহ", "User | Local": "ব্যবহারকারী | স্থানীয়", - "Username": "ব্যবহারকারীর নাম", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI ব্যবহার করা GNU Lesser General Public License v2.1 লাইসেন্স গ্রহণ করার অন্তর্দৃষ্টি দেয়", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI ব্যবহার করা MIT লাইসেন্স গ্রহণ করার অন্তর্দৃষ্টি দেয়", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root পাওয়া যায়নি। অনুগ্রহ করে %VCPKG_ROOT% পরিবেশ পরিবর্তনশীল সংজ্ঞায়িত করুন বা এটি UniGetUI সেটিংস থেকে সংজ্ঞায়িত করুন", "Vcpkg was not found on your system.": "vcpkg আপনার সিস্টেমে পাওয়া যায়নি।", - "Verbose": "বর্ণনামূলক", - "Version": "সংস্করণ", - "Version to install:": "ইনস্টল করার জন্য সংস্করণঃ", - "Version:": "সংস্করণ:", - "View GitHub Profile": "GitHub প্রোফাইল দেখুন", "View WingetUI on GitHub": "GitHub এ WingetUI দেখুন", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI সোর্স কোড দেখুন। সেখান থেকে, আপনি বাগ রিপোর্ট করতে পারেন বা বৈশিষ্ট্যগুলির পরামর্শ দিতে পারেন, বা ইভেন্টগুলি সরাসরি The WingetUI প্রকল্পে অবদান রাখতে পারেন৷", - "View mode:": "দেখার মোড:", - "View on UniGetUI": "UniGetUI-তে দেখুন", - "View page on browser": "ব্রাউজারে পৃষ্ঠা দেখুন", - "View {0} logs": "{0} লগ দেখুন", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "ইন্টারনেট সংযোগের প্রয়োজনীয় কাজগুলি করার চেষ্টা করার আগে ডিভাইসটি ইন্টারনেটে সংযুক্ত হওয়ার জন্য অপেক্ষা করুন।", "Waiting for other installations to finish...": "অন্যান্য ইনস্টলেশন শেষ হওয়ার জন্য অপেক্ষা করা হচ্ছে...", "Waiting for {0} to complete...": "{0} সম্পূর্ণ হওয়ার জন্য অপেক্ষা করা হচ্ছে...", - "Warning": "সতর্কতা", - "Warning!": "সতর্কতা!", - "We are checking for updates.": "আমরা আপডেটের জন্য চেক করছি।", "We could not load detailed information about this package, because it was not found in any of your package sources": "আমরা এই প্যাকেজ সম্পর্কে বিস্তারিত তথ্য লোড করতে পারিনি, কারণ এটি আপনার কোনো প্যাকেজের উৎসে পাওয়া যায়নি।", "We could not load detailed information about this package, because it was not installed from an available package manager.": "আমরা এই প্যাকেজ সম্পর্কে বিস্তারিত তথ্য লোড করতে পারিনি, কারণ এটি একটি উপলব্ধ প্যাকেজ ম্যানেজার থেকে ইনস্টল করা হয়নি।", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "আমরা {action} {package} করতে পারিনি। অনুগ্রহ করে একটু পরে আবার চেষ্টা করুন. ইনস্টলার থেকে লগগুলি পেতে \"{showDetails}\" এ ক্লিক করুন৷", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "আমরা {action} {package} করতে পারিনি। অনুগ্রহ করে একটু পরে আবার চেষ্টা করুন. আনইনস্টলার থেকে লগগুলি পেতে \"{showDetails}\" এ ক্লিক করুন৷", "We couldn't find any package": "আমরা কোনো প্যাকেজ খুঁজে পাইনি", "Welcome to WingetUI": "WingetUI তে স্বাগতম", - "When batch installing packages from a bundle, install also packages that are already installed": "বান্ডেল থেকে প্যাকেজগুলি ব্যাচ ইনস্টল করার সময় ইতিমধ্যে ইনস্টল করা প্যাকেজগুলিও ইনস্টল করুন", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "যখন নতুন শর্টকাটগুলি সনাক্ত করা হয় তখন এই সংলাপটি দেখানোর পরিবর্তে সেগুলিকে স্বয়ংক্রিয়ভাবে মুছে ফেলুন।", - "Which backup do you want to open?": "আপনি কোন ব্যাকআপটি খুলতে চান?", "Which package managers do you want to use?": "আপনি কোন প্যাকেজ পরিচালকদের ব্যবহার করতে চান?", "Which source do you want to add?": "আপনি কোন উৎস যোগ করতে চান?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "যদিও WinGet-কে UniGetUI-এর মধ্যে ব্যবহার করা যেতে পারে, UniGetUI অন্যান্য প্যাকেজ ম্যানেজারগুলির সাথে ব্যবহার করা যেতে পারে যা বিভ্রান্তিকর হতে পারে। অতীতে, UniGetUI শুধুমাত্র Winget-এর সাথে কাজ করার জন্য ডিজাইন করা হয়েছিল কিন্তু এটি আর সত্য নয় এবং তাই UniGetUI এই প্রকল্পটি যা হতে চায় তার প্রতিনিধিত্ব করে না।", - "WinGet could not be repaired": "WinGet মেরামত করা যায়নি", - "WinGet malfunction detected": "WinGet ত্রুটি সনাক্ত করা হয়েছে", - "WinGet was repaired successfully": "WinGet সফলভাবে মেরামত করা হয়েছে", "WingetUI": "উইনগেটইউআই", "WingetUI - Everything is up to date": "WingetUI - সবকিছু আপ টু ডেট", "WingetUI - {0} updates are available": "WingetUI - {0}টি আপডেট পাওয়া গেছে ", "WingetUI - {0} {1}": "WingetUI - {0} {1}\n", - "WingetUI Homepage": "UniGetUI হোমপেজ", "WingetUI Homepage - Share this link!": "UniGetUI হোমপেজ - এই লিঙ্কটি শেয়ার করুন!", - "WingetUI License": "UniGetUI লাইসেন্স", - "WingetUI log": "WingetUI লগ", - "WingetUI Repository": "UniGetUI রিপোজিটরি", - "WingetUI Settings": "WingetUI সেটিংস", "WingetUI Settings File": "WingetUI সেটিংস ফাইল", - "WingetUI Log": "WingetUI লগ", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI নিম্নলিখিত লাইব্রেরি ব্যবহার করে। এগুলি ছাড়া UniGetUI সম্ভব হত না।", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI নিম্নলিখিত লাইব্রেরি ব্যবহার করে। এগুলি ছাড়া UniGetUI সম্ভব হত না।", - "WingetUI Version {0}": "UniGetUI সংস্করণ {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI অটোস্টার্ট আচরণ, অ্যাপ্লিকেশন লঞ্চ সেটিংস", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI আপনার সফ্টওয়্যার আপডেটগুলি উপলব্ধ আছে কিনা তা পরীক্ষা করতে পারে এবং আপনি চাইলে স্বয়ংক্রিয়ভাবে সেগুলি ইনস্টল করতে পারেন৷", - "WingetUI display language:": "WingetUI ভাষা প্রদর্শন:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI প্রশাসক হিসাবে চালানো হয়েছে যা সুপারিশ করা হয় না। UniGetUI-কে প্রশাসক হিসাবে চালানোর সময় UniGetUI থেকে চালু করা প্রতিটি অপারেশনে প্রশাসকের বিশেষাধিকার থাকবে। আপনি এখনও প্রোগ্রামটি ব্যবহার করতে পারেন কিন্তু আমরা প্রশাসকের বিশেষাধিকার সহ UniGetUI না চালানোর দৃঢ় সুপারিশ করি।", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "স্বেচ্ছাসেবক অনুবাদকদের ধন্যবাদ জানাতে UniGetUI ৪০-এর বেশি ভাষায় অনুবাদ করা হয়েছে। ধন্যবাদ 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI কোনো যন্ত্র বা কম্পিউটার দিয়ে অনুবাদ করা হয়নি! নিম্নলিখিত ব্যক্তিরা অনুবাদগুলির দায়িত্বে রয়েছেন:\n", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI একটি অ্যাপ্লিকেশন যা আপনার কমান্ড-লাইন প্যাকেজ ম্যানেজারগুলির জন্য একটি সর্বাত্মক গ্রাফিক্যাল ইন্টারফেস প্রদান করে আপনার সফ্টওয়্যার পরিচালনা সহজ করে।", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI-এর নাম পরিবর্তন করা হচ্ছে UniGetUI (আপনি এখন যে ইন্টারফেসটি ব্যবহার করছেন) এবং Winget (মাইক্রোসফট দ্বারা বিকাশিত একটি প্যাকেজ ম্যানেজার যার সাথে আমার কোনো সম্পর্ক নেই) এর মধ্যে পার্থক্য জোর দেওয়ার জন্য", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI আপডেট করা হচ্ছে। সমাপ্ত হলে, WingetUI নিজেই পুনরায় চালু হবে", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UnigetUI বিনামূল্য, এবং এটি চিরতরে বিনামূল্যে থাকবে। কোন বিজ্ঞাপন, কোন ক্রেডিট কার্ড, কোন প্রিমিয়াম সংস্করণ. 100% বিনামূল্যে, চিরতরে।", + "WingetUI log": "WingetUI লগ", "WingetUI tray application preferences": "WingetUI ট্রে অ্যাপ্লিকেশন পছন্দসমূহ", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI নিম্নলিখিত লাইব্রেরি ব্যবহার করে। এগুলি ছাড়া UniGetUI সম্ভব হত না।", "WingetUI version {0} is being downloaded.": "UniGetUI সংস্করণ {0} ডাউনলোড করা হচ্ছে।", "WingetUI will become {newname} soon!": "WingetUI শীঘ্রই {newname} হয়ে উঠবে!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI পর্যায়ক্রমে আপডেটের জন্য চেক করবে না। সেগুলি এখনও লঞ্চে চেক করা হবে, কিন্তু আপনাকে সেগুলি সম্পর্কে সতর্ক করা হবে না৷", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "উইনগেটইউআই একটি UAC প্রম্পট দেখাবে প্রতিবার যখন একটি প্যাকেজ ইনস্টল করার জন্য উচ্চতার প্রয়োজন হয়।", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI শীঘ্রই {newname} নাম দেওয়া হবে। এটি অ্যাপ্লিকেশনে কোনো পরিবর্তনের প্রতিনিধিত্ব করবে না। আমি (ডেভেলপার) এই প্রকল্পটির বিকাশ আমি এখন যেভাবে করছি সেভাবে চালিয়ে যাব কিন্তু একটি ভিন্ন নামের অধীন।", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "আমাদের প্রিয় অবদানকারীদের সাহায্যে উইনগেটইউআই সম্ভব হতো না। তাদের GitHub প্রোফাইল দেখুন, UniGetUI তাদের ছাড়া সম্ভব হবে না!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "অবদানকারীদের সাহায্য ছাড়া UniGetUI সম্ভব হত না। সবাইকে ধন্যবাদ 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} ইনস্টল করার জন্য প্রস্তুত।", - "Write here the process names here, separated by commas (,)": "এখানে প্রক্রিয়ার নাম লিখুন, কমা (,) দ্বারা পৃথক করা", - "Yes": "হ্যাঁ", - "You are logged in as {0} (@{1})": "আপনি {0} (@{1}) হিসাবে লগ ইন করেছেন", - "You can change this behavior on UniGetUI security settings.": "আপনি UniGetUI নিরাপত্তা সেটিংসে এই আচরণ পরিবর্তন করতে পারেন।", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "আপনি এমন কমান্ডগুলি সংজ্ঞায়িত করতে পারেন যা এই প্যাকেজটি ইনস্টল, আপডেট বা আনইনস্টল করার আগে বা পরে চালানো হবে। তারা একটি কমান্ড প্রম্পটে চালানো হবে তাই CMD স্ক্রিপ্টগুলি এখানে কাজ করবে।", - "You have currently version {0} installed": "আপনার বর্তমানে সংস্করণ {0} ইনস্টল করা আছে", - "You have installed WingetUI Version {0}": "আপনি UniGetUI সংস্করণ {0} ইনস্টল করেছেন", - "You may lose unsaved data": "আপনি সংরক্ষিত ডেটা হারাতে পারেন", - "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI-এর সাথে এটি ব্যবহার করার জন্য আপনার {pm} ইনস্টল করতে হতে পারে।", "You may restart your computer later if you wish": "আপনি চাইলে পরে আপনার কম্পিউটার পুনরায় চালু করতে পারেন", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "আপনাকে শুধুমাত্র একবার অনুরোধ করা হবে, এবং প্রশাসকের অধিকার দেওয়া হবে প্যাকেজগুলিকে যা তাদের অনুরোধ করবে।", "You will be prompted only once, and every future installation will be elevated automatically.": "আপনাকে শুধুমাত্র একবার অনুরোধ করা হবে, এবং প্রতিটি ভবিষ্যতের ইনস্টলেশন স্বয়ংক্রিয়ভাবে উন্নত হবে।", - "You will likely need to interact with the installer.": "আপনার সম্ভবত ইনস্টলারের সাথে মিথস্ক্রিয়া করতে হবে।", - "[RAN AS ADMINISTRATOR]": "প্রশাসক হিসাবে চালানো হয়েছে", "buy me a coffee": "একটি কফি কিনে দিয়ে সাহায্য করুন", - "extracted": "আহরণ করা", - "feature": "বৈশিষ্ট্য", "formerly WingetUI": "পূর্বে WingetUI", + "homepage": "ওয়েবসাইট", + "install": "ইনস্টল", "installation": "স্থাপন", - "installed": "ইনস্টল করা হয়েছে", - "installing": "ইনস্টল করা হচ্ছে", - "library": "লাইব্রেরি", - "mandatory": "বাধ্যতামূলক", - "option": "বিকল্প", - "optional": "ঐচ্ছিক", + "uninstall": "আনইনস্টল", "uninstallation": "আনইনস্টলেশন", "uninstalled": "আনইনস্টল করা হয়েছে", - "uninstalling": "আনইনস্টল করা হচ্ছে", "update(noun)": "আপডেট", "update(verb)": "আপডেট", "updated": "আপডেট করা হয়েছে", - "updating": "আপডেট করা হচ্ছে", - "version {0}": "সংস্করণ {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} ইনস্টল বিকল্পগুলি বর্তমানে লক করা আছে কারণ {0} ডিফল্ট ইনস্টল বিকল্পগুলি অনুসরণ করে।", "{0} Uninstallation": "{0} আনইনস্টলেশন", "{0} aborted": "{0} বাতিল করা হয়েছে", "{0} can be updated": "{0} আপডেট করা সম্ভব", - "{0} can be updated to version {1}": "{0} সংস্করণ {1}-এ আপডেট করা যেতে পারে", - "{0} days": "{0} দিন", - "{0} desktop shortcuts created": "{0} ডেস্কটপ শর্টকাট তৈরি করা হয়েছে", "{0} failed": "{0} ব্যর্থ", - "{0} has been installed successfully.": "{0} সফলভাবে ইনস্টল করা হয়েছে।", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} সফলভাবে ইনস্টল করা হয়েছে। ইনস্টলেশন সম্পূর্ণ করতে UniGetUI পুনরায় চালু করার সুপারিশ করা হয়", "{0} has failed, that was a requirement for {1} to be run": "{0} ব্যর্থ হয়েছে, এটি {1} চালানোর জন্য একটি প্রয়োজন ছিল", - "{0} homepage": "{0} হোমপেজ", - "{0} hours": "{0} ঘণ্টা", "{0} installation": "{0} ইন্সটলেশন", - "{0} installation options": "{0} ইনস্টলেশন বিকল্প", - "{0} installer is being downloaded": "{0} ইনস্টলার ডাউনলোড করা হচ্ছে", - "{0} is being installed": "{0} ইনস্টল করা হচ্ছে", - "{0} is being uninstalled": "{0} আনইনস্টল করা হচ্ছে", "{0} is being updated": "{0} আপডেট করা হচ্ছে", - "{0} is being updated to version {1}": "{0} সংস্করণ {1}-এ আপডেট করা হচ্ছে", - "{0} is disabled": "{0} বন্ধ রয়েছে", - "{0} minutes": "{0} মিনিট", "{0} months": "{0} মাস", - "{0} packages are being updated": "{0}টি প্যাকেজ আপডেট করা হচ্ছে", - "{0} packages can be updated": "{0}টি প্যাকেজ আপডেট করা যেতে পারে", "{0} packages found": "{0}কেজ পাওয়া গিয়েছে", "{0} packages were found": "{0}টি প্যাকেজ পাওয়া গেছে", - "{0} packages were found, {1} of which match the specified filters.": "{1} প্যাকেজ পাওয়া গেছে যার মধ্যে {0}টি নির্দিষ্ট ফিল্টারগুলির সাথে মেলে।", - "{0} selected": "{0} নির্বাচিত", - "{0} settings": "{0} সেটিংস", - "{0} status": "{0} অবস্থা", "{0} succeeded": "{0} সফল হয়েছে", "{0} update": "{0} আপডেট", - "{0} updates are available": "{0}টি আপডেট উপলব্ধ", "{0} was {1} successfully!": "{0} সফলভাবে {1} হয়েছে!", "{0} weeks": "{0} সপ্তাহ", "{0} years": "{0} বছর", "{0} {1} failed": "{0} {1} ব্যর্থ", - "{package} Installation": "{package} ইনস্টলেশন", - "{package} Uninstall": "{package} আনইনস্টল", - "{package} Update": "{package} আপডেট", - "{package} could not be installed": "{package} ইনস্টল করা যায়নি", - "{package} could not be uninstalled": "{package} আনইনস্টল করা যায়নি", - "{package} could not be updated": "{package} আপডেট করা যায়নি", "{package} installation failed": "{package} ইনস্টলেশন ব্যর্থ হয়েছে", - "{package} installer could not be downloaded": "{package} ইনস্টলার ডাউনলোড করা যায়নি", - "{package} installer download": "{package} ইনস্টলার ডাউনলোড", - "{package} installer was downloaded successfully": "{package} ইনস্টলার সফলভাবে ডাউনলোড করা হয়েছে", "{package} uninstall failed": "{package} আনইনস্টল ব্যর্থ হয়েছে", "{package} update failed": "{package} আপডেট ব্যর্থ হয়েছে", "{package} update failed. Click here for more details.": "{package} আপডেট ব্যর্থ হয়েছে। আরও বিবরণের জন্য এখানে ক্লিক করুন।", - "{package} was installed successfully": "{package} সফলভাবে ইনস্টল করা হয়েছে", - "{package} was uninstalled successfully": "{package} সফলভাবে আনইনস্টল করা হয়েছে", - "{package} was updated successfully": "{package} সফলভাবে আপডেট করা হয়েছে", - "{pcName} installed packages": "{pcName} ইনস্টল করা প্যাকেজ", "{pm} could not be found": "{pm} পাওয়া যায়নি", "{pm} found: {state}": "{pm} পাওয়া গেছে: {state}", - "{pm} is disabled": "{pm} অক্ষম করা আছে", - "{pm} is enabled and ready to go": "{pm} সক্ষম এবং যেতে প্রস্তুত", "{pm} package manager specific preferences": "{pm} প্যাকেজ ম্যানেজার নির্দিষ্ট পছন্দ", "{pm} preferences": "{pm} পছন্দ", - "{pm} version:": "{pm} সংস্করণ:", - "{pm} was not found!": "{pm} পাওয়া যায়নি!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "নমস্কার। আমার নাম মার্টি। আমি WingetUI এর ডেভেলপার। WingetUI সম্পূর্ণরূপে আমার অবসর সময়ে বানিয়েছি !", + "Thank you ❤": "ধন্যবাদ ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "এই প্রকল্পের সাথে অফিসিয়াল {0} প্রকল্পের কোনো সংযোগ নেই — এটি সম্পূর্ণরূপে অনানুষ্ঠানিক৷" } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ca.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ca.json index 3819ca481c..1198fe1ce0 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ca.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ca.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operacions en progrés", + "Please wait...": "Si us plau espereu...", + "Success!": "Èxit!", + "Failed": "Hi ha hagut un error", + "An error occurred while processing this package": "Hi ha hagut un error al processar aquest paquet", + "Log in to enable cloud backup": "Inicieu la sessió per a activar la còpia de seguretat al núvol", + "Backup Failed": "La còpia de seguretat ha fallat", + "Downloading backup...": "Descarregant la còpia...", + "An update was found!": "S'ha trobat una actualització!", + "{0} can be updated to version {1}": "{0} es pot actualitzar a la versió {1}", + "Updates found!": "S'han trobat actualitzacions!", + "{0} packages can be updated": "Es poden actualitzar {0} paquets", + "You have currently version {0} installed": "Actualment teniu instal·lada la versió {0}", + "Desktop shortcut created": "Drecera creada a l'escriptori", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "L'UniGetUI ha detectat que s'ha creat 1 nova drecera a l'escriptori que es pot eliminar automàticament.", + "{0} desktop shortcuts created": "S'han creat {0} dreceres a l'escriptori", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "L'UniGetUI ha detectat que s'han creat {0} noves dreceres a l'escriptori que es poden eliminar automàticament.", + "Are you sure?": "N'esteu segur/a?", + "Do you really want to uninstall {0}?": "Realment voleu desinstal·lar el {0}?", + "Do you really want to uninstall the following {0} packages?": "Voleu desinstal·lar els següents {0} paquets?", + "No": "No", + "Yes": "Sí", + "View on UniGetUI": "Mostra a l'UniGetUI", + "Update": "Actualitza", + "Open UniGetUI": "Obre l'UniGetUI", + "Update all": "Actualitza-ho tot", + "Update now": "Actualitza ara", + "This package is on the queue": "Aquest paquet està a la cua", + "installing": "instal·lant", + "updating": "actualitzant", + "uninstalling": "desinstal·lant", + "installed": "instal·lat", + "Retry": "Reintentar", + "Install": "Instal·la", + "Uninstall": "Desinstal·la", + "Open": "Obre", + "Operation profile:": "Perfil d'operació:", + "Follow the default options when installing, upgrading or uninstalling this package": "Segueix les opcions per defecte quan s'instal·li, s'actualitzi o es desinstal·li aquest paquet", + "The following settings will be applied each time this package is installed, updated or removed.": "Les següents opcions s'aplicaran cada cop que aquest paquet s'instal·li, s'actualitzi o es desinstal·li.", + "Version to install:": "Versió a instal·lar:", + "Architecture to install:": "Arquitectura a instal·lar:", + "Installation scope:": "Entorn d'instal·lació:", + "Install location:": "Ubicació d'instal·lació:", + "Select": "Sel·lecciona", + "Reset": "Reseteja", + "Custom install arguments:": "Arguments d'instal·lació personalitzats", + "Custom update arguments:": "Arguments d'actualització personalitzats", + "Custom uninstall arguments:": "Arguments de desinstal·lació personalitzats", + "Pre-install command:": "Comanda de pre-instal·lació:", + "Post-install command:": "Comanda de post-instal·lació:", + "Abort install if pre-install command fails": "Avorta la instal·lació si la comanda de pre-instal·lació falla", + "Pre-update command:": "Comanda de pre-actualització:", + "Post-update command:": "Comanda de post-actualització:", + "Abort update if pre-update command fails": "Avorta l'actualització si la comanda de pre-actualització falla", + "Pre-uninstall command:": "Comanda de pre-desinstal·lació:", + "Post-uninstall command:": "Comanda de post-desinstal·lació:", + "Abort uninstall if pre-uninstall command fails": "Avorta la desinstal·lació si la comanda de pre-desinstal·lació falla", + "Command-line to run:": "Línia de comandes a executar:", + "Save and close": "Desa i tanca", + "Run as admin": "Executa com a administrador", + "Interactive installation": "Instal·lació interactiva", + "Skip hash check": "No comprovis el hash", + "Uninstall previous versions when updated": "Desinstal·la les versions anteriors en actualitzar", + "Skip minor updates for this package": "Salta't les actualitzacions menors d'aquest paquet", + "Automatically update this package": "Actualitza aquest paquet automàticament", + "{0} installation options": "Opcions d'instal·lació del {0}", + "Latest": "Darrera", + "PreRelease": "PreLlançament", + "Default": "Per defecte", + "Manage ignored updates": "Administra les actualitzacions ignorades", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Els paquets mostrats aquí no es tindran en compte quan es comprovi si hi ha actualitzacions disponibles. Cliqueu-los dos cops o premeu el botó de la seva dreta per a deixar d'ignorar-ne les actualitzacions.", + "Reset list": "Reseteja la llista", + "Package Name": "Nom del paquet", + "Package ID": "Identificador del paquet", + "Ignored version": "Versió ignorada", + "New version": "Nova versió", + "Source": "Origen", + "All versions": "Totes les versions", + "Unknown": "Desconegut", + "Up to date": "Al dia", + "Cancel": "Cancel·la", + "Administrator privileges": "Drets d'administrador", + "This operation is running with administrator privileges.": "Aquesta operació s'està executant amb privilegis d'administrador.", + "Interactive operation": "Operació interactiva", + "This operation is running interactively.": "Aquesta operació s'està executant de forma interactiva.", + "You will likely need to interact with the installer.": "Segurament haureu d'interactuar amb l'instal·lador.", + "Integrity checks skipped": "Comprovacions d'integritat omeses", + "Proceed at your own risk.": "Continueu sota la vostra responsabilitat", + "Close": "Tanca", + "Loading...": "Carregant...", + "Installer SHA256": "SHA256 de l'instal·lador", + "Homepage": "Lloc web", + "Author": "Autor/a", + "Publisher": "Publicador", + "License": "Llicència", + "Manifest": "Manifest", + "Installer Type": "Tipus d'instal·lador", + "Size": "Mida", + "Installer URL": "Enllaç de l'instal·lador", + "Last updated:": "Actualitzat per darrer cop:", + "Release notes URL": "Enllaç de les notes de publicació", + "Package details": "Detalls del paquet", + "Dependencies:": "Dependències:", + "Release notes": "Notes de publicació", + "Version": "Versió", + "Install as administrator": "Instal·la com a administrador", + "Update to version {0}": "Actualitza a la versió {0}", + "Installed Version": "Versió instal·lada", + "Update as administrator": "Actualitza com a administrador", + "Interactive update": "Actualització interactiva", + "Uninstall as administrator": "Desinstal·la com a administrador", + "Interactive uninstall": "Desinstal·lació interactiva", + "Uninstall and remove data": "Desinstal·la i elimina'n les dades", + "Not available": "No disponible", + "Installer SHA512": "SHA512 de l'instal·lador", + "Unknown size": "Mida desconeguda", + "No dependencies specified": "No s'han especificat dependències", + "mandatory": "obligatori", + "optional": "opcional", + "UniGetUI {0} is ready to be installed.": "L'UniGetUI {0} està llest per a ser instal·lat", + "The update process will start after closing UniGetUI": "El procés d'actualització començarà en tancar l'UniGetUI", + "Share anonymous usage data": "Comparteix dades d'ús anònimes", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "L'UniGetUI recull dades d'ús anònimes amb la finalitat de millorar l'experiència de l'usuari.", + "Accept": "Acceptar", + "You have installed WingetUI Version {0}": "Teniu instal·lat l'UniGetUI versió {0}", + "Disclaimer": "Exempció de responsabilitat", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "L'UniGetUI no està relacionat amb els administradors de paquets compatibles. L'UniGetUI és un projecte independent.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "L'UniGetUI no hagués estat possible sense l'ajuda dels contribuïdors. Moltes gràcies a tots 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "L'UniGetUI utilitza les següents llibreries. Sense elles, l'UniGetUI no hagués estat possible. ", + "{0} homepage": "lloc web de {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "L'UniGetUI ha estat traduit a més de 40 idiomes gràcies als traductors voluntaris. Gràcies 🤝", + "Verbose": "Verbós", + "1 - Errors": "1 - Errors", + "2 - Warnings": "2 - Advertències", + "3 - Information (less)": "3 - Informació (menys)", + "4 - Information (more)": "4 - Informació (més)", + "5 - information (debug)": "5 - Informació (depuració)", + "Warning": "Atenció", + "The following settings may pose a security risk, hence they are disabled by default.": "Les opcions següents poden representar un risc de seguretat, raó per la qual s'han desactivat per seguretat", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activeu les opcions de sota SI I NOMÉS SI enteneu què fan, i les implicacions i perills que poden comportar.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Les opcions mostraran, en les seves descripcions, els perills potencials que pot representar activar-les.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "La còpia inclourà una llista completa dels paquets instal·lats i de les seves respectives opcions d'instal·lació. Les actualitzacions ignorades i les versions saltades també es desaran.", + "The backup will NOT include any binary file nor any program's saved data.": "La còpia no inclourà cap tipus de fitxers binaris o dades de cap programa.", + "The size of the backup is estimated to be less than 1MB.": "La mida estimada de la còpia serà de menys d'1 MB.", + "The backup will be performed after login.": "La còpia es realitzarà després de l'inici de sessió", + "{pcName} installed packages": "Paquets instal·lats de {pcName}", + "Current status: Not logged in": "Estat: no s'ha iniciat la sessió", + "You are logged in as {0} (@{1})": "Heu iniciat la sessió com a {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Fantàstic! Les còpies de seguretat es carregaran en un Gist privat al vostre compte", + "Select backup": "Seleccioneu una còpia", + "WingetUI Settings": "Configuració de l'UniGetUI", + "Allow pre-release versions": "Permet versions de prellançament", + "Apply": "Aplica", + "Go to UniGetUI security settings": "Configuració de seguretat de l'UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Les opcions següents s'aplicaran per defecte cada cop que un paquet del {0} s'instal·li, s'acualitzi o es desinstal·li.", + "Package's default": "Predeterminat del paquet", + "Install location can't be changed for {0} packages": "La ubicació d'instal·lació no es pot canviar per els paquets del {0}", + "The local icon cache currently takes {0} MB": "La memòria cau d'icones actualment ocupa {0} MB", + "Username": "Nom d'usuari", + "Password": "Contrasenya", + "Credentials": "Credencials", + "Partially": "Parcialment", + "Package manager": "Administrador de paquets", + "Compatible with proxy": "Compatible amb el proxy", + "Compatible with authentication": "Compatible amb l'autenticació", + "Proxy compatibility table": "Taula de compatibilitat amb Proxy", + "{0} settings": "Configuració del {0}", + "{0} status": "Estat del {0}", + "Default installation options for {0} packages": "Opcions d'instal·lació per defecte pels paquets del {0}", + "Expand version": "Mostra la versió", + "The executable file for {0} was not found": "El fitxer executable del {0} no s'ha trobat", + "{pm} is disabled": "{pm} està desactivat", + "Enable it to install packages from {pm}.": "Activeu-lo per a instal·lar paquets del {pm}.", + "{pm} is enabled and ready to go": "{pm} està activat i a punt", + "{pm} version:": "Versió del {pm}: ", + "{pm} was not found!": "No s'ha trobat el {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "Potser heu d'instal·lar el {pm} si el voleu utilitzar a través l'UniGetUI.", + "Scoop Installer - WingetUI": "Instal·lador de l'Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Desinstal·lador de l'Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Netejant la memòria cau de l'Scoop - UniGetUI", + "Restart UniGetUI": "Reinicia l'UniGetUI", + "Manage {0} sources": "Administra les fonts del {0}", + "Add source": "Afegeix una font", + "Add": "Afegeix", + "Other": "Una altra", + "1 day": "1 dia", + "{0} days": "{0} dies", + "{0} minutes": "{0} minuts", + "1 hour": "1 hora", + "{0} hours": "{0} hores", + "1 week": "1 setmana", + "WingetUI Version {0}": "UniGetUI Versió {0}", + "Search for packages": "Cerqueu paquets", + "Local": "Local", + "OK": "D'acord", + "{0} packages were found, {1} of which match the specified filters.": "S'han trobat {1} paquets, {0} dels quals s'ajusten als filtres establerts.", + "{0} selected": "{0} seleccionats", + "(Last checked: {0})": "(Comprovat per darrer cop: {0})", + "Enabled": "Activat", + "Disabled": "Desactivat", + "More info": "Més detalls", + "Log in with GitHub to enable cloud package backup.": "Inicieu la sessió amb el GitHub per a activar la còpia de seguretat al núvol", + "More details": "Més detalls", + "Log in": "Inicia la sessió", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Si heu activat la còpia de seguretat al núvol, aquesta es desarà en un Gist de GitHub privat en aquest compte.", + "Log out": "Tanca la sessió", + "About": "Sobre", + "Third-party licenses": "Llicències de tercers", + "Contributors": "Contribuïdors", + "Translators": "Traductors", + "Manage shortcuts": "Administrar les dreceres", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "L'UniGetUI ha detectat les següents dreceres a l'escriptori que es poden eliminar automàticament durant les actualitzacions", + "Do you really want to reset this list? This action cannot be reverted.": "Realment voleu resetejar aquesta llista? Aquesta acció no es pot desfer.", + "Remove from list": "Treu de la llista", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quan es trobin noves icones, elimina-les automàticament en comptes de mostrar aquest quadre de diàleg.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "L'UniGetUI recull dades d'ús anònimes amb la única finalitat d'entendre i millorar l'experiència de l'usuari.", + "More details about the shared data and how it will be processed": "Més detalls sobre com es processen les dades recollides", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepteu que l'UniGetUI reculli i enviï dades d'ús anònimes, amb l'únic propòsit d'entendre i millorar l'experiència de l'ususari?", + "Decline": "Declinar", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "No es recull ni s'envia informació personal, i la informació recollida s'anonimitza, de forma que no es pot relacionar amb tu.", + "About WingetUI": "Sobre l'UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "L'UniGetUI és una aplicació que facilita l'administració de software, oferint una interfície gràfica unificada per als administradors de paquets més coneguts.", + "Useful links": "Enllaços útils", + "Report an issue or submit a feature request": "Informeu d'un problema o suggeriu una característica nova", + "View GitHub Profile": "Perfil de GitHub", + "WingetUI License": "Llicència de l'UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Usar l'UniGetUI implica l'acceptació de la llicència MIT", + "Become a translator": "Fer-se traductor", + "View page on browser": "Mostra al navegador", + "Copy to clipboard": "Copia al porta-retalls", + "Export to a file": "Exporta a un fitxer", + "Log level:": "Nivell del registre:", + "Reload log": "Recarrega el registre", + "Text": "Text", + "Change how operations request administrator rights": "Canvieu com les operacions demanen drets d'administrador", + "Restrictions on package operations": "Restriccions a les operacions amb paquets", + "Restrictions on package managers": "Restriccions als administradors de paquets", + "Restrictions when importing package bundles": "Restriccions a l'importar col·leccions de paquets", + "Ask for administrator privileges once for each batch of operations": "Demana drets d'administrador per a cada grup d'operacions", + "Ask only once for administrator privileges": "Pregunta només un cop per als permisos d'administrador", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prohibeix qualsevol tipus d'elevació mitjançant l'UniGetUI Elevator o el GSudo ", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Aquesta opció causarà problemes. Qualsevol operació que no es pugui autoelevar FALLARÀ. Les opcions instal·la/actualitza/desinstal·la com a administrador NO FUNCIONARAN.", + "Allow custom command-line arguments": "Permet arguments personalitzats de la línia d'ordres", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Els arguments de línia d'ordres personalitzats poden canviar la manera com s'instal·len, s'actualitzen o es desinstal·len els programes, d'una manera que UniGetUI no pot controlar. L'ús de línies d'ordres personalitzades pot trencar els paquets. Procediu amb precaució.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permet que s'executin comandes personalitzades de pre-instal·lació i post-instal·lació", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Les ordres prèvies i posteriors a la instal·lació s'executaran abans i després que s'instal·li, s'actualitzi o s'instal·li un paquet. Tingueu en compte que poden trencar coses si no s'utilitzen amb cura.", + "Allow changing the paths for package manager executables": "Permeteu canviar els fitxers executables dels administradors de paquets", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activar això permetrà canviar el fitxer executable a través del qual l'UniGetUI interactua i es comunica amb els administradors de paquets. Mentre que això permet modificar millor els processos d'instal·lació, també pot resultar perillós.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Permet la importació d'arguments personalitzats de la línia d'ordres en importar paquets d'una col·lecció", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Els arguments de línia d'ordres amb format incorrecte poden trencar els paquets o fins i tot permetre que un actor maliciós obtingui una execució privilegiada. Per tant, la importació d'arguments de línia d'ordres personalitzats està desactivada per defecte.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permeteu la importació de comandes de pre-instal·lació i post-instal·lació quan s'importin paquets des d'una col·lecció de paquets", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Les ordres prèvies i posteriors a la instal·lació poden fer coses molt desagradables al vostre dispositiu, si estan dissenyades per fer-ho. Pot ser molt perillós importar les ordres des d'un paquet, tret que confieu en la font d'aquest paquet.", + "Administrator rights and other dangerous settings": "Drets d'administrador i altres configuracions perilloses", + "Package backup": "Còpia de seguretat dels paquets", + "Cloud package backup": "Còpia de seguretat al núvol", + "Local package backup": "Còpia de seguretat local", + "Local backup advanced options": "Opcions avançades de la còpia local", + "Log in with GitHub": "Inicieu la sessió amb el GitHub", + "Log out from GitHub": "Tanca la sessió del GitHub", + "Periodically perform a cloud backup of the installed packages": "Fes una còpia al núvol periòdica dels paquets instal·lats ", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "La còpia de seguretat al núvol utilitza un GitHub Gist privat per a desar-hi la llista de paquets que teniu instal·lats a l'ordinador", + "Perform a cloud backup now": "Fes una còpia al núvol ara", + "Backup": "Fes la còpia", + "Restore a backup from the cloud": "Restaura una còpia de seguretat del núvol", + "Begin the process to select a cloud backup and review which packages to restore": "Comença el procés de selecció i revisió de quins paquets s'ha de restaurar", + "Periodically perform a local backup of the installed packages": "Fes una còpia local periòdica dels paquets instal·lats", + "Perform a local backup now": "Fes una còpia local ara", + "Change backup output directory": "Canvia el directori de sortida de la còpia", + "Set a custom backup file name": "Nom del fitxer de la còpia de seguretat", + "Leave empty for default": "Deixeu-ho buit per al valor predeterminat", + "Add a timestamp to the backup file names": "Afegeix la data i l'hora als noms de les còpies de seguretat", + "Backup and Restore": "Còpia de seguretat i restauració", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Activa la API de rerefons, (Widgets for UniGetUI i Compartició de paquets, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Espereu a que el dispositiu estigui connectat a internet abans d'intentar cap tasca que requereixi connexió a internet.", + "Disable the 1-minute timeout for package-related operations": "Desactiva el temps màxim d'1 minut per a les tasques de llistar paquets", + "Use installed GSudo instead of UniGetUI Elevator": "Utilitza el GSudo instal·lat en comptes de l'UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Utilitza una base de dades d'icones i captures de pantalla personalitzades", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activa les optimitzacions de CPU en rerefons (veieu Pull Request #3278)", + "Perform integrity checks at startup": "Fes una comprovació d'identitat a l'inici", + "When batch installing packages from a bundle, install also packages that are already installed": "Quan s'instal·lin paquets en bloc des d'una col·lecció, instal·la també els paquets que ja estiguin instal·lats. ", + "Experimental settings and developer options": "Configuracions experimentals i altres opcions de desenvolupador", + "Show UniGetUI's version and build number on the titlebar.": "Mostra la versió de l'UniGetUI a la barra de títol", + "Language": "Idioma", + "UniGetUI updater": "Actualitzador de l'UniGetUI", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Administra la configuració de l'UniGetUI", + "Related settings": "Configuració relacionada", + "Update WingetUI automatically": "Actualitza l'UniGetUI automàticament", + "Check for updates": "Cerca actualitzacions", + "Install prerelease versions of UniGetUI": "Instal·la versions de previsualització (no estables) de l'UniGetUI", + "Manage telemetry settings": "Administra la configuració de la telemetria", + "Manage": "Administra", + "Import settings from a local file": "Importa les preferències des d'un fitxer", + "Import": "Importa", + "Export settings to a local file": "Exporta les preferències a un fitxer", + "Export": "Exporta", + "Reset WingetUI": "Reseteja l'UniGetUI", + "Reset UniGetUI": "Reseteja l'UniGetUI", + "User interface preferences": "Preferències de l'interfície d'usuari", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema de l'aplicació, pàgina d'inici, icones als paquets, neteja les instal·lacions exitoses automàticament", + "General preferences": "Preferències generals", + "WingetUI display language:": "Idioma de l'UniGetUI:", + "Is your language missing or incomplete?": "Falta el vostre idioma o la traducció està incompleta?", + "Appearance": "Aparença", + "UniGetUI on the background and system tray": "L'UniGetUI al rerefons i safata del sistema", + "Package lists": "Llistes de paquets", + "Close UniGetUI to the system tray": "Tanca l'UniGetUI a la safata del sistema", + "Show package icons on package lists": "Mostra les icones dels paquets a la llista dels paquets", + "Clear cache": "Neteja la memòria cau", + "Select upgradable packages by default": "Selecciona els paquets actualitzables per defecte", + "Light": "Clar", + "Dark": "Fosc", + "Follow system color scheme": "Segueix l'esquema de colors del sistema", + "Application theme:": "Tema de l'aplicació:", + "Discover Packages": "Descobrir programari", + "Software Updates": "Actualitzacions", + "Installed Packages": "Programari instal·lat", + "Package Bundles": "Col·leccions de paquets", + "Settings": "Configuració", + "UniGetUI startup page:": "Pàgina d'inici de l'UniGetUI", + "Proxy settings": "Configuració del Proxy", + "Other settings": "Altres configuracions", + "Connect the internet using a custom proxy": "Connecta't a internet mitjaçant un proxy o servidor intermediari personalitzats", + "Please note that not all package managers may fully support this feature": "Nota: alguns administradors de paquets poden no ser del tot compatibles amb aquesta característica", + "Proxy URL": "URL del proxy", + "Enter proxy URL here": "Escriviu l'URL del proxy aquí", + "Package manager preferences": "Preferències dels administradors de paquets", + "Ready": "A punt", + "Not found": "No trobat", + "Notification preferences": "Preferències de les notificacions", + "Notification types": "Tipus de notificacions", + "The system tray icon must be enabled in order for notifications to work": "L'icona de la safata del sistema ha d'estar activada per a que funcionin les notificacions", + "Enable WingetUI notifications": "Activa les notificacions de l'UniGetUI", + "Show a notification when there are available updates": "Mostra una notificació quan s'hagin trobat actualitzacions", + "Show a silent notification when an operation is running": "Mostra una notificació silenciosa quan s'estigui executant una operació", + "Show a notification when an operation fails": "Mostra una notificació quan una operació falli", + "Show a notification when an operation finishes successfully": "Mostra una notificació quan una operació acabi satisfactòriament", + "Concurrency and execution": "Concurrència i execució", + "Automatic desktop shortcut remover": "Eliminador automàtic de dreceres de l'escriptori", + "Clear successful operations from the operation list after a 5 second delay": "Treu de la llista les operacions exitoses automàticament cap de 5 segons", + "Download operations are not affected by this setting": "Les operacions de descàrrega no es veuran afectades per aquesta opció", + "Try to kill the processes that refuse to close when requested to": "Intenta matar els processos que refusen tancar-se quan se'ls demani.", + "You may lose unsaved data": "És possible que es perdin dades no desades.", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Pregunta si eliminar les noves dreceres de l'escriptori creades durant una instal·lació o actualització.", + "Package update preferences": "Preferències d'actualització dels paquets", + "Update check frequency, automatically install updates, etc.": "Frequència de comprovació de les actualitzacions, instal·la automàticament les actualitzacions, etc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Redueix els missatges d'UAC, eleva instal·lacions per defecte, desbloqueja característiques perilloses de l'UniGetUI, etc.", + "Package operation preferences": "Preferències de les operacions dels paquets", + "Enable {pm}": "Activa el {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "No trobes el que busques? Assegura't que el fitxer està afegit al camí (PATH)", + "For security reasons, changing the executable file is disabled by default": "Per raons de seguretat, l'opció de canviar el fitxer executable està desactivada", + "Change this": "Canviar això", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Sel·lecciona l'executable a utilitzar. La següent llista mostra els fitxers executables trobats per l'UniGetUI", + "Current executable file:": "Fitxer executable actual:", + "Ignore packages from {pm} when showing a notification about updates": "Ignora els paquets del {pm} quan es notifiquin les actualitzacions disponibles", + "View {0} logs": "Mostra el registre del {0}", + "Advanced options": "Opcions avançades", + "Reset WinGet": "Reseteja el WinGet", + "This may help if no packages are listed": "Això pot ajudar si no es mostren paquetsa les llistes", + "Force install location parameter when updating packages with custom locations": "Forca el paràmetre d'ubicació quan s'actualitzin paquets amb ubicacions personalitzades", + "Use bundled WinGet instead of system WinGet": "Utilitza el WinGet inclòs a l'UniGetUI en comptes del WinGet del sistema", + "This may help if WinGet packages are not shown": "Això pot ajudar si no es mostren els paquets del WinGet", + "Install Scoop": "Instal·la l'Scoop", + "Uninstall Scoop (and its packages)": "Desinstal·la l'Scoop (i les seves aplicacions)", + "Run cleanup and clear cache": "Executa la neteja i buida la memòria cau", + "Run": "Executa", + "Enable Scoop cleanup on launch": "Activa la comanda scoop cleanup en iniciar", + "Use system Chocolatey": "Utilitza el Chocolatey del sistema", + "Default vcpkg triplet": "Triplet per defecte del vcpkg", + "Language, theme and other miscellaneous preferences": "Idioma, tema i altres preferències miscel·lànies", + "Show notifications on different events": "Mostra notificacions en diferents situacions", + "Change how UniGetUI checks and installs available updates for your packages": "Canviar com l'UniGetUI comprova i instal·la les actualizacions dels paquets", + "Automatically save a list of all your installed packages to easily restore them.": "Desa automàticament una llista de tots els paquets instal·lats per a restaurar-los fàcilment.", + "Enable and disable package managers, change default install options, etc.": "Activa i desactiva administradors de paquets, opcions d'instal·lació per defecte, etc.", + "Internet connection settings": "Preferències de la connexió a internet", + "Proxy settings, etc.": "Configuració del Proxy, etc.", + "Beta features and other options that shouldn't be touched": "Característiques beta i altres opcions que no s'haurien de tocar", + "Update checking": "Comprovació d'actualitzacions", + "Automatic updates": "Actualitzacions automàtiques", + "Check for package updates periodically": "Cerca actualitzacions dels paquets periòdicament", + "Check for updates every:": "Cerca actualitzacions cada:", + "Install available updates automatically": "Instal·la de forma automàtica totes les actualitzacions disponibles", + "Do not automatically install updates when the network connection is metered": "No instal·lar automàticament les actualitzacions quan la connexió a internet sigui d'ús mesurat", + "Do not automatically install updates when the device runs on battery": "No instal·lis automàticament les actualitzacions quan l'ordinador no estigui connectat a la corrent", + "Do not automatically install updates when the battery saver is on": "No instal·lar automàticament les actualitzacions quan l'estalviador de bateria estigui activat", + "Change how UniGetUI handles install, update and uninstall operations.": "Canvieu com l'UniGetUI instal·la, actualitza i desinstal·la els paquets.", + "Package Managers": "Admin. de Paquets", + "More": "Més", + "WingetUI Log": "Registre de l'UniGetUI", + "Package Manager logs": "Registre dels administradors de paquets", + "Operation history": "Historial d'operacions", + "Help": "Ajuda", + "Order by:": "Ordena per:", + "Name": "Nom", + "Id": "ID", + "Ascendant": "Ascendent", + "Descendant": "Descendent", + "View mode:": "Mode de visualització", + "Filters": "Filtres", + "Sources": "Fonts", + "Search for packages to start": "Cerqueu paquets per a començar", + "Select all": "Selecciona-ho tot", + "Clear selection": "Neteja la selecció", + "Instant search": "Cerca instantània", + "Distinguish between uppercase and lowercase": "Distingeix entre majúscules i minúscules", + "Ignore special characters": "Ignora els caràcters especials", + "Search mode": "Mode de cerca", + "Both": "Ambdós", + "Exact match": "Coincidència exacta", + "Show similar packages": "Mostra paquets similars", + "No results were found matching the input criteria": "No s'han trobat resultats que compleixin amb els filtres establerts", + "No packages were found": "No s'han trobat paquets", + "Loading packages": "Carregant paquets", + "Skip integrity checks": "Salta les comprovacions d'integritat", + "Download selected installers": "Descarrega els instal·ladors seleccionats", + "Install selection": "Instal·la la selecció", + "Install options": "Opcions d'instal·lació", + "Share": "Comparteix", + "Add selection to bundle": "Afegeix la selecció a la col·lecció", + "Download installer": "Descarrega l'instal·lador", + "Share this package": "Comparteix aquest paquet", + "Uninstall selection": "Desinstal·la la selecció", + "Uninstall options": "Opcions de desinstal·lació", + "Ignore selected packages": "Ignora els paquets seleccionats", + "Open install location": "Obre la ubicació d'instal·lació", + "Reinstall package": "Reinstal·la el paquet", + "Uninstall package, then reinstall it": "Desinstal·la el paquet, després reinstal·la'l", + "Ignore updates for this package": "Ignora'n les actualitzacions", + "Do not ignore updates for this package anymore": "No ignoreu més les actualitzacions d'aquest paquet", + "Add packages or open an existing package bundle": "Afegiu paquets o obriu una col·lecció", + "Add packages to start": "Afegiu paquets per a començar", + "The current bundle has no packages. Add some packages to get started": "La col·lecció actual no té paquets. Afegiu-ne per a començar", + "New": "Nou", + "Save as": "Desa com", + "Remove selection from bundle": "Treu la selecció de la col·lecció", + "Skip hash checks": "Ignora les verificacions de hash", + "The package bundle is not valid": "La col·lecció de paquets no és vàlida", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "La col·lecció que esteu intentant obrir sembla invàlida. Comproveu el fitxer i torneu-ho a provar.", + "Package bundle": "Col·lecció de paquets", + "Could not create bundle": "No s'ha pogut crear la col·lecció", + "The package bundle could not be created due to an error.": "No s'ha pogut crear la col·lecció a causa d'un error.", + "Bundle security report": "Informe de seguretat de la col·lecció de paquets", + "Hooray! No updates were found.": "Visca! No s'han trobat actualitzacions!", + "Everything is up to date": "Tot està al dia", + "Uninstall selected packages": "Desinstal·la els paquets seleccionats", + "Update selection": "Actualitza la selecció", + "Update options": "Opcions d'actualització", + "Uninstall package, then update it": "Desinstal·la el paquet, després actualitza'l", + "Uninstall package": "Desinstal·la el paquet", + "Skip this version": "Salta aquesta versió", + "Pause updates for": "Atura les actualitzacions durant", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "L'administrador de paquets del Rust.
Conté: Llibreries i binaris escrits en rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "L'administrador de paquets clàssic del Windows. Hi trobareu de tot.
Conté: Programari general", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repositori ple d'eines i executables dissenyats amb l'ecosistema .NET de Microsoft
Conté: Eines i scripts relacionats amb .NET", + "NuPkg (zipped manifest)": "NuPkg (manifest comprimit)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "L'administrador de paquets del Node JS. Ple de llibreries i d'altres utilitats que orbiten al voltant del mon de Javascript.
Conté: Llibreries de Node i altres utilitats relacionades", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "L'administrador de llibreries de Python. Ple de llibreries i d'altres utilitats relacionades.
Conté: Llibreries de Python i altres utilitats", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "L'administrador de paquets del PowerShell. Trobeu llibreries i scripts que us permetran expandir les capacitats del PowerShell
Conté: Mòduls, scripts i Cmdlets", + "extracted": "extret", + "Scoop package": "Paquet de l'Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Repositori ple d'utilitats menys populars però immensament útils i d'altres paquets interessants.
Conté: Utilitats, Programari de línia de comandes, Programari general (requereix el bucket extras)", + "library": "llibreria", + "feature": "característica", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un popular administrador de llibreries de C/C++.
Conté llibreries per a C i C++, així com altres utilitats útils durant el procés de desenvolupament en C i C++", + "option": "opció", + "This package cannot be installed from an elevated context.": "Aquest paquet no es pot instal·lar des d'un context d'Administrador", + "Please run UniGetUI as a regular user and try again.": "Executeu l'UniGetUI com a usuari estàndard i proveu-ho de nou", + "Please check the installation options for this package and try again": "Comproveu les opcions d'instal·lació d'aquest paquet i proveu-ho de nou", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "L'administrador de paquets de Microsoft. Ple de programari conegut i verificat.
Conté: Programari general, Aplicacions de la Microsoft Store", + "Local PC": "Aquest ordinador", + "Android Subsystem": "Subsistema Android", + "Operation on queue (position {0})...": "Operació a la cua (posició {0})...", + "Click here for more details": "Cliqueu per a més detalls", + "Operation canceled by user": "Operació cancel·lada per l'usuari", + "Starting operation...": "Començant operació...", + "{package} installer download": "Descàrrega de l'instal·lador del {package}", + "{0} installer is being downloaded": "S'està descarregant l'instal·lador del {0}", + "Download succeeded": "Descàrrega completada amb èxit", + "{package} installer was downloaded successfully": "L'instal·lador del {package} s'ha descarregar correctament", + "Download failed": "La descàrrega ha fallat", + "{package} installer could not be downloaded": "No s'ha pogut descarregar l'instal·lador del {package}", + "{package} Installation": "Instal·lació del {package}", + "{0} is being installed": "S'està instal·lant el {0}", + "Installation succeeded": "La instal·lació s'ha completat amb èxit", + "{package} was installed successfully": "{package} s'ha instal·lat correctament", + "Installation failed": "La instal·lació ha fallat", + "{package} could not be installed": "No s'ha pogut instal·lar el {package}", + "{package} Update": "Actualització del {package}", + "{0} is being updated to version {1}": "{0} s'està actualitzant a la versió {1}", + "Update succeeded": "L'actualització s'ha completat correctament", + "{package} was updated successfully": "{package} s'ha actualitzat correctament", + "Update failed": "L'actualització ha fallat", + "{package} could not be updated": "No s'ha pogut actuailtzar el {package}", + "{package} Uninstall": "Desinstal·lació del {package}", + "{0} is being uninstalled": "S'està desinstal·lant el {0}", + "Uninstall succeeded": "La desinstal·lació s'ha completat correctament", + "{package} was uninstalled successfully": "{package} s'ha desinstal·lat correctament", + "Uninstall failed": "La desinstal·lació ha fallat", + "{package} could not be uninstalled": "No s'ha pogut desinstal·lar el {package}", + "Adding source {source}": "Afegint font {source}", + "Adding source {source} to {manager}": "Afegint la font {source} al {manager}", + "Source added successfully": "S'ha afegit la font correctament", + "The source {source} was added to {manager} successfully": "La font {source} s'ha afegit al {manager} correctament", + "Could not add source": "No s'ha pogut afegir la font", + "Could not add source {source} to {manager}": "No s'ha pogut afegir la font {source} al {manager}", + "Removing source {source}": "Eliminant la font {source}", + "Removing source {source} from {manager}": "Eliminant la font {source} del {manager}", + "Source removed successfully": "S'ha eliminat la font correctament", + "The source {source} was removed from {manager} successfully": "La font {source} s'ha eliminat del {manager} correctament", + "Could not remove source": "No s'ha pogut eliminar la font", + "Could not remove source {source} from {manager}": "No s'ha pogut eliminar la font {source} del {manager}", + "The package manager \"{0}\" was not found": "No s'ha trobat l'administrador de paquets \"{0}\"", + "The package manager \"{0}\" is disabled": "L'administrador de paquets \"{0}\" està desactivat", + "There is an error with the configuration of the package manager \"{0}\"": "Hi ha un error a la configuració de l'administrador de paquets \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "No s'ha trobat el paquet \"{0}\" a l'administrador de paquets \"{1}\"", + "{0} is disabled": "El {0} està desactivat", + "Something went wrong": "Alguna cosa no ha anat bé", + "An interal error occurred. Please view the log for further details.": "Hi ha hagut un error intern. Veieu el registre per a més detalls", + "No applicable installer was found for the package {0}": "No s'ha trobat cap instal·lador aplicable per al paquet {0}", + "We are checking for updates.": "Estem cercant actualitzacions.", + "Please wait": "Si us plau, espereu", + "UniGetUI version {0} is being downloaded.": "Estem descarregant l'UniGetUI versió {0}", + "This may take a minute or two": "Això pot trigar un parell de minuts", + "The installer authenticity could not be verified.": "No s'ha pogut verificar l'autenticitat de l'instal·lador.", + "The update process has been aborted.": "S'ha avortat l'actualització", + "Great! You are on the latest version.": "Fantàstic! Esteu a la darrera versió.", + "There are no new UniGetUI versions to be installed": "No hi ha noves versions de l'UniGetUI disponibles", + "An error occurred when checking for updates: ": "Hi ha hagut un error quan es cercaven les actualitzacions: ", + "UniGetUI is being updated...": "Estem actualitzant l'UniGetUI...", + "Something went wrong while launching the updater.": "Quelcom ha anat malament en executar l'actualitzador.", + "Please try again later": "Proveu-ho més tard", + "Integrity checks will not be performed during this operation": "No es farà cap comprovació d'integritat durant aquesta operació", + "This is not recommended.": "Això no es recomana.", + "Run now": "Executa ara", + "Run next": "Executa a continuació", + "Run last": "Executa la darrera", + "Retry as administrator": "Torna a provar-ho com a administrador", + "Retry interactively": "Torna a provar-ho de forma interactiva", + "Retry skipping integrity checks": "Torna a provar-ho sense comprovacions d'integritat", + "Installation options": "Opcions d'instal·lació", + "Show in explorer": "Mostra a l'explorador", + "This package is already installed": "Aquest paquet ja està instal·lat", + "This package can be upgraded to version {0}": "Aquest paquet es pot actualitzar a la versió {0}", + "Updates for this package are ignored": "S'ignoren les actualitzacions d'aquest paquet", + "This package is being processed": "S'està processant aquest paquet", + "This package is not available": "Aquest paquet no està disponible", + "Select the source you want to add:": "Seleccioneu la font a afegir:", + "Source name:": "Nom de la font:", + "Source URL:": "Enllaç de la font:", + "An error occurred": "Hi ha hagut un error", + "An error occurred when adding the source: ": "Hi ha hagut un error quan s'afegia la font: ", + "Package management made easy": "L'administració de paquets, feta fàcil", + "version {0}": "versió {0}", + "[RAN AS ADMINISTRATOR]": "EXECUTAT COM A ADMINISTRADOR", + "Portable mode": "Mode portàtil", + "DEBUG BUILD": "COMPILACIÓ DE DEPURACIÓ", + "Available Updates": "Actualitzacions disponibles", + "Show WingetUI": "Mostra l'UniGetUI", + "Quit": "Tanca", + "Attention required": "Es requereix atenció", + "Restart required": "Reinici requerit", + "1 update is available": "Hi ha 1 actualització disponible", + "{0} updates are available": "Hi ha {0} actualitzacions disponibles", + "WingetUI Homepage": "Lloc web de l'UniGetUI", + "WingetUI Repository": "Repositori de l'UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aquí podeu canviar el funcionament de l'UniGetUI pel que fa a les següents dreceres. Seleccionar una drecera farà que l'UniGetUI l'elimini si mai es crea durant una actualització. Desseleccionar-la farà que la drecera no s'elimini", + "Manual scan": "Escaneig manual", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Les dreceres existents al vostre escriptori s'escanejaran, i podreu escollir quines s'han de mantenir i quines s'han d'eliminar", + "Continue": "Continuar", + "Delete?": "Eliminar?", + "Missing dependency": "Fa falta una dependència", + "Not right now": "Ara no", + "Install {0}": "Instal·la el {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "L'UniGetUI necessita el {0} per a funcionar, però aquest no ha estat trobat al sistema.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Cliqueu a Instal·lar per a començar el procés d'instal·lació. Si no instal·leu la dependència, l'UniGetUI podria no funcionar bé.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativament, també es pot instal·lar el {0} executant la següent comanda en una línia de comandes del Windows PowerShell:", + "Do not show this dialog again for {0}": "No mostris mai aquest diàleg per al {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Si us plau, espereu mentre el {0} s'instal·la. Pot aparèixer una finestra negra (o blava). Espereu a que es tanqui.", + "{0} has been installed successfully.": "El {0} s'ha instal·lat correctament.", + "Please click on \"Continue\" to continue": "Cliqueu \"Continuar\" per a continuar", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "El {0} s'ha instal·lat correctament. Es recomana reiniciar l'UniGetUI per a acabar la instal·lació", + "Restart later": "Reincia més tard", + "An error occurred:": "Hi ha hagut un error:", + "I understand": "Ho entenc", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Heu executat l'UniGetUI amb drets d'administrador, cosa que no es recomana. Quan l'UniGetUI s'executa amb drets d'administrador, TOTES les operacions executades des de l'UniGetUI també tindran drets d'administrador. Podeu seguir usant el prorgama, però us recomanem que no executeu el WingetUI amb drets d'administrador.", + "WinGet was repaired successfully": "S'ha reparat el WinGet correctament.", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Es recomana reiniciar l'UniGetUI un cop s'ha reparat el WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: Aquest solucionador de problemes es pot desactivar des de la configuració de l'UniGetUI, a la secció del WinGet", + "Restart": "Reinicia", + "WinGet could not be repaired": "No s'ha pogut reparar el WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Hi ha hagut un error durant la reparació del WinGet. Proveu-ho més tard", + "Are you sure you want to delete all shortcuts?": "Realment voleu eliminar totes les dreceres?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Qualsevol icona creada durant una instal·lació o una actualització s'eliminarà automàticament, en comptes de mostrar un diàleg de confirmació el primer cop que es detecti.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Qualsevol icona creada o modificada fora de l'UniGetUI s'ignorarà. Les podreu afegir mitjançant el botó d' {0}", + "Are you really sure you want to enable this feature?": "Realment voleu activar aquesta característica?", + "No new shortcuts were found during the scan.": "No s'han trobat noves dreceres durant l'escaneig.", + "How to add packages to a bundle": "Com afegir paquets a la col·lecció", + "In order to add packages to a bundle, you will need to: ": "Per a afegir paquets a la col·lecció, haureu de: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navegueu a la pàgina de \"{0}\" o \"{1}\"", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Escolliu el(s) paquet(s) que volgueu afegir a la col·lecció, i seleccioneu-ne la casella de l'esquerra.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Quan els paqueta que volgueu afegir estiguin seleccionats, cliqueu l'opció \"{0}\" a la barra d'eines.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Els paquets ja s'hauràn afegit a la col·lecció. Podeu exportar la col·lecció o afegir més paquets", + "Which backup do you want to open?": "Quina còpia de seguretat voleu obrir?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Seleccioneu la còpia que voleu obrir. Més endavant podreu revisar quins paquets/programes voleu restaurar.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Hi ha operacions en execució. Tancar l'UniGetUI pot provocar que fallin o es cancel·lin. Voleu continuar?", + "UniGetUI or some of its components are missing or corrupt.": "L'UniGetUI o algun dels seus components falta o s'ha corromput.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Es recomana fortament que reinstal·leu l'UniGetUI per a arreglar la situació.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Veieu el registre de l'UniGetUI per a obtenir més detalls sobre el(s) fitxer(s) afectat(s)", + "Integrity checks can be disabled from the Experimental Settings": "Les comprovacions d'identitat es poden desactivar des de la configuració experimental", + "Repair UniGetUI": "Repara l'UniGetUI", + "Live output": "Sortida en viu", + "Package not found": "No s'ha trobat el paquet", + "An error occurred when attempting to show the package with Id {0}": "Hi ha hagut un error en mostrar els detalls del paquet amb Id {0}", + "Package": "Paquet", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Aquesta col·lecció de paquets té algunes configuracions que són potencialment perilloses, i és possible que aquestes siguin ignorades.", + "Entries that show in YELLOW will be IGNORED.": "Les entrades mostrades en GROC seran IGNORADES", + "Entries that show in RED will be IMPORTED.": "Les entrades que es mostren en VERMELL seran IMPORTADES", + "You can change this behavior on UniGetUI security settings.": "Podeu canviar aquest comportament a la configuració de seguretat de l'UniGetUI.", + "Open UniGetUI security settings": "Obre la configuració de seguretat de l'UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Si modifiqueu alguna de les opcions de seguretat haureu de tornar a obrir la col·lecció per a que els canvis facin efecte.", + "Details of the report:": "Detalls de l'informe:", "\"{0}\" is a local package and can't be shared": "\"{0}\" és un paquet local i no es pot compartir", + "Are you sure you want to create a new package bundle? ": "Realment voleu crear una col·lecció nova?", + "Any unsaved changes will be lost": "Es perdrà qualsevol canvi no desat", + "Warning!": "Atenció!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Per raons de seguretat, els arguments de línia de comandes personalitzats estan desactivats. Aneu a la configuració de seguretat de l'UniGetUI per a canviar això.", + "Change default options": "Canvia les opcions per defecte", + "Ignore future updates for this package": "Ignora les actualitzacions futures d'aquest paquet", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Per raons de seguretat, els scripts de pre-operació i post-operació estan desactivats per defecte. Aneu a la configuració de seguretat de l'UniGetUI per a canviar això.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Podeu definir les comandes que s'executaran abans i/o després de que s'instal·li, s'actualitzi o es desinstal·li aquest paquet. Les comandes s'executaran en un Command Prompt, pel que els scripts de CMD funcionaran aquí.", + "Change this and unlock": "Canvia i desbloqueja", + "{0} Install options are currently locked because {0} follows the default install options.": "Les opcions d'instal·lació del {0} estan bloquejades perquè el {0} segueix les opcions d'instal·lació per defecte.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Seleccioneu els processos que s'haurien de tancar abans que aquest paquet s'instal·li, s'actualitzi o es desinstal·li.", + "Write here the process names here, separated by commas (,)": "Escriviu aquí els noms dels processos, separats per comes (,)", + "Unset or unknown": "No especificada o desconeguda", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Veieu la Sortida de la línia de comandes o l'historial d'operacions per a més detalls sobre l'error.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Aquest paquet no té icona o li falten imatges? Contribuïu a l'UniGetUI afegint la icona i imatges que faltin a la base de dades pública i oberta de l'UniGetUI.", + "Become a contributor": "Fer-se contribuïdor", + "Save": "Desa", + "Update to {0} available": "Actualització a {0} disponible", + "Reinstall": "Reinstal·la", + "Installer not available": "Instal·lador no disponible", + "Version:": "Versió:", + "Performing backup, please wait...": "Desant la còpia de seguretat, si us plau espereu...", + "An error occurred while logging in: ": "Hi ha hagut un error en iniciar sessió:", + "Fetching available backups...": "Carregant les còpies disponibles...", + "Done!": "Fet!", + "The cloud backup has been loaded successfully.": "La còpia de seguretat s'ha carregat correctament", + "An error occurred while loading a backup: ": "Hi ha hagut un error en carregar la còpia de seguretat:", + "Backing up packages to GitHub Gist...": "Fent una còpia de seguretat dels paquets a GitHub Gist...", + "Backup Successful": "S'ha completat la còpia", + "The cloud backup completed successfully.": "La còpia de seguretat s'ha completat correctament.", + "Could not back up packages to GitHub Gist: ": "No s'ha pogut completar la còpia al GitHub Gist", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "No podem garantir que les credencials donades es desin de forma segura, així que millor que no poseu aquí la contrasenya del vostre banc", + "Enable the automatic WinGet troubleshooter": "Activa el solucionador de problemes automàtic del WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Activa un solucionador [experimental] millorat per al WunGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Afegiu qualsevol actualització que falli amb l'error 'No aplica' a la llista d'acttualitzacions ignorades", + "Restart WingetUI to fully apply changes": "Cal reiniciar l'UniGetUI per a aplicar els canvis", + "Restart WingetUI": "Reinicia l'UniGetUI", + "Invalid selection": "Selecció invàlida", + "No package was selected": "No s'ha seleccionat cap paquet", + "More than 1 package was selected": "S'ha seleccionat més d'un paquet", + "List": "Llista", + "Grid": "Graella", + "Icons": "Icones", "\"{0}\" is a local package and does not have available details": "\"{0}\" és un paquet local i no té detalls disponibles", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" és un paquet local i no és compatible amb aquesta característica", - "(Last checked: {0})": "(Comprovat per darrer cop: {0})", + "WinGet malfunction detected": "S'ha detectat un funcionament incorrecte del WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Sembla que el WinGet no està funcionant correctament. Voleu intentar reparar-lo?", + "Repair WinGet": "Repara el WinGet", + "Create .ps1 script": "Crea un script .ps1", + "Add packages to bundle": "Afegiu paquets a la col·lecció", + "Preparing packages, please wait...": "Preparant els paquets, si us plau espereu...", + "Loading packages, please wait...": "Carregant els paquets...", + "Saving packages, please wait...": "Desant els paquets, espereu si us plau...", + "The bundle was created successfully on {0}": "La col·lecció s'ha desat correctament a {0}", + "Install script": "Script d'instal·lació", + "The installation script saved to {0}": "L'script d'instal·lació s'ha desat correctament a {0}", + "An error occurred while attempting to create an installation script:": "Ha ocorregut un error quan es creava l'script d'instal·lació", + "{0} packages are being updated": "{0} estan sent actualitzats", + "Error": "Error", + "Log in failed: ": "Ha fallat l'inici de sessió:", + "Log out failed: ": "Ha fallat el tancament de sessió:", + "Package backup settings": "Configuració de la còpia de seguretat", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Número {0} a la cua)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@marticliment", "0 packages found": "No s'han trobat paquets", "0 updates found": "No s'han trobat actualitzacions", - "1 - Errors": "1 - Errors", - "1 day": "1 dia", - "1 hour": "1 hora", "1 month": "1 mes", "1 package was found": "S'ha trobat 1 paquet", - "1 update is available": "Hi ha 1 actualització disponible", - "1 week": "1 setmana", "1 year": "1 any", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navegueu a la pàgina de \"{0}\" o \"{1}\"", - "2 - Warnings": "2 - Advertències", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Escolliu el(s) paquet(s) que volgueu afegir a la col·lecció, i seleccioneu-ne la casella de l'esquerra.", - "3 - Information (less)": "3 - Informació (menys)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Quan els paqueta que volgueu afegir estiguin seleccionats, cliqueu l'opció \"{0}\" a la barra d'eines.", - "4 - Information (more)": "4 - Informació (més)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Els paquets ja s'hauràn afegit a la col·lecció. Podeu exportar la col·lecció o afegir més paquets", - "5 - information (debug)": "5 - Informació (depuració)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un popular administrador de llibreries de C/C++.
Conté llibreries per a C i C++, així com altres utilitats útils durant el procés de desenvolupament en C i C++", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repositori ple d'eines i executables dissenyats amb l'ecosistema .NET de Microsoft
Conté: Eines i scripts relacionats amb .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Un repositori ple d'eines dissenyades amb l'ecosistema de Microsoft anomenat .NET
Conté: Eines relacionades amb .NET", "A restart is required": "Es requereix un reinici", - "Abort install if pre-install command fails": "Avorta la instal·lació si la comanda de pre-instal·lació falla", - "Abort uninstall if pre-uninstall command fails": "Avorta la desinstal·lació si la comanda de pre-desinstal·lació falla", - "Abort update if pre-update command fails": "Avorta l'actualització si la comanda de pre-actualització falla", - "About": "Sobre", "About Qt6": "Sobre Qt6", - "About WingetUI": "Sobre l'UniGetUI", "About WingetUI version {0}": "Sobre l'UniGetUI versió {0}", "About the dev": "Sobre el desenvolupador", - "Accept": "Acceptar", "Action when double-clicking packages, hide successful installations": "Acció en prémer dos cops els paquets, amaga les instal·lacions satisfactòries", - "Add": "Afegeix", "Add a source to {0}": "Afegeix una font al {0}", - "Add a timestamp to the backup file names": "Afegeix la data i l'hora als noms de les còpies de seguretat", "Add a timestamp to the backup files": "Afegeix una marca de temps a les còpies de seguretat", "Add packages or open an existing bundle": "Afegiu paquets o obriu una col·lecció existent", - "Add packages or open an existing package bundle": "Afegiu paquets o obriu una col·lecció", - "Add packages to bundle": "Afegiu paquets a la col·lecció", - "Add packages to start": "Afegiu paquets per a començar", - "Add selection to bundle": "Afegeix la selecció a la col·lecció", - "Add source": "Afegeix una font", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Afegiu qualsevol actualització que falli amb l'error 'No aplica' a la llista d'acttualitzacions ignorades", - "Adding source {source}": "Afegint font {source}", - "Adding source {source} to {manager}": "Afegint la font {source} al {manager}", "Addition succeeded": "S'ha afegit correctament", - "Administrator privileges": "Drets d'administrador", "Administrator privileges preferences": "Preferències dels drets d'administrador", "Administrator rights": "Drets d'administrador", - "Administrator rights and other dangerous settings": "Drets d'administrador i altres configuracions perilloses", - "Advanced options": "Opcions avançades", "All files": "Tots els fitxers", - "All versions": "Totes les versions", - "Allow changing the paths for package manager executables": "Permeteu canviar els fitxers executables dels administradors de paquets", - "Allow custom command-line arguments": "Permet arguments personalitzats de la línia d'ordres", - "Allow importing custom command-line arguments when importing packages from a bundle": "Permet la importació d'arguments personalitzats de la línia d'ordres en importar paquets d'una col·lecció", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permeteu la importació de comandes de pre-instal·lació i post-instal·lació quan s'importin paquets des d'una col·lecció de paquets", "Allow package operations to be performed in parallel": "Permet que les operacions s'executin en paral·lel", "Allow parallel installs (NOT RECOMMENDED)": "Permet la instal·lació paral·lela (NO RECOMANAT)", - "Allow pre-release versions": "Permet versions de prellançament", "Allow {pm} operations to be performed in parallel": "Permet que les operacions del {pm} s'executin en paral·lel", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativament, també es pot instal·lar el {0} executant la següent comanda en una línia de comandes del Windows PowerShell:", "Always elevate {pm} installations by default": "Eleva sempre les instal·lacions del {pm} per defecte", "Always run {pm} operations with administrator rights": "Executa sempre les operacions del {pm} amb drets d'administrador", - "An error occurred": "Hi ha hagut un error", - "An error occurred when adding the source: ": "Hi ha hagut un error quan s'afegia la font: ", - "An error occurred when attempting to show the package with Id {0}": "Hi ha hagut un error en mostrar els detalls del paquet amb Id {0}", - "An error occurred when checking for updates: ": "Hi ha hagut un error quan es cercaven les actualitzacions: ", - "An error occurred while attempting to create an installation script:": "Ha ocorregut un error quan es creava l'script d'instal·lació", - "An error occurred while loading a backup: ": "Hi ha hagut un error en carregar la còpia de seguretat:", - "An error occurred while logging in: ": "Hi ha hagut un error en iniciar sessió:", - "An error occurred while processing this package": "Hi ha hagut un error al processar aquest paquet", - "An error occurred:": "Hi ha hagut un error:", - "An interal error occurred. Please view the log for further details.": "Hi ha hagut un error intern. Veieu el registre per a més detalls", "An unexpected error occurred:": "Hi ha hagut un error inesperat:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Hi ha hagut un error durant la reparació del WinGet. Proveu-ho més tard", - "An update was found!": "S'ha trobat una actualització!", - "Android Subsystem": "Subsistema Android", "Another source": "Una altra font", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Qualsevol icona creada durant una instal·lació o una actualització s'eliminarà automàticament, en comptes de mostrar un diàleg de confirmació el primer cop que es detecti.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Qualsevol icona creada o modificada fora de l'UniGetUI s'ignorarà. Les podreu afegir mitjançant el botó d' {0}", - "Any unsaved changes will be lost": "Es perdrà qualsevol canvi no desat", "App Name": "Nom de l'app", - "Appearance": "Aparença", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema de l'aplicació, pàgina d'inici, icones als paquets, neteja les instal·lacions exitoses automàticament", - "Application theme:": "Tema de l'aplicació:", - "Apply": "Aplica", - "Architecture to install:": "Arquitectura a instal·lar:", "Are these screenshots wron or blurry?": "Aquestes captures són errònies o estan borroses?", - "Are you really sure you want to enable this feature?": "Realment voleu activar aquesta característica?", - "Are you sure you want to create a new package bundle? ": "Realment voleu crear una col·lecció nova?", - "Are you sure you want to delete all shortcuts?": "Realment voleu eliminar totes les dreceres?", - "Are you sure?": "N'esteu segur/a?", - "Ascendant": "Ascendent", - "Ask for administrator privileges once for each batch of operations": "Demana drets d'administrador per a cada grup d'operacions", "Ask for administrator rights when required": "Demana els drets d'administrador quan es necessitin", "Ask once or always for administrator rights, elevate installations by default": "Demaneu sempre o un sol cop per als drets d'administrador, eleva les instalacions per defecte", - "Ask only once for administrator privileges": "Pregunta només un cop per als permisos d'administrador", "Ask only once for administrator privileges (not recommended)": "Demana només un cop per a drets d'administrador (no recomanat)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Pregunta si eliminar les noves dreceres de l'escriptori creades durant una instal·lació o actualització.", - "Attention required": "Es requereix atenció", "Authenticate to the proxy with an user and a password": "Autenticar-se al proxy amb usuari i contrasenya", - "Author": "Autor/a", - "Automatic desktop shortcut remover": "Eliminador automàtic de dreceres de l'escriptori", - "Automatic updates": "Actualitzacions automàtiques", - "Automatically save a list of all your installed packages to easily restore them.": "Desa automàticament una llista de tots els paquets instal·lats per a restaurar-los fàcilment.", "Automatically save a list of your installed packages on your computer.": "Desa una llista dels paquets instal·lats al vostre ordinador de forma automàtica", - "Automatically update this package": "Actualitza aquest paquet automàticament", "Autostart WingetUI in the notifications area": "Inicia l'UniGetUI a l'àrea de notificacions", - "Available Updates": "Actualitzacions disponibles", "Available updates: {0}": "Actualitzacions disponibles: {0}", "Available updates: {0}, not finished yet...": "Actualitzacions disponibles: {0}, encara no hem acabat...", - "Backing up packages to GitHub Gist...": "Fent una còpia de seguretat dels paquets a GitHub Gist...", - "Backup": "Fes la còpia", - "Backup Failed": "La còpia de seguretat ha fallat", - "Backup Successful": "S'ha completat la còpia", - "Backup and Restore": "Còpia de seguretat i restauració", "Backup installed packages": "Fes una còpia de seguretat dels paquets instal·lats", "Backup location": "Ubicació de la còpia", - "Become a contributor": "Fer-se contribuïdor", - "Become a translator": "Fer-se traductor", - "Begin the process to select a cloud backup and review which packages to restore": "Comença el procés de selecció i revisió de quins paquets s'ha de restaurar", - "Beta features and other options that shouldn't be touched": "Característiques beta i altres opcions que no s'haurien de tocar", - "Both": "Ambdós", - "Bundle security report": "Informe de seguretat de la col·lecció de paquets", "But here are other things you can do to learn about WingetUI even more:": "Però aquí hi ha altres coses que podeu fer per aprendre encara més sobre l'UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Si es desactiva un administrador de paquets no es mostraran ni els seus paquets ni les seves actualitzacions", "Cache administrator rights and elevate installers by default": "Recorda els drets d'administrador i eleva els instal·ladors de manera predeterminada", "Cache administrator rights, but elevate installers only when required": "Recorda els drets d'administrador, però eleva només els instal·ladors que ho requereixin", "Cache was reset successfully!": "La memòria cau s'ha resetejat correctament", "Can't {0} {1}": "No hem pogut {0} el {1}", - "Cancel": "Cancel·la", "Cancel all operations": "Cancel·la-ho tot", - "Change backup output directory": "Canvia el directori de sortida de la còpia", - "Change default options": "Canvia les opcions per defecte", - "Change how UniGetUI checks and installs available updates for your packages": "Canviar com l'UniGetUI comprova i instal·la les actualizacions dels paquets", - "Change how UniGetUI handles install, update and uninstall operations.": "Canvieu com l'UniGetUI instal·la, actualitza i desinstal·la els paquets.", "Change how UniGetUI installs packages, and checks and installs available updates": "Canvia com l'UniGetUI instal·la paquets, i comprova si hi ha actualitzacions", - "Change how operations request administrator rights": "Canvieu com les operacions demanen drets d'administrador", "Change install location": "Canvia la ubicació d'instal·lació", - "Change this": "Canviar això", - "Change this and unlock": "Canvia i desbloqueja", - "Check for package updates periodically": "Cerca actualitzacions dels paquets periòdicament", - "Check for updates": "Cerca actualitzacions", - "Check for updates every:": "Cerca actualitzacions cada:", "Check for updates periodically": "Cerca actualitzacions de forma periòdica", "Check for updates regularly, and ask me what to do when updates are found.": "Cerca actualitzacions regularment, i pregunta'm què fer quan se'n trobin.", "Check for updates regularly, and automatically install available ones.": "Cerca actualitzacions regularment, i instal·la-les automàticament", @@ -159,805 +741,283 @@ "Checking for updates...": "Cercant actualitzacions...", "Checking found instace(s)...": "Comprovant instàncies trobades...", "Choose how many operations shouls be performed in parallel": "Màxim d'operacions a executar en paral·lel", - "Clear cache": "Neteja la memòria cau", "Clear finished operations": "Neteja les operacions finalitzades", - "Clear selection": "Neteja la selecció", "Clear successful operations": "Neteja les operacions exitoses", - "Clear successful operations from the operation list after a 5 second delay": "Treu de la llista les operacions exitoses automàticament cap de 5 segons", "Clear the local icon cache": "Neteja la memòria cau d'icones", - "Clearing Scoop cache - WingetUI": "Netejant la memòria cau de l'Scoop - UniGetUI", "Clearing Scoop cache...": "Netejant la memòria cau de l'Scoop...", - "Click here for more details": "Cliqueu per a més detalls", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Cliqueu a Instal·lar per a començar el procés d'instal·lació. Si no instal·leu la dependència, l'UniGetUI podria no funcionar bé.", - "Close": "Tanca", - "Close UniGetUI to the system tray": "Tanca l'UniGetUI a la safata del sistema", "Close WingetUI to the notification area": "Tanqueu l'UniGetUI a la safata del sistema", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "La còpia de seguretat al núvol utilitza un GitHub Gist privat per a desar-hi la llista de paquets que teniu instal·lats a l'ordinador", - "Cloud package backup": "Còpia de seguretat al núvol", "Command-line Output": "Sortida de la línia de comandes", - "Command-line to run:": "Línia de comandes a executar:", "Compare query against": "Compara la cerca amb", - "Compatible with authentication": "Compatible amb l'autenticació", - "Compatible with proxy": "Compatible amb el proxy", "Component Information": "Informació dels components", - "Concurrency and execution": "Concurrència i execució", - "Connect the internet using a custom proxy": "Connecta't a internet mitjaçant un proxy o servidor intermediari personalitzats", - "Continue": "Continuar", "Contribute to the icon and screenshot repository": "Contribueix al repositori d'icones i de captures de pantalla", - "Contributors": "Contribuïdors", "Copy": "Copia", - "Copy to clipboard": "Copia al porta-retalls", - "Could not add source": "No s'ha pogut afegir la font", - "Could not add source {source} to {manager}": "No s'ha pogut afegir la font {source} al {manager}", - "Could not back up packages to GitHub Gist: ": "No s'ha pogut completar la còpia al GitHub Gist", - "Could not create bundle": "No s'ha pogut crear la col·lecció", "Could not load announcements - ": "No s'han pogut carregar els anuncis - ", "Could not load announcements - HTTP status code is $CODE": "No s'han pogut carregar els anuncis - El codi d'estat HTTP és $CODE", - "Could not remove source": "No s'ha pogut eliminar la font", - "Could not remove source {source} from {manager}": "No s'ha pogut eliminar la font {source} del {manager}", "Could not remove {source} from {manager}": "No s'ha pogut eliminar la font {source} del {manager}", - "Create .ps1 script": "Crea un script .ps1", - "Credentials": "Credencials", "Current Version": "Versió actual", - "Current executable file:": "Fitxer executable actual:", - "Current status: Not logged in": "Estat: no s'ha iniciat la sessió", "Current user": "Usuari actual", "Custom arguments:": "Paràmetres personalitzats:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Els arguments de línia d'ordres personalitzats poden canviar la manera com s'instal·len, s'actualitzen o es desinstal·len els programes, d'una manera que UniGetUI no pot controlar. L'ús de línies d'ordres personalitzades pot trencar els paquets. Procediu amb precaució.", "Custom command-line arguments:": "Paràmetres de línia de comandes personalitzats:", - "Custom install arguments:": "Arguments d'instal·lació personalitzats", - "Custom uninstall arguments:": "Arguments de desinstal·lació personalitzats", - "Custom update arguments:": "Arguments d'actualització personalitzats", "Customize WingetUI - for hackers and advanced users only": "Personalitzeu l'UniGetUI: només per a hackers i usuaris avançats", - "DEBUG BUILD": "COMPILACIÓ DE DEPURACIÓ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ADVERTÈNCIA: NO ENS FEM RESPONSABLES DELS PAQUETS DESCARREGATS. ASSEGUREU-VOS D'INSTAL·LAR NOMÉS PAQUETS EN ELS QUALS CONFIEU.", - "Dark": "Fosc", - "Decline": "Declinar", - "Default": "Per defecte", - "Default installation options for {0} packages": "Opcions d'instal·lació per defecte pels paquets del {0}", "Default preferences - suitable for regular users": "Carrega les preferències predeterminades: adequades per als usuaris bàsics", - "Default vcpkg triplet": "Triplet per defecte del vcpkg", - "Delete?": "Eliminar?", - "Dependencies:": "Dependències:", - "Descendant": "Descendent", "Description:": "Descripció:", - "Desktop shortcut created": "Drecera creada a l'escriptori", - "Details of the report:": "Detalls de l'informe:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "El desenvolupament és difícil i aquesta aplicació és gratuïta. Però si t'ha agradat, sempre pots comprar-me un cafè :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instal·la directament en comptes de mostrar més informació sobre un paquet a la pestanya de \n{discoveryTab}", "Disable new share API (port 7058)": "Desactiva la nova API de compartició (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Desactiva el temps màxim d'1 minut per a les tasques de llistar paquets", - "Disabled": "Desactivat", - "Disclaimer": "Exempció de responsabilitat", - "Discover Packages": "Descobrir programari", "Discover packages": "Descobrir paquets", "Distinguish between\nuppercase and lowercase": "Distingueix entre\nmajúscules i minúscules", - "Distinguish between uppercase and lowercase": "Distingeix entre majúscules i minúscules", "Do NOT check for updates": "NO comprovis si hi ha actualitzacions", "Do an interactive install for the selected packages": "Instal·leu de forma interactiva els paquets seleccionats", "Do an interactive uninstall for the selected packages": "Desinstal·leu de forma interactiva els paquets seleccionats", "Do an interactive update for the selected packages": "Actualitzeu de forma interactiva els paquets seleccionats", - "Do not automatically install updates when the battery saver is on": "No instal·lar automàticament les actualitzacions quan l'estalviador de bateria estigui activat", - "Do not automatically install updates when the device runs on battery": "No instal·lis automàticament les actualitzacions quan l'ordinador no estigui connectat a la corrent", - "Do not automatically install updates when the network connection is metered": "No instal·lar automàticament les actualitzacions quan la connexió a internet sigui d'ús mesurat", "Do not download new app translations from GitHub automatically": "No descarreguis noves versions de les traduccions de GitHub automàticament", - "Do not ignore updates for this package anymore": "No ignoreu més les actualitzacions d'aquest paquet", "Do not remove successful operations from the list automatically": "No esborris automàticament de la llista les operacions completades satisfactòriament", - "Do not show this dialog again for {0}": "No mostris mai aquest diàleg per al {0}", "Do not update package indexes on launch": "No actualitzar els índexos de paquets en iniciar l'UniGetUI", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepteu que l'UniGetUI reculli i enviï dades d'ús anònimes, amb l'únic propòsit d'entendre i millorar l'experiència de l'ususari?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Trobeu l'UniGetUI una eina útil? Si voleu, podeu recolzar el desenvolupament per a que pugui continuar fent del l'UniGetUI la interfície d'administració de paquets definitiva.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Heu trobat l'UniGetUI útil? Voleu recolzar el desenvolupador? Si voleu, podeu {0}, ajuda molt!", - "Do you really want to reset this list? This action cannot be reverted.": "Realment voleu resetejar aquesta llista? Aquesta acció no es pot desfer.", - "Do you really want to uninstall the following {0} packages?": "Voleu desinstal·lar els següents {0} paquets?", "Do you really want to uninstall {0} packages?": "Realment voleu desinstal·lar {0} paquets?", - "Do you really want to uninstall {0}?": "Realment voleu desinstal·lar el {0}?", "Do you want to restart your computer now?": "Voleu reiniciar el vostre ordinador ara?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Voleu traduïr l'UniGetUI al vostre idioma? Veieu com AQUÍ!\n", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "No voleu donar? No passa res, sempre podeu compartir l'UniGetUI amb els vostres amics! Doneu a conèixer l'UniGetUI!", "Donate": "Dona'm un cafè!", - "Done!": "Fet!", - "Download failed": "La descàrrega ha fallat", - "Download installer": "Descarrega l'instal·lador", - "Download operations are not affected by this setting": "Les operacions de descàrrega no es veuran afectades per aquesta opció", - "Download selected installers": "Descarrega els instal·ladors seleccionats", - "Download succeeded": "Descàrrega completada amb èxit", "Download updated language files from GitHub automatically": "Descarrega fitxers d'idioma actualitzats automàticament des del GitHub", - "Downloading": "Descarregant", - "Downloading backup...": "Descarregant la còpia...", - "Downloading installer for {package}": "Descarregant l'instal·lador del {package}", - "Downloading package metadata...": "Descarregant les metadates dels paquets...", - "Enable Scoop cleanup on launch": "Activa la comanda scoop cleanup en iniciar", - "Enable WingetUI notifications": "Activa les notificacions de l'UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Activa un solucionador [experimental] millorat per al WunGet", - "Enable and disable package managers, change default install options, etc.": "Activa i desactiva administradors de paquets, opcions d'instal·lació per defecte, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activa les optimitzacions de CPU en rerefons (veieu Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Activa la API de rerefons, (Widgets for UniGetUI i Compartició de paquets, port 7058)", - "Enable it to install packages from {pm}.": "Activeu-lo per a instal·lar paquets del {pm}.", - "Enable the automatic WinGet troubleshooter": "Activa el solucionador de problemes automàtic del WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Activa el nou elevador d'UAC amb el nom de l'UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Activa el nou controlador d'entrada dels processos (Tancador automàtic de l'STDIN)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activeu les opcions de sota SI I NOMÉS SI enteneu què fan, i les implicacions i perills que poden comportar.", - "Enable {pm}": "Activa el {pm}", - "Enabled": "Activat", - "Enter proxy URL here": "Escriviu l'URL del proxy aquí", - "Entries that show in RED will be IMPORTED.": "Les entrades que es mostren en VERMELL seran IMPORTADES", - "Entries that show in YELLOW will be IGNORED.": "Les entrades mostrades en GROC seran IGNORADES", - "Error": "Error", - "Everything is up to date": "Tot està al dia", - "Exact match": "Coincidència exacta", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Les dreceres existents al vostre escriptori s'escanejaran, i podreu escollir quines s'han de mantenir i quines s'han d'eliminar", - "Expand version": "Mostra la versió", - "Experimental settings and developer options": "Configuracions experimentals i altres opcions de desenvolupador", - "Export": "Exporta", + "Downloading": "Descarregant", + "Downloading installer for {package}": "Descarregant l'instal·lador del {package}", + "Downloading package metadata...": "Descarregant les metadates dels paquets...", + "Enable the new UniGetUI-Branded UAC Elevator": "Activa el nou elevador d'UAC amb el nom de l'UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Activa el nou controlador d'entrada dels processos (Tancador automàtic de l'STDIN)", "Export log as a file": "Exporta el registre com a fitxer", "Export packages": "Exporta paquets", "Export selected packages to a file": "Exporta els paquets sel·leccionats en un fitxer", - "Export settings to a local file": "Exporta les preferències a un fitxer", - "Export to a file": "Exporta a un fitxer", - "Failed": "Hi ha hagut un error", - "Fetching available backups...": "Carregant les còpies disponibles...", "Fetching latest announcements, please wait...": "Carregant els anuncis, si us plau espereu...", - "Filters": "Filtres", "Finish": "Acaba", - "Follow system color scheme": "Segueix l'esquema de colors del sistema", - "Follow the default options when installing, upgrading or uninstalling this package": "Segueix les opcions per defecte quan s'instal·li, s'actualitzi o es desinstal·li aquest paquet", - "For security reasons, changing the executable file is disabled by default": "Per raons de seguretat, l'opció de canviar el fitxer executable està desactivada", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Per raons de seguretat, els arguments de línia de comandes personalitzats estan desactivats. Aneu a la configuració de seguretat de l'UniGetUI per a canviar això.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Per raons de seguretat, els scripts de pre-operació i post-operació estan desactivats per defecte. Aneu a la configuració de seguretat de l'UniGetUI per a canviar això.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Força la versió ARM del winget (NOMÉS PER A SISTEMES ARM64)", - "Force install location parameter when updating packages with custom locations": "Forca el paràmetre d'ubicació quan s'actualitzin paquets amb ubicacions personalitzades", "Formerly known as WingetUI": "Abans conegut com el WingetUI", "Found": "Trobat", "Found packages: ": "Paquets trobats: ", "Found packages: {0}": "S'han trobat {0} paquets", "Found packages: {0}, not finished yet...": "S'han trobat {0} paquets, però encara no hem acabat...", - "General preferences": "Preferències generals", "GitHub profile": "perfil a GitHub", "Global": "Global", - "Go to UniGetUI security settings": "Configuració de seguretat de l'UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Repositori ple d'utilitats menys populars però immensament útils i d'altres paquets interessants.
Conté: Utilitats, Programari de línia de comandes, Programari general (requereix el bucket extras)", - "Great! You are on the latest version.": "Fantàstic! Esteu a la darrera versió.", - "Grid": "Graella", - "Help": "Ajuda", "Help and documentation": "Ajuda i documentació", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aquí podeu canviar el funcionament de l'UniGetUI pel que fa a les següents dreceres. Seleccionar una drecera farà que l'UniGetUI l'elimini si mai es crea durant una actualització. Desseleccionar-la farà que la drecera no s'elimini", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hola, em dic Martí, i soc el desenvolupador de l'UniGetUI. L'UniGetUI ha estat fet en estones lliures!", "Hide details": "Amaga els detalls", - "Homepage": "Lloc web", - "Hooray! No updates were found.": "Visca! No s'han trobat actualitzacions!", "How should installations that require administrator privileges be treated?": "Com s'han de tractar les instal·lacions que requereixin privilegis d'administrador?", - "How to add packages to a bundle": "Com afegir paquets a la col·lecció", - "I understand": "Ho entenc", - "Icons": "Icones", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Si heu activat la còpia de seguretat al núvol, aquesta es desarà en un Gist de GitHub privat en aquest compte.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permet que s'executin comandes personalitzades de pre-instal·lació i post-instal·lació", - "Ignore future updates for this package": "Ignora les actualitzacions futures d'aquest paquet", - "Ignore packages from {pm} when showing a notification about updates": "Ignora els paquets del {pm} quan es notifiquin les actualitzacions disponibles", - "Ignore selected packages": "Ignora els paquets seleccionats", - "Ignore special characters": "Ignora els caràcters especials", "Ignore updates for the selected packages": "Ignora les actualitzacions dels paquets seleccionats", - "Ignore updates for this package": "Ignora'n les actualitzacions", "Ignored updates": "Actualitzacions ignorades", - "Ignored version": "Versió ignorada", - "Import": "Importa", "Import packages": "Importa paquets", "Import packages from a file": "Importa paquets des d'un fitxer", - "Import settings from a local file": "Importa les preferències des d'un fitxer", - "In order to add packages to a bundle, you will need to: ": "Per a afegir paquets a la col·lecció, haureu de: ", "Initializing WingetUI...": "Inicialitzant l'UniGetUI...", - "Install": "Instal·la", - "Install Scoop": "Instal·la l'Scoop", "Install and more": "Instal·la i més", "Install and update preferences": "Perferències d'instal·lació i actualització", - "Install as administrator": "Instal·la com a administrador", - "Install available updates automatically": "Instal·la de forma automàtica totes les actualitzacions disponibles", - "Install location can't be changed for {0} packages": "La ubicació d'instal·lació no es pot canviar per els paquets del {0}", - "Install location:": "Ubicació d'instal·lació:", - "Install options": "Opcions d'instal·lació", "Install packages from a file": "Instal·la paquets des d'un fitxer", - "Install prerelease versions of UniGetUI": "Instal·la versions de previsualització (no estables) de l'UniGetUI", - "Install script": "Script d'instal·lació", "Install selected packages": "Instal·la els paquets sel·leccionats", "Install selected packages with administrator privileges": "Instal·la els paquets seleccionats amb drets d'administrador", - "Install selection": "Instal·la la selecció", "Install the latest prerelease version": "Instal·la la darrera versió de prova", "Install updates automatically": "Instal·la les actualitzacions automàticament", - "Install {0}": "Instal·la el {0}", "Installation canceled by the user!": "Instal·lació cancel·lada per l'usuari!", - "Installation failed": "La instal·lació ha fallat", - "Installation options": "Opcions d'instal·lació", - "Installation scope:": "Entorn d'instal·lació:", - "Installation succeeded": "La instal·lació s'ha completat amb èxit", - "Installed Packages": "Programari instal·lat", - "Installed Version": "Versió instal·lada", "Installed packages": "Paquets instal·lats", - "Installer SHA256": "SHA256 de l'instal·lador", - "Installer SHA512": "SHA512 de l'instal·lador", - "Installer Type": "Tipus d'instal·lador", - "Installer URL": "Enllaç de l'instal·lador", - "Installer not available": "Instal·lador no disponible", "Instance {0} responded, quitting...": "La instància {0} ha respost, sortint...", - "Instant search": "Cerca instantània", - "Integrity checks can be disabled from the Experimental Settings": "Les comprovacions d'identitat es poden desactivar des de la configuració experimental", - "Integrity checks skipped": "Comprovacions d'integritat omeses", - "Integrity checks will not be performed during this operation": "No es farà cap comprovació d'integritat durant aquesta operació", - "Interactive installation": "Instal·lació interactiva", - "Interactive operation": "Operació interactiva", - "Interactive uninstall": "Desinstal·lació interactiva", - "Interactive update": "Actualització interactiva", - "Internet connection settings": "Preferències de la connexió a internet", - "Invalid selection": "Selecció invàlida", "Is this package missing the icon?": "A aquest paquet li falta la icona?", - "Is your language missing or incomplete?": "Falta el vostre idioma o la traducció està incompleta?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "No podem garantir que les credencials donades es desin de forma segura, així que millor que no poseu aquí la contrasenya del vostre banc", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Es recomana reiniciar l'UniGetUI un cop s'ha reparat el WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Es recomana fortament que reinstal·leu l'UniGetUI per a arreglar la situació.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Sembla que el WinGet no està funcionant correctament. Voleu intentar reparar-lo?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Sembla que heu executat l'UniGetUI amb permisos d'administrador, fet que no es recomana. Podeu seguir utilitzant el programa, però recomanem no executar l'UniGetUI amb drets d'administrador. Cliqueu a \"{showDetails}\" per a veure el perquè.", - "Language": "Idioma", - "Language, theme and other miscellaneous preferences": "Idioma, tema i altres preferències miscel·lànies", - "Last updated:": "Actualitzat per darrer cop:", - "Latest": "Darrera", "Latest Version": "Darrera versió", "Latest Version:": "Darrera versió:", "Latest details...": "Darrers detalls...", "Launching subprocess...": "Executant el subprocés...", - "Leave empty for default": "Deixeu-ho buit per al valor predeterminat", - "License": "Llicència", "Licenses": "Llicències", - "Light": "Clar", - "List": "Llista", "Live command-line output": "Sortida en viu de l'instal·lador", - "Live output": "Sortida en viu", "Loading UI components...": "Carregant els components de la interfície...", "Loading WingetUI...": "Carregant l'UniGetUI...", - "Loading packages": "Carregant paquets", - "Loading packages, please wait...": "Carregant els paquets...", - "Loading...": "Carregant...", - "Local": "Local", - "Local PC": "Aquest ordinador", - "Local backup advanced options": "Opcions avançades de la còpia local", "Local machine": "Ordinador local", - "Local package backup": "Còpia de seguretat local", "Locating {pm}...": "Cercant el {pm}...", - "Log in": "Inicia la sessió", - "Log in failed: ": "Ha fallat l'inici de sessió:", - "Log in to enable cloud backup": "Inicieu la sessió per a activar la còpia de seguretat al núvol", - "Log in with GitHub": "Inicieu la sessió amb el GitHub", - "Log in with GitHub to enable cloud package backup.": "Inicieu la sessió amb el GitHub per a activar la còpia de seguretat al núvol", - "Log level:": "Nivell del registre:", - "Log out": "Tanca la sessió", - "Log out failed: ": "Ha fallat el tancament de sessió:", - "Log out from GitHub": "Tanca la sessió del GitHub", "Looking for packages...": "Cercant paquets...", "Machine | Global": "Màquina | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Els arguments de línia d'ordres amb format incorrecte poden trencar els paquets o fins i tot permetre que un actor maliciós obtingui una execució privilegiada. Per tant, la importació d'arguments de línia d'ordres personalitzats està desactivada per defecte.", - "Manage": "Administra", - "Manage UniGetUI settings": "Administra la configuració de l'UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Administreu el comportament d'inici de l'UniGetUI des de la configuració de l'ordinador", "Manage ignored packages": "Administra els paquets ignorats", - "Manage ignored updates": "Administra les actualitzacions ignorades", - "Manage shortcuts": "Administrar les dreceres", - "Manage telemetry settings": "Administra la configuració de la telemetria", - "Manage {0} sources": "Administra les fonts del {0}", - "Manifest": "Manifest", "Manifests": "Manifests", - "Manual scan": "Escaneig manual", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "L'administrador de paquets de Microsoft. Ple de programari conegut i verificat.
Conté: Programari general, Aplicacions de la Microsoft Store", - "Missing dependency": "Fa falta una dependència", - "More": "Més", - "More details": "Més detalls", - "More details about the shared data and how it will be processed": "Més detalls sobre com es processen les dades recollides", - "More info": "Més detalls", - "More than 1 package was selected": "S'ha seleccionat més d'un paquet", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: Aquest solucionador de problemes es pot desactivar des de la configuració de l'UniGetUI, a la secció del WinGet", - "Name": "Nom", - "New": "Nou", "New Version": "Nova versió", "New bundle": "Col·lecció nova", - "New version": "Nova versió", - "Nice! Backups will be uploaded to a private gist on your account": "Fantàstic! Les còpies de seguretat es carregaran en un Gist privat al vostre compte", - "No": "No", - "No applicable installer was found for the package {0}": "No s'ha trobat cap instal·lador aplicable per al paquet {0}", - "No dependencies specified": "No s'han especificat dependències", - "No new shortcuts were found during the scan.": "No s'han trobat noves dreceres durant l'escaneig.", - "No package was selected": "No s'ha seleccionat cap paquet", "No packages found": "No s'han trobat paquets", "No packages found matching the input criteria": "No s'han trobat paquets amb els criteris actuals", "No packages have been added yet": "Encara no s'han afegit paquets", "No packages selected": "Cap paquet seleccionat", - "No packages were found": "No s'han trobat paquets", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "No es recull ni s'envia informació personal, i la informació recollida s'anonimitza, de forma que no es pot relacionar amb tu.", - "No results were found matching the input criteria": "No s'han trobat resultats que compleixin amb els filtres establerts", "No sources found": "No s'han trobat fonts", "No sources were found": "No s'han trobat fonts", "No updates are available": "No hi ha actualitzacions disponibles", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "L'administrador de paquets del Node JS. Ple de llibreries i d'altres utilitats que orbiten al voltant del mon de Javascript.
Conté: Llibreries de Node i altres utilitats relacionades", - "Not available": "No disponible", - "Not finding the file you are looking for? Make sure it has been added to path.": "No trobes el que busques? Assegura't que el fitxer està afegit al camí (PATH)", - "Not found": "No trobat", - "Not right now": "Ara no", "Notes:": "Notes:", - "Notification preferences": "Preferències de les notificacions", "Notification tray options": "Opcions de la safata del sistema", - "Notification types": "Tipus de notificacions", - "NuPkg (zipped manifest)": "NuPkg (manifest comprimit)", - "OK": "D'acord", "Ok": "D'acord", - "Open": "Obre", "Open GitHub": "Obre el GitHub", - "Open UniGetUI": "Obre l'UniGetUI", - "Open UniGetUI security settings": "Obre la configuració de seguretat de l'UniGetUI", "Open WingetUI": "Obre l'UniGetUI", "Open backup location": "Obre la ubicació de la còpia de seguretat", "Open existing bundle": "Obre una col·lecció existent", - "Open install location": "Obre la ubicació d'instal·lació", "Open the welcome wizard": "Obre l'assistent de benvinguda", - "Operation canceled by user": "Operació cancel·lada per l'usuari", "Operation cancelled": "Operació cancel·lada", - "Operation history": "Historial d'operacions", - "Operation in progress": "Operacions en progrés", - "Operation on queue (position {0})...": "Operació a la cua (posició {0})...", - "Operation profile:": "Perfil d'operació:", "Options saved": "Opcions desades", - "Order by:": "Ordena per:", - "Other": "Una altra", - "Other settings": "Altres configuracions", - "Package": "Paquet", - "Package Bundles": "Col·leccions de paquets", - "Package ID": "Identificador del paquet", "Package Manager": "Administrador de paquets", - "Package Manager logs": "Registre dels administradors de paquets", - "Package Managers": "Admin. de Paquets", - "Package Name": "Nom del paquet", - "Package backup": "Còpia de seguretat dels paquets", - "Package backup settings": "Configuració de la còpia de seguretat", - "Package bundle": "Col·lecció de paquets", - "Package details": "Detalls del paquet", - "Package lists": "Llistes de paquets", - "Package management made easy": "L'administració de paquets, feta fàcil", - "Package manager": "Administrador de paquets", - "Package manager preferences": "Preferències dels administradors de paquets", "Package managers": "Admin. de paquets", - "Package not found": "No s'ha trobat el paquet", - "Package operation preferences": "Preferències de les operacions dels paquets", - "Package update preferences": "Preferències d'actualització dels paquets", "Package {name} from {manager}": "Paquet {name} del {manager}", - "Package's default": "Predeterminat del paquet", "Packages": "Paquets", "Packages found: {0}": "Paquets trobats: {0}", - "Partially": "Parcialment", - "Password": "Contrasenya", "Paste a valid URL to the database": "Enganxeu un enllaç vàlid a la base de dades", - "Pause updates for": "Atura les actualitzacions durant", "Perform a backup now": "Fes una còpia ara", - "Perform a cloud backup now": "Fes una còpia al núvol ara", - "Perform a local backup now": "Fes una còpia local ara", - "Perform integrity checks at startup": "Fes una comprovació d'identitat a l'inici", - "Performing backup, please wait...": "Desant la còpia de seguretat, si us plau espereu...", "Periodically perform a backup of the installed packages": "Fes una còpia de seguretat dels paquets periòdicament", - "Periodically perform a cloud backup of the installed packages": "Fes una còpia al núvol periòdica dels paquets instal·lats ", - "Periodically perform a local backup of the installed packages": "Fes una còpia local periòdica dels paquets instal·lats", - "Please check the installation options for this package and try again": "Comproveu les opcions d'instal·lació d'aquest paquet i proveu-ho de nou", - "Please click on \"Continue\" to continue": "Cliqueu \"Continuar\" per a continuar", "Please enter at least 3 characters": "Escriviu com a mínim 3 caràcters", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Tingueu en compte que alguns paquets poden no ser instal·lables, a causa dels gestors de paquets habilitats en aquest ordinador.", - "Please note that not all package managers may fully support this feature": "Nota: alguns administradors de paquets poden no ser del tot compatibles amb aquesta característica", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Tingueu en compte que és possible que els paquets de determinades fonts no es puguin exportar. S'han marcat en gris i no s'exportaran.", - "Please run UniGetUI as a regular user and try again.": "Executeu l'UniGetUI com a usuari estàndard i proveu-ho de nou", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Veieu la Sortida de la línia de comandes o l'historial d'operacions per a més detalls sobre l'error.", "Please select how you want to configure WingetUI": "Selecioneu com voleu configurar l'UniGetUI", - "Please try again later": "Proveu-ho més tard", "Please type at least two characters": "Escriviu com a mínim dos caràcters", - "Please wait": "Si us plau, espereu", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Si us plau, espereu mentre el {0} s'instal·la. Pot aparèixer una finestra negra (o blava). Espereu a que es tanqui.", - "Please wait...": "Si us plau espereu...", "Portable": "Portàtil", - "Portable mode": "Mode portàtil", - "Post-install command:": "Comanda de post-instal·lació:", - "Post-uninstall command:": "Comanda de post-desinstal·lació:", - "Post-update command:": "Comanda de post-actualització:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "L'administrador de paquets del PowerShell. Trobeu llibreries i scripts que us permetran expandir les capacitats del PowerShell
Conté: Mòduls, scripts i Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Les ordres prèvies i posteriors a la instal·lació poden fer coses molt desagradables al vostre dispositiu, si estan dissenyades per fer-ho. Pot ser molt perillós importar les ordres des d'un paquet, tret que confieu en la font d'aquest paquet.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Les ordres prèvies i posteriors a la instal·lació s'executaran abans i després que s'instal·li, s'actualitzi o s'instal·li un paquet. Tingueu en compte que poden trencar coses si no s'utilitzen amb cura.", - "Pre-install command:": "Comanda de pre-instal·lació:", - "Pre-uninstall command:": "Comanda de pre-desinstal·lació:", - "Pre-update command:": "Comanda de pre-actualització:", - "PreRelease": "PreLlançament", - "Preparing packages, please wait...": "Preparant els paquets, si us plau espereu...", - "Proceed at your own risk.": "Continueu sota la vostra responsabilitat", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prohibeix qualsevol tipus d'elevació mitjançant l'UniGetUI Elevator o el GSudo ", - "Proxy URL": "URL del proxy", - "Proxy compatibility table": "Taula de compatibilitat amb Proxy", - "Proxy settings": "Configuració del Proxy", - "Proxy settings, etc.": "Configuració del Proxy, etc.", "Publication date:": "Data de publicació:", - "Publisher": "Publicador", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "L'administrador de llibreries de Python. Ple de llibreries i d'altres utilitats relacionades.
Conté: Llibreries de Python i altres utilitats", - "Quit": "Tanca", "Quit WingetUI": "Tanca l'UniGetUI", - "Ready": "A punt", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Redueix els missatges d'UAC, eleva instal·lacions per defecte, desbloqueja característiques perilloses de l'UniGetUI, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Veieu el registre de l'UniGetUI per a obtenir més detalls sobre el(s) fitxer(s) afectat(s)", - "Reinstall": "Reinstal·la", - "Reinstall package": "Reinstal·la el paquet", - "Related settings": "Configuració relacionada", - "Release notes": "Notes de publicació", - "Release notes URL": "Enllaç de les notes de publicació", "Release notes URL:": "Enllaç a les notes de publicació:", "Release notes:": "Notes de publicació:", "Reload": "Recarrega", - "Reload log": "Recarrega el registre", "Removal failed": "Eliminació fallida", "Removal succeeded": "L'eliminació s'ha completat amb èxit", - "Remove from list": "Treu de la llista", "Remove permanent data": "Esborra les dades permanents", - "Remove selection from bundle": "Treu la selecció de la col·lecció", "Remove successful installs/uninstalls/updates from the installation list": "Amaga les instal·lacions satisfactòries de la llista d'instal·lacions", - "Removing source {source}": "Eliminant la font {source}", - "Removing source {source} from {manager}": "Eliminant la font {source} del {manager}", - "Repair UniGetUI": "Repara l'UniGetUI", - "Repair WinGet": "Repara el WinGet", - "Report an issue or submit a feature request": "Informeu d'un problema o suggeriu una característica nova", "Repository": "Repositori", - "Reset": "Reseteja", "Reset Scoop's global app cache": "Reseteja la memòria cau de les aplicacions globals de l'Scoop", - "Reset UniGetUI": "Reseteja l'UniGetUI", - "Reset WinGet": "Reseteja el WinGet", "Reset Winget sources (might help if no packages are listed)": "Reseteja les fonts del Winget (pot ajudar si no es mostra cap paquet)", - "Reset WingetUI": "Reseteja l'UniGetUI", "Reset WingetUI and its preferences": "Reseteja l'UniGetUI i les seves preferències", "Reset WingetUI icon and screenshot cache": "Reseteja la memòria cau d'icones de l'UniGetUI", - "Reset list": "Reseteja la llista", "Resetting Winget sources - WingetUI": "Resetejant les fonts del WinGet - UniGetUI", - "Restart": "Reinicia", - "Restart UniGetUI": "Reinicia l'UniGetUI", - "Restart WingetUI": "Reinicia l'UniGetUI", - "Restart WingetUI to fully apply changes": "Cal reiniciar l'UniGetUI per a aplicar els canvis", - "Restart later": "Reincia més tard", "Restart now": "Reinicia ara", - "Restart required": "Reinici requerit", - "Restart your PC to finish installation": "Reinicieu el vostre ordinador per a finalitzar la instal·lació", - "Restart your computer to finish the installation": "Reinicieu el vostre ordinador per a acabar la instal·lació", - "Restore a backup from the cloud": "Restaura una còpia de seguretat del núvol", - "Restrictions on package managers": "Restriccions als administradors de paquets", - "Restrictions on package operations": "Restriccions a les operacions amb paquets", - "Restrictions when importing package bundles": "Restriccions a l'importar col·leccions de paquets", - "Retry": "Reintentar", - "Retry as administrator": "Torna a provar-ho com a administrador", - "Retry failed operations": "Torna a provar les operacions que han fallat", - "Retry interactively": "Torna a provar-ho de forma interactiva", - "Retry skipping integrity checks": "Torna a provar-ho sense comprovacions d'integritat", - "Retrying, please wait...": "Reintentant, si us plau espereu...", - "Return to top": "Retorna a dalt", - "Run": "Executa", - "Run as admin": "Executa com a administrador", - "Run cleanup and clear cache": "Executa la neteja i buida la memòria cau", - "Run last": "Executa la darrera", - "Run next": "Executa a continuació", - "Run now": "Executa ara", + "Restart your PC to finish installation": "Reinicieu el vostre ordinador per a finalitzar la instal·lació", + "Restart your computer to finish the installation": "Reinicieu el vostre ordinador per a acabar la instal·lació", + "Retry failed operations": "Torna a provar les operacions que han fallat", + "Retrying, please wait...": "Reintentant, si us plau espereu...", + "Return to top": "Retorna a dalt", "Running the installer...": "Executant l'instal·lador...", "Running the uninstaller...": "Executant el desinstal·lador...", "Running the updater...": "Executant l'actualitzador...", - "Save": "Desa", "Save File": "Desa el fitxer", - "Save and close": "Desa i tanca", - "Save as": "Desa com", "Save bundle as": "Desa la col·lecció com", "Save now": "Desa", - "Saving packages, please wait...": "Desant els paquets, espereu si us plau...", - "Scoop Installer - WingetUI": "Instal·lador de l'Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Desinstal·lador de l'Scoop - UniGetUI", - "Scoop package": "Paquet de l'Scoop", "Search": "Cerca", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Cerca programari d'escriptori, avisa'm quan hi hagi actualitzacions disponibles i no facis coses massa tècniques. No vull que l'UniGetUI es compliqui massa, només vull una botiga de programari senzilla.", - "Search for packages": "Cerqueu paquets", - "Search for packages to start": "Cerqueu paquets per a començar", - "Search mode": "Mode de cerca", "Search on available updates": "Cerqueu a les actualitzacions trobades", "Search on your software": "Cercqueu al vostre programari", "Searching for installed packages...": "Cerqueu al programari instal·lat...", "Searching for packages...": "Cercant paquets...", "Searching for updates...": "Cercant actualitzacions...", - "Select": "Sel·lecciona", "Select \"{item}\" to add your custom bucket": "Seleccioneu \"{item}\" per a afegir un bucket personalitzat", "Select a folder": "Sel·leccioneu una carpeta", - "Select all": "Selecciona-ho tot", "Select all packages": "Selecciona tots els paquets", - "Select backup": "Seleccioneu una còpia", "Select only if you know what you are doing.": "Seleccioneu només si sabeu el que esteu fent.", "Select package file": "Selecciona el fitxer de paquets", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Seleccioneu la còpia que voleu obrir. Més endavant podreu revisar quins paquets/programes voleu restaurar.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Sel·lecciona l'executable a utilitzar. La següent llista mostra els fitxers executables trobats per l'UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Seleccioneu els processos que s'haurien de tancar abans que aquest paquet s'instal·li, s'actualitzi o es desinstal·li.", - "Select the source you want to add:": "Seleccioneu la font a afegir:", - "Select upgradable packages by default": "Selecciona els paquets actualitzables per defecte", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Seleccioneu quins gestors de paquets voleu utilitzar ({0}), configureu com s'instal·laran els paquets, gestioneu com funcionaran els drets d'administrador, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "S'ha enviat el handshake. Esperant resposta de la instància... ({0}%)", - "Set a custom backup file name": "Nom del fitxer de la còpia de seguretat", "Set custom backup file name": "Canvia el nom del fitxer de sortida", - "Settings": "Configuració", - "Share": "Comparteix", "Share WingetUI": "Compartiu l'UniGetUI", - "Share anonymous usage data": "Comparteix dades d'ús anònimes", - "Share this package": "Comparteix aquest paquet", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Si modifiqueu alguna de les opcions de seguretat haureu de tornar a obrir la col·lecció per a que els canvis facin efecte.", "Show UniGetUI on the system tray": "Mostra l'UniGetUI a la safata del sistema", - "Show UniGetUI's version and build number on the titlebar.": "Mostra la versió de l'UniGetUI a la barra de títol", - "Show WingetUI": "Mostra l'UniGetUI", "Show a notification when an installation fails": "Mostra una notificació quan una instal·lació falli", "Show a notification when an installation finishes successfully": "Mostra una notificació quan una instal·lació es completi satisfactòriament", - "Show a notification when an operation fails": "Mostra una notificació quan una operació falli", - "Show a notification when an operation finishes successfully": "Mostra una notificació quan una operació acabi satisfactòriament", - "Show a notification when there are available updates": "Mostra una notificació quan s'hagin trobat actualitzacions", - "Show a silent notification when an operation is running": "Mostra una notificació silenciosa quan s'estigui executant una operació", "Show details": "Mostra els detalls", - "Show in explorer": "Mostra a l'explorador", "Show info about the package on the Updates tab": "Mostra informació sobre el paquet a la secció d'actualitzacions en ser clicat dos cops", "Show missing translation strings": "Mostra el text que falta per a ser traduït", - "Show notifications on different events": "Mostra notificacions en diferents situacions", "Show package details": "Mostra els detalls del paquet", - "Show package icons on package lists": "Mostra les icones dels paquets a la llista dels paquets", - "Show similar packages": "Mostra paquets similars", "Show the live output": "Mostra la sortida en viu", - "Size": "Mida", "Skip": "Salta", - "Skip hash check": "No comprovis el hash", - "Skip hash checks": "Ignora les verificacions de hash", - "Skip integrity checks": "Salta les comprovacions d'integritat", - "Skip minor updates for this package": "Salta't les actualitzacions menors d'aquest paquet", "Skip the hash check when installing the selected packages": "Instal·la els paquets seleccionats sense comprovar-ne la integritat", "Skip the hash check when updating the selected packages": "Actualitza els paquets seleccionats sense comprovar-ne la integritat", - "Skip this version": "Salta aquesta versió", - "Software Updates": "Actualitzacions", - "Something went wrong": "Alguna cosa no ha anat bé", - "Something went wrong while launching the updater.": "Quelcom ha anat malament en executar l'actualitzador.", - "Source": "Origen", - "Source URL:": "Enllaç de la font:", - "Source added successfully": "S'ha afegit la font correctament", "Source addition failed": "No s'ha pogut afegir la font", - "Source name:": "Nom de la font:", "Source removal failed": "No s'ha pogut eliminar la font", - "Source removed successfully": "S'ha eliminat la font correctament", "Source:": "Font:", - "Sources": "Fonts", "Start": "Comença", "Starting daemons...": "Iniciant fils de rerefons...", - "Starting operation...": "Començant operació...", "Startup options": "Opcions d'inici", "Status": "Estat", "Stuck here? Skip initialization": "Encallat? Salta aquest tros", - "Success!": "Èxit!", "Suport the developer": "Suporta el desenvolupador", "Support me": "Recolza'm", "Support the developer": "Recolza al desenvolupador", "Systems are now ready to go!": "Tot és a punt!", - "Telemetry": "Telemetria", - "Text": "Text", "Text file": "Fitxer de text", - "Thank you ❤": "Gràcies ❤", - "Thank you \uD83D\uDE09": "Gràcies \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "L'administrador de paquets del Rust.
Conté: Llibreries i binaris escrits en rust", - "The backup will NOT include any binary file nor any program's saved data.": "La còpia no inclourà cap tipus de fitxers binaris o dades de cap programa.", - "The backup will be performed after login.": "La còpia es realitzarà després de l'inici de sessió", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "La còpia inclourà una llista completa dels paquets instal·lats i de les seves respectives opcions d'instal·lació. Les actualitzacions ignorades i les versions saltades també es desaran.", - "The bundle was created successfully on {0}": "La col·lecció s'ha desat correctament a {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "La col·lecció que esteu intentant obrir sembla invàlida. Comproveu el fitxer i torneu-ho a provar.", + "Thank you 😉": "Gràcies 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "El hash de l'instal·lador no coincideix amb el valor esperat, pel que no es pot vericifivar l'autenticitat de l'instal·lador. Si realment confieu en el publicador, {0} el paquet un altre cop ometent la compovació del hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "L'administrador de paquets clàssic del Windows. Hi trobareu de tot.
Conté: Programari general", - "The cloud backup completed successfully.": "La còpia de seguretat s'ha completat correctament.", - "The cloud backup has been loaded successfully.": "La còpia de seguretat s'ha carregat correctament", - "The current bundle has no packages. Add some packages to get started": "La col·lecció actual no té paquets. Afegiu-ne per a començar", - "The executable file for {0} was not found": "El fitxer executable del {0} no s'ha trobat", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Les opcions següents s'aplicaran per defecte cada cop que un paquet del {0} s'instal·li, s'acualitzi o es desinstal·li.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Els paquets següents s'exportaran a un fitxer JSON. No es desaran ni dades d'usuari ni fitxers executables.", "The following packages are going to be installed on your system.": "Els paquets següents s'instal·laran al vostre sistema.", - "The following settings may pose a security risk, hence they are disabled by default.": "Les opcions següents poden representar un risc de seguretat, raó per la qual s'han desactivat per seguretat", - "The following settings will be applied each time this package is installed, updated or removed.": "Les següents opcions s'aplicaran cada cop que aquest paquet s'instal·li, s'actualitzi o es desinstal·li.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Les configuracions següents s'aplicaran cada cop que aquest paquet s'instal·li, s'actualitzi o s'elimini; i es desaran automàticament", "The icons and screenshots are maintained by users like you!": "Les icones i captures de pantalla estan mantingudes per usuaris com tu!", - "The installation script saved to {0}": "L'script d'instal·lació s'ha desat correctament a {0}", - "The installer authenticity could not be verified.": "No s'ha pogut verificar l'autenticitat de l'instal·lador.", "The installer has an invalid checksum": "L'instal·lador té un hash invàlid", "The installer hash does not match the expected value.": "El hash de l'instal·lador no es correspon amb el valor esperat", - "The local icon cache currently takes {0} MB": "La memòria cau d'icones actualment ocupa {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "L'objectiu principal d'aquesta aplicació és de proveir a l'usuari d'una forma ràpida d'administrar el programari disponible als administradors de paquets més comuns per al Windows, com per exemple el Winget o l'Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "No s'ha trobat el paquet \"{0}\" a l'administrador de paquets \"{1}\"", - "The package bundle could not be created due to an error.": "No s'ha pogut crear la col·lecció a causa d'un error.", - "The package bundle is not valid": "La col·lecció de paquets no és vàlida", - "The package manager \"{0}\" is disabled": "L'administrador de paquets \"{0}\" està desactivat", - "The package manager \"{0}\" was not found": "No s'ha trobat l'administrador de paquets \"{0}\"", "The package {0} from {1} was not found.": "No s'ha trobat el paquet {0} de {1}.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Els paquets mostrats aquí no es tindran en compte quan es comprovi si hi ha actualitzacions disponibles. Cliqueu-los dos cops o premeu el botó de la seva dreta per a deixar d'ignorar-ne les actualitzacions.", "The selected packages have been blacklisted": "Les actualitzacions dels paquets seleccionats s'ignoraran a partir d'ara", - "The settings will list, in their descriptions, the potential security issues they may have.": "Les opcions mostraran, en les seves descripcions, els perills potencials que pot representar activar-les.", - "The size of the backup is estimated to be less than 1MB.": "La mida estimada de la còpia serà de menys d'1 MB.", - "The source {source} was added to {manager} successfully": "La font {source} s'ha afegit al {manager} correctament", - "The source {source} was removed from {manager} successfully": "La font {source} s'ha eliminat del {manager} correctament", - "The system tray icon must be enabled in order for notifications to work": "L'icona de la safata del sistema ha d'estar activada per a que funcionin les notificacions", - "The update process has been aborted.": "S'ha avortat l'actualització", - "The update process will start after closing UniGetUI": "El procés d'actualització començarà en tancar l'UniGetUI", "The update will be installed upon closing WingetUI": "L'actualització s'instal·larà en tancar l'UniGetUI", "The update will not continue.": "L'actualització no continuarà.", "The user has canceled {0}, that was a requirement for {1} to be run": "L'usuari ha cancel·lat la {0}, que era un requeriment per a que s'executés la {1}", - "There are no new UniGetUI versions to be installed": "No hi ha noves versions de l'UniGetUI disponibles", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Hi ha operacions en execució. Tancar l'UniGetUI pot provocar que fallin o es cancel·lin. Voleu continuar?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Hi ha vídeos fantàstics a YouTube que mostren l'UniGetUI i les seves capacitats. Podríeu aprendre trucs i consells útils!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Hi ha dues raons principals per a no executar el l'UniGetUI com a administrador:\n La primera és que l'Scoop pot causar problemes si s'executa com a administrador\n La segona és que executant l'UniGetUI amb drets d'administrador vol dir que qualsevol paquet que s'instal·li i/o actualitzi a través de l'UniGetUI s'executarà amb drets d'administrador automàticament (i això no és segur).\nRecordeu que sempre podeu clicar amb un clic dret a un programa -> Instal·la/Actualitza/Desinstal·la com a administrador.\n", - "There is an error with the configuration of the package manager \"{0}\"": "Hi ha un error a la configuració de l'administrador de paquets \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Hi ha una instal·lació en curs. Si tanqueu l'UniGetUI, aquesta podria fallar i provocar resultats inesperats. Segur que voleu continuar?", "They are the programs in charge of installing, updating and removing packages.": "Són els programes encarregats d'instal·lar, actualitzar i eliminar paquets.", - "Third-party licenses": "Llicències de tercers", "This could represent a security risk.": "Això podria representar un risc de seguretat.", - "This is not recommended.": "Això no es recomana.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Això probablement és degut al fet que el paquet que se us ha enviat s'ha eliminat o està publicat en un gestor de paquets que no teniu habilitat. L'identificador rebut és {0}", "This is the default choice.": "Aquesta és l'opció predeterminada.", - "This may help if WinGet packages are not shown": "Això pot ajudar si no es mostren els paquets del WinGet", - "This may help if no packages are listed": "Això pot ajudar si no es mostren paquetsa les llistes", - "This may take a minute or two": "Això pot trigar un parell de minuts", - "This operation is running interactively.": "Aquesta operació s'està executant de forma interactiva.", - "This operation is running with administrator privileges.": "Aquesta operació s'està executant amb privilegis d'administrador.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Aquesta opció causarà problemes. Qualsevol operació que no es pugui autoelevar FALLARÀ. Les opcions instal·la/actualitza/desinstal·la com a administrador NO FUNCIONARAN.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Aquesta col·lecció de paquets té algunes configuracions que són potencialment perilloses, i és possible que aquestes siguin ignorades.", "This package can be updated": "Es pot actualitzar aquest paquet", "This package can be updated to version {0}": "Aquest paquet es pot actualitzar a la versió {0}", - "This package can be upgraded to version {0}": "Aquest paquet es pot actualitzar a la versió {0}", - "This package cannot be installed from an elevated context.": "Aquest paquet no es pot instal·lar des d'un context d'Administrador", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Aquest paquet no té icona o li falten imatges? Contribuïu a l'UniGetUI afegint la icona i imatges que faltin a la base de dades pública i oberta de l'UniGetUI.", - "This package is already installed": "Aquest paquet ja està instal·lat", - "This package is being processed": "S'està processant aquest paquet", - "This package is not available": "Aquest paquet no està disponible", - "This package is on the queue": "Aquest paquet està a la cua", "This process is running with administrator privileges": "Aquest procés s'està executant amb privilegs d'administrador", - "This project has no connection with the official {0} project — it's completely unofficial.": "Aquest projecte no té cap connexió amb el {0} — és completament no oficial.", "This setting is disabled": "Aquesta configuració està desactivada", "This wizard will help you configure and customize WingetUI!": "Aquest assistent us ajudarà a configurar i personalitzar l'UniGetUI", "Toggle search filters pane": "Mostra/Amaga el panell de filtres de cerca", - "Translators": "Traductors", - "Try to kill the processes that refuse to close when requested to": "Intenta matar els processos que refusen tancar-se quan se'ls demani.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activar això permetrà canviar el fitxer executable a través del qual l'UniGetUI interactua i es comunica amb els administradors de paquets. Mentre que això permet modificar millor els processos d'instal·lació, també pot resultar perillós.", "Type here the name and the URL of the source you want to add, separed by a space.": "Escriviu aquí el nom i l'enllaç de la font que voleu afegir, separats per un espai.", "Unable to find package": "No hem pogut trobar el paquet", "Unable to load informarion": "No es pot carregar la informació", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "L'UniGetUI recull dades d'ús anònimes amb la finalitat de millorar l'experiència de l'usuari.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "L'UniGetUI recull dades d'ús anònimes amb la única finalitat d'entendre i millorar l'experiència de l'usuari.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "L'UniGetUI ha detectat que s'ha creat 1 nova drecera a l'escriptori que es pot eliminar automàticament.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "L'UniGetUI ha detectat les següents dreceres a l'escriptori que es poden eliminar automàticament durant les actualitzacions", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "L'UniGetUI ha detectat que s'han creat {0} noves dreceres a l'escriptori que es poden eliminar automàticament.", - "UniGetUI is being updated...": "Estem actualitzant l'UniGetUI...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "L'UniGetUI no està relacionat amb els administradors de paquets compatibles. L'UniGetUI és un projecte independent.", - "UniGetUI on the background and system tray": "L'UniGetUI al rerefons i safata del sistema", - "UniGetUI or some of its components are missing or corrupt.": "L'UniGetUI o algun dels seus components falta o s'ha corromput.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "L'UniGetUI necessita el {0} per a funcionar, però aquest no ha estat trobat al sistema.", - "UniGetUI startup page:": "Pàgina d'inici de l'UniGetUI", - "UniGetUI updater": "Actualitzador de l'UniGetUI", - "UniGetUI version {0} is being downloaded.": "Estem descarregant l'UniGetUI versió {0}", - "UniGetUI {0} is ready to be installed.": "L'UniGetUI {0} està llest per a ser instal·lat", - "Uninstall": "Desinstal·la", - "Uninstall Scoop (and its packages)": "Desinstal·la l'Scoop (i les seves aplicacions)", "Uninstall and more": "Desinstal·la i més", - "Uninstall and remove data": "Desinstal·la i elimina'n les dades", - "Uninstall as administrator": "Desinstal·la com a administrador", "Uninstall canceled by the user!": "Desinstal·lació cancel·lada per l'usuari!", - "Uninstall failed": "La desinstal·lació ha fallat", - "Uninstall options": "Opcions de desinstal·lació", - "Uninstall package": "Desinstal·la el paquet", - "Uninstall package, then reinstall it": "Desinstal·la el paquet, després reinstal·la'l", - "Uninstall package, then update it": "Desinstal·la el paquet, després actualitza'l", - "Uninstall previous versions when updated": "Desinstal·la les versions anteriors en actualitzar", - "Uninstall selected packages": "Desinstal·la els paquets seleccionats", - "Uninstall selection": "Desinstal·la la selecció", - "Uninstall succeeded": "La desinstal·lació s'ha completat correctament", "Uninstall the selected packages with administrator privileges": "Desinatal·la els paquets seleccionats amb drets d'administrador", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Els paquets desinstal·lables que provenen de la font \"{0}\" no estan publicats a cap administrador de paquets, i, per tant, no tenen informació publicada disponible.", - "Unknown": "Desconegut", - "Unknown size": "Mida desconeguda", - "Unset or unknown": "No especificada o desconeguda", - "Up to date": "Al dia", - "Update": "Actualitza", - "Update WingetUI automatically": "Actualitza l'UniGetUI automàticament", - "Update all": "Actualitza-ho tot", "Update and more": "Actualitza i més", - "Update as administrator": "Actualitza com a administrador", - "Update check frequency, automatically install updates, etc.": "Frequència de comprovació de les actualitzacions, instal·la automàticament les actualitzacions, etc.", - "Update checking": "Comprovació d'actualitzacions", "Update date": "Data d'actualització", - "Update failed": "L'actualització ha fallat", "Update found!": "Actualització disponible!", - "Update now": "Actualitza ara", - "Update options": "Opcions d'actualització", "Update package indexes on launch": "Actualitza els índexos dels paquets en carregar l'UniGetUI", "Update packages automatically": "Actualitza els paquets automàticament", "Update selected packages": "Actualitza els paquets sel·leccionats", "Update selected packages with administrator privileges": "Actualitza els paquets seleccionats amb drets d'administrador", - "Update selection": "Actualitza la selecció", - "Update succeeded": "L'actualització s'ha completat correctament", - "Update to version {0}": "Actualitza a la versió {0}", - "Update to {0} available": "Actualització a {0} disponible", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Actualitza els portfiles de git del vcpkg automàticament (requereix el GIT)", "Updates": "Actualitzacions", "Updates available!": "Actualitzacions disponibles!", - "Updates for this package are ignored": "S'ignoren les actualitzacions d'aquest paquet", - "Updates found!": "S'han trobat actualitzacions!", "Updates preferences": "Preferències de les actualitzacions", "Updating WingetUI": "Actualitzant l'UniGetUI", "Url": "Enllaç", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Utilitza el WinGet incorporat (llegat) en comptes dels CMDLets de PowerShell", - "Use a custom icon and screenshot database URL": "Utilitza una base de dades d'icones i captures de pantalla personalitzades", "Use bundled WinGet instead of PowerShell CMDlets": "Utilitza el WinGet empaquetat en comptes dels CMDlets del PowerShell ", - "Use bundled WinGet instead of system WinGet": "Utilitza el WinGet inclòs a l'UniGetUI en comptes del WinGet del sistema", - "Use installed GSudo instead of UniGetUI Elevator": "Utilitza el GSudo instal·lat en comptes de l'UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Utilitza el GSudo present al sistema en comptes del que inclou l'aplicació", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Utilitza l'UniGetUI Elevator antic (pot ajudar si teniu problemes amb l'UniGetUI Elevator)", - "Use system Chocolatey": "Utilitza el Chocolatey del sistema", "Use system Chocolatey (Needs a restart)": "Utilitza el Chocolatey del sistema (Requereix un reinici)", "Use system Winget (Needs a restart)": "Utilitza el Winget del sistema (Requereix un reinici)", "Use system Winget (System language must be set to english)": "Utilitza el Winget del sistema (L'idioma del dispositiu ha de ser l'anglès)", "Use the WinGet COM API to fetch packages": "Utilitza la API COM del WinGet per a carregar els paquets", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Utilitza el mòdul PowerShell del WinGet en comptes de l'API COM", - "Useful links": "Enllaços útils", "User": "Usuari", - "User interface preferences": "Preferències de l'interfície d'usuari", "User | Local": "Usuari | Local", - "Username": "Nom d'usuari", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Utilitzar l'UniGetUI implica l'acceptació de la llicència GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Usar l'UniGetUI implica l'acceptació de la llicència MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "No s'ha pogut trobar el vcpkg. Definiu la variable d'entorn %VCPKG_ROOT% o definiu l'arrel del vcpkg a la configuració de l'UniGetUI", "Vcpkg was not found on your system.": "No s'ha pogut trobar el vcpkg al vostre sistema.", - "Verbose": "Verbós", - "Version": "Versió", - "Version to install:": "Versió a instal·lar:", - "Version:": "Versió:", - "View GitHub Profile": "Perfil de GitHub", "View WingetUI on GitHub": "Mostra l'UniGetUI a GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Veieu el codi font de l'UniGetUI. A partir d'aquí, podeu informar d'errors o suggerir funcions, o fins i tot contribuïr directament al codi de l'UniGetUI.", - "View mode:": "Mode de visualització", - "View on UniGetUI": "Mostra a l'UniGetUI", - "View page on browser": "Mostra al navegador", - "View {0} logs": "Mostra el registre del {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Espereu a que el dispositiu estigui connectat a internet abans d'intentar cap tasca que requereixi connexió a internet.", "Waiting for other installations to finish...": "Esperant a que acabin les altres instal·lacions...", "Waiting for {0} to complete...": "S'està esperant a que la {0} acabi...", - "Warning": "Atenció", - "Warning!": "Atenció!", - "We are checking for updates.": "Estem cercant actualitzacions.", "We could not load detailed information about this package, because it was not found in any of your package sources": "No hemos podido cargar información detallada sobre este paquete, ya que ha sido encontrado en ninguna de las fuentes de paquetes disponibles.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "No hem pogut carregar els detalls sobre aquest paquet, ja que no està disponible des de cap administrador de paquets.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "No hem pogut {action} el {package}. Proveu-ho més tard. Cliqueu a \"{showDetails}\" per a veure el registre de l'instal·lador.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "No hem pogut {action} {package}. Proveu-ho més tard. Cliqueu \"{showDetails}\" per a veure el registre del desinstal·lador.", "We couldn't find any package": "No s'ha trobat cap paquet", "Welcome to WingetUI": "Benvingut/da a l'UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Quan s'instal·lin paquets en bloc des d'una col·lecció, instal·la també els paquets que ja estiguin instal·lats. ", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quan es trobin noves icones, elimina-les automàticament en comptes de mostrar aquest quadre de diàleg.", - "Which backup do you want to open?": "Quina còpia de seguretat voleu obrir?", "Which package managers do you want to use?": "Quins gestors de paquets voleu utilitzar?", "Which source do you want to add?": "Quina font voleu afegir?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Encara que el WinGet es pot utilitzar a través de l'UniGetUI, avui en dia l'UniGetUI també es pot utilitzar amb altres administradors de paquets, fet que pot dur a confusions. Abans, el WingetUI estava dissenyat per a funcionar només amb el WinGet, però això ja no és cert, i llavors WingetUI no representa el que aquest projecte vol aconseguir.", - "WinGet could not be repaired": "No s'ha pogut reparar el WinGet", - "WinGet malfunction detected": "S'ha detectat un funcionament incorrecte del WinGet", - "WinGet was repaired successfully": "S'ha reparat el WinGet correctament.", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Tot en ordre", "WingetUI - {0} updates are available": "UniGetUI - s'han trobat {0} actualitzacions", "WingetUI - {0} {1}": "UniGetUI - {1} del {0}", - "WingetUI Homepage": "Lloc web de l'UniGetUI", "WingetUI Homepage - Share this link!": "Lloc web de l'UniGetUI - Compartiu aquest enllaç!", - "WingetUI License": "Llicència de l'UniGetUI", - "WingetUI Log": "Registre de l'UniGetUI", - "WingetUI Repository": "Repositori de l'UniGetUI", - "WingetUI Settings": "Configuració de l'UniGetUI", "WingetUI Settings File": "Fitxer de configuració de l'UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "L'UniGetUI utilitza les següents llibreries. Sense elles, l'UniGetUI no hagués estat possible. ", - "WingetUI Version {0}": "UniGetUI Versió {0}", "WingetUI autostart behaviour, application launch settings": "Comportament d'autoarrencada de l'UniGetUI, preferències de l'inici de l'aplicació", "WingetUI can check if your software has available updates, and install them automatically if you want to": "l'UniGetUI pot comprovar si el programari instal·lat té actualitzacions disponibles, i les pot instal·lar automàticament.", - "WingetUI display language:": "Idioma de l'UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Heu executat l'UniGetUI amb drets d'administrador, cosa que no es recomana. Quan l'UniGetUI s'executa amb drets d'administrador, TOTES les operacions executades des de l'UniGetUI també tindran drets d'administrador. Podeu seguir usant el prorgama, però us recomanem que no executeu el WingetUI amb drets d'administrador.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "L'UniGetUI ha estat traduit a més de 40 idiomes gràcies als traductors voluntaris. Gràcies \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "L'UniGetUI no ha estat traduït a màquina. Els següents usuaris s'han encarregat de les traduccions:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "L'UniGetUI és una aplicació que facilita l'administració de software, oferint una interfície gràfica unificada per als administradors de paquets més coneguts.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "El WingetUI canviarà el nom per a emfatitzar la diferència entre el WingetUI (l'aplicació que esteu utilitzant ara mateix) i el WinGet (un administrador de paquets desenvolupat per Microsoft, i amb el qual no hi tinc res a veure)", "WingetUI is being updated. When finished, WingetUI will restart itself": "S'està actualitzant l'UniGetUI. Quan acabi, l'UniGetUI es reiniciarà automàticament", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "L'UniGetUI és gratuït, i ho serà sempre. Sense anuncis, sense targetes de crèdit, sense versions prèmium. 100% gratuït, per sempre.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "L'UniGetUI mostrarà una finestra de l'UAC cada cop que un paquet requereixi drets d'administrador per a instal·lar-se.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "El WingetUI d'aquí poc passarà a dir-se {newname}. Això no representarà cap canvi en l'aplicació. Jo (el desenvolupador) continuaré el desenvolupament d'aquest projecte tal i com ho estic fent ara, però sota un altre nom.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "L'UniGetUI no hauria estat possible sense l'ajuda dels contribuïdors. Doneu-l'hi una ullada al seu perfil a GitHub, ja que l'UniGetUI no seria el mateix sense ells!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "L'UniGetUI no hagués estat possible sense l'ajuda dels contribuïdors. Moltes gràcies a tots \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "L'UniGetUI {0} està llest per a ser instal·lat.", - "Write here the process names here, separated by commas (,)": "Escriviu aquí els noms dels processos, separats per comes (,)", - "Yes": "Sí", - "You are logged in as {0} (@{1})": "Heu iniciat la sessió com a {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Podeu canviar aquest comportament a la configuració de seguretat de l'UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Podeu definir les comandes que s'executaran abans i/o després de que s'instal·li, s'actualitzi o es desinstal·li aquest paquet. Les comandes s'executaran en un Command Prompt, pel que els scripts de CMD funcionaran aquí.", - "You have currently version {0} installed": "Actualment teniu instal·lada la versió {0}", - "You have installed WingetUI Version {0}": "Teniu instal·lat l'UniGetUI versió {0}", - "You may lose unsaved data": "És possible que es perdin dades no desades.", - "You may need to install {pm} in order to use it with WingetUI.": "Potser heu d'instal·lar el {pm} si el voleu utilitzar a través l'UniGetUI.", "You may restart your computer later if you wish": "Podeu reiniciar el vostre ordinador més tard si així ho preferiu", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Només se us demanaran una cop i es concediran drets d'administrador als paquets que en sol·licitin.", "You will be prompted only once, and every future installation will be elevated automatically.": "Només se us demanaran un cop i totes les instal·lacions futures s'elevaran automàticament.", - "You will likely need to interact with the installer.": "Segurament haureu d'interactuar amb l'instal·lador.", - "[RAN AS ADMINISTRATOR]": "EXECUTAT COM A ADMINISTRADOR", "buy me a coffee": "comprar-me un cafè", - "extracted": "extret", - "feature": "característica", "formerly WingetUI": "abans WingetUI", "homepage": "lloc web", "install": "instal·la", "installation": "instal·lació", - "installed": "instal·lat", - "installing": "instal·lant", - "library": "llibreria", - "mandatory": "obligatori", - "option": "opció", - "optional": "opcional", "uninstall": "desinstal·la", "uninstallation": "desinstal·lació", "uninstalled": "desinstal·lat", - "uninstalling": "desinstal·lant", "update(noun)": "actualització", "update(verb)": "actualitzar", "updated": "actualitzat", - "updating": "actualitzant", - "version {0}": "versió {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Les opcions d'instal·lació del {0} estan bloquejades perquè el {0} segueix les opcions d'instal·lació per defecte.", "{0} Uninstallation": "Desinstal·lació del {0}", "{0} aborted": "{0} avortada", "{0} can be updated": "{0} es pot actualitzar", - "{0} can be updated to version {1}": "{0} es pot actualitzar a la versió {1}", - "{0} days": "{0} dies", - "{0} desktop shortcuts created": "S'han creat {0} dreceres a l'escriptori", "{0} failed": "{0} fallida", - "{0} has been installed successfully.": "El {0} s'ha instal·lat correctament.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "El {0} s'ha instal·lat correctament. Es recomana reiniciar l'UniGetUI per a acabar la instal·lació", "{0} has failed, that was a requirement for {1} to be run": "La {0} ha fallat, i era un requisit per a que s'executés la {1}", - "{0} homepage": "lloc web de {0}", - "{0} hours": "{0} hores", "{0} installation": "Instal·lació de {0}", - "{0} installation options": "Opcions d'instal·lació del {0}", - "{0} installer is being downloaded": "S'està descarregant l'instal·lador del {0}", - "{0} is being installed": "S'està instal·lant el {0}", - "{0} is being uninstalled": "S'està desinstal·lant el {0}", "{0} is being updated": "{0} s'està actualitzant", - "{0} is being updated to version {1}": "{0} s'està actualitzant a la versió {1}", - "{0} is disabled": "El {0} està desactivat", - "{0} minutes": "{0} minuts", "{0} months": "{0} mesos", - "{0} packages are being updated": "{0} estan sent actualitzats", - "{0} packages can be updated": "Es poden actualitzar {0} paquets", "{0} packages found": "{0} paquets trobats", "{0} packages were found": "s'han trobat {0} paquets", - "{0} packages were found, {1} of which match the specified filters.": "S'han trobat {1} paquets, {0} dels quals s'ajusten als filtres establerts.", - "{0} selected": "{0} seleccionats", - "{0} settings": "Configuració del {0}", - "{0} status": "Estat del {0}", "{0} succeeded": "{0} satisfactòria", "{0} update": "actualització del {0}", - "{0} updates are available": "Hi ha {0} actualitzacions disponibles", "{0} was {1} successfully!": "{0} s'ha {1} correctament!", "{0} weeks": "{0} setmanes", "{0} years": "{0} anys", "{0} {1} failed": "La {1} de {0} ha fallat", - "{package} Installation": "Instal·lació del {package}", - "{package} Uninstall": "Desinstal·lació del {package}", - "{package} Update": "Actualització del {package}", - "{package} could not be installed": "No s'ha pogut instal·lar el {package}", - "{package} could not be uninstalled": "No s'ha pogut desinstal·lar el {package}", - "{package} could not be updated": "No s'ha pogut actuailtzar el {package}", "{package} installation failed": "La instal·lació del {package} ha fallat", - "{package} installer could not be downloaded": "No s'ha pogut descarregar l'instal·lador del {package}", - "{package} installer download": "Descàrrega de l'instal·lador del {package}", - "{package} installer was downloaded successfully": "L'instal·lador del {package} s'ha descarregar correctament", "{package} uninstall failed": "La desinstal·lació del {package} ha fallat", "{package} update failed": "L'actuailtzació del {package} ha fallat", "{package} update failed. Click here for more details.": "L'actualització del {package} ha fallat. Cliqueu aquí per a més detalls.", - "{package} was installed successfully": "{package} s'ha instal·lat correctament", - "{package} was uninstalled successfully": "{package} s'ha desinstal·lat correctament", - "{package} was updated successfully": "{package} s'ha actualitzat correctament", - "{pcName} installed packages": "Paquets instal·lats de {pcName}", "{pm} could not be found": "El {pm} no s'ha pogut trobar", "{pm} found: {state}": "{pm} trobat: {state}", - "{pm} is disabled": "{pm} està desactivat", - "{pm} is enabled and ready to go": "{pm} està activat i a punt", "{pm} package manager specific preferences": "Preferències específiques de l'administrador de paquets {pm}", "{pm} preferences": "Preferències del {pm}", - "{pm} version:": "Versió del {pm}: ", - "{pm} was not found!": "No s'ha trobat el {pm}!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hola, em dic Martí, i soc el desenvolupador de l'UniGetUI. L'UniGetUI ha estat fet en estones lliures!", + "Thank you ❤": "Gràcies ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Aquest projecte no té cap connexió amb el {0} — és completament no oficial." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_cs.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_cs.json index fe43326c0d..a78ac9da5f 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_cs.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_cs.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Probíhají operace", + "Please wait...": "Prosím vyčkejte...", + "Success!": "Úspěch!", + "Failed": "Selhání", + "An error occurred while processing this package": "Při zpracování tohoto balíčku došlo k chybě", + "Log in to enable cloud backup": "Přihlašte se pro zapnutí zálohování do cloudu", + "Backup Failed": "Zálohování selhalo", + "Downloading backup...": "Stahování zálohy...", + "An update was found!": "Byla nalezena aktualizace!", + "{0} can be updated to version {1}": "{0} může být aktualizován na verzi {1}", + "Updates found!": "Nalezeny aktualizace!", + "{0} packages can be updated": "{0} balíčků může být aktualizováno", + "You have currently version {0} installed": "Aktuálně máte nainstalovanou verzi {0}", + "Desktop shortcut created": "Vytvoření zástupce na ploše", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI zjistil nového zástupce na ploše, který může být automaticky odstraněn.", + "{0} desktop shortcuts created": "{0} vytvořených zástupců na ploše", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI zjistil {0} nových zástupců na ploše, které lze automaticky odstranit.", + "Are you sure?": "Jste si jistí?", + "Do you really want to uninstall {0}?": "Opravdu chcete odinstalovat {0}?", + "Do you really want to uninstall the following {0} packages?": "Opravdu chceš odinstalovat následujících {0} balíčků?", + "No": "Ne", + "Yes": "Ano", + "View on UniGetUI": "Zobrazit v UniGetUI", + "Update": "Aktualizovat", + "Open UniGetUI": "Otevřít UniGetUI", + "Update all": "Aktualizovat vše", + "Update now": "Aktualizovat nyní", + "This package is on the queue": "Tento balíček je ve frontě", + "installing": "instaluji", + "updating": "aktualizuji", + "uninstalling": "odinstaluji", + "installed": "nainstalováno", + "Retry": "Zkusit znovu", + "Install": "Nainstalovat", + "Uninstall": "Odinstalovat", + "Open": "Otevřít", + "Operation profile:": "Profil operace:", + "Follow the default options when installing, upgrading or uninstalling this package": "Při instalaci, aktualizaci nebo odinstalaci tohoto balíčku postupujte podle výchozích možností.", + "The following settings will be applied each time this package is installed, updated or removed.": "Následující nastavení se použijí při každé instalaci, aktualizaci nebo odebrání tohoto balíčku.", + "Version to install:": "Verze:", + "Architecture to install:": "Architektura:", + "Installation scope:": "Rozsah instalace:", + "Install location:": "Umístění instalace:", + "Select": "Vybrat", + "Reset": "Obnovit", + "Custom install arguments:": "Vlastní argumenty pro instalaci:", + "Custom update arguments:": "Vlastní argumenty pro aktualizaci:", + "Custom uninstall arguments:": "Vlastní argumenty pro odinstalaci:", + "Pre-install command:": "Příkaz před instalací:", + "Post-install command:": "Příkaz po instalaci:", + "Abort install if pre-install command fails": "Přerušit instalaci, pokud předinstalační příkaz selže", + "Pre-update command:": "Příkaz před aktualizací:", + "Post-update command:": "Příkaz po aktualizaci:", + "Abort update if pre-update command fails": "Přerušit aktualizaci, pokud předinstalační příkaz selže", + "Pre-uninstall command:": "Příkaz před odinstalací:", + "Post-uninstall command:": "Příkaz po odinstalaci:", + "Abort uninstall if pre-uninstall command fails": "Přerušit odinstalaci, pokud předinstalační příkaz selže", + "Command-line to run:": "Příkazový řádek pro spuštění:", + "Save and close": "Uložit a zavřít", + "Run as admin": "Spustit jako správce", + "Interactive installation": "Interaktivní instalace", + "Skip hash check": "Přeskočit kontrolní součet", + "Uninstall previous versions when updated": "Odinstalování předchozích verzí po aktualizaci", + "Skip minor updates for this package": "Přeskočení drobných aktualizací tohoto balíčku", + "Automatically update this package": "Automaticky aktualizovat tento balíček", + "{0} installation options": "{0} možnosti instalace", + "Latest": "Poslední", + "PreRelease": "Předběžná verze", + "Default": "Výchozí", + "Manage ignored updates": "Spravovat ignorované aktualizace", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Uvedené balíčky nebudou při kontrole aktualizací brány v úvahu. Poklepejte na ně nebo klikněte na tlačítko vpravo, abyste přestali ignorovat jejich aktualizace.", + "Reset list": "Obnovit seznam", + "Package Name": "Název balíčku", + "Package ID": "ID balíčku", + "Ignored version": "Ignorovaná verze", + "New version": "Nová verze", + "Source": "Zdroj", + "All versions": "Všechny verze", + "Unknown": "Neznámé", + "Up to date": "Aktuální", + "Cancel": "Zrušit", + "Administrator privileges": "Oprávnění správce", + "This operation is running with administrator privileges.": "Tato operace je spuštěna s oprávněním správce.", + "Interactive operation": "Interaktivní operace", + "This operation is running interactively.": "Tento operace je spuštěna interaktivně.", + "You will likely need to interact with the installer.": "Pravděpodobně budete muset s instalátorem interagovat.", + "Integrity checks skipped": "Kontrola integrity přeskočena", + "Proceed at your own risk.": "Pokračujte na vlastní nebezpečí.", + "Close": "Zavřít", + "Loading...": "Načítání...", + "Installer SHA256": "SHA256", + "Homepage": "Domovská stránka", + "Author": "Autor", + "Publisher": "Vydavatel", + "License": "Licence", + "Manifest": "Manifest balíčku", + "Installer Type": "Typ instalátoru", + "Size": "Velikost", + "Installer URL": "URL", + "Last updated:": "Poslední aktualizace:", + "Release notes URL": "URL Poznámek k vydání", + "Package details": "Podrobnosti", + "Dependencies:": "Závislosti:", + "Release notes": "Poznámky k vydání", + "Version": "Verze", + "Install as administrator": "Instalovat jako správce", + "Update to version {0}": "Aktualizovat na verzi {0}", + "Installed Version": "Nainstalovaná verze", + "Update as administrator": "Aktualizovat jako správce", + "Interactive update": "Interaktivní aktualizace", + "Uninstall as administrator": "Odinstalovat jako správce", + "Interactive uninstall": "Interaktivní odinstalace", + "Uninstall and remove data": "Odinstalovat a odstranit data", + "Not available": "Nedostupné", + "Installer SHA512": "SHA512", + "Unknown size": "Neznámá velikost", + "No dependencies specified": "Nejsou uvedeny žádné závislosti", + "mandatory": "povinné", + "optional": "volitelné", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je připraven k instalaci.", + "The update process will start after closing UniGetUI": "Aktualizace začne po zavření UniGetUI", + "Share anonymous usage data": "Sdílení anonymních dat o používání", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI shromažďuje anonymní údaje o používání za účelem zlepšení uživatelského komfortu.", + "Accept": "Přijmout", + "You have installed WingetUI Version {0}": "Je nainstalován UniGetUI verze {0}", + "Disclaimer": "Upozornění", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nesouvisí s žádným z kompatibilních správců balíčků. UniGetUI je nezávislý projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI by nebylo možné vytvořit bez pomoci přispěvatelů. Děkuji Vám všem 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI používá následující knihovny. Bez nich by UniGetUI nebyl možný.", + "{0} homepage": "{0} domovská stránka", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI byl díky dobrovolným překladatelům přeložen do více než 40 jazyků. Děkujeme 🤝", + "Verbose": "Podrobný výstup", + "1 - Errors": "1 - Chyby", + "2 - Warnings": "2 - Varování", + "3 - Information (less)": "3 - Informace (méně)", + "4 - Information (more)": "4 - Informace (více)", + "5 - information (debug)": "5 - Informace (ladění)", + "Warning": "Upozornění", + "The following settings may pose a security risk, hence they are disabled by default.": "Následující nastavení mohou představovat bezpečnostní riziko, proto jsou ve výchozím nastavení zakázána.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Níže uvedená nastavení povolte, POKUD A POUZE POKUD plně chápete, k čemu slouží a jaké mohou mít důsledky a nebezpečí.", + "The settings will list, in their descriptions, the potential security issues they may have.": "V popisu nastavení budou uvedeny potenciální bezpečnostní problémy, které mohou mít.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Záloha bude obsahovat kompletní seznam nainstalovaných balíčků a možnosti jejich instalace. Uloženy budou také ignorované aktualizace a přeskočené verze.", + "The backup will NOT include any binary file nor any program's saved data.": "Záloha NEBUDE obsahovat binární soubory ani uložená data programů.", + "The size of the backup is estimated to be less than 1MB.": "Velikost zálohy se odhaduje na méně než 1 MB.", + "The backup will be performed after login.": "Zálohování se provede po přihlášení.", + "{pcName} installed packages": "{pcName} nainstalované balíčky", + "Current status: Not logged in": "Současný stav: Nepřihlášen", + "You are logged in as {0} (@{1})": "jste přihlášen jako {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Hezky! Zálohy budou nahrány do soukromého gistu na vašem účtu.", + "Select backup": "Výběr zálohy", + "WingetUI Settings": "Nastavení UniGetUI", + "Allow pre-release versions": "Povolit předběžné verze", + "Apply": "Použít", + "Go to UniGetUI security settings": "Přejděte do nastavení zabezpečení UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Při každé instalaci, aktualizaci nebo odinstalaci balíčku {0} se ve výchozím nastavení použijí následující možnosti.", + "Package's default": "Výchozí nastavení balíčku", + "Install location can't be changed for {0} packages": "Umístění instalace nelze změnit pro {0} balíčků", + "The local icon cache currently takes {0} MB": "Mezipaměť ikonek aktuálně zabírá {0} MB", + "Username": "Uživatelské jméno", + "Password": "Heslo", + "Credentials": "Přihlašovací údaje", + "Partially": "Částečně", + "Package manager": "Správce balíčků", + "Compatible with proxy": "Kompatibilní s proxy", + "Compatible with authentication": "Kompatibilní s ověřením", + "Proxy compatibility table": "Tabulka kompatibility proxy serverů", + "{0} settings": "{0} nastavení", + "{0} status": "{0} stav", + "Default installation options for {0} packages": "Výchozí možnosti instalace {0} balíčků", + "Expand version": "Rozbalit verze", + "The executable file for {0} was not found": "Spustitelný soubor pro {0} nebyl nalezen", + "{pm} is disabled": "{pm} je vypnuto", + "Enable it to install packages from {pm}.": "Povolte jej pro instalaci balíčků z {pm}.", + "{pm} is enabled and ready to go": "{pm} je povolen a připraven k použití", + "{pm} version:": "{pm} verze:", + "{pm} was not found!": "{pm} nebyl nalezen!", + "You may need to install {pm} in order to use it with WingetUI.": "Může být nutné nainstalovat {pm} pro použití s UniGetUI.", + "Scoop Installer - WingetUI": "Scoop instalátor - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop odinstalátor - UniGetUI", + "Clearing Scoop cache - WingetUI": "Mazání mezipaměti Scoop - UniGetUI", + "Restart UniGetUI": "Restartovat UniGetUI", + "Manage {0} sources": "Správa zdrojů {0}", + "Add source": "Přidat zdroj", + "Add": "Přidat", + "Other": "Ostatní", + "1 day": "den", + "{0} days": "{0} dnů", + "{0} minutes": "{0} minut", + "1 hour": "hodina", + "{0} hours": "{0} hodin", + "1 week": "1 týden", + "WingetUI Version {0}": "UniGetUI verze {0}", + "Search for packages": "Vyhledávání balíčků", + "Local": "Místní", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Bylo nalezeno {0} balíčků, z nichž {1} vyhovuje zadaným filtrům.\n", + "{0} selected": "{0} vybráno", + "(Last checked: {0})": "(Naposledy zkontrolováno: {0})", + "Enabled": "Povoleno", + "Disabled": "Vypnuto", + "More info": "Více informací", + "Log in with GitHub to enable cloud package backup.": "Přihlašte se pomocí GitHub pro zapnutí zálohování balíčků do cloudu.", + "More details": "Více informací", + "Log in": "Přihlásit se", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Pokud máte povoleno zálohování do cloudu, bude na tomto účtu uložen jako GitHub Gist.", + "Log out": "Odhlásit se", + "About": "O aplikaci", + "Third-party licenses": "Licence třetích stran", + "Contributors": "Přispěvatelé", + "Translators": "Překladatelé", + "Manage shortcuts": "Spravovat zástupce", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI zjistil následující zástupce na ploše, které lze při budoucích aktualizacích automaticky odstranit", + "Do you really want to reset this list? This action cannot be reverted.": "Opravdu chcete tento seznam obnovit? Tuto akci nelze vrátit zpět.", + "Remove from list": "Odstranit ze seznamu", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Když jsou detekovány nové zkratky, automaticky je smazat, místo aby se zobrazovalo toto dialogové okno.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI shromažďuje anonymní údaje o používání pouze za účelem pochopení a zlepšení uživatelských zkušeností.", + "More details about the shared data and how it will be processed": "Více podrobnosti o sdílených údajích a způsobu jejich zpracování", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Souhlasíte s tím, že UniGetUI shromažďuje a odesílá anonymní statistiky o používání, a to výhradně za účelem pochopení a zlepšení uživatelských zkušeností?", + "Decline": "Odmítnout", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nejsou shromažďovány ani odesílány osobní údaje a shromážděné údaje jsou anonymizovány, takže je nelze zpětně vysledovat.", + "About WingetUI": "O UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI je aplikace, která usnadňuje správu softwaru tím, že poskytuje grafické rozhraní pro správce balíčků příkazového řádku.", + "Useful links": "Užitečné odkazy", + "Report an issue or submit a feature request": "Nahlásit problém nebo odešli požadavek na funkci", + "View GitHub Profile": "Zobrazit GitHub profil", + "WingetUI License": "UniGetUI Licence", + "Using WingetUI implies the acceptation of the MIT License": "Používání UniGetUI znamená souhlas s licencí MIT.", + "Become a translator": "Staňte se překladatelem", + "View page on browser": "Zobrazit stránku v prohlížeči", + "Copy to clipboard": "Zkopírovat do schránky", + "Export to a file": "Exportovat do souboru", + "Log level:": "Úroveň protokolu:", + "Reload log": "Znovu načíst protokol", + "Text": "Textový", + "Change how operations request administrator rights": "Změna způsobu, jakým operace vyžadují oprávnění správce", + "Restrictions on package operations": "Omezení operací s balíčky", + "Restrictions on package managers": "Omezení správců balíčků", + "Restrictions when importing package bundles": "Omezení při importu balíčků", + "Ask for administrator privileges once for each batch of operations": "Požádat o oprávnění správce pro každou operaci", + "Ask only once for administrator privileges": "Požádat o oprávnění správce pouze jednou", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zákaz jakéhokoli povýšení pomocí UniGetUI Elevator nebo GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Tato možnost bude způsobovat problémy. Jakákoli operace, která se nedokáže sama povýšit, selže. Instalace/aktualizace/odinstalace jako správce NEBUDE FUNGOVAT.", + "Allow custom command-line arguments": "Povolit vlastní argumenty příkazového řádku", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Vlastní argumenty příkazového řádku mohou změnit způsob, jakým jsou programy instalovány, aktualizovány nebo odinstalovány, způsobem, který UniGetUI nemůže kontrolovat. Použití vlastních příkazových řádků může poškodit balíčky. Postupujte opatrně.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Povolit spuštění vlastních příkazů před instalací a po instalaci", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Příkazy před a po instalaci budou spuštěny před a po instalaci, aktualizaci nebo odinstalaci balíčku. Uvědomte si, že mohou věci poškodit, pokud nebudou použity opatrně.", + "Allow changing the paths for package manager executables": "Povolit změnu cest pro spustitelné soubory správce balíčků", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Zapnutí této funkce umožňuje změnit spustitelný soubor používaný pro interakci se správci balíčků. To sice umožňuje jemnější přizpůsobení instalačních procesů, ale může to být také nebezpečné", + "Allow importing custom command-line arguments when importing packages from a bundle": "Povolit import vlastních argumentů příkazového řádku při importování balíčků ze sady", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Nesprávně formátované argumenty příkazového řádku mohou poškodit balíčky nebo dokonce umožnit útočníkovi získat privilegované spouštění. Proto je import vlastních argumentů příkazového řádku ve výchozím nastavení zakázán.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Povolit import vlastních předinstalačních a poinstalačních příkazů při importu balíčků ze sady", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Příkazy před a po instalaci mohou způsobit velmi nepříjemné věci vašemu zařízení, pokud jsou k tomu navrženy. Může být velmi nebezpečné importovat příkazy ze sady, pokud nedůvěřujete zdroji této sady balíčků.", + "Administrator rights and other dangerous settings": "Oprávnění správce a další nebezpečná nastavení", + "Package backup": "Záloha balíčku", + "Cloud package backup": "Zálohování balíčků v cloudu", + "Local package backup": "Místní zálohování balíčků", + "Local backup advanced options": "Pokročilé možnosti místního zálohování", + "Log in with GitHub": "Přihlásit se pomocí GitHubu", + "Log out from GitHub": "Odhlásit se z GitHubu", + "Periodically perform a cloud backup of the installed packages": "Pravidelně provádět cloudovou zálohu nainstalovaných balíčků", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloudové zálohování používá soukromý Gist GitHub k uložení seznamu nainstalovaných balíčků.", + "Perform a cloud backup now": "Provést zálohování do cloudu nyní", + "Backup": "Zálohovat", + "Restore a backup from the cloud": "Obnova zálohy z cloudu", + "Begin the process to select a cloud backup and review which packages to restore": "Zahájení procesu výběru cloudové zálohy a přezkoumání balíčků, které mají být obnoveny.", + "Periodically perform a local backup of the installed packages": "Pravidelně provádět místní zálohu nainstalovaných balíčků", + "Perform a local backup now": "Provést místní zálohování nyní", + "Change backup output directory": "Změnit výstupní adresář zálohy", + "Set a custom backup file name": "Vlastní název pro soubor zálohy", + "Leave empty for default": "Nechat prázdné pro výchozí", + "Add a timestamp to the backup file names": "Přidat časové razítko (timestamp) do názvu souboru zálohy", + "Backup and Restore": "Zálohování a obnovení", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Povolit api na pozadí (Widgets pro UniGetUI a Sdílení, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Před prováděním úkolů, které vyžadují připojení k internetu, počkejte, až bude zařízení připojeno k internetu.", + "Disable the 1-minute timeout for package-related operations": "Vypnutí minutového limitu pro operace související s balíčky", + "Use installed GSudo instead of UniGetUI Elevator": "Použít nainstalovaný GSudo místo UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Použít vlastní URL databáze pro ikonky a screenshoty", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Povolení optimalizace využití procesoru na pozadí (viz Pull Request #3278)", + "Perform integrity checks at startup": "Provést kontrolu integrity při spuštění", + "When batch installing packages from a bundle, install also packages that are already installed": "Při dávkové instalaci balíčků ze sady nainstalovat i balíčky, které jsou již nainstalovány.", + "Experimental settings and developer options": "Experimentální nastavení a vývojářské možnosti", + "Show UniGetUI's version and build number on the titlebar.": "Zobrazit verzi UniGetUI v záhlaví okna", + "Language": "Jazyk", + "UniGetUI updater": "Aktualizace UniGetUI", + "Telemetry": "Telemetrie", + "Manage UniGetUI settings": "Správa nastavení UniGetUI", + "Related settings": "Související nastavení", + "Update WingetUI automatically": "Automaticky aktualizovat UniGetUI", + "Check for updates": "Zkontrolovat aktualizace", + "Install prerelease versions of UniGetUI": "Instalovat předběžné verze UniGetUI", + "Manage telemetry settings": "Spravovat nastavení telemetrie", + "Manage": "Správa", + "Import settings from a local file": "Importovat nastavení ze souboru", + "Import": "Importovat", + "Export settings to a local file": "Exportovat nastavení do souboru", + "Export": "Exportovat", + "Reset WingetUI": "Obnovit UniGetUI", + "Reset UniGetUI": "Obnovit UniGetUI", + "User interface preferences": "Vlastnosti uživatelského rozhraní", + "Application theme, startup page, package icons, clear successful installs automatically": "Motiv aplikace, úvodní stránka, ikony balíčků, automatické vymazání úspěšných instalací", + "General preferences": "Obecné vlastnosti", + "WingetUI display language:": "Jazyk UniGetUI", + "Is your language missing or incomplete?": "Chybí váš jazyk nebo není úplný?", + "Appearance": "Vzhled", + "UniGetUI on the background and system tray": "UniGetUI v pozadí a systémové liště", + "Package lists": "Seznamy balíčků", + "Close UniGetUI to the system tray": "Zavírat UniGetUI do systémové lišty", + "Show package icons on package lists": "Zobrazit ikonky balíčků na seznamu balíčků", + "Clear cache": "Vyčistit mezipaměť", + "Select upgradable packages by default": "Vždy vybrat aktualizovatelné balíčky", + "Light": "Světlý", + "Dark": "Tmavý", + "Follow system color scheme": "Dle systému", + "Application theme:": "Motiv aplikace:", + "Discover Packages": "Procházet balíčky", + "Software Updates": "Aktualizace softwaru", + "Installed Packages": "Místní balíčky", + "Package Bundles": "Sady balíčků", + "Settings": "Nastavení", + "UniGetUI startup page:": "Při spuštění UniGetUI zobrazit:", + "Proxy settings": "Nastavení proxy serveru", + "Other settings": "Ostatní nastavení", + "Connect the internet using a custom proxy": "Připojte se na internet pomocí vlastní proxy", + "Please note that not all package managers may fully support this feature": "Upozorňujeme, že ne všichni správci balíčků mohou tuto funkci plně podporovat.", + "Proxy URL": "URL proxy serveru", + "Enter proxy URL here": "Zde zadejte URL proxy serveru", + "Package manager preferences": "Nastavení správce balíčků", + "Ready": "Připraveno", + "Not found": "Nenalezeno", + "Notification preferences": "Předvolby oznámení", + "Notification types": "Typy oznámení", + "The system tray icon must be enabled in order for notifications to work": "Aby oznámení fungovala, musí být povolena ikona na systémové liště.", + "Enable WingetUI notifications": "Zapnout oznámení UniGetUI", + "Show a notification when there are available updates": "Zobrazit oznámení, pokud jsou dostupné aktualizace", + "Show a silent notification when an operation is running": "Zobrazit tichá oznámení při běžící operaci", + "Show a notification when an operation fails": "Zobrazit oznámení po selhání operace", + "Show a notification when an operation finishes successfully": "Zobrazit oznámení po úspěšném dokončení operace", + "Concurrency and execution": "Souběžnost a provádění", + "Automatic desktop shortcut remover": "Automatické mazání zástupců z plochy", + "Clear successful operations from the operation list after a 5 second delay": "Vymazat úspěšné operace po 5 sekundách ze seznamu operací", + "Download operations are not affected by this setting": "Toto nastavení nemá vliv na operace stahování", + "Try to kill the processes that refuse to close when requested to": "Pokuste se ukončit procesy, které se odmítají zavřít, když je to požadováno.", + "You may lose unsaved data": "Může dojít ke ztrátě neuložených dat", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Zeptat se na smazání zástupců na ploše vytvořených během instalace nebo aktualizace", + "Package update preferences": "Předvolby aktualizace balíčků", + "Update check frequency, automatically install updates, etc.": "Frekvence kontroly aktualizací, automatická instalace aktualizací atd.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Omezení výzev UAC, zvýšení úrovně výchozí instalace, odemčení některých nebezpečných funkcí atd.", + "Package operation preferences": "Předvolby operací s balíčky", + "Enable {pm}": "Zapnout {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nenašli jste hledaný soubor? Zkontrolujte, zda byl přidán do cesty.", + "For security reasons, changing the executable file is disabled by default": "Změna spustitelného souboru je ve výchozím nastavení z bezpečnostních důvodů zakázána.", + "Change this": "Změnit toto", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vyberte spustitelný soubor, který chcete použít. Následující seznam obsahuje spustitelné soubory nalezené UniGetUI.", + "Current executable file:": "Aktuálně spustitelný soubor:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorovat balíčky z {pm} při zobrazení oznámení o aktualizacích", + "View {0} logs": "Zobrazit {0} protokoly", + "Advanced options": "Pokročilé možnosti", + "Reset WinGet": "Obnovit WinGet", + "This may help if no packages are listed": "Toto může pomoci, když se balíčky nezobrazují", + "Force install location parameter when updating packages with custom locations": "Vynutit parametr umístění instalace při aktualizaci balíčků s vlastními umístěními", + "Use bundled WinGet instead of system WinGet": "Použít přibalený WinGet místo systémového WinGet", + "This may help if WinGet packages are not shown": "Toto může pomoci, když se WinGet balíčky nezobrazují", + "Install Scoop": "Nainstalovat Scoop", + "Uninstall Scoop (and its packages)": "Odinstalovat Scoop (a jeho balíčky)", + "Run cleanup and clear cache": "Spustit čištění a vymazat mezipaměť", + "Run": "Spustit", + "Enable Scoop cleanup on launch": "Zapnout pročištění Scoopu po spuštění", + "Use system Chocolatey": "Použít systémový Chocolatey", + "Default vcpkg triplet": "Výchozí vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Lokalizace, motivy a další různé vlastnosti", + "Show notifications on different events": "Zobrazit oznámení o různých událostech", + "Change how UniGetUI checks and installs available updates for your packages": "Změňte, jak UniGetUI kontroluje a instaluje dostupné aktualizace pro vaše balíčky", + "Automatically save a list of all your installed packages to easily restore them.": "Automatické uložení seznamu všech nainstalovaných balíčků pro jejich snadné obnovení", + "Enable and disable package managers, change default install options, etc.": "Povolení a zakázání správců balíčků, změna výchozích možností instalace atd.", + "Internet connection settings": "Nastavení připojení k internetu", + "Proxy settings, etc.": "Nastavení proxy serveru atd.", + "Beta features and other options that shouldn't be touched": "Testovací funkce a další vlastnosti, na které byste neměli sahat", + "Update checking": "Kontrola aktualizací", + "Automatic updates": "Automatické aktualizace", + "Check for package updates periodically": "Pravidelně kontrolovat aktualizace", + "Check for updates every:": "Kontrolovat aktualizace každých:", + "Install available updates automatically": "Automaticky instalovat dostupné aktualizace", + "Do not automatically install updates when the network connection is metered": "Neinstalovat aktualizace, pokud je síťové připojení účtováno po objemu dat", + "Do not automatically install updates when the device runs on battery": "Neinstalovat aktualizace, pokud zařízení běží na baterii", + "Do not automatically install updates when the battery saver is on": "Neinstalovat aktualizace, pokud je zapnutý spořič energie", + "Change how UniGetUI handles install, update and uninstall operations.": "Změňte způsob, jakým UniGetUI zpracovává operace instalace, aktualizace a odinstalace.", + "Package Managers": "Správci balíčků", + "More": "Více", + "WingetUI Log": "UniGetUI protokol", + "Package Manager logs": "Protokoly správce balíčků", + "Operation history": "Historie operací", + "Help": "Nápověda", + "Order by:": "Seřadit podle:", + "Name": "Název", + "Id": "ID", + "Ascendant": "Vzestupně", + "Descendant": "Sestupně", + "View mode:": "Zobrazit jako:", + "Filters": "Filtry", + "Sources": "Zdroje", + "Search for packages to start": "Pro výpis balíčků začněte vyhledávat", + "Select all": "Vybrat vše", + "Clear selection": "Zrušit výběr", + "Instant search": "Živé hledání", + "Distinguish between uppercase and lowercase": "Rozlišovat velké a malé písmena", + "Ignore special characters": "Ignorovat speciální znaky", + "Search mode": "Režim vyhledávání", + "Both": "Oba", + "Exact match": "Přesná shoda", + "Show similar packages": "Podobné balíčky", + "No results were found matching the input criteria": "Nebyl nalezen žádný výsledek splňující kritéria", + "No packages were found": "Žádné balíčky nebyly nalezeny", + "Loading packages": "Načítání balíčků", + "Skip integrity checks": "Přeskočit kontrolu integrity", + "Download selected installers": "Stáhnout vybrané instalační programy", + "Install selection": "Nainstalovat vybrané", + "Install options": "Možnosti instalace", + "Share": "Sdílet", + "Add selection to bundle": "Přidat výběr do sady", + "Download installer": "Stáhnout instalátor", + "Share this package": "Sdílet", + "Uninstall selection": "Odinstalovat vybrané", + "Uninstall options": "Možnosti odinstalace", + "Ignore selected packages": "Ignorovat vybrané balíčky", + "Open install location": "Otevřít umístění instalace", + "Reinstall package": "Přeinstalovat balíček", + "Uninstall package, then reinstall it": "Odinstalovat balíček a poté znovu nainstalovat", + "Ignore updates for this package": "Ignorovat aktualizace pro tento balíček", + "Do not ignore updates for this package anymore": "Neignorovat aktualizace tohoto balíčku", + "Add packages or open an existing package bundle": "Přidat balíčky nebo otevřít stávající sadu balíčků", + "Add packages to start": "Přidejte balíčky", + "The current bundle has no packages. Add some packages to get started": "Aktuální sada neobsahuje žádné balíčky. Přidejte nějaké balíčky a začněte", + "New": "Nové", + "Save as": "Uložit jako", + "Remove selection from bundle": "Odstranit výběr ze sady", + "Skip hash checks": "Přeskočit kontrolní součet", + "The package bundle is not valid": "Sada balíčků není platná", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Sadu, kterou se snažíte načíst, se zdá být neplatná. Zkontrolujte prosím soubor a zkuste to znovu.", + "Package bundle": "Sada balíčku", + "Could not create bundle": "Sadu se nepodařilo vytvořit", + "The package bundle could not be created due to an error.": "Sada balíčků se nepodařilo vytvořit z důvodu chyby.", + "Bundle security report": "Zpráva o zabezpečení sady", + "Hooray! No updates were found.": "Juchů! Nejsou žádné aktualizace!", + "Everything is up to date": "Vše je aktuální", + "Uninstall selected packages": "Odinstalovat vybrané balíčky", + "Update selection": "Aktualizovat vybrané", + "Update options": "Možnosti aktualizace", + "Uninstall package, then update it": "Odinstalovat balíček a poté jej aktualizovat", + "Uninstall package": "Odinstalovat balíček", + "Skip this version": "Přeskočit tuto verzi", + "Pause updates for": "Pozastavit aktualizace na", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Správce balíčků Rust.
Obsahuje: Knihovny a programy napsané v Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasický správce balíčků pro Windows. Najdete v něm vše.
Obsahuje: Obecný software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitář plný nástrojů a spustitelných souborů navržených s ohledem na ekosystém .NET společnosti Microsoft.
Obsahuje: .NET související nástroje a skripty\n", + "NuPkg (zipped manifest)": "NuPkg (zazipovaný manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Správce balíčků Node.js, je plný knihoven a dalších nástrojů, které týkají světa javascriptu.
Obsahuje: Knihovny a další související nástroje pro Node.js", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Správce knihoven Pythonu a dalších nástrojů souvisejících s Pythonem.
Obsahuje: Knihovny Pythonu a související nástroje", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell správce balíčků. Hledání knihoven a skriptů k rozšíření PowerShell schopností
Obsahuje: Moduly, Skripty, Cmdlets\n", + "extracted": "extrahováno", + "Scoop package": "Scoop balíček", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Obsáhlý repozitář neznámých, ale přesto užitečných nástrojů a dalších zajímavých balíčků.
Obsahuje: Nástroje, programy příkazové řádky a obecný software (nuné extra repozitáře)", + "library": "knihovna", + "feature": "funkce", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Oblíbený správce knihoven v jazyce C/C++. Plný knihoven a dalších nástrojů souvisejících s C/C++.
Obsahuje: C/C++ knihovny a související nástroje", + "option": "možnost", + "This package cannot be installed from an elevated context.": "Tento balíček nelze nainstalovat z kontextu výše.", + "Please run UniGetUI as a regular user and try again.": "Spusťte UniGetUI jako běžný uživatel a zkuste to znovu.", + "Please check the installation options for this package and try again": "Zkontrolujte prosím možnosti instalace tohoto balíčku a zkuste to znovu", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficiální správce balíčků od Microsoftu, plný dobře známých a oveřených programů
Obsahuje: Obecný software a aplikace z Microsoft Store", + "Local PC": "Místní počítač", + "Android Subsystem": "Subsystém Android", + "Operation on queue (position {0})...": "Operace v pořadí (pozice {0})...", + "Click here for more details": "Klikněte zde pro více informací", + "Operation canceled by user": "Operace zrušena uživatelem", + "Starting operation...": "Spouštění operace...", + "{package} installer download": "Stáhnout instalační program {package}", + "{0} installer is being downloaded": "Stahuje se instalační program {0}", + "Download succeeded": "Úspěšně staženo", + "{package} installer was downloaded successfully": "Instalační program {package} byl úspěšně stažen", + "Download failed": "Stažení se nezdařilo", + "{package} installer could not be downloaded": "Instalační program {package} se nepodařilo stáhnout", + "{package} Installation": "Instalace {package}", + "{0} is being installed": "{0} je instalováno", + "Installation succeeded": "Úspěšně nainstalováno", + "{package} was installed successfully": "{package} byl úspěšně nainstalován", + "Installation failed": "Instalace selhala", + "{package} could not be installed": "{package} nemohl být nainstalován", + "{package} Update": "Aktualizace {package}", + "{0} is being updated to version {1}": "{0} se aktualizuje na verzi {1}", + "Update succeeded": "Úspěšně aktualizováno", + "{package} was updated successfully": "{package} byl úspěšně aktualizován", + "Update failed": "Aktualizace selhala", + "{package} could not be updated": "{package} nemohl být aktualizován", + "{package} Uninstall": "Odinstalace {package}", + "{0} is being uninstalled": "{0} je odinstalován", + "Uninstall succeeded": "Úspěšně odinstalováno", + "{package} was uninstalled successfully": "{package} byl úspěšně odinstalován", + "Uninstall failed": "Odinstalace selhala", + "{package} could not be uninstalled": "{package} nemohl být odinstalován", + "Adding source {source}": "Přidávání zdroje {source}", + "Adding source {source} to {manager}": "Přidávání zdroje {source} do {manager}", + "Source added successfully": "Zdroj byl úspěšně přidán", + "The source {source} was added to {manager} successfully": "Zdroj {source} byl úspěšně přidán do {manager}", + "Could not add source": "Nepodařilo se přidat zdroj", + "Could not add source {source} to {manager}": "Nepodařilo se přidat zdroj {source} do {manager}", + "Removing source {source}": "Odstraňování zdroje {source}", + "Removing source {source} from {manager}": "Odebírání zdroje {source} z {manager}", + "Source removed successfully": "Zdroj byl úspěšně odebrán", + "The source {source} was removed from {manager} successfully": "Zdroj {source} byl úspěšně odebrán z {manager}", + "Could not remove source": "Nepodařilo se odstranit zdroj", + "Could not remove source {source} from {manager}": "Nepodařilo se odebrat zdroj {source} z {manager}", + "The package manager \"{0}\" was not found": "Správce balíčků \"{0}\" nebyl nalezen", + "The package manager \"{0}\" is disabled": "Správce balíčků \"{0}\" je vypnutý", + "There is an error with the configuration of the package manager \"{0}\"": "Došlo k chybě v konfiguraci správce balíčků „{0}“", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Balíček „{0}“ nebyl nalezen ve správci balíčků „{1}“", + "{0} is disabled": "{0} je vypnuto", + "Something went wrong": "Něco se pokazilo", + "An interal error occurred. Please view the log for further details.": "Došlo k interní chybě. Další podrobnosti naleznete v protokolu.", + "No applicable installer was found for the package {0}": "Pro balíček {0} nebyl nalezen žádný použitelný instalační program.", + "We are checking for updates.": "Kontrolujeme aktualizace.", + "Please wait": "Prosím vyčkejte", + "UniGetUI version {0} is being downloaded.": "Stahuje se verze UniGetUI {0}", + "This may take a minute or two": "Může to trvat minutu nebo dvě.", + "The installer authenticity could not be verified.": "Pravost instalačního programu nebylo možné ověřit.", + "The update process has been aborted.": "Aktualizační proces byl přerušen.", + "Great! You are on the latest version.": "Skvělé! Máte nejnovější verzi.", + "There are no new UniGetUI versions to be installed": "Neexistují žádné nové verze UniGetUI, které by bylo třeba nainstalovat", + "An error occurred when checking for updates: ": "Nastala chyba při kontrole aktualizací:", + "UniGetUI is being updated...": "UniGetUI je aktualizován...", + "Something went wrong while launching the updater.": "Při spouštění aktualizace se něco pokazilo.", + "Please try again later": "Zkuste to prosím později", + "Integrity checks will not be performed during this operation": "Kontrola integrity se při této operaci neprovádí.", + "This is not recommended.": "Toto se nedoporučuje.", + "Run now": "Spustit hned", + "Run next": "Spustit jako další", + "Run last": "Spustit jako poslední", + "Retry as administrator": "Zkusit znovu jako správce", + "Retry interactively": "Zkusit znovu interaktivně", + "Retry skipping integrity checks": "Zkusit znovu bez kontroly integrity", + "Installation options": "Volby instalace", + "Show in explorer": "Zobrazit v průzkumníkovi", + "This package is already installed": "Tento balíček je již nainstalován", + "This package can be upgraded to version {0}": "Tento balíček může být aktualizován na verzi {0}", + "Updates for this package are ignored": "Aktulizace tohoto balíčku jsou ignorovány", + "This package is being processed": "Tento balíček se zpracovává", + "This package is not available": "Tento balíček je nedostupný", + "Select the source you want to add:": "Vyber zdroj, který chceš přidat:", + "Source name:": "Název zdroje:", + "Source URL:": "URL zdroje:", + "An error occurred": "Nastala chyba", + "An error occurred when adding the source: ": "Nastala chyba při přidávání zdroje:", + "Package management made easy": "Snadná správa balíčků", + "version {0}": "verze {0}", + "[RAN AS ADMINISTRATOR]": "SPUŠTĚNO JAKO SPRÁVCE", + "Portable mode": "Přenosný režim", + "DEBUG BUILD": "LADICÍ SESTAVENÍ", + "Available Updates": "Dostupné aktualizace", + "Show WingetUI": "Zobrazit UniGetUI", + "Quit": "Ukončit", + "Attention required": "Nutná pozornost", + "Restart required": "Vyžadován restart", + "1 update is available": "1 dostupná aktualizace", + "{0} updates are available": "Je dostupných {0} aktualizací.", + "WingetUI Homepage": "Domovská stránka UniGetUI", + "WingetUI Repository": "UniGetUI repozitář", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Zde můžete změnit chování rozhraní UniGetUI, pokud jde o následující zkratky. Zaškrtnutí zástupce způsobí, že jej UniGetUI odstraní, pokud bude vytvořen při budoucí aktualizaci. Zrušením zaškrtnutí zůstane zástupce nedotčen", + "Manual scan": "Manuální skenování", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Stávající zástupci na ploše budou prohledáni a budete muset vybrat, které z nich chcete zachovat a které odstranit.", + "Continue": "Pokračovat", + "Delete?": "Smazat?", + "Missing dependency": "Chybějící závislost", + "Not right now": "Teď ne", + "Install {0}": "Nainstalovat {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI vyžaduje ke své činnosti {0}, ale ve vašem systému nebyl nalezen.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klepnutím na tlačítko Instalace zahájíte proces instalace. Pokud instalaci přeskočíte, nemusí UniGetUI fungovat dle očekávání.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativně můžete také nainstalovat {0} spuštěním následujícího příkazu v příkazovém řádku prostředí Windows PowerShell:", + "Do not show this dialog again for {0}": "Nezobrazujte znovu tento dialog pro {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Počkejte prosím, než se nainstaluje {0}. Může se zobrazit černé (nebo modré) okno. Vyčkejte, dokud se nezavře.", + "{0} has been installed successfully.": "{0} byl úspěšně nainstalován.", + "Please click on \"Continue\" to continue": "Pro pokračování klikněte na \"Pokračovat\"", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} bylo úspěšně nainstalováno. Je doporučeno restartovat UniGetUI pro dokončení instalace.", + "Restart later": "Restartovat později", + "An error occurred:": "Nastala chyba:", + "I understand": "Rozumím", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI byl spuštěn jako správce, což se nedoporučuje. Pokud je UniGetUI spuštěn jako správce, bude mít KAŽDÁ operace spuštěná z UniGetUI práva správce. Program můžete používat i nadále, ale důrazně nedoporučujeme spouštět UniGetUI s právy správce.", + "WinGet was repaired successfully": "WinGet byl úspěšně opraven", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Po opravě WinGet se doporučuje restartovat aplikaci UniGetUI", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "Poznámka: Toto řešení problémů může být vypnuto z nastavení UnigetUI v sekci WinGet", + "Restart": "Restartovat", + "WinGet could not be repaired": "WinGet se nepodařilo opravit", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Při pokusu o opravu WinGet došlo k neočekávanému problému. Zkuste to prosím později", + "Are you sure you want to delete all shortcuts?": "Opravdu chcete odstranit všechny zkratky?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Všechny nové zkratky vytvořené během instalace nebo aktualizace budou automaticky odstraněny, místo aby se při jejich prvním zjištění zobrazil potvrzovací dotaz.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Zkratky vytvořené nebo upravené mimo rozhraní UniGetUI budou ignorovány. Budete je moci přidat pomocí tlačítka {0}.", + "Are you really sure you want to enable this feature?": "Opravdu chcete tuto funkci povolit?", + "No new shortcuts were found during the scan.": "Při kontrole nebyly nalezeny žádné nové zkratky.", + "How to add packages to a bundle": "Jak přidat balíčky do sady", + "In order to add packages to a bundle, you will need to: ": "Chcete-li přidat balíčky do sady, musíte: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Přejděte na stránku „{0}“ nebo „{1}“.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Vyhledejte balíčky, který chcete přidat do balíčku, a zaškrtněte jejich políčko vlevo.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Po výběru balíčků, které chcete přidat do balíčku, vyhledejte na panelu nástrojů možnost „{0}“ a klikněte na ni.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaše balíčky budou přidány do balíčku. Můžete pokračovat v přidávání balíčků nebo balíček exportovat.", + "Which backup do you want to open?": "Kterou zálohu chcete otevřít?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vyberte zálohu, kterou chcete otevřít. Později budete moci zkontrolovat, které balíčky/programy chcete obnovit.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Stále se provádí operace. Ukončení UniGetUI může způsobit jejich selhání. Chcete i přesto pokračovat?\n", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI nebo některé z jeho komponent chybí nebo jsou poškozené.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Důrazně se doporučuje přeinstalovat UniGetUI k vyřešení této situace.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Podívejte se do protokolů UniGetUI pro získání více podrobností o postižených souborech", + "Integrity checks can be disabled from the Experimental Settings": "Kontrolu integrity lze zakázat v Experimentálním nastavení", + "Repair UniGetUI": "Opravit UniGetUI", + "Live output": "Živý výstup", + "Package not found": "Balíček nebyl nalezen", + "An error occurred when attempting to show the package with Id {0}": "Při pokusu o zobrazení balíčku s Id {0}, došlo k chybě.", + "Package": "Balíček", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Tato sada balíčků obsahoval některá potenciálně nebezpečná nastavení, která mohou být ve výchozím nastavení ignorována.", + "Entries that show in YELLOW will be IGNORED.": "Záznamy, které se zobrazí žlutě, budou IGNOROVÁNY.", + "Entries that show in RED will be IMPORTED.": "Záznamy, které se zobrazí červeně, budou IMPORTOVÁNY.", + "You can change this behavior on UniGetUI security settings.": "Toto chování můžete změnit v nastavení zabezpečení UniGetUI.", + "Open UniGetUI security settings": "Otevřete nastavení zabezpečení UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Pokud změníte nastavení zabezpečení, budete muset sadu znovu otevřít, aby se změny projevily.", + "Details of the report:": "Podrobnosti zprávy:", "\"{0}\" is a local package and can't be shared": "\"{0}\" je lokální balíček a nemůže být nasdílen", + "Are you sure you want to create a new package bundle? ": "Opravdu chcete vytvořit novou sadu balíčků?", + "Any unsaved changes will be lost": "Neuložené změny budou ztraceny", + "Warning!": "Varování!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostních důvodů jsou vlastní argumenty příkazového řádku ve výchozím nastavení zakázány. Chcete-li to změnit, přejděte do nastavení zabezpečení UniGetUI.", + "Change default options": "Změnit výchozí možnosti", + "Ignore future updates for this package": "Ignorovat budoucí aktualizace tohoto balíčku", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostních důvodů jsou předoperační a pooperační skripty ve výchozím nastavení zakázány. Chcete-li to změnit, přejděte do nastavení zabezpečení UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Můžete definovat příkazy, které budou spuštěny před nebo po instalaci, aktualizaci nebo odinstalaci tohoto balíčku. Budou spuštěny v příkazovém řádku, takže zde budou fungovat skripty CMD.", + "Change this and unlock": "Změnit toto a odemknout", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} možnosti instalace jsou v současné době uzamčeny, protože {0} se řídí výchozími možnostmi instalace.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vyberte procesy, které by měly být ukončeny před instalací, aktualizací nebo odinstalací tohoto balíčku.", + "Write here the process names here, separated by commas (,)": "Zde napište názvy procesů oddělené čárkami (,).", + "Unset or unknown": "Nenastaveno nebo neznámo", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Další informace o problému naleznete ve výstupu příkazového řádku nebo v Historii operací.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Chybí tomuto balíčku snímky obrazovky nebo ikonka? Přispějte do UniGetUI přidáním chybějících ikonek a snímků obrazovky do naší otevřené, veřejné databáze.", + "Become a contributor": "Staňte se přispěvatelem", + "Save": "Uložit", + "Update to {0} available": "Je dostupná aktualizace na {0}", + "Reinstall": "Přeinstalovat", + "Installer not available": "Instalační program není dostupný", + "Version:": "Verze:", + "Performing backup, please wait...": "Provádím zálohu, prosím vyčkejte...", + "An error occurred while logging in: ": "Při přihlašování došlo k chybě:", + "Fetching available backups...": "Načítání dostupných záloh...", + "Done!": "Hotovo!", + "The cloud backup has been loaded successfully.": "Cloudová záloha byla úspěšně načtena.", + "An error occurred while loading a backup: ": "Při načítání zálohy došlo k chybě:", + "Backing up packages to GitHub Gist...": "Zálohování balíčků na GitHub Gist...", + "Backup Successful": "Zálohování proběhlo úspěšně", + "The cloud backup completed successfully.": "Zálohování do cloudu bylo úspěšně dokončeno.", + "Could not back up packages to GitHub Gist: ": "Nepodařilo se zálohovat balíčky na GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Není zaručeno, že poskytnuté přihlašovací údaje budou bezpečně uloženy, takže nepoužívej přihlašovací údaje k vašemu bankovnímu účtu.", + "Enable the automatic WinGet troubleshooter": "Zapnout automatické řešení problémů WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Povolit [experimentálního] vylepšeného nástroje pro řešení potíží WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Přidat aktualizace, které selžou s hlášením „nebyla nalezena žádná použitelná aktualizace“, do seznamu ignorovaných aktualizací.", + "Restart WingetUI to fully apply changes": "Pro aplikování změn restartujte UniGetUI", + "Restart WingetUI": "Restartovat UniGetUI", + "Invalid selection": "Neplatný výběr", + "No package was selected": "Nebyl vybrán žádný balíček", + "More than 1 package was selected": "Byl vybrán víc než 1 balíček", + "List": "Seznam", + "Grid": "Mřížka", + "Icons": "Ikony", "\"{0}\" is a local package and does not have available details": "\"{0}\" je lokální balíček a nemá dostupné detaily", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" je lokální balíček a není kompatibilní s touto funkcí", - "(Last checked: {0})": "(Naposledy zkontrolováno: {0})", + "WinGet malfunction detected": "Zjištěna porucha WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Vypadá to, že program WinGet nefunguje správně. Chcete se pokusit WinGet opravit?", + "Repair WinGet": "Opravit WinGet", + "Create .ps1 script": "Vytvořit skript .ps1", + "Add packages to bundle": "Přidat balíčky do sady", + "Preparing packages, please wait...": "Příprava balíčků, prosím vyčkejte...", + "Loading packages, please wait...": "Načítání balíčků, prosím vyčkejte...", + "Saving packages, please wait...": "Ukládání balíčků, prosím vyčkejte...", + "The bundle was created successfully on {0}": "Balíček byl úspěšně vytvořen do {0}", + "Install script": "Instalační skript", + "The installation script saved to {0}": "Instalační skript uložen do {0}", + "An error occurred while attempting to create an installation script:": "Při pokusu o vytvoření instalačního skriptu došlo k chybě:", + "{0} packages are being updated": "{0} balíčků jsou aktualizovány", + "Error": "Chyba", + "Log in failed: ": "Příhlašování selhalo.", + "Log out failed: ": "Odhlášení se nezdařilo:", + "Package backup settings": "Nastavení zálohování balíčku", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Pořadí ve frontě: {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@panther7, @mlisko, @xtorlukas", "0 packages found": "Nenalezeny žádné balíčky", "0 updates found": "Nenalezena žádná aktualizace", - "1 - Errors": "1 - Chyby", - "1 day": "den", - "1 hour": "hodina", "1 month": "měsíc", "1 package was found": "1 balíček nalezen", - "1 update is available": "1 dostupná aktualizace", - "1 week": "1 týden", "1 year": "1 rok", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Přejděte na stránku „{0}“ nebo „{1}“.", - "2 - Warnings": "2 - Varování", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Vyhledejte balíčky, který chcete přidat do balíčku, a zaškrtněte jejich políčko vlevo.", - "3 - Information (less)": "3 - Informace (méně)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Po výběru balíčků, které chcete přidat do balíčku, vyhledejte na panelu nástrojů možnost „{0}“ a klikněte na ni.", - "4 - Information (more)": "4 - Informace (více)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaše balíčky budou přidány do balíčku. Můžete pokračovat v přidávání balíčků nebo balíček exportovat.", - "5 - information (debug)": "5 - Informace (ladění)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Oblíbený správce knihoven v jazyce C/C++. Plný knihoven a dalších nástrojů souvisejících s C/C++.
Obsahuje: C/C++ knihovny a související nástroje", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitář plný nástrojů a spustitelných souborů navržených s ohledem na ekosystém .NET společnosti Microsoft.
Obsahuje: .NET související nástroje a skripty\n", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repozitář plný nástrojů navržených s ohledem na ekosystém .NET společnosti Microsoft.
Obsahuje: Nástroje související s .NET", "A restart is required": "Je vyžadován restart", - "Abort install if pre-install command fails": "Přerušit instalaci, pokud předinstalační příkaz selže", - "Abort uninstall if pre-uninstall command fails": "Přerušit odinstalaci, pokud předinstalační příkaz selže", - "Abort update if pre-update command fails": "Přerušit aktualizaci, pokud předinstalační příkaz selže", - "About": "O aplikaci", "About Qt6": "O Qt6", - "About WingetUI": "O UniGetUI", "About WingetUI version {0}": "O UniGetUI verze {0}", "About the dev": "O vývojáři", - "Accept": "Přijmout", "Action when double-clicking packages, hide successful installations": "Akce po dvojkliku, skrytí úspěšných instalací", - "Add": "Přidat", "Add a source to {0}": "Přidat zdroj do {0}", - "Add a timestamp to the backup file names": "Přidat časové razítko (timestamp) do názvu souboru zálohy", "Add a timestamp to the backup files": "Přidat časové razítko (timestamp) do souborů záloh", "Add packages or open an existing bundle": "Přidat balíčky nebo otevřít již stávající sadu", - "Add packages or open an existing package bundle": "Přidat balíčky nebo otevřít stávající sadu balíčků", - "Add packages to bundle": "Přidat balíčky do sady", - "Add packages to start": "Přidejte balíčky", - "Add selection to bundle": "Přidat výběr do sady", - "Add source": "Přidat zdroj", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Přidat aktualizace, které selžou s hlášením „nebyla nalezena žádná použitelná aktualizace“, do seznamu ignorovaných aktualizací.", - "Adding source {source}": "Přidávání zdroje {source}", - "Adding source {source} to {manager}": "Přidávání zdroje {source} do {manager}", "Addition succeeded": "Úspěšně přidáno", - "Administrator privileges": "Oprávnění správce", "Administrator privileges preferences": "Volby oprávnění správce", "Administrator rights": "Opravnění správce", - "Administrator rights and other dangerous settings": "Oprávnění správce a další nebezpečná nastavení", - "Advanced options": "Pokročilé možnosti", "All files": "Všechny soubory", - "All versions": "Všechny verze", - "Allow changing the paths for package manager executables": "Povolit změnu cest pro spustitelné soubory správce balíčků", - "Allow custom command-line arguments": "Povolit vlastní argumenty příkazového řádku", - "Allow importing custom command-line arguments when importing packages from a bundle": "Povolit import vlastních argumentů příkazového řádku při importování balíčků ze sady", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Povolit import vlastních předinstalačních a poinstalačních příkazů při importu balíčků ze sady", "Allow package operations to be performed in parallel": "Umožnit paralelní provádění operací s balíčky", "Allow parallel installs (NOT RECOMMENDED)": "Povolit paralelní instalování (NEDOPORUČUJE SE)", - "Allow pre-release versions": "Povolit předběžné verze", "Allow {pm} operations to be performed in parallel": "Povolit paralelní běh operací {pm}", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativně můžete také nainstalovat {0} spuštěním následujícího příkazu v příkazovém řádku prostředí Windows PowerShell:", "Always elevate {pm} installations by default": "Vždy spustit {pm} instalaci s oprávněním správce", "Always run {pm} operations with administrator rights": "Spouštět {pm} s oprávněním správce", - "An error occurred": "Nastala chyba", - "An error occurred when adding the source: ": "Nastala chyba při přidávání zdroje:", - "An error occurred when attempting to show the package with Id {0}": "Při pokusu o zobrazení balíčku s Id {0}, došlo k chybě.", - "An error occurred when checking for updates: ": "Nastala chyba při kontrole aktualizací:", - "An error occurred while attempting to create an installation script:": "Při pokusu o vytvoření instalačního skriptu došlo k chybě:", - "An error occurred while loading a backup: ": "Při načítání zálohy došlo k chybě:", - "An error occurred while logging in: ": "Při přihlašování došlo k chybě:", - "An error occurred while processing this package": "Při zpracování tohoto balíčku došlo k chybě", - "An error occurred:": "Nastala chyba:", - "An interal error occurred. Please view the log for further details.": "Došlo k interní chybě. Další podrobnosti naleznete v protokolu.", "An unexpected error occurred:": "Nastala neočekávaná chyba:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Při pokusu o opravu WinGet došlo k neočekávanému problému. Zkuste to prosím později", - "An update was found!": "Byla nalezena aktualizace!", - "Android Subsystem": "Subsystém Android", "Another source": "Jiný zdroj", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Všechny nové zkratky vytvořené během instalace nebo aktualizace budou automaticky odstraněny, místo aby se při jejich prvním zjištění zobrazil potvrzovací dotaz.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Zkratky vytvořené nebo upravené mimo rozhraní UniGetUI budou ignorovány. Budete je moci přidat pomocí tlačítka {0}.", - "Any unsaved changes will be lost": "Neuložené změny budou ztraceny", "App Name": "Název aplikace", - "Appearance": "Vzhled", - "Application theme, startup page, package icons, clear successful installs automatically": "Motiv aplikace, úvodní stránka, ikony balíčků, automatické vymazání úspěšných instalací", - "Application theme:": "Motiv aplikace:", - "Apply": "Použít", - "Architecture to install:": "Architektura:", "Are these screenshots wron or blurry?": "Jsou tyto screenshoty špatné či rozmazané?", - "Are you really sure you want to enable this feature?": "Opravdu chcete tuto funkci povolit?", - "Are you sure you want to create a new package bundle? ": "Opravdu chcete vytvořit novou sadu balíčků?", - "Are you sure you want to delete all shortcuts?": "Opravdu chcete odstranit všechny zkratky?", - "Are you sure?": "Jste si jistí?", - "Ascendant": "Vzestupně", - "Ask for administrator privileges once for each batch of operations": "Požádat o oprávnění správce pro každou operaci", "Ask for administrator rights when required": "Požádat o opravnění správce, jen když je to potřeba", "Ask once or always for administrator rights, elevate installations by default": "Jakým způsobem vyžadovat oprávnění správce", - "Ask only once for administrator privileges": "Požádat o oprávnění správce pouze jednou", "Ask only once for administrator privileges (not recommended)": "Požádat o oprávnění správce pouze jednou (nedoporučuje se)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Zeptat se na smazání zástupců na ploše vytvořených během instalace nebo aktualizace", - "Attention required": "Nutná pozornost", "Authenticate to the proxy with an user and a password": "Ověření k proxy serveru pomocí uživatele a hesla", - "Author": "Autor", - "Automatic desktop shortcut remover": "Automatické mazání zástupců z plochy", - "Automatic updates": "Automatické aktualizace", - "Automatically save a list of all your installed packages to easily restore them.": "Automatické uložení seznamu všech nainstalovaných balíčků pro jejich snadné obnovení", "Automatically save a list of your installed packages on your computer.": "Automatické uložení seznamu nainstalovaných balíčků do počítače.", - "Automatically update this package": "Automaticky aktualizovat tento balíček", "Autostart WingetUI in the notifications area": "Automatické spuštění UniGetUI do notifikační oblasti", - "Available Updates": "Dostupné aktualizace", "Available updates: {0}": "Dostupných aktualizací: {0}", "Available updates: {0}, not finished yet...": "Dostupných aktualizací: {0}, ještě nedokončeno...", - "Backing up packages to GitHub Gist...": "Zálohování balíčků na GitHub Gist...", - "Backup": "Zálohovat", - "Backup Failed": "Zálohování selhalo", - "Backup Successful": "Zálohování proběhlo úspěšně", - "Backup and Restore": "Zálohování a obnovení", "Backup installed packages": "Zálohování nainstalovaných balíčků", "Backup location": "Umístění zálohy", - "Become a contributor": "Staňte se přispěvatelem", - "Become a translator": "Staňte se překladatelem", - "Begin the process to select a cloud backup and review which packages to restore": "Zahájení procesu výběru cloudové zálohy a přezkoumání balíčků, které mají být obnoveny.", - "Beta features and other options that shouldn't be touched": "Testovací funkce a další vlastnosti, na které byste neměli sahat", - "Both": "Oba", - "Bundle security report": "Zpráva o zabezpečení sady", "But here are other things you can do to learn about WingetUI even more:": "Ale jsou tu i další věci, které můžete udělat, abyste se o UniGetUI dozvěděli ještě více:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Vypnutím správce balíčků již nebudete moci zobrazit ani aktualizovat jeho balíčky.", "Cache administrator rights and elevate installers by default": "Pamatovat si oprávnění správce a vždy spouštět instalace s jeho oprávněním", "Cache administrator rights, but elevate installers only when required": "Pamatovat si oprávnění správce, ale vyžádat si je pouze v případě potřeby", "Cache was reset successfully!": "Mezipaměť byla úspěšně vyčištěna!", "Can't {0} {1}": "Nepovedlo se {0} {1}", - "Cancel": "Zrušit", "Cancel all operations": "Zrušit všechny operace", - "Change backup output directory": "Změnit výstupní adresář zálohy", - "Change default options": "Změnit výchozí možnosti", - "Change how UniGetUI checks and installs available updates for your packages": "Změňte, jak UniGetUI kontroluje a instaluje dostupné aktualizace pro vaše balíčky", - "Change how UniGetUI handles install, update and uninstall operations.": "Změňte způsob, jakým UniGetUI zpracovává operace instalace, aktualizace a odinstalace.", "Change how UniGetUI installs packages, and checks and installs available updates": "Změňte, jak UniGetUI instaluje balíčky a kontroluje a instaluje jejich aktualizace", - "Change how operations request administrator rights": "Změna způsobu, jakým operace vyžadují oprávnění správce", "Change install location": "Změnit místo instalace", - "Change this": "Změnit toto", - "Change this and unlock": "Změnit toto a odemknout", - "Check for package updates periodically": "Pravidelně kontrolovat aktualizace", - "Check for updates": "Zkontrolovat aktualizace", - "Check for updates every:": "Kontrolovat aktualizace každých:", "Check for updates periodically": "Pravidelně kontrolovat aktualizace", "Check for updates regularly, and ask me what to do when updates are found.": "Pravidelně kontroluje aktualizace a po nalezení aktualizací se zeptá, co udělat.", "Check for updates regularly, and automatically install available ones.": "Pravidelně kontrolovat aktualizace a automaticky instalovat dostupné aktualizace.", @@ -159,805 +741,283 @@ "Checking for updates...": "Kontroluji aktualizace...", "Checking found instace(s)...": "Kontroluji nalezené instance...", "Choose how many operations shouls be performed in parallel": "Zvolte, kolik operací se má provádět paralelně", - "Clear cache": "Vyčistit mezipaměť", "Clear finished operations": "Vymazat dokončené operace", - "Clear selection": "Zrušit výběr", "Clear successful operations": "Smazat úspěšné operace", - "Clear successful operations from the operation list after a 5 second delay": "Vymazat úspěšné operace po 5 sekundách ze seznamu operací", "Clear the local icon cache": "Vyčistit místní mezipaměť ikonek", - "Clearing Scoop cache - WingetUI": "Mazání mezipaměti Scoop - UniGetUI", "Clearing Scoop cache...": "Čistím mezipaměť Scoop...", - "Click here for more details": "Klikněte zde pro více informací", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klepnutím na tlačítko Instalace zahájíte proces instalace. Pokud instalaci přeskočíte, nemusí UniGetUI fungovat dle očekávání.", - "Close": "Zavřít", - "Close UniGetUI to the system tray": "Zavírat UniGetUI do systémové lišty", "Close WingetUI to the notification area": "Skrýt UniGetUI do notifikační oblasti", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloudové zálohování používá soukromý Gist GitHub k uložení seznamu nainstalovaných balíčků.", - "Cloud package backup": "Zálohování balíčků v cloudu", "Command-line Output": "Výstup příkazového řádku", - "Command-line to run:": "Příkazový řádek pro spuštění:", "Compare query against": "Porovnat dotaz vůči", - "Compatible with authentication": "Kompatibilní s ověřením", - "Compatible with proxy": "Kompatibilní s proxy", "Component Information": "Informace o komponentách", - "Concurrency and execution": "Souběžnost a provádění", - "Connect the internet using a custom proxy": "Připojte se na internet pomocí vlastní proxy", - "Continue": "Pokračovat", "Contribute to the icon and screenshot repository": "Přispět do repozitáře ikonek a screenshotů", - "Contributors": "Přispěvatelé", "Copy": "Zkopírovat", - "Copy to clipboard": "Zkopírovat do schránky", - "Could not add source": "Nepodařilo se přidat zdroj", - "Could not add source {source} to {manager}": "Nepodařilo se přidat zdroj {source} do {manager}", - "Could not back up packages to GitHub Gist: ": "Nepodařilo se zálohovat balíčky na GitHub Gist:", - "Could not create bundle": "Sadu se nepodařilo vytvořit", "Could not load announcements - ": "Nepodařilo se načíst oznámení -", "Could not load announcements - HTTP status code is $CODE": "Nepodařilo se načíst oznámení - HTTP status kód $CODE", - "Could not remove source": "Nepodařilo se odstranit zdroj", - "Could not remove source {source} from {manager}": "Nepodařilo se odebrat zdroj {source} z {manager}", "Could not remove {source} from {manager}": "Nepodařilo se odebrat {source} z {manager}", - "Create .ps1 script": "Vytvořit skript .ps1", - "Credentials": "Přihlašovací údaje", "Current Version": "Aktuální verze", - "Current executable file:": "Aktuálně spustitelný soubor:", - "Current status: Not logged in": "Současný stav: Nepřihlášen", "Current user": "Aktuální uživatel", "Custom arguments:": "Vlastní argumenty:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Vlastní argumenty příkazového řádku mohou změnit způsob, jakým jsou programy instalovány, aktualizovány nebo odinstalovány, způsobem, který UniGetUI nemůže kontrolovat. Použití vlastních příkazových řádků může poškodit balíčky. Postupujte opatrně.", "Custom command-line arguments:": "Vlastní parametry příkazové řádky:", - "Custom install arguments:": "Vlastní argumenty pro instalaci:", - "Custom uninstall arguments:": "Vlastní argumenty pro odinstalaci:", - "Custom update arguments:": "Vlastní argumenty pro aktualizaci:", "Customize WingetUI - for hackers and advanced users only": "Přizpůsobení UniGetUI - pouze pro hackery a pokročilé uživatele", - "DEBUG BUILD": "LADICÍ SESTAVENÍ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ODMÍTNUTÍ ODPOVĚDNOSTI: ZA STAŽENÉ BALÍČKY NENESEME ODPOVĚDNOST. DBEJTE PROSÍM NA TO, ABYSTE INSTALOVALI POUZE DŮVĚRYHODNÝ SOFTWARE.", - "Dark": "Tmavý", - "Decline": "Odmítnout", - "Default": "Výchozí", - "Default installation options for {0} packages": "Výchozí možnosti instalace {0} balíčků", "Default preferences - suitable for regular users": "Výchozí předvolby - vhodné pro běžné uživatele", - "Default vcpkg triplet": "Výchozí vcpkg triplet", - "Delete?": "Smazat?", - "Dependencies:": "Závislosti:", - "Descendant": "Sestupně", "Description:": "Popis:", - "Desktop shortcut created": "Vytvoření zástupce na ploše", - "Details of the report:": "Podrobnosti zprávy:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Vývoj je náročný a tato aplikace je zdarma, ale pokud se vám aplikace líbí, tak mi můžete kdykoliv koupit kafe :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Přimá instalace po dvojkliku na položku v záložce „{discoveryTab}“ (místo zobrazení informací o balíčku)", "Disable new share API (port 7058)": "Vypnout nové API sdílení (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Vypnutí minutového limitu pro operace související s balíčky", - "Disabled": "Vypnuto", - "Disclaimer": "Upozornění", - "Discover Packages": "Procházet balíčky", "Discover packages": "Objevujte balíčky", "Distinguish between\nuppercase and lowercase": "Rozlišovat velikost znaků", - "Distinguish between uppercase and lowercase": "Rozlišovat velké a malé písmena", "Do NOT check for updates": "Nekontrolovat aktualizace", "Do an interactive install for the selected packages": "Provést interaktivní instalaci vybraných balíčků", "Do an interactive uninstall for the selected packages": "Provést interaktivní odinstalaci vybraných balíčků", "Do an interactive update for the selected packages": "Provést interaktivní aktualizaci vybraných balíčků", - "Do not automatically install updates when the battery saver is on": "Neinstalovat aktualizace, pokud je zapnutý spořič energie", - "Do not automatically install updates when the device runs on battery": "Neinstalovat aktualizace, pokud zařízení běží na baterii", - "Do not automatically install updates when the network connection is metered": "Neinstalovat aktualizace, pokud je síťové připojení účtováno po objemu dat", "Do not download new app translations from GitHub automatically": "Neaktualizovat automaticky jazykové soubory (překlady)", - "Do not ignore updates for this package anymore": "Neignorovat aktualizace tohoto balíčku", "Do not remove successful operations from the list automatically": "Neodstraňovat automaticky úspěšné operace ze seznamu", - "Do not show this dialog again for {0}": "Nezobrazujte znovu tento dialog pro {0}", "Do not update package indexes on launch": "Neaktualizovat indexy balíčků po spuštění", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Souhlasíte s tím, že UniGetUI shromažďuje a odesílá anonymní statistiky o používání, a to výhradně za účelem pochopení a zlepšení uživatelských zkušeností?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Připadá ti UniGetUI užitečný? Pokud ano, můžeš podpořit mou práci, abych mohl pokračovat ve vývoji UniGetUI, dokonalého rozhraní pro správu balíčků.\n", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Přijde vám UniGetUI užitečný a chtěli byste podpořit vývojáře? Pokud ano, tak mi můžete {0}, moc to pomáhá!", - "Do you really want to reset this list? This action cannot be reverted.": "Opravdu chcete tento seznam obnovit? Tuto akci nelze vrátit zpět.", - "Do you really want to uninstall the following {0} packages?": "Opravdu chceš odinstalovat následujících {0} balíčků?", "Do you really want to uninstall {0} packages?": "Opravdu chcete odinstalovat {0} balíčků?", - "Do you really want to uninstall {0}?": "Opravdu chcete odinstalovat {0}?", "Do you want to restart your computer now?": "Chcete nyní restartovat počítač?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Chtěli byste přeložit UniGetUI do vašeho jazyka? Podivejtě se jak přispět, zde!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Necítíš se na darování peněz? Sdílej UniGetUI s kamarády a podpoř tak projekt! Šiř informace o UniGetUI.\n", "Donate": "Darovat", - "Done!": "Hotovo!", - "Download failed": "Stažení se nezdařilo", - "Download installer": "Stáhnout instalátor", - "Download operations are not affected by this setting": "Toto nastavení nemá vliv na operace stahování", - "Download selected installers": "Stáhnout vybrané instalační programy", - "Download succeeded": "Úspěšně staženo", "Download updated language files from GitHub automatically": "Stáhnout aktualizované soubory s překlady z GitHubu automaticky", - "Downloading": "Stahování", - "Downloading backup...": "Stahování zálohy...", - "Downloading installer for {package}": "Stahování instalátoru pro {package}", - "Downloading package metadata...": "Stahuji metadata balíčku...", - "Enable Scoop cleanup on launch": "Zapnout pročištění Scoopu po spuštění", - "Enable WingetUI notifications": "Zapnout oznámení UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Povolit [experimentálního] vylepšeného nástroje pro řešení potíží WinGet", - "Enable and disable package managers, change default install options, etc.": "Povolení a zakázání správců balíčků, změna výchozích možností instalace atd.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Povolení optimalizace využití procesoru na pozadí (viz Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Povolit api na pozadí (Widgets pro UniGetUI a Sdílení, port 7058)", - "Enable it to install packages from {pm}.": "Povolte jej pro instalaci balíčků z {pm}.", - "Enable the automatic WinGet troubleshooter": "Zapnout automatické řešení problémů WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Povolit nový UAC Elevator pod aplikací UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Povolení nové obsluhy vstupu procesu (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Níže uvedená nastavení povolte, POKUD A POUZE POKUD plně chápete, k čemu slouží a jaké mohou mít důsledky a nebezpečí.", - "Enable {pm}": "Zapnout {pm}", - "Enabled": "Povoleno", - "Enter proxy URL here": "Zde zadejte URL proxy serveru", - "Entries that show in RED will be IMPORTED.": "Záznamy, které se zobrazí červeně, budou IMPORTOVÁNY.", - "Entries that show in YELLOW will be IGNORED.": "Záznamy, které se zobrazí žlutě, budou IGNOROVÁNY.", - "Error": "Chyba", - "Everything is up to date": "Vše je aktuální", - "Exact match": "Přesná shoda", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Stávající zástupci na ploše budou prohledáni a budete muset vybrat, které z nich chcete zachovat a které odstranit.", - "Expand version": "Rozbalit verze", - "Experimental settings and developer options": "Experimentální nastavení a vývojářské možnosti", - "Export": "Exportovat", + "Downloading": "Stahování", + "Downloading installer for {package}": "Stahování instalátoru pro {package}", + "Downloading package metadata...": "Stahuji metadata balíčku...", + "Enable the new UniGetUI-Branded UAC Elevator": "Povolit nový UAC Elevator pod aplikací UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Povolení nové obsluhy vstupu procesu (StdIn automated closer)", "Export log as a file": "Exportovat protokol do souboru", "Export packages": "Export balíčků", "Export selected packages to a file": "Exportovat označené balíčky do souboru", - "Export settings to a local file": "Exportovat nastavení do souboru", - "Export to a file": "Exportovat do souboru", - "Failed": "Selhání", - "Fetching available backups...": "Načítání dostupných záloh...", "Fetching latest announcements, please wait...": "Načítání nejnovějších oznámení, prosím vyčkejte...", - "Filters": "Filtry", "Finish": "Dokončit", - "Follow system color scheme": "Dle systému", - "Follow the default options when installing, upgrading or uninstalling this package": "Při instalaci, aktualizaci nebo odinstalaci tohoto balíčku postupujte podle výchozích možností.", - "For security reasons, changing the executable file is disabled by default": "Změna spustitelného souboru je ve výchozím nastavení z bezpečnostních důvodů zakázána.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostních důvodů jsou vlastní argumenty příkazového řádku ve výchozím nastavení zakázány. Chcete-li to změnit, přejděte do nastavení zabezpečení UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostních důvodů jsou předoperační a pooperační skripty ve výchozím nastavení zakázány. Chcete-li to změnit, přejděte do nastavení zabezpečení UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Použít ARM verzi winget (POUZE PRO ARM64 SYSTÉMY)", - "Force install location parameter when updating packages with custom locations": "Vynutit parametr umístění instalace při aktualizaci balíčků s vlastními umístěními", "Formerly known as WingetUI": "Dříve známý jako WingetUI", "Found": "Nalezeno", "Found packages: ": "Nalezené balíčky:", "Found packages: {0}": "Nalezeno balíčků: {0}", "Found packages: {0}, not finished yet...": "Nalezeno balíčků: {0}, ještě nedokončeno...", - "General preferences": "Obecné vlastnosti", "GitHub profile": "GitHub profil", "Global": "Globální", - "Go to UniGetUI security settings": "Přejděte do nastavení zabezpečení UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Obsáhlý repozitář neznámých, ale přesto užitečných nástrojů a dalších zajímavých balíčků.
Obsahuje: Nástroje, programy příkazové řádky a obecný software (nuné extra repozitáře)", - "Great! You are on the latest version.": "Skvělé! Máte nejnovější verzi.", - "Grid": "Mřížka", - "Help": "Nápověda", "Help and documentation": "Nápověda a dokumentace", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Zde můžete změnit chování rozhraní UniGetUI, pokud jde o následující zkratky. Zaškrtnutí zástupce způsobí, že jej UniGetUI odstraní, pokud bude vytvořen při budoucí aktualizaci. Zrušením zaškrtnutí zůstane zástupce nedotčen", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Ahoj, já jsem Martí a jsem vývojář UniGetUI. Aplikace UniGetUI byla celá vytvořena v mém volném čase!", "Hide details": "Skrýt podrobnosti", - "Homepage": "Domovská stránka", - "Hooray! No updates were found.": "Juchů! Nejsou žádné aktualizace!", "How should installations that require administrator privileges be treated?": "Jak by se mělo zacházet s instalacemi, které vyžadují oprávnění správce?", - "How to add packages to a bundle": "Jak přidat balíčky do sady", - "I understand": "Rozumím", - "Icons": "Ikony", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Pokud máte povoleno zálohování do cloudu, bude na tomto účtu uložen jako GitHub Gist.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Povolit spuštění vlastních příkazů před instalací a po instalaci", - "Ignore future updates for this package": "Ignorovat budoucí aktualizace tohoto balíčku", - "Ignore packages from {pm} when showing a notification about updates": "Ignorovat balíčky z {pm} při zobrazení oznámení o aktualizacích", - "Ignore selected packages": "Ignorovat vybrané balíčky", - "Ignore special characters": "Ignorovat speciální znaky", "Ignore updates for the selected packages": "Ignorovat aktualizace pro vybrané balíčky", - "Ignore updates for this package": "Ignorovat aktualizace pro tento balíček", "Ignored updates": "Ignorované aktualizace", - "Ignored version": "Ignorovaná verze", - "Import": "Importovat", "Import packages": "Import balíčků", "Import packages from a file": "Importovat balíčky ze souboru", - "Import settings from a local file": "Importovat nastavení ze souboru", - "In order to add packages to a bundle, you will need to: ": "Chcete-li přidat balíčky do sady, musíte: ", "Initializing WingetUI...": "Inicializace UniGetUI...", - "Install": "Nainstalovat", - "Install Scoop": "Nainstalovat Scoop", "Install and more": "Instalace a další", "Install and update preferences": "Volby instalace a aktualizace", - "Install as administrator": "Instalovat jako správce", - "Install available updates automatically": "Automaticky instalovat dostupné aktualizace", - "Install location can't be changed for {0} packages": "Umístění instalace nelze změnit pro {0} balíčků", - "Install location:": "Umístění instalace:", - "Install options": "Možnosti instalace", "Install packages from a file": "Instalovat balíčky ze souboru", - "Install prerelease versions of UniGetUI": "Instalovat předběžné verze UniGetUI", - "Install script": "Instalační skript", "Install selected packages": "Nainstalovat vybrané balíčky", "Install selected packages with administrator privileges": "Nainstalovat vybrané balíčky s oprávněním správce", - "Install selection": "Nainstalovat vybrané", "Install the latest prerelease version": "Instalovat nejnovější předběžnou verzi", "Install updates automatically": "Automaticky instalovat aktualizace", - "Install {0}": "Nainstalovat {0}", "Installation canceled by the user!": "Instalace byla přerušena uživatelem!", - "Installation failed": "Instalace selhala", - "Installation options": "Volby instalace", - "Installation scope:": "Rozsah instalace:", - "Installation succeeded": "Úspěšně nainstalováno", - "Installed Packages": "Místní balíčky", - "Installed Version": "Nainstalovaná verze", "Installed packages": "Nainstalované balíčky", - "Installer SHA256": "SHA256", - "Installer SHA512": "SHA512", - "Installer Type": "Typ instalátoru", - "Installer URL": "URL", - "Installer not available": "Instalační program není dostupný", "Instance {0} responded, quitting...": "Instance {0} odpověděla, ukončuji...", - "Instant search": "Živé hledání", - "Integrity checks can be disabled from the Experimental Settings": "Kontrolu integrity lze zakázat v Experimentálním nastavení", - "Integrity checks skipped": "Kontrola integrity přeskočena", - "Integrity checks will not be performed during this operation": "Kontrola integrity se při této operaci neprovádí.", - "Interactive installation": "Interaktivní instalace", - "Interactive operation": "Interaktivní operace", - "Interactive uninstall": "Interaktivní odinstalace", - "Interactive update": "Interaktivní aktualizace", - "Internet connection settings": "Nastavení připojení k internetu", - "Invalid selection": "Neplatný výběr", "Is this package missing the icon?": "Chybí tomuto balíčku ikonka?", - "Is your language missing or incomplete?": "Chybí váš jazyk nebo není úplný?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Není zaručeno, že poskytnuté přihlašovací údaje budou bezpečně uloženy, takže nepoužívej přihlašovací údaje k vašemu bankovnímu účtu.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Po opravě WinGet se doporučuje restartovat aplikaci UniGetUI", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Důrazně se doporučuje přeinstalovat UniGetUI k vyřešení této situace.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Vypadá to, že program WinGet nefunguje správně. Chcete se pokusit WinGet opravit?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Vypadá to, že jste UniGetUI spustili jako správce, což se nedoporučuje. Program můžete používat i nadále, ale důrazně doporučujeme nespouštět UniGetUI s právy správce. Kliknutím na \"{showDetails}\" zjistíte proč.", - "Language": "Jazyk", - "Language, theme and other miscellaneous preferences": "Lokalizace, motivy a další různé vlastnosti", - "Last updated:": "Poslední aktualizace:", - "Latest": "Poslední", "Latest Version": "Poslední verze", "Latest Version:": "Poslední verze:", "Latest details...": "Poslední podrobnosti...", "Launching subprocess...": "Spouštění podprocesu...", - "Leave empty for default": "Nechat prázdné pro výchozí", - "License": "Licence", "Licenses": "Licence", - "Light": "Světlý", - "List": "Seznam", "Live command-line output": "Podrobný výpis z konzole", - "Live output": "Živý výstup", "Loading UI components...": "Načítání UI komponent...", "Loading WingetUI...": "Načítání UniGetUI...", - "Loading packages": "Načítání balíčků", - "Loading packages, please wait...": "Načítání balíčků, prosím vyčkejte...", - "Loading...": "Načítání...", - "Local": "Místní", - "Local PC": "Místní počítač", - "Local backup advanced options": "Pokročilé možnosti místního zálohování", "Local machine": "Místní počítač", - "Local package backup": "Místní zálohování balíčků", "Locating {pm}...": "Vyhledávám {pm}...", - "Log in": "Přihlásit se", - "Log in failed: ": "Příhlašování selhalo.", - "Log in to enable cloud backup": "Přihlašte se pro zapnutí zálohování do cloudu", - "Log in with GitHub": "Přihlásit se pomocí GitHubu", - "Log in with GitHub to enable cloud package backup.": "Přihlašte se pomocí GitHub pro zapnutí zálohování balíčků do cloudu.", - "Log level:": "Úroveň protokolu:", - "Log out": "Odhlásit se", - "Log out failed: ": "Odhlášení se nezdařilo:", - "Log out from GitHub": "Odhlásit se z GitHubu", "Looking for packages...": "Hledají se balíčky...", "Machine | Global": "Zařízení | Globálně", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Nesprávně formátované argumenty příkazového řádku mohou poškodit balíčky nebo dokonce umožnit útočníkovi získat privilegované spouštění. Proto je import vlastních argumentů příkazového řádku ve výchozím nastavení zakázán.", - "Manage": "Správa", - "Manage UniGetUI settings": "Správa nastavení UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Správa spouštění UniGetUI v aplikaci Nastavení", "Manage ignored packages": "Spravovat ignorované balíčky", - "Manage ignored updates": "Spravovat ignorované aktualizace", - "Manage shortcuts": "Spravovat zástupce", - "Manage telemetry settings": "Spravovat nastavení telemetrie", - "Manage {0} sources": "Správa zdrojů {0}", - "Manifest": "Manifest balíčku", "Manifests": "Manifesty", - "Manual scan": "Manuální skenování", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficiální správce balíčků od Microsoftu, plný dobře známých a oveřených programů
Obsahuje: Obecný software a aplikace z Microsoft Store", - "Missing dependency": "Chybějící závislost", - "More": "Více", - "More details": "Více informací", - "More details about the shared data and how it will be processed": "Více podrobnosti o sdílených údajích a způsobu jejich zpracování", - "More info": "Více informací", - "More than 1 package was selected": "Byl vybrán víc než 1 balíček", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "Poznámka: Toto řešení problémů může být vypnuto z nastavení UnigetUI v sekci WinGet", - "Name": "Název", - "New": "Nové", "New Version": "Nová verze", "New bundle": "Nová sada", - "New version": "Nová verze", - "Nice! Backups will be uploaded to a private gist on your account": "Hezky! Zálohy budou nahrány do soukromého gistu na vašem účtu.", - "No": "Ne", - "No applicable installer was found for the package {0}": "Pro balíček {0} nebyl nalezen žádný použitelný instalační program.", - "No dependencies specified": "Nejsou uvedeny žádné závislosti", - "No new shortcuts were found during the scan.": "Při kontrole nebyly nalezeny žádné nové zkratky.", - "No package was selected": "Nebyl vybrán žádný balíček", "No packages found": "Balíčky nebyly nalezeny", "No packages found matching the input criteria": "Dle hledaných kritérií nebyly nalezeny žádné balíčky", "No packages have been added yet": "Žádné balíčky nebyly přidány", "No packages selected": "Nebyly vybrány žádné balíčky", - "No packages were found": "Žádné balíčky nebyly nalezeny", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nejsou shromažďovány ani odesílány osobní údaje a shromážděné údaje jsou anonymizovány, takže je nelze zpětně vysledovat.", - "No results were found matching the input criteria": "Nebyl nalezen žádný výsledek splňující kritéria", "No sources found": "Žádné zdroje nenalezeny", "No sources were found": "Zdroje nebyly nalezeny", "No updates are available": "Žádné dostupné aktualizace", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Správce balíčků Node.js, je plný knihoven a dalších nástrojů, které týkají světa javascriptu.
Obsahuje: Knihovny a další související nástroje pro Node.js", - "Not available": "Nedostupné", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nenašli jste hledaný soubor? Zkontrolujte, zda byl přidán do cesty.", - "Not found": "Nenalezeno", - "Not right now": "Teď ne", "Notes:": "Poznámky:", - "Notification preferences": "Předvolby oznámení", "Notification tray options": "Volby notifikační lišty", - "Notification types": "Typy oznámení", - "NuPkg (zipped manifest)": "NuPkg (zazipovaný manifest)", - "OK": "OK", "Ok": "Ok", - "Open": "Otevřít", "Open GitHub": "Otevřít GitHub", - "Open UniGetUI": "Otevřít UniGetUI", - "Open UniGetUI security settings": "Otevřete nastavení zabezpečení UniGetUI", "Open WingetUI": "Otevřít UniGetUI", "Open backup location": "Otevřít umístění zálohy", "Open existing bundle": "Otevřít existující sadu", - "Open install location": "Otevřít umístění instalace", "Open the welcome wizard": "Otevřít průvodce spuštěním", - "Operation canceled by user": "Operace zrušena uživatelem", "Operation cancelled": "Operace zrušena", - "Operation history": "Historie operací", - "Operation in progress": "Probíhají operace", - "Operation on queue (position {0})...": "Operace v pořadí (pozice {0})...", - "Operation profile:": "Profil operace:", "Options saved": "Volby uloženy", - "Order by:": "Seřadit podle:", - "Other": "Ostatní", - "Other settings": "Ostatní nastavení", - "Package": "Balíček", - "Package Bundles": "Sady balíčků", - "Package ID": "ID balíčku", "Package Manager": "Správce balíčků", - "Package Manager logs": "Protokoly správce balíčků", - "Package Managers": "Správci balíčků", - "Package Name": "Název balíčku", - "Package backup": "Záloha balíčku", - "Package backup settings": "Nastavení zálohování balíčku", - "Package bundle": "Sada balíčku", - "Package details": "Podrobnosti", - "Package lists": "Seznamy balíčků", - "Package management made easy": "Snadná správa balíčků", - "Package manager": "Správce balíčků", - "Package manager preferences": "Nastavení správce balíčků", "Package managers": "Správci balíčků", - "Package not found": "Balíček nebyl nalezen", - "Package operation preferences": "Předvolby operací s balíčky", - "Package update preferences": "Předvolby aktualizace balíčků", "Package {name} from {manager}": "Balíček {name} z {manager}", - "Package's default": "Výchozí nastavení balíčku", "Packages": "Balíčky", "Packages found: {0}": "Nalezeno balíčků: {0}", - "Partially": "Částečně", - "Password": "Heslo", "Paste a valid URL to the database": "Vložit platnou URL do databáze", - "Pause updates for": "Pozastavit aktualizace na", "Perform a backup now": "Provést zálohování", - "Perform a cloud backup now": "Provést zálohování do cloudu nyní", - "Perform a local backup now": "Provést místní zálohování nyní", - "Perform integrity checks at startup": "Provést kontrolu integrity při spuštění", - "Performing backup, please wait...": "Provádím zálohu, prosím vyčkejte...", "Periodically perform a backup of the installed packages": "Pravidelně provádět zálohu nainstalovaných balíčků", - "Periodically perform a cloud backup of the installed packages": "Pravidelně provádět cloudovou zálohu nainstalovaných balíčků", - "Periodically perform a local backup of the installed packages": "Pravidelně provádět místní zálohu nainstalovaných balíčků", - "Please check the installation options for this package and try again": "Zkontrolujte prosím možnosti instalace tohoto balíčku a zkuste to znovu", - "Please click on \"Continue\" to continue": "Pro pokračování klikněte na \"Pokračovat\"", "Please enter at least 3 characters": "Prosím zadejte aspoň 3 znaky", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Upozorňujeme, že některé balíčky není možné nainstalovat kvůli správcům balíčků, které jsou v tomto počítači povoleny.", - "Please note that not all package managers may fully support this feature": "Upozorňujeme, že ne všichni správci balíčků mohou tuto funkci plně podporovat.", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Upozorňujeme, že balíčky z některých zdrojů není možné exportovat. Takové balíčky jsou označeny šedou barvou.", - "Please run UniGetUI as a regular user and try again.": "Spusťte UniGetUI jako běžný uživatel a zkuste to znovu.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Další informace o problému naleznete ve výstupu příkazového řádku nebo v Historii operací.", "Please select how you want to configure WingetUI": "Vyberte, jak si chcete nastavit UniGetUI", - "Please try again later": "Zkuste to prosím později", "Please type at least two characters": "Napište prosím alespoň dva znaky", - "Please wait": "Prosím vyčkejte", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Počkejte prosím, než se nainstaluje {0}. Může se zobrazit černé (nebo modré) okno. Vyčkejte, dokud se nezavře.", - "Please wait...": "Prosím vyčkejte...", "Portable": "Přenosný", - "Portable mode": "Přenosný režim", - "Post-install command:": "Příkaz po instalaci:", - "Post-uninstall command:": "Příkaz po odinstalaci:", - "Post-update command:": "Příkaz po aktualizaci:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell správce balíčků. Hledání knihoven a skriptů k rozšíření PowerShell schopností
Obsahuje: Moduly, Skripty, Cmdlets\n", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Příkazy před a po instalaci mohou způsobit velmi nepříjemné věci vašemu zařízení, pokud jsou k tomu navrženy. Může být velmi nebezpečné importovat příkazy ze sady, pokud nedůvěřujete zdroji této sady balíčků.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Příkazy před a po instalaci budou spuštěny před a po instalaci, aktualizaci nebo odinstalaci balíčku. Uvědomte si, že mohou věci poškodit, pokud nebudou použity opatrně.", - "Pre-install command:": "Příkaz před instalací:", - "Pre-uninstall command:": "Příkaz před odinstalací:", - "Pre-update command:": "Příkaz před aktualizací:", - "PreRelease": "Předběžná verze", - "Preparing packages, please wait...": "Příprava balíčků, prosím vyčkejte...", - "Proceed at your own risk.": "Pokračujte na vlastní nebezpečí.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zákaz jakéhokoli povýšení pomocí UniGetUI Elevator nebo GSudo", - "Proxy URL": "URL proxy serveru", - "Proxy compatibility table": "Tabulka kompatibility proxy serverů", - "Proxy settings": "Nastavení proxy serveru", - "Proxy settings, etc.": "Nastavení proxy serveru atd.", "Publication date:": "Datum vydání:", - "Publisher": "Vydavatel", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Správce knihoven Pythonu a dalších nástrojů souvisejících s Pythonem.
Obsahuje: Knihovny Pythonu a související nástroje", - "Quit": "Ukončit", "Quit WingetUI": "Ukončit UniGetUI", - "Ready": "Připraveno", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Omezení výzev UAC, zvýšení úrovně výchozí instalace, odemčení některých nebezpečných funkcí atd.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Podívejte se do protokolů UniGetUI pro získání více podrobností o postižených souborech", - "Reinstall": "Přeinstalovat", - "Reinstall package": "Přeinstalovat balíček", - "Related settings": "Související nastavení", - "Release notes": "Poznámky k vydání", - "Release notes URL": "URL Poznámek k vydání", "Release notes URL:": "URL seznamu změn:", "Release notes:": "Seznam změn:", "Reload": "Obnovit", - "Reload log": "Znovu načíst protokol", "Removal failed": "Odstranění selhalo", "Removal succeeded": "Úspěšné odstranění", - "Remove from list": "Odstranit ze seznamu", "Remove permanent data": "Odstranit data aplikace", - "Remove selection from bundle": "Odstranit výběr ze sady", "Remove successful installs/uninstalls/updates from the installation list": "Odstranit úspěšné (od)instalace/aktualizace ze seznamu instalací", - "Removing source {source}": "Odstraňování zdroje {source}", - "Removing source {source} from {manager}": "Odebírání zdroje {source} z {manager}", - "Repair UniGetUI": "Opravit UniGetUI", - "Repair WinGet": "Opravit WinGet", - "Report an issue or submit a feature request": "Nahlásit problém nebo odešli požadavek na funkci", "Repository": "Repozitář", - "Reset": "Obnovit", "Reset Scoop's global app cache": "Obnovit globální mezipaměť Scoopu", - "Reset UniGetUI": "Obnovit UniGetUI", - "Reset WinGet": "Obnovit WinGet", "Reset Winget sources (might help if no packages are listed)": "Obnovit zdroje Wingetu (může pomoci, když se nezobrazují balíčky)", - "Reset WingetUI": "Obnovit UniGetUI", "Reset WingetUI and its preferences": "Obnovit UniGetUI do původního nastavení", "Reset WingetUI icon and screenshot cache": "Vyčistit mezipaměť UniGetUI ikonek a screenshotů", - "Reset list": "Obnovit seznam", "Resetting Winget sources - WingetUI": "Resetování zdrojů Winget - UniGetUI", - "Restart": "Restartovat", - "Restart UniGetUI": "Restartovat UniGetUI", - "Restart WingetUI": "Restartovat UniGetUI", - "Restart WingetUI to fully apply changes": "Pro aplikování změn restartujte UniGetUI", - "Restart later": "Restartovat později", "Restart now": "Nyní restartovat", - "Restart required": "Vyžadován restart", - "Restart your PC to finish installation": "Restartujte počítač k dokončení instalace", - "Restart your computer to finish the installation": "Aby bylo možné dokončit instalaci, je nutné restartovat počítač", - "Restore a backup from the cloud": "Obnova zálohy z cloudu", - "Restrictions on package managers": "Omezení správců balíčků", - "Restrictions on package operations": "Omezení operací s balíčky", - "Restrictions when importing package bundles": "Omezení při importu balíčků", - "Retry": "Zkusit znovu", - "Retry as administrator": "Zkusit znovu jako správce", - "Retry failed operations": "Zkusit znovu neúspěšné operace", - "Retry interactively": "Zkusit znovu interaktivně", - "Retry skipping integrity checks": "Zkusit znovu bez kontroly integrity", - "Retrying, please wait...": "Opětovný pokus, prosím vyčkejte...", - "Return to top": "Vrátit se nahoru", - "Run": "Spustit", - "Run as admin": "Spustit jako správce", - "Run cleanup and clear cache": "Spustit čištění a vymazat mezipaměť", - "Run last": "Spustit jako poslední", - "Run next": "Spustit jako další", - "Run now": "Spustit hned", + "Restart your PC to finish installation": "Restartujte počítač k dokončení instalace", + "Restart your computer to finish the installation": "Aby bylo možné dokončit instalaci, je nutné restartovat počítač", + "Retry failed operations": "Zkusit znovu neúspěšné operace", + "Retrying, please wait...": "Opětovný pokus, prosím vyčkejte...", + "Return to top": "Vrátit se nahoru", "Running the installer...": "Spuštění instalačního programu...", "Running the uninstaller...": "Spuštění odinstalačního programu...", "Running the updater...": "Spuštění aktualizačního programu...", - "Save": "Uložit", "Save File": "Uložit soubor", - "Save and close": "Uložit a zavřít", - "Save as": "Uložit jako", "Save bundle as": "Uložit sadu jako", "Save now": "Uložit", - "Saving packages, please wait...": "Ukládání balíčků, prosím vyčkejte...", - "Scoop Installer - WingetUI": "Scoop instalátor - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop odinstalátor - UniGetUI", - "Scoop package": "Scoop balíček", "Search": "Vyhledat", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Vyhledávání softwaru pro počítače, upozornění na dostupné aktualizace a nedělání nerdských věcí. Nechci UniGetUI příliš komplikovaný, chci jen jednoduchý obchod se softwarem.", - "Search for packages": "Vyhledávání balíčků", - "Search for packages to start": "Pro výpis balíčků začněte vyhledávat", - "Search mode": "Režim vyhledávání", "Search on available updates": "Hledání dostupných aktualizací", "Search on your software": "Hledání v nainstalovaných", "Searching for installed packages...": "Vyhledávání nainstalovaných balíčků...", "Searching for packages...": "Vyhledávání balíčků...", "Searching for updates...": "Vyhledávání aktualizací...", - "Select": "Vybrat", "Select \"{item}\" to add your custom bucket": "Vyberte \"{item}\" pro přidání vlastního repozitáře", "Select a folder": "Vybrat složku", - "Select all": "Vybrat vše", "Select all packages": "Vybrat všechny balíčky", - "Select backup": "Výběr zálohy", "Select only if you know what you are doing.": "Vyberte pouze, pokud opravdu víte, co děláte.", "Select package file": "Vybrat soubor", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vyberte zálohu, kterou chcete otevřít. Později budete moci zkontrolovat, které balíčky/programy chcete obnovit.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vyberte spustitelný soubor, který chcete použít. Následující seznam obsahuje spustitelné soubory nalezené UniGetUI.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vyberte procesy, které by měly být ukončeny před instalací, aktualizací nebo odinstalací tohoto balíčku.", - "Select the source you want to add:": "Vyber zdroj, který chceš přidat:", - "Select upgradable packages by default": "Vždy vybrat aktualizovatelné balíčky", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Vyberte, které správce balíčků se mají používat ({0}), nakonfigurujte způsob instalace balíčků, spravujte způsob nakládání s právy správce atd.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake odeslán. Čekám na odpověď... ({0}%)", - "Set a custom backup file name": "Vlastní název pro soubor zálohy", "Set custom backup file name": "Nastavení vlastního názvu souboru pro zálohu", - "Settings": "Nastavení", - "Share": "Sdílet", "Share WingetUI": "Sdílet UniGetUI", - "Share anonymous usage data": "Sdílení anonymních dat o používání", - "Share this package": "Sdílet", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Pokud změníte nastavení zabezpečení, budete muset sadu znovu otevřít, aby se změny projevily.", "Show UniGetUI on the system tray": "Zobrazit UniGetUI na hlavním panelu systému", - "Show UniGetUI's version and build number on the titlebar.": "Zobrazit verzi UniGetUI v záhlaví okna", - "Show WingetUI": "Zobrazit UniGetUI", "Show a notification when an installation fails": "Zobrazení notifikace, když instalace selže", "Show a notification when an installation finishes successfully": "Zobrazení notifikace, když instalace skončí úspěšně", - "Show a notification when an operation fails": "Zobrazit oznámení po selhání operace", - "Show a notification when an operation finishes successfully": "Zobrazit oznámení po úspěšném dokončení operace", - "Show a notification when there are available updates": "Zobrazit oznámení, pokud jsou dostupné aktualizace", - "Show a silent notification when an operation is running": "Zobrazit tichá oznámení při běžící operaci", "Show details": "Zobrazit podrobnosti", - "Show in explorer": "Zobrazit v průzkumníkovi", "Show info about the package on the Updates tab": "Zobrazit informace o balíčku v záložce „Aktualizace“", "Show missing translation strings": "Zobrazit chybějící překlady", - "Show notifications on different events": "Zobrazit oznámení o různých událostech", "Show package details": "Zobrazit podrobnosti balíčku", - "Show package icons on package lists": "Zobrazit ikonky balíčků na seznamu balíčků", - "Show similar packages": "Podobné balíčky", "Show the live output": "Zobrazit podrobný výpis", - "Size": "Velikost", "Skip": "Přeskočit", - "Skip hash check": "Přeskočit kontrolní součet", - "Skip hash checks": "Přeskočit kontrolní součet", - "Skip integrity checks": "Přeskočit kontrolu integrity", - "Skip minor updates for this package": "Přeskočení drobných aktualizací tohoto balíčku", "Skip the hash check when installing the selected packages": "Přeskočit kontrolní součet při instalaci vybraných balíčků", "Skip the hash check when updating the selected packages": "Přeskočit kontrolní součet při aktualizaci vybraných balíčků", - "Skip this version": "Přeskočit tuto verzi", - "Software Updates": "Aktualizace softwaru", - "Something went wrong": "Něco se pokazilo", - "Something went wrong while launching the updater.": "Při spouštění aktualizace se něco pokazilo.", - "Source": "Zdroj", - "Source URL:": "URL zdroje:", - "Source added successfully": "Zdroj byl úspěšně přidán", "Source addition failed": "Přidání zdroje selhalo", - "Source name:": "Název zdroje:", "Source removal failed": "Odebrání zdroje selhalo", - "Source removed successfully": "Zdroj byl úspěšně odebrán", "Source:": "Zdroj:", - "Sources": "Zdroje", "Start": "Začít", "Starting daemons...": "Spouštím daemons...", - "Starting operation...": "Spouštění operace...", "Startup options": "Volby spouštění", "Status": "Stav", "Stuck here? Skip initialization": "Aplikace se zasekla? Přeskočit inicializaci", - "Success!": "Úspěch!", "Suport the developer": "Podpořte vývojáře", "Support me": "Podpoř mě", "Support the developer": "Podpoř vývojáře", "Systems are now ready to go!": "Systémy jsou připraveny!", - "Telemetry": "Telemetrie", - "Text": "Textový", "Text file": "unigetui_log", - "Thank you ❤": "Děkuji ❤", - "Thank you \uD83D\uDE09": "Děkuji \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Správce balíčků Rust.
Obsahuje: Knihovny a programy napsané v Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Záloha NEBUDE obsahovat binární soubory ani uložená data programů.", - "The backup will be performed after login.": "Zálohování se provede po přihlášení.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Záloha bude obsahovat kompletní seznam nainstalovaných balíčků a možnosti jejich instalace. Uloženy budou také ignorované aktualizace a přeskočené verze.", - "The bundle was created successfully on {0}": "Balíček byl úspěšně vytvořen do {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Sadu, kterou se snažíte načíst, se zdá být neplatná. Zkontrolujte prosím soubor a zkuste to znovu.", + "Thank you 😉": "Děkuji 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Kontrolní součet instalačního programu se neshoduje s očekávanou hodnotou a pravost instalačního programu nelze ověřit. Pokud vydavateli důvěřujete, opětovná {0} balíčku přeskočí kontrolní součet.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasický správce balíčků pro Windows. Najdete v něm vše.
Obsahuje: Obecný software", - "The cloud backup completed successfully.": "Zálohování do cloudu bylo úspěšně dokončeno.", - "The cloud backup has been loaded successfully.": "Cloudová záloha byla úspěšně načtena.", - "The current bundle has no packages. Add some packages to get started": "Aktuální sada neobsahuje žádné balíčky. Přidejte nějaké balíčky a začněte", - "The executable file for {0} was not found": "Spustitelný soubor pro {0} nebyl nalezen", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Při každé instalaci, aktualizaci nebo odinstalaci balíčku {0} se ve výchozím nastavení použijí následující možnosti.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Následující balíčky budou exportovány do souboru JSON. Nebudou uložena žádná uživatelská data ani binární soubory.", "The following packages are going to be installed on your system.": "Do systému budou nainstalovány následující balíčky.", - "The following settings may pose a security risk, hence they are disabled by default.": "Následující nastavení mohou představovat bezpečnostní riziko, proto jsou ve výchozím nastavení zakázána.", - "The following settings will be applied each time this package is installed, updated or removed.": "Následující nastavení se použijí při každé instalaci, aktualizaci nebo odebrání tohoto balíčku.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Následující nastavení se použijí při každé instalaci, aktualizaci nebo odebrání tohoto balíčku. Uloží se automaticky.", "The icons and screenshots are maintained by users like you!": "Ikonky a screenshoty jsou udržování uživateli jako jste vy!", - "The installation script saved to {0}": "Instalační skript uložen do {0}", - "The installer authenticity could not be verified.": "Pravost instalačního programu nebylo možné ověřit.", "The installer has an invalid checksum": "Instalátor má neplatný kontrolní součet", "The installer hash does not match the expected value.": "Hash instalačního programu neodpovídá očekávané hodnotě.", - "The local icon cache currently takes {0} MB": "Mezipaměť ikonek aktuálně zabírá {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Hlavním cílem toho projektu je vytvořit intuitivní UI k ovládání nejčastěji použiváných CLI správců balíčků pro Windows jako je Winget či Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Balíček „{0}“ nebyl nalezen ve správci balíčků „{1}“", - "The package bundle could not be created due to an error.": "Sada balíčků se nepodařilo vytvořit z důvodu chyby.", - "The package bundle is not valid": "Sada balíčků není platná", - "The package manager \"{0}\" is disabled": "Správce balíčků \"{0}\" je vypnutý", - "The package manager \"{0}\" was not found": "Správce balíčků \"{0}\" nebyl nalezen", "The package {0} from {1} was not found.": "Balíček {0} z {1} nebyl nalezen.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Uvedené balíčky nebudou při kontrole aktualizací brány v úvahu. Poklepejte na ně nebo klikněte na tlačítko vpravo, abyste přestali ignorovat jejich aktualizace.", "The selected packages have been blacklisted": "Označené balíčky byly zařazeny do blacklistu", - "The settings will list, in their descriptions, the potential security issues they may have.": "V popisu nastavení budou uvedeny potenciální bezpečnostní problémy, které mohou mít.", - "The size of the backup is estimated to be less than 1MB.": "Velikost zálohy se odhaduje na méně než 1 MB.", - "The source {source} was added to {manager} successfully": "Zdroj {source} byl úspěšně přidán do {manager}", - "The source {source} was removed from {manager} successfully": "Zdroj {source} byl úspěšně odebrán z {manager}", - "The system tray icon must be enabled in order for notifications to work": "Aby oznámení fungovala, musí být povolena ikona na systémové liště.", - "The update process has been aborted.": "Aktualizační proces byl přerušen.", - "The update process will start after closing UniGetUI": "Aktualizace začne po zavření UniGetUI", "The update will be installed upon closing WingetUI": "Aktualizace bude nainstalována po zavření UniGetUI", "The update will not continue.": "Aktualizace nebude pokračovat.", "The user has canceled {0}, that was a requirement for {1} to be run": "Uživatel zrušil {0}, což bylo podmínkou pro spuštění {1}.", - "There are no new UniGetUI versions to be installed": "Neexistují žádné nové verze UniGetUI, které by bylo třeba nainstalovat", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Stále se provádí operace. Ukončení UniGetUI může způsobit jejich selhání. Chcete i přesto pokračovat?\n", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Na serveru YouTube je několik skvělých videí, která ukazují UniGetUI a jeho možnosti. Můžete se naučit užitečné triky a tipy!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Existují dva hlavní důvody, proč nespouštět UniGetUI jako správce:\\n První je ten, že správce balíčků Scoop může způsobit problémy s některými příkazy, když je spouštěn s právy správce.\\n Druhým je, že spuštění WingetUI jako správce znamená, že jakýkoli balíček který stáhnete, bude spuštěn jako správce (a to není bezpečné).\\n Pamatujte, že pokud potřebujete nainstalovat konkrétní balíček jako správce, můžete vždy kliknout pravým tlačítkem na položku -> Instalovat/Aktualizovat/Odinstalovat jako správce.", - "There is an error with the configuration of the package manager \"{0}\"": "Došlo k chybě v konfiguraci správce balíčků „{0}“", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Právě probíhá instalace. Pokud zavřete UniGetUI, instalace může selhat a mít neočekávané následky. Opravdu chcete ukončit UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Jedná se o programy, které mají na starosti instalaci, aktualizaci a odebírání balíčků.", - "Third-party licenses": "Licence třetích stran", "This could represent a security risk.": "Toto může být potenciálně bezpečnostní riziko.", - "This is not recommended.": "Toto se nedoporučuje.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Toto je pravděpodobně způsobeno tím, že balíček, který vám byl zaslán, byl odstraněn nebo zveřejněn ve správci balíčků, který nemáte povolen. Přijaté ID je {0}.", "This is the default choice.": "Toto je výchozí volba.", - "This may help if WinGet packages are not shown": "Toto může pomoci, když se WinGet balíčky nezobrazují", - "This may help if no packages are listed": "Toto může pomoci, když se balíčky nezobrazují", - "This may take a minute or two": "Může to trvat minutu nebo dvě.", - "This operation is running interactively.": "Tento operace je spuštěna interaktivně.", - "This operation is running with administrator privileges.": "Tato operace je spuštěna s oprávněním správce.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Tato možnost bude způsobovat problémy. Jakákoli operace, která se nedokáže sama povýšit, selže. Instalace/aktualizace/odinstalace jako správce NEBUDE FUNGOVAT.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Tato sada balíčků obsahoval některá potenciálně nebezpečná nastavení, která mohou být ve výchozím nastavení ignorována.", "This package can be updated": "Tento balíček může být aktualizován", "This package can be updated to version {0}": "Tento balíček může být aktualizován na verzi {0}", - "This package can be upgraded to version {0}": "Tento balíček může být aktualizován na verzi {0}", - "This package cannot be installed from an elevated context.": "Tento balíček nelze nainstalovat z kontextu výše.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Chybí tomuto balíčku snímky obrazovky nebo ikonka? Přispějte do UniGetUI přidáním chybějících ikonek a snímků obrazovky do naší otevřené, veřejné databáze.", - "This package is already installed": "Tento balíček je již nainstalován", - "This package is being processed": "Tento balíček se zpracovává", - "This package is not available": "Tento balíček je nedostupný", - "This package is on the queue": "Tento balíček je ve frontě", "This process is running with administrator privileges": "Tento proces je spuštěný s oprávněním správce", - "This project has no connection with the official {0} project — it's completely unofficial.": "Tento projekt nemá žádnou spojitost s oficiálním projektem {0} - je zcela neoficiální.", "This setting is disabled": "Toto nastavení je vypnuto", "This wizard will help you configure and customize WingetUI!": "Tento průvodce Vám pomůže s konfigurací a úpravou UniGetUI!", "Toggle search filters pane": "Přepne panel vyhledávacích filtrů", - "Translators": "Překladatelé", - "Try to kill the processes that refuse to close when requested to": "Pokuste se ukončit procesy, které se odmítají zavřít, když je to požadováno.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Zapnutí této funkce umožňuje změnit spustitelný soubor používaný pro interakci se správci balíčků. To sice umožňuje jemnější přizpůsobení instalačních procesů, ale může to být také nebezpečné", "Type here the name and the URL of the source you want to add, separed by a space.": "Zde zadejte název a adresu URL zdroje, který chcete přidat, oddělené mezerou.", "Unable to find package": "Nelze najít balíček", "Unable to load informarion": "Nelze načíst informace", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI shromažďuje anonymní údaje o používání za účelem zlepšení uživatelského komfortu.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI shromažďuje anonymní údaje o používání pouze za účelem pochopení a zlepšení uživatelských zkušeností.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI zjistil nového zástupce na ploše, který může být automaticky odstraněn.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI zjistil následující zástupce na ploše, které lze při budoucích aktualizacích automaticky odstranit", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI zjistil {0} nových zástupců na ploše, které lze automaticky odstranit.", - "UniGetUI is being updated...": "UniGetUI je aktualizován...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nesouvisí s žádným z kompatibilních správců balíčků. UniGetUI je nezávislý projekt.", - "UniGetUI on the background and system tray": "UniGetUI v pozadí a systémové liště", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI nebo některé z jeho komponent chybí nebo jsou poškozené.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI vyžaduje ke své činnosti {0}, ale ve vašem systému nebyl nalezen.", - "UniGetUI startup page:": "Při spuštění UniGetUI zobrazit:", - "UniGetUI updater": "Aktualizace UniGetUI", - "UniGetUI version {0} is being downloaded.": "Stahuje se verze UniGetUI {0}", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je připraven k instalaci.", - "Uninstall": "Odinstalovat", - "Uninstall Scoop (and its packages)": "Odinstalovat Scoop (a jeho balíčky)", "Uninstall and more": "Odinstalace a další", - "Uninstall and remove data": "Odinstalovat a odstranit data", - "Uninstall as administrator": "Odinstalovat jako správce", "Uninstall canceled by the user!": "Odinstalace byla přerušena uživatelem!", - "Uninstall failed": "Odinstalace selhala", - "Uninstall options": "Možnosti odinstalace", - "Uninstall package": "Odinstalovat balíček", - "Uninstall package, then reinstall it": "Odinstalovat balíček a poté znovu nainstalovat", - "Uninstall package, then update it": "Odinstalovat balíček a poté jej aktualizovat", - "Uninstall previous versions when updated": "Odinstalování předchozích verzí po aktualizaci", - "Uninstall selected packages": "Odinstalovat vybrané balíčky", - "Uninstall selection": "Odinstalovat vybrané", - "Uninstall succeeded": "Úspěšně odinstalováno", "Uninstall the selected packages with administrator privileges": "Odinstalovat vybrané balíčky s oprávněním správce", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Odinstalovatelné balíčky s původem uvedeným jako \"{0}\" nejsou zveřejněny v žádném správci balíčků, takže o nich nejsou k dispozici žádné informace.", - "Unknown": "Neznámé", - "Unknown size": "Neznámá velikost", - "Unset or unknown": "Nenastaveno nebo neznámo", - "Up to date": "Aktuální", - "Update": "Aktualizovat", - "Update WingetUI automatically": "Automaticky aktualizovat UniGetUI", - "Update all": "Aktualizovat vše", "Update and more": "Aktualizace a další", - "Update as administrator": "Aktualizovat jako správce", - "Update check frequency, automatically install updates, etc.": "Frekvence kontroly aktualizací, automatická instalace aktualizací atd.", - "Update checking": "Kontrola aktualizací", "Update date": "Aktualizováno", - "Update failed": "Aktualizace selhala", "Update found!": "Nalezena aktualizace!", - "Update now": "Aktualizovat nyní", - "Update options": "Možnosti aktualizace", "Update package indexes on launch": "Aktualizovat indexy balíčků při spuštění", "Update packages automatically": "Automaticky aktualizovat balíčky", "Update selected packages": "Aktualizovat vybrané balíčky", "Update selected packages with administrator privileges": "Aktualizovat vybrané balíčky s oprávněním správce", - "Update selection": "Aktualizovat vybrané", - "Update succeeded": "Úspěšně aktualizováno", - "Update to version {0}": "Aktualizovat na verzi {0}", - "Update to {0} available": "Je dostupná aktualizace na {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Automatická aktualizace vcpkg Git portfiles (vyžaduje nainstalovaný Git)", "Updates": "Aktualizace", "Updates available!": "Dostupné aktualizace!", - "Updates for this package are ignored": "Aktulizace tohoto balíčku jsou ignorovány", - "Updates found!": "Nalezeny aktualizace!", "Updates preferences": "Předvolby aktualizací", "Updating WingetUI": "Aktualizace UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Použít přibalený starší WinGet místo PowerShell cmdlets", - "Use a custom icon and screenshot database URL": "Použít vlastní URL databáze pro ikonky a screenshoty", "Use bundled WinGet instead of PowerShell CMDlets": "Použít přibalený WinGet místo PowerShell cmdlets", - "Use bundled WinGet instead of system WinGet": "Použít přibalený WinGet místo systémového WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Použít nainstalovaný GSudo místo UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Použít nainstalované GSudo místo přibaleného (vyžaduje restart aplikace)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Použít starší verzi UniGetUI Elevator (může být užitečné v případě problémů s UniGetUI Elevator)", - "Use system Chocolatey": "Použít systémový Chocolatey", "Use system Chocolatey (Needs a restart)": "Použít systémový Chocolatey (vyžaduje restart aplikace)", "Use system Winget (Needs a restart)": "Použít systémový Winget (vyžaduje restart aplikace)", "Use system Winget (System language must be set to english)": "Použít systémový Winget (Systémový jazyk musí být nastavený na angličtinu)", "Use the WinGet COM API to fetch packages": "Použít WinGet COM API k získání balíčků", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Použít WinGet PowerShell modul místo Winget COM API", - "Useful links": "Užitečné odkazy", "User": "Uživatel", - "User interface preferences": "Vlastnosti uživatelského rozhraní", "User | Local": "Uživatel | Lokální", - "Username": "Uživatelské jméno", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Používání UniGetUI znamená souhlas s licencí GNU Lesser General Public License v2.1.", - "Using WingetUI implies the acceptation of the MIT License": "Používání UniGetUI znamená souhlas s licencí MIT.", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg nebyl nalezen. Definujte prosím proměnnou prostředí %VCPKG_ROOT% nebo ji definujte v nastavení UniGetUI.", "Vcpkg was not found on your system.": "Vcpkg nebyl ve vašem systému nalezen.", - "Verbose": "Podrobný výstup", - "Version": "Verze", - "Version to install:": "Verze:", - "Version:": "Verze:", - "View GitHub Profile": "Zobrazit GitHub profil", "View WingetUI on GitHub": "Prohlédněte si UniGetUI na GitHubu", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Zobrazit zdrojový kód UniGetUI. Odtud můžete hlásit chyby, navrhovat funkce nebo dokonce přímo přispívat do projektu UniGetUI.", - "View mode:": "Zobrazit jako:", - "View on UniGetUI": "Zobrazit v UniGetUI", - "View page on browser": "Zobrazit stránku v prohlížeči", - "View {0} logs": "Zobrazit {0} protokoly", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Před prováděním úkolů, které vyžadují připojení k internetu, počkejte, až bude zařízení připojeno k internetu.", "Waiting for other installations to finish...": "Čekám na dokončení ostatních instalací...", "Waiting for {0} to complete...": "Čekání na dokončení {0}...", - "Warning": "Upozornění", - "Warning!": "Varování!", - "We are checking for updates.": "Kontrolujeme aktualizace.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Podrobné informace o tomto balíčku se nám nepodařilo načíst, protože nebyl nalezen v žádném z vašich zdrojů balíčků.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Podrobné informace o tomto balíčku se nám nepodařilo načíst, protože nebyl nainstalován z dostupného správce balíčků.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nemohli jsme {action} {package}. Zkuste to prosím později. Kliknutím na \"{showDetails}\" získáte protokoly z instalačního programu.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nemohli jsme {action} {package}. Zkuste to prosím později. Kliknutím na \\\"{showDetails}\\\" získáte protokoly z odinstalačního programu.", "We couldn't find any package": "Nemohli jsme najít žádné balíčky", "Welcome to WingetUI": "Vítejte v UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Při dávkové instalaci balíčků ze sady nainstalovat i balíčky, které jsou již nainstalovány.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Když jsou detekovány nové zkratky, automaticky je smazat, místo aby se zobrazovalo toto dialogové okno.", - "Which backup do you want to open?": "Kterou zálohu chcete otevřít?", "Which package managers do you want to use?": "Který správce balíčku chcete používat?", "Which source do you want to add?": "Který zdroj chcete přidat?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Zatímco Winget lze používat v rámci UniGetUI, UniGetUI lze používat i s jinými správci balíčků, což může být matoucí. V minulosti byl UniGetUI navržen tak, aby pracoval pouze s Wingetem, ale to již neplatí, a proto UniGetUI nepředstavuje to, čím se tento projekt chce stát.", - "WinGet could not be repaired": "WinGet se nepodařilo opravit", - "WinGet malfunction detected": "Zjištěna porucha WinGet", - "WinGet was repaired successfully": "WinGet byl úspěšně opraven", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Všechno je aktuální", "WingetUI - {0} updates are available": "UniGetUI - dostupné aktualizace: {0}", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Domovská stránka UniGetUI", "WingetUI Homepage - Share this link!": "Domovská stránka UniGetUI - Sdílej tento okdaz!", - "WingetUI License": "UniGetUI Licence", - "WingetUI Log": "UniGetUI protokol", - "WingetUI Repository": "UniGetUI repozitář", - "WingetUI Settings": "Nastavení UniGetUI", "WingetUI Settings File": "Soubor nastavení UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI používá následující knihovny. Bez nich by UniGetUI nebyl možný.", - "WingetUI Version {0}": "UniGetUI verze {0}", "WingetUI autostart behaviour, application launch settings": "Chování automatického spuštění UniGetUI a nastavení spouštění aplikací", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI může zkontrolovat, zda má váš software dostupné aktualizace, a podle potřeby je automaticky nainstalovat.", - "WingetUI display language:": "Jazyk UniGetUI", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI byl spuštěn jako správce, což se nedoporučuje. Pokud je UniGetUI spuštěn jako správce, bude mít KAŽDÁ operace spuštěná z UniGetUI práva správce. Program můžete používat i nadále, ale důrazně nedoporučujeme spouštět UniGetUI s právy správce.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI byl díky dobrovolným překladatelům přeložen do více než 40 jazyků. Děkujeme \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI nebylo strojově přeloženo. Následující uživatelé měli na starosti překlady:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI je aplikace, která usnadňuje správu softwaru tím, že poskytuje grafické rozhraní pro správce balíčků příkazového řádku.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI se přejmenovává, aby se zdůraznil rozdíl mezi UniGetUI (rozhraní, které právě používáte) a Winget (správce balíčků vyvinutý společností Microsoft, se kterým nejsem nijak spojen).", "WingetUI is being updated. When finished, WingetUI will restart itself": "Probíhá aktualizace UniGetUI, jakmile bude dokončena, aplikace se restartuje", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI je zdarma a vždycky bude. Žádné reklamy, žádná kreditní karta, žádná premium verze. 100% zdarma, navždy.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI zobrazí dialog \"Řízení uživatelských účtů\" pokaždé, když si jej balíček vyžádá.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI se bude brzy jmenovat {newname}. To nebude představovat žádnou změnu v aplikaci. Já (vývojář) budu pokračovat ve vývoji tohoto projektu stejně jako do teď, ale pod jiným názvem.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI by nikdy nemohl vzniknout za podpory našich drahých přispěvovatelů. Koukněte na jejich GitHub profily, UniGetUI by bez nich nikdy nevznikl!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI by nebylo možné vytvořit bez pomoci přispěvatelů. Děkuji Vám všem \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} je připraven k instalaci.", - "Write here the process names here, separated by commas (,)": "Zde napište názvy procesů oddělené čárkami (,).", - "Yes": "Ano", - "You are logged in as {0} (@{1})": "jste přihlášen jako {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Toto chování můžete změnit v nastavení zabezpečení UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Můžete definovat příkazy, které budou spuštěny před nebo po instalaci, aktualizaci nebo odinstalaci tohoto balíčku. Budou spuštěny v příkazovém řádku, takže zde budou fungovat skripty CMD.", - "You have currently version {0} installed": "Aktuálně máte nainstalovanou verzi {0}", - "You have installed WingetUI Version {0}": "Je nainstalován UniGetUI verze {0}", - "You may lose unsaved data": "Může dojít ke ztrátě neuložených dat", - "You may need to install {pm} in order to use it with WingetUI.": "Může být nutné nainstalovat {pm} pro použití s UniGetUI.", "You may restart your computer later if you wish": "Pokud chcete, můžete počítač restartovat později", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Budete vyzváni pouze jednou a oprávnění správce budou udělena pouze balíčkům, které o ně požádají.", "You will be prompted only once, and every future installation will be elevated automatically.": "Budete vyzváni pouze jednou a každá další instalace bude automaticky spuštěná s oprávněním správce.", - "You will likely need to interact with the installer.": "Pravděpodobně budete muset s instalátorem interagovat.", - "[RAN AS ADMINISTRATOR]": "SPUŠTĚNO JAKO SPRÁVCE", "buy me a coffee": "koupit kafe", - "extracted": "extrahováno", - "feature": "funkce", "formerly WingetUI": "dříve WingetUI", "homepage": "webovou stránku", "install": "instalovat", "installation": "instalace", - "installed": "nainstalováno", - "installing": "instaluji", - "library": "knihovna", - "mandatory": "povinné", - "option": "možnost", - "optional": "volitelné", "uninstall": "odinstalovat", "uninstallation": "odinstalace", "uninstalled": "odinstalováno", - "uninstalling": "odinstaluji", "update(noun)": "aktualizace", "update(verb)": "aktualizovat", "updated": "aktualizováno", - "updating": "aktualizuji", - "version {0}": "verze {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} možnosti instalace jsou v současné době uzamčeny, protože {0} se řídí výchozími možnostmi instalace.", "{0} Uninstallation": "Odinstalace {0}", "{0} aborted": "{0} selhala", "{0} can be updated": "{0} může být aktualizováno", - "{0} can be updated to version {1}": "{0} může být aktualizován na verzi {1}", - "{0} days": "{0} dnů", - "{0} desktop shortcuts created": "{0} vytvořených zástupců na ploše", "{0} failed": "{0} selhala", - "{0} has been installed successfully.": "{0} byl úspěšně nainstalován.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} bylo úspěšně nainstalováno. Je doporučeno restartovat UniGetUI pro dokončení instalace.", "{0} has failed, that was a requirement for {1} to be run": "{0} selhalo, což bylo podmínkou pro spuštění {1}", - "{0} homepage": "{0} domovská stránka", - "{0} hours": "{0} hodin", "{0} installation": "Instalace {0}", - "{0} installation options": "{0} možnosti instalace", - "{0} installer is being downloaded": "Stahuje se instalační program {0}", - "{0} is being installed": "{0} je instalováno", - "{0} is being uninstalled": "{0} je odinstalován", "{0} is being updated": "{0} je aktualizován", - "{0} is being updated to version {1}": "{0} se aktualizuje na verzi {1}", - "{0} is disabled": "{0} je vypnuto", - "{0} minutes": "{0} minut", "{0} months": "{0} měsíce(ů)", - "{0} packages are being updated": "{0} balíčků jsou aktualizovány", - "{0} packages can be updated": "{0} balíčků může být aktualizováno", "{0} packages found": "Nalezeno {0} balíčků", "{0} packages were found": "{0} balíčků nalezeno", - "{0} packages were found, {1} of which match the specified filters.": "Bylo nalezeno {0} balíčků, z nichž {1} vyhovuje zadaným filtrům.\n", - "{0} selected": "{0} vybráno", - "{0} settings": "{0} nastavení", - "{0} status": "{0} stav", "{0} succeeded": "{0} úspěšná", "{0} update": "Aktualizace {0}", - "{0} updates are available": "Je dostupných {0} aktualizací.", "{0} was {1} successfully!": "{0} bylo úspěšně {1}!", "{0} weeks": "{0} týdny(ů)", "{0} years": "{0} roky(ů)", "{0} {1} failed": "{0} {1} selhala", - "{package} Installation": "Instalace {package}", - "{package} Uninstall": "Odinstalace {package}", - "{package} Update": "Aktualizace {package}", - "{package} could not be installed": "{package} nemohl být nainstalován", - "{package} could not be uninstalled": "{package} nemohl být odinstalován", - "{package} could not be updated": "{package} nemohl být aktualizován", "{package} installation failed": "Instalace {package} selhala", - "{package} installer could not be downloaded": "Instalační program {package} se nepodařilo stáhnout", - "{package} installer download": "Stáhnout instalační program {package}", - "{package} installer was downloaded successfully": "Instalační program {package} byl úspěšně stažen", "{package} uninstall failed": "Odinstalace {package} selhala", "{package} update failed": "Aktualizace {package} selhala", "{package} update failed. Click here for more details.": "Aktualizace {package} selhala. Klikni zde pro více podrobností.", - "{package} was installed successfully": "{package} byl úspěšně nainstalován", - "{package} was uninstalled successfully": "{package} byl úspěšně odinstalován", - "{package} was updated successfully": "{package} byl úspěšně aktualizován", - "{pcName} installed packages": "{pcName} nainstalované balíčky", "{pm} could not be found": "{pm} se nepodařilo najít", "{pm} found: {state}": "{pm} nalezen: {state}", - "{pm} is disabled": "{pm} je vypnuto", - "{pm} is enabled and ready to go": "{pm} je povolen a připraven k použití", "{pm} package manager specific preferences": "Specifické vlastnosti správce balíčků {pm}", "{pm} preferences": "Vlastnosti {pm}", - "{pm} version:": "{pm} verze:", - "{pm} was not found!": "{pm} nebyl nalezen!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Ahoj, já jsem Martí a jsem vývojář UniGetUI. Aplikace UniGetUI byla celá vytvořena v mém volném čase!", + "Thank you ❤": "Děkuji ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Tento projekt nemá žádnou spojitost s oficiálním projektem {0} - je zcela neoficiální." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_da.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_da.json index e59d6ee6f1..dbbacac161 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_da.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_da.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Handling i gang", + "Please wait...": "Vent venligst...", + "Success!": "Succes!", + "Failed": "Fejlet", + "An error occurred while processing this package": "Der skete en fejl ved kørsel af denne pakke", + "Log in to enable cloud backup": "Log på for at aktivere cloud backup", + "Backup Failed": "Backup fejlede", + "Downloading backup...": "Downloader backup...", + "An update was found!": "Fundet en opdatering.", + "{0} can be updated to version {1}": "{0} kan opdateres til version {1}", + "Updates found!": "Opdateringer fundet!", + "{0} packages can be updated": "{0} pakker kan blive opdateret", + "You have currently version {0} installed": "Nuværende installerede version: {0}", + "Desktop shortcut created": "Skrivebordsgenvej oprettet", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har opdaget en ny skrivebordsgenvej, som kan slettes automatisk.", + "{0} desktop shortcuts created": "{0} skrivebordsgenveje oprettet", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har opdaget {0} nye skrivebordsgenveje, som kan fjernes automatisk.", + "Are you sure?": "Er du sikker?", + "Do you really want to uninstall {0}?": "Ønsker du virkelig at afinstallere {0}?", + "Do you really want to uninstall the following {0} packages?": "Ønsker du virkelig at afinstallere følgende {0} pakker?", + "No": "Nej", + "Yes": "Ja", + "View on UniGetUI": "Se på UniGetUI", + "Update": "Opdatér", + "Open UniGetUI": "Åbn UniGetUI", + "Update all": "Opdatér alle", + "Update now": "Opdater nu", + "This package is on the queue": "Denne pakke er ikke i køen", + "installing": "installere", + "updating": "opdaterer", + "uninstalling": "afinstallerer", + "installed": "installeret", + "Retry": "Prøv igen", + "Install": "Installer", + "Uninstall": "Afinstallér", + "Open": "Åben", + "Operation profile:": "Operationsprofil:", + "Follow the default options when installing, upgrading or uninstalling this package": "Følg standardmulighederne ved installation, opgradering eller afinstallation af denne pakke", + "The following settings will be applied each time this package is installed, updated or removed.": "Disse indstillinger vil blive anvendt hver gang denne pakke installeres, opdateres eller fjernes.", + "Version to install:": "Version til installation", + "Architecture to install:": "Installation af arkitektur:", + "Installation scope:": "Installationsomfang:", + "Install location:": "Installations placering", + "Select": "Vælg", + "Reset": "Nulstil", + "Custom install arguments:": "Brugerdefinerede installations argumenter:", + "Custom update arguments:": "Brugerdefinerede opdaterings argumenter:", + "Custom uninstall arguments:": "Brugerdefinerede afinstallations argumenter:", + "Pre-install command:": "Pre-install kommando:", + "Post-install command:": "Post-install kommando:", + "Abort install if pre-install command fails": "Afbryd installation hvis kommandoen før installation mislykkes", + "Pre-update command:": "Pre-update kommando:", + "Post-update command:": "Post-update kommando:", + "Abort update if pre-update command fails": "Afbryd opdatering hvis kommandoen før opdatering mislykkes", + "Pre-uninstall command:": "Pre-uninstall kommando:", + "Post-uninstall command:": "Post-uninstall kommando:", + "Abort uninstall if pre-uninstall command fails": "Afbryd afinstallation hvis kommandoen før afinstallation mislykkes", + "Command-line to run:": "Kommandolinje til kørsel:", + "Save and close": "Gem og luk", + "Run as admin": "Kør som administrator", + "Interactive installation": "Interaktiv installation", + "Skip hash check": "Spring over hash check", + "Uninstall previous versions when updated": "Afinstaller tidligere versioner når opdateret", + "Skip minor updates for this package": "Spring mindre opdateringer over for denne pakke", + "Automatically update this package": "Opdater denne pakke automatisk", + "{0} installation options": "{0} installerings muligheder", + "Latest": "Senest:", + "PreRelease": "Præ-release", + "Default": "Standard", + "Manage ignored updates": "Administrer ignorerede opdateringer", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakkerne listet her vil ikke blive taget i betragtning ved søgning efter opdateringer. Dobbeltklik på dem eller klik på knappen til højre for dem for at stoppe med at ignorere deres opdateringer.", + "Reset list": "Nulstil liste", + "Package Name": "Pakke navn", + "Package ID": "Pakke ID", + "Ignored version": "Ignoreret version", + "New version": "Ny version", + "Source": "Kilde", + "All versions": "Alle versioner", + "Unknown": "Ukendt", + "Up to date": "Opdateret", + "Cancel": "Annuller", + "Administrator privileges": "Administratorrettigheder", + "This operation is running with administrator privileges.": "Handlingen kører med administratorrettigheder.", + "Interactive operation": "Interaktiv operation", + "This operation is running interactively.": "Handlingen kører interaktivt.", + "You will likely need to interact with the installer.": "Du vil sandsynligvis være nødt til at interagere med installationsprogrammet.", + "Integrity checks skipped": "Integritetstjek sprunget over", + "Proceed at your own risk.": "Fortsæt på egen risiko.", + "Close": "Luk", + "Loading...": "Indlæser...", + "Installer SHA256": "Installationsprogram SHA256", + "Homepage": "Startside", + "Author": "Udvikler", + "Publisher": "Udgiver", + "License": "Licens", + "Manifest": "Manifestfil", + "Installer Type": "Installationstype", + "Size": "Størrelse", + "Installer URL": "Installationsprogram-URL", + "Last updated:": "Senest opdateret:", + "Release notes URL": "Releasenotes URL", + "Package details": "Pakke detaljer", + "Dependencies:": "Afhængigheder:", + "Release notes": "Releasenotes", + "Version": "Udgave", + "Install as administrator": "Installér som administrator", + "Update to version {0}": "Opdater til version {0}", + "Installed Version": "Installeret Version", + "Update as administrator": "Opdatér som administrator", + "Interactive update": "Interaktiv opdatering", + "Uninstall as administrator": "Afinstallér som administrator", + "Interactive uninstall": "Interaktiv afinstallation", + "Uninstall and remove data": "Afinstaller og fjern data", + "Not available": "Ikke tilgængelig", + "Installer SHA512": "Installationsprogram SHA512", + "Unknown size": "Ukendt størrelse", + "No dependencies specified": "Ingen afhængigheder specificeret", + "mandatory": "obligatorisk", + "optional": "valgfrit", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} er klar til at blive installeret.", + "The update process will start after closing UniGetUI": "Opdateringsprocessen vil starte efter UniGetUI bliver lukket", + "Share anonymous usage data": "Del anonym brugsdata", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI indsamler anonyme brugsdata for at forbedre brugeroplevelsen.", + "Accept": "Accepter", + "You have installed WingetUI Version {0}": "Installeret WingetUI version er {0}", + "Disclaimer": "Ansvarsfraskrivelse", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI er ikke relateret til nogle af de kompatible pakkemanagere. UniGetUI er it uafhængigt projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ville ikke have været mulig uden støtten fra vores hjælpere. Tak til jer alle 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruger følgende biblioteker. Uden dem ville WingetUI ikke have været mulig.", + "{0} homepage": "{0} startside", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI er oversat til mere end 40 sprog takket være de frivillige oversættere. Mange tak 🤝", + "Verbose": "Udførlig", + "1 - Errors": "1 fejl", + "2 - Warnings": "2 - Advarsler", + "3 - Information (less)": "3 - Information (mindre)", + "4 - Information (more)": "4 - Information (mere)", + "5 - information (debug)": "5 - Information (fejlsøgning)", + "Warning": "Advarsel", + "The following settings may pose a security risk, hence they are disabled by default.": "Følgende indstillinger kan udgøre en sikkerhedsrisiko, og er derfor deaktiveret som standard.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiver nedenstående indstillinger HVIS OG KUN HVIS du fuldt ud forstår hvad de gør, og de implikationer og farer de kan indebære.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Indstillingerne vil liste de potentielle sikkerhedsproblemer, de kan have, i deres beskrivelser.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sikkerhedskopien vil indeholde den fulde liste over de installerede pakker og deres installationsindstillinger. Ignorerede opdateringer og oversprungne versioner vil også blive gemt.", + "The backup will NOT include any binary file nor any program's saved data.": "Sikkerhedskopien vil IKKE indeholde nogle binære filer eller nogle programmers gemte data.", + "The size of the backup is estimated to be less than 1MB.": "Størrelsen af sikkerhedskopien estimeres til at være mindre end 1MB.", + "The backup will be performed after login.": "Backup vil blive udført efter login.", + "{pcName} installed packages": "{pcName} installerede pakker", + "Current status: Not logged in": "Nuværende status: Ikke logget på", + "You are logged in as {0} (@{1})": "Du er logget på som {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Rigtig godt! Backups vil blive uploadet til en privat gist på din konto", + "Select backup": "Vælg backup", + "WingetUI Settings": "WingetUI Indstillinger", + "Allow pre-release versions": "Tillad pre-release versioner", + "Apply": "Anvend", + "Go to UniGetUI security settings": "Gå til UniGetUI sikkerhedsindstillinger", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Følgende muligheder vil blive anvendt som standard hver gang en {0} pakke installeres, opgraderes eller afinstalleres.", + "Package's default": "Pakkens standard", + "Install location can't be changed for {0} packages": "Installationslokation kan ikke ændres for {0} pakker", + "The local icon cache currently takes {0} MB": "Den lokale ikon-cache fylder lige nu {0} MB", + "Username": "Brugernavn", + "Password": "Adgangskode", + "Credentials": "Log-på oplysninger", + "Partially": "Delvist", + "Package manager": "Pakkemanager", + "Compatible with proxy": "Kompatibel med proxy", + "Compatible with authentication": "Kompatibel med autentificering", + "Proxy compatibility table": "Proxy kompatibilitetstabel", + "{0} settings": "{0} indstillinger", + "{0} status": "{0}-tilstand", + "Default installation options for {0} packages": "Standardinstallationsmuligheder for {0} pakker", + "Expand version": "Udvid version", + "The executable file for {0} was not found": "Den eksekverbare fil for {0} blev ikke fundet", + "{pm} is disabled": "{pm} er deaktiveret", + "Enable it to install packages from {pm}.": "Aktiver det for at installere pakker fra {pm}.", + "{pm} is enabled and ready to go": "{pm} er aktiveret og klar til brug", + "{pm} version:": "{pm} udgave:", + "{pm} was not found!": "{pm} blev ikke fundet!", + "You may need to install {pm} in order to use it with WingetUI.": "Installation af {pm} er nødvendig, for at kunne bruge det med WingetUI.", + "Scoop Installer - WingetUI": "Scoop Installere - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop Afinstallere - WingetUI", + "Clearing Scoop cache - WingetUI": "Fjerner Scoop cache - WingetUI", + "Restart UniGetUI": "Genstart UniGetUI", + "Manage {0} sources": "Administrer {0} kilder", + "Add source": "Tilføj kilde", + "Add": "Tilføj", + "Other": "Andre", + "1 day": "1 dag", + "{0} days": "{0} dage", + "{0} minutes": "{0} minutter", + "1 hour": "1 time", + "{0} hours": "{0} timer", + "1 week": "1 uge", + "WingetUI Version {0}": "WingetUI Version {0}", + "Search for packages": "Søg efter pakker", + "Local": "Lokal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} pakker fundet, {1} matchede det specificerede filter.", + "{0} selected": "{0} valgt", + "(Last checked: {0})": "(Sidst tjekket: {0})", + "Enabled": "Aktiveret", + "Disabled": "Deaktiveret", + "More info": "Mere info", + "Log in with GitHub to enable cloud package backup.": "Log på med GitHub for at aktivere cloud pakke backup.", + "More details": "Flere detaljer", + "Log in": "Log på", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Hvis du har cloud backup aktiveret, gemmes det som en GitHub Gist på denne konto", + "Log out": "Log af", + "About": "Om", + "Third-party licenses": "Tredjepartslicenser", + "Contributors": "Bidragydere", + "Translators": "Oversættere", + "Manage shortcuts": "Administrer genveje", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har opdaget følgende skrivebordsgenveje, som kan fjernes automatisk ved fremtidige opgraderinger", + "Do you really want to reset this list? This action cannot be reverted.": "Ønsker du virkelig at nulstille denne liste? Handlingen kan ikke føres tilbage.", + "Remove from list": "Fjern fra liste", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Når nye genveje detekteres, skal du slette dem automatisk i stedet for at vise denne dialog.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI indsamler anonyme brugsdata med det ene formåle at forstå og forbedre brugeroplevelsen.", + "More details about the shared data and how it will be processed": "Flere detaljer om delte data og hvordan det bliver behandled", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepterer du, at UniGetUI indsamler og sender anonyme brugsstatistikker med det ene formål at forstå og forbedre brugeroplevelsen?", + "Decline": "Afvis", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ingen personlig information bliver indsamlet eller sendt, og den indsamlede data bliver anonymiseret, så det ikke kan spores tilbage til dig.", + "About WingetUI": "Om UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI er en applikation, som gør adminstrationen af din software lettere ved at levere et alt-i-et grafisk brugergrænseflade til dine kommandolinje pakkemanagere.", + "Useful links": "Nyttige links", + "Report an issue or submit a feature request": "Rapporter et issue eller send et ønske om en ny feature", + "View GitHub Profile": "Se GitHub Profil", + "WingetUI License": "WingetUI Licens", + "Using WingetUI implies the acceptation of the MIT License": "Brug af UniGetUI betyder accept af MIT licensen", + "Become a translator": "Bidrag selv til oversættelse", + "View page on browser": "Vis side i browser", + "Copy to clipboard": "Kopier til udklipsholder", + "Export to a file": "Eksporter til fil", + "Log level:": "Log-niveau:", + "Reload log": "Genindlæs log", + "Text": "Tekst", + "Change how operations request administrator rights": "Ændre hvordan operationer anmoder om administrator-rettigheder", + "Restrictions on package operations": "Begrænsninger på pakkeoperationer", + "Restrictions on package managers": "Begrænsninger på pakkemanagere", + "Restrictions when importing package bundles": "Begrænsninger ved import af pakkesamlinger", + "Ask for administrator privileges once for each batch of operations": "Anmod om administrator rettigheder én gang, for hver samling af operationer", + "Ask only once for administrator privileges": "Spørg kun én gang om administrator-rettigheder", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Forbyd enhver form for elevation via UniGetUI Elevator eller GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Denne mulighed VIL forårsage problemer. Enhver operation, der ikke kan elevere sig selv, VIL FEJLE. Installation/opdatering/afinstallation som administrator virker IKKE.", + "Allow custom command-line arguments": "Tillad brugerdefinerede kommandolinje argumenter", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Brugerdefinerede kommandolinje argumenter kan ændre den måde, programmer installeres, opgraderes eller afinstalleres på, på en måde UniGetUI ikke kan kontrollere. Brug af brugerdefinerede kommandolinjer kan ødelægge pakker. Fortsæt med forsigtighed.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillad brugerdefinerede pre-install og post-install kommandoer til at blive kørt", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre- og post-install kommandoer vil blive kørt før og efter en pakke installeres, opgraderes eller afinstalleres. Vær opmærksom på, at de kan ødelægge ting, medmindre de bruges med forsigtighed", + "Allow changing the paths for package manager executables": "Tillad ændring af stier for pakkemanager programmer", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Hvis du slår dette til, kan du ændre den eksekverbare fil, der bruges til at interagere med pakkemanagere. Selvom dette giver mulighed for mere finkornet tilpasning af dine installationsprocesser, kan det også være farligt", + "Allow importing custom command-line arguments when importing packages from a bundle": "Tillad import af brugerdefinerede kommandolinje argumenter når pakker importeres fra en samling", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Malformerede kommandolinje argumenter kan ødelægge pakker, eller endda tillade en ondsindet aktør at få privilegeret udførelse. Derfor er import af brugerdefinerede kommandolinje argumenter deaktiveret som standard.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillad import af brugerdefinerede pre-install og post-install kommandoer når pakker importeres fra en samling", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre- og post-install kommandoer kan gøre meget uhyggelige ting med din enhed, hvis de er designet til det. Det kan være meget farligt at importere kommandoerne fra en samling, medmindre du stoler på kilden til denne pakkesamling", + "Administrator rights and other dangerous settings": "Administrator-rettigheder og andre farlige indstillinger", + "Package backup": "Pakkebackup", + "Cloud package backup": "Cloud pakke backup", + "Local package backup": "Lokal pakke backup", + "Local backup advanced options": "Avancerede muligheder for lokal backup", + "Log in with GitHub": "Log på med GitHub", + "Log out from GitHub": "Log af fra GitHub", + "Periodically perform a cloud backup of the installed packages": "Udfør periodisk en cloud backup af installerede pakker", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloud backup bruger en privat GitHub Gist til at gemme en liste over installerede pakker", + "Perform a cloud backup now": "Udfør en cloud backup nu", + "Backup": "Sikkerhedskopi", + "Restore a backup from the cloud": "Gendan en backup fra skyen", + "Begin the process to select a cloud backup and review which packages to restore": "Begynd processen til at vælge en cloud backup og gennemse hvilke pakker der skal gendannes", + "Periodically perform a local backup of the installed packages": "Udfør periodisk en lokal backup af installerede pakker", + "Perform a local backup now": "Udfør en lokal backup nu", + "Change backup output directory": "Ændre mappe for backup filer", + "Set a custom backup file name": "Vælg backup filnavn", + "Leave empty for default": "Efterlad blankt for standardindstilling", + "Add a timestamp to the backup file names": "Tilføj tidsstempel til backup filnavne", + "Backup and Restore": "Backup og Gendannelse", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiver baggrunds-API (Widgets til UniGetUI og Deling, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vent på, at enheden er forbundet til internettet, før der forsøges på at gøre noget, som kræver internetforbindelse.", + "Disable the 1-minute timeout for package-related operations": "Deaktiver 1-minuts timeout for pakkerelaterede operationer", + "Use installed GSudo instead of UniGetUI Elevator": "Brug installeret GSudo i stedet for UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Brug brugerdefineret ikon og screenshot database URL", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiver baggrunds CPU-brug optimeringer (se Pull Request #3278)", + "Perform integrity checks at startup": "Udfør integritetstjek ved opstart", + "When batch installing packages from a bundle, install also packages that are already installed": "Ved batch installation af pakker fra en samling, installer også pakker, der allerede er installeret", + "Experimental settings and developer options": "Eksperimentelle indstillinger samt udviklerindstillinger", + "Show UniGetUI's version and build number on the titlebar.": "Vis UniGetUI's version på titellinjen", + "Language": "Sprog", + "UniGetUI updater": "UniGetUI opdaterer", + "Telemetry": "Telemetri", + "Manage UniGetUI settings": "Administrer UniGetUI indstillinger", + "Related settings": "Relaterede indstillinger", + "Update WingetUI automatically": "Opdatér WingetUI automatisk", + "Check for updates": "Søg efter opdateringer", + "Install prerelease versions of UniGetUI": "Installer præ-release versioner af UniGetUI", + "Manage telemetry settings": "Administrer telemetriindstillinger", + "Manage": "Administrer", + "Import settings from a local file": "Importer indstillinger fra fil", + "Import": "Importer", + "Export settings to a local file": "Eksporter indstillinger til en fil", + "Export": "Eksporter", + "Reset WingetUI": "Nulstil WingetUI", + "Reset UniGetUI": "Nulstil UniGetUI", + "User interface preferences": "Brugerflade indstillinger", + "Application theme, startup page, package icons, clear successful installs automatically": "Applikationstema, startside, pakkeikoner, fjern successfulde installationer automatisk", + "General preferences": "Generelle indstillinger", + "WingetUI display language:": "WingetUI Sprog", + "Is your language missing or incomplete?": "Mangler dit sprog (helt eller delvist)?", + "Appearance": "Udseende", + "UniGetUI on the background and system tray": "UniGetUI i baggrunden og systembakken", + "Package lists": "Pakkelister", + "Close UniGetUI to the system tray": "Luk UniGetUI til systembakken", + "Show package icons on package lists": "Vis pakkeikoner på pakkelister", + "Clear cache": "Tøm cache", + "Select upgradable packages by default": "Vælg opgraderbare pakker som standard", + "Light": "Lys", + "Dark": "Mørk", + "Follow system color scheme": "Følg styresystemets farvetema", + "Application theme:": "Program udseende:", + "Discover Packages": "Søg efter pakker", + "Software Updates": "Pakke opdateringer", + "Installed Packages": "Installerede pakker", + "Package Bundles": "Pakke samlinger", + "Settings": "Indstillinger", + "UniGetUI startup page:": "UniGetUI startside:", + "Proxy settings": "Proxy indstillinger", + "Other settings": "Andre indstillinger", + "Connect the internet using a custom proxy": "Forbind internettet ved hjælp af en brugerdefineret proxy", + "Please note that not all package managers may fully support this feature": "Bemærk, at ikke alle pakkemanagere fuldt ud kan understøtte denne funktion", + "Proxy URL": "Proxy-URL", + "Enter proxy URL here": "Indtast proxy URL her", + "Package manager preferences": "Pakkemanager indstillinger", + "Ready": "Klar", + "Not found": "Ikke fundet", + "Notification preferences": "Notifikationspræferencer", + "Notification types": "Notifikationstyper", + "The system tray icon must be enabled in order for notifications to work": "Systemtray ikonen skal aktiveres for at notifikationer fungerer", + "Enable WingetUI notifications": "Aktiver UniGetUI notifikationer", + "Show a notification when there are available updates": "Vis notifikation når der er tilgængelige opdateringer", + "Show a silent notification when an operation is running": "Vis en lydløs notifikation når en handling kører", + "Show a notification when an operation fails": "Vis en notifikation når en handling mislykkes", + "Show a notification when an operation finishes successfully": "Vis en notifikation når en handling gennemføres med success", + "Concurrency and execution": "Samtidighed og udførelse", + "Automatic desktop shortcut remover": "Automatisk skrivebordsgenvej-fjerner", + "Clear successful operations from the operation list after a 5 second delay": "Fjern succesfulde operationer fra operationslisten med 5 sekunders forsinkelse", + "Download operations are not affected by this setting": "Download-operationer påvirkes ikke af denne indstilling", + "Try to kill the processes that refuse to close when requested to": "Forsøg at dræbe processerne, der nægter at lukke når der anmodes om det", + "You may lose unsaved data": "Du mister muligvis ikke-gemte data", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Spørg om at slette skrivebordsgenveje oprettet under en installation eller opgradering.", + "Package update preferences": "Pakke opdaterings præferencer", + "Update check frequency, automatically install updates, etc.": "Opdateringstjek frekvens, installer opdateringer automatisk osv.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reducér UAC prompte, elevér installationer som standard, lås visse farlige funktioner op osv.", + "Package operation preferences": "Pakkeoperations præferencer", + "Enable {pm}": "Aktiver {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Finder du ikke den fil, du leder efter? Sørg for, at den er blevet tilføjet til sti.", + "For security reasons, changing the executable file is disabled by default": "Af sikkerhedsmæssige årsager er ændring af den eksekverbare fil deaktiveret som standard", + "Change this": "Ændre dette", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vælg den eksekverbare fil der skal bruges. Følgende liste viser de eksekverbare filer fundet af UniGetUI", + "Current executable file:": "Aktuel eksekverbar fil:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorer pakker fra {pm} når der vises en notifikation om opdateringer", + "View {0} logs": "Vis {0} logfiler", + "Advanced options": "Avancerede muligheder", + "Reset WinGet": "Nulstil WinGet", + "This may help if no packages are listed": "Det kan hjælpe, hvis der ikke listes nogle pakker", + "Force install location parameter when updating packages with custom locations": "Tving installationslokations parameter når du opdaterer pakker med brugerdefinerede lokationer", + "Use bundled WinGet instead of system WinGet": "Brug den medleverede WinGet i stedet for systemets WinGet", + "This may help if WinGet packages are not shown": "Det kan hjælpe, hvis WinGet pakker ikke bliver vist", + "Install Scoop": "Installer Scoop", + "Uninstall Scoop (and its packages)": "Afinstaller Scoop (og dets pakker)", + "Run cleanup and clear cache": "Kør oprydning og ryd cache", + "Run": "Kør", + "Enable Scoop cleanup on launch": "Aktiver Scoop-oprydning ved programstart", + "Use system Chocolatey": "Brug systemets Chocolatey", + "Default vcpkg triplet": "Standard vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Sprog, tema og forskellige andre indstillinger", + "Show notifications on different events": "Vis notifikationer ved forskellige hændelser", + "Change how UniGetUI checks and installs available updates for your packages": "Bestem hvordan UniGetUI søger efter og installerer tilgængelige opdateringer for dine pakker", + "Automatically save a list of all your installed packages to easily restore them.": "Gem automatisk en liste af dine installerede pakker til genoprettelse.", + "Enable and disable package managers, change default install options, etc.": "Aktivér og deaktivér pakkemanagere, ændre standardinstallationsmuligheder osv.", + "Internet connection settings": "Internetforbindelsesindstillinger", + "Proxy settings, etc.": "Proxy indstillinger osv.", + "Beta features and other options that shouldn't be touched": "Beta funktionaliteter og andre indstillinger der ikke burde røres", + "Update checking": "Opdateringstjek", + "Automatic updates": "Automatiske opdateringer", + "Check for package updates periodically": "Søg efter pakke opdateringer periodisk", + "Check for updates every:": "Søg efter opdateringer hver:", + "Install available updates automatically": "Installer tilgængelige opdateringer automatisk", + "Do not automatically install updates when the network connection is metered": "Installer ikke automatisk opdateringer når netværksforbindelsen er målt", + "Do not automatically install updates when the device runs on battery": "Installer ikke automatisk opdateringer når enheden kører på batteri", + "Do not automatically install updates when the battery saver is on": "Installer ikke automatisk opdateringer når batteribesparelse er tændt", + "Change how UniGetUI handles install, update and uninstall operations.": "Ændre hvordan UniGetUI håndterer installations-, opdaterings- og afinstallationsoperationer.", + "Package Managers": "Pakkemanagere", + "More": "Mere", + "WingetUI Log": "WingetUI log", + "Package Manager logs": "Pakkemanager logs", + "Operation history": "Handlingshistorik", + "Help": "Hjælp", + "Order by:": "Sortering:", + "Name": "Navn", + "Id": "ID", + "Ascendant": "Stigende", + "Descendant": "Faldende", + "View mode:": "Visningsmode:", + "Filters": "Filtre", + "Sources": "Kilder", + "Search for packages to start": "Søg efter pakker for at komme i gang", + "Select all": "Vælg alle", + "Clear selection": "Ryd markeringer", + "Instant search": "Øjeblikkelig søgning", + "Distinguish between uppercase and lowercase": "Forskel på store- & små bogstaver", + "Ignore special characters": "Ignorer særlige bogstaver/tegn", + "Search mode": "Søge tilstand", + "Both": "Begge", + "Exact match": "Nøjagtigt match", + "Show similar packages": "Vis lignende pakker", + "No results were found matching the input criteria": "Ingen resultater fundet der opfylder valgte kriterier", + "No packages were found": "Ingen pakker blev fundet", + "Loading packages": "Indlæser pakker", + "Skip integrity checks": "Spring integritetstjeks over", + "Download selected installers": "Download valgte installationsprogrammer", + "Install selection": "Installer valgte", + "Install options": "Installationsmuligheder", + "Share": "Del", + "Add selection to bundle": "Tilføj til samling", + "Download installer": "Download installationsprogram", + "Share this package": "Del denne pakke", + "Uninstall selection": "Afinstallationsvalg", + "Uninstall options": "Afinstallationsmuligheder", + "Ignore selected packages": "Ignorer valgte pakker", + "Open install location": "Åbn installationslokation", + "Reinstall package": "Geninstaller pakke", + "Uninstall package, then reinstall it": "Afinstaller valgte pakke, og så geninstaller den", + "Ignore updates for this package": "Ignorer opdateringer for denne pakke", + "Do not ignore updates for this package anymore": "Ignorer ikke opdateringer for denne pakke mere", + "Add packages or open an existing package bundle": "Tilføj pakker eller åben en eksisterende pakke samling", + "Add packages to start": "Tilføj pakker til start", + "The current bundle has no packages. Add some packages to get started": "Den nuværende samling har ikke nogle pakker. Tilføj nogle pakker for at komme i gang", + "New": "Ny", + "Save as": "Gem som", + "Remove selection from bundle": "Fjern valgte fra samling", + "Skip hash checks": "Spring hash-tjeks over", + "The package bundle is not valid": "Pakkesamlingen er ikke gyldig", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Samlingen, du prøver at indlæse, ser ud til at være ugyldig. Tjek filen og prøv igen.", + "Package bundle": "Pakke samling", + "Could not create bundle": "Kunne ikke oprette samlingen", + "The package bundle could not be created due to an error.": "Pakkesamlingen kunne ikke oprettes på grund af en fejl.", + "Bundle security report": "Pakkesamlings sikkerhedsrapport", + "Hooray! No updates were found.": "Ingen opdateringer fundet.", + "Everything is up to date": "Alt er opdateret", + "Uninstall selected packages": "Afinstaller valgte pakker", + "Update selection": "Opdateringsvalg", + "Update options": "Opdateringsmuligheder", + "Uninstall package, then update it": "Afinstaller valgte pakke, og så opdater den (hvordan fungere det?)", + "Uninstall package": "Afinstaller pakke", + "Skip this version": "Spring denne version over", + "Pause updates for": "Pausér opdateringer for", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust pakkemanageren.
Indeholder: Rust biblioteker og programmer skrevet i Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows' egen Pakkemanager, hvor du kan finde det meste.
Indeholder:Generel software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "En samling af værktøjer og programmer til brug i Microsoft's .NET økosystem.
Indeholder .NET relaterede værktøjer og scripts", + "NuPkg (zipped manifest)": "NuPkg (zippet manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS's pakkemanager. Fuld af biblioteker og andre værktøjer, som omkranser Javascript verdenen
Indeholder: Node Javascript biblioteker og andre relaterede værktøjer", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python's biblioteksmanager. Fuld af python biblioteker og andre pythonrelaterede værktøjer
Indeholder: Python biblioteker og andre relaterede værktøjer", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell's pakkemanager. Find biblioteker og scripts til at udvide mulighederne i PowerShell
Indeholder: Moduler, Scripts, Cmdlets", + "extracted": "pakket ud", + "Scoop package": "Scoop pakke", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Fantastisk lager af ukendte, men brugbare værktøjer og andre interessante pakker.
Indeholder: Værktøjer, Kommandolinje programmer. Gemerel software (ekstra samling påkrævet)", + "library": "bibliotek", + "feature": "funktion", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "En populær C/C++ biblioteksmanager. Fuld af C/C++ biblioteker og andre C/C++ relaterede værktøjer
Indeholder: C/C++ biblioteker og relaterede værktøjer", + "option": "indstilling", + "This package cannot be installed from an elevated context.": "Denne pakke kan ikke installeres fra en kontekst med forhøjede rettigheder.", + "Please run UniGetUI as a regular user and try again.": "Kør UniGetUI som almindelig bruger og prøv igen.", + "Please check the installation options for this package and try again": "Kontroller installationsindstillingerne for denne pakke og prøv igen", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsofts officielle pakkemanager. Fuld af velkendte og verificerede pakker
Indeholder: Generel software, Microsoft Store apps", + "Local PC": "Lokal PC", + "Android Subsystem": "Android-undersystem", + "Operation on queue (position {0})...": "Handling er i kø (position {0})...", + "Click here for more details": "Klik her for yderligere detaljer", + "Operation canceled by user": "Handlingen blev annulleret af bruger", + "Starting operation...": "Starter handling...", + "{package} installer download": "{package} installationsprogram download", + "{0} installer is being downloaded": "{0} installationsprogram bliver downloaded", + "Download succeeded": "Download lykkedes", + "{package} installer was downloaded successfully": "{package} installationsprogram blev downloaded med success", + "Download failed": "Download mislykkedes", + "{package} installer could not be downloaded": "{package} installationsprogram kunne ikke downloades", + "{package} Installation": "{package} installation", + "{0} is being installed": "{0} bliver installeret", + "Installation succeeded": "Installation gennemført", + "{package} was installed successfully": "Installation af {package} gennemført", + "Installation failed": "Installation fejlede", + "{package} could not be installed": "{package} kunne ikke installeres", + "{package} Update": "{package} opdatering", + "{0} is being updated to version {1}": "{0} bliver opdateret til version {1}", + "Update succeeded": "Opdatering gennemført", + "{package} was updated successfully": "{package} opdatering gennemført", + "Update failed": "Opdatering fejlet", + "{package} could not be updated": "{package} kunne ikke opdateres", + "{package} Uninstall": "{package} afinstallation", + "{0} is being uninstalled": "{0} bliver afinstalleret", + "Uninstall succeeded": "Afinstallation gennemført", + "{package} was uninstalled successfully": "Afinstallation af {package} gennemført", + "Uninstall failed": "Afinstallering fejlede", + "{package} could not be uninstalled": "{package} kunne ikke afinstalleres", + "Adding source {source}": "Tilføjer kilden {source}", + "Adding source {source} to {manager}": "Tilføjer kilde {source} til {manager}", + "Source added successfully": "Kilde blev tilføjet med success", + "The source {source} was added to {manager} successfully": "Kilden {source} blev tilføjet til {manager} med success", + "Could not add source": "Kunne ikke tilføje kilde", + "Could not add source {source} to {manager}": "Kunne ikke tilføje kilde {source} til {manager}", + "Removing source {source}": "Fjerner kilde {source}", + "Removing source {source} from {manager}": "Fjerner kilde {source} fra {manager}", + "Source removed successfully": "Kilden blev fjernet med success", + "The source {source} was removed from {manager} successfully": "Kilden {source} blev fjernet fra {manager} med success", + "Could not remove source": "Kunne ikke fjerne kilde", + "Could not remove source {source} from {manager}": "Kunne ikke fjerne kilde {source} fra {manager}", + "The package manager \"{0}\" was not found": "Pakkemanageren \"{0}\" blev ikke fundet", + "The package manager \"{0}\" is disabled": "Pakkemanageren \"{0}\" er deaktiveret", + "There is an error with the configuration of the package manager \"{0}\"": "Der er en fejl i konfigurationen af pakkemanageren \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakken \"{0}\" blev ikke fundet via pakkemanager \"{1}\"", + "{0} is disabled": "{0} er slået fra", + "Something went wrong": "Noget gik galt", + "An interal error occurred. Please view the log for further details.": "En intern fejl opstod. Se i loggen for flere detaljer.", + "No applicable installer was found for the package {0}": "Der blev ikke fundet noget relevant installationsprogram til pakken {0}", + "We are checking for updates.": "Vi søger efter opdateringer.", + "Please wait": "Vent venligst", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} bliver downloaded.", + "This may take a minute or two": "Det kan tage et minut eller to", + "The installer authenticity could not be verified.": "Installationsprogrammets ægthed kunne ikke verificeres.", + "The update process has been aborted.": "Opdateringsprocessen er blevet afbrudt.", + "Great! You are on the latest version.": "Fantastisk! Du har den seneste version.", + "There are no new UniGetUI versions to be installed": "Der er ikke nogen nye UniGetUI versioner til installation.", + "An error occurred when checking for updates: ": "Der skete en fejl under søgning efter opdateringer:", + "UniGetUI is being updated...": "UniGetUI bliver opdateret...", + "Something went wrong while launching the updater.": "Noget gik galt ved afviklingen af opdateringen.", + "Please try again later": "Prøv igen senere", + "Integrity checks will not be performed during this operation": "Integritetstjek vil ikke blive udført under denne operation", + "This is not recommended.": "Dette er ikke anbefalet.", + "Run now": "Kør nu", + "Run next": "Kør næste", + "Run last": "Kør sidste", + "Retry as administrator": "Prøv igen som administrator", + "Retry interactively": "Prøv igen som interaktiv", + "Retry skipping integrity checks": "Prøv oversprungne integritetstjek igen", + "Installation options": "Installations muligheder", + "Show in explorer": "Vis i stifinder", + "This package is already installed": "Denne pakke er allerede installeret", + "This package can be upgraded to version {0}": "Denne pakke kan opgraderes til version {0}", + "Updates for this package are ignored": "Opdateringer til denne pakker bliver ignoreret", + "This package is being processed": "Denne pakke bliver behandlet", + "This package is not available": "Denne pakke er ikke tilgængelig", + "Select the source you want to add:": "Vælg kilden du vil tilføje:", + "Source name:": "Kilde navn:", + "Source URL:": "Kilde URL:", + "An error occurred": "Der skete en fejl", + "An error occurred when adding the source: ": "Der skete en fejl under tilføjelsen af kilden:", + "Package management made easy": "Pakkeadministration gjort let", + "version {0}": "udgave {0}", + "[RAN AS ADMINISTRATOR]": "KØRTE SOM ADMINISTRATOR", + "Portable mode": "Portabel tilstand\n", + "DEBUG BUILD": "DEBUG-BUILD", + "Available Updates": "Tilgængelige opdateringer", + "Show WingetUI": "Vis WingetUI", + "Quit": "Afslut", + "Attention required": "Opmærksomhed kræves", + "Restart required": "Genstart påkrævet", + "1 update is available": "1 opdatering tilgængelig", + "{0} updates are available": "{0} opdateringer tilgængelige", + "WingetUI Homepage": "WingetUI Startside", + "WingetUI Repository": "WingetUI Biblioteket", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Her kan du ændre UniGetUI's opførsel vedrørende følgende genveje. Markering af en genvej vil få UniGetUI til at slette den, hvis den oprettes under en fremtidig opgradering. Afmarkering af den vil beholde genvejen.", + "Manual scan": "Manuel scanning", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Eksisterende genveje på dit skrivebord vil blive scannet, og du vil være nødt til at vælge hvilke, der skal beholdes og hvilke, der skal fjernes.", + "Continue": "Fortsæt", + "Delete?": "Slet?", + "Missing dependency": "Manglende afhængighed", + "Not right now": "Ikke lige nu", + "Install {0}": "Installer {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI kræver {0} for at fungere, men det blev ikke fundet på dit system.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik på Installer for at starte installationsprocessen. Hvis du springer installationen over, vil UniGetUI muligvis ikke virke som forventet.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternative kan du også installere {0} ved at afvikle følgende kommando i en Windows PowerShell prompt:", + "Do not show this dialog again for {0}": "Vis ikke denne dialog igen for {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vent mens {0} bliver installeret. Et sort (eller blåt) vindue kan dukke up. Vent venligst på at det lukker.", + "{0} has been installed successfully.": "{0} er blevet installeret med success.", + "Please click on \"Continue\" to continue": "Klik på \"Fortsæt\" for at fortsætte", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} er blevet installeret med success. Det anbefales at genstarte UniGetUI for at færdiggøre installation", + "Restart later": "Genstart senere", + "An error occurred:": "Der opstod en fejl:", + "I understand": "Accepter", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI har været kørt som administrator, hvilket ikke anbefales. Når man kører UniGetUI som administrator vil ALLE handlinger startet fra UniGetUI have administratorrettigheder. Du kan stadig bruge programmet, men vi anbefaler kraftigt ikke at køre UniGetUI med administratorrettigheder.", + "WinGet was repaired successfully": "WinGet blev repareret med success", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Det anbefales at genstarte UniGetUI efter WinGet er blevet repareret", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "BEMÆRK: Denne problemløser kan deaktiveres fra UniGetUI Indstillinger i WinGet sektionen", + "Restart": "Genstart", + "WinGet could not be repaired": "WinGet kunne ikke repareres", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Et uventet problem opstod under forsøget på at reparere WinGet. Prøv igen senere.", + "Are you sure you want to delete all shortcuts?": "Er du sikker på, du vil slette alle genveje?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nye genveje oprettet under en installations- eller opdateringsoperation vil blive slettet automatisk i stedet for at bede om bekræftelse første gang, de bliver detekteret.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Genveje oprettet eller ændret uden for UniGetUI vil blive ignoreret. Du kan tilføje dem via {0} knappen.", + "Are you really sure you want to enable this feature?": "Er du virkelig sikker på, du ønsker at aktivere denne funktion?", + "No new shortcuts were found during the scan.": "Ingen nye genveje blev fundet under scanningstiden.", + "How to add packages to a bundle": "Hvordan tilføjes pakker til en samling", + "In order to add packages to a bundle, you will need to: ": "For at føje pakker til en samling, er du nødt til:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Naviger til \"{0}\" eller \"{1}\" siden.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Lokaliser de(n) pakke(r), du ønsker at tilføje til samlingen og vælg checkboksen længst til venstre.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Når pakkerne, du ønsker at tilføje til samlingen, er valgt, finder du indstillingen \"{0}\" på værktøjslinjen og klikker på den.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Dine pakker vil være tilføjet til samlingen. Du kan fortsætte med at tilføje pakker eller eksportere samlingen.", + "Which backup do you want to open?": "Hvilken backup ønsker du at åbne?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vælg den backup, du vil åbne. Senere vil du kunne gennemse hvilke pakker du vil installere.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Der er igangværende handlinger. Afslutning af UniGetUI kan betyde, at de mislykkes. Ønsker du at fortsætte?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller nogle af dets komponenter mangler eller er beskadigede.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Det anbefales stærkt at geninstallere UniGetUI for at løse situationen.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Se UniGetUI Logs for at få flere detaljer vedrørende de berørte fil(er)", + "Integrity checks can be disabled from the Experimental Settings": "Integritetstjek kan deaktiveres fra Eksperimentelle Indstillinger", + "Repair UniGetUI": "Reparer UniGetUI", + "Live output": "Live-output", + "Package not found": "Pakke ikke fundet", + "An error occurred when attempting to show the package with Id {0}": "Der opstod en fejl under forsøget på at vise pakken med Id {0}", + "Package": "Pakke", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denne pakkesamling havde nogle indstillinger, der er potentielt farlige, og kan blive ignoreret som standard.", + "Entries that show in YELLOW will be IGNORED.": "Indlæg der vises i GUL vil blive IGNORERET.", + "Entries that show in RED will be IMPORTED.": "Indlæg der vises i RØD vil blive IMPORTERET.", + "You can change this behavior on UniGetUI security settings.": "Du kan ændre denne opførsel i UniGetUI sikkerhedsindstillinger.", + "Open UniGetUI security settings": "Åbn UniGetUI sikkerhedsindstillinger", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Hvis du ændrer sikkerhedsindstillingerne, skal du åbne samlingen igen, for at ændringerne træder i kraft.", + "Details of the report:": "Detaljer om rapporten:", "\"{0}\" is a local package and can't be shared": "\"{0}\" er en lokal pakke og kan ikke deles", + "Are you sure you want to create a new package bundle? ": "Er du sikker på, at du vil oprette en ny pakkesamling?", + "Any unsaved changes will be lost": "Alle ikke-gemte ændringer vil blive mistet.", + "Warning!": "Advarsel!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Af sikkerhedsmæssige årsager er brugerdefinerede kommandolinje argumenter deaktiveret som standard. Gå til UniGetUI sikkerhedsindstillinger for at ændre dette. ", + "Change default options": "Ændre standardmuligheder", + "Ignore future updates for this package": "Ignorer fremtidige opdateringer til denne pakke", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Af sikkerhedsmæssige årsager er pre-operation og post-operation scripts deaktiveret som standard. Gå til UniGetUI sikkerhedsindstillinger for at ændre dette. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definere de kommandoer, der vil blive kørt før eller efter denne pakke installeres, opdateres eller afinstalleres. De køres på en kommandoprompt, så CMD-scripts virker her.", + "Change this and unlock": "Ændre dette og lås op", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Installationsmuligheder er i øjeblikket låste, fordi {0} følger standardinstallationsmulighederne.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vælg de processer, der skal lukkes, før denne pakke installeres, opdateres eller afinstalleres.", + "Write here the process names here, separated by commas (,)": "Skriv her processnavnene, adskilt af kommaer (,)", + "Unset or unknown": "Ikke angivet eller ukendt", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Se Kommandolinje Output eller i Handlingshistorikken for yderligere information om dette problem.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denne pakke har ingen skærmbilleder eller mangler ikonet? Bidrag til UniGetUI ved at tilføje manglende ikoner og skærmbilleder til vores åbne, offentlige database.", + "Become a contributor": "Bidrag selv til udviklingen", + "Save": "Gem", + "Update to {0} available": "Opdatering til {0} tilgængelig", + "Reinstall": "Geninstaller", + "Installer not available": "Installationsprogram er ikke tilgængeligt", + "Version:": "Udgave:", + "Performing backup, please wait...": "Laver backup, vent venligst...", + "An error occurred while logging in: ": "Der opstod en fejl under login: ", + "Fetching available backups...": "Henter tilgængelige backups...", + "Done!": "Færdig!", + "The cloud backup has been loaded successfully.": "Cloud backuppen er blevet indlæst med succes.", + "An error occurred while loading a backup: ": "Der opstod en fejl under indlæsning af en sikkerhedskopi: ", + "Backing up packages to GitHub Gist...": "Laver backup af pakker til GitHub Gist...", + "Backup Successful": "Backup vellykket", + "The cloud backup completed successfully.": "Cloud backuppen blev gennemført med succes.", + "Could not back up packages to GitHub Gist: ": "Kunne ikke lave backup af pakker til GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Det er ikke garanteret, at de leverede legitimationsoplysninger bliver gemt sikkert, så du kan lige så godt ikke bruge legitimationsoplysningerne fra din bankkonto", + "Enable the automatic WinGet troubleshooter": "Aktiver den automatiske WinGet problemløser", + "Enable an [experimental] improved WinGet troubleshooter": "Aktiver en [eksperimentel] forbedret WinGet problemløser", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Tilføj opdateringer, som mislykkes med en 'ingen relevante opdateriinger fundet' til listen over ignorerede opdateringer", + "Restart WingetUI to fully apply changes": "Genstart WingetUI for at gennemføre ændringer", + "Restart WingetUI": "Genstart WingetUI", + "Invalid selection": "Ugyldigt valg", + "No package was selected": "Ingen pakke blev valgt", + "More than 1 package was selected": "Mere end 1 pakke blev valgt", + "List": "Listevisning", + "Grid": "Gittervisning", + "Icons": "Ikoner", "\"{0}\" is a local package and does not have available details": "\"{0}\" er en lokal pakke og har ikke tilgængelige detaljer", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" er en lokal pakke og er ikke kompatibel med denne funktion", - "(Last checked: {0})": "(Sidst tjekket: {0})", + "WinGet malfunction detected": "WinGet-fejl fundet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det ser ud til, at WinGet ikke fungerer ordentligt. Ønsker du at forsøge at reparere WinGet?", + "Repair WinGet": "Reparer WinGet", + "Create .ps1 script": "Opret .ps1 script", + "Add packages to bundle": "Tilføj pakker til samling", + "Preparing packages, please wait...": "Klargøre pakker, vent venligst...", + "Loading packages, please wait...": "Indlæser pakker, vent venligst...", + "Saving packages, please wait...": "Gemmer pakker, vent venligst...", + "The bundle was created successfully on {0}": "Samlingen blev skabt med succes på {0}", + "Install script": "Installationsscript", + "The installation script saved to {0}": "Installationscriptet gemmet på {0}", + "An error occurred while attempting to create an installation script:": "Der opstod en fejl under forsøget på at oprette et installationsscript:", + "{0} packages are being updated": "{0} pakker der bliver opdateret", + "Error": "Fejl", + "Log in failed: ": "Login fejlede: ", + "Log out failed: ": "Logoff fejlede: ", + "Package backup settings": "Pakke backup indstillinger", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nummer {0} i køen)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@mikkolukas, @yrjarv, @AAUCrisp, @siewers, @bstordrup", "0 packages found": "0 pakker fundet", "0 updates found": "0 opdateringer fundet", - "1 - Errors": "1 fejl", - "1 day": "1 dag", - "1 hour": "1 time", "1 month": "1 måned", "1 package was found": "1 pakke fundet", - "1 update is available": "1 opdatering tilgængelig", - "1 week": "1 uge", "1 year": "1 år", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Naviger til \"{0}\" eller \"{1}\" siden.", - "2 - Warnings": "2 - Advarsler", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Lokaliser de(n) pakke(r), du ønsker at tilføje til samlingen og vælg checkboksen længst til venstre.", - "3 - Information (less)": "3 - Information (mindre)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Når pakkerne, du ønsker at tilføje til samlingen, er valgt, finder du indstillingen \"{0}\" på værktøjslinjen og klikker på den.", - "4 - Information (more)": "4 - Information (mere)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Dine pakker vil være tilføjet til samlingen. Du kan fortsætte med at tilføje pakker eller eksportere samlingen.", - "5 - information (debug)": "5 - Information (fejlsøgning)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "En populær C/C++ biblioteksmanager. Fuld af C/C++ biblioteker og andre C/C++ relaterede værktøjer
Indeholder: C/C++ biblioteker og relaterede værktøjer", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "En samling af værktøjer og programmer til brug i Microsoft's .NET økosystem.
Indeholder .NET relaterede værktøjer og scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "En samling af værktøjer til brug i Microsoft's .NET økosystem.
Indeholder .NET relaterede værktøjer", "A restart is required": "Genstart af WingetUI påkrævet", - "Abort install if pre-install command fails": "Afbryd installation hvis kommandoen før installation mislykkes", - "Abort uninstall if pre-uninstall command fails": "Afbryd afinstallation hvis kommandoen før afinstallation mislykkes", - "Abort update if pre-update command fails": "Afbryd opdatering hvis kommandoen før opdatering mislykkes", - "About": "Om", "About Qt6": "Om Qt6", - "About WingetUI": "Om UniGetUI", "About WingetUI version {0}": "Om UniGetUI version {0}", "About the dev": "Om udvikleren", - "Accept": "Accepter", "Action when double-clicking packages, hide successful installations": "Skjul gennemførte installationer ved dobbeltklik", - "Add": "Tilføj", "Add a source to {0}": "Tilføj kilde til {0}", - "Add a timestamp to the backup file names": "Tilføj tidsstempel til backup filnavne", "Add a timestamp to the backup files": "Tilføj tidsstempel til backup filerne", "Add packages or open an existing bundle": "Tilføj pakker eller åben en eksisterende samling", - "Add packages or open an existing package bundle": "Tilføj pakker eller åben en eksisterende pakke samling", - "Add packages to bundle": "Tilføj pakker til samling", - "Add packages to start": "Tilføj pakker til start", - "Add selection to bundle": "Tilføj til samling", - "Add source": "Tilføj kilde", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Tilføj opdateringer, som mislykkes med en 'ingen relevante opdateriinger fundet' til listen over ignorerede opdateringer", - "Adding source {source}": "Tilføjer kilden {source}", - "Adding source {source} to {manager}": "Tilføjer kilde {source} til {manager}", "Addition succeeded": "Tilføjelse gennemført", - "Administrator privileges": "Administratorrettigheder", "Administrator privileges preferences": "Administratorindstillinger", "Administrator rights": "Administrationsrettigheder", - "Administrator rights and other dangerous settings": "Administrator-rettigheder og andre farlige indstillinger", - "Advanced options": "Avancerede muligheder", "All files": "Alle filer", - "All versions": "Alle versioner", - "Allow changing the paths for package manager executables": "Tillad ændring af stier for pakkemanager programmer", - "Allow custom command-line arguments": "Tillad brugerdefinerede kommandolinje argumenter", - "Allow importing custom command-line arguments when importing packages from a bundle": "Tillad import af brugerdefinerede kommandolinje argumenter når pakker importeres fra en samling", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillad import af brugerdefinerede pre-install og post-install kommandoer når pakker importeres fra en samling", "Allow package operations to be performed in parallel": "Tillad pakke handlinger at blive gjort parallelt", "Allow parallel installs (NOT RECOMMENDED)": "Tillad installation af flere på samme tid (ANBEFALES IKKE)", - "Allow pre-release versions": "Tillad pre-release versioner", "Allow {pm} operations to be performed in parallel": "Tillad {pm} operationer på samme tid", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternative kan du også installere {0} ved at afvikle følgende kommando i en Windows PowerShell prompt:", "Always elevate {pm} installations by default": "Altid kør {pm} installationer med forhøjede rettigheder", "Always run {pm} operations with administrator rights": "Altid kør {pm} operationer med administrator rettigheder", - "An error occurred": "Der skete en fejl", - "An error occurred when adding the source: ": "Der skete en fejl under tilføjelsen af kilden:", - "An error occurred when attempting to show the package with Id {0}": "Der opstod en fejl under forsøget på at vise pakken med Id {0}", - "An error occurred when checking for updates: ": "Der skete en fejl under søgning efter opdateringer:", - "An error occurred while attempting to create an installation script:": "Der opstod en fejl under forsøget på at oprette et installationsscript:", - "An error occurred while loading a backup: ": "Der opstod en fejl under indlæsning af en sikkerhedskopi: ", - "An error occurred while logging in: ": "Der opstod en fejl under login: ", - "An error occurred while processing this package": "Der skete en fejl ved kørsel af denne pakke", - "An error occurred:": "Der opstod en fejl:", - "An interal error occurred. Please view the log for further details.": "En intern fejl opstod. Se i loggen for flere detaljer.", "An unexpected error occurred:": "En unventet fejl opstod:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Et uventet problem opstod under forsøget på at reparere WinGet. Prøv igen senere.", - "An update was found!": "Fundet en opdatering.", - "Android Subsystem": "Android-undersystem", "Another source": "Anden kilde", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nye genveje oprettet under en installations- eller opdateringsoperation vil blive slettet automatisk i stedet for at bede om bekræftelse første gang, de bliver detekteret.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Genveje oprettet eller ændret uden for UniGetUI vil blive ignoreret. Du kan tilføje dem via {0} knappen.", - "Any unsaved changes will be lost": "Alle ikke-gemte ændringer vil blive mistet.", "App Name": "App Navn", - "Appearance": "Udseende", - "Application theme, startup page, package icons, clear successful installs automatically": "Applikationstema, startside, pakkeikoner, fjern successfulde installationer automatisk", - "Application theme:": "Program udseende:", - "Apply": "Anvend", - "Architecture to install:": "Installation af arkitektur:", "Are these screenshots wron or blurry?": "Er disse skærmbilleder forkerte eller utydelige?", - "Are you really sure you want to enable this feature?": "Er du virkelig sikker på, du ønsker at aktivere denne funktion?", - "Are you sure you want to create a new package bundle? ": "Er du sikker på, at du vil oprette en ny pakkesamling?", - "Are you sure you want to delete all shortcuts?": "Er du sikker på, du vil slette alle genveje?", - "Are you sure?": "Er du sikker?", - "Ascendant": "Stigende", - "Ask for administrator privileges once for each batch of operations": "Anmod om administrator rettigheder én gang, for hver samling af operationer", "Ask for administrator rights when required": "Anmod om administrator rettigheder når nødvendigt", "Ask once or always for administrator rights, elevate installations by default": "Spørg altid eller én gang om administrator rettigheder til installationer.", - "Ask only once for administrator privileges": "Spørg kun én gang om administrator-rettigheder", "Ask only once for administrator privileges (not recommended)": "Spørg kun om administrator rettigheder én gang (ikke anbefalet)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Spørg om at slette skrivebordsgenveje oprettet under en installation eller opgradering.", - "Attention required": "Opmærksomhed kræves", "Authenticate to the proxy with an user and a password": "Autentificér til proxy med brugernavn og adgangskode", - "Author": "Udvikler", - "Automatic desktop shortcut remover": "Automatisk skrivebordsgenvej-fjerner", - "Automatic updates": "Automatiske opdateringer", - "Automatically save a list of all your installed packages to easily restore them.": "Gem automatisk en liste af dine installerede pakker til genoprettelse.", "Automatically save a list of your installed packages on your computer.": "Gem automatisk en liste af dine installerede pakker på din computer.", - "Automatically update this package": "Opdater denne pakke automatisk", "Autostart WingetUI in the notifications area": "Start WingetUI automatisk i notifikations området", - "Available Updates": "Tilgængelige opdateringer", "Available updates: {0}": "Tilgængelige opdateringer: {0}", "Available updates: {0}, not finished yet...": "Tilgængelige opdateringer: {0}, endnu ikke færdiggjorte...", - "Backing up packages to GitHub Gist...": "Laver backup af pakker til GitHub Gist...", - "Backup": "Sikkerhedskopi", - "Backup Failed": "Backup fejlede", - "Backup Successful": "Backup vellykket", - "Backup and Restore": "Backup og Gendannelse", "Backup installed packages": "Lav backup af installerede pakker", "Backup location": "Backup lokation", - "Become a contributor": "Bidrag selv til udviklingen", - "Become a translator": "Bidrag selv til oversættelse", - "Begin the process to select a cloud backup and review which packages to restore": "Begynd processen til at vælge en cloud backup og gennemse hvilke pakker der skal gendannes", - "Beta features and other options that shouldn't be touched": "Beta funktionaliteter og andre indstillinger der ikke burde røres", - "Both": "Begge", - "Bundle security report": "Pakkesamlings sikkerhedsrapport", "But here are other things you can do to learn about WingetUI even more:": "Her er der flere ting du kan gøre for at lære endnu mere om WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ved at fravælge en pakkemanager vil du ikke længere kunne se eller opdatere dens pakker.", "Cache administrator rights and elevate installers by default": "Gem administrator rettigheder i cache, og giv forhøjede rettigheder automatisk", "Cache administrator rights, but elevate installers only when required": "Gem administrator rettigheder i cache, men giv kun forhøjede rettigheder når nødvendigt", "Cache was reset successfully!": "Tømning af cache gennemført", "Can't {0} {1}": "Kan ikke {0} {1}", - "Cancel": "Annuller", "Cancel all operations": "Annuller alle operationer", - "Change backup output directory": "Ændre mappe for backup filer", - "Change default options": "Ændre standardmuligheder", - "Change how UniGetUI checks and installs available updates for your packages": "Bestem hvordan UniGetUI søger efter og installerer tilgængelige opdateringer for dine pakker", - "Change how UniGetUI handles install, update and uninstall operations.": "Ændre hvordan UniGetUI håndterer installations-, opdaterings- og afinstallationsoperationer.", "Change how UniGetUI installs packages, and checks and installs available updates": "Bestem hvordan UniGetUI installerer pakker og søger efter og installerer tilgængelige opdateringer", - "Change how operations request administrator rights": "Ændre hvordan operationer anmoder om administrator-rettigheder", "Change install location": "Ændre installations placering", - "Change this": "Ændre dette", - "Change this and unlock": "Ændre dette og lås op", - "Check for package updates periodically": "Søg efter pakke opdateringer periodisk", - "Check for updates": "Søg efter opdateringer", - "Check for updates every:": "Søg efter opdateringer hver:", "Check for updates periodically": "Søg efter opdateringer periodisk", "Check for updates regularly, and ask me what to do when updates are found.": "Søg efter opdateringer automatisk, og spørg før installation.", "Check for updates regularly, and automatically install available ones.": "Søg efter og installer opdateringer automatisk.", @@ -159,916 +741,335 @@ "Checking for updates...": "Søger efter opdateringer...", "Checking found instace(s)...": "Undersøger fundne instans(er)...", "Choose how many operations shouls be performed in parallel": "Vælge hvor mange operationer der skal udføres parallelt", - "Clear cache": "Tøm cache", "Clear finished operations": "Ryd færdige operationer", - "Clear selection": "Ryd markeringer", "Clear successful operations": "Fjern succesfulde operationer", - "Clear successful operations from the operation list after a 5 second delay": "Fjern succesfulde operationer fra operationslisten med 5 sekunders forsinkelse", "Clear the local icon cache": "Tøm den lokale ikon-cache", - "Clearing Scoop cache - WingetUI": "Fjerner Scoop cache - WingetUI", "Clearing Scoop cache...": "Fjerner Scoop cache...", - "Click here for more details": "Klik her for yderligere detaljer", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik på Installer for at starte installationsprocessen. Hvis du springer installationen over, vil UniGetUI muligvis ikke virke som forventet.", - "Close": "Luk", - "Close UniGetUI to the system tray": "Luk UniGetUI til systembakken", "Close WingetUI to the notification area": "Luk WingetUI til notifikationsområdet", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloud backup bruger en privat GitHub Gist til at gemme en liste over installerede pakker", - "Cloud package backup": "Cloud pakke backup", "Command-line Output": "Kommandolinje Output", - "Command-line to run:": "Kommandolinje til kørsel:", "Compare query against": "Sammenlign forespørgsel med", - "Compatible with authentication": "Kompatibel med autentificering", - "Compatible with proxy": "Kompatibel med proxy", "Component Information": "Komponent Information", - "Concurrency and execution": "Samtidighed og udførelse", - "Connect the internet using a custom proxy": "Forbind internettet ved hjælp af en brugerdefineret proxy", - "Continue": "Fortsæt", "Contribute to the icon and screenshot repository": "Bidrag til ikon og screenshot samlingen", - "Contributors": "Bidragydere", "Copy": "Kopier", - "Copy to clipboard": "Kopier til udklipsholder", - "Could not add source": "Kunne ikke tilføje kilde", - "Could not add source {source} to {manager}": "Kunne ikke tilføje kilde {source} til {manager}", - "Could not back up packages to GitHub Gist: ": "Kunne ikke lave backup af pakker til GitHub Gist: ", - "Could not create bundle": "Kunne ikke oprette samlingen", "Could not load announcements - ": "Kunne ikke hente beskeder - ", "Could not load announcements - HTTP status code is $CODE": "Kunne ikke hente beskeder - HTTP status kode er $CODE", - "Could not remove source": "Kunne ikke fjerne kilde", - "Could not remove source {source} from {manager}": "Kunne ikke fjerne kilde {source} fra {manager}", "Could not remove {source} from {manager}": "Kunne ikke fjerne {source} fra {manager}", - "Create .ps1 script": "Opret .ps1 script", - "Credentials": "Log-på oplysninger", "Current Version": "Nuværende version", - "Current executable file:": "Aktuel eksekverbar fil:", - "Current status: Not logged in": "Nuværende status: Ikke logget på", "Current user": "Nuværende bruger", "Custom arguments:": "Brugerdefinerede argumenter:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Brugerdefinerede kommandolinje argumenter kan ændre den måde, programmer installeres, opgraderes eller afinstalleres på, på en måde UniGetUI ikke kan kontrollere. Brug af brugerdefinerede kommandolinjer kan ødelægge pakker. Fortsæt med forsigtighed.", "Custom command-line arguments:": "Brugerdefinerede command-line argumenter:", - "Custom install arguments:": "Brugerdefinerede installations argumenter:", - "Custom uninstall arguments:": "Brugerdefinerede afinstallations argumenter:", - "Custom update arguments:": "Brugerdefinerede opdaterings argumenter:", "Customize WingetUI - for hackers and advanced users only": "Personliggør WingetUI - kun for advancerede bruger", - "DEBUG BUILD": "DEBUG-BUILD", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ADVARSEL: Vi er ikke ansvarlige for hentede pakker. Installer venligst kun software der er tillid til!", - "Dark": "Mørk", - "Decline": "Afvis", - "Default": "Standard", - "Default installation options for {0} packages": "Standardinstallationsmuligheder for {0} pakker", "Default preferences - suitable for regular users": "Standard indstillinger - Anbefalet til almindelige brugere", - "Default vcpkg triplet": "Standard vcpkg triplet", - "Delete?": "Slet?", - "Dependencies:": "Afhængigheder:", - "Descendant": "Faldende", "Description:": "Beskrivelse:", - "Desktop shortcut created": "Skrivebordsgenvej oprettet", - "Details of the report:": "Detaljer om rapporten:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Software udvikling er hårdt, og det her program er gratis. Hvis du kan lide programmet, kan du altid købe mig en kaffe :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installer ved dobbeltklik på en pakke i \"{discoveryTab}\" (istedet for at vise pakke-info)", "Disable new share API (port 7058)": "Deaktiver nyt share API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Deaktiver 1-minuts timeout for pakkerelaterede operationer", - "Disabled": "Deaktiveret", - "Disclaimer": "Ansvarsfraskrivelse", - "Discover Packages": "Søg efter pakker", "Discover packages": "Søg efter pakker", "Distinguish between\nuppercase and lowercase": "Forskel på store- & små bogstaver", - "Distinguish between uppercase and lowercase": "Forskel på store- & små bogstaver", "Do NOT check for updates": "Søg IKKE efter opdateringer", "Do an interactive install for the selected packages": "Foretag en interaktiv installation af de valgte pakker", "Do an interactive uninstall for the selected packages": "Foretag en interaktiv afinstallation af de valgte pakker", "Do an interactive update for the selected packages": "Foretag en interaktiv opdatering af de valgte pakker", - "Do not automatically install updates when the battery saver is on": "Installer ikke automatisk opdateringer når batteribesparelse er tændt", - "Do not automatically install updates when the device runs on battery": "Installer ikke automatisk opdateringer når enheden kører på batteri", - "Do not automatically install updates when the network connection is metered": "Installer ikke automatisk opdateringer når netværksforbindelsen er målt", "Do not download new app translations from GitHub automatically": "Download ikke nye applicaktionsoversættelser fra GitHub automatisk", - "Do not ignore updates for this package anymore": "Ignorer ikke opdateringer for denne pakke mere", "Do not remove successful operations from the list automatically": "Fjern ikke succesfulde operationer fra listen automatisk", - "Do not show this dialog again for {0}": "Vis ikke denne dialog igen for {0}", "Do not update package indexes on launch": "Opdater ikke pakkeindex ved programstart", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepterer du, at UniGetUI indsamler og sender anonyme brugsstatistikker med det ene formål at forstå og forbedre brugeroplevelsen?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Synes du, at UniGetUI er brugbar? Hvis du gør, vil du måske støtte mit arbejde, så jeg kan fortsætte med at gøre UniGetUI til den ultimative pakkemanager brugergrænseflade.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Synes du, at UniGetUI er brugbar? Har du lyst til at støtte udvikleren? Hvis du gør, kan du {0}. Det hjælper meget!", - "Do you really want to reset this list? This action cannot be reverted.": "Ønsker du virkelig at nulstille denne liste? Handlingen kan ikke føres tilbage.", - "Do you really want to uninstall the following {0} packages?": "Ønsker du virkelig at afinstallere følgende {0} pakker?", "Do you really want to uninstall {0} packages?": "Ønsker du virkelig at afinstallere {0} pakker?", - "Do you really want to uninstall {0}?": "Ønsker du virkelig at afinstallere {0}?", "Do you want to restart your computer now?": "Ønsker du at genstarte computeren nu?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Har du lyst til at hjælpe med at oversætte WingetUI til dit sprog? Se hvordag du kan bidrage her!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Ikke lyst til at donere? Bare rolig, du kan altid dele UniGetUI med dine venner. Fortæl om UniGetUI.", "Donate": "Giv et tilskud", - "Done!": "Færdig!", - "Download failed": "Download mislykkedes", - "Download installer": "Download installationsprogram", - "Download operations are not affected by this setting": "Download-operationer påvirkes ikke af denne indstilling", - "Download selected installers": "Download valgte installationsprogrammer", - "Download succeeded": "Download lykkedes", "Download updated language files from GitHub automatically": "Download opdaterede sprogfiler fra GitHub automatisk", "Downloading": "Downloader", - "Downloading backup...": "Downloader backup...", "Downloading installer for {package}": "Download installationsprogram til {package}", "Downloading package metadata...": "Downloader pakke metadata...", - "Enable Scoop cleanup on launch": "Aktiver Scoop-oprydning ved programstart", - "Enable WingetUI notifications": "Aktiver UniGetUI notifikationer", - "Enable an [experimental] improved WinGet troubleshooter": "Aktiver en [eksperimentel] forbedret WinGet problemløser", - "Enable and disable package managers, change default install options, etc.": "Aktivér og deaktivér pakkemanagere, ændre standardinstallationsmuligheder osv.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiver baggrunds CPU-brug optimeringer (se Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiver baggrunds-API (Widgets til UniGetUI og Deling, port 7058)", - "Enable it to install packages from {pm}.": "Aktiver det for at installere pakker fra {pm}.", - "Enable the automatic WinGet troubleshooter": "Aktiver den automatiske WinGet problemløser", "Enable the new UniGetUI-Branded UAC Elevator": "Aktiver den nye UniGetUI-brandede UAC prompt", "Enable the new process input handler (StdIn automated closer)": "Aktivér den nye processinput-handler (StdIn automatisk lukkeren)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiver nedenstående indstillinger HVIS OG KUN HVIS du fuldt ud forstår hvad de gør, og de implikationer og farer de kan indebære.", - "Enable {pm}": "Aktiver {pm}", - "Enabled": "Aktiveret", - "Enter proxy URL here": "Indtast proxy URL her", - "Entries that show in RED will be IMPORTED.": "Indlæg der vises i RØD vil blive IMPORTERET.", - "Entries that show in YELLOW will be IGNORED.": "Indlæg der vises i GUL vil blive IGNORERET.", - "Error": "Fejl", - "Everything is up to date": "Alt er opdateret", - "Exact match": "Nøjagtigt match", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Eksisterende genveje på dit skrivebord vil blive scannet, og du vil være nødt til at vælge hvilke, der skal beholdes og hvilke, der skal fjernes.", - "Expand version": "Udvid version", - "Experimental settings and developer options": "Eksperimentelle indstillinger samt udviklerindstillinger", - "Export": "Eksporter", - "Export log as a file": "Eksportér log som en fil", - "Export packages": "Eksporter pakker", - "Export selected packages to a file": "Eksporter valgte pakker til en fil", - "Export settings to a local file": "Eksporter indstillinger til en fil", - "Export to a file": "Eksporter til fil", - "Failed": "Fejlet", - "Fetching available backups...": "Henter tilgængelige backups...", + "Export log as a file": "Eksportér log som en fil", + "Export packages": "Eksporter pakker", + "Export selected packages to a file": "Eksporter valgte pakker til en fil", "Fetching latest announcements, please wait...": "Henter seneste besked, vent venligst...", - "Filters": "Filtre", "Finish": "Afslut", - "Follow system color scheme": "Følg styresystemets farvetema", - "Follow the default options when installing, upgrading or uninstalling this package": "Følg standardmulighederne ved installation, opgradering eller afinstallation af denne pakke", - "For security reasons, changing the executable file is disabled by default": "Af sikkerhedsmæssige årsager er ændring af den eksekverbare fil deaktiveret som standard", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Af sikkerhedsmæssige årsager er brugerdefinerede kommandolinje argumenter deaktiveret som standard. Gå til UniGetUI sikkerhedsindstillinger for at ændre dette. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Af sikkerhedsmæssige årsager er pre-operation og post-operation scripts deaktiveret som standard. Gå til UniGetUI sikkerhedsindstillinger for at ændre dette. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Tving ARM kompileret version af Winget (KUN TIL ARM64 SYSTEMER)", - "Force install location parameter when updating packages with custom locations": "Tving installationslokations parameter når du opdaterer pakker med brugerdefinerede lokationer", "Formerly known as WingetUI": "Tidligere kendt som WingetUI", "Found": "Fundet", "Found packages: ": "Fundne pakker", "Found packages: {0}": "Fundne pakker: {0}", "Found packages: {0}, not finished yet...": "Fundne pakker: {0}, endnu ikke færdig...", - "General preferences": "Generelle indstillinger", "GitHub profile": "GitHub-profil", "Global": "Globalt", - "Go to UniGetUI security settings": "Gå til UniGetUI sikkerhedsindstillinger", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Fantastisk lager af ukendte, men brugbare værktøjer og andre interessante pakker.
Indeholder: Værktøjer, Kommandolinje programmer. Gemerel software (ekstra samling påkrævet)", - "Great! You are on the latest version.": "Fantastisk! Du har den seneste version.", - "Grid": "Gittervisning", - "Help": "Hjælp", "Help and documentation": "Hjælp og dokumentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Her kan du ændre UniGetUI's opførsel vedrørende følgende genveje. Markering af en genvej vil få UniGetUI til at slette den, hvis den oprettes under en fremtidig opgradering. Afmarkering af den vil beholde genvejen.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hej, mit navn er Martí og jeg er udvikleren af WingetUI. WingetUI er udelukkende blevet bygget i min fritid!", "Hide details": "Skjul detaljer", - "Homepage": "Startside", - "homepage": "startside", - "Hooray! No updates were found.": "Ingen opdateringer fundet.", "How should installations that require administrator privileges be treated?": "Hvordan behandles installationer, som kræver administratorrettigheder?", - "How to add packages to a bundle": "Hvordan tilføjes pakker til en samling", - "I understand": "Accepter", - "Icons": "Ikoner", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Hvis du har cloud backup aktiveret, gemmes det som en GitHub Gist på denne konto", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillad brugerdefinerede pre-install og post-install kommandoer til at blive kørt", - "Ignore future updates for this package": "Ignorer fremtidige opdateringer til denne pakke", - "Ignore packages from {pm} when showing a notification about updates": "Ignorer pakker fra {pm} når der vises en notifikation om opdateringer", - "Ignore selected packages": "Ignorer valgte pakker", - "Ignore special characters": "Ignorer særlige bogstaver/tegn", "Ignore updates for the selected packages": "Ignorer opdateringer for de valgte pakker", - "Ignore updates for this package": "Ignorer opdateringer for denne pakke", "Ignored updates": "Ignorerede opdateringer", - "Ignored version": "Ignoreret version", - "Import": "Importer", "Import packages": "Importer pakker", "Import packages from a file": "Importer pakker fra fil", - "Import settings from a local file": "Importer indstillinger fra fil", - "In order to add packages to a bundle, you will need to: ": "For at føje pakker til en samling, er du nødt til:", "Initializing WingetUI...": "Klargøre WingetUI", - "Install": "Installer", - "install": "installer", - "Install Scoop": "Installer Scoop", "Install and more": "Installer og mere", "Install and update preferences": "Installations- og opdateringspræferencer", - "Install as administrator": "Installér som administrator", - "Install available updates automatically": "Installer tilgængelige opdateringer automatisk", - "Install location can't be changed for {0} packages": "Installationslokation kan ikke ændres for {0} pakker", - "Install location:": "Installations placering", - "Install options": "Installationsmuligheder", "Install packages from a file": "Installer pakker fra fil", - "Install prerelease versions of UniGetUI": "Installer præ-release versioner af UniGetUI", - "Install script": "Installationsscript", "Install selected packages": "Installer valgte pakker", "Install selected packages with administrator privileges": "Installer valgte pakker med administrator rettigheder", - "Install selection": "Installer valgte", "Install the latest prerelease version": "Installer den seneste test version", "Install updates automatically": "Installer opdateringer automatisk", - "Install {0}": "Installer {0}", "Installation canceled by the user!": "Installation afbrudt af bruger", - "Installation failed": "Installation fejlede", - "Installation options": "Installations muligheder", - "Installation scope:": "Installationsomfang:", - "Installation succeeded": "Installation gennemført", - "Installed Packages": "Installerede pakker", "Installed packages": "Installerede pakker", - "Installed Version": "Installeret Version", - "Installer SHA256": "Installationsprogram SHA256", - "Installer SHA512": "Installationsprogram SHA512", - "Installer Type": "Installationstype", - "Installer URL": "Installationsprogram-URL", - "Installer not available": "Installationsprogram er ikke tilgængeligt", "Instance {0} responded, quitting...": "Instans {0} svarede, afslutter...", - "Instant search": "Øjeblikkelig søgning", - "Integrity checks can be disabled from the Experimental Settings": "Integritetstjek kan deaktiveres fra Eksperimentelle Indstillinger", - "Integrity checks skipped": "Integritetstjek sprunget over", - "Integrity checks will not be performed during this operation": "Integritetstjek vil ikke blive udført under denne operation", - "Interactive installation": "Interaktiv installation", - "Interactive operation": "Interaktiv operation", - "Interactive uninstall": "Interaktiv afinstallation", - "Interactive update": "Interaktiv opdatering", - "Internet connection settings": "Internetforbindelsesindstillinger", - "Invalid selection": "Ugyldigt valg", "Is this package missing the icon?": "Mangler denne pakke sit ikon?", - "Is your language missing or incomplete?": "Mangler dit sprog (helt eller delvist)?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Det er ikke garanteret, at de leverede legitimationsoplysninger bliver gemt sikkert, så du kan lige så godt ikke bruge legitimationsoplysningerne fra din bankkonto", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Det anbefales at genstarte UniGetUI efter WinGet er blevet repareret", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Det anbefales stærkt at geninstallere UniGetUI for at løse situationen.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det ser ud til, at WinGet ikke fungerer ordentligt. Ønsker du at forsøge at reparere WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Det ser ud til, at du startede UniGetUI som administrator, hvilket ikke anbefales. Du kan stadig brpge programmet, men vi anbefaler kraftigt ikke at køre UniGetUI med administratorrettigheder. Klik på \"{showDetails}\" for at se hvorfor.", - "Language": "Sprog", - "Language, theme and other miscellaneous preferences": "Sprog, tema og forskellige andre indstillinger", - "Last updated:": "Senest opdateret:", - "Latest": "Senest:", "Latest Version": "Seneste Version", "Latest Version:": "Seneste Version:", "Latest details...": "Seneste detaljer...", "Launching subprocess...": "Starter underprocess...", - "Leave empty for default": "Efterlad blankt for standardindstilling", - "License": "Licens", "Licenses": "Licenser", - "Light": "Lys", - "List": "Listevisning", "Live command-line output": "Live-output fra kommandolinje", - "Live output": "Live-output", "Loading UI components...": "Indlæser brugerfladekomponenter...", "Loading WingetUI...": "Indlæser WingetUI...", - "Loading packages": "Indlæser pakker", - "Loading packages, please wait...": "Indlæser pakker, vent venligst...", - "Loading...": "Indlæser...", - "Local": "Lokal", - "Local PC": "Lokal PC", - "Local backup advanced options": "Avancerede muligheder for lokal backup", "Local machine": "Lokale maskine", - "Local package backup": "Lokal pakke backup", "Locating {pm}...": "Lokalisere {pm}", - "Log in": "Log på", - "Log in failed: ": "Login fejlede: ", - "Log in to enable cloud backup": "Log på for at aktivere cloud backup", - "Log in with GitHub": "Log på med GitHub", - "Log in with GitHub to enable cloud package backup.": "Log på med GitHub for at aktivere cloud pakke backup.", - "Log level:": "Log-niveau:", - "Log out": "Log af", - "Log out failed: ": "Logoff fejlede: ", - "Log out from GitHub": "Log af fra GitHub", "Looking for packages...": "Leder efter pakker...", "Machine | Global": "Maskine | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Malformerede kommandolinje argumenter kan ødelægge pakker, eller endda tillade en ondsindet aktør at få privilegeret udførelse. Derfor er import af brugerdefinerede kommandolinje argumenter deaktiveret som standard.", - "Manage": "Administrer", - "Manage UniGetUI settings": "Administrer UniGetUI indstillinger", "Manage WingetUI autostart behaviour from the Settings app": "Administrer UniGetUI automatisk start-opførsel fra Indstillinger appen", "Manage ignored packages": "Administrer ignorerede pakker", - "Manage ignored updates": "Administrer ignorerede opdateringer", - "Manage shortcuts": "Administrer genveje", - "Manage telemetry settings": "Administrer telemetriindstillinger", - "Manage {0} sources": "Administrer {0} kilder", - "Manifest": "Manifestfil", "Manifests": "Manifestfiler", - "Manual scan": "Manuel scanning", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsofts officielle pakkemanager. Fuld af velkendte og verificerede pakker
Indeholder: Generel software, Microsoft Store apps", - "Missing dependency": "Manglende afhængighed", - "More": "Mere", - "More details": "Flere detaljer", - "More details about the shared data and how it will be processed": "Flere detaljer om delte data og hvordan det bliver behandled", - "More info": "Mere info", - "More than 1 package was selected": "Mere end 1 pakke blev valgt", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "BEMÆRK: Denne problemløser kan deaktiveres fra UniGetUI Indstillinger i WinGet sektionen", - "Name": "Navn", - "New": "Ny", "New Version": "Ny version", - "New version": "Ny version", "New bundle": "Ny samling", - "Nice! Backups will be uploaded to a private gist on your account": "Rigtig godt! Backups vil blive uploadet til en privat gist på din konto", - "No": "Nej", - "No applicable installer was found for the package {0}": "Der blev ikke fundet noget relevant installationsprogram til pakken {0}", - "No dependencies specified": "Ingen afhængigheder specificeret", - "No new shortcuts were found during the scan.": "Ingen nye genveje blev fundet under scanningstiden.", - "No package was selected": "Ingen pakke blev valgt", "No packages found": "Ingen pakker fundet", "No packages found matching the input criteria": "Ingen pakker fundet der opfylder valgte kriterier", "No packages have been added yet": "Ingen pakker tilføjet endnu", "No packages selected": "Ingen pakker valgt", - "No packages were found": "Ingen pakker blev fundet", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ingen personlig information bliver indsamlet eller sendt, og den indsamlede data bliver anonymiseret, så det ikke kan spores tilbage til dig.", - "No results were found matching the input criteria": "Ingen resultater fundet der opfylder valgte kriterier", "No sources found": "Ingen kilder fundet", "No sources were found": "Ingen kilder blev fundet", "No updates are available": "Ingen opdateringer er tilgængelige", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS's pakkemanager. Fuld af biblioteker og andre værktøjer, som omkranser Javascript verdenen
Indeholder: Node Javascript biblioteker og andre relaterede værktøjer", - "Not available": "Ikke tilgængelig", - "Not finding the file you are looking for? Make sure it has been added to path.": "Finder du ikke den fil, du leder efter? Sørg for, at den er blevet tilføjet til sti.", - "Not found": "Ikke fundet", - "Not right now": "Ikke lige nu", "Notes:": "Noter", - "Notification preferences": "Notifikationspræferencer", "Notification tray options": "Indstillinger for notifikationsområde", - "Notification types": "Notifikationstyper", - "NuPkg (zipped manifest)": "NuPkg (zippet manifest)", - "OK": "OK", "Ok": "Ok", - "Open": "Åben", "Open GitHub": "Åben GitHub", - "Open UniGetUI": "Åbn UniGetUI", - "Open UniGetUI security settings": "Åbn UniGetUI sikkerhedsindstillinger", "Open WingetUI": "Åben WingetUI", "Open backup location": "Åben backup lokation", "Open existing bundle": "Åben eksisterende samling", - "Open install location": "Åbn installationslokation", "Open the welcome wizard": "Åben velkomst wizard'en", - "Operation canceled by user": "Handlingen blev annulleret af bruger", "Operation cancelled": "Handling annulleret", - "Operation history": "Handlingshistorik", - "Operation in progress": "Handling i gang", - "Operation on queue (position {0})...": "Handling er i kø (position {0})...", - "Operation profile:": "Operationsprofil:", "Options saved": "Indstillinger gemt", - "Order by:": "Sortering:", - "Other": "Andre", - "Other settings": "Andre indstillinger", - "Package": "Pakke", - "Package Bundles": "Pakke samlinger", - "Package ID": "Pakke ID", "Package Manager": "Pakkemanager", - "Package Managers": "Pakkemanagere", - "Package manager": "Pakkemanager", - "Package Manager logs": "Pakkemanager logs", "Package managers": "Pakkemanagere", - "Package Name": "Pakke navn", - "Package backup": "Pakkebackup", - "Package backup settings": "Pakke backup indstillinger", - "Package bundle": "Pakke samling", - "Package details": "Pakke detaljer", - "Package lists": "Pakkelister", - "Package management made easy": "Pakkeadministration gjort let", - "Package manager preferences": "Pakkemanager indstillinger", - "Package not found": "Pakke ikke fundet", - "Package operation preferences": "Pakkeoperations præferencer", - "Package update preferences": "Pakke opdaterings præferencer", "Package {name} from {manager}": "Pakke {name} fra {manager}", - "Package's default": "Pakkens standard", "Packages": "Pakker", "Packages found: {0}": "Pakker fundet: {0}", - "Partially": "Delvist", - "Password": "Adgangskode", "Paste a valid URL to the database": "Indsæt en gyldig URL til databasen", - "Pause updates for": "Pausér opdateringer for", "Perform a backup now": "Lav en backup", - "Perform a cloud backup now": "Udfør en cloud backup nu", - "Perform a local backup now": "Udfør en lokal backup nu", - "Perform integrity checks at startup": "Udfør integritetstjek ved opstart", - "Performing backup, please wait...": "Laver backup, vent venligst...", "Periodically perform a backup of the installed packages": "Lav backup af installerede pakker periodisk", - "Periodically perform a cloud backup of the installed packages": "Udfør periodisk en cloud backup af installerede pakker", - "Periodically perform a local backup of the installed packages": "Udfør periodisk en lokal backup af installerede pakker", - "Please check the installation options for this package and try again": "Kontroller installationsindstillingerne for denne pakke og prøv igen", - "Please click on \"Continue\" to continue": "Klik på \"Fortsæt\" for at fortsætte", "Please enter at least 3 characters": "Indtast venligst mindst 3 tegn", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Bemærk, at visse pakker muligvis ikke kan istalleres på grund af de pakkemanagere, der er aktiveret på denne maskine.", - "Please note that not all package managers may fully support this feature": "Bemærk, at ikke alle pakkemanagere fuldt ud kan understøtte denne funktion", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Bemærk venligst at pakker fra bestemte kilder kan være ikke-eksporterbare. De er nedtonet og vil ikke blive eksporteret.", - "Please run UniGetUI as a regular user and try again.": "Kør UniGetUI som almindelig bruger og prøv igen.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Se Kommandolinje Output eller i Handlingshistorikken for yderligere information om dette problem.", "Please select how you want to configure WingetUI": "Vælg venligst hvordan du vil opsætte WingetUI", - "Please try again later": "Prøv igen senere", "Please type at least two characters": "Indtast venligst mindst 2 tegn", - "Please wait": "Vent venligst", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vent mens {0} bliver installeret. Et sort (eller blåt) vindue kan dukke up. Vent venligst på at det lukker.", - "Please wait...": "Vent venligst...", "Portable": "Portabel", - "Portable mode": "Portabel tilstand\n", - "Post-install command:": "Post-install kommando:", - "Post-uninstall command:": "Post-uninstall kommando:", - "Post-update command:": "Post-update kommando:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell's pakkemanager. Find biblioteker og scripts til at udvide mulighederne i PowerShell
Indeholder: Moduler, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre- og post-install kommandoer kan gøre meget uhyggelige ting med din enhed, hvis de er designet til det. Det kan være meget farligt at importere kommandoerne fra en samling, medmindre du stoler på kilden til denne pakkesamling", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre- og post-install kommandoer vil blive kørt før og efter en pakke installeres, opgraderes eller afinstalleres. Vær opmærksom på, at de kan ødelægge ting, medmindre de bruges med forsigtighed", - "Pre-install command:": "Pre-install kommando:", - "Pre-uninstall command:": "Pre-uninstall kommando:", - "Pre-update command:": "Pre-update kommando:", - "PreRelease": "Præ-release", - "Preparing packages, please wait...": "Klargøre pakker, vent venligst...", - "Proceed at your own risk.": "Fortsæt på egen risiko.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Forbyd enhver form for elevation via UniGetUI Elevator eller GSudo", - "Proxy URL": "Proxy-URL", - "Proxy compatibility table": "Proxy kompatibilitetstabel", - "Proxy settings": "Proxy indstillinger", - "Proxy settings, etc.": "Proxy indstillinger osv.", "Publication date:": "Udgivelses dato", - "Publisher": "Udgiver", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python's biblioteksmanager. Fuld af python biblioteker og andre pythonrelaterede værktøjer
Indeholder: Python biblioteker og andre relaterede værktøjer", - "Quit": "Afslut", "Quit WingetUI": "Luk WingetUI", - "Ready": "Klar", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reducér UAC prompte, elevér installationer som standard, lås visse farlige funktioner op osv.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Se UniGetUI Logs for at få flere detaljer vedrørende de berørte fil(er)", - "Reinstall": "Geninstaller", - "Reinstall package": "Geninstaller pakke", - "Related settings": "Relaterede indstillinger", - "Release notes": "Releasenotes", - "Release notes URL": "Releasenotes URL", "Release notes URL:": "Releasenotes URL:", "Release notes:": "Udgivelsesnoter", "Reload": "Genindlæs", - "Reload log": "Genindlæs log", "Removal failed": "Fjernelse fejlede", "Removal succeeded": "Fjernelse gennemført", - "Remove from list": "Fjern fra liste", "Remove permanent data": "Fjern permanente data", - "Remove selection from bundle": "Fjern valgte fra samling", "Remove successful installs/uninstalls/updates from the installation list": "Fjern gennemførte installeringer/afinstalleringer/opdateringer fra installationslisten", - "Removing source {source}": "Fjerner kilde {source}", - "Removing source {source} from {manager}": "Fjerner kilde {source} fra {manager}", - "Repair UniGetUI": "Reparer UniGetUI", - "Repair WinGet": "Reparer WinGet", - "Report an issue or submit a feature request": "Rapporter et issue eller send et ønske om en ny feature", "Repository": "Bibliiotek", - "Reset": "Nulstil", "Reset Scoop's global app cache": "Nulstil Scoop's globale app cache", - "Reset UniGetUI": "Nulstil UniGetUI", - "Reset WinGet": "Nulstil WinGet", "Reset Winget sources (might help if no packages are listed)": "Nulstil Winget's kilder (hjælper måske hvis ingen pakker bliver vist)", - "Reset WingetUI": "Nulstil WingetUI", "Reset WingetUI and its preferences": "Nulstil WingetUI og det's indstillinger", "Reset WingetUI icon and screenshot cache": "Nulstil WingetUI ikon og screenshot cache", - "Reset list": "Nulstil liste", "Resetting Winget sources - WingetUI": "Nulstiller Winget kilder - WingetUI", - "Restart": "Genstart", - "Restart UniGetUI": "Genstart UniGetUI", - "Restart WingetUI": "Genstart WingetUI", - "Restart WingetUI to fully apply changes": "Genstart WingetUI for at gennemføre ændringer", - "Restart later": "Genstart senere", "Restart now": "Genstart nu", - "Restart required": "Genstart påkrævet", "Restart your PC to finish installation": "Genstart din computer for at færdiggøre installation", "Restart your computer to finish the installation": "Genstart din computer for at færdiggøre installation", - "Restore a backup from the cloud": "Gendan en backup fra skyen", - "Restrictions on package managers": "Begrænsninger på pakkemanagere", - "Restrictions on package operations": "Begrænsninger på pakkeoperationer", - "Restrictions when importing package bundles": "Begrænsninger ved import af pakkesamlinger", - "Retry": "Prøv igen", - "Retry as administrator": "Prøv igen som administrator", "Retry failed operations": "Prøv mislykkedes handlinger igen", - "Retry interactively": "Prøv igen som interaktiv", - "Retry skipping integrity checks": "Prøv oversprungne integritetstjek igen", "Retrying, please wait...": "Prøver igen, vent venligst...", "Return to top": "Til toppen", - "Run": "Kør", - "Run as admin": "Kør som administrator", - "Run cleanup and clear cache": "Kør oprydning og ryd cache", - "Run last": "Kør sidste", - "Run next": "Kør næste", - "Run now": "Kør nu", "Running the installer...": "Kører installationsprogram...", "Running the uninstaller...": "Kører afinstallationsprogram...", "Running the updater...": "Kører opdatering...", - "Save": "Gem", "Save File": "Gem Fil", - "Save and close": "Gem og luk", - "Save as": "Gem som", - "Save bundle as": "Gem samling som", - "Save now": "Gem", - "Saving packages, please wait...": "Gemmer pakker, vent venligst...", - "Scoop Installer - WingetUI": "Scoop Installere - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop Afinstallere - WingetUI", - "Scoop package": "Scoop pakke", + "Save bundle as": "Gem samling som", + "Save now": "Gem", "Search": "Søg", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Søg efter desktop-software, fortæl mig når der er opdateringer tilgængelig, og lad være med at gøre nørdede ting. Jeg ønsker ikke at UniGetUI skal overkomplicere, jeg ønsker bare en enkel software-butik", - "Search for packages": "Søg efter pakker", - "Search for packages to start": "Søg efter pakker for at komme i gang", - "Search mode": "Søge tilstand", "Search on available updates": "Søg blandt tilgængelige opdateringer", "Search on your software": "Søg i din software", "Searching for installed packages...": "Søger efter installerede pakker...", "Searching for packages...": "Søger efter pakker...", "Searching for updates...": "Søger efter opdateringer...", - "Select": "Vælg", "Select \"{item}\" to add your custom bucket": "Vælg \"{item}\" til at tilføje til samling", "Select a folder": "Vælg en folder", - "Select all": "Vælg alle", "Select all packages": "Vælg alle pakker", - "Select backup": "Vælg backup", "Select only if you know what you are doing.": "Vælg kun hvis du ved hvad du laver.", "Select package file": "Vælg pakke-fil", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vælg den backup, du vil åbne. Senere vil du kunne gennemse hvilke pakker du vil installere.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vælg den eksekverbare fil der skal bruges. Følgende liste viser de eksekverbare filer fundet af UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vælg de processer, der skal lukkes, før denne pakke installeres, opdateres eller afinstalleres.", - "Select the source you want to add:": "Vælg kilden du vil tilføje:", - "Select upgradable packages by default": "Vælg opgraderbare pakker som standard", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Vælg hvilke pakkemanagere, der skal anvendes ({0}), konfigurer hvordan pakker installeres, administrer hvordan administrator-rettigheder håndteres osv.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Afsendt håndtryk. Venter på svar... ({0}%)", - "Set a custom backup file name": "Vælg backup filnavn", "Set custom backup file name": "Vælg backup filnavn", - "Settings": "Indstillinger", - "Share": "Del", "Share WingetUI": "Del WingetUI", - "Share anonymous usage data": "Del anonym brugsdata", - "Share this package": "Del denne pakke", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Hvis du ændrer sikkerhedsindstillingerne, skal du åbne samlingen igen, for at ændringerne træder i kraft.", "Show UniGetUI on the system tray": "Vis UniGetUI i system-tray", - "Show UniGetUI's version and build number on the titlebar.": "Vis UniGetUI's version på titellinjen", - "Show WingetUI": "Vis WingetUI", "Show a notification when an installation fails": "Vis notifikation når en installation fejler", "Show a notification when an installation finishes successfully": "Vis notifikation når en installation gennemføres", - "Show a notification when an operation fails": "Vis en notifikation når en handling mislykkes", - "Show a notification when an operation finishes successfully": "Vis en notifikation når en handling gennemføres med success", - "Show a notification when there are available updates": "Vis notifikation når der er tilgængelige opdateringer", - "Show a silent notification when an operation is running": "Vis en lydløs notifikation når en handling kører", "Show details": "Vis detaljer", - "Show in explorer": "Vis i stifinder", "Show info about the package on the Updates tab": "Vis information om pakken på Opdateringer fanen", "Show missing translation strings": "Vis felter der mangler oversættelse", - "Show notifications on different events": "Vis notifikationer ved forskellige hændelser", "Show package details": "Vis pakke-detaljer", - "Show package icons on package lists": "Vis pakkeikoner på pakkelister", - "Show similar packages": "Vis lignende pakker", "Show the live output": "Vis Live-output", - "Size": "Størrelse", "Skip": "Spring over", - "Skip hash check": "Spring over hash check", - "Skip hash checks": "Spring hash-tjeks over", - "Skip integrity checks": "Spring integritetstjeks over", - "Skip minor updates for this package": "Spring mindre opdateringer over for denne pakke", "Skip the hash check when installing the selected packages": "Spring hash-tjekket over ved installation af de valgte pakker", "Skip the hash check when updating the selected packages": "Spring hash-tjekket onver ved opdatering af de valgte pakker", - "Skip this version": "Spring denne version over", - "Software Updates": "Pakke opdateringer", - "Something went wrong": "Noget gik galt", - "Something went wrong while launching the updater.": "Noget gik galt ved afviklingen af opdateringen.", - "Source": "Kilde", - "Source URL:": "Kilde URL:", - "Source added successfully": "Kilde blev tilføjet med success", "Source addition failed": "Kilde tilføjelse fejlede", - "Source name:": "Kilde navn:", "Source removal failed": "Fjernelse af kilde fejlede", - "Source removed successfully": "Kilden blev fjernet med success", "Source:": "Kilde", - "Sources": "Kilder", "Start": "Begynd", "Starting daemons...": "Starter baggrundsapplikationer...", - "Starting operation...": "Starter handling...", "Startup options": "Opstartsindstillinger", "Status": "Tilstand", "Stuck here? Skip initialization": "Sidder den fast? Spring over opsætningen", - "Success!": "Succes!", "Suport the developer": "Støt udvikleren", "Support me": "Støt mig", "Support the developer": "Støt udvikleren", "Systems are now ready to go!": "Systemet er nu klar.", - "Telemetry": "Telemetri", - "Text": "Tekst", "Text file": "Tekstfil", - "Thank you ❤": "Tak ❤", "Thank you 😉": "Tak 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust pakkemanageren.
Indeholder: Rust biblioteker og programmer skrevet i Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Sikkerhedskopien vil IKKE indeholde nogle binære filer eller nogle programmers gemte data.", - "The backup will be performed after login.": "Backup vil blive udført efter login.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sikkerhedskopien vil indeholde den fulde liste over de installerede pakker og deres installationsindstillinger. Ignorerede opdateringer og oversprungne versioner vil også blive gemt.", - "The bundle was created successfully on {0}": "Samlingen blev skabt med succes på {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Samlingen, du prøver at indlæse, ser ud til at være ugyldig. Tjek filen og prøv igen.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Kontrolsummmen for installationsprogrammet stemmer ikke med den forventede værdi, og ægtheden af installationsprogrammet kan ikke verificeres. Hvis du stoler på udgiveren, {0} pakken igen med overspring af hash-tjek.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows' egen Pakkemanager, hvor du kan finde det meste.
Indeholder:Generel software", - "The cloud backup completed successfully.": "Cloud backuppen blev gennemført med succes.", - "The cloud backup has been loaded successfully.": "Cloud backuppen er blevet indlæst med succes.", - "The current bundle has no packages. Add some packages to get started": "Den nuværende samling har ikke nogle pakker. Tilføj nogle pakker for at komme i gang", - "The executable file for {0} was not found": "Den eksekverbare fil for {0} blev ikke fundet", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Følgende muligheder vil blive anvendt som standard hver gang en {0} pakke installeres, opgraderes eller afinstalleres.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Disse pakker vil blive eksporteret til en JSON-fil. Ingen brugerdata eller binære filer bliver gemt.", "The following packages are going to be installed on your system.": "Disse pakker vil blive installeret på dit system.", - "The following settings may pose a security risk, hence they are disabled by default.": "Følgende indstillinger kan udgøre en sikkerhedsrisiko, og er derfor deaktiveret som standard.", - "The following settings will be applied each time this package is installed, updated or removed.": "Disse indstillinger vil blive anvendt hver gang denne pakke installeres, opdateres eller fjernes.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Disse indstillinger vil blive anvendt hver gang denne pakke installeres, opdateres eller fjernes. De vil blive gemt automatisk.", "The icons and screenshots are maintained by users like you!": "Ikonerne og skærmbillederne er vedligeholdt af brugere som dig!", - "The installation script saved to {0}": "Installationscriptet gemmet på {0}", - "The installer authenticity could not be verified.": "Installationsprogrammets ægthed kunne ikke verificeres.", "The installer has an invalid checksum": "Installationsprogrammet har en ugyldig kontrolsum", "The installer hash does not match the expected value.": "Installationsprogrammets hash passer ikke med den forventede værdi.", - "The local icon cache currently takes {0} MB": "Den lokale ikon-cache fylder lige nu {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Hovedformålet med dette projekt er, at skabe en intuitiv brugergrænseflade til at håndtere de mest almindelige kommandolinje-pakkemanagerprogrammer til Windows, så som Winget og Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakken \"{0}\" blev ikke fundet via pakkemanager \"{1}\"", - "The package bundle could not be created due to an error.": "Pakkesamlingen kunne ikke oprettes på grund af en fejl.", - "The package bundle is not valid": "Pakkesamlingen er ikke gyldig", - "The package manager \"{0}\" is disabled": "Pakkemanageren \"{0}\" er deaktiveret", - "The package manager \"{0}\" was not found": "Pakkemanageren \"{0}\" blev ikke fundet", "The package {0} from {1} was not found.": "Pakken {0} fra {1} blev ikke fundet.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakkerne listet her vil ikke blive taget i betragtning ved søgning efter opdateringer. Dobbeltklik på dem eller klik på knappen til højre for dem for at stoppe med at ignorere deres opdateringer.", "The selected packages have been blacklisted": "De valgte pakker er blevet sortlistet", - "The settings will list, in their descriptions, the potential security issues they may have.": "Indstillingerne vil liste de potentielle sikkerhedsproblemer, de kan have, i deres beskrivelser.", - "The size of the backup is estimated to be less than 1MB.": "Størrelsen af sikkerhedskopien estimeres til at være mindre end 1MB.", - "The source {source} was added to {manager} successfully": "Kilden {source} blev tilføjet til {manager} med success", - "The source {source} was removed from {manager} successfully": "Kilden {source} blev fjernet fra {manager} med success", - "The system tray icon must be enabled in order for notifications to work": "Systemtray ikonen skal aktiveres for at notifikationer fungerer", - "The update process has been aborted.": "Opdateringsprocessen er blevet afbrudt.", - "The update process will start after closing UniGetUI": "Opdateringsprocessen vil starte efter UniGetUI bliver lukket", "The update will be installed upon closing WingetUI": "Opdateringen vil blive installeret, når UniGetUI bliver lukket", "The update will not continue.": "Opdateringen vil ikke fortsætte.", "The user has canceled {0}, that was a requirement for {1} to be run": "Brugeren har annulleret {0}, det var et krav for, at {1} kunne afvikles", - "There are no new UniGetUI versions to be installed": "Der er ikke nogen nye UniGetUI versioner til installation.", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Der er igangværende handlinger. Afslutning af UniGetUI kan betyde, at de mislykkes. Ønsker du at fortsætte?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Der er nogle gode videoer på YouTube, som demonstrerer UniGetUI og det's muligheder. Du kan lære nogle brugbare tips og tricks!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Der er to hovedårsager til ikke at køre UniGetUI som administrator:\n Den første er, at Scoop pakkemanageren kan forårsage problemer med nogle kommandoer, når den afvikles med administratorrettigheder.\n Den anden er, at køres UniGetUI som administrator, betyder det, at enhver pakke, du downloader, vil blive afviklet som administrator (hvilket ikke er sikkerhedsmæssigt fornuftigt).\n Husk, at hvis du har behov for at installere en specifik pakke som administrator, kan du altid højre-klikke på pakken -> Installer/Opdater/Afinstaller som administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Der er en fejl i konfigurationen af pakkemanageren \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Der er en installation i gang. Hvis du lukker UniGetUI, kan installationen muligvis mislykkes og have uventedede resultater. Ønsker du stadig at afslutte UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "De er programmerne, som er ansvarlige for at installere, opdatere og fjerne pakker.", - "Third-party licenses": "Tredjepartslicenser", "This could represent a security risk.": "Dette kunne udgøre en sikkerhedsrisiko.", - "This is not recommended.": "Dette er ikke anbefalet.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Dette er sandsynligvis på grund af, at den pakke, du modtog, er blevet fjernet eller offentliggjort via en pakkemanager, du endnu ikke har aktiveret. Det modtagne ID er {0}", "This is the default choice.": "Dette er standardvalget.", - "This may help if WinGet packages are not shown": "Det kan hjælpe, hvis WinGet pakker ikke bliver vist", - "This may help if no packages are listed": "Det kan hjælpe, hvis der ikke listes nogle pakker", - "This may take a minute or two": "Det kan tage et minut eller to", - "This operation is running interactively.": "Handlingen kører interaktivt.", - "This operation is running with administrator privileges.": "Handlingen kører med administratorrettigheder.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Denne mulighed VIL forårsage problemer. Enhver operation, der ikke kan elevere sig selv, VIL FEJLE. Installation/opdatering/afinstallation som administrator virker IKKE.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denne pakkesamling havde nogle indstillinger, der er potentielt farlige, og kan blive ignoreret som standard.", "This package can be updated": "Pakken kan opdateres", "This package can be updated to version {0}": "Denne pakke kan opdateres til version {0}", - "This package can be upgraded to version {0}": "Denne pakke kan opgraderes til version {0}", - "This package cannot be installed from an elevated context.": "Denne pakke kan ikke installeres fra en kontekst med forhøjede rettigheder.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denne pakke har ingen skærmbilleder eller mangler ikonet? Bidrag til UniGetUI ved at tilføje manglende ikoner og skærmbilleder til vores åbne, offentlige database.", - "This package is already installed": "Denne pakke er allerede installeret", - "This package is being processed": "Denne pakke bliver behandlet", - "This package is not available": "Denne pakke er ikke tilgængelig", - "This package is on the queue": "Denne pakke er ikke i køen", "This process is running with administrator privileges": "Denne process kører med administratorrettigheder", - "This project has no connection with the official {0} project — it's completely unofficial.": "Dette projekt har ingen forbindelse med det officielle {0} projekt — det er komplet uofficielt.", "This setting is disabled": "Denne indstilling er deaktiveret", "This wizard will help you configure and customize WingetUI!": "Denne guide vil hjælpe dig med at konfigurere og tilpasse UniGetUI!", "Toggle search filters pane": "Skift søgefiltervinduet", - "Translators": "Oversættere", - "Try to kill the processes that refuse to close when requested to": "Forsøg at dræbe processerne, der nægter at lukke når der anmodes om det", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Hvis du slår dette til, kan du ændre den eksekverbare fil, der bruges til at interagere med pakkemanagere. Selvom dette giver mulighed for mere finkornet tilpasning af dine installationsprocesser, kan det også være farligt", "Type here the name and the URL of the source you want to add, separed by a space.": "Her skriver du navnet og URL på den kilde, du ønsker at tilføje, adskilt af et mellemrum.", "Unable to find package": "Kunne ikke finde pakken", "Unable to load informarion": "Kunne ikke indlæse information", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI indsamler anonyme brugsdata for at forbedre brugeroplevelsen.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI indsamler anonyme brugsdata med det ene formåle at forstå og forbedre brugeroplevelsen.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har opdaget en ny skrivebordsgenvej, som kan slettes automatisk.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har opdaget følgende skrivebordsgenveje, som kan fjernes automatisk ved fremtidige opgraderinger", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har opdaget {0} nye skrivebordsgenveje, som kan fjernes automatisk.", - "UniGetUI is being updated...": "UniGetUI bliver opdateret...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI er ikke relateret til nogle af de kompatible pakkemanagere. UniGetUI er it uafhængigt projekt.", - "UniGetUI on the background and system tray": "UniGetUI i baggrunden og systembakken", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller nogle af dets komponenter mangler eller er beskadigede.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI kræver {0} for at fungere, men det blev ikke fundet på dit system.", - "UniGetUI startup page:": "UniGetUI startside:", - "UniGetUI updater": "UniGetUI opdaterer", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} bliver downloaded.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} er klar til at blive installeret.", - "Uninstall": "Afinstallér", - "uninstall": "afinstallér", - "Uninstall Scoop (and its packages)": "Afinstaller Scoop (og dets pakker)", "Uninstall and more": "Afinstaller og mere", - "Uninstall and remove data": "Afinstaller og fjern data", - "Uninstall as administrator": "Afinstallér som administrator", "Uninstall canceled by the user!": "Afinstallering afbrudt af brugeren!", - "Uninstall failed": "Afinstallering fejlede", - "Uninstall options": "Afinstallationsmuligheder", - "Uninstall package": "Afinstaller pakke", - "Uninstall package, then reinstall it": "Afinstaller valgte pakke, og så geninstaller den", - "Uninstall package, then update it": "Afinstaller valgte pakke, og så opdater den (hvordan fungere det?)", - "Uninstall previous versions when updated": "Afinstaller tidligere versioner når opdateret", - "Uninstall selected packages": "Afinstaller valgte pakker", - "Uninstall selection": "Afinstallationsvalg", - "Uninstall succeeded": "Afinstallation gennemført", "Uninstall the selected packages with administrator privileges": "Afinstaller de valgte pakker med administratorrettigheder", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Ikke installerbare pakker med oprindelse listet som \"{0}\" er ikke offentliggjort på nogle pakkemanagere, så der er ingen information tilgængelig at vise om dem.", - "Unknown": "Ukendt", - "Unknown size": "Ukendt størrelse", - "Unset or unknown": "Ikke angivet eller ukendt", - "Up to date": "Opdateret", - "Update": "Opdatér", - "Update WingetUI automatically": "Opdatér WingetUI automatisk", - "Update all": "Opdatér alle", "Update and more": "Opdater og mere", - "Update as administrator": "Opdatér som administrator", - "Update check frequency, automatically install updates, etc.": "Opdateringstjek frekvens, installer opdateringer automatisk osv.", - "Update checking": "Opdateringstjek", "Update date": "Sidste opdatering", - "Update failed": "Opdatering fejlet", "Update found!": "Opdatering fundet!", - "Update now": "Opdater nu", - "Update options": "Opdateringsmuligheder", "Update package indexes on launch": "Opdater pakkeindeks ved start", "Update packages automatically": "Opdater pakker automatisk", "Update selected packages": "Opdater valgte pakker", "Update selected packages with administrator privileges": "Opdater valgte pakker med administrator rettigheder", - "Update selection": "Opdateringsvalg", - "Update succeeded": "Opdatering gennemført", - "Update to version {0}": "Opdater til version {0}", - "Update to {0} available": "Opdatering til {0} tilgængelig", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Opdater vcpkg's Git portfiles automatisk (kræver Git installeret)", "Updates": "Opdateringer", "Updates available!": "Opdateringer tilgængelig!", - "Updates for this package are ignored": "Opdateringer til denne pakker bliver ignoreret", - "Updates found!": "Opdateringer fundet!", "Updates preferences": "Opdateringspræferencer", "Updating WingetUI": "Opdatere WingetUI", "Url": "Netadresse", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Brug Legacy medleverede WinGet i stedet for PowerShell kommandoer", - "Use a custom icon and screenshot database URL": "Brug brugerdefineret ikon og screenshot database URL", "Use bundled WinGet instead of PowerShell CMDlets": "Brug den medleverede WinGet i stedet for PowerShell kommandoer", - "Use bundled WinGet instead of system WinGet": "Brug den medleverede WinGet i stedet for systemets WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Brug installeret GSudo i stedet for UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Brug den installerede GSudo i stedet for den medleverede", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Brug legacy UniGetUI Elevator (kan være til hjælp hvis der er problemer med UniGetUI Elevator)", - "Use system Chocolatey": "Brug systemets Chocolatey", "Use system Chocolatey (Needs a restart)": "Brug systemets Chocolatey (Kræver genstart)", "Use system Winget (Needs a restart)": "Brug systemets Winget (Kræver genstart)", "Use system Winget (System language must be set to english)": "Brug systemets Winget (Systemsprog skal muligvis være sat til engelsk)", "Use the WinGet COM API to fetch packages": "Brug WinGet COM API for at hente pakker", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Brug WinGet PowerShell-modulet i stedet for WinGet COM API", - "Useful links": "Nyttige links", "User": "Bruger", - "User interface preferences": "Brugerflade indstillinger", "User | Local": "Bruger | Lokal", - "Username": "Brugernavn", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Brug af UniGetUI betyder accept af GNU Lesser General Public License v2.1 licensen", - "Using WingetUI implies the acceptation of the MIT License": "Brug af UniGetUI betyder accept af MIT licensen", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg roden blev ikke fundet. Definer %VCPKG_ROOT% miljøvariablen eller definer den fra UniGetUI indstillinger", "Vcpkg was not found on your system.": "Vcpkg blev ikke fundet på dit system.", - "Verbose": "Udførlig", - "Version": "Udgave", - "Version to install:": "Version til installation", - "Version:": "Udgave:", - "View GitHub Profile": "Se GitHub Profil", "View WingetUI on GitHub": "Se WingetUI på GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Se kildekoden til UniGetUI. Derfra kan du rapportere fejl, foreslå funktioner eller endda bidrage direkte til UniGetUI projektet", - "View mode:": "Visningsmode:", - "View on UniGetUI": "Se på UniGetUI", - "View page on browser": "Vis side i browser", - "View {0} logs": "Vis {0} logfiler", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vent på, at enheden er forbundet til internettet, før der forsøges på at gøre noget, som kræver internetforbindelse.", "Waiting for other installations to finish...": "Venter på at andre installationer bliver færdige...", "Waiting for {0} to complete...": "Venter på, at {0} bliver færdig...", - "Warning": "Advarsel", - "Warning!": "Advarsel!", - "We are checking for updates.": "Vi søger efter opdateringer.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Vi kunne ikke indlæse detaljerede informationer om denne pakke, fordi den ikke blev fundet i nogle af dine pakkekilder.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Vi kunne ikke indlæse detaljeret information om denne pakke fordi, den ikke blev installeret fra en tilgængelig pakkemanager.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Vi kunne ikke {action} {package}. Prøv igen senere. Klik på \"{showDetails}\" for at få logfiler fra installationsprogrammet.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Vi kunne ikke {action} {package}. Prøv igen senere. Klik på \"{showDetails}\" for at få ligfiler fra afinstallationsprogrammet.", "We couldn't find any package": "Vi kunne ikke finde nogen pakke", "Welcome to WingetUI": "Velkommen til UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Ved batch installation af pakker fra en samling, installer også pakker, der allerede er installeret", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Når nye genveje detekteres, skal du slette dem automatisk i stedet for at vise denne dialog.", - "Which backup do you want to open?": "Hvilken backup ønsker du at åbne?", "Which package managers do you want to use?": "Hvilke pakkemanagere ønsker du at anvende?", "Which source do you want to add?": "Hvilken kilde ønsker du at tilføje?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Mens WinGet kan bruges i UniGetUI, kan UniGetUI også bruges med andre pakkemanagere, hvilket kan være forvirrende. Tidligere var UniGetUI designet til kun at anvende WinGet, men dette gælder ikke længere, og derfor repræsenterer UniGetUI ikke hvad dette projekt sigter efter at blive.", - "WinGet could not be repaired": "WinGet kunne ikke repareres", - "WinGet malfunction detected": "WinGet-fejl fundet", - "WinGet was repaired successfully": "WinGet blev repareret med success", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Alt er opdateret", "WingetUI - {0} updates are available": "UniGetUI - {0} opdateringer er tilgængelige", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI Startside", "WingetUI Homepage - Share this link!": "WingetUI Startside - Del dette link!", - "WingetUI License": "WingetUI Licens", - "WingetUI Log": "WingetUI log", - "WingetUI log": "WingetUI log", - "WingetUI Repository": "WingetUI Biblioteket", - "WingetUI Settings": "WingetUI Indstillinger", "WingetUI Settings File": "WingetUI Indstillings Fil", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruger følgende biblioteker. Uden dem ville WingetUI ikke have været mulig.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruger følgende biblioteker. Uden dem ville WingetUI ikke have været mulig.", - "WingetUI Version {0}": "WingetUI Version {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostart-opførsel, programstart-indstillinger", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI kan kontrollere om din software har tilgængelige opdateringer og installere dem automatisk, hvis du ønsker det", - "WingetUI display language:": "WingetUI Sprog", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI har været kørt som administrator, hvilket ikke anbefales. Når man kører UniGetUI som administrator vil ALLE handlinger startet fra UniGetUI have administratorrettigheder. Du kan stadig bruge programmet, men vi anbefaler kraftigt ikke at køre UniGetUI med administratorrettigheder.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI er oversat til mere end 40 sprog takket være de frivillige oversættere. Mange tak 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI er ikke blevet automatisk oversat! Disse mennesker har stået for oversættelsen:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI er en applikation, som gør adminstrationen af din software lettere ved at levere et alt-i-et grafisk brugergrænseflade til dine kommandolinje pakkemanagere.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI ændrer navn for at tydeliggøre forskellen mellem UniGetUI (brugergrænsefladen, du bruger lige nu) og WinGet (en pakkemanager udviklet af Microsoft, som jeg ikke har relation med)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI er ved at blive opdateret. Når den er færdig, vil WingetUI genstarte sig selv", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI er gratis, og vil altid være gratis. Ingen reklamer, kreditkort, premium version. 100% gratis for altid.", + "WingetUI log": "WingetUI log", "WingetUI tray application preferences": "WingetUI indstillinger for notifikationsområdet", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruger følgende biblioteker. Uden dem ville WingetUI ikke have været mulig.", "WingetUI version {0} is being downloaded.": "WingetUI version {0} er ved at blive hentet.", "WingetUI will become {newname} soon!": "WingetUI bliver snart til {newname}!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI vil ikke undersøge for opdateringer med mellemrum. De vil stadig blive undersøgt ved programstart, men du vil ikke blive varslet om dem.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI vil vise en UAC-prompt hver gang in pakke kræver forhøjede rettigheder for at blive installeret.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI vil snart blive navngivet {newname}. Dette vil ikke betyde nogle ændringer i programmet. Jeg (udvikleren) vil fortsætte udviklingen af dette projekt, men det vil være under et andet navn.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI ville ikke have været mulig uden støtten fra vores hjælpere. Kig forbi deres GitHub profiler, og støt dem.", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ville ikke have været mulig uden støtten fra vores hjælpere. Tak til jer alle 🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} er klar til at blive installeret.", - "Write here the process names here, separated by commas (,)": "Skriv her processnavnene, adskilt af kommaer (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Du er logget på som {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Du kan ændre denne opførsel i UniGetUI sikkerhedsindstillinger.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definere de kommandoer, der vil blive kørt før eller efter denne pakke installeres, opdateres eller afinstalleres. De køres på en kommandoprompt, så CMD-scripts virker her.", - "You have currently version {0} installed": "Nuværende installerede version: {0}", - "You have installed WingetUI Version {0}": "Installeret WingetUI version er {0}", - "You may lose unsaved data": "Du mister muligvis ikke-gemte data", - "You may need to install {pm} in order to use it with WingetUI.": "Installation af {pm} er nødvendig, for at kunne bruge det med WingetUI.", "You may restart your computer later if you wish": "Senere genstart af computer er fint", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Du vil kun blive spurgt en gang, og administratorrettigheder vil blive givet til pakker, som kræver dem.", "You will be prompted only once, and every future installation will be elevated automatically.": "Du vil kun blive spurgt en gang, og enhver fremtidig installation vil få forhøjede rettigheder automatisk.", - "You will likely need to interact with the installer.": "Du vil sandsynligvis være nødt til at interagere med installationsprogrammet.", - "[RAN AS ADMINISTRATOR]": "KØRTE SOM ADMINISTRATOR", "buy me a coffee": "giv en kop kaffe", - "extracted": "pakket ud", - "feature": "funktion", "formerly WingetUI": "tidligere WingetUI", + "homepage": "startside", + "install": "installer", "installation": "installering", - "installed": "installeret", - "installing": "installere", - "library": "bibliotek", - "mandatory": "obligatorisk", - "option": "indstilling", - "optional": "valgfrit", + "uninstall": "afinstallér", "uninstallation": "afinstallering", "uninstalled": "afinstalleret", - "uninstalling": "afinstallerer", "update(noun)": "opdatering", "update(verb)": "opdatér", "updated": "opdateret", - "updating": "opdaterer", - "version {0}": "udgave {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Installationsmuligheder er i øjeblikket låste, fordi {0} følger standardinstallationsmulighederne.", "{0} Uninstallation": "{0} Afinstaller", "{0} aborted": "{0} afbrudt", "{0} can be updated": "{0} kan opdateres", - "{0} can be updated to version {1}": "{0} kan opdateres til version {1}", - "{0} days": "{0} dage", - "{0} desktop shortcuts created": "{0} skrivebordsgenveje oprettet", "{0} failed": "{0} fejlede", - "{0} has been installed successfully.": "{0} er blevet installeret med success.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} er blevet installeret med success. Det anbefales at genstarte UniGetUI for at færdiggøre installation", "{0} has failed, that was a requirement for {1} to be run": "{0} mislykkedes, det var et krav for, at {1} kunne afvikles", - "{0} homepage": "{0} startside", - "{0} hours": "{0} timer", "{0} installation": "{0} installering", - "{0} installation options": "{0} installerings muligheder", - "{0} installer is being downloaded": "{0} installationsprogram bliver downloaded", - "{0} is being installed": "{0} bliver installeret", - "{0} is being uninstalled": "{0} bliver afinstalleret", "{0} is being updated": "{0} bliver opdateret", - "{0} is being updated to version {1}": "{0} bliver opdateret til version {1}", - "{0} is disabled": "{0} er slået fra", - "{0} minutes": "{0} minutter", "{0} months": "{0} måneder", - "{0} packages are being updated": "{0} pakker der bliver opdateret", - "{0} packages can be updated": "{0} pakker kan blive opdateret", "{0} packages found": "{0} pakker fundet", "{0} packages were found": "{0} pakker er blevet fundet", - "{0} packages were found, {1} of which match the specified filters.": "{0} pakker fundet, {1} matchede det specificerede filter.", - "{0} selected": "{0} valgt", - "{0} settings": "{0} indstillinger", - "{0} status": "{0}-tilstand", "{0} succeeded": "{0} lykkedes", "{0} update": "{0} opdater", - "{0} updates are available": "{0} opdateringer tilgængelige", "{0} was {1} successfully!": "{0} blev {1} vellykket!", "{0} weeks": "{0} uger", "{0} years": "{0} år", "{0} {1} failed": "{0} {1} fejlede", - "{package} Installation": "{package} installation", - "{package} Uninstall": "{package} afinstallation", - "{package} Update": "{package} opdatering", - "{package} could not be installed": "{package} kunne ikke installeres", - "{package} could not be uninstalled": "{package} kunne ikke afinstalleres", - "{package} could not be updated": "{package} kunne ikke opdateres", "{package} installation failed": "{package} installation fejlede", - "{package} installer could not be downloaded": "{package} installationsprogram kunne ikke downloades", - "{package} installer download": "{package} installationsprogram download", - "{package} installer was downloaded successfully": "{package} installationsprogram blev downloaded med success", "{package} uninstall failed": "{package} afinstallation fejlede", "{package} update failed": "{package} opdatering fejlede", "{package} update failed. Click here for more details.": "{package} opdatering fejlede. Klik her for flere detaljer.", - "{package} was installed successfully": "Installation af {package} gennemført", - "{package} was uninstalled successfully": "Afinstallation af {package} gennemført", - "{package} was updated successfully": "{package} opdatering gennemført", - "{pcName} installed packages": "{pcName} installerede pakker", "{pm} could not be found": "Kunne ikke finde {pm}", "{pm} found: {state}": "{pm} fandt: {state}", - "{pm} is disabled": "{pm} er deaktiveret", - "{pm} is enabled and ready to go": "{pm} er aktiveret og klar til brug", "{pm} package manager specific preferences": "{pm} pakkemanager-specifikke indstillinger", "{pm} preferences": "{pm} indstillinger", - "{pm} version:": "{pm} udgave:", - "{pm} was not found!": "{pm} blev ikke fundet!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hej, mit navn er Martí og jeg er udvikleren af WingetUI. WingetUI er udelukkende blevet bygget i min fritid!", + "Thank you ❤": "Tak ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Dette projekt har ingen forbindelse med det officielle {0} projekt — det er komplet uofficielt." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_de.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_de.json index d6503fd429..96f5a53f48 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_de.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_de.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Vorgang läuft", + "Please wait...": "Bitte warten...", + "Success!": "Fertig!", + "Failed": "Fehlgeschlagen", + "An error occurred while processing this package": "Fehler beim Verarbeiten des Pakets", + "Log in to enable cloud backup": "Anmelden, um die Cloud-Sicherung zu aktivieren", + "Backup Failed": "Sicherung fehlgeschlagen", + "Downloading backup...": "Sicherung wird heruntergeladen...", + "An update was found!": "Ein Update wurde gefunden!", + "{0} can be updated to version {1}": "{0} kann auf Version {1} aktualisiert werden", + "Updates found!": "Updates gefunden!", + "{0} packages can be updated": "{0} Pakete können aktualisiert werden", + "You have currently version {0} installed": "Sie haben aktuell die Version {0} installiert", + "Desktop shortcut created": "Desktopverknüpfung angelegt", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI hat eine automatisch entfernbare Desktopverknüpfung gefunden.", + "{0} desktop shortcuts created": "{0} Desktopverknüpfungen angelegt", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI hat {0} automatisch entfernbare Desktopverknüpfungen gefunden.", + "Are you sure?": "Sind Sie sich sicher?", + "Do you really want to uninstall {0}?": "Möchten Sie wirklich {0} deinstallieren?", + "Do you really want to uninstall the following {0} packages?": "Möchten Sie wirklich die folgenden {0} Pakete deinstallieren?", + "No": "Nein", + "Yes": "Ja", + "View on UniGetUI": "Auf UniGetUI ansehen", + "Update": "Aktualisieren", + "Open UniGetUI": "UniGetUI öffnen", + "Update all": "Alles aktualisieren", + "Update now": "Jetzt aktualisieren", + "This package is on the queue": "Dieses Paket befindet sich in der Warteschlange", + "installing": "installiere", + "updating": "aktualisiere", + "uninstalling": "deinstallieren", + "installed": "installiert", + "Retry": "Erneut versuchen", + "Install": "Installieren", + "Uninstall": "Deinstallieren", + "Open": "Öffnen", + "Operation profile:": "Vorgangsprofil:", + "Follow the default options when installing, upgrading or uninstalling this package": "Die Standardoptionen verwenden, wenn dieses Paket installiert, aktualisiert oder deinstalliert wird.", + "The following settings will be applied each time this package is installed, updated or removed.": "Die folgenden Einstellungen werden jedes Mal angewendet, wenn dieses Paket installiert, aktualisiert oder entfernt wird.", + "Version to install:": "Zu installierende Version:", + "Architecture to install:": "Zu installierende Architektur:", + "Installation scope:": "Installationsumgebung:", + "Install location:": "Installationsort:", + "Select": "Auswählen", + "Reset": "Zurücksetzen", + "Custom install arguments:": "Benutzerdefinierte Installationsargumente:", + "Custom update arguments:": "Benutzerdefinierte Aktualisierungsargumente:", + "Custom uninstall arguments:": "Benutzerdefinierte Deinstallationsargumente:", + "Pre-install command:": "Befehl vor der Installation:", + "Post-install command:": "Befehl nach der Installation:", + "Abort install if pre-install command fails": "Installation abbrechen, falls der Vorinstallationsbefehl fehlschlägt", + "Pre-update command:": "Befehl vor der Aktualisierung:", + "Post-update command:": "Befehl nach der Aktualisierung:", + "Abort update if pre-update command fails": "Aktualisierung abbrechen, wenn der Voraktualisierungsbefehl fehlschlägt", + "Pre-uninstall command:": "Befehl vor der Deinstallation:", + "Post-uninstall command:": "Befehl nach der Deinstallation:", + "Abort uninstall if pre-uninstall command fails": "Deinstallation abbrechen, wenn der Vorinstallationsbefehl fehlschlägt", + "Command-line to run:": "Auszuführende Befehlszeile:", + "Save and close": "Speichern und schließen", + "Run as admin": "Als Administrator ausführen", + "Interactive installation": "Interaktiv installieren", + "Skip hash check": "Hash-Prüfung überspringen", + "Uninstall previous versions when updated": "Frühere Versionen nach der Aktualisierung deinstallieren", + "Skip minor updates for this package": "Kleinere Updates für dieses Paket überspringen", + "Automatically update this package": "Dieses Paket automatisch aktualisieren", + "{0} installation options": "Installationsoptionen für {0}", + "Latest": "Neueste", + "PreRelease": "Vorabversion", + "Default": "Standard", + "Manage ignored updates": "Ignorierte Updates verwalten", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Die hier aufgeführten Pakete werden bei der Suche nach Updates nicht berücksichtigt. Doppelklicken Sie auf die Updates oder klicken Sie auf die Schaltfläche rechts neben ihnen, um ihre Updates nicht mehr zu ignorieren.", + "Reset list": "Liste zurücksetzen", + "Package Name": "Paketname", + "Package ID": "Paket-ID", + "Ignored version": "Ignorierte Version", + "New version": "Neue Version", + "Source": "Quelle", + "All versions": "Alle Versionen", + "Unknown": "Unbekannt", + "Up to date": "Aktuell", + "Cancel": "Abbrechen", + "Administrator privileges": "Administratorrechte", + "This operation is running with administrator privileges.": "Dieser Vorgang wird mit Administratorrechten ausgeführt.", + "Interactive operation": "Interaktiver Vorgang", + "This operation is running interactively.": "Dieser Vorgang wird interaktiv durchgeführt.", + "You will likely need to interact with the installer.": "Sie werden wahrscheinlich mit der Installation interagieren müssen.", + "Integrity checks skipped": "Integritätsüberprüfungen übersprungen", + "Proceed at your own risk.": "Fortfahren auf eigenes Risiko", + "Close": "Schließen", + "Loading...": "Laden...", + "Installer SHA256": "Installations-SHA256", + "Homepage": "Startseite", + "Author": "Autor", + "Publisher": "Herausgeber", + "License": "Lizenz", + "Manifest": "Manifest", + "Installer Type": "Installations-Typ", + "Size": "Größe", + "Installer URL": "Installations-URL", + "Last updated:": "Zuletzt aktualisiert:", + "Release notes URL": "Versionshinweise-URL", + "Package details": "Paketdetails", + "Dependencies:": "Abhängigkeiten:", + "Release notes": "Versionshinweise", + "Version": "Version", + "Install as administrator": "Als Administrator installieren", + "Update to version {0}": "Update auf Version {0}", + "Installed Version": "Installierte Version:", + "Update as administrator": "Als Administrator aktualisieren", + "Interactive update": "Interaktiv aktualisieren", + "Uninstall as administrator": "Als Administrator deinstallieren", + "Interactive uninstall": "Interaktiv deinstallieren", + "Uninstall and remove data": "Deinstallieren und Daten entfernen", + "Not available": "Nicht verfügbar", + "Installer SHA512": "Installations-SHA512", + "Unknown size": "Unbekannte Größe", + "No dependencies specified": "Keine Abhängigkeiten angegeben", + "mandatory": "obligatorisch", + "optional": "optional", + "UniGetUI {0} is ready to be installed.": "UniGetUI-Version {0} ist bereit zur Installation.", + "The update process will start after closing UniGetUI": "Das Update wird nach dem Beenden von UniGetUI durchgeführt.", + "Share anonymous usage data": "Anonyme Nutzungsdaten teilen", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI sammelt anonyme Nutzungsdaten, um die Nutzererfahrung zu verbessern.", + "Accept": "Akzeptieren", + "You have installed WingetUI Version {0}": "Sie haben die UniGetUI-Version {0} installiert.", + "Disclaimer": "Haftungsausschluss", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI gehört zu keinem der kompatiblen Paketmanager. UniGetUI ist ein unabhängiges Projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI wäre ohne die Hilfe der Mitwirkenden nicht möglich gewesen. Vielen Dank an alle 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI verwendet die folgenden Bibliotheken, ohne die UniGetUI nicht realisierbar gewesen wäre.", + "{0} homepage": "{0} Homepage", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI wurde dank freiwilliger Übersetzer in mehr als 40 Sprachen übersetzt. Vielen Dank 🤝", + "Verbose": "Verbose", + "1 - Errors": "1 – Fehler", + "2 - Warnings": "2 – Warnungen", + "3 - Information (less)": "3 – Informationen (weniger)", + "4 - Information (more)": "4 – Informationen (mehr)", + "5 - information (debug)": "5 – Informationen (Debug)", + "Warning": "Warnung", + "The following settings may pose a security risk, hence they are disabled by default.": "Die folgenden Einstellungen können ein Sicherheitsrisiko darstellen und sind daher standardmäßig deaktiviert.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktivieren Sie die nachstehenden Einstellungen nur, WENN UND NUR WENN Sie sich über deren Funktion und die damit verbundenen Auswirkungen und Gefahren im Klaren sind.", + "The settings will list, in their descriptions, the potential security issues they may have.": "In den Beschreibungen der Einstellungen werden deren potenzielle Sicherheitsprobleme aufgeführt.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Die Sicherung enthält eine vollständige Liste der installierten Pakete und deren Installationsoptionen. Ignorierte Updates und übersprungene Versionen werden ebenfalls gesichert.", + "The backup will NOT include any binary file nor any program's saved data.": "Die Sicherung enthält keine ausführbaren Dateien oder Programmdaten.", + "The size of the backup is estimated to be less than 1MB.": "Die voraussichtliche Größe der Sicherung beträgt weniger als 1 MB.", + "The backup will be performed after login.": "Die Sicherung wird nach der Anmeldung ausgeführt.", + "{pcName} installed packages": "{pcName} installierte Pakete", + "Current status: Not logged in": "Aktueller Status: Nicht angemeldet", + "You are logged in as {0} (@{1})": "Sie sind angemeldet als {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Super! Die Sicherungen werden in einen privaten Gist auf Ihrem Konto hochgeladen", + "Select backup": "Sicherung auswählen", + "WingetUI Settings": "UniGetUI-Einstellungen", + "Allow pre-release versions": "Vorabversionen zulassen", + "Apply": "Anwenden", + "Go to UniGetUI security settings": "Zu den UniGetUI-Sicherheitseinstellungen gehen", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Die folgenden Optionen werden standardmäßig angewendet, wenn ein {0}-Paket installiert, aktualisiert oder deinstalliert wird.", + "Package's default": "Standardeinstellung des Pakets", + "Install location can't be changed for {0} packages": "Der Installationsort kann für {0} Pakete nicht geändert werden", + "The local icon cache currently takes {0} MB": "Der lokale Symbol-Cache belegt zur Zeit {0} MB", + "Username": "Benutzername", + "Password": "Passwort", + "Credentials": "Anmeldedaten", + "Partially": "Teilweise", + "Package manager": "Paketmanager", + "Compatible with proxy": "Kompatibel mit Proxy", + "Compatible with authentication": "Kompatibel mit Authentifizierung", + "Proxy compatibility table": "Proxy-Kompatibilitätstabelle", + "{0} settings": "{0}-Einstellungen", + "{0} status": "{0}-Status", + "Default installation options for {0} packages": "Standardinstallationsoptionen für {0}-Pakete", + "Expand version": "Version erweitern", + "The executable file for {0} was not found": "Die ausführbare Datei für {0} wurde nicht gefunden.", + "{pm} is disabled": "{pm} ist deaktiviert", + "Enable it to install packages from {pm}.": "Aktivieren, um Pakete von {pm} zu installieren.", + "{pm} is enabled and ready to go": "{pm} ist aktiviert und bereit", + "{pm} version:": "{pm}-Version:", + "{pm} was not found!": "{pm} wurde nicht gefunden", + "You may need to install {pm} in order to use it with WingetUI.": "Sie müssen möglicherweise {pm} installieren, um es mit UniGetUI verwenden zu können.", + "Scoop Installer - WingetUI": "Scoop-Installer – UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop-Uninstaller – UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop-Cache leeren – UniGetUI", + "Restart UniGetUI": "UniGetUI neu starten", + "Manage {0} sources": "{0}-Quellen verwalten", + "Add source": "Quelle hinzufügen", + "Add": "Hinzufügen", + "Other": "Andere", + "1 day": "1 Tag", + "{0} days": "{0} Tage", + "{0} minutes": "{0} Minuten", + "1 hour": "1 Stunde", + "{0} hours": "{0} Stunden", + "1 week": "1 Woche", + "WingetUI Version {0}": "UniGetUI-Version {0}", + "Search for packages": "Nach Paketen suchen", + "Local": "Lokal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Es wurden {0} Pakete gefunden, von denen {1} den festgelegten Filtern entsprechen.", + "{0} selected": "{0} ausgewählt", + "(Last checked: {0})": "(Letzte Überprüfung: {0})", + "Enabled": "Aktiviert", + "Disabled": "Deaktiviert", + "More info": "Mehr Infos", + "Log in with GitHub to enable cloud package backup.": "Bei GitHub anmelden, um die Cloud-Paketsicherung zu aktivieren.", + "More details": "Mehr Details", + "Log in": "Anmelden", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Wenn Sie die Cloud-Sicherung aktiviert haben, wird sie als GitHub Gist auf diesem Konto gespeichert", + "Log out": "Abmelden", + "About": "Über", + "Third-party licenses": "Drittanbieterlizenzen", + "Contributors": "Mitwirkende", + "Translators": "Übersetzer", + "Manage shortcuts": "Verknüpfungen verwalten", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI hat folgende Desktopverknüpfungen gefunden, die beim nächsten Update automatisch entfernt werden können", + "Do you really want to reset this list? This action cannot be reverted.": "Möchten Sie wirklich diese Liste zurücksetzen? Diese Aktion kann nicht rückgängig getan werden.", + "Remove from list": "Aus der Liste entfernen", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Wenn neue Verknüpfungen erkannt werden, diese automatisch löschen, anstatt diesen Dialog anzuzeigen.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI sammelt anonyme Nutzungsdaten mit dem alleinigen Ziel, das Nutzererlebnis zu verstehen und zu verbessern.", + "More details about the shared data and how it will be processed": "Mehr Details über die geteilten Daten und wie sie verarbeitet werden", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Sind Sie damit einverstanden, dass UniGetUI anonyme Nutzungsstatistiken sammelt und übermittelt, mit dem alleinigen Zweck, die Nutzererfahrung zu verstehen und zu verbessern?", + "Decline": "Ablehnen", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Persönliche Daten werden weder gesammelt noch gesendet, und die gesammelten Daten sind anonymisiert, sodass sie nicht zu Ihnen zurückverfolgt werden können.", + "About WingetUI": "Über UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI ist eine Anwendung, die das Verwalten Ihrer Software vereinfacht, indem sie eine vollumfängliche Oberfläche für Ihre Kommandozeilen-Paketmanager bereitstellt.", + "Useful links": "Nützliche Links", + "Report an issue or submit a feature request": "Ein Problem melden oder eine Funktionsanfrage stellen", + "View GitHub Profile": "GitHub-Profil öffnen", + "WingetUI License": "UniGetUI-Lizenz", + "Using WingetUI implies the acceptation of the MIT License": "Die Verwendung von UniGetUI impliziert die Zustimmung zur MIT-Lizenz", + "Become a translator": "Werden Sie Übersetzer", + "View page on browser": "Seite im Browser öffnen", + "Copy to clipboard": "In Zwischenablage kopieren", + "Export to a file": "Als Datei exportieren", + "Log level:": "Protokollebene:", + "Reload log": "Protokoll neu laden", + "Text": "Text", + "Change how operations request administrator rights": "Festlegen, wie Vorgänge Administratorrechte anfordern", + "Restrictions on package operations": "Beschränkungen für Paketvorgänge", + "Restrictions on package managers": "Beschränkungen für Paketmanager", + "Restrictions when importing package bundles": "Beschränkungen beim Import von Paketbündeln", + "Ask for administrator privileges once for each batch of operations": "Nur einmal nach Administratorrechten für jeden Stapel von Vorgängen fragen", + "Ask only once for administrator privileges": "Nur einmal nach Administratorrechten fragen", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Jede Art von Berechtigungserhöhung über UniGetUI-Elevator oder GSudo verbieten", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Diese Option WIRD Probleme verursachen. Jeder Vorgang, der nicht in der Lage ist, sich selbst zu erhöhen, WIRD FEHLSCHLAGEN. Installieren/Aktualisieren/Deinstallieren als Administrator wird NICHT FUNKTIONIEREN.", + "Allow custom command-line arguments": "Benutzerdefinierte Befehlszeilenargumente zulassen", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Benutzerdefinierte Befehlszeilenargumente können die Art und Weise ändern, wie Programme installiert, aktualisiert oder deinstalliert werden, und zwar in einer Weise, die UniGetUI nicht kontrollieren kann. Die Verwendung benutzerdefinierter Befehlszeilen kann Pakete beschädigen. Gehen Sie daher mit Vorsicht vor.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Benutzerdefinierte Vor- und Nachinstallationsbefehle beim Importieren von Paketen aus einem Bündel ignorieren", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Vor und Nachinstallationsbefehle werden vor und nach der Installation, Aktualisierung oder Deinstallation eines Pakets ausgeführt. Beachten Sie, dass sie zu Problemen führen können, wenn sie nicht sorgfältig verwendet werden.", + "Allow changing the paths for package manager executables": "Ändern der Pfade für ausführbare Dateien des Paketmanagers zulassen", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Wenn Sie diese Option aktivieren, können Sie die ausführbare Datei ändern, die zur Interaktion mit Paketmanagern verwendet wird. Dies ermöglicht eine feinere Anpassung Ihrer Installationsprozesse, kann jedoch sicherheitsgefährdend sein.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Das Importieren von benutzerdefinierten Befehlszeilenargumenten beim Importieren von Paketen aus einem Bündel erlauben", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Fehlerhafte Befehlszeilenargumente können Pakete beschädigen oder sogar einem böswilligen Akteur die Ausführung mit erhöhten Rechten ermöglichen. Daher ist das Importieren benutzerdefinierter Befehlszeilenargumente standardmäßig deaktiviert.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Das Importieren von benutzerdefinierten Vor- und Nachinstallationsbefehlen beim Importieren von Paketen aus einem Bündel erlauben", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Vor und Nachinstallationsbefehle können Ihrem System erheblichen Schaden zufügen, wenn sie entsprechend programmiert sind. Es kann sehr riskant sein, Befehle aus einem Bündel zu importieren, es sei denn, Sie vertrauen der Quelle dieses Paketbündels.", + "Administrator rights and other dangerous settings": "Administratorrechte und andere riskante Einstellungen", + "Package backup": "Paketsicherung", + "Cloud package backup": "Cloud-Paketsicherung", + "Local package backup": "Lokale Paketsicherung", + "Local backup advanced options": "Erweiterte Optionen für die lokale Sicherung", + "Log in with GitHub": "Bei GitHub anmelden", + "Log out from GitHub": "Von GitHub abmelden", + "Periodically perform a cloud backup of the installed packages": "Regelmäßig eine Cloud-Sicherung der installierten Pakete durchführen", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Die Cloud-Sicherung verwendet ein privates GitHub Gist, um eine Liste der installierten Pakete zu speichern.", + "Perform a cloud backup now": "Jetzt eine Cloud-Sicherung durchführen", + "Backup": "Sichern", + "Restore a backup from the cloud": "Eine Sicherung aus der Cloud wiederherstellen", + "Begin the process to select a cloud backup and review which packages to restore": "Starten Sie den Vorgang, um eine Cloud Sicherung auszuwählen und überprüfen Sie, welche Pakete wiederhergestellt werden sollen.", + "Periodically perform a local backup of the installed packages": "Regelmäßig eine lokale Sicherung der installierten Pakete durchführen", + "Perform a local backup now": "Jetzt eine lokale Sicherung durchführen", + "Change backup output directory": "Sicherungsverzeichnis ändern", + "Set a custom backup file name": "Einen benutzerdefinierten Dateinamen für Sicherungen festlegen", + "Leave empty for default": "Leer lassen für Standard", + "Add a timestamp to the backup file names": "Zeitstempel an den Sicherungsdateinamen anhängen", + "Backup and Restore": "Sichern und Wiederherstellen", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Hintergrund-API aktivieren (UniGetUI-Widgets und -Zugriff, Port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Mit der Ausführung von Aufgaben, die eine Internetverbindung erfordern, warten, bis das Gerät mit dem Internet verbunden ist.", + "Disable the 1-minute timeout for package-related operations": "Einminütige Zeitüberschreitung für paketbezogene Vorgänge deaktivieren", + "Use installed GSudo instead of UniGetUI Elevator": "Installiertes GSudo anstelle des UniGetUI-Elevators verwenden", + "Use a custom icon and screenshot database URL": "Benutzerdefinierte Datenbank-URL für Symbole und Screenshots verwenden", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Optimierungen der Hintergrund-CPU-Auslastung aktivieren (siehe Pull Request #3278)", + "Perform integrity checks at startup": "Beim Start Integritätsprüfungen durchführen", + "When batch installing packages from a bundle, install also packages that are already installed": "Bei der Batch-Installation von Paketen aus einem Bündel auch Pakete installieren, die bereits installiert sind.", + "Experimental settings and developer options": "Experimentelle und Entwickleroptionen", + "Show UniGetUI's version and build number on the titlebar.": "UniGetUI-Version und Build-Nummer in der Titelleiste anzeigen", + "Language": "Sprache", + "UniGetUI updater": "UniGetUI-Updater", + "Telemetry": "Telemetrie", + "Manage UniGetUI settings": "UniGetUI-Einstellungen verwalten", + "Related settings": "Verwandte Einstellungen", + "Update WingetUI automatically": "UniGetUI automatisch aktualisieren", + "Check for updates": "Nach Updates suchen", + "Install prerelease versions of UniGetUI": "Auch Vorabversionen von UniGetUI installieren", + "Manage telemetry settings": "Telemetrieeinstellungen verwalten", + "Manage": "Verwalten", + "Import settings from a local file": "Einstellungen aus lokaler Datei importieren", + "Import": "Importieren", + "Export settings to a local file": "Einstellungen in lokale Datei exportieren", + "Export": "Exportieren", + "Reset WingetUI": "UniGetUI zurücksetzen", + "Reset UniGetUI": "UniGetUI zurücksetzen", + "User interface preferences": "Bedienoberfläche", + "Application theme, startup page, package icons, clear successful installs automatically": "Farbschema, Startseite, Paketsymbole, erfolgreiche Installationen automatisch leeren", + "General preferences": "Allgemeines", + "WingetUI display language:": "UniGetUI-Anzeigesprache:", + "Is your language missing or incomplete?": "Fehlt Ihre Sprache oder ist diese unvollständig?", + "Appearance": "Darstellung", + "UniGetUI on the background and system tray": "UniGetUI im Hintergrund und Infobereich", + "Package lists": "Paketlisten", + "Close UniGetUI to the system tray": "UniGetUI nach dem Schließen im Infobereich anzeigen", + "Show package icons on package lists": "Paketsymbole in Paketlisten anzeigen", + "Clear cache": "Cache leeren", + "Select upgradable packages by default": "Pakete mit Updates automatisch auswählen", + "Light": "Hell", + "Dark": "Dunkel", + "Follow system color scheme": "Farbschema des Systems verwenden", + "Application theme:": "Farbschema:", + "Discover Packages": "Pakete suchen", + "Software Updates": "Software-Updates", + "Installed Packages": "Installierte Pakete", + "Package Bundles": "Paketbündel", + "Settings": "Einstellungen", + "UniGetUI startup page:": "UniGetUI-Startseite:", + "Proxy settings": "Proxy-Einstellungen", + "Other settings": "Weitere Einstellungen", + "Connect the internet using a custom proxy": "Über einen benutzerdefinierten Proxy mit dem Internet verbinden", + "Please note that not all package managers may fully support this feature": "Bitte beachten Sie, dass nicht alle Paketmanager diese Funktion vollständig unterstützen.", + "Proxy URL": "Proxy-URL", + "Enter proxy URL here": "Proxy-URL hier eingeben", + "Package manager preferences": "Paketmanager-Einstellungen", + "Ready": "Bereit", + "Not found": "Nicht gefunden", + "Notification preferences": "Benachrichtigungen", + "Notification types": "Benachrichtigungstypen", + "The system tray icon must be enabled in order for notifications to work": "Das Symbol im Infobereich muss aktiviert sein, damit die Benachrichtigungen funktionieren.", + "Enable WingetUI notifications": "UniGetUI-Benachrichtigungen aktivieren", + "Show a notification when there are available updates": "Benachrichtigung anzeigen, wenn Updates verfügbar sind", + "Show a silent notification when an operation is running": "Stille Benachrichtigung anzeigen, wenn ein Vorgang ausgeführt wird", + "Show a notification when an operation fails": "Benachrichtigung anzeigen, wenn ein Vorgang fehlschlägt", + "Show a notification when an operation finishes successfully": "Benachrichtigung anzeigen, wenn ein Vorgang erfolgreich abgeschlossen wurde", + "Concurrency and execution": "Parallele Ausführung", + "Automatic desktop shortcut remover": "Desktopverknüpfung automatisch entfernen", + "Clear successful operations from the operation list after a 5 second delay": "Erfolgreiche Vorgänge nach einer Verzögerung von 5 Sekunden aus der Liste entfernen", + "Download operations are not affected by this setting": "Download-Vorgänge sind von dieser Einstellung nicht betroffen", + "Try to kill the processes that refuse to close when requested to": "Prozesse nach Möglichkeit zwangsweise beenden, wenn sie sich nicht ordnungsgemäß schließen lassen.", + "You may lose unsaved data": "Sie können nicht gespeicherte Daten verlieren", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Nach Löschen von Desktopverknüpfungen fragen, die während einer Installation oder eines Upgrades erstellt wurden.", + "Package update preferences": "Paketupdates", + "Update check frequency, automatically install updates, etc.": "Update-Prüfintervall, automatische Updates usw.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Benutzerkontensteuerung-Eingabeaufforderungen reduzieren, Installationen standardmäßig mit erhöhten Berechtigungen ausführen, bestimmte riskante Funktionen freischalten usw.", + "Package operation preferences": "Paketvorgänge", + "Enable {pm}": "{pm} aktivieren", + "Not finding the file you are looking for? Make sure it has been added to path.": "Sie können die gesuchte Datei nicht finden? Stellen Sie sicher, dass sie zum Pfad hinzugefügt wurde.", + "For security reasons, changing the executable file is disabled by default": "Aus Sicherheitsgründen ist das Ändern der ausführbaren Datei standardmäßig deaktiviert.", + "Change this": "Dies ändern", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Wählen Sie die auszuführende Datei aus. Die folgende Liste zeigt die von UniGetUI gefundenen ausführbaren Dateien.", + "Current executable file:": "Aktuelle ausführbare Datei:", + "Ignore packages from {pm} when showing a notification about updates": "Pakete von {pm} ignorieren, wenn eine Benachrichtigung über Updates angezeigt wird", + "View {0} logs": "{0}-Protokolle anzeigen", + "Advanced options": "Erweiterte Optionen", + "Reset WinGet": "WinGet zurücksetzen", + "This may help if no packages are listed": "Dies kann hilfreich sein, wenn keine Pakete aufgelistet sind", + "Force install location parameter when updating packages with custom locations": "Parameter für den Installationsort beim Aktualisieren von Paketen mit benutzerdefinierten Speicherorten erzwingen", + "Use bundled WinGet instead of system WinGet": "Mitgeliefertes WinGet anstelle des systeminternen WinGet verwenden", + "This may help if WinGet packages are not shown": "Dies kann hilfreich sein, wenn WinGet-Pakete nicht angezeigt werden", + "Install Scoop": "Scoop installieren", + "Uninstall Scoop (and its packages)": "Scoop deinstallieren (inkl. aller Pakete)", + "Run cleanup and clear cache": "Bereinigung ausführen und Cache leeren", + "Run": "Ausführen", + "Enable Scoop cleanup on launch": "Bereinigung von Scoop beim Start aktivieren", + "Use system Chocolatey": "Systeminternes Chocolatey verwenden", + "Default vcpkg triplet": "Standard vcpkg-Triplett", + "Language, theme and other miscellaneous preferences": "Sprache und andere Einstellungen", + "Show notifications on different events": "Benachrichtigungen über verschiedene Ereignisse anzeigen", + "Change how UniGetUI checks and installs available updates for your packages": "Legen Sie fest, wie UniGetUI nach verfügbaren Updates für Ihre Pakete sucht und installiert", + "Automatically save a list of all your installed packages to easily restore them.": "Automatisch eine Liste von allen installierten Paketen speichern, um sie einfacher wiederherzustellen", + "Enable and disable package managers, change default install options, etc.": "Paketmanager aktivieren und deaktivieren, Standardinstallationsoptionen ändern usw.", + "Internet connection settings": "Internetverbindung", + "Proxy settings, etc.": "Proxy-Einstellungen usw.", + "Beta features and other options that shouldn't be touched": "Beta-Funktionen und andere Optionen, die nicht geändert werden sollten", + "Update checking": "Update-Prüfintervall", + "Automatic updates": "Automatische Updates", + "Check for package updates periodically": "Regelmäßig nach Paketupdates suchen", + "Check for updates every:": "Nach Updates suchen alle:", + "Install available updates automatically": "Verfügbare Updates automatisch installieren", + "Do not automatically install updates when the network connection is metered": "Updates nicht automatisch installieren, wenn die Netzwerkverbindung getaktet ist", + "Do not automatically install updates when the device runs on battery": "Updates nicht automatisch installieren, wenn das Gerät im Akkubetrieb läuft", + "Do not automatically install updates when the battery saver is on": "Updates nicht automatisch installieren, wenn der Energiesparmodus aktiviert ist", + "Change how UniGetUI handles install, update and uninstall operations.": "Festlegen, wie UniGetUI Installations-, Aktualisierungs- und Deinstallationsvorgänge durchführt.", + "Package Managers": "Paketmanager", + "More": "Mehr", + "WingetUI Log": "UniGetUI-Protokoll", + "Package Manager logs": "Paketmanager-Protokolle", + "Operation history": "Vorgangsverlauf", + "Help": "Hilfe", + "Order by:": "Sortieren nach:", + "Name": "Name", + "Id": "ID", + "Ascendant": "Aufsteigend", + "Descendant": "Absteigend", + "View mode:": "Ansicht:", + "Filters": "Filter", + "Sources": "Quellen", + "Search for packages to start": "Nach Paketen suchen, um zu starten", + "Select all": "Alle auswählen", + "Clear selection": "Auswahl aufheben", + "Instant search": "Schnellsuche", + "Distinguish between uppercase and lowercase": "Groß/Kleinschreibung beachten", + "Ignore special characters": "Sonderzeichen ignorieren", + "Search mode": "Suchmodus", + "Both": "Beide", + "Exact match": "Exakter Treffer", + "Show similar packages": "Ähnliche Pakete anzeigen", + "No results were found matching the input criteria": "Es wurden keine Ergebnisse gefunden, die den eingegebenen Kriterien entsprechen.", + "No packages were found": "Keine Pakete gefunden", + "Loading packages": "Pakete werden geladen...", + "Skip integrity checks": "Integritätsprüfungen überspringen", + "Download selected installers": "Ausgewählte Installationsdateien herunterladen", + "Install selection": "Auswahl installieren", + "Install options": "Installationsoptionen", + "Share": "Teilen", + "Add selection to bundle": "Auswahl zum Bündel hinzufügen", + "Download installer": "Installationsdatei herunterladen", + "Share this package": "Paket teilen", + "Uninstall selection": "Auswahl deinstallieren", + "Uninstall options": "Deinstallationsoptionen", + "Ignore selected packages": "Ausgewählte Pakete ignorieren", + "Open install location": "Installationsort öffnen", + "Reinstall package": "Paket neu installieren", + "Uninstall package, then reinstall it": "Paket deinstallieren, dann neu installieren", + "Ignore updates for this package": "Updates für dieses Paket ignorieren", + "Do not ignore updates for this package anymore": "Updates für dieses Paket nicht mehr ignorieren", + "Add packages or open an existing package bundle": "Pakete hinzufügen oder ein vorhandenes Paketbündel öffnen", + "Add packages to start": "Zum starten Pakete hinzufügen", + "The current bundle has no packages. Add some packages to get started": "Das aktuelle Bündel enthält keine Pakete. Fügen Sie ein paar Pakete hinzu, um zu beginnen.", + "New": "Neu", + "Save as": "Speichern unter", + "Remove selection from bundle": "Auswahl aus Bündel entfernen", + "Skip hash checks": "Hash-Prüfungen überspringen", + "The package bundle is not valid": "Das Paketbündel ist ungültig", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Das Bündel, das Sie versuchen zu laden, scheint ungültig zu sein. Bitte überprüfen Sie die Datei und versuchen Sie es erneut.", + "Package bundle": "Paketbündel", + "Could not create bundle": "Bündel konnte nicht erstellt werden", + "The package bundle could not be created due to an error.": "Das Paketbündel konnte aufgrund eines Fehlers nicht erstellt werden.", + "Bundle security report": "Bündel-Sicherheitsbericht", + "Hooray! No updates were found.": "Hurra! Es wurden keine Updates gefunden.", + "Everything is up to date": "Alles ist auf dem neuesten Stand", + "Uninstall selected packages": "Ausgewählte Pakete deinstallieren", + "Update selection": "Auswahl aktualisieren", + "Update options": "Aktualisierungsoptionen", + "Uninstall package, then update it": "Paket deinstallieren, dann aktualisieren", + "Uninstall package": "Paket deinstallieren", + "Skip this version": "Diese Version überspringen", + "Pause updates for": "Updates aussetzen für", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Der Rust-Paketmanager.
Enthält: Rust-Bibliotheken und in Rust geschriebene Programme.", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Der klassische Paketmanager für Windows. Dort finden Sie alles.
Enthält: Allgemeine Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Ein Repository mit Tools und ausführbaren Dateien, designt für das .NET-Ökosystem von Microsoft.
Enthält: .NET-bezogene Tools und Skripte", + "NuPkg (zipped manifest)": "NuPkg (komprimiertes Manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node.js-Paketmanager. Enthält viele Bibliotheken und andere Dienstprogramme aus der JavaScript-Welt.
Enthält: Node JavaScript-Bibliotheken und andere zugehörige Dienstprogramme", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Paketmanager von Python. Enthält viele Python-Bibliotheken und andere mit Python verwandte Dienstprogramme.
Enthält: Python-Bibliotheken und zugehörige Dienstprogramme", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-Paketmanager. Finden Sie Bibliotheken und Skripte zur Erweiterung der PowerShell-Funktionen.
Enthält: Module, Skripte, Cmdlets", + "extracted": "extrahiert", + "Scoop package": "Scoop-Paket", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Große Sammlung nützlicher Tools und anderer interessanter Pakete.
Enthält: Utilities, Befehlszeilenprogramme, allgemeine Software (Zusatzpaket erforderlich)", + "library": "Bibliothek", + "feature": "Besonderheit", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Eine beliebte C/C++-Bibliotheksverwaltung. Voller C/C++ Bibliotheken und anderen C/C++ zugehörigen Werkzeugen.
Enthält: C/C++-Bibliotheken und zugehörige Werkzeuge", + "option": "Option", + "This package cannot be installed from an elevated context.": "Das Paket kann nicht mit erhöhten Rechten (als Administrator) installiert werden.", + "Please run UniGetUI as a regular user and try again.": "Starten Sie bitte UniGetUI als normaler Benutzer und versuchen Sie es noch einmal.", + "Please check the installation options for this package and try again": "Prüfen Sie bitte die Installationsoptionen des Pakets und versuchen Sie es noch einmal", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Offizieller Paketmanager von Microsoft. Enthält viele bekannte und verifizierte Pakete.
Enthält: Allgemeine Software, Microsoft Store-Apps", + "Local PC": "Lokaler PC", + "Android Subsystem": "Android-Subsystem", + "Operation on queue (position {0})...": "Vorgang in Warteschlange (Position {0})...", + "Click here for more details": "Hier klicken für mehr Details", + "Operation canceled by user": "Vorgang vom Benutzer abgebrochen", + "Starting operation...": "Vorgang starten...", + "{package} installer download": "{package}-Installationsdatei wird heruntergeladen", + "{0} installer is being downloaded": "{0}-Installationsdatei wird heruntergeladen", + "Download succeeded": "Download erfolgreich", + "{package} installer was downloaded successfully": "{package}-Installationsdatei wurde erfolgreich heruntergeladen", + "Download failed": "Download fehlgeschlagen", + "{package} installer could not be downloaded": "{package}-Installationsdatei konnte nicht heruntergeladen werden", + "{package} Installation": "{package} Installation", + "{0} is being installed": "{0} wird installiert", + "Installation succeeded": "Installation erfolgreich", + "{package} was installed successfully": "{package} wurde erfolgreich installiert", + "Installation failed": "Installation fehlgeschlagen", + "{package} could not be installed": "{package} konnte nicht installiert werden", + "{package} Update": "{package} Update", + "{0} is being updated to version {1}": "{0} wird auf Version {1} aktualisiert", + "Update succeeded": "Update erfolgreich", + "{package} was updated successfully": "{package} wurde erfolgreich aktualisiert", + "Update failed": "Update fehlgeschlagen", + "{package} could not be updated": "{package} konnte nicht aktualisiert werden", + "{package} Uninstall": "{package} Deinstallation", + "{0} is being uninstalled": "{0} wird deinstalliert", + "Uninstall succeeded": "Erfolgreich deinstalliert", + "{package} was uninstalled successfully": "{package} wurde erfolgreich deinstalliert", + "Uninstall failed": "Deinstallieren fehlgeschlagen", + "{package} could not be uninstalled": "{package} konnte nicht deinstalliert werden", + "Adding source {source}": "Quelle {source} hinzufügen", + "Adding source {source} to {manager}": "Quelle {source} wird zu {manager} hinzugefügt", + "Source added successfully": "Quelle erfolgreich hinzugefügt", + "The source {source} was added to {manager} successfully": "Die Quelle {source} wurde erfolgreich zu {manager} hinzugefügt", + "Could not add source": "Konnte Quelle nicht hinzufügen", + "Could not add source {source} to {manager}": "Quelle {source} konnte nicht zu {manager} hinzugefügt werden", + "Removing source {source}": "Quelle {source} entfernen", + "Removing source {source} from {manager}": "Quelle {source} aus {manager} entfernen", + "Source removed successfully": "Quelle erfolgreich entfernt", + "The source {source} was removed from {manager} successfully": "Die Quelle {source} wurde erfolgreich von {manager} entfernt", + "Could not remove source": "Konnte Quelle nicht entfernen", + "Could not remove source {source} from {manager}": "Quelle {source} konnte nicht von {manager} entfernt werden", + "The package manager \"{0}\" was not found": "Paketmanager „{0}“ wurde nicht gefunden", + "The package manager \"{0}\" is disabled": "Paketmanager „{0}“ ist deaktiviert", + "There is an error with the configuration of the package manager \"{0}\"": "Es liegt ein Fehler in der Konfiguration des Paketmanagers „{0}“ vor", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Das Paket „{0}“ wurde nicht im Paketmanager „{1}“ gefunden", + "{0} is disabled": "{0} ist deaktiviert", + "Something went wrong": "Etwas ist schiefgelaufen", + "An interal error occurred. Please view the log for further details.": "Ein interner Fehler ist aufgetreten. Bitte sehen Sie sich das Protokoll für weitere Details an.", + "No applicable installer was found for the package {0}": "Es wurde keine geeignete Installationsdatei für das Paket {0} gefunden", + "We are checking for updates.": "Es wird nach Updates gesucht.", + "Please wait": "Bitte warten", + "UniGetUI version {0} is being downloaded.": "UniGetUI-Version {0} wird heruntergeladen.", + "This may take a minute or two": "Dies kann ein oder zwei Minuten dauern.", + "The installer authenticity could not be verified.": "Die Echtheit der Installationsdatei konnte nicht überprüft werden.", + "The update process has been aborted.": "Der Update-Vorgang wurde abgebrochen.", + "Great! You are on the latest version.": "Sehr gut! Sie haben die neueste Version.", + "There are no new UniGetUI versions to be installed": "Es sind keine neueren Versionen von UniGetUI verfügbar.", + "An error occurred when checking for updates: ": "Ein Fehler ist aufgetreten beim Überprüfen von Updates:", + "UniGetUI is being updated...": "UniGetUI wird aktualisiert...", + "Something went wrong while launching the updater.": "Beim Updater-Start lief etwas schief.", + "Please try again later": "Versuchen Sie es bitte später noch einmal", + "Integrity checks will not be performed during this operation": "Integritätsprüfungen werden nicht während dieses Vorgangs ausgeführt", + "This is not recommended.": "Dies ist nicht empfohlen.", + "Run now": "Jetzt ausführen", + "Run next": "Als Nächstes ausführen", + "Run last": "Als Letztes ausführen", + "Retry as administrator": "Erneut als Administrator versuchen", + "Retry interactively": "Interaktiv erneut versuchen", + "Retry skipping integrity checks": "Erneut versuchen und dabei Integritätsprüfungen überspringen", + "Installation options": "Installationsoptionen", + "Show in explorer": "In Explorer anzeigen", + "This package is already installed": "Dieses Paket wurde bereits installiert", + "This package can be upgraded to version {0}": "Dieses Paket kann auf Version {0} aktualisiert werden", + "Updates for this package are ignored": "Updates für dieses Paket werden ignoriert", + "This package is being processed": "Dieses Paket wird verarbeitet", + "This package is not available": "Dieses Paket ist nicht verfügbar", + "Select the source you want to add:": "Wählen Sie die Quelle, die hinzugefügt werden soll:", + "Source name:": "Name der Quelle:", + "Source URL:": "URL der Quelle:", + "An error occurred": "Ein Fehler ist aufgetreten", + "An error occurred when adding the source: ": "Ein Fehler ist aufgetreten beim hinzufügen folgender Quelle:", + "Package management made easy": "Paketverwaltung leicht gemacht", + "version {0}": "Version {0}", + "[RAN AS ADMINISTRATOR]": "ALS ADMINISTRATOR AUSGEFÜHRT", + "Portable mode": "Portabler Modus", + "DEBUG BUILD": "DEBUG-BUILD", + "Available Updates": "Verfügbare Updates", + "Show WingetUI": "UniGetUI anzeigen", + "Quit": "Beenden", + "Attention required": "Aufmerksamkeit erforderlich", + "Restart required": "Neustart erforderlich", + "1 update is available": "1 Update verfügbar", + "{0} updates are available": "{0} Updates verfügbar", + "WingetUI Homepage": "UniGetUI-Startseite", + "WingetUI Repository": "UniGetUI-Repository", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Hier können Sie das Verhalten von UniGetUI bezüglich der folgenden Verknüpfungen ändern. Wenn Sie ein Häkchen setzen, wird UniGetUI die Verknüpfung löschen, wenn sie bei einem zukünftigen Upgrade erstellt wird. Wenn Sie das Häkchen entfernen, bleibt die Verknüpfung bestehen.", + "Manual scan": "Manueller Scan", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Vorhandene Verknüpfungen auf Ihrem Desktop werden gescannt, und Sie müssen auswählen, welche Sie behalten und welche Sie entfernen möchten.", + "Continue": "Weiter", + "Delete?": "Löschen?", + "Missing dependency": "Fehlende Abhängigkeit", + "Not right now": "Momentan nicht", + "Install {0}": "{0} installieren", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI benötigt {0}, es konnte aber auf Ihrem System nicht gefunden werden.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klicken Sie auf Installieren, um den Installationsprozess zu starten. Wenn Sie die Installation überspringen, funktioniert UniGetUI möglicherweise nicht wie erwartet.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativ können Sie auch {0} mit dem Ausführen des folgenden Befehls in einer Windows PowerShell-Eingabeaufforderung installieren:", + "Do not show this dialog again for {0}": "Diesen Dialog für {0} nicht mehr anzeigen", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Bitte warten, während {0} installiert wird. Möglicherweise erscheint ein schwarzes Fenster. Bitte warten Sie, bis es sich schließt.", + "{0} has been installed successfully.": "{0} wurde erfolgreich installiert.", + "Please click on \"Continue\" to continue": "Bitte klicken Sie auf „Weiter“, um fortzufahren", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} wurde erfolgreich installiert. Es wird empfohlen, UniGetUI neu zu starten, um die Installation abzuschließen.", + "Restart later": "Später neu starten", + "An error occurred:": "Ein Fehler ist aufgetreten:", + "I understand": "Ich verstehe", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI wurde als Administrator ausgeführt, was nicht empfohlen wird. Wenn UniGetUI als Administrator ausgeführt wird, wird JEDER Vorgang in UniGetUI mit Administratorrechten ausgeführt. Sie können das Programm trotzdem verwenden, aber wir empfehlen dringend, UniGetUI nicht mit Administratorrechten auszuführen.", + "WinGet was repaired successfully": "WinGet wurde erfolgreich repariert", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Es wird empfohlen, UniGetUI nach der Reparatur von WinGet neu zu starten", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "HINWEIS: Diese Funktion zur Fehlersuche kann in den Paketmanager-Einstellungen im Abschnitt „WinGet“ deaktiviert werden.", + "Restart": "Neu starten", + "WinGet could not be repaired": "WinGet konnte nicht repariert werden", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Beim Versuch, WinGet zu reparieren, ist ein unerwartetes Problem aufgetreten. Bitte versuchen Sie es später erneut", + "Are you sure you want to delete all shortcuts?": "Möchten Sie wirklich alle Verknüpfungen löschen?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Alle neuen Verknüpfungen, die während einer Installation oder einer Aktualisierung erstellt werden, werden automatisch gelöscht, anstatt beim ersten Erkennen der Verknüpfungen eine Bestätigungsaufforderung anzuzeigen.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Alle Verknüpfungen, die außerhalb von UniGetUI erstellt oder geändert wurden, werden ignoriert. Sie werden sie über die Schaltfläche {0} hinzufügen können.", + "Are you really sure you want to enable this feature?": "Möchten Sie diese Funktion wirklich aktivieren?", + "No new shortcuts were found during the scan.": "Während des Scans wurden keine neuen Verknüpfungen gefunden.", + "How to add packages to a bundle": "So fügen Sie Pakete zu einem Bündel hinzu", + "In order to add packages to a bundle, you will need to: ": "Um Pakete zu einem Bündel hinzuzufügen, müssen Sie Folgendes tun:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigieren Sie zu der Seite „{0}“ oder „{1}“.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Suchen Sie das/die Paket(e), das/die Sie dem Bundle hinzufügen möchten, und wählen Sie das Kontrollkästchen ganz links aus.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Wenn die Pakete, die Sie dem Bündel hinzufügen möchten, ausgewählt sind, klicken Sie in der Symbolleiste auf die Option „{0}“.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ihre Pakete wurden nun dem Bündel hinzugefügt. Sie können weitere Pakete hinzufügen oder das Bündel exportieren.", + "Which backup do you want to open?": "Welche Sicherung möchten Sie öffnen?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Wählen Sie die Sicherung aus, die Sie öffnen möchten. Später können Sie überprüfen, welche Pakete/Programme Sie wiederherstellen möchten.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Laufende Vorgänge gefunden. Wenn Sie UniGetUI beenden, können diese fehlschlagen. Möchten Sie fortfahren?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI oder einige seiner Komponenten fehlen oder sind beschädigt.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Es wird dringend empfohlen, UniGetUI neu zu installieren, um das Problem zu beheben.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Weitere Informationen zu den betroffenen Dateien finden Sie in den UniGetUI-Protokollen.", + "Integrity checks can be disabled from the Experimental Settings": "Integritätsprüfungen können in den experimentellen Einstellungen deaktiviert werden.", + "Repair UniGetUI": "UniGetUI reparieren", + "Live output": "Live-Ausgabe", + "Package not found": "Paket nicht gefunden", + "An error occurred when attempting to show the package with Id {0}": "Ein Fehler ist aufgetreten beim Versuch, das Paket mit der ID {0} anzuzeigen", + "Package": "Paket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Dieses Paketbündel enthielt Einstellungen, die potenziell riskant sind und standardmäßig ignoriert werden können.", + "Entries that show in YELLOW will be IGNORED.": "Einträge, die in GELB angezeigt werden, werden IGNORIERT.", + "Entries that show in RED will be IMPORTED.": "Einträge, die in ROT angezeigt werden, werden IMPORTIERT.", + "You can change this behavior on UniGetUI security settings.": "Sie können dieses Verhalten in den UniGetUI-Sicherheitseinstellungen ändern.", + "Open UniGetUI security settings": "UniGetUI-Sicherheitseinstellungen öffnen", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Sollten Sie die Sicherheitseinstellungen ändern, müssen Sie das Bündel erneut öffnen, damit die Änderungen wirksam werden.", + "Details of the report:": "Berichtsdetails:", "\"{0}\" is a local package and can't be shared": "„{0}“ ist ein lokales Paket und kann nicht geteilt werden", + "Are you sure you want to create a new package bundle? ": "Sind Sie sicher, dass Sie ein neues Paketbündel erstellen möchten?", + "Any unsaved changes will be lost": "Nicht gesicherte Änderungen gehen verloren", + "Warning!": "Warnung!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Aus Sicherheitsgründen sind benutzerdefinierte Kommandozeilenargumente standardmäßig deaktiviert. Gehen Sie zu den UniGetUI-Sicherheitseinstellungen, um dies zu ändern.", + "Change default options": "Standardoptionen ändern", + "Ignore future updates for this package": "Zukünftige Updates für dieses Paket ignorieren", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Aus Sicherheitsgründen sind die Skripte vor und nach der Operation standardmäßig deaktiviert. Gehen Sie zu den UniGetUI-Sicherheitseinstellungen, um dies zu ändern.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Sie können die Befehle festlegen, die vor oder nach der Installation, Aktualisierung oder Deinstallation dieses Pakets ausgeführt werden. Sie werden in einer Eingabeaufforderung ausgeführt, sodass CMD-Skripte hier funktionieren.", + "Change this and unlock": "Dies ändern und entsperren", + "{0} Install options are currently locked because {0} follows the default install options.": "Die Installationsoptionen von {0} sind derzeit gesperrt, da {0} den Standardinstallationsoptionen folgt.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Wählen Sie die Prozesse aus, die geschlossen werden sollen, bevor dieses Paket installiert, aktualisiert oder deinstalliert wird.", + "Write here the process names here, separated by commas (,)": "Geben Sie hier die Prozessnamen ein, getrennt durch Kommas (,)", + "Unset or unknown": "Nicht festgelegt oder unbekannt", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Bitte prüfen Sie die Kommandozeilen-Ausgabe oder schauen Sie im Vorgangsverlauf nach, um weitere Informationen über den Fehler zu erhalten.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Dieses Paket hat keine Screenshots oder es fehlt ein Symbol? Unterstützen Sie UniGetUI, indem Sie die fehlenden Symbole und Screenshots zu unserer offenen, öffentlichen Datenbank hinzufügen.", + "Become a contributor": "Werden Sie Mitwirkender", + "Save": "Speichern", + "Update to {0} available": "Update auf {0} verfügbar", + "Reinstall": "Neu installieren", + "Installer not available": "Installationsdatei nicht verfügbar", + "Version:": "Version:", + "Performing backup, please wait...": "Sicherung wird erstellt, bitte warten...", + "An error occurred while logging in: ": "Beim Anmelden ist ein Fehler aufgetreten:", + "Fetching available backups...": "Verfügbare Sicherungen abrufen...", + "Done!": "Fertig!", + "The cloud backup has been loaded successfully.": "Die Cloud-Sicherung wurde erfolgreich geladen.", + "An error occurred while loading a backup: ": "Beim Laden einer Sicherung ist ein Fehler aufgetreten:", + "Backing up packages to GitHub Gist...": "Pakete werden auf GitHub Gist gesichert...", + "Backup Successful": "Sicherung erfolgreich", + "The cloud backup completed successfully.": "Die Cloud-Sicherung wurde erfolgreich abgeschlossen.", + "Could not back up packages to GitHub Gist: ": "Die Pakete konnten nicht auf GitHub Gist gesichert werden:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Es kann nicht garantiert werden, dass die angegebenen Anmeldedaten sicher gespeichert werden. Verwenden Sie daher besser nicht die Zugangsdaten Ihres Bankkontos.", + "Enable the automatic WinGet troubleshooter": "Automatische WinGet-Fehlerbehebung aktivieren", + "Enable an [experimental] improved WinGet troubleshooter": "Aktivieren einer [experimentellen] verbesserten WinGet-Fehlerbehebungsfunktion", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Updates, die mit der Meldung „kein anwendbares Update gefunden“ fehlschlagen, zur Liste der ignorierten Updates hinzufügen.", + "Restart WingetUI to fully apply changes": "Zum Anwenden der Änderungen UniGetUI neu starten", + "Restart WingetUI": "UniGetUI neu starten", + "Invalid selection": "Ungültige Auswahl", + "No package was selected": "Es wurde kein Paket ausgewählt.", + "More than 1 package was selected": "Es wurde mehr als ein Paket ausgewählt.", + "List": "Liste", + "Grid": "Raster", + "Icons": "Symbole", "\"{0}\" is a local package and does not have available details": "„{0}“ ist ein lokales Paket und hat keine verfügbaren Details", "\"{0}\" is a local package and is not compatible with this feature": "„{0}“ ist ein lokales Paket und ist mit dieser Funktion nicht kompatibel", - "(Last checked: {0})": "(Letzte Überprüfung: {0})", + "WinGet malfunction detected": "WinGet-Fehler erkannt", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet scheint nicht richtig zu funktionieren. Möchten Sie versuchen, WinGet zu reparieren?", + "Repair WinGet": "WinGet reparieren", + "Create .ps1 script": ".ps1-Skript erstellen", + "Add packages to bundle": "Pakete zum Bündel hinzufügen", + "Preparing packages, please wait...": "Pakete werden vorbereitet, bitte warten...", + "Loading packages, please wait...": "Pakete werden geladen, bitte warten...", + "Saving packages, please wait...": "Pakete werden gesichert, bitte warten...", + "The bundle was created successfully on {0}": "Das Bündel wurde erfolgreich gespeichert unter {0}", + "Install script": "Installationsskript", + "The installation script saved to {0}": "Das Installationsskript wurde gespeichert unter {0}", + "An error occurred while attempting to create an installation script:": "Beim Versuch, ein Installationsskript zu erstellen, ist ein Fehler aufgetreten:", + "{0} packages are being updated": "{0} Pakete werden aktualisiert", + "Error": "Fehler", + "Log in failed: ": "Anmeldung fehlgeschlagen:", + "Log out failed: ": "Abmeldung fehlgeschlagen:", + "Package backup settings": "Einstellungen für die Paketsicherung", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Position {0} in der Warteschlange)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Datacra5H, @ebnater, @Seeloewen, @michaelmairegger, @CanePlayz, @1270o1, @yrjarv, @alxhu-dev, @Araxxas, @martinwilco, @tkohlmeier, @TheScarfix, @VfBFan, @arnowelzel, @AbsolutLeon, @Xeraox3335, @lucadsign", "0 packages found": "0 Pakete gefunden", "0 updates found": "0 Updates gefunden", - "1 - Errors": "1 – Fehler", - "1 day": "1 Tag", - "1 hour": "1 Stunde", "1 month": "1 Monat", "1 package was found": "1 Paket gefunden", - "1 update is available": "1 Update verfügbar", - "1 week": "1 Woche", "1 year": "1 Jahr", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigieren Sie zu der Seite „{0}“ oder „{1}“.", - "2 - Warnings": "2 – Warnungen", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Suchen Sie das/die Paket(e), das/die Sie dem Bundle hinzufügen möchten, und wählen Sie das Kontrollkästchen ganz links aus.", - "3 - Information (less)": "3 – Informationen (weniger)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Wenn die Pakete, die Sie dem Bündel hinzufügen möchten, ausgewählt sind, klicken Sie in der Symbolleiste auf die Option „{0}“.", - "4 - Information (more)": "4 – Informationen (mehr)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ihre Pakete wurden nun dem Bündel hinzugefügt. Sie können weitere Pakete hinzufügen oder das Bündel exportieren.", - "5 - information (debug)": "5 – Informationen (Debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Eine beliebte C/C++-Bibliotheksverwaltung. Voller C/C++ Bibliotheken und anderen C/C++ zugehörigen Werkzeugen.
Enthält: C/C++-Bibliotheken und zugehörige Werkzeuge", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Ein Repository mit Tools und ausführbaren Dateien, designt für das .NET-Ökosystem von Microsoft.
Enthält: .NET-bezogene Tools und Skripte", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Ein Repository mit Tools, designt für das .NET-Ökosystem von Microsoft.
Enthält: .NET-bezogene Tools", "A restart is required": "Ein Neustart ist notwendig", - "Abort install if pre-install command fails": "Installation abbrechen, falls der Vorinstallationsbefehl fehlschlägt", - "Abort uninstall if pre-uninstall command fails": "Deinstallation abbrechen, wenn der Vorinstallationsbefehl fehlschlägt", - "Abort update if pre-update command fails": "Aktualisierung abbrechen, wenn der Voraktualisierungsbefehl fehlschlägt", - "About": "Über", "About Qt6": "Über Qt6", - "About WingetUI": "Über UniGetUI", "About WingetUI version {0}": "Über UniGetUI Version {0}", "About the dev": "Über den Entwickler", - "Accept": "Akzeptieren", "Action when double-clicking packages, hide successful installations": "Aktion bei Doppelklick auf Pakete, erfolgreiche Installationen ausblenden", - "Add": "Hinzufügen", "Add a source to {0}": "Quelle zu {0} hinzufügen", - "Add a timestamp to the backup file names": "Zeitstempel an den Sicherungsdateinamen anhängen", "Add a timestamp to the backup files": "Zeitstempel an die Sicherungsdateien anhängen", "Add packages or open an existing bundle": "Pakete hinzufügen oder ein vorhandenes Bündel öffnen", - "Add packages or open an existing package bundle": "Pakete hinzufügen oder ein vorhandenes Paketbündel öffnen", - "Add packages to bundle": "Pakete zum Bündel hinzufügen", - "Add packages to start": "Zum starten Pakete hinzufügen", - "Add selection to bundle": "Auswahl zum Bündel hinzufügen", - "Add source": "Quelle hinzufügen", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Updates, die mit der Meldung „kein anwendbares Update gefunden“ fehlschlagen, zur Liste der ignorierten Updates hinzufügen.", - "Adding source {source}": "Quelle {source} hinzufügen", - "Adding source {source} to {manager}": "Quelle {source} wird zu {manager} hinzugefügt", "Addition succeeded": "Erfolgreich hinzugefügt", - "Administrator privileges": "Administratorrechte", "Administrator privileges preferences": "Einstellungen der Administratorrechte ", "Administrator rights": "Administratorrechte", - "Administrator rights and other dangerous settings": "Administratorrechte und andere riskante Einstellungen", - "Advanced options": "Erweiterte Optionen", "All files": "Alle Dateien", - "All versions": "Alle Versionen", - "Allow changing the paths for package manager executables": "Ändern der Pfade für ausführbare Dateien des Paketmanagers zulassen", - "Allow custom command-line arguments": "Benutzerdefinierte Befehlszeilenargumente zulassen", - "Allow importing custom command-line arguments when importing packages from a bundle": "Das Importieren von benutzerdefinierten Befehlszeilenargumenten beim Importieren von Paketen aus einem Bündel erlauben", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Das Importieren von benutzerdefinierten Vor- und Nachinstallationsbefehlen beim Importieren von Paketen aus einem Bündel erlauben", "Allow package operations to be performed in parallel": "Parallele Ausführung bei Paketvorgängen erlauben", "Allow parallel installs (NOT RECOMMENDED)": "Parallele Installationen erlauben (NICHT EMPFOHLEN)", - "Allow pre-release versions": "Vorabversionen zulassen", "Allow {pm} operations to be performed in parallel": "Für {pm}-Vorgänge eine parallele Ausführung erlauben", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativ können Sie auch {0} mit dem Ausführen des folgenden Befehls in einer Windows PowerShell-Eingabeaufforderung installieren:", "Always elevate {pm} installations by default": "{pm} immer mit erhöhten Rechten installieren", "Always run {pm} operations with administrator rights": "{pm}-Vorgänge immer mit Administratorrechten ausführen", - "An error occurred": "Ein Fehler ist aufgetreten", - "An error occurred when adding the source: ": "Ein Fehler ist aufgetreten beim hinzufügen folgender Quelle:", - "An error occurred when attempting to show the package with Id {0}": "Ein Fehler ist aufgetreten beim Versuch, das Paket mit der ID {0} anzuzeigen", - "An error occurred when checking for updates: ": "Ein Fehler ist aufgetreten beim Überprüfen von Updates:", - "An error occurred while attempting to create an installation script:": "Beim Versuch, ein Installationsskript zu erstellen, ist ein Fehler aufgetreten:", - "An error occurred while loading a backup: ": "Beim Laden einer Sicherung ist ein Fehler aufgetreten:", - "An error occurred while logging in: ": "Beim Anmelden ist ein Fehler aufgetreten:", - "An error occurred while processing this package": "Fehler beim Verarbeiten des Pakets", - "An error occurred:": "Ein Fehler ist aufgetreten:", - "An interal error occurred. Please view the log for further details.": "Ein interner Fehler ist aufgetreten. Bitte sehen Sie sich das Protokoll für weitere Details an.", "An unexpected error occurred:": "Ein unerwarteter Fehler ist aufgetreten:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Beim Versuch, WinGet zu reparieren, ist ein unerwartetes Problem aufgetreten. Bitte versuchen Sie es später erneut", - "An update was found!": "Ein Update wurde gefunden!", - "Android Subsystem": "Android-Subsystem", "Another source": "Andere Quelle", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Alle neuen Verknüpfungen, die während einer Installation oder einer Aktualisierung erstellt werden, werden automatisch gelöscht, anstatt beim ersten Erkennen der Verknüpfungen eine Bestätigungsaufforderung anzuzeigen.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Alle Verknüpfungen, die außerhalb von UniGetUI erstellt oder geändert wurden, werden ignoriert. Sie werden sie über die Schaltfläche {0} hinzufügen können.", - "Any unsaved changes will be lost": "Nicht gesicherte Änderungen gehen verloren", "App Name": "Anwendungsname", - "Appearance": "Darstellung", - "Application theme, startup page, package icons, clear successful installs automatically": "Farbschema, Startseite, Paketsymbole, erfolgreiche Installationen automatisch leeren", - "Application theme:": "Farbschema:", - "Apply": "Anwenden", - "Architecture to install:": "Zu installierende Architektur:", "Are these screenshots wron or blurry?": "Sind diese Screenshots falsch oder verschwommen?", - "Are you really sure you want to enable this feature?": "Möchten Sie diese Funktion wirklich aktivieren?", - "Are you sure you want to create a new package bundle? ": "Sind Sie sicher, dass Sie ein neues Paketbündel erstellen möchten?", - "Are you sure you want to delete all shortcuts?": "Möchten Sie wirklich alle Verknüpfungen löschen?", - "Are you sure?": "Sind Sie sich sicher?", - "Ascendant": "Aufsteigend", - "Ask for administrator privileges once for each batch of operations": "Nur einmal nach Administratorrechten für jeden Stapel von Vorgängen fragen", "Ask for administrator rights when required": "Nach Administratorrechten fragen wenn dies erforderlich ist", "Ask once or always for administrator rights, elevate installations by default": "Einmal oder immer nach Administratorrechten fragen, Installationen standardmäßig mit erhöhten Berechtigungen ausführen", - "Ask only once for administrator privileges": "Nur einmal nach Administratorrechten fragen", "Ask only once for administrator privileges (not recommended)": "Nur einmal nach Administratorrechten fragen (nicht empfohlen)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Nach Löschen von Desktopverknüpfungen fragen, die während einer Installation oder eines Upgrades erstellt wurden.", - "Attention required": "Aufmerksamkeit erforderlich", "Authenticate to the proxy with an user and a password": "Authentifizierung am Proxy mit Benutzername und Passwort", - "Author": "Autor", - "Automatic desktop shortcut remover": "Desktopverknüpfung automatisch entfernen", - "Automatic updates": "Automatische Updates", - "Automatically save a list of all your installed packages to easily restore them.": "Automatisch eine Liste von allen installierten Paketen speichern, um sie einfacher wiederherzustellen", "Automatically save a list of your installed packages on your computer.": "Automatisch eine Liste von installierten Paketen auf dem Computer speichern.", - "Automatically update this package": "Dieses Paket automatisch aktualisieren", "Autostart WingetUI in the notifications area": "UniGetUI automatisch im Infobereich starten", - "Available Updates": "Verfügbare Updates", "Available updates: {0}": "Verfügbare Updates: {0}", "Available updates: {0}, not finished yet...": "Verfügbare Updates: {0}, noch nicht abgeschlossen...", - "Backing up packages to GitHub Gist...": "Pakete werden auf GitHub Gist gesichert...", - "Backup": "Sichern", - "Backup Failed": "Sicherung fehlgeschlagen", - "Backup Successful": "Sicherung erfolgreich", - "Backup and Restore": "Sichern und Wiederherstellen", "Backup installed packages": "Installierte Pakete sichern", "Backup location": "Sicherungsort", - "Become a contributor": "Werden Sie Mitwirkender", - "Become a translator": "Werden Sie Übersetzer", - "Begin the process to select a cloud backup and review which packages to restore": "Starten Sie den Vorgang, um eine Cloud Sicherung auszuwählen und überprüfen Sie, welche Pakete wiederhergestellt werden sollen.", - "Beta features and other options that shouldn't be touched": "Beta-Funktionen und andere Optionen, die nicht geändert werden sollten", - "Both": "Beide", - "Bundle security report": "Bündel-Sicherheitsbericht", "But here are other things you can do to learn about WingetUI even more:": "Aber hier sind andere Dinge, die Sie tun können, um UniGetUI noch besser kennenzulernen:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Wenn Sie einen Paketmanager ausschalten, können Sie die zugehörigen Pakete nicht mehr sehen oder aktualisieren.", "Cache administrator rights and elevate installers by default": "Administratorrechte zwischenspeichern und Installation standardmäßig mit erhöhten Rechten ausführen", "Cache administrator rights, but elevate installers only when required": "Administratorrechte zwischenspeichern, Installation jedoch nur mit erhöhten Rechten ausführen, wenn notwendig", "Cache was reset successfully!": "Cache wurde erfolgreich zurückgesetzt!", "Can't {0} {1}": "Kann {1} nicht {0}", - "Cancel": "Abbrechen", "Cancel all operations": "Alle Vorgänge abbrechen", - "Change backup output directory": "Sicherungsverzeichnis ändern", - "Change default options": "Standardoptionen ändern", - "Change how UniGetUI checks and installs available updates for your packages": "Legen Sie fest, wie UniGetUI nach verfügbaren Updates für Ihre Pakete sucht und installiert", - "Change how UniGetUI handles install, update and uninstall operations.": "Festlegen, wie UniGetUI Installations-, Aktualisierungs- und Deinstallationsvorgänge durchführt.", "Change how UniGetUI installs packages, and checks and installs available updates": "Legen Sie fest, wie UniGetUI Pakete installiert sowie nach verfügbaren Updates sucht und installiert", - "Change how operations request administrator rights": "Festlegen, wie Vorgänge Administratorrechte anfordern", "Change install location": "Installationsort ändern", - "Change this": "Dies ändern", - "Change this and unlock": "Dies ändern und entsperren", - "Check for package updates periodically": "Regelmäßig nach Paketupdates suchen", - "Check for updates": "Nach Updates suchen", - "Check for updates every:": "Nach Updates suchen alle:", "Check for updates periodically": "Regelmäßig nach Updates suchen.", "Check for updates regularly, and ask me what to do when updates are found.": "Regelmäßig nach Updates suchen und bei gefundenen Updates nach weiteren Aktionen fragen.", "Check for updates regularly, and automatically install available ones.": "Regelmäßig nach Updates suchen und verfügbare Updates automatisch installieren.", @@ -159,805 +741,283 @@ "Checking for updates...": "Nach Updates suchen...", "Checking found instace(s)...": "Gefundene Instanz(en) prüfen...", "Choose how many operations shouls be performed in parallel": "Anzahl an Vorgängen, die parallel ausgeführt werden sollen:", - "Clear cache": "Cache leeren", "Clear finished operations": "Beendete Vorgänge löschen", - "Clear selection": "Auswahl aufheben", "Clear successful operations": "Erfolgreiche Vorgänge entfernen", - "Clear successful operations from the operation list after a 5 second delay": "Erfolgreiche Vorgänge nach einer Verzögerung von 5 Sekunden aus der Liste entfernen", "Clear the local icon cache": "Lokalen Symbol-Cache leeren", - "Clearing Scoop cache - WingetUI": "Scoop-Cache leeren – UniGetUI", "Clearing Scoop cache...": "Scoop-Cache leeren...", - "Click here for more details": "Hier klicken für mehr Details", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klicken Sie auf Installieren, um den Installationsprozess zu starten. Wenn Sie die Installation überspringen, funktioniert UniGetUI möglicherweise nicht wie erwartet.", - "Close": "Schließen", - "Close UniGetUI to the system tray": "UniGetUI nach dem Schließen im Infobereich anzeigen", "Close WingetUI to the notification area": "UniGetUI in den Infobereich schließen", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Die Cloud-Sicherung verwendet ein privates GitHub Gist, um eine Liste der installierten Pakete zu speichern.", - "Cloud package backup": "Cloud-Paketsicherung", "Command-line Output": "Kommandozeilen-Ausgabe", - "Command-line to run:": "Auszuführende Befehlszeile:", "Compare query against": "Abfrage vergleichen mit", - "Compatible with authentication": "Kompatibel mit Authentifizierung", - "Compatible with proxy": "Kompatibel mit Proxy", "Component Information": "Installierte Komponenten", - "Concurrency and execution": "Parallele Ausführung", - "Connect the internet using a custom proxy": "Über einen benutzerdefinierten Proxy mit dem Internet verbinden", - "Continue": "Weiter", "Contribute to the icon and screenshot repository": "Zum Symbol und Screenshot-Repository beitragen", - "Contributors": "Mitwirkende", "Copy": "Kopieren", - "Copy to clipboard": "In Zwischenablage kopieren", - "Could not add source": "Konnte Quelle nicht hinzufügen", - "Could not add source {source} to {manager}": "Quelle {source} konnte nicht zu {manager} hinzugefügt werden", - "Could not back up packages to GitHub Gist: ": "Die Pakete konnten nicht auf GitHub Gist gesichert werden:", - "Could not create bundle": "Bündel konnte nicht erstellt werden", "Could not load announcements - ": "Ankündigungen konnten nicht geladen werden - ", "Could not load announcements - HTTP status code is $CODE": "Ankündigungen konnten nicht geladen werden - HTTP Status-Code ist $CODE", - "Could not remove source": "Konnte Quelle nicht entfernen", - "Could not remove source {source} from {manager}": "Quelle {source} konnte nicht von {manager} entfernt werden", "Could not remove {source} from {manager}": "{source} konnte nicht aus {manager} entfernt werden", - "Create .ps1 script": ".ps1-Skript erstellen", - "Credentials": "Anmeldedaten", "Current Version": "Aktuelle Version", - "Current executable file:": "Aktuelle ausführbare Datei:", - "Current status: Not logged in": "Aktueller Status: Nicht angemeldet", "Current user": "Aktueller Benutzer", "Custom arguments:": "Benutzerdefinierte Befehle:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Benutzerdefinierte Befehlszeilenargumente können die Art und Weise ändern, wie Programme installiert, aktualisiert oder deinstalliert werden, und zwar in einer Weise, die UniGetUI nicht kontrollieren kann. Die Verwendung benutzerdefinierter Befehlszeilen kann Pakete beschädigen. Gehen Sie daher mit Vorsicht vor.", "Custom command-line arguments:": "Benutzerdefinierte Kommandozeilen-Argumente:", - "Custom install arguments:": "Benutzerdefinierte Installationsargumente:", - "Custom uninstall arguments:": "Benutzerdefinierte Deinstallationsargumente:", - "Custom update arguments:": "Benutzerdefinierte Aktualisierungsargumente:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI anpassen - nur für Hacker und fortgeschrittene Benutzer", - "DEBUG BUILD": "DEBUG-BUILD", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "HAFTUNGSAUSSCHLUSS: WIR SIND NICHT VERANTWORTLICH FÜR DIE HERUNTERGELADENEN PAKETE. BITTE STELLEN SIE SICHER, DASS SIE NUR VERTRAUENSWÜRDIGE SOFTWARE INSTALLIEREN.", - "Dark": "Dunkel", - "Decline": "Ablehnen", - "Default": "Standard", - "Default installation options for {0} packages": "Standardinstallationsoptionen für {0}-Pakete", "Default preferences - suitable for regular users": "Standardeinstellungen - geeignet für normale Benutzer", - "Default vcpkg triplet": "Standard vcpkg-Triplett", - "Delete?": "Löschen?", - "Dependencies:": "Abhängigkeiten:", - "Descendant": "Absteigend", "Description:": "Beschreibung:", - "Desktop shortcut created": "Desktopverknüpfung angelegt", - "Details of the report:": "Berichtsdetails:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Entwickeln ist hart und diese App ist kostenlos. Wenn sie diese App mögen, können sie mir jederzeit einen Kaffee kaufen :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Bei Doppelklick auf ein Element in „{discoveryTab}“ direkt installieren (anstatt die Paketinfos anzuzeigen)", "Disable new share API (port 7058)": "Die neue Teilen-API (Port 7058) deaktivieren", - "Disable the 1-minute timeout for package-related operations": "Einminütige Zeitüberschreitung für paketbezogene Vorgänge deaktivieren", - "Disabled": "Deaktiviert", - "Disclaimer": "Haftungsausschluss", - "Discover Packages": "Pakete suchen", "Discover packages": "Pakete suchen", "Distinguish between\nuppercase and lowercase": "Groß/Kleinschreibung beachten", - "Distinguish between uppercase and lowercase": "Groß/Kleinschreibung beachten", "Do NOT check for updates": "NICHT nach Updates suchen", "Do an interactive install for the selected packages": "Ausgewählte Pakete interaktiv installieren", "Do an interactive uninstall for the selected packages": "Ausgewählte Pakete interaktiv deinstallieren", "Do an interactive update for the selected packages": "Ausgewählte Pakete interaktiv aktualisieren", - "Do not automatically install updates when the battery saver is on": "Updates nicht automatisch installieren, wenn der Energiesparmodus aktiviert ist", - "Do not automatically install updates when the device runs on battery": "Updates nicht automatisch installieren, wenn das Gerät im Akkubetrieb läuft", - "Do not automatically install updates when the network connection is metered": "Updates nicht automatisch installieren, wenn die Netzwerkverbindung getaktet ist", "Do not download new app translations from GitHub automatically": "Neue Übersetzungen nicht automatisch von GitHub herunterladen", - "Do not ignore updates for this package anymore": "Updates für dieses Paket nicht mehr ignorieren", "Do not remove successful operations from the list automatically": "Erfolgreiche Vorgänge nicht automatisch aus der Liste entfernen", - "Do not show this dialog again for {0}": "Diesen Dialog für {0} nicht mehr anzeigen", "Do not update package indexes on launch": "Paketindizes beim Start nicht aktualisieren", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Sind Sie damit einverstanden, dass UniGetUI anonyme Nutzungsstatistiken sammelt und übermittelt, mit dem alleinigen Zweck, die Nutzererfahrung zu verstehen und zu verbessern?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Finden Sie UniGetUI nützlich? Wenn Sie möchten, können Sie meine Arbeit unterstützen, damit ich UniGetUI zur ultimativen Paketverwaltungsoberfläche weiterentwickeln kann.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Finden Sie UniGetUI nützlich? Möchten Sie den Entwickler unterstützen? Wenn ja, können Sie {0}, es hilft sehr!", - "Do you really want to reset this list? This action cannot be reverted.": "Möchten Sie wirklich diese Liste zurücksetzen? Diese Aktion kann nicht rückgängig getan werden.", - "Do you really want to uninstall the following {0} packages?": "Möchten Sie wirklich die folgenden {0} Pakete deinstallieren?", "Do you really want to uninstall {0} packages?": "Möchten Sie wirklich {0} Pakete deinstallieren?", - "Do you really want to uninstall {0}?": "Möchten Sie wirklich {0} deinstallieren?", "Do you want to restart your computer now?": "Soll der PC jetzt neu gestartet werden?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Möchten Sie UniGetUI in Ihre Sprache übersetzen? HIER können Sie unterstützen!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Sie möchten lieber nicht spenden? Keine Sorge, Sie können UniGetUI jederzeit mit Ihren Freunden teilen. Erzählen Sie einfach von UnigetUI.", "Donate": "Spenden", - "Done!": "Fertig!", - "Download failed": "Download fehlgeschlagen", - "Download installer": "Installationsdatei herunterladen", - "Download operations are not affected by this setting": "Download-Vorgänge sind von dieser Einstellung nicht betroffen", - "Download selected installers": "Ausgewählte Installationsdateien herunterladen", - "Download succeeded": "Download erfolgreich", "Download updated language files from GitHub automatically": "Aktualisierte Sprachdateien automatisch von GitHub herunterladen", - "Downloading": "Wird heruntergeladen", - "Downloading backup...": "Sicherung wird heruntergeladen...", - "Downloading installer for {package}": "Installationsdatei für {package} wird heruntergeladen", - "Downloading package metadata...": "Paket-Metadaten werden heruntergeladen...", - "Enable Scoop cleanup on launch": "Bereinigung von Scoop beim Start aktivieren", - "Enable WingetUI notifications": "UniGetUI-Benachrichtigungen aktivieren", - "Enable an [experimental] improved WinGet troubleshooter": "Aktivieren einer [experimentellen] verbesserten WinGet-Fehlerbehebungsfunktion", - "Enable and disable package managers, change default install options, etc.": "Paketmanager aktivieren und deaktivieren, Standardinstallationsoptionen ändern usw.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Optimierungen der Hintergrund-CPU-Auslastung aktivieren (siehe Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Hintergrund-API aktivieren (UniGetUI-Widgets und -Zugriff, Port 7058)", - "Enable it to install packages from {pm}.": "Aktivieren, um Pakete von {pm} zu installieren.", - "Enable the automatic WinGet troubleshooter": "Automatische WinGet-Fehlerbehebung aktivieren", - "Enable the new UniGetUI-Branded UAC Elevator": "Den neuen UniGetUI-gebrandeten UAC-Elevator aktivieren", - "Enable the new process input handler (StdIn automated closer)": "Den neuen Prozess-Eingabe-Handler aktivieren (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktivieren Sie die nachstehenden Einstellungen nur, WENN UND NUR WENN Sie sich über deren Funktion und die damit verbundenen Auswirkungen und Gefahren im Klaren sind.", - "Enable {pm}": "{pm} aktivieren", - "Enabled": "Aktiviert", - "Enter proxy URL here": "Proxy-URL hier eingeben", - "Entries that show in RED will be IMPORTED.": "Einträge, die in ROT angezeigt werden, werden IMPORTIERT.", - "Entries that show in YELLOW will be IGNORED.": "Einträge, die in GELB angezeigt werden, werden IGNORIERT.", - "Error": "Fehler", - "Everything is up to date": "Alles ist auf dem neuesten Stand", - "Exact match": "Exakter Treffer", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Vorhandene Verknüpfungen auf Ihrem Desktop werden gescannt, und Sie müssen auswählen, welche Sie behalten und welche Sie entfernen möchten.", - "Expand version": "Version erweitern", - "Experimental settings and developer options": "Experimentelle und Entwickleroptionen", - "Export": "Exportieren", + "Downloading": "Wird heruntergeladen", + "Downloading installer for {package}": "Installationsdatei für {package} wird heruntergeladen", + "Downloading package metadata...": "Paket-Metadaten werden heruntergeladen...", + "Enable the new UniGetUI-Branded UAC Elevator": "Den neuen UniGetUI-gebrandeten UAC-Elevator aktivieren", + "Enable the new process input handler (StdIn automated closer)": "Den neuen Prozess-Eingabe-Handler aktivieren (StdIn automated closer)", "Export log as a file": "Protokoll als Datei exportieren", "Export packages": "Pakete exportieren", "Export selected packages to a file": "Ausgewählte Pakete in eine Datei exportieren", - "Export settings to a local file": "Einstellungen in lokale Datei exportieren", - "Export to a file": "Als Datei exportieren", - "Failed": "Fehlgeschlagen", - "Fetching available backups...": "Verfügbare Sicherungen abrufen...", "Fetching latest announcements, please wait...": "Neueste Ankündigungen werden abgerufen, bitte warten...", - "Filters": "Filter", "Finish": "Abschließen", - "Follow system color scheme": "Farbschema des Systems verwenden", - "Follow the default options when installing, upgrading or uninstalling this package": "Die Standardoptionen verwenden, wenn dieses Paket installiert, aktualisiert oder deinstalliert wird.", - "For security reasons, changing the executable file is disabled by default": "Aus Sicherheitsgründen ist das Ändern der ausführbaren Datei standardmäßig deaktiviert.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Aus Sicherheitsgründen sind benutzerdefinierte Kommandozeilenargumente standardmäßig deaktiviert. Gehen Sie zu den UniGetUI-Sicherheitseinstellungen, um dies zu ändern.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Aus Sicherheitsgründen sind die Skripte vor und nach der Operation standardmäßig deaktiviert. Gehen Sie zu den UniGetUI-Sicherheitseinstellungen, um dies zu ändern.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM-kompilierte WinGet-Version erzwingen (NUR FÜR ARM64-SYSTEME)", - "Force install location parameter when updating packages with custom locations": "Parameter für den Installationsort beim Aktualisieren von Paketen mit benutzerdefinierten Speicherorten erzwingen", "Formerly known as WingetUI": "Ehemals bekannt als WingetUI", "Found": "Gefunden", "Found packages: ": "Gefundene Pakete:", "Found packages: {0}": "Gefundene Pakete: {0}", "Found packages: {0}, not finished yet...": "Gefundene Pakete: {0}, noch nicht abgeschlossen...", - "General preferences": "Allgemeines", "GitHub profile": "GitHub-Profil", "Global": "Global", - "Go to UniGetUI security settings": "Zu den UniGetUI-Sicherheitseinstellungen gehen", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Große Sammlung nützlicher Tools und anderer interessanter Pakete.
Enthält: Utilities, Befehlszeilenprogramme, allgemeine Software (Zusatzpaket erforderlich)", - "Great! You are on the latest version.": "Sehr gut! Sie haben die neueste Version.", - "Grid": "Raster", - "Help": "Hilfe", "Help and documentation": "Hilfe und Dokumentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Hier können Sie das Verhalten von UniGetUI bezüglich der folgenden Verknüpfungen ändern. Wenn Sie ein Häkchen setzen, wird UniGetUI die Verknüpfung löschen, wenn sie bei einem zukünftigen Upgrade erstellt wird. Wenn Sie das Häkchen entfernen, bleibt die Verknüpfung bestehen.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hallo, mein Name ist Martí, und ich bin der Entwickler von UniGetUI. UniGetUI ist komplett in meiner Freizeit entstanden!", "Hide details": "Details ausblenden", - "Homepage": "Startseite", - "Hooray! No updates were found.": "Hurra! Es wurden keine Updates gefunden.", "How should installations that require administrator privileges be treated?": "Wie sollen Installationen, die Administratorrechte benötigen, behandelt werden?", - "How to add packages to a bundle": "So fügen Sie Pakete zu einem Bündel hinzu", - "I understand": "Ich verstehe", - "Icons": "Symbole", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Wenn Sie die Cloud-Sicherung aktiviert haben, wird sie als GitHub Gist auf diesem Konto gespeichert", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Benutzerdefinierte Vor- und Nachinstallationsbefehle beim Importieren von Paketen aus einem Bündel ignorieren", - "Ignore future updates for this package": "Zukünftige Updates für dieses Paket ignorieren", - "Ignore packages from {pm} when showing a notification about updates": "Pakete von {pm} ignorieren, wenn eine Benachrichtigung über Updates angezeigt wird", - "Ignore selected packages": "Ausgewählte Pakete ignorieren", - "Ignore special characters": "Sonderzeichen ignorieren", "Ignore updates for the selected packages": "Updates für ausgewählte Pakete ignorieren", - "Ignore updates for this package": "Updates für dieses Paket ignorieren", "Ignored updates": "Ignorierte Updates", - "Ignored version": "Ignorierte Version", - "Import": "Importieren", "Import packages": "Pakete importieren", "Import packages from a file": "Pakete aus einer Datei importieren", - "Import settings from a local file": "Einstellungen aus lokaler Datei importieren", - "In order to add packages to a bundle, you will need to: ": "Um Pakete zu einem Bündel hinzuzufügen, müssen Sie Folgendes tun:", "Initializing WingetUI...": "UniGetUI wird initialisiert...", - "Install": "Installieren", - "Install Scoop": "Scoop installieren", "Install and more": "Installieren und mehr", "Install and update preferences": "Installations und Updateeinstellungen", - "Install as administrator": "Als Administrator installieren", - "Install available updates automatically": "Verfügbare Updates automatisch installieren", - "Install location can't be changed for {0} packages": "Der Installationsort kann für {0} Pakete nicht geändert werden", - "Install location:": "Installationsort:", - "Install options": "Installationsoptionen", "Install packages from a file": "Paket aus einer Datei installieren", - "Install prerelease versions of UniGetUI": "Auch Vorabversionen von UniGetUI installieren", - "Install script": "Installationsskript", "Install selected packages": "Ausgewählte Pakete installieren", "Install selected packages with administrator privileges": "Ausgewählte Pakete mit Administratorrechten installieren", - "Install selection": "Auswahl installieren", "Install the latest prerelease version": "Neuste Vorabversion installieren", "Install updates automatically": "Updates automatisch installieren", - "Install {0}": "{0} installieren", "Installation canceled by the user!": "Installation durch den Benutzer abgebrochen!", - "Installation failed": "Installation fehlgeschlagen", - "Installation options": "Installationsoptionen", - "Installation scope:": "Installationsumgebung:", - "Installation succeeded": "Installation erfolgreich", - "Installed Packages": "Installierte Pakete", - "Installed Version": "Installierte Version:", "Installed packages": "Installierte Pakete", - "Installer SHA256": "Installations-SHA256", - "Installer SHA512": "Installations-SHA512", - "Installer Type": "Installations-Typ", - "Installer URL": "Installations-URL", - "Installer not available": "Installationsdatei nicht verfügbar", "Instance {0} responded, quitting...": "Antwort von Instanz {0} erhalten, wird beendet...", - "Instant search": "Schnellsuche", - "Integrity checks can be disabled from the Experimental Settings": "Integritätsprüfungen können in den experimentellen Einstellungen deaktiviert werden.", - "Integrity checks skipped": "Integritätsüberprüfungen übersprungen", - "Integrity checks will not be performed during this operation": "Integritätsprüfungen werden nicht während dieses Vorgangs ausgeführt", - "Interactive installation": "Interaktiv installieren", - "Interactive operation": "Interaktiver Vorgang", - "Interactive uninstall": "Interaktiv deinstallieren", - "Interactive update": "Interaktiv aktualisieren", - "Internet connection settings": "Internetverbindung", - "Invalid selection": "Ungültige Auswahl", "Is this package missing the icon?": "Fehlt diesem Paket das Symbol?", - "Is your language missing or incomplete?": "Fehlt Ihre Sprache oder ist diese unvollständig?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Es kann nicht garantiert werden, dass die angegebenen Anmeldedaten sicher gespeichert werden. Verwenden Sie daher besser nicht die Zugangsdaten Ihres Bankkontos.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Es wird empfohlen, UniGetUI nach der Reparatur von WinGet neu zu starten", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Es wird dringend empfohlen, UniGetUI neu zu installieren, um das Problem zu beheben.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet scheint nicht richtig zu funktionieren. Möchten Sie versuchen, WinGet zu reparieren?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Es sieht so aus, als hätten Sie UniGetUI als Administrator ausgeführt, was nicht empfohlen wird. Sie können das Programm weiterhin verwenden, aber wir empfehlen dringend, UniGetUI nicht mit Administratorrechten auszuführen. Klicken Sie auf „{showDetails}“, um den Grund dafür zu erfahren.", - "Language": "Sprache", - "Language, theme and other miscellaneous preferences": "Sprache und andere Einstellungen", - "Last updated:": "Zuletzt aktualisiert:", - "Latest": "Neueste", "Latest Version": "Aktuellste Version", "Latest Version:": "Aktuellste Version:", "Latest details...": "Neueste Details...", "Launching subprocess...": "Subprozess starten...", - "Leave empty for default": "Leer lassen für Standard", - "License": "Lizenz", "Licenses": "Lizenzen", - "Light": "Hell", - "List": "Liste", "Live command-line output": "Live-Kommandozeilenausgabe", - "Live output": "Live-Ausgabe", "Loading UI components...": "Bedienoberfläche wird geladen...", "Loading WingetUI...": "UniGetUI wird geladen...", - "Loading packages": "Pakete werden geladen...", - "Loading packages, please wait...": "Pakete werden geladen, bitte warten...", - "Loading...": "Laden...", - "Local": "Lokal", - "Local PC": "Lokaler PC", - "Local backup advanced options": "Erweiterte Optionen für die lokale Sicherung", "Local machine": "Lokaler Computer", - "Local package backup": "Lokale Paketsicherung", "Locating {pm}...": "{pm} lokalisieren...", - "Log in": "Anmelden", - "Log in failed: ": "Anmeldung fehlgeschlagen:", - "Log in to enable cloud backup": "Anmelden, um die Cloud-Sicherung zu aktivieren", - "Log in with GitHub": "Bei GitHub anmelden", - "Log in with GitHub to enable cloud package backup.": "Bei GitHub anmelden, um die Cloud-Paketsicherung zu aktivieren.", - "Log level:": "Protokollebene:", - "Log out": "Abmelden", - "Log out failed: ": "Abmeldung fehlgeschlagen:", - "Log out from GitHub": "Von GitHub abmelden", "Looking for packages...": "Suche nach Paketen...", "Machine | Global": "Computer | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Fehlerhafte Befehlszeilenargumente können Pakete beschädigen oder sogar einem böswilligen Akteur die Ausführung mit erhöhten Rechten ermöglichen. Daher ist das Importieren benutzerdefinierter Befehlszeilenargumente standardmäßig deaktiviert.", - "Manage": "Verwalten", - "Manage UniGetUI settings": "UniGetUI-Einstellungen verwalten", "Manage WingetUI autostart behaviour from the Settings app": "Autostartverhalten von UniGetUI über die Einstellungen-App verwalten", "Manage ignored packages": "Ignorierte Pakete verwalten", - "Manage ignored updates": "Ignorierte Updates verwalten", - "Manage shortcuts": "Verknüpfungen verwalten", - "Manage telemetry settings": "Telemetrieeinstellungen verwalten", - "Manage {0} sources": "{0}-Quellen verwalten", - "Manifest": "Manifest", "Manifests": "Manifeste", - "Manual scan": "Manueller Scan", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Offizieller Paketmanager von Microsoft. Enthält viele bekannte und verifizierte Pakete.
Enthält: Allgemeine Software, Microsoft Store-Apps", - "Missing dependency": "Fehlende Abhängigkeit", - "More": "Mehr", - "More details": "Mehr Details", - "More details about the shared data and how it will be processed": "Mehr Details über die geteilten Daten und wie sie verarbeitet werden", - "More info": "Mehr Infos", - "More than 1 package was selected": "Es wurde mehr als ein Paket ausgewählt.", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "HINWEIS: Diese Funktion zur Fehlersuche kann in den Paketmanager-Einstellungen im Abschnitt „WinGet“ deaktiviert werden.", - "Name": "Name", - "New": "Neu", "New Version": "Neue Version", "New bundle": "Neues Bündel", - "New version": "Neue Version", - "Nice! Backups will be uploaded to a private gist on your account": "Super! Die Sicherungen werden in einen privaten Gist auf Ihrem Konto hochgeladen", - "No": "Nein", - "No applicable installer was found for the package {0}": "Es wurde keine geeignete Installationsdatei für das Paket {0} gefunden", - "No dependencies specified": "Keine Abhängigkeiten angegeben", - "No new shortcuts were found during the scan.": "Während des Scans wurden keine neuen Verknüpfungen gefunden.", - "No package was selected": "Es wurde kein Paket ausgewählt.", "No packages found": "Keine Pakete gefunden", "No packages found matching the input criteria": "Keine Pakete gefunden, die den Eingabekriterien entsprechen", "No packages have been added yet": "Es wurden bisher keine Pakete hinzugefügt.", "No packages selected": "Keine Pakete ausgewählt", - "No packages were found": "Keine Pakete gefunden", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Persönliche Daten werden weder gesammelt noch gesendet, und die gesammelten Daten sind anonymisiert, sodass sie nicht zu Ihnen zurückverfolgt werden können.", - "No results were found matching the input criteria": "Es wurden keine Ergebnisse gefunden, die den eingegebenen Kriterien entsprechen.", "No sources found": "Keine Quellen gefunden", "No sources were found": "Keine Quellen gefunden", "No updates are available": "Es sind keine Updates verfügbar", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node.js-Paketmanager. Enthält viele Bibliotheken und andere Dienstprogramme aus der JavaScript-Welt.
Enthält: Node JavaScript-Bibliotheken und andere zugehörige Dienstprogramme", - "Not available": "Nicht verfügbar", - "Not finding the file you are looking for? Make sure it has been added to path.": "Sie können die gesuchte Datei nicht finden? Stellen Sie sicher, dass sie zum Pfad hinzugefügt wurde.", - "Not found": "Nicht gefunden", - "Not right now": "Momentan nicht", "Notes:": "Bemerkungen:", - "Notification preferences": "Benachrichtigungen", "Notification tray options": "Benachrichtigungsleisten-Optionen", - "Notification types": "Benachrichtigungstypen", - "NuPkg (zipped manifest)": "NuPkg (komprimiertes Manifest)", - "OK": "OK", "Ok": "Ok", - "Open": "Öffnen", "Open GitHub": "GitHub öffnen", - "Open UniGetUI": "UniGetUI öffnen", - "Open UniGetUI security settings": "UniGetUI-Sicherheitseinstellungen öffnen", "Open WingetUI": "UniGetUI öffnen", "Open backup location": "Sicherungsverzeichnis öffnen", "Open existing bundle": "Vorhandenes Bündel öffnen", - "Open install location": "Installationsort öffnen", "Open the welcome wizard": "Begrüßungsbildschirm öffnen", - "Operation canceled by user": "Vorgang vom Benutzer abgebrochen", "Operation cancelled": "Vorgang abgebrochen", - "Operation history": "Vorgangsverlauf", - "Operation in progress": "Vorgang läuft", - "Operation on queue (position {0})...": "Vorgang in Warteschlange (Position {0})...", - "Operation profile:": "Vorgangsprofil:", "Options saved": "Optionen gesichert", - "Order by:": "Sortieren nach:", - "Other": "Andere", - "Other settings": "Weitere Einstellungen", - "Package": "Paket", - "Package Bundles": "Paketbündel", - "Package ID": "Paket-ID", "Package Manager": "Paketmanager", - "Package Manager logs": "Paketmanager-Protokolle", - "Package Managers": "Paketmanager", - "Package Name": "Paketname", - "Package backup": "Paketsicherung", - "Package backup settings": "Einstellungen für die Paketsicherung", - "Package bundle": "Paketbündel", - "Package details": "Paketdetails", - "Package lists": "Paketlisten", - "Package management made easy": "Paketverwaltung leicht gemacht", - "Package manager": "Paketmanager", - "Package manager preferences": "Paketmanager-Einstellungen", "Package managers": "Paketmanager", - "Package not found": "Paket nicht gefunden", - "Package operation preferences": "Paketvorgänge", - "Package update preferences": "Paketupdates", "Package {name} from {manager}": "Paket {name} von {manager}", - "Package's default": "Standardeinstellung des Pakets", "Packages": "Pakete", "Packages found: {0}": "Pakete gefunden: {0}", - "Partially": "Teilweise", - "Password": "Passwort", "Paste a valid URL to the database": "Fügen Sie eine gültige URL zur Datenbank ein", - "Pause updates for": "Updates aussetzen für", "Perform a backup now": "Jetzt eine Sicherung durchführen", - "Perform a cloud backup now": "Jetzt eine Cloud-Sicherung durchführen", - "Perform a local backup now": "Jetzt eine lokale Sicherung durchführen", - "Perform integrity checks at startup": "Beim Start Integritätsprüfungen durchführen", - "Performing backup, please wait...": "Sicherung wird erstellt, bitte warten...", "Periodically perform a backup of the installed packages": "Regelmäßig eine Sicherung der installierten Pakete durchführen", - "Periodically perform a cloud backup of the installed packages": "Regelmäßig eine Cloud-Sicherung der installierten Pakete durchführen", - "Periodically perform a local backup of the installed packages": "Regelmäßig eine lokale Sicherung der installierten Pakete durchführen", - "Please check the installation options for this package and try again": "Prüfen Sie bitte die Installationsoptionen des Pakets und versuchen Sie es noch einmal", - "Please click on \"Continue\" to continue": "Bitte klicken Sie auf „Weiter“, um fortzufahren", "Please enter at least 3 characters": "Bitte geben Sie mindestens drei Zeichen ein", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Bitte beachten Sie, dass manche Pakete aufgrund der Paketmanager, die auf diesem Gerät aktiviert sind, nicht installierbar sind.", - "Please note that not all package managers may fully support this feature": "Bitte beachten Sie, dass nicht alle Paketmanager diese Funktion vollständig unterstützen.", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Bitte beachten Sie, dass Pakete von manchen Quellen nicht exportiert werden können. Diese wurden ausgegraut und können nicht exportiert werden.", - "Please run UniGetUI as a regular user and try again.": "Starten Sie bitte UniGetUI als normaler Benutzer und versuchen Sie es noch einmal.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Bitte prüfen Sie die Kommandozeilen-Ausgabe oder schauen Sie im Vorgangsverlauf nach, um weitere Informationen über den Fehler zu erhalten.", "Please select how you want to configure WingetUI": "Bitte wählen Sie, wie Sie UniGetUI konfigurieren möchten", - "Please try again later": "Versuchen Sie es bitte später noch einmal", "Please type at least two characters": "Bitte geben Sie mindestens zwei Zeichen ein", - "Please wait": "Bitte warten", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Bitte warten, während {0} installiert wird. Möglicherweise erscheint ein schwarzes Fenster. Bitte warten Sie, bis es sich schließt.", - "Please wait...": "Bitte warten...", "Portable": "Portabel", - "Portable mode": "Portabler Modus", - "Post-install command:": "Befehl nach der Installation:", - "Post-uninstall command:": "Befehl nach der Deinstallation:", - "Post-update command:": "Befehl nach der Aktualisierung:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-Paketmanager. Finden Sie Bibliotheken und Skripte zur Erweiterung der PowerShell-Funktionen.
Enthält: Module, Skripte, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Vor und Nachinstallationsbefehle können Ihrem System erheblichen Schaden zufügen, wenn sie entsprechend programmiert sind. Es kann sehr riskant sein, Befehle aus einem Bündel zu importieren, es sei denn, Sie vertrauen der Quelle dieses Paketbündels.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Vor und Nachinstallationsbefehle werden vor und nach der Installation, Aktualisierung oder Deinstallation eines Pakets ausgeführt. Beachten Sie, dass sie zu Problemen führen können, wenn sie nicht sorgfältig verwendet werden.", - "Pre-install command:": "Befehl vor der Installation:", - "Pre-uninstall command:": "Befehl vor der Deinstallation:", - "Pre-update command:": "Befehl vor der Aktualisierung:", - "PreRelease": "Vorabversion", - "Preparing packages, please wait...": "Pakete werden vorbereitet, bitte warten...", - "Proceed at your own risk.": "Fortfahren auf eigenes Risiko", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Jede Art von Berechtigungserhöhung über UniGetUI-Elevator oder GSudo verbieten", - "Proxy URL": "Proxy-URL", - "Proxy compatibility table": "Proxy-Kompatibilitätstabelle", - "Proxy settings": "Proxy-Einstellungen", - "Proxy settings, etc.": "Proxy-Einstellungen usw.", "Publication date:": "Veröffentlichungsdatum:", - "Publisher": "Herausgeber", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Paketmanager von Python. Enthält viele Python-Bibliotheken und andere mit Python verwandte Dienstprogramme.
Enthält: Python-Bibliotheken und zugehörige Dienstprogramme", - "Quit": "Beenden", "Quit WingetUI": "UniGetUI beenden", - "Ready": "Bereit", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Benutzerkontensteuerung-Eingabeaufforderungen reduzieren, Installationen standardmäßig mit erhöhten Berechtigungen ausführen, bestimmte riskante Funktionen freischalten usw.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Weitere Informationen zu den betroffenen Dateien finden Sie in den UniGetUI-Protokollen.", - "Reinstall": "Neu installieren", - "Reinstall package": "Paket neu installieren", - "Related settings": "Verwandte Einstellungen", - "Release notes": "Versionshinweise", - "Release notes URL": "Versionshinweise-URL", "Release notes URL:": "Versionshinweise-URL:", "Release notes:": "Versionshinweise:", "Reload": "Neu laden", - "Reload log": "Protokoll neu laden", "Removal failed": "Entfernen fehlgeschlagen", "Removal succeeded": "Erfolgreich entfernt", - "Remove from list": "Aus der Liste entfernen", "Remove permanent data": "Permanente Daten entfernen", - "Remove selection from bundle": "Auswahl aus Bündel entfernen", "Remove successful installs/uninstalls/updates from the installation list": "Erfolgreiche Installationen/Deinstallationen/Updates automatisch aus der Installationsliste entfernen", - "Removing source {source}": "Quelle {source} entfernen", - "Removing source {source} from {manager}": "Quelle {source} aus {manager} entfernen", - "Repair UniGetUI": "UniGetUI reparieren", - "Repair WinGet": "WinGet reparieren", - "Report an issue or submit a feature request": "Ein Problem melden oder eine Funktionsanfrage stellen", "Repository": "Repository", - "Reset": "Zurücksetzen", "Reset Scoop's global app cache": "Scoop's globalen App-Cache zurücksetzen", - "Reset UniGetUI": "UniGetUI zurücksetzen", - "Reset WinGet": "WinGet zurücksetzen", "Reset Winget sources (might help if no packages are listed)": "WinGet-Quellen zurücksetzen (könnte helfen, wenn keine Pakete aufgelistet sind)", - "Reset WingetUI": "UniGetUI zurücksetzen", "Reset WingetUI and its preferences": "UniGetUI inkl. Einstellungen zurücksetzen", "Reset WingetUI icon and screenshot cache": "UniGetUI-Symbol- und Screenshot-Cache zurücksetzen", - "Reset list": "Liste zurücksetzen", "Resetting Winget sources - WingetUI": "WinGet-Quellen zurücksetzen – UniGetUI", - "Restart": "Neu starten", - "Restart UniGetUI": "UniGetUI neu starten", - "Restart WingetUI": "UniGetUI neu starten", - "Restart WingetUI to fully apply changes": "Zum Anwenden der Änderungen UniGetUI neu starten", - "Restart later": "Später neu starten", "Restart now": "Jetzt neu starten", - "Restart required": "Neustart erforderlich", - "Restart your PC to finish installation": "Starten Sie Ihren PC neu, um die Installation abzuschließen", - "Restart your computer to finish the installation": "Starten Sie Ihren Computer neu, um die Installation abzuschließen", - "Restore a backup from the cloud": "Eine Sicherung aus der Cloud wiederherstellen", - "Restrictions on package managers": "Beschränkungen für Paketmanager", - "Restrictions on package operations": "Beschränkungen für Paketvorgänge", - "Restrictions when importing package bundles": "Beschränkungen beim Import von Paketbündeln", - "Retry": "Erneut versuchen", - "Retry as administrator": "Erneut als Administrator versuchen", - "Retry failed operations": "Fehlgeschlagene Vorgänge erneut versuchen", - "Retry interactively": "Interaktiv erneut versuchen", - "Retry skipping integrity checks": "Erneut versuchen und dabei Integritätsprüfungen überspringen", - "Retrying, please wait...": "Erneuter Versuch, bitte warten...", - "Return to top": "Zurück zum Anfang", - "Run": "Ausführen", - "Run as admin": "Als Administrator ausführen", - "Run cleanup and clear cache": "Bereinigung ausführen und Cache leeren", - "Run last": "Als Letztes ausführen", - "Run next": "Als Nächstes ausführen", - "Run now": "Jetzt ausführen", + "Restart your PC to finish installation": "Starten Sie Ihren PC neu, um die Installation abzuschließen", + "Restart your computer to finish the installation": "Starten Sie Ihren Computer neu, um die Installation abzuschließen", + "Retry failed operations": "Fehlgeschlagene Vorgänge erneut versuchen", + "Retrying, please wait...": "Erneuter Versuch, bitte warten...", + "Return to top": "Zurück zum Anfang", "Running the installer...": "Installation wird ausgeführt...", "Running the uninstaller...": "Deinstallation wird ausgeführt...", "Running the updater...": "Updater wird ausgeführt...", - "Save": "Speichern", "Save File": "Datei speichern", - "Save and close": "Speichern und schließen", - "Save as": "Speichern unter", "Save bundle as": "Bündel speichern als", "Save now": "Jetzt speichern", - "Saving packages, please wait...": "Pakete werden gesichert, bitte warten...", - "Scoop Installer - WingetUI": "Scoop-Installer – UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop-Uninstaller – UniGetUI", - "Scoop package": "Scoop-Paket", "Search": "Suche", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Nach Desktop-Software suchen, bei Updates benachrichtigen und keine komplizierten Sachen durchführen. Ich möchte einen einfachen Software-Store und nicht, dass UniGetUI zu kompliziert wird.", - "Search for packages": "Nach Paketen suchen", - "Search for packages to start": "Nach Paketen suchen, um zu starten", - "Search mode": "Suchmodus", "Search on available updates": "Suche nach verfügbaren Updates", "Search on your software": "Suche nach installierten Anwendungen", "Searching for installed packages...": "Suche nach installierten Paketen...", "Searching for packages...": "Suche nach Paketen...", "Searching for updates...": "Suche nach Updates...", - "Select": "Auswählen", "Select \"{item}\" to add your custom bucket": "Wählen Sie „{item}“, um es dem benutzerdefinierten Bucket hinzuzufügen", "Select a folder": "Verzeichnis auswählen", - "Select all": "Alle auswählen", "Select all packages": "Alle Pakete auswählen", - "Select backup": "Sicherung auswählen", "Select only if you know what you are doing.": "Wählen Sie die Option nur, wenn Sie wissen, was Sie tun.", "Select package file": "Paketdatei auswählen", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Wählen Sie die Sicherung aus, die Sie öffnen möchten. Später können Sie überprüfen, welche Pakete/Programme Sie wiederherstellen möchten.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Wählen Sie die auszuführende Datei aus. Die folgende Liste zeigt die von UniGetUI gefundenen ausführbaren Dateien.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Wählen Sie die Prozesse aus, die geschlossen werden sollen, bevor dieses Paket installiert, aktualisiert oder deinstalliert wird.", - "Select the source you want to add:": "Wählen Sie die Quelle, die hinzugefügt werden soll:", - "Select upgradable packages by default": "Pakete mit Updates automatisch auswählen", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Wählen Sie aus, welche Paketmanager verwendet werden sollen ({0}). Konfigurieren Sie, wie Pakete installiert werden, wie Administratorrechte gehandhabt werden, usw.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake gesendet. Warte auf die Antwort der Instanz... ({0}%)", - "Set a custom backup file name": "Einen benutzerdefinierten Dateinamen für Sicherungen festlegen", "Set custom backup file name": "Benutzerdefinierten Dateinamen für Sicherungen festlegen", - "Settings": "Einstellungen", - "Share": "Teilen", "Share WingetUI": "UniGetUI teilen", - "Share anonymous usage data": "Anonyme Nutzungsdaten teilen", - "Share this package": "Paket teilen", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Sollten Sie die Sicherheitseinstellungen ändern, müssen Sie das Bündel erneut öffnen, damit die Änderungen wirksam werden.", "Show UniGetUI on the system tray": "UniGetUI im Infobereich anzeigen", - "Show UniGetUI's version and build number on the titlebar.": "UniGetUI-Version und Build-Nummer in der Titelleiste anzeigen", - "Show WingetUI": "UniGetUI anzeigen", "Show a notification when an installation fails": "Benachrichtigung anzeigen, wenn eine Installation fehlschlägt", "Show a notification when an installation finishes successfully": "Benachrichtigung anzeigen, wenn eine Installation erfolgreich abgeschlossen wurde", - "Show a notification when an operation fails": "Benachrichtigung anzeigen, wenn ein Vorgang fehlschlägt", - "Show a notification when an operation finishes successfully": "Benachrichtigung anzeigen, wenn ein Vorgang erfolgreich abgeschlossen wurde", - "Show a notification when there are available updates": "Benachrichtigung anzeigen, wenn Updates verfügbar sind", - "Show a silent notification when an operation is running": "Stille Benachrichtigung anzeigen, wenn ein Vorgang ausgeführt wird", "Show details": "Details anzeigen", - "Show in explorer": "In Explorer anzeigen", "Show info about the package on the Updates tab": "Informationen über das Paket auf der Registerkarte „Updates“ anzeigen", "Show missing translation strings": "Fehlende Übersetzungen anzeigen", - "Show notifications on different events": "Benachrichtigungen über verschiedene Ereignisse anzeigen", "Show package details": "Paketdetails anzeigen", - "Show package icons on package lists": "Paketsymbole in Paketlisten anzeigen", - "Show similar packages": "Ähnliche Pakete anzeigen", "Show the live output": "Live-Ausgabe anzeigen", - "Size": "Größe", "Skip": "Überspringen", - "Skip hash check": "Hash-Prüfung überspringen", - "Skip hash checks": "Hash-Prüfungen überspringen", - "Skip integrity checks": "Integritätsprüfungen überspringen", - "Skip minor updates for this package": "Kleinere Updates für dieses Paket überspringen", "Skip the hash check when installing the selected packages": "Hash-Prüfung bei der Installation der ausgewählten Pakete überspringen", "Skip the hash check when updating the selected packages": "Hash-Prüfung bei der Aktualisierung der ausgewählten Pakete überspringen", - "Skip this version": "Diese Version überspringen", - "Software Updates": "Software-Updates", - "Something went wrong": "Etwas ist schiefgelaufen", - "Something went wrong while launching the updater.": "Beim Updater-Start lief etwas schief.", - "Source": "Quelle", - "Source URL:": "URL der Quelle:", - "Source added successfully": "Quelle erfolgreich hinzugefügt", "Source addition failed": "Hinzufügen der Quelle fehlgeschlagen", - "Source name:": "Name der Quelle:", "Source removal failed": "Entfernen der Quelle fehlgeschlagen", - "Source removed successfully": "Quelle erfolgreich entfernt", "Source:": "Quelle:", - "Sources": "Quellen", "Start": "Start", "Starting daemons...": "Daemons starten...", - "Starting operation...": "Vorgang starten...", "Startup options": "Startoptionen", "Status": "Status", "Stuck here? Skip initialization": "Probleme? Initialisierung überspringen", - "Success!": "Fertig!", "Suport the developer": "Unterstützen Sie den Entwickler", "Support me": "Mich unterstützen", "Support the developer": "Unterstützen Sie den Entwickler", "Systems are now ready to go!": "System ist bereit!", - "Telemetry": "Telemetrie", - "Text": "Text", "Text file": "Textdatei", - "Thank you ❤": "Vielen Dank ❤", - "Thank you \uD83D\uDE09": "Vielen Dank \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Der Rust-Paketmanager.
Enthält: Rust-Bibliotheken und in Rust geschriebene Programme.", - "The backup will NOT include any binary file nor any program's saved data.": "Die Sicherung enthält keine ausführbaren Dateien oder Programmdaten.", - "The backup will be performed after login.": "Die Sicherung wird nach der Anmeldung ausgeführt.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Die Sicherung enthält eine vollständige Liste der installierten Pakete und deren Installationsoptionen. Ignorierte Updates und übersprungene Versionen werden ebenfalls gesichert.", - "The bundle was created successfully on {0}": "Das Bündel wurde erfolgreich gespeichert unter {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Das Bündel, das Sie versuchen zu laden, scheint ungültig zu sein. Bitte überprüfen Sie die Datei und versuchen Sie es erneut.", + "Thank you 😉": "Vielen Dank 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Die Prüfsumme der Installationsdatei stimmt nicht mit dem erwarteten Wert überein und die Authentizität der Installationsdatei kann nicht verifiziert werden. Wenn Sie dem Herausgeber vertrauen, {0} das Paket erneut und überspringt die Hash-Prüfung.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Der klassische Paketmanager für Windows. Dort finden Sie alles.
Enthält: Allgemeine Software", - "The cloud backup completed successfully.": "Die Cloud-Sicherung wurde erfolgreich abgeschlossen.", - "The cloud backup has been loaded successfully.": "Die Cloud-Sicherung wurde erfolgreich geladen.", - "The current bundle has no packages. Add some packages to get started": "Das aktuelle Bündel enthält keine Pakete. Fügen Sie ein paar Pakete hinzu, um zu beginnen.", - "The executable file for {0} was not found": "Die ausführbare Datei für {0} wurde nicht gefunden.", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Die folgenden Optionen werden standardmäßig angewendet, wenn ein {0}-Paket installiert, aktualisiert oder deinstalliert wird.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Die folgenden Pakete werden in eine JSON-Datei exportiert. Es werden keine Benutzerdaten oder Programmdateien gesichert.", "The following packages are going to be installed on your system.": "Die folgenden Pakete werden auf Ihrem System installiert.", - "The following settings may pose a security risk, hence they are disabled by default.": "Die folgenden Einstellungen können ein Sicherheitsrisiko darstellen und sind daher standardmäßig deaktiviert.", - "The following settings will be applied each time this package is installed, updated or removed.": "Die folgenden Einstellungen werden jedes Mal angewendet, wenn dieses Paket installiert, aktualisiert oder entfernt wird.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Die folgenden Einstellungen werden jedes Mal angewendet, wenn ein Paket installiert, aktualisiert oder entfernt wird. Diese werden automatisch gesichert.", "The icons and screenshots are maintained by users like you!": "Die Symbole und Screenshots werden von Nutzern wie Ihnen gepflegt!", - "The installation script saved to {0}": "Das Installationsskript wurde gespeichert unter {0}", - "The installer authenticity could not be verified.": "Die Echtheit der Installationsdatei konnte nicht überprüft werden.", "The installer has an invalid checksum": "Die Installationsdatei hat eine ungültige Prüfsumme", "The installer hash does not match the expected value.": "Der Hash der Installationsdatei stimmt nicht mit dem erwarteten Wert überein.", - "The local icon cache currently takes {0} MB": "Der lokale Symbol-Cache belegt zur Zeit {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Das Hauptziel dieses Projekts ist das Erstellen einer intuitiven Bedienoberfläche zur Verwaltung der gängigsten CLI-Paketmanager für Windows, wie WinGet und Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Das Paket „{0}“ wurde nicht im Paketmanager „{1}“ gefunden", - "The package bundle could not be created due to an error.": "Das Paketbündel konnte aufgrund eines Fehlers nicht erstellt werden.", - "The package bundle is not valid": "Das Paketbündel ist ungültig", - "The package manager \"{0}\" is disabled": "Paketmanager „{0}“ ist deaktiviert", - "The package manager \"{0}\" was not found": "Paketmanager „{0}“ wurde nicht gefunden", "The package {0} from {1} was not found.": "Das Paket {0} von {1} wurde nicht gefunden.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Die hier aufgeführten Pakete werden bei der Suche nach Updates nicht berücksichtigt. Doppelklicken Sie auf die Updates oder klicken Sie auf die Schaltfläche rechts neben ihnen, um ihre Updates nicht mehr zu ignorieren.", "The selected packages have been blacklisted": "Die ausgewählten Pakete wurden auf die Blacklist gesetzt", - "The settings will list, in their descriptions, the potential security issues they may have.": "In den Beschreibungen der Einstellungen werden deren potenzielle Sicherheitsprobleme aufgeführt.", - "The size of the backup is estimated to be less than 1MB.": "Die voraussichtliche Größe der Sicherung beträgt weniger als 1 MB.", - "The source {source} was added to {manager} successfully": "Die Quelle {source} wurde erfolgreich zu {manager} hinzugefügt", - "The source {source} was removed from {manager} successfully": "Die Quelle {source} wurde erfolgreich von {manager} entfernt", - "The system tray icon must be enabled in order for notifications to work": "Das Symbol im Infobereich muss aktiviert sein, damit die Benachrichtigungen funktionieren.", - "The update process has been aborted.": "Der Update-Vorgang wurde abgebrochen.", - "The update process will start after closing UniGetUI": "Das Update wird nach dem Beenden von UniGetUI durchgeführt.", "The update will be installed upon closing WingetUI": "Das Update wird nach dem Schließen von UniGetUI installiert", "The update will not continue.": "Das Update wird nicht fortgesetzt.", "The user has canceled {0}, that was a requirement for {1} to be run": "Der Benutzer hat {0} abgebrochen, das eine Voraussetzung für die Ausführung von {1} war.", - "There are no new UniGetUI versions to be installed": "Es sind keine neueren Versionen von UniGetUI verfügbar.", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Laufende Vorgänge gefunden. Wenn Sie UniGetUI beenden, können diese fehlschlagen. Möchten Sie fortfahren?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Es existieren einige tolle Videos auf YouTube, die UniGetUI und seine Funktionen vorstellen. Sie können nützliche Tricks und Tipps entdecken!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Es gibt zwei Hauptgründe, UniGetUI nicht als Administrator auszuführen: Der erste Grund ist, dass der Scoop-Paketmanager Probleme mit einigen Befehlen verursachen kann, wenn er mit Administratorrechten ausgeführt wird. Der zweite Grund ist, dass die Ausführung von UniGetUI als Administrator bedeutet, dass jedes Paket, das Sie herunterladen, als Administrator ausgeführt wird (und das ist nicht sicher). Denken Sie daran, dass Sie, wenn Sie ein bestimmtes Paket als Administrator installieren müssen, jederzeit mit der rechten Maustaste auf das Element klicken können -> Als Administrator installieren/aktualisieren/deinstallieren.", - "There is an error with the configuration of the package manager \"{0}\"": "Es liegt ein Fehler in der Konfiguration des Paketmanagers „{0}“ vor", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Es läuft eine Installation. Wenn Sie UniGetUI schließen, könnte die Installation fehlschlagen und unerwartetes Verhalten auftreten. Möchten Sie UniGetUI trotzdem schließen?", "They are the programs in charge of installing, updating and removing packages.": "Das sind die Programme, die für die Installation, Aktualisierung und Deinstallation von Paketen zuständig sind.", - "Third-party licenses": "Drittanbieterlizenzen", "This could represent a security risk.": "Dies kann ein Sicherheitsrisiko darstellen.", - "This is not recommended.": "Dies ist nicht empfohlen.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Dies liegt wahrscheinlich daran, dass das Paket, das Sie gesendet haben, entfernt oder in einem Paketmanager veröffentlicht wurde, den Sie nicht aktiviert haben. Die empfangene ID ist {0}", "This is the default choice.": "Dies ist die Standardauswahl.", - "This may help if WinGet packages are not shown": "Dies kann hilfreich sein, wenn WinGet-Pakete nicht angezeigt werden", - "This may help if no packages are listed": "Dies kann hilfreich sein, wenn keine Pakete aufgelistet sind", - "This may take a minute or two": "Dies kann ein oder zwei Minuten dauern.", - "This operation is running interactively.": "Dieser Vorgang wird interaktiv durchgeführt.", - "This operation is running with administrator privileges.": "Dieser Vorgang wird mit Administratorrechten ausgeführt.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Diese Option WIRD Probleme verursachen. Jeder Vorgang, der nicht in der Lage ist, sich selbst zu erhöhen, WIRD FEHLSCHLAGEN. Installieren/Aktualisieren/Deinstallieren als Administrator wird NICHT FUNKTIONIEREN.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Dieses Paketbündel enthielt Einstellungen, die potenziell riskant sind und standardmäßig ignoriert werden können.", "This package can be updated": "Dieses Paket kann aktualisiert werden", "This package can be updated to version {0}": "Dieses Paket kann auf Version {0} aktualisiert werden", - "This package can be upgraded to version {0}": "Dieses Paket kann auf Version {0} aktualisiert werden", - "This package cannot be installed from an elevated context.": "Das Paket kann nicht mit erhöhten Rechten (als Administrator) installiert werden.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Dieses Paket hat keine Screenshots oder es fehlt ein Symbol? Unterstützen Sie UniGetUI, indem Sie die fehlenden Symbole und Screenshots zu unserer offenen, öffentlichen Datenbank hinzufügen.", - "This package is already installed": "Dieses Paket wurde bereits installiert", - "This package is being processed": "Dieses Paket wird verarbeitet", - "This package is not available": "Dieses Paket ist nicht verfügbar", - "This package is on the queue": "Dieses Paket befindet sich in der Warteschlange", "This process is running with administrator privileges": "Dieser Prozess wird mit Administratorrechten ausgeführt", - "This project has no connection with the official {0} project — it's completely unofficial.": "Dieses Projekt hat keine Verbindung zum offiziellen {0}-Projekt – es ist völlig inoffiziell.", "This setting is disabled": "Diese Einstellung ist deaktiviert", "This wizard will help you configure and customize WingetUI!": "Dieser Assistent hilft Ihnen bei der Konfiguration und Anpassung von UniGetUI!", "Toggle search filters pane": "Suchfilterbereich umschalten", - "Translators": "Übersetzer", - "Try to kill the processes that refuse to close when requested to": "Prozesse nach Möglichkeit zwangsweise beenden, wenn sie sich nicht ordnungsgemäß schließen lassen.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Wenn Sie diese Option aktivieren, können Sie die ausführbare Datei ändern, die zur Interaktion mit Paketmanagern verwendet wird. Dies ermöglicht eine feinere Anpassung Ihrer Installationsprozesse, kann jedoch sicherheitsgefährdend sein.", "Type here the name and the URL of the source you want to add, separed by a space.": "Geben Sie hier, durch Leerzeichen getrennt, den Namen und die URL der Quelle ein, die hinzugefügt werden soll.", "Unable to find package": "Paket kann nicht gefunden werden", "Unable to load informarion": "Information kann nicht geladen werden", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI sammelt anonyme Nutzungsdaten, um die Nutzererfahrung zu verbessern.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI sammelt anonyme Nutzungsdaten mit dem alleinigen Ziel, das Nutzererlebnis zu verstehen und zu verbessern.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI hat eine automatisch entfernbare Desktopverknüpfung gefunden.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI hat folgende Desktopverknüpfungen gefunden, die beim nächsten Update automatisch entfernt werden können", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI hat {0} automatisch entfernbare Desktopverknüpfungen gefunden.", - "UniGetUI is being updated...": "UniGetUI wird aktualisiert...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI gehört zu keinem der kompatiblen Paketmanager. UniGetUI ist ein unabhängiges Projekt.", - "UniGetUI on the background and system tray": "UniGetUI im Hintergrund und Infobereich", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI oder einige seiner Komponenten fehlen oder sind beschädigt.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI benötigt {0}, es konnte aber auf Ihrem System nicht gefunden werden.", - "UniGetUI startup page:": "UniGetUI-Startseite:", - "UniGetUI updater": "UniGetUI-Updater", - "UniGetUI version {0} is being downloaded.": "UniGetUI-Version {0} wird heruntergeladen.", - "UniGetUI {0} is ready to be installed.": "UniGetUI-Version {0} ist bereit zur Installation.", - "Uninstall": "Deinstallieren", - "Uninstall Scoop (and its packages)": "Scoop deinstallieren (inkl. aller Pakete)", "Uninstall and more": "Deinstallieren und mehr", - "Uninstall and remove data": "Deinstallieren und Daten entfernen", - "Uninstall as administrator": "Als Administrator deinstallieren", "Uninstall canceled by the user!": "Deinstallation vom Benutzer abgebrochen!", - "Uninstall failed": "Deinstallieren fehlgeschlagen", - "Uninstall options": "Deinstallationsoptionen", - "Uninstall package": "Paket deinstallieren", - "Uninstall package, then reinstall it": "Paket deinstallieren, dann neu installieren", - "Uninstall package, then update it": "Paket deinstallieren, dann aktualisieren", - "Uninstall previous versions when updated": "Frühere Versionen nach der Aktualisierung deinstallieren", - "Uninstall selected packages": "Ausgewählte Pakete deinstallieren", - "Uninstall selection": "Auswahl deinstallieren", - "Uninstall succeeded": "Erfolgreich deinstalliert", "Uninstall the selected packages with administrator privileges": "Ausgewählte Pakete mit Administratorrechten deinstallieren", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Deinstallierbare Pakete mit dem Ursprung „{0}“ sind bei keinem Paketmanager veröffentlicht, daher sind keine Informationen über sie verfügbar, die angezeigt werden könnten.", - "Unknown": "Unbekannt", - "Unknown size": "Unbekannte Größe", - "Unset or unknown": "Nicht festgelegt oder unbekannt", - "Up to date": "Aktuell", - "Update": "Aktualisieren", - "Update WingetUI automatically": "UniGetUI automatisch aktualisieren", - "Update all": "Alles aktualisieren", "Update and more": "Aktualisieren und mehr", - "Update as administrator": "Als Administrator aktualisieren", - "Update check frequency, automatically install updates, etc.": "Update-Prüfintervall, automatische Updates usw.", - "Update checking": "Update-Prüfintervall", "Update date": "Aktualisierungsdatum", - "Update failed": "Update fehlgeschlagen", "Update found!": "Updates gefunden!", - "Update now": "Jetzt aktualisieren", - "Update options": "Aktualisierungsoptionen", "Update package indexes on launch": "Paketindizes beim Start aktualisieren", "Update packages automatically": "Pakete automatisch aktualisieren", "Update selected packages": "Ausgewählte Pakete aktualisieren", "Update selected packages with administrator privileges": "Ausgewählte Pakete mit Administratorrechten aktualisieren", - "Update selection": "Auswahl aktualisieren", - "Update succeeded": "Update erfolgreich", - "Update to version {0}": "Update auf Version {0}", - "Update to {0} available": "Update auf {0} verfügbar", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Git-Portdateien von vcpkg automatisch aktualisieren (erfordert installiertes Git)", "Updates": "Updates", "Updates available!": "Updates verfügbar!", - "Updates for this package are ignored": "Updates für dieses Paket werden ignoriert", - "Updates found!": "Updates gefunden!", "Updates preferences": "Aktualisierungseinstellungen", "Updating WingetUI": "UniGetUI aktualisieren", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Verwenden Sie das mitgelieferte Legacy WinGet anstelle von PowerShell Cmdlets", - "Use a custom icon and screenshot database URL": "Benutzerdefinierte Datenbank-URL für Symbole und Screenshots verwenden", "Use bundled WinGet instead of PowerShell CMDlets": "Mitgeliefertes WinGet anstelle von PowerShell Cmdlets verwenden", - "Use bundled WinGet instead of system WinGet": "Mitgeliefertes WinGet anstelle des systeminternen WinGet verwenden", - "Use installed GSudo instead of UniGetUI Elevator": "Installiertes GSudo anstelle des UniGetUI-Elevators verwenden", "Use installed GSudo instead of the bundled one": "Installiertes GSudo anstelle des mitgelieferten verwenden (Neustart erforderlich)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Den Legacy-UniGetUI-Elevator verwenden (kann hilfreich sein, wenn mit dem UniGetUI-Elevator Probleme auftreten).", - "Use system Chocolatey": "Systeminternes Chocolatey verwenden", "Use system Chocolatey (Needs a restart)": "Systeminternes Chocolatey verwenden (Neustart notwendig)", "Use system Winget (Needs a restart)": "Systeminternes WinGet verwenden (Neustart notwendig)", "Use system Winget (System language must be set to english)": "Systeminternes WinGet verwenden (Systemsprache muss auf Englisch festgelegt sein)", "Use the WinGet COM API to fetch packages": "Verwenden Sie die WinGet COM API zum Abrufen von Paketen", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Verwende das WinGet PowerShell Modul anstelle der WinGet COM API", - "Useful links": "Nützliche Links", "User": "Benutzer", - "User interface preferences": "Bedienoberfläche", "User | Local": "Benutzer | Lokal", - "Username": "Benutzername", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Die Verwendung von UniGetUI impliziert die Zustimmung zur GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Die Verwendung von UniGetUI impliziert die Zustimmung zur MIT-Lizenz", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Das Wurzelverzeichnis von Vcpkg wurde nicht gefunden. Bitte den Wert als Umgebungsvariable %VCPKG_ROOT% oder in den UniGetUI-Einstellungen setzen", "Vcpkg was not found on your system.": "Vcpkg wurde nicht auf dem System gefunden.", - "Verbose": "Verbose", - "Version": "Version", - "Version to install:": "Zu installierende Version:", - "Version:": "Version:", - "View GitHub Profile": "GitHub-Profil öffnen", "View WingetUI on GitHub": "UniGetUI auf GitHub öffnen", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Sehen Sie sich den Quellcode von UniGetUI an. Melden Sie hier Fehler oder schlagen Sie Funktionen vor, oder tragen Sie direkt zum UniGetUI-Projekt bei.", - "View mode:": "Ansicht:", - "View on UniGetUI": "Auf UniGetUI ansehen", - "View page on browser": "Seite im Browser öffnen", - "View {0} logs": "{0}-Protokolle anzeigen", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Mit der Ausführung von Aufgaben, die eine Internetverbindung erfordern, warten, bis das Gerät mit dem Internet verbunden ist.", "Waiting for other installations to finish...": "Warte auf die Fertigstellung anderer Installationen...", "Waiting for {0} to complete...": "Auf die Fertigstellung von {0} warten...", - "Warning": "Warnung", - "Warning!": "Warnung!", - "We are checking for updates.": "Es wird nach Updates gesucht.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Es konnten keine detaillierten Informationen über dieses Paket geladen werden, da es in keiner Ihrer Paketquellen gefunden wurde.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Es konnten keine detaillierten Informationen über dieses Paket geladen werden, da es nicht von einem verfügbaren Paketmanager installiert wurde.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Es konnte {package} nicht {action}. Bitte versuchen Sie es später erneut. Klicken Sie auf „{showDetails}“, um die Protokolle der Installation zu erhalten.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Es konnte {package} nicht {action}. Bitte versuchen Sie es später erneut. Klicken Sie auf „{showDetails}“, um die Protokolle der Deinstallation zu erhalten.", "We couldn't find any package": "Es konnten keine Pakete gefunden werden", "Welcome to WingetUI": "Willkommen bei UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Bei der Batch-Installation von Paketen aus einem Bündel auch Pakete installieren, die bereits installiert sind.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Wenn neue Verknüpfungen erkannt werden, diese automatisch löschen, anstatt diesen Dialog anzuzeigen.", - "Which backup do you want to open?": "Welche Sicherung möchten Sie öffnen?", "Which package managers do you want to use?": "Welcher Paketmanager soll verwendet werden?", "Which source do you want to add?": "Welche Quelle möchten Sie hinzufügen?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Während WinGet innerhalb von UniGetUI verwendet werden kann, kann UniGetUI auch mit anderen Paketmanagern verwendet werden, was verwirrend sein kann. In der Vergangenheit war UniGetUI darauf ausgerichtet, nur mit WinGet zu funktionieren, aber das ist nicht länger der Fall, sodass der Name „UniGetUI“ nicht mehr das repräsentiert, was dieses Projekt anstrebt.", - "WinGet could not be repaired": "WinGet konnte nicht repariert werden", - "WinGet malfunction detected": "WinGet-Fehler erkannt", - "WinGet was repaired successfully": "WinGet wurde erfolgreich repariert", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI – Alles ist auf dem neuesten Stand", "WingetUI - {0} updates are available": "UniGetUI – {0} Updates sind verfügbar", "WingetUI - {0} {1}": "UniGetUI – {0} {1}", - "WingetUI Homepage": "UniGetUI-Startseite", "WingetUI Homepage - Share this link!": "UniGetUI-Startseite – Teilen Sie diesen Link!", - "WingetUI License": "UniGetUI-Lizenz", - "WingetUI Log": "UniGetUI-Protokoll", - "WingetUI Repository": "UniGetUI-Repository", - "WingetUI Settings": "UniGetUI-Einstellungen", "WingetUI Settings File": "UniGetUI-Einstellungsdatei", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI verwendet die folgenden Bibliotheken, ohne die UniGetUI nicht realisierbar gewesen wäre.", - "WingetUI Version {0}": "UniGetUI-Version {0}", "WingetUI autostart behaviour, application launch settings": "Einstellungen für den Anwendungsstart und Autostart", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI kann nach Updates für Ihre Programme suchen und diese, falls gewünscht, automatisch installieren", - "WingetUI display language:": "UniGetUI-Anzeigesprache:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI wurde als Administrator ausgeführt, was nicht empfohlen wird. Wenn UniGetUI als Administrator ausgeführt wird, wird JEDER Vorgang in UniGetUI mit Administratorrechten ausgeführt. Sie können das Programm trotzdem verwenden, aber wir empfehlen dringend, UniGetUI nicht mit Administratorrechten auszuführen.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI wurde dank freiwilliger Übersetzer in mehr als 40 Sprachen übersetzt. Vielen Dank \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI wurde nicht maschinell übersetzt. Die folgenden Nutzer waren an den Übersetzungen beteiligt:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI ist eine Anwendung, die das Verwalten Ihrer Software vereinfacht, indem sie eine vollumfängliche Oberfläche für Ihre Kommandozeilen-Paketmanager bereitstellt.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI wird umbenannt, um eine bessere Differenzierung zwischen UniGetUI (die Oberfläche, die Sie gerade verwenden) und WinGet (ein von Microsoft entwickelter Paketmanager, mit dem ich nicht in Verbindung stehe) zu erreichen", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI wird aktualisiert. Nach Abschluss wird UniGetUI automatisch neu gestartet.", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI ist kostenlos und wird für immer kostenlos bleiben. Keine Werbung, keine Kreditkarten und keine Premiumversion. 100% kostenlos, für immer.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI wird jedes Mal eine UAC-Eingabeaufforderung anzeigen, wenn für die Installation eines Pakets eine höhere Berechtigung erforderlich ist.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI wird bald in {newname} umbenannt. Dies wird keinen Einfluss auf die Funktionsweise der Anwendung haben. Ich (der Entwickler) werde die Entwicklung dieses Projekts wie bisher fortsetzen, nur unter einem anderen Namen.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI wäre ohne die Hilfe unserer lieben Mitwirkenden nicht möglich gewesen. Schauen Sie sich auch deren GitHub-Profile an, UniGetUI wäre ohne diese Leute nicht möglich!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI wäre ohne die Hilfe der Mitwirkenden nicht möglich gewesen. Vielen Dank an alle \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI-Version {0} ist bereit zur Installation.", - "Write here the process names here, separated by commas (,)": "Geben Sie hier die Prozessnamen ein, getrennt durch Kommas (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Sie sind angemeldet als {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Sie können dieses Verhalten in den UniGetUI-Sicherheitseinstellungen ändern.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Sie können die Befehle festlegen, die vor oder nach der Installation, Aktualisierung oder Deinstallation dieses Pakets ausgeführt werden. Sie werden in einer Eingabeaufforderung ausgeführt, sodass CMD-Skripte hier funktionieren.", - "You have currently version {0} installed": "Sie haben aktuell die Version {0} installiert", - "You have installed WingetUI Version {0}": "Sie haben die UniGetUI-Version {0} installiert.", - "You may lose unsaved data": "Sie können nicht gespeicherte Daten verlieren", - "You may need to install {pm} in order to use it with WingetUI.": "Sie müssen möglicherweise {pm} installieren, um es mit UniGetUI verwenden zu können.", "You may restart your computer later if you wish": "Sie können Ihren Computer bei Bedarf später neu starten", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Sie werden nur einmal gefragt, und die Administratorrechte werden denjenigen Paketen gewährt, die sie anfordern.", "You will be prompted only once, and every future installation will be elevated automatically.": "Sie werden nur einmal gefragt, und jede weitere Installation wird automatisch mit höherer Berechtigung ausgeführt.", - "You will likely need to interact with the installer.": "Sie werden wahrscheinlich mit der Installation interagieren müssen.", - "[RAN AS ADMINISTRATOR]": "ALS ADMINISTRATOR AUSGEFÜHRT", "buy me a coffee": "spendieren Sie mir einen Kaffee", - "extracted": "extrahiert", - "feature": "Besonderheit", "formerly WingetUI": "früher WingetUI", "homepage": "Webseite", "install": "installieren", "installation": "Installation", - "installed": "installiert", - "installing": "installiere", - "library": "Bibliothek", - "mandatory": "obligatorisch", - "option": "Option", - "optional": "optional", "uninstall": "deinstallieren", "uninstallation": "Deinstallation", "uninstalled": "deinstalliert", - "uninstalling": "deinstallieren", "update(noun)": "Update", "update(verb)": "aktualisieren", "updated": "aktualisiert", - "updating": "aktualisiere", - "version {0}": "Version {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Die Installationsoptionen von {0} sind derzeit gesperrt, da {0} den Standardinstallationsoptionen folgt.", "{0} Uninstallation": "{0} Deinstallation", "{0} aborted": "{0} abgebrochen", "{0} can be updated": "{0} kann aktualisiert werden", - "{0} can be updated to version {1}": "{0} kann auf Version {1} aktualisiert werden", - "{0} days": "{0} Tage", - "{0} desktop shortcuts created": "{0} Desktopverknüpfungen angelegt", "{0} failed": "{0} fehlgeschlagen", - "{0} has been installed successfully.": "{0} wurde erfolgreich installiert.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} wurde erfolgreich installiert. Es wird empfohlen, UniGetUI neu zu starten, um die Installation abzuschließen.", "{0} has failed, that was a requirement for {1} to be run": "{0} ist fehlgeschlagen. Es war eine Voraussetzung für die Ausführung von {1}", - "{0} homepage": "{0} Homepage", - "{0} hours": "{0} Stunden", "{0} installation": "{0} Installation", - "{0} installation options": "Installationsoptionen für {0}", - "{0} installer is being downloaded": "{0}-Installationsdatei wird heruntergeladen", - "{0} is being installed": "{0} wird installiert", - "{0} is being uninstalled": "{0} wird deinstalliert", "{0} is being updated": "{0} wird aktualisiert", - "{0} is being updated to version {1}": "{0} wird auf Version {1} aktualisiert", - "{0} is disabled": "{0} ist deaktiviert", - "{0} minutes": "{0} Minuten", "{0} months": "{0} Monate", - "{0} packages are being updated": "{0} Pakete werden aktualisiert", - "{0} packages can be updated": "{0} Pakete können aktualisiert werden", "{0} packages found": "{0} Pakete gefunden", "{0} packages were found": "{0} Pakete wurden gefunden", - "{0} packages were found, {1} of which match the specified filters.": "Es wurden {0} Pakete gefunden, von denen {1} den festgelegten Filtern entsprechen.", - "{0} selected": "{0} ausgewählt", - "{0} settings": "{0}-Einstellungen", - "{0} status": "{0}-Status", "{0} succeeded": "{0} erfolgreich", "{0} update": "{0} aktualisieren", - "{0} updates are available": "{0} Updates verfügbar", "{0} was {1} successfully!": "{0} wurde erfolgreich {1}!", "{0} weeks": "{0} Wochen", "{0} years": "{0} Jahre", "{0} {1} failed": "{0} {1} ist fehlgeschlagen", - "{package} Installation": "{package} Installation", - "{package} Uninstall": "{package} Deinstallation", - "{package} Update": "{package} Update", - "{package} could not be installed": "{package} konnte nicht installiert werden", - "{package} could not be uninstalled": "{package} konnte nicht deinstalliert werden", - "{package} could not be updated": "{package} konnte nicht aktualisiert werden", "{package} installation failed": "Installation von {package} fehlgeschlagen", - "{package} installer could not be downloaded": "{package}-Installationsdatei konnte nicht heruntergeladen werden", - "{package} installer download": "{package}-Installationsdatei wird heruntergeladen", - "{package} installer was downloaded successfully": "{package}-Installationsdatei wurde erfolgreich heruntergeladen", "{package} uninstall failed": "Deinstallation von {package} fehlgeschlagen", "{package} update failed": "Update von {package} fehlgeschlagen", "{package} update failed. Click here for more details.": "Update von {package} fehlgeschlagen. Klicken Sie hier für weitere Informationen.", - "{package} was installed successfully": "{package} wurde erfolgreich installiert", - "{package} was uninstalled successfully": "{package} wurde erfolgreich deinstalliert", - "{package} was updated successfully": "{package} wurde erfolgreich aktualisiert", - "{pcName} installed packages": "{pcName} installierte Pakete", "{pm} could not be found": "{pm} konnte nicht gefunden werden", "{pm} found: {state}": "{pm} gefunden: {state}", - "{pm} is disabled": "{pm} ist deaktiviert", - "{pm} is enabled and ready to go": "{pm} ist aktiviert und bereit", "{pm} package manager specific preferences": "{pm} Paketmanager-spezifische Einstellungen", "{pm} preferences": "{pm}-Einstellungen", - "{pm} version:": "{pm}-Version:", - "{pm} was not found!": "{pm} wurde nicht gefunden" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hallo, mein Name ist Martí, und ich bin der Entwickler von UniGetUI. UniGetUI ist komplett in meiner Freizeit entstanden!", + "Thank you ❤": "Vielen Dank ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Dieses Projekt hat keine Verbindung zum offiziellen {0}-Projekt – es ist völlig inoffiziell." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_el.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_el.json index ff3dc72dad..a4b04739a6 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_el.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_el.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Η εργασία είναι σε εξέλιξη", + "Please wait...": "Παρακαλώ περιμένετε...", + "Success!": "Επιτυχία!", + "Failed": "Απέτυχε", + "An error occurred while processing this package": "Παρουσιάστηκε σφάλμα κατά την επεξεργασία αυτού του πακέτου", + "Log in to enable cloud backup": "Συνδεθείτε για να ενεργοποιήσετε τη δημιουργία αντιγράφων ασφαλείας στο cloud", + "Backup Failed": "Η δημιουργία αντιγράφων ασφαλείας απέτυχε", + "Downloading backup...": "Λήψη αντιγράφου ασφαλείας...", + "An update was found!": "Βρέθηκε ενημέρωση!", + "{0} can be updated to version {1}": "Το {0} μπορεί να ενημερωθεί στην έκδοση {1}", + "Updates found!": "Βρέθηκαν ενημερώσεις!", + "{0} packages can be updated": "{0} πακέτα μπορούν να ενημερωθούν", + "You have currently version {0} installed": "Αυτήν τη στιγμή έχετε εγκαταστήσει την έκδοση {0}", + "Desktop shortcut created": "Η συντόμευση στην επιφάνεια εργασίας δημιουργήθηκε", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Το UniGetUI ανίχνευσε μια νέα συντόμευση επιφάνειας εργασίας που μπορεί να διαγραφεί αυτόματα.", + "{0} desktop shortcuts created": "{0} συντομεύσεις επιφάνειας εργασίας δημιουργήθηκαν", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Το UniGetUI ανίχνευσε {0} νέες συντομεύσεις επιφάνειας εργασίας που μπορούν να διαγραφούν αυτόματα.", + "Are you sure?": "Σίγουρα;", + "Do you really want to uninstall {0}?": "Θέλετε σίγουρα να απεγκαταστήσετε το {0};", + "Do you really want to uninstall the following {0} packages?": "Θέλετε πραγματικά να απεγκαταστήσετε τα ακόλουθα {0} πακέτα;", + "No": "Όχι", + "Yes": "Ναι", + "View on UniGetUI": "Δείτε το στο UniGetUI", + "Update": "Ενημέρωση", + "Open UniGetUI": "Άνοιγμα UniGetUI", + "Update all": "Ενημέρωση όλων", + "Update now": "Ενημέρωση τώρα", + "This package is on the queue": "Αυτό το πακέτο είναι στην ουρά", + "installing": "εγκατάσταση", + "updating": "ενημέρωση", + "uninstalling": "απεγκατάσταση", + "installed": "εγκατεστημένο", + "Retry": "Επανάληψη", + "Install": "Εγκατάσταση", + "Uninstall": "Απεγκατάσταση", + "Open": "Άνοιγμα", + "Operation profile:": "Προφίλ λειτουργίας:", + "Follow the default options when installing, upgrading or uninstalling this package": "Παρακολούθηση των προεπιλεγμένων επιλογών κατά την εγκατάσταση, την αναβάθμιση ή την απεγκατάσταση αυτού του πακέτου", + "The following settings will be applied each time this package is installed, updated or removed.": "Οι ακόλουθες ρυθμίσεις θα εφαρμόζονται κάθε φορά που αυτό το πακέτο εγκαθίσταται, ενημερώνεται ή απομακρύνεται.", + "Version to install:": "Έκδοση για εγκατάσταση:", + "Architecture to install:": "Αρχιτεκτονική για εγκατάσταση:", + "Installation scope:": "Σκοπός εγκατάστασης:", + "Install location:": "Τοποθεσία εγκατάστασης:", + "Select": "Επιλογή", + "Reset": "Επαναφορά", + "Custom install arguments:": "Προσαρμοσμένα ορίσματα εγκατάστασης:", + "Custom update arguments:": "Προσαρμοσμένα ορίσματα ενημέρωσης:", + "Custom uninstall arguments:": "Προσαρμοσμένα ορίσματα απεγκατάστασης:", + "Pre-install command:": "Εντολή πριν την εγκατάσταση:", + "Post-install command:": "Εντολή μετά την εγκατάσταση:", + "Abort install if pre-install command fails": "Διακοπή εγκατάστασης εάν η εντολή πριν την εγκατάσταση αποτύχει", + "Pre-update command:": "Εντολή πριν την ενημέρωση:", + "Post-update command:": "Εντολή μετά την ενημέρωση:", + "Abort update if pre-update command fails": "Διακοπή εγκατάστασης εάν η εντολή πριν την ενημέρωση αποτύχει", + "Pre-uninstall command:": "Εντολή πριν την απεγκατάσταση:", + "Post-uninstall command:": "Εντολή μετά την απεγκατάσταση:", + "Abort uninstall if pre-uninstall command fails": "Διακοπή απεγκατάστασης εάν η εντολή πριν την απεγκατάσταση αποτύχει", + "Command-line to run:": "Γραμμή εντολών για εκτέλεση:", + "Save and close": "Αποθήκευση και κλείσιμο", + "Run as admin": "Εκτέλεση ως διαχειριστής", + "Interactive installation": "Διαδραστική εγκατάσταση", + "Skip hash check": "Αγνόηση ελέγχου hash", + "Uninstall previous versions when updated": "Απεγκατάσταση προηγούμενων εκδόσεων κατά την ενημέρωση", + "Skip minor updates for this package": "Αγνόηση μικροενημερώσεων για αυτό το πακέτο", + "Automatically update this package": "Αυτόματη ενημέρωση αυτού του πακέτου", + "{0} installation options": "{0} επιλογές εγκατάστασης", + "Latest": "Τελευταία", + "PreRelease": "Προδημοσίευση", + "Default": "Προεπιλογή", + "Manage ignored updates": "Διαχείριση αγνοημένων ενημερώσεων", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Τα πακέτα στη λίστα δε θα ληφθούν υπόψη κατά τον έλεγχο για ενημερώσεις. Πατήστε τα διπλά ή πατήστε στο κουμπί στα δεξιά τους για να σταματήσετε να αγνοείτε τις ενημερώσεις τους.", + "Reset list": "Επαναφορά λίστας", + "Package Name": "Όνομα Πακέτου", + "Package ID": "Ταυτότητα Πακέτου", + "Ignored version": "Αγνοημένη εκδοση", + "New version": "Νέα έκδοση", + "Source": "Προέλευση", + "All versions": "Ολες οι εκδόσεις", + "Unknown": "Άγνωστο", + "Up to date": "Ενημερωμένο", + "Cancel": "Άκυρο", + "Administrator privileges": "Προνόμια διαχειριστή", + "This operation is running with administrator privileges.": "Αυτή η λειτουργία εκτελείται με προνόμια διαχειριστή.", + "Interactive operation": "Διαδραστική λειτουργία", + "This operation is running interactively.": "Αυτή η λειτουργία εκτελείται διαδραστικά.", + "You will likely need to interact with the installer.": "Πιθανόν, να χρειαστείτε να διαδράσετε με το πρόγραμμα εγκατάστασης", + "Integrity checks skipped": "Οι έλεγχοι ακεραιότητας αγνοήθηκαν", + "Proceed at your own risk.": "Συνεχίστε με δική σας ευθύνη.", + "Close": "Κλείσιμο", + "Loading...": "Φόρτωση...", + "Installer SHA256": "Πρόγραμμα εγκατάστασης SHA256", + "Homepage": "Ιστοσελίδα", + "Author": "Εκδότης", + "Publisher": "Εκδότης", + "License": "Άδεια", + "Manifest": "Μανιφέστο", + "Installer Type": "Τύπος προγράμματος εγκατάστασης", + "Size": "Μέγεθος", + "Installer URL": "URL προγράμματος εγκατάστασης", + "Last updated:": "Τελευταία ενημέρωση:", + "Release notes URL": "Διεύθυνση URL σημειώσεων έκδοσης", + "Package details": "Λεπτομέρειες πακέτου", + "Dependencies:": "Εξαρτήσεις:", + "Release notes": "Σημειώσεις έκδοσης", + "Version": "Εκδοση", + "Install as administrator": "Εγκατάσταση ως διαχειριστής", + "Update to version {0}": "Ενημέρωση στην έκδοση {0}", + "Installed Version": "Εγκατεστημένη Έκδοση", + "Update as administrator": "Ενημέρωση ως διαχειριστής", + "Interactive update": "Διαδραστική ενημέρωση", + "Uninstall as administrator": "Απεγκατάσταση ως διαχειριστής", + "Interactive uninstall": "Διαδραστική απεγκατάσταση", + "Uninstall and remove data": "Απεγκατάσταση και κατάργηση δεδομένων", + "Not available": "Μη διαθέσιμο", + "Installer SHA512": "Πρόγραμμα εγκατάστασης SHA512", + "Unknown size": "Αγνωστο μέγεθος", + "No dependencies specified": "Δεν έχουν καθοριστεί εξαρτήσεις", + "mandatory": "επιτακτικό", + "optional": "προαιρετικό", + "UniGetUI {0} is ready to be installed.": "Το UniGetUI {0} είναι έτοιμο για εγκατάσταση.", + "The update process will start after closing UniGetUI": "Η διαδικασία ενημέρωσης θα εκκινήσει μετά το κλείσιμο του UniGetUI", + "Share anonymous usage data": "Κοινή χρήση ανώνυμων δεδομένων χρήσης", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "Το UniGetUI συλλέγει ανώνυμα δεδομένα χρήσης ώστε να βελτιώσει την εμπειρία του χρήστη.", + "Accept": "Αποδοχή", + "You have installed WingetUI Version {0}": "Έχετε εγκατεστημένη την έκδοση {0} του UniGetUI", + "Disclaimer": "Δήλωση αποποίησης ευθυνών", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Το UniGetUI δε σχετίζεται με κανέναν από τους συμβατούς διαχειριστές πακέτων. Το UniGetUI είναι ένα ανεξάρτητο έργο.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "Το UniGetUI δε θα ήταν δυνατό χωρίς τη βοήθεια των συνεισφερόντων. Σας ευχαριστώ όλους 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Το UniGetUI χρησιμοποιεί τις ακόλουθες βιβλιοθήκες. Χωρίς αυτές, το UniGetUI δε θα υπήρχε.", + "{0} homepage": "Αρχική σελίδα {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "Το UniGetUI έχει μεταφραστεί σε περισσότερες από 40 γλώσσες χάρη στους εθελοντές μεταφραστές. Ευχαριστώ 🤝", + "Verbose": "Πολύλογος", + "1 - Errors": "1 - Σφάλματα", + "2 - Warnings": "2 - Προειδοποιήσεις", + "3 - Information (less)": "3 - Πληροφορίες (λιγότερες)", + "4 - Information (more)": "4 - Πληροφορίες (περισσότερες)", + "5 - information (debug)": "5 - πληροφορίες (εντοπισμός σφαλμάτων)", + "Warning": "Προειδοποίηση", + "The following settings may pose a security risk, hence they are disabled by default.": "Οι ακόλουθες ρυθμίσεις ενδέχεται να θέτουν σε κίνδυνο την ασφάλεια, επομένως είναι απενεργοποιημένες από προεπιλογή.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ενεργοποιήστε τις παρακάτω ρυθμίσεις αν και μόνο αν κατανοείτε πλήρως τι κάνουν και τις πιθανές επιπτώσεις τους.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Οι ρυθμίσεις θα αναφέρουν, στις περιγραφές τους, τα πιθανά προβλήματα ασφαλείας που ενδέχεται να έχουν.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Το αντίγραφο ασφαλείας θα περιλαμβάνει την πλήρη λίστα των εγκατεστημένων πακέτων και τις επιλογές εγκατάστασής τους. Οι ενημερώσεις που αγνοήθηκαν και οι εκδόσεις που παραλήφθηκαν θα αποθηκευτούν επίσης.", + "The backup will NOT include any binary file nor any program's saved data.": "Το αντίγραφο ασφαλείας ΔΕΝ θα περιλαμβάνει κανένα δυαδικό αρχείο ούτε αποθηκευμένα δεδομένα οποιουδήποτε προγράμματος.", + "The size of the backup is estimated to be less than 1MB.": "Το μέγεθος του αντιγράφου ασφαλείας εκτιμάται ότι είναι μικρότερο από 1 MB.", + "The backup will be performed after login.": "Το αντίγραφο ασφαλείας θα δημιουργηθεί κατά τη σύνδεση.", + "{pcName} installed packages": "Εγκατεστημένα πακέτα στο {pcName}", + "Current status: Not logged in": "Τρέχουσα κατάσταση: Δεν έχετε συνδεθεί", + "You are logged in as {0} (@{1})": "Εχετε συνδεθεί ως {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Ωραία! Τα αντίγραφα ασφαλείας θα μεταφορτωθούν σε ένα ιδιωτικό gist στον λογαριασμό σας.", + "Select backup": "Επιλέξτε αντίγραφο ασφαλείας", + "WingetUI Settings": "Ρυθμίσεις UniGetUI", + "Allow pre-release versions": "Να επιτρέπονται pre-release εκδόσεις ", + "Apply": "Εφαρμογή", + "Go to UniGetUI security settings": "Μετάβαση στις ρυθμίσεις ασφαλείας του UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Οι ακόλουθες επιλογές θα εφαρμόζονται από προεπιλογή κάθε φορά που εγκαθίσταται, αναβαθμίζεται ή απεγκαθίσταται ένα πακέτο {0}.", + "Package's default": "Προεπιλογή πακέτου", + "Install location can't be changed for {0} packages": "Η τοποθεσία εγκατάστασης δεν μπορεί να αλλάξει για {0} πακέτα", + "The local icon cache currently takes {0} MB": "Η τρέχουσα τοπική μνήμη cache εικονιδίων καταλαμβάνει {0} MB", + "Username": "Όνομα χρήστη", + "Password": "Κωδικός πρόσβασης", + "Credentials": "Διαπιστευτήρια", + "Partially": "Τμηματικά", + "Package manager": "Διαχειριστής πακέτων", + "Compatible with proxy": "Συμβατό με διακομιστή", + "Compatible with authentication": "Συμβατό με πιστοποίηση", + "Proxy compatibility table": "Πίνακας συμβατότητας διακομιστή", + "{0} settings": "{0} ρυθμίσεις", + "{0} status": "{0} κατάσταση", + "Default installation options for {0} packages": "Προεπιλεγμένες επιλογές εγκατάστασης για {0} πακέτα", + "Expand version": "Έκδοση επέκτασης", + "The executable file for {0} was not found": "Το εκτελέσιμο αρχείο για {0} δεν βρέθηκε", + "{pm} is disabled": "Το {pm} είναι απενεργοποιημένο", + "Enable it to install packages from {pm}.": "Ενεργοποίηση για εγκατάσταση πακέτων από {pm}.", + "{pm} is enabled and ready to go": "Το {pm} είναι ενεργοποιημένο και έτοιμο για χρήση", + "{pm} version:": "Εκδοση {pm}:", + "{pm} was not found!": "Το {pm} δεν βρέθηκε!", + "You may need to install {pm} in order to use it with WingetUI.": "Ίσως χρειαστεί να εγκαταστήσετε το {pm} για να το χρησιμοποιήσετε με το UniGetUI.", + "Scoop Installer - WingetUI": "Πρόγραμμα εγκατάστασης Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Πρόγραμμα απεγκατάστασης Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Εκκαθάριση μνήμης cache του Scoop - UniGetUI", + "Restart UniGetUI": "Επανεκκίνηση του UniGetUI", + "Manage {0} sources": "Διαχείριση προελεύσεων {0}", + "Add source": "Προσθήκη προέλευσης", + "Add": "Προσθήκη", + "Other": "Άλλο", + "1 day": "1 ημέρα", + "{0} days": "{0} ημέρες", + "{0} minutes": "{0} λεπτά", + "1 hour": "1 ώρα", + "{0} hours": "{0} ώρες", + "1 week": "1 εβδομάδα", + "WingetUI Version {0}": "UniGetUI Εκδοση {0}", + "Search for packages": "Αναζήτηση πακέτων", + "Local": "Τοπικό", + "OK": "ΕΝΤΆΞΕΙ", + "{0} packages were found, {1} of which match the specified filters.": "Βρέθηκαν {0} πακέτα, {1} από τα οποία ταιριάζουν με τα καθορισμένα φίλτρα.", + "{0} selected": "{0} επιλεγμένα", + "(Last checked: {0})": "(Τελευταίος έλεγχος: {0})", + "Enabled": "Ενεργοποιημένο", + "Disabled": "Ανενεργό", + "More info": "Περισσότερες πληροφορίες", + "Log in with GitHub to enable cloud package backup.": "Συνδεθείτε με το GitHub για να ενεργοποιήσετε τη δημιουργία αντιγράφων ασφαλείας πακέτων στο cloud.", + "More details": "Περισσότερες λεπτομέρειες", + "Log in": "Σύνδεση", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Εάν έχετε ενεργοποιήσει τη δημιουργία αντιγράφων ασφαλείας στο cloud, θα αποθηκευτεί ως GitHub Gist σε αυτόν τον λογαριασμό.", + "Log out": "Αποσύνδεση", + "About": "Σχετικά", + "Third-party licenses": "Αδειες τρίτων", + "Contributors": "Συνεισφέροντες", + "Translators": "Μεταφραστές", + "Manage shortcuts": "Διαχείριση συντομεύσεων", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Το UniGetUI ανίχνευσε τις ακόλουθες συντομεύσεις επιφάνειας εργασίας που μπορούν να απομακρυνθούν αυτόματα σε μελλοντικές αναβαθμίσεις", + "Do you really want to reset this list? This action cannot be reverted.": "Θέλετε να επαναφέρεται αυτή τη λίστα; Αυτή η ενέργεια δεν είναι αναστρέψιμη.", + "Remove from list": "Απομάκρυνση από τη λίστα", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Όταν νέες συντομεύσεις ανιχνεύονται θα διαγράφονται αυτόματα αντί για εμφάνιση αυτού του παραθύρου.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Το UniGetUI συλλέγει ανώνυμα δεδομένα χρήσης με μοναδικό σκοπό κατανόησης και βελτίωσης της εμπειρίας χρήσης.", + "More details about the shared data and how it will be processed": "Περισσότερες λεπτομέρειες σχετικά με τα κοινόχρηστα δεδομένα και πως θα επεξεργαστούν", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Αποδέχεστε ότι το UniGetUI συλλέγει και αποστέλλει ανώνυμα στατιστικά στοιχεία χρήσης, με μοναδικό σκοπό την κατανόηση και τη βελτίωση της εμπειρίας χρήστη;", + "Decline": "Απόρριψη", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Καμιά προσωπική πληροφορία δε συλλέγεται ούτε αποστέλλεται και τα συλλεχθέντα δεδομένα είναι ανώνυμα, έτσι δεν μπορούν να αντιστοιχιστούν με εσάς.", + "About WingetUI": "Σχετικά με το UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "Το UniGetUI είναι μια εφαρμογή που διευκολύνει τη διαχείριση του λογισμικού σας, παρέχοντας ένα γραφικό περιβάλλον χρήστη όλα σε ένα για τους διαχειριστές πακέτων γραμμής εντολών σας.", + "Useful links": "Χρήσιμοι σύνδεσμοι", + "Report an issue or submit a feature request": "Αναφέρετε ένα πρόβλημα ή υποβάλετε ένα αίτημα νέου χαρακτηριστικού", + "View GitHub Profile": "Προβολή προφίλ στο GitHub", + "WingetUI License": "Αδεια UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Η χρήση του UniGetUI συνεπάγεται την αποδοχή της άδειας MIT", + "Become a translator": "Γίνετε μεταφραστής", + "View page on browser": "Προβολή σελίδας στο φυλλομετρητή", + "Copy to clipboard": "Αντιγραφή στο πρόχειρο", + "Export to a file": "Εξαγωγή σε αρχείο", + "Log level:": "Επίπεδο καταγραφής:", + "Reload log": "Επαναφόρτωση αρχείου καταγραφής", + "Text": "Κείμενο", + "Change how operations request administrator rights": "Αλλαγή του τρόπου αίτησης για δικαιώματα διαχειριστή", + "Restrictions on package operations": "Περιορισμοί στις λειτουργίες πακέτων", + "Restrictions on package managers": "Περιορισμοί στους διαχειριστές πακέτων", + "Restrictions when importing package bundles": "Περιορισμοί κατά την εισαγωγή συλλογών", + "Ask for administrator privileges once for each batch of operations": "Ερώτημα για δικαιώματα διαχειριστή μία φορά για κάθε δέσμη εργασιών", + "Ask only once for administrator privileges": "Ερώτηση μόνο μια φορά για δικαιώματα διαχειριστή", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Αποτροπή οποιουδήποτε είδους αύξησης των δικαιωμάτων μέσω του UniGetUI Elevator ή του GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Αυτή η επιλογή ΘΑ προκαλέσει προβλήματα. Οποιαδήποτε λειτουργία δεν μπορεί να λάβει αυξημένα δικαιώματα μόνη της ΘΑ ΑΠΟΤΥΧΕΙ. Η εγκατάσταση/ενημέρωση/απεγκατάσταση ως διαχειριστής ΔΕΝ θα λειτουργήσει.", + "Allow custom command-line arguments": "Να επιτρέπονται προσαρμοσμένα ορίσματα γραμμής εντολών", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Τα προσαρμοσμένα ορίσματα γραμμής εντολών μπορούν να αλλάξουν τον τρόπο με τον οποίο εγκαθίστανται, αναβαθμίζονται ή απεγκαθίστανται τα προγράμματα, με τρόπο που το UniGetUI δεν μπορεί να ελέγξει. Η χρήση προσαρμοσμένων γραμμών εντολών μπορεί να προκαλέσει προβλήματα στα πακέτα. Προχωρήστε με προσοχή.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Να επιτρέπεται η εκτέλεση προσαρμοσμένων εντολών πριν και μετά την εγκατάσταση κατά την εισαγωγή πακέτων από συλλογή", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Οι εντολές πριν και μετά την εγκατάσταση θα εκτελούνται πριν και μετά την εγκατάσταση, την αναβάθμιση ή την απεγκατάσταση ενός πακέτου. Λάβετε υπόψη ότι ενδέχεται να προκαλέσουν βλάβη, εκτός εάν χρησιμοποιηθούν προσεκτικά.", + "Allow changing the paths for package manager executables": "Να επιτρέπεται αλλαγή των διαδρομών για τα εκτελέσιμα αρχεία του διαχειριστή πακέτων", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Η ενεργοποίηση αυτής της επιλογής επιτρέπει την αλλαγή του εκτελέσιμου αρχείου που χρησιμοποιείται για την αλληλεπίδραση με τους διαχειριστές πακέτων. Ενώ αυτό επιτρέπει την πιο λεπτομερή προσαρμογή των διαδικασιών εγκατάστασης, μπορεί επίσης να είναι επικίνδυνο.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Να επιτρέπεται η εισαγωγή προσαρμοσμένων ορισμάτων γραμμής εντολών κατά την εισαγωγή πακέτων από μια συλλογή", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Τα λανθασμένα μορφοποιημένα ορίσματα γραμμής εντολών μπορούν να προκαλέσουν βλάβη στα πακέτα ή ακόμα και να επιτρέψουν σε έναν κακόβουλο παράγοντα να αποκτήσει προνομιακή εκτέλεση. Επομένως, η εισαγωγή προσαρμοσμένων ορισμάτων γραμμής εντολών είναι απενεργοποιημένη από προεπιλογή.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Επιτρέψτε την εισαγωγή προσαρμοσμένων εντολών πριν και μετά την εγκατάσταση κατά την εισαγωγή πακέτων από μια συλλογή", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Οι εντολές πριν και μετά την εγκατάσταση μπορούν να κάνουν πολύ άσχημα πράγματα στη συσκευή σας, εάν έχουν σχεδιαστεί για αυτό. Μπορεί να είναι πολύ επικίνδυνο να εισάγετε τις εντολές από μια συλλογή, εκτός αν εμπιστεύεστε την πηγή αυτής της συλλογής.", + "Administrator rights and other dangerous settings": "Δικαιώματα διαχειριστή και άλλες επικίνδυνες ρυθμίσεις", + "Package backup": "Αντίγραφο ασφαλείας πακέτου", + "Cloud package backup": "Αντίγραφο ασφαλείας πακέτων στο cloud", + "Local package backup": "Τοπικά αντίγραφο ασφαλείας πακέτων", + "Local backup advanced options": "Προηγμένες επιλογές τοπικών αντιγράφων ασφαλείας", + "Log in with GitHub": "Σύνδεση με GitHub", + "Log out from GitHub": "Αποσύνδεση από το GitHub", + "Periodically perform a cloud backup of the installed packages": "Περιοδική δημιουργία αντιγράφων ασφαλείας των εγκατεστημένων πακέτων στο cloud", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Το backup στο cloud χρησιμοποιεί ένα ιδιωτικό GitHub Gist για την αποθήκευση μιας λίστας εγκατεστημένων πακέτων.", + "Perform a cloud backup now": "Δημιουργία ενός αντιγράφου ασφαλείας στο cloud τώρα ", + "Backup": "Aντίγραφο ασφαλείας", + "Restore a backup from the cloud": "Επαναφορά ενός αντιγράφου ασφαλείας από το cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Ξεκινήστε τη διαδικασία επιλογής ενός αντιγράφου ασφαλείας στο cloud και ελέγξτε ποια πακέτα θα επαναφέρετε", + "Periodically perform a local backup of the installed packages": "Περιοδική δημιουργία τοπικών αντιγράφων ασφαλείας των εγκατεστημένων πακέτων", + "Perform a local backup now": "Δημιουργία ενός τοπικού αντιγράφου ασφαλείας τώρα ", + "Change backup output directory": "Αλλαγή φακέλου εξαγωγής αντιγράφου ασφαλείας", + "Set a custom backup file name": "Ορίστε ένα προσαρμοσμένο όνομα αρχείου αντιγράφου ασφαλείας", + "Leave empty for default": "Αφήστε το κενό για προεπιλογή", + "Add a timestamp to the backup file names": "Προσθήκη χρονοσφραγίδας στα ονόματα των αρχείων αντιγράφων ασφαλείας", + "Backup and Restore": "Αντίγραφα ασφαλείας και επαναφορά", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Ενεργοποίηση API παρασκηνίου (Widgets για UniGetUI και Κοινή Χρήση, θύρα 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Περιμένετε να συνδεθεί η συσκευή στο διαδίκτυο πριν επιχειρήσετε να κάνετε εργασίες που απαιτούν σύνδεση στο Διαδίκτυο.", + "Disable the 1-minute timeout for package-related operations": "Απενεργοποίηση χρονικού ορίου 1 λεπτού για λειτουργίες που σχετίζονται με πακέτα", + "Use installed GSudo instead of UniGetUI Elevator": "Χρήση του εγκατεστημένου GSudo αντί για το UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Χρήση διεύθυνσης URL προσαρμοσμένης βάσης δεδομένων για εικονίδια και στιγμιότυπα οθόνης", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ενεργοποίηση βελτιστοποιήσεων χρήσης CPU υποβάθρου (δείτε το Αίτημα #3278)", + "Perform integrity checks at startup": "Εκτέλεση ελέγχων ακεραιότητας κατά την εκκίνηση", + "When batch installing packages from a bundle, install also packages that are already installed": "Κατά την μαζική εγκατάσταση πακέτων από μια συλλογή, εγκαταστήστε επίσης πακέτα που είναι ήδη εγκατεστημένα", + "Experimental settings and developer options": "Πειραματικές ρυθμίσεις και επιλογές για προγραμματιστές", + "Show UniGetUI's version and build number on the titlebar.": "Προβολή της έκδοσης του UniGetUI στη γραμμή τίτλου", + "Language": "Γλώσσα", + "UniGetUI updater": "Αναβαθμιστής UniGetUI", + "Telemetry": "Τηλεμετρία", + "Manage UniGetUI settings": "Διαχείριση ρυθμίσεων UniGetUI", + "Related settings": "Σχετικές ρυθμίσεις", + "Update WingetUI automatically": "Αυτόματη ενημέρωση UniGetUI", + "Check for updates": "Έλεγχος για ενημερώσεις", + "Install prerelease versions of UniGetUI": "Εγκατάσταση προδημοσιευμένων εκδόσεων του UniGetUI", + "Manage telemetry settings": "Διαχείριση ρυθμίσεων τηλεμετρίας", + "Manage": "Διαχείριση", + "Import settings from a local file": "Εισαγωγή ρυθμίσεων απο τοπικό αρχείο", + "Import": "Εισαγωγή", + "Export settings to a local file": "Εξαγωγή ρυθμίσεων σε τοπικό αρχείο", + "Export": "Εξαγωγή", + "Reset WingetUI": "Επαναφορά του UniGetUI", + "Reset UniGetUI": "Επαναφορά του UniGetUI", + "User interface preferences": "Προτιμήσεις περιβάλλοντος χρήστη", + "Application theme, startup page, package icons, clear successful installs automatically": "Θέμα εφαρμογής, σελίδα εκκίνησης, εικονίδια πακέτου, εκκαθάριση επιτυχών εγκαταστάσεων αυτόματα", + "General preferences": "Γενικές προτιμήσεις", + "WingetUI display language:": "Γλώσσα εμφάνισης UniGetUI:", + "Is your language missing or incomplete?": "Η γλώσσα σας λείπει ή είναι ημιτελής;", + "Appearance": "Εμφάνιση", + "UniGetUI on the background and system tray": "Το UniGetUI στο υπόβαθρο και στη γραμμή εργασιών", + "Package lists": "Λίστες πακέτων", + "Close UniGetUI to the system tray": "Κλείσιμο του UniGetUI στη γραμμή εργασιών", + "Show package icons on package lists": "Εμφάνιση εικονιδίων πακέτων στις λίστες πακέτων", + "Clear cache": "Εκκαθάριση μνήμης cache", + "Select upgradable packages by default": "Επιλογή αναβαθμίσιμων πακέτων από προεπιλογή", + "Light": "Φωτεινό", + "Dark": "Σκοτεινό", + "Follow system color scheme": "Χρήση χρωμάτων συστήματος", + "Application theme:": "Θέμα εφαρμογής:", + "Discover Packages": "Εξερεύνηση Πακέτων", + "Software Updates": "Ενημερώσεις Εφαρμογών", + "Installed Packages": "Εγκατεστημένα Πακέτα", + "Package Bundles": "Συλλογές πακέτων", + "Settings": "Ρυθμίσεις", + "UniGetUI startup page:": "Σελίδα έναρξης του UniGetUI:", + "Proxy settings": "Ρυθμίσεις διακομιστή", + "Other settings": "Άλλες ρυθμίσεις", + "Connect the internet using a custom proxy": "Σύνδεση στο διαδίκτυο με χρήση προσαρμοσμένου διακομιστή", + "Please note that not all package managers may fully support this feature": "Σημειώστε ότι αυτό το το χαρακτηριστικό δεν υποστηρίζεται πλήρως από όλους τους διαχειριστές πακέτων", + "Proxy URL": "URL διακομιστή", + "Enter proxy URL here": "Εισαγωγή URL διακομιστή εδώ", + "Package manager preferences": "Προτιμήσεις διαχειριστή πακέτων", + "Ready": "Ετοιμο", + "Not found": "Δεν βρέθηκε", + "Notification preferences": "Προτιμήσεις ειδοποιήσεων", + "Notification types": "Τύποι ειδοποιήσεων", + "The system tray icon must be enabled in order for notifications to work": "Το εικονίδιο στη γραμμή εργασιών πρέπει να ενεργοποιηθεί ώστε να δουλεύουν οι ειδοποιήσεις", + "Enable WingetUI notifications": "Ενεργοποίηση ειδοποιήσεων UniGetUI", + "Show a notification when there are available updates": "Εμφάνιση ειδοποίησης όταν υπάρχουν διαθέσιμες ενημερώσεις", + "Show a silent notification when an operation is running": "Εμφάνιση σιωπηλής ειδοποίησης όταν εκτελείται μια λειτουργία", + "Show a notification when an operation fails": "Εμφάνιση ειδοποίησης όταν μια λειτουργία αποτυγχάνει", + "Show a notification when an operation finishes successfully": "Εμφάνιση ειδοποίησης όταν μια λειτουργία ολοκληρώνεται επιτυχώς", + "Concurrency and execution": "Συγχρονισμός και εκτέλεση", + "Automatic desktop shortcut remover": "Αυτόματο πρόγραμμα απομάκρυνσης συντόμευσης επιφάνειας εργασίας", + "Clear successful operations from the operation list after a 5 second delay": "Εκκαθάριση επιτυχώς ολοκληρωμένων λειτουργιών από τη λίστα λειτουργιών μετά από καθυστέρηση 5 δευτερολέπτων", + "Download operations are not affected by this setting": "Οι λειτουργίες λήψης δεν επηρεάζονται από αυτή τη ρύθμιση", + "Try to kill the processes that refuse to close when requested to": "Προσπάθεια αναγκαστικού τερματισμού των διεργασιών που αρνούνται να κλείσουν όταν τους ζητηθεί", + "You may lose unsaved data": "Ενδέχεται να χάσετε μη αποθηκευμένα δεδομένα", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Ερώτηση πριν τη διαγραφή των συντομεύσεων επιφάνειας εργασίας που δημιουργήθηκαν κατά την εγκατάσταση ή την αναβάθμιση.", + "Package update preferences": "Προτιμήσεις ενημέρωσης πακέτου", + "Update check frequency, automatically install updates, etc.": "Συχνότητα ελέγχου για ενημερώσεις, αυτόματη εγκατάσταση ενημερώσεων κλπ.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Μείωση των προτροπών UAC, αύξηση των δικαιωμάτων των εγκαταστάσεων από προεπιλογή, ξεκλείδωμα ορισμένων επικίνδυνων λειτουργιών κ.λπ.", + "Package operation preferences": "Προτιμήσεις λειτουργίας πακέτου", + "Enable {pm}": "Ενεργοποίηση {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Δεν βρίσκετε το αρχείο που ψάχνετε; Βεβαιωθείτε ότι έχει προστεθεί στη διαδρομή.", + "For security reasons, changing the executable file is disabled by default": "Για λόγους ασφαλείας, η αλλαγή του εκτελέσιμου αρχείου είναι απενεργοποιημένη από προεπιλογή.", + "Change this": "Αλλαγή αυτού", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Επιλέξτε το εκτελέσιμο αρχείο που θα χρησιμοποιηθεί. Η ακόλουθη λίστα εμφανίζει τα εκτελέσιμα αρχεία που βρέθηκαν από το UniGetUI", + "Current executable file:": "Τρέχον εκτελέσιμο αρχείο:", + "Ignore packages from {pm} when showing a notification about updates": "Αγνόηση πακέτων από το {pm} όταν εμφανίζεται ειδοποίηση για ενημερώσεις", + "View {0} logs": "Δείτε {0} καταγραφές", + "Advanced options": "Επιλογές για προχωρημένους", + "Reset WinGet": "Επαναφορά του WinGet", + "This may help if no packages are listed": "Αυτό μπορεί να βοηθήσει αν κανένα πακέτο δεν εμφανίζεται", + "Force install location parameter when updating packages with custom locations": "Εξαναγκασμός παραμέτρου τοποθεσίας εγκατάστασης κατά την ενημέρωση πακέτων με προσαρμοσμένες τοποθεσίες", + "Use bundled WinGet instead of system WinGet": "Χρήση συλλογών WinGet αντί για το WinGet συστήματος", + "This may help if WinGet packages are not shown": "Αυτό μπορεί να βοηθήσει αν τα πακέτα WinGet δεν προβάλονται", + "Install Scoop": "Εγκατάσταση Scoop", + "Uninstall Scoop (and its packages)": "Απεγκατάσταση του Scoop (και των πακέτων του)", + "Run cleanup and clear cache": "Εκτέλεση εκκαθάρισης και διαγραφή της μνήμης cache", + "Run": "Εκτέλεση", + "Enable Scoop cleanup on launch": "Ενεργοποίηση εκκαθάρισης Scoop κατά την εκκίνηση", + "Use system Chocolatey": "Χρήση Chocolatey συστήματος", + "Default vcpkg triplet": "Προεπιλεγμένο vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Γλώσσα, θέμα και διάφορες άλλες προτιμήσεις", + "Show notifications on different events": "Εμφάνιση ειδοποιήσεων για διαφορετικά συμβάντα", + "Change how UniGetUI checks and installs available updates for your packages": "Αλλαγή του τρόπου με τον οποίο το UniGetUI ελέγχει και εγκαθιστά τις διαθέσιμες ενημερώσεις για τα πακέτα σας", + "Automatically save a list of all your installed packages to easily restore them.": "Αυτόματη αποθήκευση λίστας με όλα τα εγκατεστημένα πακέτα σας για εύκολη επαναφορά τους.", + "Enable and disable package managers, change default install options, etc.": "Ενεργοποίηση και απενεργοποίηση διαχειριστών πακέτων, αλλαγή προεπιλεγμένων επιλογών εγκατάστασης κ.λπ.", + "Internet connection settings": "Ρυθμίσεις σύνδεσης στο διαδίκτυο", + "Proxy settings, etc.": "Ρυθμίσεις διακομιστή κλπ.", + "Beta features and other options that shouldn't be touched": "Δοκιμαστικές λειτουργίες και άλλες ρυθμίσεις που δε θα έπρεπε να αγγιχτούν", + "Update checking": "Ελεγχος για ενημερώσεις", + "Automatic updates": "Αυτόματες ενημερώσεις", + "Check for package updates periodically": "Περιοδικός έλεγχος για ενημερώσεις πακέτων", + "Check for updates every:": "Έλεγχος για ενημερώσεις κάθε:", + "Install available updates automatically": "Αυτόματη εγκατάσταση διαθέσιμων ενημερώσεων", + "Do not automatically install updates when the network connection is metered": "Να μη γίνεται αυτόματη εγκατάσταση ενημερώσεων όταν η σύνδεση στο διαδίκτυο είναι περιορισμένη", + "Do not automatically install updates when the device runs on battery": "Να μη γίνεται αυτόματη εγκατάσταση ενημερώσεων όταν η συσκευή είναι σε λειτουργία μπαταρίας", + "Do not automatically install updates when the battery saver is on": "Να μη γίνεται αυτόματη εγκατάσταση ενημερώσεων όταν η εξοικονόμηση μπαταρίας είναι ενεργή", + "Change how UniGetUI handles install, update and uninstall operations.": "Αλλαγή του χειρισμού της εγκατάστασης, της ενημέρωσης και της απεγκατάστασης από το UniGetUI.", + "Package Managers": "Διαχειριστές πακέτων", + "More": "Περισσότερα", + "WingetUI Log": "Αρχείο καταγραφής UniGetUI", + "Package Manager logs": "Αρχεία καταγραφής διαχειριστή πακέτων", + "Operation history": "Ιστορικό εργασιών", + "Help": "Βοήθεια", + "Order by:": "Ταξινόμηση κατά:", + "Name": "Όνομα", + "Id": "Ταυτότητα", + "Ascendant": "Πρωτεύων", + "Descendant": "Απόγονος", + "View mode:": "Κατάσταση προβολής:", + "Filters": "Φίλτρα", + "Sources": "Προελεύσεις", + "Search for packages to start": "Αναζήτηση πακέτων για εκκίνηση", + "Select all": "Επιλογή όλων", + "Clear selection": "Εκκαθάριση επιλογής", + "Instant search": "Αμεση αναζήτηση", + "Distinguish between uppercase and lowercase": "Διάκριση πεζών - κεφαλαίων", + "Ignore special characters": "Αγνόηση ειδικών χαρακτήρων", + "Search mode": "Λειτουργία αναζήτησης", + "Both": "Και τα δύο", + "Exact match": "Ακριβές ταίριασμα", + "Show similar packages": "Εμφάνιση παρόμοιων πακέτων", + "No results were found matching the input criteria": "Δε βρέθηκαν αποτελέσματα που να ταιριάζουν με αυτά τα κριτήρια", + "No packages were found": "Δε βρέθηκαν πακέτα", + "Loading packages": "Φόρτωση πακέτων", + "Skip integrity checks": "Αγνόηση ελέγχων ακεραιότητας", + "Download selected installers": "Λήψη επιλεγμένων προγραμμάτων εγκατάστασης", + "Install selection": "Εγκατάσταση επιλογής", + "Install options": "Επιλογές εγκατάστασης", + "Share": "Κοινή χρήση", + "Add selection to bundle": "Προσθήκη επιλογής στη συλλογή", + "Download installer": "Λήψη προγράμματος εγκατάστασης", + "Share this package": "Κοινή χρήση αυτού του πακέτου", + "Uninstall selection": "Απεγκατάσταση επιλεγμένων", + "Uninstall options": "Επιλογές απεγκατάστασης", + "Ignore selected packages": "Αγνόηση επιλεγμένων πακέτων", + "Open install location": "Ανοιγμα τοποθεσίας εγκατάστασης", + "Reinstall package": "Επανεγκατάσταση πακέτου", + "Uninstall package, then reinstall it": "Απεγκατάσταση πακέτου, μετά εγκατάσταση αυτού ξανά", + "Ignore updates for this package": "Αγνόηση ενημερώσεων για αυτό το πακέτο", + "Do not ignore updates for this package anymore": "Μην αγνοείτε πλέον ενημερώσεις για αυτό το πακέτο", + "Add packages or open an existing package bundle": "Προσθήκη πακέτων ή άνοιγμα υπάρχουσας συλλογής πακέτων", + "Add packages to start": "Προσθήκη πακέτων για εκκίνηση", + "The current bundle has no packages. Add some packages to get started": "Η τρέχουσα συλλογή δεν έχει πακέτα. Προσθέστε ορισμένα πακέτα για να ξεκινήσετε", + "New": "Νέο", + "Save as": "Αποθήκευση ως", + "Remove selection from bundle": "Απομάκρυνση επιλογής από τη συλλογή", + "Skip hash checks": "Αγνόηση ελέγχων hash", + "The package bundle is not valid": "Η συλλογή πακέτων δεν είναι έγκυρη", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Η συλλογή που προσπαθείτε να φορτώσετε φαίνεται να μην είναι έγκυρη. Ελέγξτε το αρχείο και δοκιμάστε ξανά.", + "Package bundle": "Συλλογή πακέτων", + "Could not create bundle": "Αδύνατη η δημιουργία της συλλογής", + "The package bundle could not be created due to an error.": "Η συλλογή πακέτων δεν μπορεί να δημιουργηθεί λόγω σφάλματος.", + "Bundle security report": "Αναφορά ασφαλείας συλλογής", + "Hooray! No updates were found.": "Συγχαρητήρια! Δε βρέθηκαν ενημερώσεις!", + "Everything is up to date": "Ολα είναι ενημερωμένα", + "Uninstall selected packages": "Απεγκατάσταση επιλεγμένων πακέτων", + "Update selection": "Ενημέρωση επιλεγμένων", + "Update options": "Επιλογές ενημέρωσης", + "Uninstall package, then update it": "Απεγκατάσταση πακέτου, μετά ενημέρωση αυτού", + "Uninstall package": "Απεγκατάσταση πακέτου", + "Skip this version": "Αγνόηση αυτής της έκδοσης", + "Pause updates for": "Παύση ενημερώσεων για", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Ο διαχειριστής πακέτων Rust.
Περιέχει: βιβλιοθήκες και προγράμματα Rust γραμμένα σε Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Ο κλασικός διαχειριστής πακέτων για windows. Θα βρείτε τα πάντα εκεί.
Περιέχει: Γενικό λογισμικό", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Ενα αποθετήριο γεμάτο εργαλεία και εκτελέσιμα αρχεία σχεδιασμένο με βάση το οικοσύστημα .NET της Microsoft.
Περιέχει: Εργαλεία και κώδικες σχετικά με το .NET", + "NuPkg (zipped manifest)": "NuPkg (συμπιεσμένο manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Διαχειριστής πακέτων του Node JS. Γεμάτος βιβλιοθήκες και άλλα βοηθητικά προγράμματα σε τροχιά γύρω από τον κόσμο της javascript
Περιέχει: Βιβλιοθήκες Node javascript και άλλα σχετικά βοηθητικά προγράμματα", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Διαχειριστής βιβλιοθηκών της Python. Γεμάτος με βιβλιοθήκες της python και άλλα βοηθητικά προγράμματα που σχετίζονται με την python
Περιέχει: Βιβλιοθήκες Python και σχετικά βοηθητικά προγράμματα", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Διαχειριστής πακέτων του PowerShell. Βρείτε βιβλιοθήκες και κώδικες για να επεκτείνετε τις δυνατότητες του PowerShell
Περιέχει: Ενότητες, Κώδικες, Σύνολα εντολών", + "extracted": "αποσυμπιεσμένο", + "Scoop package": "Πακέτο Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Εξαιρετικό αποθετήριο άγνωστων αλλά χρήσιμων βοηθητικών προγραμμάτων και άλλων ενδιαφερόντων πακέτων.
Περιέχει: Βοηθητικά προγράμματα, Προγράμματα γραμμής εντολών, Γενικό λογισμικό (απαιτείται επιπλέον πακέτο)", + "library": "βιβλιοθήκη", + "feature": "χαρακτηριστικό", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Ενας δημοφιλής διαχειριστής βιβλιοθήκης C/C++. Πλήρεις βιβλιοθήκες C/C++ και άλλα βοηθητικά προγράμματα που σχετίζονται με C/C++
Περιέχει: Βιβλιοθήκες C/C++ και σχετικά βοηθητικά προγράμματα", + "option": "επιλογή", + "This package cannot be installed from an elevated context.": "Αυτό το πακέτο δεν μπορεί να εγκατασταθεί από περιεχόμενο με αυξημένα δικαιώματα.", + "Please run UniGetUI as a regular user and try again.": "Εκτελέστε το UniGetUI ως κανονικός χρήστης και δοκιμάστε ξανά.", + "Please check the installation options for this package and try again": "Ελέγξτε τις επιλογές εγκατάστασης για αυτό το πακέτο και δοκιμάστε ξανά", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Επίσημος διαχειριστής πακέτων της Microsoft. Γεμάτο γνωστά και επαληθευμένα πακέτα
Περιέχει: Γενικό Λογισμικό, εφαρμογές Microsoft Store", + "Local PC": "Τοπικός υπολογιστής", + "Android Subsystem": "Υποσύστημα Android", + "Operation on queue (position {0})...": "Η εργασία είναι σε σειρά προτεραιότητας (θέση {0})...", + "Click here for more details": "Πατήστε εδώ για περισσότερες λεπτομέρειες", + "Operation canceled by user": "Η λειτουργία ακυρώθηκε από τον χρήστη", + "Starting operation...": "Εκκίνηση λειτουργίας...", + "{package} installer download": "Το πρόγραμμα εγκατάστασης {package} λαμβάνεται", + "{0} installer is being downloaded": "{0} πρόγραμμα εγκατάστασης λαμβάνεται", + "Download succeeded": "Η λήψη ολοκληρώθηκε επιτυχώς", + "{package} installer was downloaded successfully": "Το πρόγραμμα εγκατάστασης {package} ελήφθη επιτυχώς", + "Download failed": "Η λήψη δεν ολοκληρώθηκε", + "{package} installer could not be downloaded": "Το πρόγραμμα εγκατάστασης {package} δεν ελήφθει", + "{package} Installation": "Εγκατάσταση {package}", + "{0} is being installed": "Το {0} εγκαθίσταται", + "Installation succeeded": "Η εγκατάσταση ολοκληρώθηκε επιτυχώς", + "{package} was installed successfully": "Το {package} εγκαταστάθηκε με επιτυχία", + "Installation failed": "Η εγκατάσταση απέτυχε", + "{package} could not be installed": "Δεν ήταν δυνατή η εγκατάσταση του {package}", + "{package} Update": "Ενημέρωση {package}", + "{0} is being updated to version {1}": "Το {0} ενημερώνεται στην έκδοση {1}", + "Update succeeded": "Η ενημέρωση έγινε με επιτυχία", + "{package} was updated successfully": "Το {package} ενημερώθηκε με επιτυχία", + "Update failed": "Η ενημέρωση απέτυχε", + "{package} could not be updated": "Δεν ήταν δυνατή η ενημέρωση του {package}", + "{package} Uninstall": "Απεγκατάσταση {package}", + "{0} is being uninstalled": "Το {0} απεγκαθίσταται", + "Uninstall succeeded": "Η απεγκατάσταση έγινε με επιτυχία", + "{package} was uninstalled successfully": "Το {package} απεγκαταστάθηκε με επιτυχία", + "Uninstall failed": "Η απεγκατάσταση απέτυχε", + "{package} could not be uninstalled": "Δεν ήταν δυνατή η απεγκατάσταση του {package}", + "Adding source {source}": "Προσθήκη προέλευσης {source}", + "Adding source {source} to {manager}": "Προσθήκη προέλευσης {source} στο {manager}", + "Source added successfully": "Η προέλευση προστέθηκε επιτυχώς", + "The source {source} was added to {manager} successfully": "Η προέλευση {source} προστέθηκε στο {manager} με επιτυχία", + "Could not add source": "Δεν ήταν δυνατή η προσθήκη προέλευσης", + "Could not add source {source} to {manager}": "Αδύνατη η προσθήκη προέλευσης {source} στο {manager}", + "Removing source {source}": "Απομάκρυνση προέλευσης {source}", + "Removing source {source} from {manager}": "Απομάκρυνση της πηγής {source} από το {manager}", + "Source removed successfully": "Η απομάκρυνση της προέλευσης ολοκληρώθηκε επιτυχώς", + "The source {source} was removed from {manager} successfully": "Η προέλευση {source} αφαιρέθηκε από το {manager} με επιτυχία", + "Could not remove source": "Αδύνατη η απομάκρυνση προέλευσης", + "Could not remove source {source} from {manager}": "Αδύνατη η απομάκρυνση της προέλευσης {source} από το {manager}", + "The package manager \"{0}\" was not found": "Ο διαχειριστής πακέτων «{0}» δεν βρέθηκε", + "The package manager \"{0}\" is disabled": "Ο διαχειριστής πακέτων «{0}» είναι απενεργοποιημένος", + "There is an error with the configuration of the package manager \"{0}\"": "Υπάρχει ένα σφάλμα με τις ρυθμίσεις του διαχειριστή πακέτων «{0}»", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Το πακέτο «{0}» δεν βρέθηκε στον διαχειριστή πακέτων «{1}»", + "{0} is disabled": "Το {0} είναι απενεργοποιημένο", + "Something went wrong": "Κάτι πήγε στραβά", + "An interal error occurred. Please view the log for further details.": "Παρουσιάστηκε εσωτερικό σφάλμα. Δείτε το αρχείο καταγραφής για περισσότερες λεπτομέρειες.", + "No applicable installer was found for the package {0}": "Δεν βρέθηκε κατάλληλο πρόγραμμα εγκατάστασης για το πακέτο {0}", + "We are checking for updates.": "Ελέγχουμε για αναβαθμίσεις.", + "Please wait": "Παρακαλώ περιμένετε", + "UniGetUI version {0} is being downloaded.": "Η έκδοση {0} του UniGetUI λαμβάνεται.", + "This may take a minute or two": "Αυτό μπορεί να πάρει ένα ή δύο λεπτά", + "The installer authenticity could not be verified.": "Η αυθεντικότητα του προγράμματος εγκατάστασης δεν επιβεβαιώνεται.", + "The update process has been aborted.": "Η διαδικασία ενημέρωση έχει ακυρωθεί.", + "Great! You are on the latest version.": "Τέλεια! Έχετε την πιο πρόσφατη έκδοση.", + "There are no new UniGetUI versions to be installed": "Δεν υπάρχουν νέες εκδόσεις UniGetUI για εγκατάσταση", + "An error occurred when checking for updates: ": "Παρουσιάστηκε σφάλμα κατά τον έλεγχο για ενημερώσεις:", + "UniGetUI is being updated...": "Το UniGetUI έχει ενημερωθεί...", + "Something went wrong while launching the updater.": "Κάτι πήγε στραβά κατά το άνοιγμα του προγράμματος ενημέρωσης.", + "Please try again later": "Δοκιμάστε ξανά αργότερα", + "Integrity checks will not be performed during this operation": "Οι έλεγχοι ακεραιότητας δε θα πραγματοποιηθούν σε αυτή τη λειτουργία", + "This is not recommended.": "Αυτό δεν προτείνεται.", + "Run now": "Εκτέλεση τώρα", + "Run next": "Εκτέλεσης επόμενης", + "Run last": "Εκτέλεση τελευταίας", + "Retry as administrator": "Επανάληψη ως διαχειριστής", + "Retry interactively": "Διαδραστική επανάληψη", + "Retry skipping integrity checks": "Επανάληψη αγνοώντας ελέγχους ακεραιότητας", + "Installation options": "Επιλογές εγκατάστασης", + "Show in explorer": "Εμφάνιση στον εξερευνητή", + "This package is already installed": "Αυτό το πακέτο είναι ήδη εγκατεστημένο", + "This package can be upgraded to version {0}": "Αυτό το πακέτο μπορεί να αναβαθμιστεί στην έκδοση {0}", + "Updates for this package are ignored": "Οι ενημερώσεις γι' αυτό το πακέτο αγνοούνται", + "This package is being processed": "Αυτό το πακέτο είναι υπο επεξεργασία", + "This package is not available": "Αυτό το πακέτο δεν είναι διαθέσιμο", + "Select the source you want to add:": "Επιλογή προέλευσης που θέλετε να προσθέσετε:", + "Source name:": "Όνομα προέλευσης:", + "Source URL:": "Διεύθυνση URL προέλευσης:", + "An error occurred": "Παρουσιάστηκε σφάλμα", + "An error occurred when adding the source: ": "Παρουσιάστηκε ένα σφάλμα κατά την προσθήκη της προέλευσης:", + "Package management made easy": "Η διαχείριση πακέτων έγινε εύκολη", + "version {0}": "έκδοση {0}", + "[RAN AS ADMINISTRATOR]": "ΕΚΤΕΛΕΣΗ ΩΣ ΔΙΑΧΕΙΡΙΣΤΗΣ", + "Portable mode": "Λειτουργία Portable (φορητή)", + "DEBUG BUILD": "ΔΟΜΗ ΑΠΟΣΦΑΛΜΑΤΩΣΗΣ", + "Available Updates": "Διαθέσιμες Ενημερώσεις", + "Show WingetUI": "Εμφάνιση του UniGetUI", + "Quit": "Έξοδος", + "Attention required": "Απαιτείται προσοχή", + "Restart required": "Απαιτείται επανεκκίνηση", + "1 update is available": "1 ενημέρωση είναι διαθέσιμη", + "{0} updates are available": "{0} ενημερώσεις είναι διαθέσιμες", + "WingetUI Homepage": "Αρχική σελίδα UniGetUI", + "WingetUI Repository": "Αποθετήριο UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Εδώ μπορείτε να αλλάξετε τη συμπεριφορά του UniGetUI αναφορικά με τις ακόλουθες συντομεύσεις. Ο έλεγχος μιας συντόμευσης θα κάνει το UniGetUI να τη διαγράψει αν δημιουργηθεί σε μελλοντική αναβάθμιση. Ο μή έλεγχός της θα διατηρήσεις τη συντόμευση ανέπαφη", + "Manual scan": "Χειροκίνητη σάρωση", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Οι υπάρχουσες συντομεύσεις στην επιφάνεια εργασίας σας θα σαρωθούν και θα πρέπει να επιλέξετε ποιες θα διατηρήσετε και ποιες θα απομακρύνετε.", + "Continue": "Συνέχεια", + "Delete?": "Διαγραφή;", + "Missing dependency": "Απολεσθείσα εξάρτηση", + "Not right now": "Οχι ακριβώς τώρα", + "Install {0}": "Εγκατάσταση {0} ", + "UniGetUI requires {0} to operate, but it was not found on your system.": "Το UniGetUI απαιτεί {0} για να λειτουργήσει αλλά δεν βρέθηκε στο σύστημά σας.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Πατήστε στο κουμπί Εγκατάσταση για έναρξη της διαδικασίας εγκατάστασης. Αν παραλείψετε την εγκατάσταση, το UniGetUI ίσως δεν λειτουργεί όπως αναμένεται.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Εναλλακτικά, μπορείτε να εγκαταστήσετε το {0} εκτελόντας την ακόλουθη εντολή στο Windows PowerShell:", + "Do not show this dialog again for {0}": "Μην εμφανίσετε ξανά αυτό το παράθυρο για το {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Περιμένετε όσο γίνεται εγκατάσταση του {0}. Μπορεί να εμφανιστεί ένα μαύρο παράθυρο. Περιμένετε μέχρι να κλείσει.", + "{0} has been installed successfully.": "Το {0} εγκαταστάθηκε με επιτυχία", + "Please click on \"Continue\" to continue": "Πατήστε στο «Συνέχεια» για να συνεχίσετε", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "Το {0} εγκαταστάθηκε με επιτυχία. Συνιστάται η επανεκκίνηση του UniGetUI για την ολοκλήρωση της εγκατάστασης", + "Restart later": "Επανεκκίνηση αργότερα", + "An error occurred:": "Παρουσιάστηκε σφάλμα:", + "I understand": "Το κατάλαβα", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Το UniGetUI έχει εκτελεστεί με δικαιώματα διαχειριστή, κάτι που δεν συνιστάται. Οταν εκτελείτε το UniGetUI ως διαχειριστής, ΚΑΘΕ λειτουργία που ξεκινά από το UniGetUI θα έχει δικαιώματα διαχειριστή. Μπορείτε ακόμα να χρησιμοποιήσετε το πρόγραμμα, αλλά συνιστούμε ανεπιφύλακτα να μην εκτελείτε το WingetUI με δικαιώματα διαχειριστή.", + "WinGet was repaired successfully": "Το WinGet επισκευάστηκε επιτυχώς", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Προτείνεται η επανεκκίνηση του UniGetUI μετά την επισκευή του WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ΣΗΜΕΙΩΣΗ: Το πρόγραμμα αντιμετώπισης προβλημάτων μπορεί να απενεργοποιηθεί από τις ρυθμίσεις του UniGetUI, στον τομέα WinGet", + "Restart": "Επανεκκίνηση", + "WinGet could not be repaired": "Το WinGet δεν μπορεί να επισκευαστεί", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Παρουσιάστηκε μη αναμενόμενο θέμα κατά την προσπάθεια επιδιόρθωσης του WinGet. Δοκιμάστε ξανά αργότερα", + "Are you sure you want to delete all shortcuts?": "Θέλετε να διαγράψετε όλες τις συντομεύσεις;", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Οποιαδήποτε νέα συντόμευση που δημιουργήθηκε σε εγκατάσταση ή ενημέρωση θα διαγραφεί αυτόματα αντί της εμφάνισης επιβεβαίωσης την πρώτη φορά που θα ανιχνευτούν.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Οποιεσδήποτε συντομεύσεις που δημιουργήθηκαν ή τροποποιήθηκαν εκτός του UniGetUI θα αγνοηθούν. Θα μπορέσετε να τις προσθέσετε μέσω του κουμπιού {0}.", + "Are you really sure you want to enable this feature?": "Θέλετε πραγματικά να ενεργοποιήσετε αυτό το χαρακτηριστικό;", + "No new shortcuts were found during the scan.": "Δεν βρέθηκαν νέες συντομεύσεις κατά τη σάρωση.", + "How to add packages to a bundle": "Πώς να προσθέσετε πακέτα σε συλλογή", + "In order to add packages to a bundle, you will need to: ": "Για την προσθήκη πακέτων σε συλλογή, θα χρειαστείτε:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Πλοηγειθείτε στη σελίδα «{0}» ή στη «{1}».", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Εντοπίστε το(α) πακέτο(α) που θέλετε να προσθέσετε στη συλλογή και επιλογή του(ων) με το αριστερό πλαίσιο ελέγχου", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Όταν τα πακέτα που θέλετε να προσθέσετε στη συλλογή επιλέγονται, βρείτε και πατήστε την επιλογή «{0}» στη γραμμή εργαλείων.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Τα πακέτα σας θα έχουν προστεθεί στη συλλογή. Μπορείτε να συνεχίσετε να προσθέτετε πακέτα ή να εξάγετε τη συλλογή.", + "Which backup do you want to open?": "Ποιο αντίγραφο ασφαλείας θέλετε να ανοίξετε;", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Επιλέξτε το αντίγραφο ασφαλείας που θέλετε να ανοίξετε. Αργότερα, θα μπορείτε να ελέγξετε ποια πακέτα θέλετε να εγκαταστήσετε.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Υπάρχουν εργασίες σε εξέλιξη. Η διακοπή του UniGetUI μπορεί να προκαλέσει την αποτυχία τους. Θέλετε να συνεχίσετε;", + "UniGetUI or some of its components are missing or corrupt.": "Το UniGetUI ή ορισμένα από τα στοιχεία του λείπουν ή είναι κατεστραμμένα.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Συνιστάται ανεπιφύλακτα να επανεγκαταστήσετε το UniGetUI για να αντιμετωπίσετε το πρόβλημα.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Ανατρέξτε στα αρχεία καταγραφής UniGetUI για να λάβετε περισσότερες λεπτομέρειες σχετικά με τα αρχεία που επηρεάζονται.", + "Integrity checks can be disabled from the Experimental Settings": "Οι έλεγχοι ακεραιότητας μπορούν να απενεργοποιηθούν από τις πειραματικές ρυθμίσεις", + "Repair UniGetUI": "Επισκευή του UniGetUI", + "Live output": "Κώδικας σε πραγματικό χρόνο", + "Package not found": "Το πακέτο δε βρέθηκε", + "An error occurred when attempting to show the package with Id {0}": "Παρουσιάστηκε σφάλμα κατά την προσπάθεια προβολής του πακέτου με την ταυτότητα {0}", + "Package": "Πακέτο", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Αυτή η συλλογή είχε ορισμένες ρυθμίσεις που είναι δυνητικά επικίνδυνες και ενδέχεται να αγνοηθεί από προεπιλογή.", + "Entries that show in YELLOW will be IGNORED.": "Οι καταχωρήσεις που εμφανίζονται με ΚΙΤΡΙΝΟ θα ΑΓΝΟΗΘΟΥΝ.", + "Entries that show in RED will be IMPORTED.": "Οι καταχωρήσεις που εμφανίζονται με ΚΟΚΚΙΝΟ θα ΕΙΣΑΓΟΝΤΑΙ.", + "You can change this behavior on UniGetUI security settings.": "Μπορείτε να αλλάξετε αυτήν τη συμπεριφορά στις ρυθμίσεις ασφαλείας του UniGetUI.", + "Open UniGetUI security settings": "Ανοιγμα ρυθμίσεων ασφαλείας UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Σε περίπτωση που τροποποιήσετε τις ρυθμίσεις ασφαλείας, θα χρειαστεί να ανοίξετε ξανά τη συλλογή για να ισχύσουν οι αλλαγές.", + "Details of the report:": "Λεπτομέρειες της αναφοράς:", "\"{0}\" is a local package and can't be shared": "Το «{0}» είναι ένα τοπικό πακέτο και δεν μπορεί να κοινοποιηθεί", + "Are you sure you want to create a new package bundle? ": "Θέλετε να δημιουργήσετε νέα συλλογή πακέτων;", + "Any unsaved changes will be lost": "Όλες οι μη αποθηκευμένες αλλαγές θα χαθούν", + "Warning!": "Προειδοποίηση!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Για λόγους ασφαλείας, τα προσαρμοσμένα ορίσματα γραμμής εντολών είναι απενεργοποιημένα από προεπιλογή. Μεταβείτε στις ρυθμίσεις ασφαλείας του UniGetUI για να το αλλάξετε αυτό.", + "Change default options": "Αλλαγή προεπιλεγμένων επιλογών", + "Ignore future updates for this package": "Αγνόηση μελλοντικών ενημερώσεων για αυτό το πακέτο", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Για λόγους ασφαλείας, τα scripts πριν και μετά τη λειτουργία είναι απενεργοποιημένα από προεπιλογή. Μεταβείτε στις ρυθμίσεις ασφαλείας του UniGetUI για να το αλλάξετε αυτό.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Μπορείτε να ορίσετε τις εντολές που θα εκτελούνται πριν ή μετά την εγκατάσταση, την ενημέρωση ή την απεγκατάσταση αυτού του πακέτου. Θα εκτελούνται σε μια γραμμή εντολών, επομένως τα CMD scripts θα λειτουργούν εδώ.", + "Change this and unlock": "Αλλαγή αυτού και ξεκλείδωμα", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Οι επιλογές εγκατάστασης είναι αυτήν τη στιγμή κλειδωμένες επειδή το {0} ακολουθεί τις προεπιλεγμένες επιλογές εγκατάστασης.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Επιλέξτε τις διεργασίες που θα πρέπει να κλείσουν πριν από την εγκατάσταση, την ενημέρωση ή την απεγκατάσταση αυτού του πακέτου.", + "Write here the process names here, separated by commas (,)": "Γράψτε εδώ τα ονόματα των διεργασιών, διαχωρισμένα με κόμματα (,)", + "Unset or unknown": "Μη ορισμένο ή άγνωστο", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Δείτε τον Κώδικα της Γραμμής Εντολών ή ανατρέξτε στο Ιστορικό Εργασιών για περισσότερες πληροφορίες σχετικά με το ζήτημα.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Αυτό το πακέτο δεν έχει στιγμιότυπα οθόνης ή λείπει το εικονίδιο; Συνεισφέρετε στο UniGetUI προσθέτοντας τα εικονίδια και τα στιγμιότυπα οθόνης που λείπουν στην ανοιχτή, δημόσια βάση δεδομένων μας.", + "Become a contributor": "Γίνετε συνεισφέρων", + "Save": "Αποθήκευση", + "Update to {0} available": "Υπάρχει διαθέσιμη ενημέρωση για το {0}", + "Reinstall": "Επανεγκατάσταση", + "Installer not available": "Το πρόγραμμα εγκατάστασης δεν είναι διαθέσιμο", + "Version:": "Εκδοση:", + "Performing backup, please wait...": "Δημιουργία αντιγράφου ασφαλείας, παρακαλώ περιμένετε...", + "An error occurred while logging in: ": "Παρουσιάστηκε σφάλμα κατά τη σύνδεση:", + "Fetching available backups...": "Ανάκτηση διαθέσιμων αντιγράφων ασφαλείας...", + "Done!": "Εγινε!", + "The cloud backup has been loaded successfully.": "Το αντίγραφο ασφαλείας από το cloud φορτώθηκε με επιτυχία.", + "An error occurred while loading a backup: ": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση ενός αντιγράφου ασφαλείας:", + "Backing up packages to GitHub Gist...": "Δημιουργία αντιγράφων ασφαλείας πακέτων στο GitHub Gist...", + "Backup Successful": "Η δημιουργία αντιγράφων ασφαλείας ολοκληρώθηκε με επιτυχία", + "The cloud backup completed successfully.": "Η δημιουργία αντιγράφων ασφαλείας στο cloud ολοκληρώθηκε με επιτυχία.", + "Could not back up packages to GitHub Gist: ": "Δεν ήταν δυνατή η δημιουργία αντιγράφων ασφαλείας πακέτων στο GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Δεν υπάρχει εγγύηση ότι τα παρεχόμενα διαπιστευτήρια θα αποθηκευτούν ασφαλώς, έτσι μπορείτε να μην χρησιμοποιήσετε τα διαπιστευτήρια του τραπεζικού σας λογαριασμού", + "Enable the automatic WinGet troubleshooter": "Ενεργοποίηση του προγράμματος αυτόματης αντιμετώπισης προβλημάτων του WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Ενεργοποίηση ενός [εμπειρικού] βελτιωμένου προγράμματος αντιμετώπισης προβλημάτων του UniGetUI", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Προσθήκη ενημερώσεων που απέτυχαν με την ετικέτα «δε βρέθηκε καμιά ενημέρωση εφαρμογής» στη λίστα αγνόησης ενημερώσεων", + "Restart WingetUI to fully apply changes": "Επανεκκίνηση του UniGetUI για πλήρη εφαρμογή των αλλαγών", + "Restart WingetUI": "Επανεκκίνηση του UniGetUI", + "Invalid selection": "Μη έγκυρη επιλογή", + "No package was selected": "Δεν επιλέχθηκε κανένα πακέτο", + "More than 1 package was selected": "Επιλέχθηκαν περισσότερα από 1 πακέτα", + "List": "Λίστα", + "Grid": "Πλέγμα", + "Icons": "Εικονίδια", "\"{0}\" is a local package and does not have available details": "Το «{0}» είναι ένα τοπικό πακέτο και δεν έχει διαθέσιμες λεπτομέρειες", "\"{0}\" is a local package and is not compatible with this feature": "Το «{0}» είναι ένα τοπικό πακέτο και δεν είναι συμβατό με αυτό το χαρακτηριστικό", - "(Last checked: {0})": "(Τελευταίος έλεγχος: {0})", + "WinGet malfunction detected": "Ανιχνεύτηκε δυσλειτουργία του WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Φαίνεται ότι το WinGet δεν λειτουργεί σωστά. Θέλετε να δοκιμάσετε να επιδιορθώσετε το WinGet;", + "Repair WinGet": "Επισκευή του WinGet", + "Create .ps1 script": "Δημιουργία .ps1 script", + "Add packages to bundle": "Προσθήκη πακέτων στη συλλογή", + "Preparing packages, please wait...": "Προετοιμασία πακέτων, παρακαλώ περιμένετε...", + "Loading packages, please wait...": "Φόρτωση πακέτων, παρακαλώ περιμένετε...", + "Saving packages, please wait...": "Αποθήκευση πακέτων, παρακαλώ περιμένετε...", + "The bundle was created successfully on {0}": "Η συλλογή δημιουργήθηκε με επιτυχία στις {0}", + "Install script": "Εγκατάσταση script", + "The installation script saved to {0}": "Το script εγκατάστασης αποθηκεύτηκε στο {0}", + "An error occurred while attempting to create an installation script:": "Παρουσιάστηκε σφάλμα κατά την προσπάθεια δημιουργίας ενός script εγκατάστασης:", + "{0} packages are being updated": "{0} πακέτα ενημερώνονται", + "Error": "Σφάλμα", + "Log in failed: ": "Η σύνδεση απέτυχε:", + "Log out failed: ": "Η αποσύνδεση απέτυχε:", + "Package backup settings": "Ρυθμίσεις αντιγράφου ασφαλείας πακέτου", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Αριθμός {0} στην ουρά)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@antwnhsx, @wobblerrrgg, @thunderstrike116, @seijind, @panos78", "0 packages found": "Βρέθηκαν 0 πακέτα", "0 updates found": "Βρέθηκαν 0 ενημερώσεις", - "1 - Errors": "1 - Σφάλματα", - "1 day": "1 ημέρα", - "1 hour": "1 ώρα", "1 month": "1 μήνας", "1 package was found": "Βρέθηκε 1 πακέτο", - "1 update is available": "1 ενημέρωση είναι διαθέσιμη", - "1 week": "1 εβδομάδα", "1 year": "1 έτος", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Πλοηγειθείτε στη σελίδα «{0}» ή στη «{1}».", - "2 - Warnings": "2 - Προειδοποιήσεις", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Εντοπίστε το(α) πακέτο(α) που θέλετε να προσθέσετε στη συλλογή και επιλογή του(ων) με το αριστερό πλαίσιο ελέγχου", - "3 - Information (less)": "3 - Πληροφορίες (λιγότερες)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Όταν τα πακέτα που θέλετε να προσθέσετε στη συλλογή επιλέγονται, βρείτε και πατήστε την επιλογή «{0}» στη γραμμή εργαλείων.", - "4 - Information (more)": "4 - Πληροφορίες (περισσότερες)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Τα πακέτα σας θα έχουν προστεθεί στη συλλογή. Μπορείτε να συνεχίσετε να προσθέτετε πακέτα ή να εξάγετε τη συλλογή.", - "5 - information (debug)": "5 - πληροφορίες (εντοπισμός σφαλμάτων)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Ενας δημοφιλής διαχειριστής βιβλιοθήκης C/C++. Πλήρεις βιβλιοθήκες C/C++ και άλλα βοηθητικά προγράμματα που σχετίζονται με C/C++
Περιέχει: Βιβλιοθήκες C/C++ και σχετικά βοηθητικά προγράμματα", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Ενα αποθετήριο γεμάτο εργαλεία και εκτελέσιμα αρχεία σχεδιασμένο με βάση το οικοσύστημα .NET της Microsoft.
Περιέχει: Εργαλεία και κώδικες σχετικά με το .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Ενα αποθετήριο γεμάτο εργαλεία σχεδιασμένο με βάση το οικοσύστημα .NET της Microsoft.
Περιέχει: Εργαλεία σχετικά με το .NET", "A restart is required": "Απαιτείται επανεκκίνηση", - "Abort install if pre-install command fails": "Διακοπή εγκατάστασης εάν η εντολή πριν την εγκατάσταση αποτύχει", - "Abort uninstall if pre-uninstall command fails": "Διακοπή απεγκατάστασης εάν η εντολή πριν την απεγκατάσταση αποτύχει", - "Abort update if pre-update command fails": "Διακοπή εγκατάστασης εάν η εντολή πριν την ενημέρωση αποτύχει", - "About": "Σχετικά", "About Qt6": "Σχετικά με το Qt6", - "About WingetUI": "Σχετικά με το UniGetUI", "About WingetUI version {0}": "Σχετικά με την έκδοση {0} του UniGetUI", "About the dev": "Σχετικά με τον δημιουργό", - "Accept": "Αποδοχή", "Action when double-clicking packages, hide successful installations": "Ενέργεια διπλού πατήματος σε πακέτα, απόκρυψη επιτυχών εγκαταστάσεων", - "Add": "Προσθήκη", "Add a source to {0}": "Προσθήκη μιας προέλευσης στο {0}", - "Add a timestamp to the backup file names": "Προσθήκη χρονοσφραγίδας στα ονόματα των αρχείων αντιγράφων ασφαλείας", "Add a timestamp to the backup files": "Προσθήκη χρονοσφραγίδας στα αρχεία αντιγράφων ασφαλείας", "Add packages or open an existing bundle": "Προσθήκη πακέτων ή άνοιγμα υπάρχουσας συλλογής", - "Add packages or open an existing package bundle": "Προσθήκη πακέτων ή άνοιγμα υπάρχουσας συλλογής πακέτων", - "Add packages to bundle": "Προσθήκη πακέτων στη συλλογή", - "Add packages to start": "Προσθήκη πακέτων για εκκίνηση", - "Add selection to bundle": "Προσθήκη επιλογής στη συλλογή", - "Add source": "Προσθήκη προέλευσης", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Προσθήκη ενημερώσεων που απέτυχαν με την ετικέτα «δε βρέθηκε καμιά ενημέρωση εφαρμογής» στη λίστα αγνόησης ενημερώσεων", - "Adding source {source}": "Προσθήκη προέλευσης {source}", - "Adding source {source} to {manager}": "Προσθήκη προέλευσης {source} στο {manager}", "Addition succeeded": "Η προσθήκη πραγματοποιήθηκε", - "Administrator privileges": "Προνόμια διαχειριστή", "Administrator privileges preferences": "Προτιμήσεις προνομίων διαχειριστή", "Administrator rights": "Δικαιώματα διαχειριστή", - "Administrator rights and other dangerous settings": "Δικαιώματα διαχειριστή και άλλες επικίνδυνες ρυθμίσεις", - "Advanced options": "Επιλογές για προχωρημένους", "All files": "Ολα τα αρχεία", - "All versions": "Ολες οι εκδόσεις", - "Allow changing the paths for package manager executables": "Να επιτρέπεται αλλαγή των διαδρομών για τα εκτελέσιμα αρχεία του διαχειριστή πακέτων", - "Allow custom command-line arguments": "Να επιτρέπονται προσαρμοσμένα ορίσματα γραμμής εντολών", - "Allow importing custom command-line arguments when importing packages from a bundle": "Να επιτρέπεται η εισαγωγή προσαρμοσμένων ορισμάτων γραμμής εντολών κατά την εισαγωγή πακέτων από μια συλλογή", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Επιτρέψτε την εισαγωγή προσαρμοσμένων εντολών πριν και μετά την εγκατάσταση κατά την εισαγωγή πακέτων από μια συλλογή", "Allow package operations to be performed in parallel": "Δυνατότητα παράλληλης εκτέλεσης λειτουργιών πακέτου", "Allow parallel installs (NOT RECOMMENDED)": "Δυνατότητα παράλληλων εγκαταστάσεων (ΔΕΝ ΣΥΝΙΣΤΑΤΑΙ)", - "Allow pre-release versions": "Να επιτρέπονται pre-release εκδόσεις ", "Allow {pm} operations to be performed in parallel": "Δυνατότητα παράλληλης εκτέλεσης εργασιών {pm}", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Εναλλακτικά, μπορείτε να εγκαταστήσετε το {0} εκτελόντας την ακόλουθη εντολή στο Windows PowerShell:", "Always elevate {pm} installations by default": "Να γίνεται πάντα αύξηση δικαιωμάτων εγκαταστάσεων {pm} από προεπιλογή", "Always run {pm} operations with administrator rights": "Πάντα εκτέλεση εργασιών {pm} με δικαιώματα διαχειριστή", - "An error occurred": "Παρουσιάστηκε σφάλμα", - "An error occurred when adding the source: ": "Παρουσιάστηκε ένα σφάλμα κατά την προσθήκη της προέλευσης:", - "An error occurred when attempting to show the package with Id {0}": "Παρουσιάστηκε σφάλμα κατά την προσπάθεια προβολής του πακέτου με την ταυτότητα {0}", - "An error occurred when checking for updates: ": "Παρουσιάστηκε σφάλμα κατά τον έλεγχο για ενημερώσεις:", - "An error occurred while attempting to create an installation script:": "Παρουσιάστηκε σφάλμα κατά την προσπάθεια δημιουργίας ενός script εγκατάστασης:", - "An error occurred while loading a backup: ": "Παρουσιάστηκε σφάλμα κατά τη φόρτωση ενός αντιγράφου ασφαλείας:", - "An error occurred while logging in: ": "Παρουσιάστηκε σφάλμα κατά τη σύνδεση:", - "An error occurred while processing this package": "Παρουσιάστηκε σφάλμα κατά την επεξεργασία αυτού του πακέτου", - "An error occurred:": "Παρουσιάστηκε σφάλμα:", - "An interal error occurred. Please view the log for further details.": "Παρουσιάστηκε εσωτερικό σφάλμα. Δείτε το αρχείο καταγραφής για περισσότερες λεπτομέρειες.", "An unexpected error occurred:": "Παρουσιάστηκε μη αναμενόμενο σφάλμα: ", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Παρουσιάστηκε μη αναμενόμενο θέμα κατά την προσπάθεια επιδιόρθωσης του WinGet. Δοκιμάστε ξανά αργότερα", - "An update was found!": "Βρέθηκε ενημέρωση!", - "Android Subsystem": "Υποσύστημα Android", "Another source": "Αλλη προέλευση", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Οποιαδήποτε νέα συντόμευση που δημιουργήθηκε σε εγκατάσταση ή ενημέρωση θα διαγραφεί αυτόματα αντί της εμφάνισης επιβεβαίωσης την πρώτη φορά που θα ανιχνευτούν.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Οποιεσδήποτε συντομεύσεις που δημιουργήθηκαν ή τροποποιήθηκαν εκτός του UniGetUI θα αγνοηθούν. Θα μπορέσετε να τις προσθέσετε μέσω του κουμπιού {0}.", - "Any unsaved changes will be lost": "Όλες οι μη αποθηκευμένες αλλαγές θα χαθούν", "App Name": "Ονομα Εφαρμογής", - "Appearance": "Εμφάνιση", - "Application theme, startup page, package icons, clear successful installs automatically": "Θέμα εφαρμογής, σελίδα εκκίνησης, εικονίδια πακέτου, εκκαθάριση επιτυχών εγκαταστάσεων αυτόματα", - "Application theme:": "Θέμα εφαρμογής:", - "Apply": "Εφαρμογή", - "Architecture to install:": "Αρχιτεκτονική για εγκατάσταση:", "Are these screenshots wron or blurry?": "Τα στιγμιότυπα οθόνης είναι εσφαλμένα ή θολά;", - "Are you really sure you want to enable this feature?": "Θέλετε πραγματικά να ενεργοποιήσετε αυτό το χαρακτηριστικό;", - "Are you sure you want to create a new package bundle? ": "Θέλετε να δημιουργήσετε νέα συλλογή πακέτων;", - "Are you sure you want to delete all shortcuts?": "Θέλετε να διαγράψετε όλες τις συντομεύσεις;", - "Are you sure?": "Σίγουρα;", - "Ascendant": "Πρωτεύων", - "Ask for administrator privileges once for each batch of operations": "Ερώτημα για δικαιώματα διαχειριστή μία φορά για κάθε δέσμη εργασιών", "Ask for administrator rights when required": "Ερώτημα για δικαιώματα διαχειριστή όταν απαιτούνται", "Ask once or always for administrator rights, elevate installations by default": "Ερώτηση μια φορά ή πάντα για δικαιώματα διαχειριστή, αύξηση δικαιωμάτων των εγκαταστάσεων από προεπιλογή", - "Ask only once for administrator privileges": "Ερώτηση μόνο μια φορά για δικαιώματα διαχειριστή", "Ask only once for administrator privileges (not recommended)": "Ερώτηση μόνο μια φορά για δικαιώματα διαχειριστή (δεν συνιστάται)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Ερώτηση πριν τη διαγραφή των συντομεύσεων επιφάνειας εργασίας που δημιουργήθηκαν κατά την εγκατάσταση ή την αναβάθμιση.", - "Attention required": "Απαιτείται προσοχή", "Authenticate to the proxy with an user and a password": "Πιστοποίηση στο διακομιστή με όνομα χρήστη και κωδικό πρόσβασης", - "Author": "Εκδότης", - "Automatic desktop shortcut remover": "Αυτόματο πρόγραμμα απομάκρυνσης συντόμευσης επιφάνειας εργασίας", - "Automatic updates": "Αυτόματες ενημερώσεις", - "Automatically save a list of all your installed packages to easily restore them.": "Αυτόματη αποθήκευση λίστας με όλα τα εγκατεστημένα πακέτα σας για εύκολη επαναφορά τους.", "Automatically save a list of your installed packages on your computer.": "Αυτόματη αποθήκευση λίστας με τα εγκατεστημένα πακέτα στον υπολογιστή σας.", - "Automatically update this package": "Αυτόματη ενημέρωση αυτού του πακέτου", "Autostart WingetUI in the notifications area": "Αυτόματη εκκίνηση του UniGetUI στην περιοχή ειδοποιήσεων", - "Available Updates": "Διαθέσιμες Ενημερώσεις", "Available updates: {0}": "Διαθέσιμες ενημερώσεις: {0}", "Available updates: {0}, not finished yet...": "Διαθέσιμες ενημερώσεις: {0}, δεν έχουν ολοκληρωθεί ακόμα...", - "Backing up packages to GitHub Gist...": "Δημιουργία αντιγράφων ασφαλείας πακέτων στο GitHub Gist...", - "Backup": "Aντίγραφο ασφαλείας", - "Backup Failed": "Η δημιουργία αντιγράφων ασφαλείας απέτυχε", - "Backup Successful": "Η δημιουργία αντιγράφων ασφαλείας ολοκληρώθηκε με επιτυχία", - "Backup and Restore": "Αντίγραφα ασφαλείας και επαναφορά", "Backup installed packages": "Δημιουργία αντιγράφου ασφαλείας εγκατεστημένων πακέτων ", "Backup location": "Θέση αντιγράφου ασφαλείας", - "Become a contributor": "Γίνετε συνεισφέρων", - "Become a translator": "Γίνετε μεταφραστής", - "Begin the process to select a cloud backup and review which packages to restore": "Ξεκινήστε τη διαδικασία επιλογής ενός αντιγράφου ασφαλείας στο cloud και ελέγξτε ποια πακέτα θα επαναφέρετε", - "Beta features and other options that shouldn't be touched": "Δοκιμαστικές λειτουργίες και άλλες ρυθμίσεις που δε θα έπρεπε να αγγιχτούν", - "Both": "Και τα δύο", - "Bundle security report": "Αναφορά ασφαλείας συλλογής", "But here are other things you can do to learn about WingetUI even more:": "Ομως εδώ είναι άλλα πράγματα που μπορείτε να κάνετε για να μάθετε περισσότερα για το UnigetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Με την απενεργοποίηση ενός διαχειριστή πακέτων, δε θα μπορείτε πλέον να βλέπετε ή να ενημερώνετε τα πακέτα του.", "Cache administrator rights and elevate installers by default": "Αποθήκευση δικαιωμάτων διαχειριστή στη μνήμη cache και αύξηση δικαιωμάτων των προγραμμάτων εγκατάστασης από προεπιλογή", "Cache administrator rights, but elevate installers only when required": "Αποθήκευση δικαιωμάτων διαχειριστή στη μνήμη cache, αλλά αύξηση δικαιωμάτων των προγραμμάτων εγκατάστασης μόνο όταν απαιτείται", "Cache was reset successfully!": "Η επαναφορά της μνήμης cache έγινε με επιτυχία!", "Can't {0} {1}": "Αδύνατη η {0} του {1}", - "Cancel": "Άκυρο", "Cancel all operations": "Ακύρωση όλων των λειτουργιών", - "Change backup output directory": "Αλλαγή φακέλου εξαγωγής αντιγράφου ασφαλείας", - "Change default options": "Αλλαγή προεπιλεγμένων επιλογών", - "Change how UniGetUI checks and installs available updates for your packages": "Αλλαγή του τρόπου με τον οποίο το UniGetUI ελέγχει και εγκαθιστά τις διαθέσιμες ενημερώσεις για τα πακέτα σας", - "Change how UniGetUI handles install, update and uninstall operations.": "Αλλαγή του χειρισμού της εγκατάστασης, της ενημέρωσης και της απεγκατάστασης από το UniGetUI.", "Change how UniGetUI installs packages, and checks and installs available updates": "Αλλαγή του τρόπου με τον οποίο το UniGetUI εγκαθιστά πακέτα και ελέγχει τις διαθέσιμες ενημερώσεις", - "Change how operations request administrator rights": "Αλλαγή του τρόπου αίτησης για δικαιώματα διαχειριστή", "Change install location": "Αλλαγή τοποθεσίας εγκατάστασης", - "Change this": "Αλλαγή αυτού", - "Change this and unlock": "Αλλαγή αυτού και ξεκλείδωμα", - "Check for package updates periodically": "Περιοδικός έλεγχος για ενημερώσεις πακέτων", - "Check for updates": "Έλεγχος για ενημερώσεις", - "Check for updates every:": "Έλεγχος για ενημερώσεις κάθε:", "Check for updates periodically": "Περιοδικός έλεγχος για ενημερώσεις.", "Check for updates regularly, and ask me what to do when updates are found.": "Τακτικός έλεγχος για ενημερώσεις και ερώτηση για περαιτέρω ενέργειες όταν υπάρχουν ενημερώσεις.", "Check for updates regularly, and automatically install available ones.": "Τακτικός έλεγχος για ενημερώσεις και αυτόματη εγκατάσταση των διαθέσιμων.", @@ -159,805 +741,283 @@ "Checking for updates...": "Έλεγχος για ενημερώσεις...", "Checking found instace(s)...": "Έλεγχος του(ων) αντιγράφου(ων) της εφαρμογής που βρέθηκαν...", "Choose how many operations shouls be performed in parallel": "Επιλέξτε πόσες λειτουργίες πρέπει να εκτελούνται παράλληλα", - "Clear cache": "Εκκαθάριση μνήμης cache", "Clear finished operations": "Εκκαθάριση ολοκληρωμένων λειτουργιών", - "Clear selection": "Εκκαθάριση επιλογής", "Clear successful operations": "Εκκαθάριση επιτυχώς ολοκληρωμένων λειτουργιών", - "Clear successful operations from the operation list after a 5 second delay": "Εκκαθάριση επιτυχώς ολοκληρωμένων λειτουργιών από τη λίστα λειτουργιών μετά από καθυστέρηση 5 δευτερολέπτων", "Clear the local icon cache": "Εκκαθάριση της τοπικής μνήμης cache εικονιδίων", - "Clearing Scoop cache - WingetUI": "Εκκαθάριση μνήμης cache του Scoop - UniGetUI", "Clearing Scoop cache...": "Εκκαθάριση μνήμης cache του Scoop...", - "Click here for more details": "Πατήστε εδώ για περισσότερες λεπτομέρειες", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Πατήστε στο κουμπί Εγκατάσταση για έναρξη της διαδικασίας εγκατάστασης. Αν παραλείψετε την εγκατάσταση, το UniGetUI ίσως δεν λειτουργεί όπως αναμένεται.", - "Close": "Κλείσιμο", - "Close UniGetUI to the system tray": "Κλείσιμο του UniGetUI στη γραμμή εργασιών", "Close WingetUI to the notification area": "Κλείσιμο του UniGetUI στην περιοχή ειδοποιήσεων", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Το backup στο cloud χρησιμοποιεί ένα ιδιωτικό GitHub Gist για την αποθήκευση μιας λίστας εγκατεστημένων πακέτων.", - "Cloud package backup": "Αντίγραφο ασφαλείας πακέτων στο cloud", "Command-line Output": "Κώδικας γραμμής εντολών", - "Command-line to run:": "Γραμμή εντολών για εκτέλεση:", "Compare query against": "Σύγκριση ερωτήματος έναντι", - "Compatible with authentication": "Συμβατό με πιστοποίηση", - "Compatible with proxy": "Συμβατό με διακομιστή", "Component Information": "Πληροφορίες Συστατικών", - "Concurrency and execution": "Συγχρονισμός και εκτέλεση", - "Connect the internet using a custom proxy": "Σύνδεση στο διαδίκτυο με χρήση προσαρμοσμένου διακομιστή", - "Continue": "Συνέχεια", "Contribute to the icon and screenshot repository": "Συνεισφορά στο αποθετήριο εικονιδίων και στιγμιότυπων οθόνης", - "Contributors": "Συνεισφέροντες", "Copy": "Αντιγραφή", - "Copy to clipboard": "Αντιγραφή στο πρόχειρο", - "Could not add source": "Δεν ήταν δυνατή η προσθήκη προέλευσης", - "Could not add source {source} to {manager}": "Αδύνατη η προσθήκη προέλευσης {source} στο {manager}", - "Could not back up packages to GitHub Gist: ": "Δεν ήταν δυνατή η δημιουργία αντιγράφων ασφαλείας πακέτων στο GitHub Gist:", - "Could not create bundle": "Αδύνατη η δημιουργία της συλλογής", "Could not load announcements - ": "Αδύνατη η φόρτωση ανακοινώσεων -", "Could not load announcements - HTTP status code is $CODE": "Αδύνατη η φόρτωση ανακοινώσεων - Ο κωδικός κατάστασης HTTP είναι: $CODE", - "Could not remove source": "Αδύνατη η απομάκρυνση προέλευσης", - "Could not remove source {source} from {manager}": "Αδύνατη η απομάκρυνση της προέλευσης {source} από το {manager}", "Could not remove {source} from {manager}": "Αδύνατη η απομάκρυνση της {source} από το {manager}", - "Create .ps1 script": "Δημιουργία .ps1 script", - "Credentials": "Διαπιστευτήρια", "Current Version": "Τρέχουσα Έκδοση", - "Current executable file:": "Τρέχον εκτελέσιμο αρχείο:", - "Current status: Not logged in": "Τρέχουσα κατάσταση: Δεν έχετε συνδεθεί", "Current user": "Τρέχων χρήστης", "Custom arguments:": "Προσαρμοσμένα ορίσματα:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Τα προσαρμοσμένα ορίσματα γραμμής εντολών μπορούν να αλλάξουν τον τρόπο με τον οποίο εγκαθίστανται, αναβαθμίζονται ή απεγκαθίστανται τα προγράμματα, με τρόπο που το UniGetUI δεν μπορεί να ελέγξει. Η χρήση προσαρμοσμένων γραμμών εντολών μπορεί να προκαλέσει προβλήματα στα πακέτα. Προχωρήστε με προσοχή.", "Custom command-line arguments:": "Προσαρμοσμένα ορίσματα γραμμής εντολών:", - "Custom install arguments:": "Προσαρμοσμένα ορίσματα εγκατάστασης:", - "Custom uninstall arguments:": "Προσαρμοσμένα ορίσματα απεγκατάστασης:", - "Custom update arguments:": "Προσαρμοσμένα ορίσματα ενημέρωσης:", "Customize WingetUI - for hackers and advanced users only": "Προσαρμογή του UniGetUI - μόνο για χάκερ και προχωρημένους χρήστες", - "DEBUG BUILD": "ΔΟΜΗ ΑΠΟΣΦΑΛΜΑΤΩΣΗΣ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ΔΗΛΩΣΗ ΑΠΟΠΟΙΗΣΗ ΕΥΘΥΝΗΣ: ΔΕΝ ΕΙΜΑΣΤΕ ΥΠΕΥΘΥΝΟΙ ΓΙΑ ΤΑ ΛΗΦΘΕΝΤΑ ΠΑΚΕΤΑ. ΣΙΓΟΥΡΕΥΤΕΙΤΕ ΟΤΙ ΚΑΝΕΤΕ ΕΓΚΑΤΑΣΤΑΣΗ ΜΟΝΟ ΑΞΙΟΠΙΣΤΟΥ ΛΟΓΙΣΜΙΚΟΥ.", - "Dark": "Σκοτεινό", - "Decline": "Απόρριψη", - "Default": "Προεπιλογή", - "Default installation options for {0} packages": "Προεπιλεγμένες επιλογές εγκατάστασης για {0} πακέτα", "Default preferences - suitable for regular users": "Προεπιλεγμένες ρυθμίσεις - ιδανικό για απλούς χρήστες", - "Default vcpkg triplet": "Προεπιλεγμένο vcpkg triplet", - "Delete?": "Διαγραφή;", - "Dependencies:": "Εξαρτήσεις:", - "Descendant": "Απόγονος", "Description:": "Περιγραφή:", - "Desktop shortcut created": "Η συντόμευση στην επιφάνεια εργασίας δημιουργήθηκε", - "Details of the report:": "Λεπτομέρειες της αναφοράς:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Η ανάπτυξη είναι δύσκολη και αυτή η εφαρμογή είναι δωρεάν. Αλλά αν σας άρεσε η εφαρμογή, μπορείτε πάντα να με κεράσετε έναν καφέ :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Απευθείας εγκατάσταση με διπλό πάτημα σε ένα στοιχείο στην καρτέλα «{discoveryTab}» (αντί να εμφανίζονται οι πληροφορίες του πακέτου)", "Disable new share API (port 7058)": "Απενεργοποίηση νέου κοινόχρηστου API (θύρα 7058)", - "Disable the 1-minute timeout for package-related operations": "Απενεργοποίηση χρονικού ορίου 1 λεπτού για λειτουργίες που σχετίζονται με πακέτα", - "Disabled": "Ανενεργό", - "Disclaimer": "Δήλωση αποποίησης ευθυνών", - "Discover Packages": "Εξερεύνηση Πακέτων", "Discover packages": "Εξερεύνηση πακέτων", "Distinguish between\nuppercase and lowercase": "Διάκριση\nπεζών - κεφαλαίων", - "Distinguish between uppercase and lowercase": "Διάκριση πεζών - κεφαλαίων", "Do NOT check for updates": "Να ΜΗΝ γίνεται έλεγχος για ενημερώσεις", "Do an interactive install for the selected packages": "Διαδραστική εγκατάσταση επιλεγμένων πακέτων", "Do an interactive uninstall for the selected packages": "Διαδραστική απεγκατάσταση επιλεγμένων πακέτων", "Do an interactive update for the selected packages": "Διαδραστική ενημέρωση επιλεγμένων πακέτων", - "Do not automatically install updates when the battery saver is on": "Να μη γίνεται αυτόματη εγκατάσταση ενημερώσεων όταν η εξοικονόμηση μπαταρίας είναι ενεργή", - "Do not automatically install updates when the device runs on battery": "Να μη γίνεται αυτόματη εγκατάσταση ενημερώσεων όταν η συσκευή είναι σε λειτουργία μπαταρίας", - "Do not automatically install updates when the network connection is metered": "Να μη γίνεται αυτόματη εγκατάσταση ενημερώσεων όταν η σύνδεση στο διαδίκτυο είναι περιορισμένη", "Do not download new app translations from GitHub automatically": "Να μην γίνεται αυτόματη λήψη νέων μεταφράσεων απο το GitHub", - "Do not ignore updates for this package anymore": "Μην αγνοείτε πλέον ενημερώσεις για αυτό το πακέτο", "Do not remove successful operations from the list automatically": "Να μην αφαιρούνται αυτόματα οι επιτυχημένες εργασίες από τη λίστα", - "Do not show this dialog again for {0}": "Μην εμφανίσετε ξανά αυτό το παράθυρο για το {0}", "Do not update package indexes on launch": "Να μη γίνεται ενημέρωση ευρετηρίων πακέτων κατά την εκκίνηση", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Αποδέχεστε ότι το UniGetUI συλλέγει και αποστέλλει ανώνυμα στατιστικά στοιχεία χρήσης, με μοναδικό σκοπό την κατανόηση και τη βελτίωση της εμπειρίας χρήστη;", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Θεωρείτε χρήσιμο το UniGetUI; Εάν μπορείτε, ίσως να θέλετε να υποστηρίξετε τη δουλειά μου, ώστε να συνεχίσω να κάνω το UniGetUI το απόλυτο περιβάλλον εργασίας διαχείρισης πακέτων.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Θεωρείτε χρήσιμο το UniGetUI; Θέλετε να υποστηρίξετε τον δημιουργό; Αν ναι, μπορείτε να {0}, βοηθάει πολύ!", - "Do you really want to reset this list? This action cannot be reverted.": "Θέλετε να επαναφέρεται αυτή τη λίστα; Αυτή η ενέργεια δεν είναι αναστρέψιμη.", - "Do you really want to uninstall the following {0} packages?": "Θέλετε πραγματικά να απεγκαταστήσετε τα ακόλουθα {0} πακέτα;", "Do you really want to uninstall {0} packages?": "Θέλετε σιγουρα να απεγκαταστήσετε {0} πακέτα;", - "Do you really want to uninstall {0}?": "Θέλετε σίγουρα να απεγκαταστήσετε το {0};", "Do you want to restart your computer now?": "Θέλετε να επανεκκινήσετε τον υπολογιστή σας τώρα;", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Θέλετε να μεταφράσετε το UniGetUI στη μητρική σας γλώσσα; Δείτε πως να συνεισφέρετε ΕΔΩ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Δεν επιθυμείτε να προσφέρετε δωρεά; Μην ανησυχείτε, μπορείτε πάντα να μοιράζεστε το UniGetUI με τους φίλους σας. Πείτε σε όλους για το UniGetUI.", "Donate": "Δωρεά", - "Done!": "Εγινε!", - "Download failed": "Η λήψη δεν ολοκληρώθηκε", - "Download installer": "Λήψη προγράμματος εγκατάστασης", - "Download operations are not affected by this setting": "Οι λειτουργίες λήψης δεν επηρεάζονται από αυτή τη ρύθμιση", - "Download selected installers": "Λήψη επιλεγμένων προγραμμάτων εγκατάστασης", - "Download succeeded": "Η λήψη ολοκληρώθηκε επιτυχώς", "Download updated language files from GitHub automatically": "Αυτόματη λήψη ενημερωμένων αρχείων γλώσσας από το GitHub", - "Downloading": "Λήψη", - "Downloading backup...": "Λήψη αντιγράφου ασφαλείας...", - "Downloading installer for {package}": "Λήψη προγράμματος εγκατάστασης για το πακέτο {package}", - "Downloading package metadata...": "Λήψη μεταδεδομένων πακέτου...", - "Enable Scoop cleanup on launch": "Ενεργοποίηση εκκαθάρισης Scoop κατά την εκκίνηση", - "Enable WingetUI notifications": "Ενεργοποίηση ειδοποιήσεων UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Ενεργοποίηση ενός [εμπειρικού] βελτιωμένου προγράμματος αντιμετώπισης προβλημάτων του UniGetUI", - "Enable and disable package managers, change default install options, etc.": "Ενεργοποίηση και απενεργοποίηση διαχειριστών πακέτων, αλλαγή προεπιλεγμένων επιλογών εγκατάστασης κ.λπ.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ενεργοποίηση βελτιστοποιήσεων χρήσης CPU υποβάθρου (δείτε το Αίτημα #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Ενεργοποίηση API παρασκηνίου (Widgets για UniGetUI και Κοινή Χρήση, θύρα 7058)", - "Enable it to install packages from {pm}.": "Ενεργοποίηση για εγκατάσταση πακέτων από {pm}.", - "Enable the automatic WinGet troubleshooter": "Ενεργοποίηση του προγράμματος αυτόματης αντιμετώπισης προβλημάτων του WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Ενεργοποίηση του νέου UAC Elevator του UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Ενεργοποίηση του νέου χειριστή εισόδου διεργασίας (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ενεργοποιήστε τις παρακάτω ρυθμίσεις αν και μόνο αν κατανοείτε πλήρως τι κάνουν και τις πιθανές επιπτώσεις τους.", - "Enable {pm}": "Ενεργοποίηση {pm}", - "Enabled": "Ενεργοποιημένο", - "Enter proxy URL here": "Εισαγωγή URL διακομιστή εδώ", - "Entries that show in RED will be IMPORTED.": "Οι καταχωρήσεις που εμφανίζονται με ΚΟΚΚΙΝΟ θα ΕΙΣΑΓΟΝΤΑΙ.", - "Entries that show in YELLOW will be IGNORED.": "Οι καταχωρήσεις που εμφανίζονται με ΚΙΤΡΙΝΟ θα ΑΓΝΟΗΘΟΥΝ.", - "Error": "Σφάλμα", - "Everything is up to date": "Ολα είναι ενημερωμένα", - "Exact match": "Ακριβές ταίριασμα", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Οι υπάρχουσες συντομεύσεις στην επιφάνεια εργασίας σας θα σαρωθούν και θα πρέπει να επιλέξετε ποιες θα διατηρήσετε και ποιες θα απομακρύνετε.", - "Expand version": "Έκδοση επέκτασης", - "Experimental settings and developer options": "Πειραματικές ρυθμίσεις και επιλογές για προγραμματιστές", - "Export": "Εξαγωγή", + "Downloading": "Λήψη", + "Downloading installer for {package}": "Λήψη προγράμματος εγκατάστασης για το πακέτο {package}", + "Downloading package metadata...": "Λήψη μεταδεδομένων πακέτου...", + "Enable the new UniGetUI-Branded UAC Elevator": "Ενεργοποίηση του νέου UAC Elevator του UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Ενεργοποίηση του νέου χειριστή εισόδου διεργασίας (StdIn automated closer)", "Export log as a file": "Εξαγωγή καταγραφής ως αρχείο", "Export packages": "Εξαγωγή πακέτων", "Export selected packages to a file": "Εξαγωγή επιλεγμένων πακέτων σε αρχείο", - "Export settings to a local file": "Εξαγωγή ρυθμίσεων σε τοπικό αρχείο", - "Export to a file": "Εξαγωγή σε αρχείο", - "Failed": "Απέτυχε", - "Fetching available backups...": "Ανάκτηση διαθέσιμων αντιγράφων ασφαλείας...", "Fetching latest announcements, please wait...": "Λήψη τελευταίων ανακοινώσεων, παρακαλώ περιμένετε...", - "Filters": "Φίλτρα", "Finish": "Ολοκλήρωση", - "Follow system color scheme": "Χρήση χρωμάτων συστήματος", - "Follow the default options when installing, upgrading or uninstalling this package": "Παρακολούθηση των προεπιλεγμένων επιλογών κατά την εγκατάσταση, την αναβάθμιση ή την απεγκατάσταση αυτού του πακέτου", - "For security reasons, changing the executable file is disabled by default": "Για λόγους ασφαλείας, η αλλαγή του εκτελέσιμου αρχείου είναι απενεργοποιημένη από προεπιλογή.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Για λόγους ασφαλείας, τα προσαρμοσμένα ορίσματα γραμμής εντολών είναι απενεργοποιημένα από προεπιλογή. Μεταβείτε στις ρυθμίσεις ασφαλείας του UniGetUI για να το αλλάξετε αυτό.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Για λόγους ασφαλείας, τα scripts πριν και μετά τη λειτουργία είναι απενεργοποιημένα από προεπιλογή. Μεταβείτε στις ρυθμίσεις ασφαλείας του UniGetUI για να το αλλάξετε αυτό.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Εξαναγκασμός έκδοσης winget για ARM (ΜΟΝΟ ΓΙΑ ΣΥΣΤΗΜΑΤΑ ARM64)", - "Force install location parameter when updating packages with custom locations": "Εξαναγκασμός παραμέτρου τοποθεσίας εγκατάστασης κατά την ενημέρωση πακέτων με προσαρμοσμένες τοποθεσίες", "Formerly known as WingetUI": "Παλαιότερα γνωστό ως WingetUI", "Found": "Βρέθηκαν", "Found packages: ": "Πακέτα που βρέθηκαν:", "Found packages: {0}": "Πακέτα που βρέθηκαν: {0}", "Found packages: {0}, not finished yet...": "Πακέτα που βρέθηκαν: {0}, δεν ολοκληρώθηκε ακόμα...", - "General preferences": "Γενικές προτιμήσεις", "GitHub profile": "Προφίλ GitHub", "Global": "Καθολικό", - "Go to UniGetUI security settings": "Μετάβαση στις ρυθμίσεις ασφαλείας του UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Εξαιρετικό αποθετήριο άγνωστων αλλά χρήσιμων βοηθητικών προγραμμάτων και άλλων ενδιαφερόντων πακέτων.
Περιέχει: Βοηθητικά προγράμματα, Προγράμματα γραμμής εντολών, Γενικό λογισμικό (απαιτείται επιπλέον πακέτο)", - "Great! You are on the latest version.": "Τέλεια! Έχετε την πιο πρόσφατη έκδοση.", - "Grid": "Πλέγμα", - "Help": "Βοήθεια", "Help and documentation": "Βοήθεια και τεκμηρίωση", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Εδώ μπορείτε να αλλάξετε τη συμπεριφορά του UniGetUI αναφορικά με τις ακόλουθες συντομεύσεις. Ο έλεγχος μιας συντόμευσης θα κάνει το UniGetUI να τη διαγράψει αν δημιουργηθεί σε μελλοντική αναβάθμιση. Ο μή έλεγχός της θα διατηρήσεις τη συντόμευση ανέπαφη", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Γεια σας, ονομάζομαι Martí, και είμαι ο προγραμματιστής του UniGetUI. Το UniGetUI κατασκευάστηκε εξολοκλήρου στον ελεύθερό μου χρόνο!", "Hide details": "Απόκρυψη λεπτομερειών", - "Homepage": "Ιστοσελίδα", - "Hooray! No updates were found.": "Συγχαρητήρια! Δε βρέθηκαν ενημερώσεις!", "How should installations that require administrator privileges be treated?": "Πώς θα θέλατε να αντιμετωπίζονται οι εγκαταστάσεις που απαιτούν προνόμια διαχειριστή;", - "How to add packages to a bundle": "Πώς να προσθέσετε πακέτα σε συλλογή", - "I understand": "Το κατάλαβα", - "Icons": "Εικονίδια", - "Id": "Ταυτότητα", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Εάν έχετε ενεργοποιήσει τη δημιουργία αντιγράφων ασφαλείας στο cloud, θα αποθηκευτεί ως GitHub Gist σε αυτόν τον λογαριασμό.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Να επιτρέπεται η εκτέλεση προσαρμοσμένων εντολών πριν και μετά την εγκατάσταση κατά την εισαγωγή πακέτων από συλλογή", - "Ignore future updates for this package": "Αγνόηση μελλοντικών ενημερώσεων για αυτό το πακέτο", - "Ignore packages from {pm} when showing a notification about updates": "Αγνόηση πακέτων από το {pm} όταν εμφανίζεται ειδοποίηση για ενημερώσεις", - "Ignore selected packages": "Αγνόηση επιλεγμένων πακέτων", - "Ignore special characters": "Αγνόηση ειδικών χαρακτήρων", "Ignore updates for the selected packages": "Αγνόηση ενημερώσεων για τα επιλεγμένα πακέτα", - "Ignore updates for this package": "Αγνόηση ενημερώσεων για αυτό το πακέτο", "Ignored updates": "Αγνοημένες ενημερώσεις", - "Ignored version": "Αγνοημένη εκδοση", - "Import": "Εισαγωγή", "Import packages": "Εισαγωγή πακέτων", "Import packages from a file": "Εισαγωγή πακέτων απο αρχείο", - "Import settings from a local file": "Εισαγωγή ρυθμίσεων απο τοπικό αρχείο", - "In order to add packages to a bundle, you will need to: ": "Για την προσθήκη πακέτων σε συλλογή, θα χρειαστείτε:", "Initializing WingetUI...": "Εκκίνηση του WingetUI...", - "Install": "Εγκατάσταση", - "Install Scoop": "Εγκατάσταση Scoop", "Install and more": "Εγκατάσταση και άλλα", "Install and update preferences": "Προτιμήσεις εγκατάστασης και ενημερώσεων", - "Install as administrator": "Εγκατάσταση ως διαχειριστής", - "Install available updates automatically": "Αυτόματη εγκατάσταση διαθέσιμων ενημερώσεων", - "Install location can't be changed for {0} packages": "Η τοποθεσία εγκατάστασης δεν μπορεί να αλλάξει για {0} πακέτα", - "Install location:": "Τοποθεσία εγκατάστασης:", - "Install options": "Επιλογές εγκατάστασης", "Install packages from a file": "Εγκατάσταση πακέτων από αρχείο", - "Install prerelease versions of UniGetUI": "Εγκατάσταση προδημοσιευμένων εκδόσεων του UniGetUI", - "Install script": "Εγκατάσταση script", "Install selected packages": "Εγκατάσταση επιλεγμένων πακέτων", "Install selected packages with administrator privileges": "Εγκατάσταση επιλεγμένων πακέτων με προνόμια διαχειριστή", - "Install selection": "Εγκατάσταση επιλογής", "Install the latest prerelease version": "Εγκατάσταση της τελευταίας προδημοσιευμένης έκδοσης", "Install updates automatically": "Αυτόματη εγκατάσταση ενημερώσεων", - "Install {0}": "Εγκατάσταση {0} ", "Installation canceled by the user!": "Η εγκατάσταση ακυρώθηκε απο τον χρήστη!", - "Installation failed": "Η εγκατάσταση απέτυχε", - "Installation options": "Επιλογές εγκατάστασης", - "Installation scope:": "Σκοπός εγκατάστασης:", - "Installation succeeded": "Η εγκατάσταση ολοκληρώθηκε επιτυχώς", - "Installed Packages": "Εγκατεστημένα Πακέτα", - "Installed Version": "Εγκατεστημένη Έκδοση", "Installed packages": "Εγκατεστημένα πακέτα", - "Installer SHA256": "Πρόγραμμα εγκατάστασης SHA256", - "Installer SHA512": "Πρόγραμμα εγκατάστασης SHA512", - "Installer Type": "Τύπος προγράμματος εγκατάστασης", - "Installer URL": "URL προγράμματος εγκατάστασης", - "Installer not available": "Το πρόγραμμα εγκατάστασης δεν είναι διαθέσιμο", "Instance {0} responded, quitting...": "Η εφαρμογή {0} ανταποκρίθηκε, κλείσιμο...", - "Instant search": "Αμεση αναζήτηση", - "Integrity checks can be disabled from the Experimental Settings": "Οι έλεγχοι ακεραιότητας μπορούν να απενεργοποιηθούν από τις πειραματικές ρυθμίσεις", - "Integrity checks skipped": "Οι έλεγχοι ακεραιότητας αγνοήθηκαν", - "Integrity checks will not be performed during this operation": "Οι έλεγχοι ακεραιότητας δε θα πραγματοποιηθούν σε αυτή τη λειτουργία", - "Interactive installation": "Διαδραστική εγκατάσταση", - "Interactive operation": "Διαδραστική λειτουργία", - "Interactive uninstall": "Διαδραστική απεγκατάσταση", - "Interactive update": "Διαδραστική ενημέρωση", - "Internet connection settings": "Ρυθμίσεις σύνδεσης στο διαδίκτυο", - "Invalid selection": "Μη έγκυρη επιλογή", "Is this package missing the icon?": "Λείπει το εικονίδιο του πακέτου;", - "Is your language missing or incomplete?": "Η γλώσσα σας λείπει ή είναι ημιτελής;", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Δεν υπάρχει εγγύηση ότι τα παρεχόμενα διαπιστευτήρια θα αποθηκευτούν ασφαλώς, έτσι μπορείτε να μην χρησιμοποιήσετε τα διαπιστευτήρια του τραπεζικού σας λογαριασμού", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Προτείνεται η επανεκκίνηση του UniGetUI μετά την επισκευή του WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Συνιστάται ανεπιφύλακτα να επανεγκαταστήσετε το UniGetUI για να αντιμετωπίσετε το πρόβλημα.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Φαίνεται ότι το WinGet δεν λειτουργεί σωστά. Θέλετε να δοκιμάσετε να επιδιορθώσετε το WinGet;", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Φαίνεται ότι εκτελέσατε το UniGetUI ως διαχειριστής, κάτι που δε συνιστάται. Μπορείτε ακόμα να χρησιμοποιήσετε το πρόγραμμα, αλλά συνιστούμε ανεπιφύλακτα να μην εκτελείτε το UniGetUI με δικαιώματα διαχειριστή. Κάντε κλικ στο «{showDetails}» για να δείτε γιατί.", - "Language": "Γλώσσα", - "Language, theme and other miscellaneous preferences": "Γλώσσα, θέμα και διάφορες άλλες προτιμήσεις", - "Last updated:": "Τελευταία ενημέρωση:", - "Latest": "Τελευταία", "Latest Version": "Τελευταία έκδοση", "Latest Version:": "Τελευταία έκδοση:", "Latest details...": "Τελευταίες λεπτομέρειες...", "Launching subprocess...": "Εκτέλεση υποδιεργασίας...", - "Leave empty for default": "Αφήστε το κενό για προεπιλογή", - "License": "Άδεια", "Licenses": "Άδειες", - "Light": "Φωτεινό", - "List": "Λίστα", "Live command-line output": "Κώδικας γραμμής εντολών σε πραγματικό χρόνο", - "Live output": "Κώδικας σε πραγματικό χρόνο", "Loading UI components...": "Φόρτωση στοιχείων περιβάλλοντος χρήστη...", "Loading WingetUI...": "Φόρτωση UniGetUI...", - "Loading packages": "Φόρτωση πακέτων", - "Loading packages, please wait...": "Φόρτωση πακέτων, παρακαλώ περιμένετε...", - "Loading...": "Φόρτωση...", - "Local": "Τοπικό", - "Local PC": "Τοπικός υπολογιστής", - "Local backup advanced options": "Προηγμένες επιλογές τοπικών αντιγράφων ασφαλείας", "Local machine": "Τοπικό μηχάνημα", - "Local package backup": "Τοπικά αντίγραφο ασφαλείας πακέτων", "Locating {pm}...": "Εντοπισμός {pm}...", - "Log in": "Σύνδεση", - "Log in failed: ": "Η σύνδεση απέτυχε:", - "Log in to enable cloud backup": "Συνδεθείτε για να ενεργοποιήσετε τη δημιουργία αντιγράφων ασφαλείας στο cloud", - "Log in with GitHub": "Σύνδεση με GitHub", - "Log in with GitHub to enable cloud package backup.": "Συνδεθείτε με το GitHub για να ενεργοποιήσετε τη δημιουργία αντιγράφων ασφαλείας πακέτων στο cloud.", - "Log level:": "Επίπεδο καταγραφής:", - "Log out": "Αποσύνδεση", - "Log out failed: ": "Η αποσύνδεση απέτυχε:", - "Log out from GitHub": "Αποσύνδεση από το GitHub", "Looking for packages...": "Αναζήτηση για πακέτα...", "Machine | Global": "Μηχανή | Καθολικό", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Τα λανθασμένα μορφοποιημένα ορίσματα γραμμής εντολών μπορούν να προκαλέσουν βλάβη στα πακέτα ή ακόμα και να επιτρέψουν σε έναν κακόβουλο παράγοντα να αποκτήσει προνομιακή εκτέλεση. Επομένως, η εισαγωγή προσαρμοσμένων ορισμάτων γραμμής εντολών είναι απενεργοποιημένη από προεπιλογή.", - "Manage": "Διαχείριση", - "Manage UniGetUI settings": "Διαχείριση ρυθμίσεων UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Διαχειριστείτε τη συμπεριφορά αυτόματης εκκίνησης του UniGetUI από την εφαρμογή Ρυθμίσεις", "Manage ignored packages": "Διαχείριση αγνοημένων πακέτων", - "Manage ignored updates": "Διαχείριση αγνοημένων ενημερώσεων", - "Manage shortcuts": "Διαχείριση συντομεύσεων", - "Manage telemetry settings": "Διαχείριση ρυθμίσεων τηλεμετρίας", - "Manage {0} sources": "Διαχείριση προελεύσεων {0}", - "Manifest": "Μανιφέστο", "Manifests": "Μανιφέστα", - "Manual scan": "Χειροκίνητη σάρωση", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Επίσημος διαχειριστής πακέτων της Microsoft. Γεμάτο γνωστά και επαληθευμένα πακέτα
Περιέχει: Γενικό Λογισμικό, εφαρμογές Microsoft Store", - "Missing dependency": "Απολεσθείσα εξάρτηση", - "More": "Περισσότερα", - "More details": "Περισσότερες λεπτομέρειες", - "More details about the shared data and how it will be processed": "Περισσότερες λεπτομέρειες σχετικά με τα κοινόχρηστα δεδομένα και πως θα επεξεργαστούν", - "More info": "Περισσότερες πληροφορίες", - "More than 1 package was selected": "Επιλέχθηκαν περισσότερα από 1 πακέτα", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ΣΗΜΕΙΩΣΗ: Το πρόγραμμα αντιμετώπισης προβλημάτων μπορεί να απενεργοποιηθεί από τις ρυθμίσεις του UniGetUI, στον τομέα WinGet", - "Name": "Όνομα", - "New": "Νέο", "New Version": "Νέα Έκδοση", "New bundle": "Νέα συλλογή", - "New version": "Νέα έκδοση", - "Nice! Backups will be uploaded to a private gist on your account": "Ωραία! Τα αντίγραφα ασφαλείας θα μεταφορτωθούν σε ένα ιδιωτικό gist στον λογαριασμό σας.", - "No": "Όχι", - "No applicable installer was found for the package {0}": "Δεν βρέθηκε κατάλληλο πρόγραμμα εγκατάστασης για το πακέτο {0}", - "No dependencies specified": "Δεν έχουν καθοριστεί εξαρτήσεις", - "No new shortcuts were found during the scan.": "Δεν βρέθηκαν νέες συντομεύσεις κατά τη σάρωση.", - "No package was selected": "Δεν επιλέχθηκε κανένα πακέτο", "No packages found": "Δε βρέθηκαν πακέτα", "No packages found matching the input criteria": "Δε βρέθηκαν πακέτα με βάση τα κριτήρια αναζήτησης", "No packages have been added yet": "Δεν έχουν προστεθεί πακέτα ακόμα", "No packages selected": "Δεν επιλέχτηκαν πακέτα", - "No packages were found": "Δε βρέθηκαν πακέτα", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Καμιά προσωπική πληροφορία δε συλλέγεται ούτε αποστέλλεται και τα συλλεχθέντα δεδομένα είναι ανώνυμα, έτσι δεν μπορούν να αντιστοιχιστούν με εσάς.", - "No results were found matching the input criteria": "Δε βρέθηκαν αποτελέσματα που να ταιριάζουν με αυτά τα κριτήρια", "No sources found": "Δε βρέθηκαν προελεύσεις", "No sources were found": "Δε βρέθηκαν προελεύσεις", "No updates are available": "Δεν υπάρχουν διαθέσιμες ενημερώσεις", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Διαχειριστής πακέτων του Node JS. Γεμάτος βιβλιοθήκες και άλλα βοηθητικά προγράμματα σε τροχιά γύρω από τον κόσμο της javascript
Περιέχει: Βιβλιοθήκες Node javascript και άλλα σχετικά βοηθητικά προγράμματα", - "Not available": "Μη διαθέσιμο", - "Not finding the file you are looking for? Make sure it has been added to path.": "Δεν βρίσκετε το αρχείο που ψάχνετε; Βεβαιωθείτε ότι έχει προστεθεί στη διαδρομή.", - "Not found": "Δεν βρέθηκε", - "Not right now": "Οχι ακριβώς τώρα", "Notes:": "Σημειώσεις:", - "Notification preferences": "Προτιμήσεις ειδοποιήσεων", "Notification tray options": "Ρυθμίσεις περιοχής ειδοποιήσεων", - "Notification types": "Τύποι ειδοποιήσεων", - "NuPkg (zipped manifest)": "NuPkg (συμπιεσμένο manifest)", - "OK": "ΕΝΤΆΞΕΙ", "Ok": "Εντάξει", - "Open": "Άνοιγμα", "Open GitHub": "Άνοιγμα GitHub", - "Open UniGetUI": "Άνοιγμα UniGetUI", - "Open UniGetUI security settings": "Ανοιγμα ρυθμίσεων ασφαλείας UniGetUI", "Open WingetUI": "Άνοιγμα UniGetUI", "Open backup location": "Άνοιγμα τοποθεσίας αντιγράφου ασφαλείας", "Open existing bundle": "Άνοιγμα υπάρχουσας συλλογής", - "Open install location": "Ανοιγμα τοποθεσίας εγκατάστασης", "Open the welcome wizard": "Άνοιγμα του οδηγού υποδοχής", - "Operation canceled by user": "Η λειτουργία ακυρώθηκε από τον χρήστη", "Operation cancelled": "Η εργασία ακυρώθηκε", - "Operation history": "Ιστορικό εργασιών", - "Operation in progress": "Η εργασία είναι σε εξέλιξη", - "Operation on queue (position {0})...": "Η εργασία είναι σε σειρά προτεραιότητας (θέση {0})...", - "Operation profile:": "Προφίλ λειτουργίας:", "Options saved": "Οι ρυθμίσεις αποθηκεύτηκαν", - "Order by:": "Ταξινόμηση κατά:", - "Other": "Άλλο", - "Other settings": "Άλλες ρυθμίσεις", - "Package": "Πακέτο", - "Package Bundles": "Συλλογές πακέτων", - "Package ID": "Ταυτότητα Πακέτου", "Package Manager": "Διαχειριστής πακέτων", - "Package Manager logs": "Αρχεία καταγραφής διαχειριστή πακέτων", - "Package Managers": "Διαχειριστές πακέτων", - "Package Name": "Όνομα Πακέτου", - "Package backup": "Αντίγραφο ασφαλείας πακέτου", - "Package backup settings": "Ρυθμίσεις αντιγράφου ασφαλείας πακέτου", - "Package bundle": "Συλλογή πακέτων", - "Package details": "Λεπτομέρειες πακέτου", - "Package lists": "Λίστες πακέτων", - "Package management made easy": "Η διαχείριση πακέτων έγινε εύκολη", - "Package manager": "Διαχειριστής πακέτων", - "Package manager preferences": "Προτιμήσεις διαχειριστή πακέτων", "Package managers": "Διαχειριστές πακέτων", - "Package not found": "Το πακέτο δε βρέθηκε", - "Package operation preferences": "Προτιμήσεις λειτουργίας πακέτου", - "Package update preferences": "Προτιμήσεις ενημέρωσης πακέτου", "Package {name} from {manager}": "Πακέτο {name} από {manager}", - "Package's default": "Προεπιλογή πακέτου", "Packages": "Πακέτα", "Packages found: {0}": "Ευρεθέντα πακέτα: {0}", - "Partially": "Τμηματικά", - "Password": "Κωδικός πρόσβασης", "Paste a valid URL to the database": "Επικολλήστε μια έγκυρη διεύθυνση URL προς τη βάση δεδομένων", - "Pause updates for": "Παύση ενημερώσεων για", "Perform a backup now": "Δημιουργία ενός αντιγράφου ασφαλείας τώρα ", - "Perform a cloud backup now": "Δημιουργία ενός αντιγράφου ασφαλείας στο cloud τώρα ", - "Perform a local backup now": "Δημιουργία ενός τοπικού αντιγράφου ασφαλείας τώρα ", - "Perform integrity checks at startup": "Εκτέλεση ελέγχων ακεραιότητας κατά την εκκίνηση", - "Performing backup, please wait...": "Δημιουργία αντιγράφου ασφαλείας, παρακαλώ περιμένετε...", "Periodically perform a backup of the installed packages": "Περιοδική δημιουργία αντιγράφου ασφαλείας των εγκατεστημένων πακέτων", - "Periodically perform a cloud backup of the installed packages": "Περιοδική δημιουργία αντιγράφων ασφαλείας των εγκατεστημένων πακέτων στο cloud", - "Periodically perform a local backup of the installed packages": "Περιοδική δημιουργία τοπικών αντιγράφων ασφαλείας των εγκατεστημένων πακέτων", - "Please check the installation options for this package and try again": "Ελέγξτε τις επιλογές εγκατάστασης για αυτό το πακέτο και δοκιμάστε ξανά", - "Please click on \"Continue\" to continue": "Πατήστε στο «Συνέχεια» για να συνεχίσετε", "Please enter at least 3 characters": "Εισάγετε τουλάχιστον 3 χαρακτήρες", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Λάβετε υπόψη ότι ορισμένα πακέτα ενδέχεται να μην μπορούν να εγκατασταθούν, λόγω των διαχειριστών πακέτων που είναι ενεργοποιημένοι σε αυτόν τον υπολογιστή.", - "Please note that not all package managers may fully support this feature": "Σημειώστε ότι αυτό το το χαρακτηριστικό δεν υποστηρίζεται πλήρως από όλους τους διαχειριστές πακέτων", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Λάβετε υπόψη ότι τα πακέτα από συγκεκριμένες προελεύσεις ενδέχεται να μην μπορούν να εξαχθούν. Έχουν γκριζάριστεί και δεν θα εξαχθούν.", - "Please run UniGetUI as a regular user and try again.": "Εκτελέστε το UniGetUI ως κανονικός χρήστης και δοκιμάστε ξανά.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Δείτε τον Κώδικα της Γραμμής Εντολών ή ανατρέξτε στο Ιστορικό Εργασιών για περισσότερες πληροφορίες σχετικά με το ζήτημα.", "Please select how you want to configure WingetUI": "Επιλέξτε πώς θέλετε να διαμορφώσετε το UniGetUI", - "Please try again later": "Δοκιμάστε ξανά αργότερα", "Please type at least two characters": "Πληκτρολογήστε τουλάχιστον δύο χαρακτήρες", - "Please wait": "Παρακαλώ περιμένετε", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Περιμένετε όσο γίνεται εγκατάσταση του {0}. Μπορεί να εμφανιστεί ένα μαύρο παράθυρο. Περιμένετε μέχρι να κλείσει.", - "Please wait...": "Παρακαλώ περιμένετε...", "Portable": "Φορητό", - "Portable mode": "Λειτουργία Portable (φορητή)", - "Post-install command:": "Εντολή μετά την εγκατάσταση:", - "Post-uninstall command:": "Εντολή μετά την απεγκατάσταση:", - "Post-update command:": "Εντολή μετά την ενημέρωση:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Διαχειριστής πακέτων του PowerShell. Βρείτε βιβλιοθήκες και κώδικες για να επεκτείνετε τις δυνατότητες του PowerShell
Περιέχει: Ενότητες, Κώδικες, Σύνολα εντολών", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Οι εντολές πριν και μετά την εγκατάσταση μπορούν να κάνουν πολύ άσχημα πράγματα στη συσκευή σας, εάν έχουν σχεδιαστεί για αυτό. Μπορεί να είναι πολύ επικίνδυνο να εισάγετε τις εντολές από μια συλλογή, εκτός αν εμπιστεύεστε την πηγή αυτής της συλλογής.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Οι εντολές πριν και μετά την εγκατάσταση θα εκτελούνται πριν και μετά την εγκατάσταση, την αναβάθμιση ή την απεγκατάσταση ενός πακέτου. Λάβετε υπόψη ότι ενδέχεται να προκαλέσουν βλάβη, εκτός εάν χρησιμοποιηθούν προσεκτικά.", - "Pre-install command:": "Εντολή πριν την εγκατάσταση:", - "Pre-uninstall command:": "Εντολή πριν την απεγκατάσταση:", - "Pre-update command:": "Εντολή πριν την ενημέρωση:", - "PreRelease": "Προδημοσίευση", - "Preparing packages, please wait...": "Προετοιμασία πακέτων, παρακαλώ περιμένετε...", - "Proceed at your own risk.": "Συνεχίστε με δική σας ευθύνη.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Αποτροπή οποιουδήποτε είδους αύξησης των δικαιωμάτων μέσω του UniGetUI Elevator ή του GSudo", - "Proxy URL": "URL διακομιστή", - "Proxy compatibility table": "Πίνακας συμβατότητας διακομιστή", - "Proxy settings": "Ρυθμίσεις διακομιστή", - "Proxy settings, etc.": "Ρυθμίσεις διακομιστή κλπ.", "Publication date:": "Ημερομηνία έκδοσης:", - "Publisher": "Εκδότης", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Διαχειριστής βιβλιοθηκών της Python. Γεμάτος με βιβλιοθήκες της python και άλλα βοηθητικά προγράμματα που σχετίζονται με την python
Περιέχει: Βιβλιοθήκες Python και σχετικά βοηθητικά προγράμματα", - "Quit": "Έξοδος", "Quit WingetUI": "Εξοδος από το UniGetUI", - "Ready": "Ετοιμο", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Μείωση των προτροπών UAC, αύξηση των δικαιωμάτων των εγκαταστάσεων από προεπιλογή, ξεκλείδωμα ορισμένων επικίνδυνων λειτουργιών κ.λπ.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Ανατρέξτε στα αρχεία καταγραφής UniGetUI για να λάβετε περισσότερες λεπτομέρειες σχετικά με τα αρχεία που επηρεάζονται.", - "Reinstall": "Επανεγκατάσταση", - "Reinstall package": "Επανεγκατάσταση πακέτου", - "Related settings": "Σχετικές ρυθμίσεις", - "Release notes": "Σημειώσεις έκδοσης", - "Release notes URL": "Διεύθυνση URL σημειώσεων έκδοσης", "Release notes URL:": "Διεύθυνση URL σημειώσεων έκδοσης:", "Release notes:": "Σημειώσεις έκδοσης:", "Reload": "Επαναφόρτωση", - "Reload log": "Επαναφόρτωση αρχείου καταγραφής", "Removal failed": "Η απομάκρυνση απέτυχε", "Removal succeeded": "Η απομάκρυνση ολοκληρώθηκε με επιτυχία", - "Remove from list": "Απομάκρυνση από τη λίστα", "Remove permanent data": "Απομάκρυνση μόνιμων δεδομένων", - "Remove selection from bundle": "Απομάκρυνση επιλογής από τη συλλογή", "Remove successful installs/uninstalls/updates from the installation list": "Απομάκρυνση επιτυχημένων εγκαταστάσεων /απεγκαταστάσεων / ενημερώσεων από τη λίστα εγκατάστασης", - "Removing source {source}": "Απομάκρυνση προέλευσης {source}", - "Removing source {source} from {manager}": "Απομάκρυνση της πηγής {source} από το {manager}", - "Repair UniGetUI": "Επισκευή του UniGetUI", - "Repair WinGet": "Επισκευή του WinGet", - "Report an issue or submit a feature request": "Αναφέρετε ένα πρόβλημα ή υποβάλετε ένα αίτημα νέου χαρακτηριστικού", "Repository": "Αποθετήριο", - "Reset": "Επαναφορά", "Reset Scoop's global app cache": "Επαναφορά καθολικής μνήμης cache εφαρμογών του Scoop", - "Reset UniGetUI": "Επαναφορά του UniGetUI", - "Reset WinGet": "Επαναφορά του WinGet", "Reset Winget sources (might help if no packages are listed)": "Επαναφορά προελεύσεων Winget (μπορεί να βοηθήσει εάν δεν εμφανίζονται πακέτα)", - "Reset WingetUI": "Επαναφορά του UniGetUI", "Reset WingetUI and its preferences": "Επαναφορά του UniGetUI και των προτιμήσεών του", "Reset WingetUI icon and screenshot cache": "Επαναφορά μνήμης cache εικονιδίων και στιγμιότυπων στο UniGetUI", - "Reset list": "Επαναφορά λίστας", "Resetting Winget sources - WingetUI": "Επαναφορά προελεύσεων Winget - UniGetUI", - "Restart": "Επανεκκίνηση", - "Restart UniGetUI": "Επανεκκίνηση του UniGetUI", - "Restart WingetUI": "Επανεκκίνηση του UniGetUI", - "Restart WingetUI to fully apply changes": "Επανεκκίνηση του UniGetUI για πλήρη εφαρμογή των αλλαγών", - "Restart later": "Επανεκκίνηση αργότερα", "Restart now": "Επανεκκίνηση τώρα", - "Restart required": "Απαιτείται επανεκκίνηση", - "Restart your PC to finish installation": "Επανεκκίνηση του υπολογιστή σας για ολοκλήρωση της εγκατάστασης", - "Restart your computer to finish the installation": "Επανεκκίνηση του υπολογιστή σας για ολοκλήρωση της εγκατάστασης", - "Restore a backup from the cloud": "Επαναφορά ενός αντιγράφου ασφαλείας από το cloud", - "Restrictions on package managers": "Περιορισμοί στους διαχειριστές πακέτων", - "Restrictions on package operations": "Περιορισμοί στις λειτουργίες πακέτων", - "Restrictions when importing package bundles": "Περιορισμοί κατά την εισαγωγή συλλογών", - "Retry": "Επανάληψη", - "Retry as administrator": "Επανάληψη ως διαχειριστής", - "Retry failed operations": "Αποτυχημένες λειτουργίες επανάληψης", - "Retry interactively": "Διαδραστική επανάληψη", - "Retry skipping integrity checks": "Επανάληψη αγνοώντας ελέγχους ακεραιότητας", - "Retrying, please wait...": "Επανάληψη, παρακαλώ περιμένετε...", - "Return to top": "Επιστροφή στην κορυφή", - "Run": "Εκτέλεση", - "Run as admin": "Εκτέλεση ως διαχειριστής", - "Run cleanup and clear cache": "Εκτέλεση εκκαθάρισης και διαγραφή της μνήμης cache", - "Run last": "Εκτέλεση τελευταίας", - "Run next": "Εκτέλεσης επόμενης", - "Run now": "Εκτέλεση τώρα", + "Restart your PC to finish installation": "Επανεκκίνηση του υπολογιστή σας για ολοκλήρωση της εγκατάστασης", + "Restart your computer to finish the installation": "Επανεκκίνηση του υπολογιστή σας για ολοκλήρωση της εγκατάστασης", + "Retry failed operations": "Αποτυχημένες λειτουργίες επανάληψης", + "Retrying, please wait...": "Επανάληψη, παρακαλώ περιμένετε...", + "Return to top": "Επιστροφή στην κορυφή", "Running the installer...": "Εκτέλεση εγκατάστασης...", "Running the uninstaller...": "Εκτέλεση απεγκατάστασης...", "Running the updater...": "Εκτέλεση ενημέρωσης...", - "Save": "Αποθήκευση", "Save File": "Αποθήκευση Αρχείου", - "Save and close": "Αποθήκευση και κλείσιμο", - "Save as": "Αποθήκευση ως", "Save bundle as": "Αποθήκευση συλλογής ως", "Save now": "Αποθήκευση τώρα", - "Saving packages, please wait...": "Αποθήκευση πακέτων, παρακαλώ περιμένετε...", - "Scoop Installer - WingetUI": "Πρόγραμμα εγκατάστασης Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Πρόγραμμα απεγκατάστασης Scoop - UniGetUI", - "Scoop package": "Πακέτο Scoop", "Search": "Αναζήτηση", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Αναζητήστε λογισμικό για επιτραπέζιους υπολογιστές, προειδοποίηση όταν υπάρχουν διαθέσιμες ενημερώσεις χωρίς εκτέλεση αψυχολόγητων κινήσεων. Δε θέλω το UniGetUI να περιπλέκεται υπερβολικά, θέλω μόνο ένα απλό κατάστημα λογισμικού", - "Search for packages": "Αναζήτηση πακέτων", - "Search for packages to start": "Αναζήτηση πακέτων για εκκίνηση", - "Search mode": "Λειτουργία αναζήτησης", "Search on available updates": "Αναζήτηση στις διαθέσιμες ενημερώσεις", "Search on your software": "Αναζήτηση στις εφαρμογές σας", "Searching for installed packages...": "Αναζήτηση για εγκατεστημένα πακέτα...", "Searching for packages...": "Αναζήτηση πακέτων...", "Searching for updates...": "Αναζήτηση για ενημερώσεις...", - "Select": "Επιλογή", "Select \"{item}\" to add your custom bucket": "Επιλογή «{item}» για προσθήκη στο προσαρμοσμένο καλάθι σας", "Select a folder": "Επιλέξτε έναν φάκελο", - "Select all": "Επιλογή όλων", "Select all packages": "Επιλογή όλων των πακέτων", - "Select backup": "Επιλέξτε αντίγραφο ασφαλείας", "Select only if you know what you are doing.": "Επιλογή μόνο αν γνωρίζετε τι κάνετε.", "Select package file": "Επιλογή αρχείου πακέτου", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Επιλέξτε το αντίγραφο ασφαλείας που θέλετε να ανοίξετε. Αργότερα, θα μπορείτε να ελέγξετε ποια πακέτα θέλετε να εγκαταστήσετε.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Επιλέξτε το εκτελέσιμο αρχείο που θα χρησιμοποιηθεί. Η ακόλουθη λίστα εμφανίζει τα εκτελέσιμα αρχεία που βρέθηκαν από το UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Επιλέξτε τις διεργασίες που θα πρέπει να κλείσουν πριν από την εγκατάσταση, την ενημέρωση ή την απεγκατάσταση αυτού του πακέτου.", - "Select the source you want to add:": "Επιλογή προέλευσης που θέλετε να προσθέσετε:", - "Select upgradable packages by default": "Επιλογή αναβαθμίσιμων πακέτων από προεπιλογή", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Επιλέξτε ποιους διαχειριστές πακέτων θα χρησιμοποιήσετε ({0}), διαμορφώστε τον τρόπο εγκατάστασης των πακέτων, διαχειριστείτε τον τρόπο διαχείρισης των δικαιωμάτων διαχειριστή κλπ.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Η χειραψία εστάλη. Αναμονή για την απάντηση του ακροατή του αντιγράφου της εφαρμογής... ({0}%)", - "Set a custom backup file name": "Ορίστε ένα προσαρμοσμένο όνομα αρχείου αντιγράφου ασφαλείας", "Set custom backup file name": "Ορίστε προσαρμοσμένο όνομα αρχείου αντιγράφου ασφαλείας", - "Settings": "Ρυθμίσεις", - "Share": "Κοινή χρήση", "Share WingetUI": "Κοινή χρήση του UniGetUI", - "Share anonymous usage data": "Κοινή χρήση ανώνυμων δεδομένων χρήσης", - "Share this package": "Κοινή χρήση αυτού του πακέτου", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Σε περίπτωση που τροποποιήσετε τις ρυθμίσεις ασφαλείας, θα χρειαστεί να ανοίξετε ξανά τη συλλογή για να ισχύσουν οι αλλαγές.", "Show UniGetUI on the system tray": "Εμφάνιση του UniGetUI στη γραμμή εργασιών", - "Show UniGetUI's version and build number on the titlebar.": "Προβολή της έκδοσης του UniGetUI στη γραμμή τίτλου", - "Show WingetUI": "Εμφάνιση του UniGetUI", "Show a notification when an installation fails": "Εμφάνιση ειδοποίησης όταν μια εγκατάσταση αποτυγχάνει", "Show a notification when an installation finishes successfully": "Εμφάνιση ειδοποίησης όταν μια εγκατάσταση ολοκληρώνεται επιτυχώς", - "Show a notification when an operation fails": "Εμφάνιση ειδοποίησης όταν μια λειτουργία αποτυγχάνει", - "Show a notification when an operation finishes successfully": "Εμφάνιση ειδοποίησης όταν μια λειτουργία ολοκληρώνεται επιτυχώς", - "Show a notification when there are available updates": "Εμφάνιση ειδοποίησης όταν υπάρχουν διαθέσιμες ενημερώσεις", - "Show a silent notification when an operation is running": "Εμφάνιση σιωπηλής ειδοποίησης όταν εκτελείται μια λειτουργία", "Show details": "Εμφάνιση λεπτομερειών", - "Show in explorer": "Εμφάνιση στον εξερευνητή", "Show info about the package on the Updates tab": "Εμφάνιση πληροφοριών σχετικά με το πακέτο στην καρτέλα Ενημερώσεις", "Show missing translation strings": "Εμφάνιση κειμένου που λείπει η μετάφραση", - "Show notifications on different events": "Εμφάνιση ειδοποιήσεων για διαφορετικά συμβάντα", "Show package details": "Εμφάνιση λεπτομερειών πακέτου", - "Show package icons on package lists": "Εμφάνιση εικονιδίων πακέτων στις λίστες πακέτων", - "Show similar packages": "Εμφάνιση παρόμοιων πακέτων", "Show the live output": "Εμφάνιση του κώδικα σε πραγματικό χρόνο", - "Size": "Μέγεθος", "Skip": "Αγνόηση", - "Skip hash check": "Αγνόηση ελέγχου hash", - "Skip hash checks": "Αγνόηση ελέγχων hash", - "Skip integrity checks": "Αγνόηση ελέγχων ακεραιότητας", - "Skip minor updates for this package": "Αγνόηση μικροενημερώσεων για αυτό το πακέτο", "Skip the hash check when installing the selected packages": "Αγνόηση του ελέγχου hash κατά την εγκατάσταση των επιλεγμένων πακέτων", "Skip the hash check when updating the selected packages": "Αγνόηση του ελέγχου hash κατά την ενημέρωση των επιλεγμένων πακέτων", - "Skip this version": "Αγνόηση αυτής της έκδοσης", - "Software Updates": "Ενημερώσεις Εφαρμογών", - "Something went wrong": "Κάτι πήγε στραβά", - "Something went wrong while launching the updater.": "Κάτι πήγε στραβά κατά το άνοιγμα του προγράμματος ενημέρωσης.", - "Source": "Προέλευση", - "Source URL:": "Διεύθυνση URL προέλευσης:", - "Source added successfully": "Η προέλευση προστέθηκε επιτυχώς", "Source addition failed": "Η προσθήκη της προέλευσης απέτυχε", - "Source name:": "Όνομα προέλευσης:", "Source removal failed": "Η απομάκρυνση της προέλευσης απέτυχε", - "Source removed successfully": "Η απομάκρυνση της προέλευσης ολοκληρώθηκε επιτυχώς", "Source:": "Προέλευση:", - "Sources": "Προελεύσεις", "Start": "Εκκίνηση", "Starting daemons...": "Εκκίνηση δαιμόνων...", - "Starting operation...": "Εκκίνηση λειτουργίας...", "Startup options": "Επιλογές εκκίνησης", "Status": "Κατάσταση", "Stuck here? Skip initialization": "Εχετε κολλήσει εδώ; Αγνοήστε την αρχικοποίηση", - "Success!": "Επιτυχία!", "Suport the developer": "Υποστηρίξτε τον προγραμματιστή", "Support me": "Υποστηρίξτε με", "Support the developer": "Υποστηρίξτε τον προγραμματιστή", "Systems are now ready to go!": "Τα συστήματα είναι έτοιμα για χρήση!", - "Telemetry": "Τηλεμετρία", - "Text": "Κείμενο", "Text file": "Αρχείο κειμένου", - "Thank you ❤": "Σας ευχαριστώ ❤", - "Thank you \uD83D\uDE09": "Σας ευχαριστώ \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Ο διαχειριστής πακέτων Rust.
Περιέχει: βιβλιοθήκες και προγράμματα Rust γραμμένα σε Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Το αντίγραφο ασφαλείας ΔΕΝ θα περιλαμβάνει κανένα δυαδικό αρχείο ούτε αποθηκευμένα δεδομένα οποιουδήποτε προγράμματος.", - "The backup will be performed after login.": "Το αντίγραφο ασφαλείας θα δημιουργηθεί κατά τη σύνδεση.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Το αντίγραφο ασφαλείας θα περιλαμβάνει την πλήρη λίστα των εγκατεστημένων πακέτων και τις επιλογές εγκατάστασής τους. Οι ενημερώσεις που αγνοήθηκαν και οι εκδόσεις που παραλήφθηκαν θα αποθηκευτούν επίσης.", - "The bundle was created successfully on {0}": "Η συλλογή δημιουργήθηκε με επιτυχία στις {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Η συλλογή που προσπαθείτε να φορτώσετε φαίνεται να μην είναι έγκυρη. Ελέγξτε το αρχείο και δοκιμάστε ξανά.", + "Thank you 😉": "Σας ευχαριστώ 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Το άθροισμα ελέγχου του προγράμματος εγκατάστασης δε συμπίπτει με την αναμενόμενη τιμή και η αυθεντικότητα του προγράμματος εγκατάστασης δεν μπορεί να επαληθευτεί. Εάν εμπιστεύεστε τον εκδότη, {0} το πακέτο παραλείποντας ξανά τον έλεγχο hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Ο κλασικός διαχειριστής πακέτων για windows. Θα βρείτε τα πάντα εκεί.
Περιέχει: Γενικό λογισμικό", - "The cloud backup completed successfully.": "Η δημιουργία αντιγράφων ασφαλείας στο cloud ολοκληρώθηκε με επιτυχία.", - "The cloud backup has been loaded successfully.": "Το αντίγραφο ασφαλείας από το cloud φορτώθηκε με επιτυχία.", - "The current bundle has no packages. Add some packages to get started": "Η τρέχουσα συλλογή δεν έχει πακέτα. Προσθέστε ορισμένα πακέτα για να ξεκινήσετε", - "The executable file for {0} was not found": "Το εκτελέσιμο αρχείο για {0} δεν βρέθηκε", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Οι ακόλουθες επιλογές θα εφαρμόζονται από προεπιλογή κάθε φορά που εγκαθίσταται, αναβαθμίζεται ή απεγκαθίσταται ένα πακέτο {0}.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Τα ακόλουθα πακέτα πρόκειται να εξαχθούν σε αρχείο JSON. Δεν πρόκειται να αποθηκευτούν δεδομένα χρήστη ή δυαδικά αρχεία.", "The following packages are going to be installed on your system.": "Τα ακόλουθα πακέτα πρόκειται να εγκατασταθούν στο σύστημά σας.", - "The following settings may pose a security risk, hence they are disabled by default.": "Οι ακόλουθες ρυθμίσεις ενδέχεται να θέτουν σε κίνδυνο την ασφάλεια, επομένως είναι απενεργοποιημένες από προεπιλογή.", - "The following settings will be applied each time this package is installed, updated or removed.": "Οι ακόλουθες ρυθμίσεις θα εφαρμόζονται κάθε φορά που αυτό το πακέτο εγκαθίσταται, ενημερώνεται ή απομακρύνεται.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Οι ακόλουθες ρυθμίσεις θα εφαρμόζονται κάθε φορά που αυτό το πακέτο εγκαθίσταται, ενημερώνεται ή καταργείται. Θα αποθηκευτούν αυτόματα.", "The icons and screenshots are maintained by users like you!": "Τα εικονίδια και τα στιγμιότυπα οθόνης συντηρούνται απο χρήστες όπως εσείς!", - "The installation script saved to {0}": "Το script εγκατάστασης αποθηκεύτηκε στο {0}", - "The installer authenticity could not be verified.": "Η αυθεντικότητα του προγράμματος εγκατάστασης δεν επιβεβαιώνεται.", "The installer has an invalid checksum": "Το πρόγραμμα εγκατάστασης έχει μη έγκυρο άθροισμα ελέγχου", "The installer hash does not match the expected value.": "Το hash του προγράμματος εγκατάστασης δεν ταιριάζει με την αναμενόμενη τιμή.", - "The local icon cache currently takes {0} MB": "Η τρέχουσα τοπική μνήμη cache εικονιδίων καταλαμβάνει {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Ο κύριος στόχος αυτού του έργου είναι να δημιουργήσει μια διαισθητική διεπαφή χρήστη για τη διαχείριση των πιο κοινών διαχειριστών πακέτων CLI για Windows, όπως το Winget και το Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Το πακέτο «{0}» δεν βρέθηκε στον διαχειριστή πακέτων «{1}»", - "The package bundle could not be created due to an error.": "Η συλλογή πακέτων δεν μπορεί να δημιουργηθεί λόγω σφάλματος.", - "The package bundle is not valid": "Η συλλογή πακέτων δεν είναι έγκυρη", - "The package manager \"{0}\" is disabled": "Ο διαχειριστής πακέτων «{0}» είναι απενεργοποιημένος", - "The package manager \"{0}\" was not found": "Ο διαχειριστής πακέτων «{0}» δεν βρέθηκε", "The package {0} from {1} was not found.": "Το πακέτο {0} από {1} δεν βρέθηκε.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Τα πακέτα στη λίστα δε θα ληφθούν υπόψη κατά τον έλεγχο για ενημερώσεις. Πατήστε τα διπλά ή πατήστε στο κουμπί στα δεξιά τους για να σταματήσετε να αγνοείτε τις ενημερώσεις τους.", "The selected packages have been blacklisted": "Τα επιλεγμένα πακέτα έχουν μπει στη μαύρη λίστα", - "The settings will list, in their descriptions, the potential security issues they may have.": "Οι ρυθμίσεις θα αναφέρουν, στις περιγραφές τους, τα πιθανά προβλήματα ασφαλείας που ενδέχεται να έχουν.", - "The size of the backup is estimated to be less than 1MB.": "Το μέγεθος του αντιγράφου ασφαλείας εκτιμάται ότι είναι μικρότερο από 1 MB.", - "The source {source} was added to {manager} successfully": "Η προέλευση {source} προστέθηκε στο {manager} με επιτυχία", - "The source {source} was removed from {manager} successfully": "Η προέλευση {source} αφαιρέθηκε από το {manager} με επιτυχία", - "The system tray icon must be enabled in order for notifications to work": "Το εικονίδιο στη γραμμή εργασιών πρέπει να ενεργοποιηθεί ώστε να δουλεύουν οι ειδοποιήσεις", - "The update process has been aborted.": "Η διαδικασία ενημέρωση έχει ακυρωθεί.", - "The update process will start after closing UniGetUI": "Η διαδικασία ενημέρωσης θα εκκινήσει μετά το κλείσιμο του UniGetUI", "The update will be installed upon closing WingetUI": "Η ενημέρωση θα εγκατασταθεί με το κλείσιμο του UniGetUI", "The update will not continue.": "Η ενημέρωση δεν θα συνεχιστεί.", "The user has canceled {0}, that was a requirement for {1} to be run": "Ο χρήστης ακύρωσε το {0} που ήταν προαπαιτούμενο για την εκτέλεση του {1}", - "There are no new UniGetUI versions to be installed": "Δεν υπάρχουν νέες εκδόσεις UniGetUI για εγκατάσταση", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Υπάρχουν εργασίες σε εξέλιξη. Η διακοπή του UniGetUI μπορεί να προκαλέσει την αποτυχία τους. Θέλετε να συνεχίσετε;", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Υπάρχουν μερικά υπέροχα βίντεο στο YouTube που παρουσιάζουν το UniGetUI και τις δυνατότητές του. Θα μπορούσατε να μάθετε χρήσιμα κόλπα και συμβουλές!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Υπάρχουν δύο βασικοί λόγοι για να μην εκτελείτε το UniGetUI ως διαχειριστής: Ο πρώτος είναι ότι ο διαχειριστής πακέτων Scoop ενδέχεται να προκαλέσει προβλήματα με ορισμένες εντολές όταν εκτελείται με δικαιώματα διαχειριστή. Ο δεύτερος είναι ότι η εκτέλεση του UniGetUI ως διαχειριστής σημαίνει ότι οποιοδήποτε πακέτο που κατεβάζετε θα εκτελείται με δικαιώματα διαχειριστή (και αυτό δεν είναι ασφαλές). Να θυμάστε ότι εάν πρέπει να εγκαταστήσετε ένα συγκεκριμένο πακέτο ως διαχειριστής, μπορείτε πάντα να κάνετε δεξί κλικ στο στοιχείο -> Εγκατάσταση/Ενημέρωση/Κατάργηση εγκατάστασης ως διαχειριστής.", - "There is an error with the configuration of the package manager \"{0}\"": "Υπάρχει ένα σφάλμα με τις ρυθμίσεις του διαχειριστή πακέτων «{0}»", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Μια εγκατάσταση είναι σε εξέλιξη. Εάν κλείσετε το UniGetUI, η εγκατάσταση μπορεί να αποτύχει και να έχει απροσδόκητα αποτελέσματα. Εξακολουθείτε να θέλετε να τερματίσετε το UniGetUI;", "They are the programs in charge of installing, updating and removing packages.": "Είναι τα προγράμματα που είναι υπεύθυνα για την εγκατάσταση, την ενημέρωση και την απομάκρυνση πακέτων.", - "Third-party licenses": "Αδειες τρίτων", "This could represent a security risk.": "Αυτό θα μπορούσε να αποτελέσει κίνδυνο ασφαλείας.", - "This is not recommended.": "Αυτό δεν προτείνεται.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Αυτό οφείλεται πιθανώς στο γεγονός ότι το πακέτο που σας εστάλη αφαιρέθηκε ή δημοσιεύτηκε σε έναν διαχειριστή πακέτων που δεν έχετε ενεργοποιήσει. Η ταυτότητα που ελήφθη είναι {0}", "This is the default choice.": "Αυτή είναι η προεπιλεγμένη επιλογή.", - "This may help if WinGet packages are not shown": "Αυτό μπορεί να βοηθήσει αν τα πακέτα WinGet δεν προβάλονται", - "This may help if no packages are listed": "Αυτό μπορεί να βοηθήσει αν κανένα πακέτο δεν εμφανίζεται", - "This may take a minute or two": "Αυτό μπορεί να πάρει ένα ή δύο λεπτά", - "This operation is running interactively.": "Αυτή η λειτουργία εκτελείται διαδραστικά.", - "This operation is running with administrator privileges.": "Αυτή η λειτουργία εκτελείται με προνόμια διαχειριστή.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Αυτή η επιλογή ΘΑ προκαλέσει προβλήματα. Οποιαδήποτε λειτουργία δεν μπορεί να λάβει αυξημένα δικαιώματα μόνη της ΘΑ ΑΠΟΤΥΧΕΙ. Η εγκατάσταση/ενημέρωση/απεγκατάσταση ως διαχειριστής ΔΕΝ θα λειτουργήσει.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Αυτή η συλλογή είχε ορισμένες ρυθμίσεις που είναι δυνητικά επικίνδυνες και ενδέχεται να αγνοηθεί από προεπιλογή.", "This package can be updated": "Αυτό το πακέτο μπορεί να ενημερωθεί", "This package can be updated to version {0}": "Αυτό το πακέτο μπορεί να ενημερωθεί στην έκδοση {0}", - "This package can be upgraded to version {0}": "Αυτό το πακέτο μπορεί να αναβαθμιστεί στην έκδοση {0}", - "This package cannot be installed from an elevated context.": "Αυτό το πακέτο δεν μπορεί να εγκατασταθεί από περιεχόμενο με αυξημένα δικαιώματα.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Αυτό το πακέτο δεν έχει στιγμιότυπα οθόνης ή λείπει το εικονίδιο; Συνεισφέρετε στο UniGetUI προσθέτοντας τα εικονίδια και τα στιγμιότυπα οθόνης που λείπουν στην ανοιχτή, δημόσια βάση δεδομένων μας.", - "This package is already installed": "Αυτό το πακέτο είναι ήδη εγκατεστημένο", - "This package is being processed": "Αυτό το πακέτο είναι υπο επεξεργασία", - "This package is not available": "Αυτό το πακέτο δεν είναι διαθέσιμο", - "This package is on the queue": "Αυτό το πακέτο είναι στην ουρά", "This process is running with administrator privileges": "Η διεργασία εκτελείται με προνόμια διαχειριστή", - "This project has no connection with the official {0} project — it's completely unofficial.": "Αυτό το έργο δεν έχει καμία σύνδεση με το επίσημο έργο {0} — είναι εντελώς ανεπίσημο.", "This setting is disabled": "Αυτή η ρύθμιση είναι απενεργοποιημένη", "This wizard will help you configure and customize WingetUI!": "Αυτός ο οδηγός θα σας βοηθήσει να διαμορφώσετε και να προσαρμόσετε το UniGetUI!", "Toggle search filters pane": "Εναλλαγή παραθύρου φίλτρων αναζήτησης", - "Translators": "Μεταφραστές", - "Try to kill the processes that refuse to close when requested to": "Προσπάθεια αναγκαστικού τερματισμού των διεργασιών που αρνούνται να κλείσουν όταν τους ζητηθεί", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Η ενεργοποίηση αυτής της επιλογής επιτρέπει την αλλαγή του εκτελέσιμου αρχείου που χρησιμοποιείται για την αλληλεπίδραση με τους διαχειριστές πακέτων. Ενώ αυτό επιτρέπει την πιο λεπτομερή προσαρμογή των διαδικασιών εγκατάστασης, μπορεί επίσης να είναι επικίνδυνο.", "Type here the name and the URL of the source you want to add, separed by a space.": "Πληκτρολογήστε εδώ το όνομα και τη διεύθυνση URL της προέλευσης που θέλετε να προσθέσετε, διαχωρισμένα με ένα κενό.", "Unable to find package": "Αδύνατη η εύρεση του πακέτου", "Unable to load informarion": "Αδύνατη η φόρτωση πληροφοριών", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "Το UniGetUI συλλέγει ανώνυμα δεδομένα χρήσης ώστε να βελτιώσει την εμπειρία του χρήστη.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Το UniGetUI συλλέγει ανώνυμα δεδομένα χρήσης με μοναδικό σκοπό κατανόησης και βελτίωσης της εμπειρίας χρήσης.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Το UniGetUI ανίχνευσε μια νέα συντόμευση επιφάνειας εργασίας που μπορεί να διαγραφεί αυτόματα.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Το UniGetUI ανίχνευσε τις ακόλουθες συντομεύσεις επιφάνειας εργασίας που μπορούν να απομακρυνθούν αυτόματα σε μελλοντικές αναβαθμίσεις", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Το UniGetUI ανίχνευσε {0} νέες συντομεύσεις επιφάνειας εργασίας που μπορούν να διαγραφούν αυτόματα.", - "UniGetUI is being updated...": "Το UniGetUI έχει ενημερωθεί...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Το UniGetUI δε σχετίζεται με κανέναν από τους συμβατούς διαχειριστές πακέτων. Το UniGetUI είναι ένα ανεξάρτητο έργο.", - "UniGetUI on the background and system tray": "Το UniGetUI στο υπόβαθρο και στη γραμμή εργασιών", - "UniGetUI or some of its components are missing or corrupt.": "Το UniGetUI ή ορισμένα από τα στοιχεία του λείπουν ή είναι κατεστραμμένα.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "Το UniGetUI απαιτεί {0} για να λειτουργήσει αλλά δεν βρέθηκε στο σύστημά σας.", - "UniGetUI startup page:": "Σελίδα έναρξης του UniGetUI:", - "UniGetUI updater": "Αναβαθμιστής UniGetUI", - "UniGetUI version {0} is being downloaded.": "Η έκδοση {0} του UniGetUI λαμβάνεται.", - "UniGetUI {0} is ready to be installed.": "Το UniGetUI {0} είναι έτοιμο για εγκατάσταση.", - "Uninstall": "Απεγκατάσταση", - "Uninstall Scoop (and its packages)": "Απεγκατάσταση του Scoop (και των πακέτων του)", "Uninstall and more": "Απεγκατάσταση και άλλα", - "Uninstall and remove data": "Απεγκατάσταση και κατάργηση δεδομένων", - "Uninstall as administrator": "Απεγκατάσταση ως διαχειριστής", "Uninstall canceled by the user!": "Η απεγκατάσταση ακυρώθηκε απο τον χρήστη!", - "Uninstall failed": "Η απεγκατάσταση απέτυχε", - "Uninstall options": "Επιλογές απεγκατάστασης", - "Uninstall package": "Απεγκατάσταση πακέτου", - "Uninstall package, then reinstall it": "Απεγκατάσταση πακέτου, μετά εγκατάσταση αυτού ξανά", - "Uninstall package, then update it": "Απεγκατάσταση πακέτου, μετά ενημέρωση αυτού", - "Uninstall previous versions when updated": "Απεγκατάσταση προηγούμενων εκδόσεων κατά την ενημέρωση", - "Uninstall selected packages": "Απεγκατάσταση επιλεγμένων πακέτων", - "Uninstall selection": "Απεγκατάσταση επιλεγμένων", - "Uninstall succeeded": "Η απεγκατάσταση έγινε με επιτυχία", "Uninstall the selected packages with administrator privileges": "Απεγκατάσταση των επιλεγμένων πακέτων ως διαχειριστής", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Τα πακέτα που δεν μπορούν να απεγκατασταθούν με την προέλευση που αναφέρεται ως «{0}» δε δημοσιεύονται σε κανέναν διαχειριστή πακέτων, επομένως δεν υπάρχουν διαθέσιμες πληροφορίες σχετικά με αυτά για να εμφανιστούν.", - "Unknown": "Άγνωστο", - "Unknown size": "Αγνωστο μέγεθος", - "Unset or unknown": "Μη ορισμένο ή άγνωστο", - "Up to date": "Ενημερωμένο", - "Update": "Ενημέρωση", - "Update WingetUI automatically": "Αυτόματη ενημέρωση UniGetUI", - "Update all": "Ενημέρωση όλων", "Update and more": "Ενημέρωση και άλλα", - "Update as administrator": "Ενημέρωση ως διαχειριστής", - "Update check frequency, automatically install updates, etc.": "Συχνότητα ελέγχου για ενημερώσεις, αυτόματη εγκατάσταση ενημερώσεων κλπ.", - "Update checking": "Ελεγχος για ενημερώσεις", "Update date": "Ημερομηνία ενημέρωσης", - "Update failed": "Η ενημέρωση απέτυχε", "Update found!": "Βρέθηκε ενημέρωση!", - "Update now": "Ενημέρωση τώρα", - "Update options": "Επιλογές ενημέρωσης", "Update package indexes on launch": "Ενημέρωση ευρετηρίων πακέτων κατά την εκκίνηση", "Update packages automatically": "Αυτόματη ενημέρωση πακέτων", "Update selected packages": "Ενημέρωση επιλεγμένων πακέτων", "Update selected packages with administrator privileges": "Ενημέρωση επιλεγμένων πακέτων με προνόμια διαχειριστή", - "Update selection": "Ενημέρωση επιλεγμένων", - "Update succeeded": "Η ενημέρωση έγινε με επιτυχία", - "Update to version {0}": "Ενημέρωση στην έκδοση {0}", - "Update to {0} available": "Υπάρχει διαθέσιμη ενημέρωση για το {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Αυτόματη ενημέρωση αρχείων θύρας Αποθετηρίου vcpkg (απαιτεί εγκατεστημένο Αποθετήριο)", "Updates": "Ενημερώσεις", "Updates available!": "Διαθέσιμες ενημερώσεις!", - "Updates for this package are ignored": "Οι ενημερώσεις γι' αυτό το πακέτο αγνοούνται", - "Updates found!": "Βρέθηκαν ενημερώσεις!", "Updates preferences": "Προτιμήσεις ενημερώσεων", "Updating WingetUI": "Ενημέρωση του UniGetUI", "Url": "Διεύθυνση URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Χρήση των πακέτων παλαιού τύπου WinGet αντί για τις Συλλογές Εντολών PowerShell", - "Use a custom icon and screenshot database URL": "Χρήση διεύθυνσης URL προσαρμοσμένης βάσης δεδομένων για εικονίδια και στιγμιότυπα οθόνης", "Use bundled WinGet instead of PowerShell CMDlets": "Χρήση των πακέτων WinGet αντί για τις Συλλογές Εντολών PowerShell", - "Use bundled WinGet instead of system WinGet": "Χρήση συλλογών WinGet αντί για το WinGet συστήματος", - "Use installed GSudo instead of UniGetUI Elevator": "Χρήση του εγκατεστημένου GSudo αντί για το UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Χρήση του εγκατεστημένου GSudo αντί του ενσωματωμένου", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Χρήση παλαιού UniGetUI Elevator (απενεργοποίηση υποστήριξης AdminByRequest)", - "Use system Chocolatey": "Χρήση Chocolatey συστήματος", "Use system Chocolatey (Needs a restart)": "Χρήση Chocolatey συστήματος (Απαιτείται επανεκκίνηση)", "Use system Winget (Needs a restart)": "Χρήση Winget συστήματος (Απαιτείται επανεκκίνηση)", "Use system Winget (System language must be set to english)": "Χρήση Winget συστήματος (η γλώσσα συστήματος πρέπει να οριστεί στα Αγγλικά)", "Use the WinGet COM API to fetch packages": "Χρήση του WinGet COM API για λήψη πακέτων", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Χρήση του WinGet PowerShell Module αντί του WinGet COM API", - "Useful links": "Χρήσιμοι σύνδεσμοι", "User": "Χρήστης", - "User interface preferences": "Προτιμήσεις περιβάλλοντος χρήστη", "User | Local": "Χρήστης | Τοπικό", - "Username": "Όνομα χρήστη", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Η χρήση του UniGetUI συνεπάγεται την αποδοχή της Γενικής Δημόσιας Άδειας GNU Lesser v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Η χρήση του UniGetUI συνεπάγεται την αποδοχή της άδειας MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Η ρίζα Vcpkg δεν βρέθηκε. Ορίστε τη μεταβλητή περιβάλλοντος %VCPKG_ROOT% ή ορίστε την από τις Ρυθμίσεις του UniGetUI", "Vcpkg was not found on your system.": "Το Vcpkg δεν βρέθηκε στο σύστημά σας.", - "Verbose": "Πολύλογος", - "Version": "Εκδοση", - "Version to install:": "Έκδοση για εγκατάσταση:", - "Version:": "Εκδοση:", - "View GitHub Profile": "Προβολή προφίλ στο GitHub", "View WingetUI on GitHub": "Δείτε το UniGetUI στο GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Δείτε τον κώδικα προέλευσης του UniGetUI. Από εκεί, μπορείτε να αναφέρετε σφάλματα ή να προτείνετε λειτουργίες ή ακόμα και να συμβάλετε απευθείας στο έργο UniGetUI ", - "View mode:": "Κατάσταση προβολής:", - "View on UniGetUI": "Δείτε το στο UniGetUI", - "View page on browser": "Προβολή σελίδας στο φυλλομετρητή", - "View {0} logs": "Δείτε {0} καταγραφές", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Περιμένετε να συνδεθεί η συσκευή στο διαδίκτυο πριν επιχειρήσετε να κάνετε εργασίες που απαιτούν σύνδεση στο Διαδίκτυο.", "Waiting for other installations to finish...": "Αναμονή ολοκλήρωσης άλλων εγκαταστάσεων...", "Waiting for {0} to complete...": "Αναμονή για το {0} να ολοκληρωθεί...", - "Warning": "Προειδοποίηση", - "Warning!": "Προειδοποίηση!", - "We are checking for updates.": "Ελέγχουμε για αναβαθμίσεις.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Δεν ήταν δυνατή η φόρτωση λεπτομερών πληροφοριών σχετικά με αυτό το πακέτο, επειδή δε βρέθηκε σε καμία από τις προελεύσεις πακέτου σας.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Δεν μπορέσαμε να φορτώσουμε λεπτομέρειες για το συγκεκριμένο πακέτο, διότι δεν εγκαταστάθηκε από τους διαθέσιμους διαχειριστές πακέτων.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Δεν ήταν δυνατή η {action} του {package}. Δοκιμάστε ξανά αργότερα. Πατήστε στο «{showDetails}» για να λάβετε τα αρχεία καταγραφής από το πρόγραμμα εγκατάστασης.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Δεν ήταν δυνατή η {action} του {package}. Δοκιμάστε ξανά αργότερα. Πατήστε στο «{showDetails}» για να λάβετε τα αρχεία καταγραφής από το πρόγραμμα απεγκατάστασης.", "We couldn't find any package": "Δεν βρέθηκε κανένα πακέτο", "Welcome to WingetUI": "Καλωσορίσατε στο UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Κατά την μαζική εγκατάσταση πακέτων από μια συλλογή, εγκαταστήστε επίσης πακέτα που είναι ήδη εγκατεστημένα", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Όταν νέες συντομεύσεις ανιχνεύονται θα διαγράφονται αυτόματα αντί για εμφάνιση αυτού του παραθύρου.", - "Which backup do you want to open?": "Ποιο αντίγραφο ασφαλείας θέλετε να ανοίξετε;", "Which package managers do you want to use?": "Ποιους διαχειριστές πακέτων θέλετε να χρησιμοποιήσετε;", "Which source do you want to add?": "Ποια προέλευση θέλετε να προσθέσετε;", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Ενώ το Winget μπορεί να χρησιμοποιηθεί στο UniGetUI, το UniGetUI μπορεί να χρησιμοποιηθεί με άλλους διαχειριστές πακέτων, κάτι που μπορεί να προκαλέσει σύγχυση. Στο παρελθόν, το UniGetUI είχε σχεδιαστεί για να λειτουργεί μόνο με το Winget, αλλά αυτό δεν ισχύει πλέον και επομένως το UniGetUI δεν αντιπροσωπεύει τον στόχο αυτού του έργου.", - "WinGet could not be repaired": "Το WinGet δεν μπορεί να επισκευαστεί", - "WinGet malfunction detected": "Ανιχνεύτηκε δυσλειτουργία του WinGet", - "WinGet was repaired successfully": "Το WinGet επισκευάστηκε επιτυχώς", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "WingetUI - Ολα είναι ενημερωμένα", "WingetUI - {0} updates are available": "WingetUI - {0} διαθέσιμες ενημερώσεις", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "Αρχική σελίδα UniGetUI", "WingetUI Homepage - Share this link!": "Αρχική σελίδα UniGetUI - Κοινή χρήση αυτού του συνδέσμου!", - "WingetUI License": "Αδεια UniGetUI", - "WingetUI Log": "Αρχείο καταγραφής UniGetUI", - "WingetUI Repository": "Αποθετήριο UniGetUI", - "WingetUI Settings": "Ρυθμίσεις UniGetUI", "WingetUI Settings File": "Αρχείο ρυθμίσεων UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Το UniGetUI χρησιμοποιεί τις ακόλουθες βιβλιοθήκες. Χωρίς αυτές, το UniGetUI δε θα υπήρχε.", - "WingetUI Version {0}": "UniGetUI Εκδοση {0}", "WingetUI autostart behaviour, application launch settings": "Συμπεριφορά αυτόματης εκκίνησης UniGetUI, ρυθμίσεις εκκίνησης εφαρμογής", "WingetUI can check if your software has available updates, and install them automatically if you want to": "Το UniGetUI μπορεί να ελέγχει εάν το λογισμικό σας έχει διαθέσιμες ενημερώσεις και να τις εγκαθιστά αυτόματα αν θέλετε", - "WingetUI display language:": "Γλώσσα εμφάνισης UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Το UniGetUI έχει εκτελεστεί με δικαιώματα διαχειριστή, κάτι που δεν συνιστάται. Οταν εκτελείτε το UniGetUI ως διαχειριστής, ΚΑΘΕ λειτουργία που ξεκινά από το UniGetUI θα έχει δικαιώματα διαχειριστή. Μπορείτε ακόμα να χρησιμοποιήσετε το πρόγραμμα, αλλά συνιστούμε ανεπιφύλακτα να μην εκτελείτε το WingetUI με δικαιώματα διαχειριστή.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "Το UniGetUI έχει μεταφραστεί σε περισσότερες από 40 γλώσσες χάρη στους εθελοντές μεταφραστές. Ευχαριστώ \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "Το UniGetUI δεν έχει μεταφραστεί αυτόματα. Οι ακόλουθοι χρήστες έχουν αναλάβει τις μεταφράσεις:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "Το UniGetUI είναι μια εφαρμογή που διευκολύνει τη διαχείριση του λογισμικού σας, παρέχοντας ένα γραφικό περιβάλλον χρήστη όλα σε ένα για τους διαχειριστές πακέτων γραμμής εντολών σας.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "Το UniGetUI αλλάζει όνομα για να τονιστεί η διαφορά μεταξύ του UniGetUI (το περιβάλλον χρήστη που χρησιμοποιείτε αυτήν τη στιγμή) και του Winget (ένας διαχειριστής πακέτων που αναπτύχθηκε από τη Microsoft με την οποία δεν έχω καμία σχέση)", "WingetUI is being updated. When finished, WingetUI will restart itself": "Το UniGetUI ενημερώνεται. Όταν η ενημέρωση ολοκληρωθεί, το UniGetUI θα κάνει αυτόματα επανεκκίνηση", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "Το UniGetUI είναι και θα είναι πάντα δωρεάν. Χωρίς διαφημίσεις, χωρίς πιστωτική κάρτα, χωρίς έκδοση premium. 100% δωρεάν, για πάντα.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "Το UniGetUI θα εμφανίζει μια προτροπή UAC κάθε φορά που ένα πακέτο απαιτεί αύξηση δικαιωμάτων για να εγκατασταθεί.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "Το UniGetUI θα ονομαστεί σύντομα {newname}. Αυτό δεν θα αντιπροσωπεύει καμία αλλαγή στην εφαρμογή. Εγώ (ο προγραμματιστής) θα συνεχίσω την ανάπτυξη αυτού του έργου όπως κάνω αυτή τη στιγμή, αλλά με διαφορετικό όνομα.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "Το UniGetUI δε θα υπήρχε χωρίς τη βοήθεια των αγαπημένων μας συνεισφερόντων. Ρίξτε μια ματιά στο προφίλ τους στο GitHub, το UniGetUI δε θα μπορούσε να υπάρχει χωρίς αυτούς!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "Το UniGetUI δε θα ήταν δυνατό χωρίς τη βοήθεια των συνεισφερόντων. Σας ευχαριστώ όλους \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "Το UniGetUI {0} είναι έτοιμο για εγκατάσταση.", - "Write here the process names here, separated by commas (,)": "Γράψτε εδώ τα ονόματα των διεργασιών, διαχωρισμένα με κόμματα (,)", - "Yes": "Ναι", - "You are logged in as {0} (@{1})": "Εχετε συνδεθεί ως {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Μπορείτε να αλλάξετε αυτήν τη συμπεριφορά στις ρυθμίσεις ασφαλείας του UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Μπορείτε να ορίσετε τις εντολές που θα εκτελούνται πριν ή μετά την εγκατάσταση, την ενημέρωση ή την απεγκατάσταση αυτού του πακέτου. Θα εκτελούνται σε μια γραμμή εντολών, επομένως τα CMD scripts θα λειτουργούν εδώ.", - "You have currently version {0} installed": "Αυτήν τη στιγμή έχετε εγκαταστήσει την έκδοση {0}", - "You have installed WingetUI Version {0}": "Έχετε εγκατεστημένη την έκδοση {0} του UniGetUI", - "You may lose unsaved data": "Ενδέχεται να χάσετε μη αποθηκευμένα δεδομένα", - "You may need to install {pm} in order to use it with WingetUI.": "Ίσως χρειαστεί να εγκαταστήσετε το {pm} για να το χρησιμοποιήσετε με το UniGetUI.", "You may restart your computer later if you wish": "Μπορείτε αν θέλετε να κάνετε επανεκκίνηση του υπολογιστή σας αργότερα", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Θα ερωτηθείτε μόνο μια φορά, και τα δικαιώματα διαχειριστή θα παραχωρούνται αυτόματα σε πακέτα που τα χρειάζονται.", "You will be prompted only once, and every future installation will be elevated automatically.": "Θα ερωτηθείτε μόνο μία φορά και σε κάθε μελλοντική εγκατάσταση τα δικαιώματα θα αυξάνονται αυτόματα.", - "You will likely need to interact with the installer.": "Πιθανόν, να χρειαστείτε να διαδράσετε με το πρόγραμμα εγκατάστασης", - "[RAN AS ADMINISTRATOR]": "ΕΚΤΕΛΕΣΗ ΩΣ ΔΙΑΧΕΙΡΙΣΤΗΣ", "buy me a coffee": "αγοράστε μου έναν καφέ", - "extracted": "αποσυμπιεσμένο", - "feature": "χαρακτηριστικό", "formerly WingetUI": "πρώην WingetUI", "homepage": "ιστοσελίδα", "install": "εγκατάσταση", "installation": "εγκατάσταση", - "installed": "εγκατεστημένο", - "installing": "εγκατάσταση", - "library": "βιβλιοθήκη", - "mandatory": "επιτακτικό", - "option": "επιλογή", - "optional": "προαιρετικό", "uninstall": "απεγκατάσταση", "uninstallation": "απεγκατάσταση", "uninstalled": "απεγκατεστημένο", - "uninstalling": "απεγκατάσταση", "update(noun)": "ενημέρωση", "update(verb)": "ενημερώνω", "updated": "ενημερωμένο", - "updating": "ενημέρωση", - "version {0}": "έκδοση {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Οι επιλογές εγκατάστασης είναι αυτήν τη στιγμή κλειδωμένες επειδή το {0} ακολουθεί τις προεπιλεγμένες επιλογές εγκατάστασης.", "{0} Uninstallation": "Απεγκατάσταση του {0}", "{0} aborted": "{0} ματαιωμένο", "{0} can be updated": "Το {0} μπορεί να ενημερωθεί", - "{0} can be updated to version {1}": "Το {0} μπορεί να ενημερωθεί στην έκδοση {1}", - "{0} days": "{0} ημέρες", - "{0} desktop shortcuts created": "{0} συντομεύσεις επιφάνειας εργασίας δημιουργήθηκαν", "{0} failed": "{0} αποτυχημένο", - "{0} has been installed successfully.": "Το {0} εγκαταστάθηκε με επιτυχία", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "Το {0} εγκαταστάθηκε με επιτυχία. Συνιστάται η επανεκκίνηση του UniGetUI για την ολοκλήρωση της εγκατάστασης", "{0} has failed, that was a requirement for {1} to be run": "{0} απέτυχε που ήταν προαπαιτούμενο για το {1} για να εκτελεστεί", - "{0} homepage": "Αρχική σελίδα {0}", - "{0} hours": "{0} ώρες", "{0} installation": "{0} εγκατάσταση", - "{0} installation options": "{0} επιλογές εγκατάστασης", - "{0} installer is being downloaded": "{0} πρόγραμμα εγκατάστασης λαμβάνεται", - "{0} is being installed": "Το {0} εγκαθίσταται", - "{0} is being uninstalled": "Το {0} απεγκαθίσταται", "{0} is being updated": "Το {0} ενημερώνεται", - "{0} is being updated to version {1}": "Το {0} ενημερώνεται στην έκδοση {1}", - "{0} is disabled": "Το {0} είναι απενεργοποιημένο", - "{0} minutes": "{0} λεπτά", "{0} months": "{0} μήνες", - "{0} packages are being updated": "{0} πακέτα ενημερώνονται", - "{0} packages can be updated": "{0} πακέτα μπορούν να ενημερωθούν", "{0} packages found": "Βρέθηκαν {0} πακέτα", "{0} packages were found": "Βρέθηκαν {0} πακέτα", - "{0} packages were found, {1} of which match the specified filters.": "Βρέθηκαν {0} πακέτα, {1} από τα οποία ταιριάζουν με τα καθορισμένα φίλτρα.", - "{0} selected": "{0} επιλεγμένα", - "{0} settings": "{0} ρυθμίσεις", - "{0} status": "{0} κατάσταση", "{0} succeeded": "{0} επιτυχήμένα", "{0} update": "{0} ενημέρωση", - "{0} updates are available": "{0} ενημερώσεις είναι διαθέσιμες", "{0} was {1} successfully!": "Το {0} {1} με επιτυχία!", "{0} weeks": "{0} εβδομάδες", "{0} years": "{0} έτη", "{0} {1} failed": "{0} {1} απέτυχε", - "{package} Installation": "Εγκατάσταση {package}", - "{package} Uninstall": "Απεγκατάσταση {package}", - "{package} Update": "Ενημέρωση {package}", - "{package} could not be installed": "Δεν ήταν δυνατή η εγκατάσταση του {package}", - "{package} could not be uninstalled": "Δεν ήταν δυνατή η απεγκατάσταση του {package}", - "{package} could not be updated": "Δεν ήταν δυνατή η ενημέρωση του {package}", "{package} installation failed": "Η εγκατάσταση του {package} απέτυχε", - "{package} installer could not be downloaded": "Το πρόγραμμα εγκατάστασης {package} δεν ελήφθει", - "{package} installer download": "Το πρόγραμμα εγκατάστασης {package} λαμβάνεται", - "{package} installer was downloaded successfully": "Το πρόγραμμα εγκατάστασης {package} ελήφθη επιτυχώς", "{package} uninstall failed": "Η απεγκατάσταση του {package} απέτυχε", "{package} update failed": "Η ενημέρωση του {package} απέτυχε", "{package} update failed. Click here for more details.": "Η εγκατάσταση του {package} απέτυχε. Πατήστε εδώ για περισσότερες λεπτομέρειες.", - "{package} was installed successfully": "Το {package} εγκαταστάθηκε με επιτυχία", - "{package} was uninstalled successfully": "Το {package} απεγκαταστάθηκε με επιτυχία", - "{package} was updated successfully": "Το {package} ενημερώθηκε με επιτυχία", - "{pcName} installed packages": "Εγκατεστημένα πακέτα στο {pcName}", "{pm} could not be found": "Αποτυχία εύρεσης του {pm}", "{pm} found: {state}": "Το {pm} βρέθηκε: {state}", - "{pm} is disabled": "Το {pm} είναι απενεργοποιημένο", - "{pm} is enabled and ready to go": "Το {pm} είναι ενεργοποιημένο και έτοιμο για χρήση", "{pm} package manager specific preferences": "{pm} προτιμήσεις διαχειρίσεων πακέτων", "{pm} preferences": "{pm} προτιμήσεις", - "{pm} version:": "Εκδοση {pm}:", - "{pm} was not found!": "Το {pm} δεν βρέθηκε!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Γεια σας, ονομάζομαι Martí, και είμαι ο προγραμματιστής του UniGetUI. Το UniGetUI κατασκευάστηκε εξολοκλήρου στον ελεύθερό μου χρόνο!", + "Thank you ❤": "Σας ευχαριστώ ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Αυτό το έργο δεν έχει καμία σύνδεση με το επίσημο έργο {0} — είναι εντελώς ανεπίσημο." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json index 0ed3e8094b..d10937885a 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_en.json @@ -1,157 +1,795 @@ { + "Operation in progress": "Operation in progress", + "Please wait...": "Please wait...", + "Success!": "Success!", + "Failed": "Failed", + "An error occurred while processing this package": "An error occurred while processing this package", + "Log in to enable cloud backup": "Log in to enable cloud backup", + "Backup Failed": "Backup Failed", + "Downloading backup...": "Downloading backup...", + "An update was found!": "An update was found!", + "{0} can be updated to version {1}": "{0} can be updated to version {1}", + "Updates found!": "Updates found!", + "{0} packages can be updated": "{0} packages can be updated", + "You have currently version {0} installed": "You have currently version {0} installed", + "Desktop shortcut created": "Desktop shortcut created", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI has detected a new desktop shortcut that can be deleted automatically.", + "{0} desktop shortcuts created": "{0} desktop shortcuts created", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.", + "Are you sure?": "Are you sure?", + "Do you really want to uninstall {0}?": "Do you really want to uninstall {0}?", + "Do you really want to uninstall the following {0} packages?": "Do you really want to uninstall the following {0} packages?", + "No": "No", + "Yes": "Yes", + "View on UniGetUI": "View on UniGetUI", + "Update": "Update", + "Open UniGetUI": "Open UniGetUI", + "Update all": "Update all", + "Update now": "Update now", + "This package is on the queue": "This package is on the queue", + "installing": "installing", + "updating": "updating", + "uninstalling": "uninstalling", + "installed": "installed", + "Retry": "Retry", + "Install": "Install", + "Uninstall": "Uninstall", + "Open": "Open", + "Operation profile:": "Operation profile:", + "Follow the default options when installing, upgrading or uninstalling this package": "Follow the default options when installing, upgrading or uninstalling this package", + "The following settings will be applied each time this package is installed, updated or removed.": "The following settings will be applied each time this package is installed, updated or removed.", + "Version to install:": "Version to install:", + "Architecture to install:": "Architecture to install:", + "Installation scope:": "Installation scope:", + "Install location:": "Install location:", + "Select": "Select", + "Reset": "Reset", + "Custom install arguments:": "Custom install arguments:", + "Custom update arguments:": "Custom update arguments:", + "Custom uninstall arguments:": "Custom uninstall arguments:", + "Pre-install command:": "Pre-install command:", + "Post-install command:": "Post-install command:", + "Abort install if pre-install command fails": "Abort install if pre-install command fails", + "Pre-update command:": "Pre-update command:", + "Post-update command:": "Post-update command:", + "Abort update if pre-update command fails": "Abort update if pre-update command fails", + "Pre-uninstall command:": "Pre-uninstall command:", + "Post-uninstall command:": "Post-uninstall command:", + "Abort uninstall if pre-uninstall command fails": "Abort uninstall if pre-uninstall command fails", + "Command-line to run:": "Command-line to run:", + "Save and close": "Save and close", + "General": "General", + "Architecture & Location": "Architecture & Location", + "Command-line": "Command-line", + "Pre/Post install": "Pre/Post install", + "Run as admin": "Run as admin", + "Interactive installation": "Interactive installation", + "Skip hash check": "Skip hash check", + "Uninstall previous versions when updated": "Uninstall previous versions when updated", + "Skip minor updates for this package": "Skip minor updates for this package", + "Automatically update this package": "Automatically update this package", + "{0} installation options": "{0} installation options", + "Latest": "Latest", + "PreRelease": "PreRelease", + "Default": "Default", + "Manage ignored updates": "Manage ignored updates", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.", + "Reset list": "Reset list", + "Do you really want to reset the ignored updates list? This action cannot be reverted": "Do you really want to reset the ignored updates list? This action cannot be reverted", + "No ignored updates": "No ignored updates", + "Package Name": "Package Name", + "Package ID": "Package ID", + "Ignored version": "Ignored version", + "New version": "New version", + "Source": "Source", + "All versions": "All versions", + "Unknown": "Unknown", + "Up to date": "Up to date", + "Cancel": "Cancel", + "Administrator privileges": "Administrator privileges", + "This operation is running with administrator privileges.": "This operation is running with administrator privileges.", + "Interactive operation": "Interactive operation", + "This operation is running interactively.": "This operation is running interactively.", + "You will likely need to interact with the installer.": "You will likely need to interact with the installer.", + "Integrity checks skipped": "Integrity checks skipped", + "Integrity checks will not be performed during this operation.": "Integrity checks will not be performed during this operation.", + "Proceed at your own risk.": "Proceed at your own risk.", + "Close": "Close", + "Loading...": "Loading...", + "Installer SHA256": "Installer SHA256", + "Homepage": "Homepage", + "Author": "Author", + "Publisher": "Publisher", + "License": "License", + "Manifest": "Manifest", + "Installer Type": "Installer Type", + "Size": "Size", + "Installer URL": "Installer URL", + "Last updated:": "Last updated:", + "Release notes URL": "Release notes URL", + "Package details": "Package details", + "Dependencies:": "Dependencies:", + "Release notes": "Release notes", + "Version": "Version", + "Install as administrator": "Install as administrator", + "Update to version {0}": "Update to version {0}", + "Installed Version": "Installed Version", + "Update as administrator": "Update as administrator", + "Interactive update": "Interactive update", + "Uninstall as administrator": "Uninstall as administrator", + "Interactive uninstall": "Interactive uninstall", + "Uninstall and remove data": "Uninstall and remove data", + "Not available": "Not available", + "Installer SHA512": "Installer SHA512", + "Unknown size": "Unknown size", + "No dependencies specified": "No dependencies specified", + "mandatory": "mandatory", + "optional": "optional", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} is ready to be installed.", + "The update process will start after closing UniGetUI": "The update process will start after closing UniGetUI", + "UniGetUI has been ran as administrator, which is not recommended. When running UniGetUI as administrator, EVERY operation launched from UniGetUI will have administrator privileges. You can still use the program, but we highly recommend not running UniGetUI with administrator privileges.": "UniGetUI has been ran as administrator, which is not recommended. When running UniGetUI as administrator, EVERY operation launched from UniGetUI will have administrator privileges. You can still use the program, but we highly recommend not running UniGetUI with administrator privileges.", + "Share anonymous usage data": "Share anonymous usage data", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI collects anonymous usage data in order to improve the user experience.", + "Accept": "Accept", + "You have installed WingetUI Version {0}": "You have installed UniGetUI Version {0}", + "Disclaimer": "Disclaimer", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.", + "{0} homepage": "{0} homepage", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝", + "Verbose": "Verbose", + "1 - Errors": "1 - Errors", + "2 - Warnings": "2 - Warnings", + "3 - Information (less)": "3 - Information (less)", + "4 - Information (more)": "4 - Information (more)", + "5 - information (debug)": "5 - Information (debug)", + "Warning": "Warning", + "The following settings may pose a security risk, hence they are disabled by default.": "The following settings may pose a security risk, hence they are disabled by default.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Enable the settings below IF AND ONLY IF you fully understand what they do, and the implications and dangers they may involve.", + "The settings will list, in their descriptions, the potential security issues they may have.": "The settings will list, in their descriptions, the potential security issues they may have.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.", + "The backup will NOT include any binary file nor any program's saved data.": "The backup will NOT include any binary file nor any program's saved data.", + "The size of the backup is estimated to be less than 1MB.": "The size of the backup is estimated to be less than 1MB.", + "The backup will be performed after login.": "The backup will be performed after login.", + "{pcName} installed packages": "{pcName} installed packages", + "Current status: Not logged in": "Current status: Not logged in", + "You are logged in as {0} (@{1})": "You are logged in as {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Nice! Backups will be uploaded to a private gist on your account", + "Select backup": "Select backup", + "WingetUI Settings": "UniGetUI Settings", + "Allow pre-release versions": "Allow pre-release versions", + "Apply": "Apply", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this.": "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this.", + "Go to UniGetUI security settings": "Go to UniGetUI security settings", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.", + "Package's default": "Package's default", + "Install location can't be changed for {0} packages": "Install location can't be changed for {0} packages", + "The local icon cache currently takes {0} MB": "The local icon cache currently takes {0} MB", + "Username": "Username", + "Password": "Password", + "Credentials": "Credentials", + "It is not guaranteed that the provided credentials will be stored safely": "It is not guaranteed that the provided credentials will be stored safely", + "Partially": "Partially", + "Package manager": "Package manager", + "Compatible with proxy": "Compatible with proxy", + "Compatible with authentication": "Compatible with authentication", + "Proxy compatibility table": "Proxy compatibility table", + "{0} settings": "{0} settings", + "{0} status": "{0} status", + "Default installation options for {0} packages": "Default installation options for {0} packages", + "Expand version": "Expand version", + "The executable file for {0} was not found": "The executable file for {0} was not found", + "{pm} is disabled": "{pm} is disabled", + "Enable it to install packages from {pm}.": "Enable it to install packages from {pm}.", + "{pm} is enabled and ready to go": "{pm} is enabled and ready to go", + "{pm} version:": "{pm} version:", + "{pm} was not found!": "{pm} was not found!", + "You may need to install {pm} in order to use it with WingetUI.": "You may need to install {pm} in order to use it with UniGetUI.", + "Scoop Installer - WingetUI": "Scoop Installer - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop Uninstaller - UniGetUI", + "Clearing Scoop cache - WingetUI": "Clearing Scoop cache - UniGetUI", + "Restart UniGetUI to fully apply changes": "Restart UniGetUI to fully apply changes", + "Restart UniGetUI": "Restart UniGetUI", + "Manage {0} sources": "Manage {0} sources", + "Add source": "Add source", + "Add": "Add", + "Source name": "Source name", + "Source URL": "Source URL", + "Other": "Other", + "No minimum age": "No minimum age", + "1 day": "a day", + "{0} days": "{0} days", + "Custom...": "Custom...", + "{0} minutes": "{0} minutes", + "1 hour": "an hour", + "{0} hours": "{0} hours", + "1 week": "1 week", + "Supports release dates": "Supports release dates", + "Release date support per package manager": "Release date support per package manager", + "WingetUI Version {0}": "UniGetUI Version {0}", + "Search for packages": "Search for packages", + "Local": "Local", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{1} packages were found, {0} of which match the specified filters.", + "{0} selected": "{0} selected", + "(Last checked: {0})": "(Last checked: {0})", + "Enabled": "Enabled", + "Disabled": "Disabled", + "More info": "More info", + "GitHub account": "GitHub account", + "Log in with GitHub to enable cloud package backup.": "Log in with GitHub to enable cloud package backup.", + "More details": "More details", + "Log in": "Log in", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account", + "Log out": "Log out", + "About UniGetUI": "About UniGetUI", + "About": "About", + "Third-party licenses": "Third-party licenses", + "Contributors": "Contributors", + "Translators": "Translators", + "Manage shortcuts": "Manage shortcuts", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades", + "Do you really want to reset this list? This action cannot be reverted.": "Do you really want to reset this list? This action cannot be reverted.", + "Open in explorer": "Open in explorer", + "Remove from list": "Remove from list", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "When new shortcuts are detected, delete them automatically instead of showing this dialog.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.", + "More details about the shared data and how it will be processed": "More details about the shared data and how it will be processed", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?", + "Decline": "Decline", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.", + "Toggle navigation panel": "Toggle navigation panel", + "Minimize": "Minimize", + "Maximize": "Maximize", + "About WingetUI": "About UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.", + "Useful links": "Useful links", + "UniGetUI Homepage": "UniGetUI Homepage", + "Report an issue or submit a feature request": "Report an issue or submit a feature request", + "UniGetUI Repository": "UniGetUI Repository", + "View GitHub Profile": "View GitHub Profile", + "WingetUI License": "UniGetUI License", + "Using WingetUI implies the acceptation of the MIT License": "Using UniGetUI implies the acceptance of the MIT License", + "Become a translator": "Become a translator", + "View page on browser": "View page on browser", + "Copy to clipboard": "Copy to clipboard", + "Export to a file": "Export to a file", + "Log level:": "Log level:", + "Reload log": "Reload log", + "Export log": "Export log", + "UniGetUI Log": "UniGetUI Log", + "Text": "Text", + "Change how operations request administrator rights": "Change how operations request administrator rights", + "Restrictions on package operations": "Restrictions on package operations", + "Restrictions on package managers": "Restrictions on package managers", + "Restrictions when importing package bundles": "Restrictions when importing package bundles", + "Ask for administrator privileges once for each batch of operations": "Ask for administrator privileges once for each batch of operations", + "Ask only once for administrator privileges": "Ask only once for administrator privileges", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.", + "Allow custom command-line arguments": "Allow custom command-line arguments", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Allow custom pre-install and post-install commands to be run", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully", + "Allow changing the paths for package manager executables": "Allow changing the paths for package manager executables", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous", + "Allow importing custom command-line arguments when importing packages from a bundle": "Allow importing custom command-line arguments when importing packages from a bundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Allow importing custom pre-install and post-install commands when importing packages from a bundle", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle", + "Administrator rights and other dangerous settings": "Administrator rights and other dangerous settings", + "Package backup": "Package backup", + "Cloud package backup": "Cloud package backup", + "Local package backup": "Local package backup", + "Local backup advanced options": "Local backup advanced options", + "Log in with GitHub": "Log in with GitHub", + "Log out from GitHub": "Log out from GitHub", + "Periodically perform a cloud backup of the installed packages": "Periodically perform a cloud backup of the installed packages", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloud backup uses a private GitHub Gist to store a list of installed packages", + "Perform a cloud backup now": "Perform a cloud backup now", + "Backup": "Backup", + "Restore a backup from the cloud": "Restore a backup from the cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Begin the process to select a cloud backup and review which packages to restore", + "Periodically perform a local backup of the installed packages": "Periodically perform a local backup of the installed packages", + "Perform a local backup now": "Perform a local backup now", + "Change backup output directory": "Change backup output directory", + "Set a custom backup file name": "Set a custom backup file name", + "Leave empty for default": "Leave empty for default", + "Add a timestamp to the backup file names": "Add a timestamp to the backup file names", + "Backup and Restore": "Backup and Restore", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Enable background API (Widgets for UniGetUI and Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.", + "Disable the 1-minute timeout for package-related operations": "Disable the 1-minute timeout for package-related operations", + "Use installed GSudo instead of UniGetUI Elevator": "Use installed GSudo instead of UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Use a custom icon and screenshot database URL", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Enable background CPU usage optimizations (see Pull Request #3278)", + "Perform integrity checks at startup": "Perform integrity checks at startup", + "When batch installing packages from a bundle, install also packages that are already installed": "When batch installing packages from a bundle, install also packages that are already installed", + "Experimental settings and developer options": "Experimental settings and developer options", + "Show UniGetUI's version and build number on the titlebar.": "Show UniGetUI's version on the titlebar", + "Language": "Language", + "UniGetUI updater": "UniGetUI updater", + "Telemetry": "Telemetry", + "Manage UniGetUI settings": "Manage UniGetUI settings", + "Related settings": "Related settings", + "Update WingetUI automatically": "Update UniGetUI automatically", + "Check for updates": "Check for updates", + "Install prerelease versions of UniGetUI": "Install prerelease versions of UniGetUI", + "Manage telemetry settings": "Manage telemetry settings", + "Manage": "Manage", + "Import settings from a local file": "Import settings from a local file", + "Import": "Import", + "Export settings to a local file": "Export settings to a local file", + "Export": "Export", + "Reset WingetUI": "Reset UniGetUI", + "Reset UniGetUI": "Reset UniGetUI", + "User interface preferences": "User interface preferences", + "Application theme, startup page, package icons, clear successful installs automatically": "Application theme, startup page, package icons, clear successful installs automatically", + "General preferences": "General preferences", + "WingetUI display language:": "UniGetUI display language:", + "Is your language missing or incomplete?": "Is your language missing or incomplete?", + "Appearance": "Appearance", + "UniGetUI on the background and system tray": "UniGetUI on the background and system tray", + "Package lists": "Package lists", + "Close UniGetUI to the system tray": "Close UniGetUI to the system tray", + "Manage WingetUI autostart behaviour": "Manage WingetUI autostart behaviour", + "Show package icons on package lists": "Show package icons on package lists", + "Clear cache": "Clear cache", + "Select upgradable packages by default": "Select upgradable packages by default", + "Light": "Light", + "Dark": "Dark", + "Follow system color scheme": "Follow system color scheme", + "Application theme:": "Application theme:", + "Discover Packages": "Discover Packages", + "Software Updates": "Software Updates", + "Installed Packages": "Installed Packages", + "Package Bundles": "Package Bundles", + "Settings": "Settings", + "UniGetUI startup page:": "UniGetUI startup page:", + "Proxy settings": "Proxy settings", + "Other settings": "Other settings", + "Connect the internet using a custom proxy": "Connect the internet using a custom proxy", + "Please note that not all package managers may fully support this feature": "Please note that not all package managers may fully support this feature", + "Proxy URL": "Proxy URL", + "Enter proxy URL here": "Enter proxy URL here", + "Authenticate to the proxy with a user and a password": "Authenticate to the proxy with a user and a password", + "Internet and proxy settings": "Internet and proxy settings", + "Package manager preferences": "Package managers preferences", + "Ready": "Ready", + "Not found": "Not found", + "Notification preferences": "Notification preferences", + "Notification types": "Notification types", + "The system tray icon must be enabled in order for notifications to work": "The system tray icon must be enabled in order for notifications to work", + "Enable WingetUI notifications": "Enable UniGetUI notifications", + "Show a notification when there are available updates": "Show a notification when there are available updates", + "Show a silent notification when an operation is running": "Show a silent notification when an operation is running", + "Show a notification when an operation fails": "Show a notification when an operation fails", + "Show a notification when an operation finishes successfully": "Show a notification when an operation finishes successfully", + "Concurrency and execution": "Concurrency and execution", + "Automatic desktop shortcut remover": "Automatic desktop shortcut remover", + "Choose how many operations should be performed in parallel": "Choose how many operations should be performed in parallel", + "Clear successful operations from the operation list after a 5 second delay": "Clear successful operations from the operation list after a 5 second delay", + "Download operations are not affected by this setting": "Download operations are not affected by this setting", + "Try to kill the processes that refuse to close when requested to": "Try to kill the processes that refuse to close when requested to", + "You may lose unsaved data": "You may lose unsaved data", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Ask to delete desktop shortcuts created during an install or upgrade.", + "Package update preferences": "Package update preferences", + "Update check frequency, automatically install updates, etc.": "Update check frequency, automatically install updates, etc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.", + "Package operation preferences": "Package operation preferences", + "Enable {pm}": "Enable {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Not finding the file you are looking for? Make sure it has been added to path.", + "For security reasons, changing the executable file is disabled by default": "For security reasons, changing the executable file is disabled by default", + "Change this": "Change this", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Select the executable to be used. The following list shows the executables found by UniGetUI", + "Current executable file:": "Current executable file:", + "Ignore packages from {pm} when showing a notification about updates": "Ignore packages from {pm} when showing a notification about updates", + "Update security": "Update security", + "Use global setting": "Use global setting", + "e.g. 10": "e.g. 10", + "{pm} does not provide release dates for its packages, so this setting will have no effect": "{pm} does not provide release dates for its packages, so this setting will have no effect", + "Override the global minimum update age for this package manager": "Override the global minimum update age for this package manager", + "Minimum age for updates": "Minimum age for updates", + "Custom minimum age (days)": "Custom minimum age (days)", + "View {0} logs": "View {0} logs", + "If Python cannot be found or is not listing packages but is installed on the system, ": "If Python cannot be found or is not listing packages but is installed on the system, ", + "Advanced options": "Advanced options", + "Reset WinGet": "Reset WinGet", + "This may help if no packages are listed": "This may help if no packages are listed", + "Force install location parameter when updating packages with custom locations": "Force install location parameter when updating packages with custom locations", + "Use bundled WinGet instead of system WinGet": "Use bundled WinGet instead of system WinGet", + "This may help if WinGet packages are not shown": "This may help if WinGet packages are not shown", + "Install Scoop": "Install Scoop", + "Uninstall Scoop (and its packages)": "Uninstall Scoop (and its packages)", + "Run cleanup and clear cache": "Run cleanup and clear cache", + "Run": "Run", + "Enable Scoop cleanup on launch": "Enable Scoop cleanup on launch", + "Use system Chocolatey": "Use system Chocolatey", + "Default vcpkg triplet": "Default vcpkg triplet", + "Change vcpkg root location": "Change vcpkg root location", + "Language, theme and other miscellaneous preferences": "Language, theme and other miscellaneous preferences", + "Show notifications on different events": "Show notifications on different events", + "Change how UniGetUI checks and installs available updates for your packages": "Change how UniGetUI checks and installs available updates for your packages", + "Automatically save a list of all your installed packages to easily restore them.": "Automatically save a list of all your installed packages to easily restore them.", + "Enable and disable package managers, change default install options, etc.": "Enable and disable package managers, change default install options, etc.", + "Internet connection settings": "Internet connection settings", + "Proxy settings, etc.": "Proxy settings, etc.", + "UniGetUI Settings": "UniGetUI Settings", + "Beta features and other options that shouldn't be touched": "Beta features and other options that shouldn't be touched", + "Update checking": "Update checking", + "Automatic updates": "Automatic updates", + "Check for package updates periodically": "Check for package updates periodically", + "Check for updates every:": "Check for updates every:", + "Install available updates automatically": "Install available updates automatically", + "Do not automatically install updates when the network connection is metered": "Do not automatically install updates when the network connection is metered", + "Do not automatically install updates when the device runs on battery": "Do not automatically install updates when the device runs on battery", + "Do not automatically install updates when the battery saver is on": "Do not automatically install updates when the battery saver is on", + "Only show updates that are at least the specified number of days old": "Only show updates that are at least the specified number of days old", + "Change how UniGetUI handles install, update and uninstall operations.": "Change how UniGetUI handles install, update and uninstall operations.", + "Package Managers": "Package Managers", + "More": "More", + "WingetUI Log": "WingetUI Log", + "Package Manager logs": "Package Manager logs", + "Operation history": "Operation history", + "Help": "Help", + "Quit UniGetUI": "Quit UniGetUI", + "Order by:": "Order by:", + "Name": "Name", + "Id": "Id", + "Ascendant": "Ascendant", + "Descendant": "Descendant", + "View mode:": "View mode:", + "Filters": "Filters", + "Sources": "Sources", + "Search for packages to start": "Search for packages to start", + "Select all": "Select all", + "Clear selection": "Clear selection", + "Instant search": "Instant search", + "Distinguish between uppercase and lowercase": "Distinguish between uppercase and lowercase", + "Ignore special characters": "Ignore special characters", + "Search mode": "Search mode", + "Both": "Both", + "Exact match": "Exact match", + "Show similar packages": "Show similar packages", + "Nothing to share": "Nothing to share", + "Please select a package first.": "Please select a package first.", + "Share link copied": "Share link copied", + "The share link for {0} has been copied to the clipboard.": "The share link for {0} has been copied to the clipboard.", + "No results were found matching the input criteria": "No results were found matching the input criteria", + "No packages were found": "No packages were found", + "Loading packages": "Loading packages", + "Skip integrity checks": "Skip integrity checks", + "Download selected installers": "Download selected installers", + "Install selection": "Install selection", + "Install options": "Install options", + "Share": "Share", + "Add selection to bundle": "Add selection to bundle", + "Download installer": "Download installer", + "Share this package": "Share this package", + "Uninstall selection": "Uninstall selection", + "Uninstall options": "Uninstall options", + "Ignore selected packages": "Ignore selected packages", + "Open install location": "Open install location", + "Reinstall package": "Reinstall package", + "Uninstall package, then reinstall it": "Uninstall package, then reinstall it", + "Ignore updates for this package": "Ignore updates for this package", + "Do not ignore updates for this package anymore": "Do not ignore updates for this package anymore", + "Add packages or open an existing package bundle": "Add packages or open an existing package bundle", + "Add packages to start": "Add packages to start", + "The current bundle has no packages. Add some packages to get started": "The current bundle has no packages. Add some packages to get started", + "New": "New", + "Save as": "Save as", + "Remove selection from bundle": "Remove selection from bundle", + "Skip hash checks": "Skip hash checks", + "The package bundle is not valid": "The package bundle is not valid", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "The bundle you are trying to load appears to be invalid. Please check the file and try again.", + "Package bundle": "Package bundle", + "Could not create bundle": "Could not create bundle", + "The package bundle could not be created due to an error.": "The package bundle could not be created due to an error.", + "Unsaved changes": "Unsaved changes", + "Discard changes": "Discard changes", + "You have unsaved changes in the current bundle. Do you want to discard them?": "You have unsaved changes in the current bundle. Do you want to discard them?", + "Bundle security report": "Bundle security report", + "The bundle contained restricted content": "The bundle contained restricted content", + "Hooray! No updates were found.": "Hooray! No updates were found.", + "Everything is up to date": "Everything is up to date", + "Uninstall selected packages": "Uninstall selected packages", + "Update selection": "Update selection", + "Update options": "Update options", + "Uninstall package, then update it": "Uninstall package, then update it", + "Uninstall package": "Uninstall package", + "Skip this version": "Skip this version", + "Pause updates for": "Pause updates for", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "The Rust package manager.
Contains: Rust libraries and programs written in Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "The classic package manager for Windows. You'll find everything there.
Contains: General Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts", + "NuPkg (zipped manifest)": "NuPkg (zipped manifest)", + "The Missing Package Manager for macOS (or Linux).
Contains: Formulae, Casks": "The Missing Package Manager for macOS (or Linux).
Contains: Formulae, Casks", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets", + "extracted": "extracted", + "Scoop package": "Scoop package", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)", + "library": "library", + "feature": "feature", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities", + "option": "option", + "This package cannot be installed from an elevated context.": "This package cannot be installed from an elevated context.", + "Please run UniGetUI as a regular user and try again.": "Please run UniGetUI as a regular user and try again.", + "Please check the installation options for this package and try again": "Please check the installation options for this package and try again", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps", + "Local PC": "Local PC", + "Android Subsystem": "Android Subsystem", + "Operation on queue (position {0})...": "Operation on queue (position {0})...", + "Click here for more details": "Click here for more details", + "Operation canceled by user": "Operation canceled by user", + "Running PreOperation ({0}/{1})...": "Running PreOperation ({0}/{1})...", + "PreOperation {0} out of {1} failed, and was tagged as necessary. Aborting...": "PreOperation {0} out of {1} failed, and was tagged as necessary. Aborting...", + "PreOperation {0} out of {1} finished with result {2}": "PreOperation {0} out of {1} finished with result {2}", + "Starting operation...": "Starting operation...", + "Running PostOperation ({0}/{1})...": "Running PostOperation ({0}/{1})...", + "PostOperation {0} out of {1} failed, and was tagged as necessary. Aborting...": "PostOperation {0} out of {1} failed, and was tagged as necessary. Aborting...", + "PostOperation {0} out of {1} finished with result {2}": "PostOperation {0} out of {1} finished with result {2}", + "{package} installer download": "{package} installer download", + "{0} installer is being downloaded": "{0} installer is being downloaded", + "Download succeeded": "Download succeeded", + "{package} installer was downloaded successfully": "{package} installer was downloaded successfully", + "Download failed": "Download failed", + "{package} installer could not be downloaded": "{package} installer could not be downloaded", + "{package} Installation": "{package} Installation", + "{0} is being installed": "{0} is being installed", + "Installation succeeded": "Installation succeeded", + "{package} was installed successfully": "{package} was installed successfully", + "Installation failed": "Installation failed", + "{package} could not be installed": "{package} could not be installed", + "{package} Update": "{package} Update", + "{0} is being updated to version {1}": "{0} is being updated to version {1}", + "Update succeeded": "Update succeeded", + "{package} was updated successfully": "{package} was updated successfully", + "Update failed": "Update failed", + "{package} could not be updated": "{package} could not be updated", + "{package} Uninstall": "{package} Uninstall", + "{0} is being uninstalled": "{0} is being uninstalled", + "Uninstall succeeded": "Uninstall succeeded", + "{package} was uninstalled successfully": "{package} was uninstalled successfully", + "Uninstall failed": "Uninstall failed", + "{package} could not be uninstalled": "{package} could not be uninstalled", + "Adding source {source}": "Adding source {source}", + "Adding source {source} to {manager}": "Adding source {source} to {manager}", + "Source added successfully": "Source added successfully", + "The source {source} was added to {manager} successfully": "The source {source} was added to {manager} successfully", + "Could not add source": "Could not add source", + "Could not add source {source} to {manager}": "Could not add source {source} to {manager}", + "Removing source {source}": "Removing source {source}", + "Removing source {source} from {manager}": "Removing source {source} from {manager}", + "Source removed successfully": "Source removed successfully", + "The source {source} was removed from {manager} successfully": "The source {source} was removed from {manager} successfully", + "Could not remove source": "Could not remove source", + "Could not remove source {source} from {manager}": "Could not remove source {source} from {manager}", + "The package manager \"{0}\" was not found": "The package manager \"{0}\" was not found", + "The package manager \"{0}\" is disabled": "The package manager \"{0}\" is disabled", + "There is an error with the configuration of the package manager \"{0}\"": "There is an error with the configuration of the package manager \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "The package \"{0}\" was not found on the package manager \"{1}\"", + "{0} is disabled": "{0} is disabled", + "Something went wrong": "Something went wrong", + "An interal error occurred. Please view the log for further details.": "An internal error occurred. Please view the log for further details.", + "No applicable installer was found for the package {0}": "No applicable installer was found for the package {0}", + "We are checking for updates.": "We are checking for updates.", + "Please wait": "Please wait", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} is being downloaded.", + "This may take a minute or two": "This may take a minute or two", + "The installer authenticity could not be verified.": "The installer authenticity could not be verified.", + "The update process has been aborted.": "The update process has been aborted.", + "Great! You are on the latest version.": "Great! You are on the latest version.", + "There are no new UniGetUI versions to be installed": "There are no new UniGetUI versions to be installed", + "An error occurred when checking for updates: ": "An error occurred when checking for updates: ", + "UniGetUI is being updated...": "UniGetUI is being updated...", + "Something went wrong while launching the updater.": "Something went wrong while launching the updater.", + "Please try again later": "Please try again later", + "Integrity checks will not be performed during this operation": "Integrity checks will not be performed during this operation", + "This is not recommended.": "This is not recommended.", + "Run now": "Run now", + "Run next": "Run next", + "Run last": "Run last", + "Retry as administrator": "Retry as administrator", + "Retry interactively": "Retry interactively", + "Retry skipping integrity checks": "Retry skipping integrity checks", + "Installation options": "Installation options", + "Show in explorer": "Show in explorer", + "This package is already installed": "This package is already installed", + "This package can be upgraded to version {0}": "This package can be upgraded to version {0}", + "Updates for this package are ignored": "Updates for this package are ignored", + "This package is being processed": "This package is being processed", + "This package is not available": "This package is not available", + "Select the source you want to add:": "Select the source you want to add:", + "Source name:": "Source name:", + "Source URL:": "Source URL:", + "An error occurred": "An error occurred", + "An error occurred when adding the source: ": "An error occurred when adding the source: ", + "Package management made easy": "Package management made easy", + "version {0}": "version {0}", + "[RAN AS ADMINISTRATOR]": "RAN AS ADMINISTRATOR", + "Portable mode": "Portable mode\n", + "DEBUG BUILD": "DEBUG BUILD", + "Available Updates": "Available Updates", + "Show WingetUI": "Show UniGetUI", + "Quit": "Quit", + "Attention required": "Attention required", + "Restart required": "Restart required", + "1 update is available": "1 update is available", + "{0} updates are available": "{0} updates are available", + "WingetUI Homepage": "UniGetUI Homepage", + "WingetUI Repository": "UniGetUI Repository", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if gets created on a future upgrade. Unchecking it will keep the shortcut intact", + "Manual scan": "Manual scan", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.", + "Continue": "Continue", + "Delete?": "Delete?", + "Missing dependency": "Missing dependency", + "Not right now": "Not right now", + "Install {0}": "Install {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI requires {0} to operate, but it was not found on your system.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:", + "Do not show this dialog again for {0}": "Do not show this dialog again for {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Please wait while {0} is being installed. A black (or blue) window may show up. Please wait until it closes.", + "{0} has been installed successfully.": "{0} has been installed successfully.", + "Please click on \"Continue\" to continue": "Please click on \"Continue\" to continue", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation", + "Restart later": "Restart later", + "An error occurred:": "An error occurred:", + "I understand": "I understand", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI has been ran as administrator, which is not recommended. When running UniGetUI as administrator, EVERY operation launched from UniGetUI will have administrator privileges. You can still use the program, but we highly recommend not running UniGetUI with administrator privileges.", + "WinGet was repaired successfully": "WinGet was repaired successfully", + "It is recommended to restart UniGetUI after WinGet has been repaired": "It is recommended to restart UniGetUI after WinGet has been repaired", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section", + "Restart": "Restart", + "WinGet could not be repaired": "WinGet could not be repaired", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "An unexpected issue occurred while attempting to repair WinGet. Please try again later", + "Are you sure you want to delete all shortcuts?": "Are you sure you want to delete all shortcuts?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Any new shortcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.", + "Are you really sure you want to enable this feature?": "Are you really sure you want to enable this feature?", + "No new shortcuts were found during the scan.": "No new shortcuts were found during the scan.", + "How to add packages to a bundle": "How to add packages to a bundle", + "In order to add packages to a bundle, you will need to: ": "In order to add packages to a bundle, you will need to: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigate to the \"{0}\" or \"{1}\" page.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.", + "Which backup do you want to open?": "Which backup do you want to open?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Select the backup you want to open. Later, you will be able to review which packages/programs you want to restore.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "There are ongoing operations. Quitting UniGetUI may cause them to fail. Do you want to continue?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI or some of its components are missing or corrupt.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "It is strongly recommended to reinstall UniGetUI to address the situation.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Refer to the UniGetUI Logs to get more details regarding the affected file(s)", + "Integrity checks can be disabled from the Experimental Settings": "Integrity checks can be disabled from the Experimental Settings", + "Repair UniGetUI": "Repair UniGetUI", + "Live output": "Live output", + "Package not found": "Package not found", + "An error occurred when attempting to show the package with Id {0}": "An error occurred when attempting to show the package with Id {0}", + "Package": "Package", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "This package bundle had some settings that are potentially dangerous, and may be ignored by default.", + "Entries that show in YELLOW will be IGNORED.": "Entries that show in YELLOW will be IGNORED.", + "Entries that show in RED will be IMPORTED.": "Entries that show in RED will be IMPORTED.", + "You can change this behavior on UniGetUI security settings.": "You can change this behavior on UniGetUI security settings.", + "Open UniGetUI security settings": "Open UniGetUI security settings", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.", + "Details of the report:": "Details of the report:", "\"{0}\" is a local package and can't be shared": "\"{0}\" is a local package and can't be shared", + "Are you sure you want to create a new package bundle? ": "Are you sure you want to create a new package bundle? ", + "Any unsaved changes will be lost": "Any unsaved changes will be lost", + "Warning!": "Warning!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ", + "Change default options": "Change default options", + "Ignore future updates for this package": "Ignore future updates for this package", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.", + "Change this and unlock": "Change this and unlock", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Install options are currently locked because {0} follows the default install options.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Select the processes that should be closed before this package is installed, updated or uninstalled.", + "Write here the process names here, separated by commas (,)": "Write here the process names here, separated by commas (,)", + "Unset or unknown": "Unset or unknown", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Please see the Command-line Output or refer to the Operation History for further information about the issue.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "This package has no screenshots or is missing the icon? Contribute to UniGetUI by adding the missing icons and screenshots to our open, public database.", + "Become a contributor": "Become a contributor", + "Save": "Save", + "Update to {0} available": "Update to {0} available", + "Reinstall": "Reinstall", + "Installer not available": "Installer not available", + "Version:": "Version:", + "Performing backup, please wait...": "Performing backup, please wait...", + "An error occurred while logging in: ": "An error occurred while logging in: ", + "Fetching available backups...": "Fetching available backups...", + "Done!": "Done!", + "The cloud backup has been loaded successfully.": "The cloud backup has been loaded successfully.", + "An error occurred while loading a backup: ": "An error occurred while loading a backup: ", + "Backing up packages to GitHub Gist...": "Backing up packages to GitHub Gist...", + "Backup Successful": "Backup successful", + "The cloud backup completed successfully.": "The cloud backup completed successfully.", + "Could not back up packages to GitHub Gist: ": "Could not back up packages to GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account", + "Enable the automatic WinGet troubleshooter": "Enable the automatic WinGet troubleshooter", + "Enable an [experimental] improved WinGet troubleshooter": "Enable an [experimental] improved WinGet troubleshooter", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Add updates that fail with 'no applicable update found' to the ignored updates list.", + "Restart WingetUI to fully apply changes": "Restart UniGetUI to fully apply changes", + "Restart WingetUI": "Restart UniGetUI", + "Invalid selection": "Invalid selection", + "No package was selected": "No package was selected", + "More than 1 package was selected": "More than 1 package was selected", + "List": "List", + "Grid": "Grid", + "Icons": "Icons", "\"{0}\" is a local package and does not have available details": "\"{0}\" is a local package and does not have available details", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" is a local package and is not compatible with this feature", - "(Last checked: {0})": "(Last checked: {0})", + "WinGet malfunction detected": "WinGet malfunction detected", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?", + "Repair WinGet": "Repair WinGet", + "Create .ps1 script": "Create .ps1 script", + "Add packages to bundle": "Add packages to bundle", + "Preparing packages, please wait...": "Preparing packages, please wait...", + "Loading packages, please wait...": "Loading packages, please wait...", + "Saving packages, please wait...": "Saving packages, please wait...", + "The bundle was created successfully on {0}": "The bundle was created successfully on {0}", + "Install script": "Install script", + "The installation script saved to {0}": "The installation script saved to {0}", + "An error occurred while attempting to create an installation script:": "An error occurred while attempting to create an installation script:", + "{0} packages are being updated": "{0} packages are being updated", + "Error": "Error", + "Log in failed: ": "Log in failed: ", + "Log out failed: ": "Log out failed: ", + "Package backup settings": "Package backup settings", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Number {0} in the queue)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@marticliment, @ppvnf, @lucadsign", "0 packages found": "0 packages found", "0 updates found": "0 updates found", - "1 - Errors": "1 - Errors", - "1 day": "a day", - "1 hour": "an hour", "1 month": "a month", "1 package was found": "1 package was found", - "1 update is available": "1 update is available", - "1 week": "1 week", "1 year": "1 year", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigate to the \"{0}\" or \"{1}\" page.", - "2 - Warnings": "2 - Warnings", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.", - "3 - Information (less)": "3 - Information (less)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.", - "4 - Information (more)": "4 - Information (more)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.", - "5 - information (debug)": "5 - Information (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools", "A restart is required": "A restart is required", - "Abort install if pre-install command fails": "Abort install if pre-install command fails", - "Abort uninstall if pre-uninstall command fails": "Abort uninstall if pre-uninstall command fails", - "Abort update if pre-update command fails": "Abort update if pre-update command fails", - "About": "About", "About Qt6": "About Qt6", - "About WingetUI": "About UniGetUI", "About WingetUI version {0}": "About UniGetUI version {0}", "About the dev": "About the dev", - "Accept": "Accept", "Action when double-clicking packages, hide successful installations": "Action when double-clicking packages, hide successful installations", - "Add": "Add", "Add a source to {0}": "Add a source to {0}", - "Add a timestamp to the backup file names": "Add a timestamp to the backup file names", "Add a timestamp to the backup files": "Add a timestamp to the backup files", "Add packages or open an existing bundle": "Add packages or open an existing bundle", - "Add packages or open an existing package bundle": "Add packages or open an existing package bundle", - "Add packages to bundle": "Add packages to bundle", - "Add packages to start": "Add packages to start", - "Add selection to bundle": "Add selection to bundle", - "Add source": "Add source", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Add updates that fail with 'no applicable update found' to the ignored updates list.", - "Adding source {source}": "Adding source {source}", - "Adding source {source} to {manager}": "Adding source {source} to {manager}", "Addition succeeded": "Addition succeeded", - "Administrator privileges": "Administrator privileges", "Administrator privileges preferences": "Administrator privileges preferences", "Administrator rights": "Administrator rights", - "Administrator rights and other dangerous settings": "Administrator rights and other dangerous settings", - "Advanced options": "Advanced options", "All files": "All files", - "All versions": "All versions", - "Allow changing the paths for package manager executables": "Allow changing the paths for package manager executables", - "Allow custom command-line arguments": "Allow custom command-line arguments", - "Allow importing custom command-line arguments when importing packages from a bundle": "Allow importing custom command-line arguments when importing packages from a bundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Allow importing custom pre-install and post-install commands when importing packages from a bundle", "Allow package operations to be performed in parallel": "Allow package operations to be performed in parallel", "Allow parallel installs (NOT RECOMMENDED)": "Allow parallel installs (NOT RECOMMENDED)", - "Allow pre-release versions": "Allow pre-release versions", "Allow {pm} operations to be performed in parallel": "Allow {pm} operations to be performed in parallel", - "{pm} does not provide release dates for its packages, so this setting will have no effect": "{pm} does not provide release dates for its packages, so this setting will have no effect", - "{pm} does not provide release dates for its packages, so this setting will have no effect": "{pm} does not provide release dates for its packages, so this setting will have no effect", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:", "Always elevate {pm} installations by default": "Always elevate {pm} installations by default", "Always run {pm} operations with administrator rights": "Always run {pm} operations with administrator rights", - "An error occurred": "An error occurred", - "An error occurred when adding the source: ": "An error occurred when adding the source: ", - "An error occurred when attempting to show the package with Id {0}": "An error occurred when attempting to show the package with Id {0}", - "An error occurred when checking for updates: ": "An error occurred when checking for updates: ", - "An error occurred while attempting to create an installation script:": "An error occurred while attempting to create an installation script:", - "An error occurred while loading a backup: ": "An error occurred while loading a backup: ", - "An error occurred while logging in: ": "An error occurred while logging in: ", - "An error occurred while processing this package": "An error occurred while processing this package", - "An error occurred:": "An error occurred:", - "An interal error occurred. Please view the log for further details.": "An internal error occurred. Please view the log for further details.", "An unexpected error occurred:": "An unexpected error occurred:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "An unexpected issue occurred while attempting to repair WinGet. Please try again later", - "An update was found!": "An update was found!", - "Android Subsystem": "Android Subsystem", "Another source": "Another source", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Any new shortcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.", - "Any unsaved changes will be lost": "Any unsaved changes will be lost", "App Name": "App Name", - "Appearance": "Appearance", - "Application theme, startup page, package icons, clear successful installs automatically": "Application theme, startup page, package icons, clear successful installs automatically", - "Application theme:": "Application theme:", - "Apply": "Apply", - "Architecture to install:": "Architecture to install:", "Are these screenshots wron or blurry?": "Are these screenshots wrong or blurry?", - "Are you really sure you want to enable this feature?": "Are you really sure you want to enable this feature?", - "Are you sure you want to create a new package bundle? ": "Are you sure you want to create a new package bundle? ", - "Are you sure you want to delete all shortcuts?": "Are you sure you want to delete all shortcuts?", - "Are you sure?": "Are you sure?", - "Ascendant": "Ascendant", - "Ask for administrator privileges once for each batch of operations": "Ask for administrator privileges once for each batch of operations", "Ask for administrator rights when required": "Ask for administrator rights when required", "Ask once or always for administrator rights, elevate installations by default": "Ask once or always for administrator rights, elevate installations by default", - "Ask only once for administrator privileges": "Ask only once for administrator privileges", "Ask only once for administrator privileges (not recommended)": "Ask only once for administrator privileges (not recommended)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Ask to delete desktop shortcuts created during an install or upgrade.", - "Attention required": "Attention required", "Authenticate to the proxy with an user and a password": "Authenticate to the proxy with an user and a password", - "Author": "Author", - "Automatic desktop shortcut remover": "Automatic desktop shortcut remover", - "Automatic updates": "Automatic updates", - "Automatically save a list of all your installed packages to easily restore them.": "Automatically save a list of all your installed packages to easily restore them.", "Automatically save a list of your installed packages on your computer.": "Automatically save a list of your installed packages on your computer.", - "Automatically update this package": "Automatically update this package", "Autostart WingetUI in the notifications area": "Autostart UniGetUI in the notifications area", - "Available Updates": "Available Updates", "Available updates: {0}": "Available updates: {0}", "Available updates: {0}, not finished yet...": "Available updates: {0}, not finished yet...", - "Backing up packages to GitHub Gist...": "Backing up packages to GitHub Gist...", - "Backup": "Backup", - "Backup Failed": "Backup Failed", - "Backup Successful": "Backup successful", - "Backup and Restore": "Backup and Restore", "Backup installed packages": "Backup installed packages", "Backup location": "Backup location", - "Become a contributor": "Become a contributor", - "Become a translator": "Become a translator", - "Begin the process to select a cloud backup and review which packages to restore": "Begin the process to select a cloud backup and review which packages to restore", - "Beta features and other options that shouldn't be touched": "Beta features and other options that shouldn't be touched", - "Both": "Both", - "Bundle security report": "Bundle security report", "But here are other things you can do to learn about WingetUI even more:": "But here are other things you can do to learn about UniGetUI even more:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "By toggling a package manager off, you will no longer be able to see or update its packages.", "Cache administrator rights and elevate installers by default": "Cache administrator rights and elevate installers by default", "Cache administrator rights, but elevate installers only when required": "Cache administrator rights, but elevate installers only when required", "Cache was reset successfully!": "Cache was reset successfully!", "Can't {0} {1}": "Can't {0} {1}", - "Cancel": "Cancel", "Cancel all operations": "Cancel all operations", - "Change backup output directory": "Change backup output directory", - "Change default options": "Change default options", - "Change how UniGetUI checks and installs available updates for your packages": "Change how UniGetUI checks and installs available updates for your packages", - "Change how UniGetUI handles install, update and uninstall operations.": "Change how UniGetUI handles install, update and uninstall operations.", "Change how UniGetUI installs packages, and checks and installs available updates": "Change how UniGetUI installs packages, and checks and installs available updates", - "Change how operations request administrator rights": "Change how operations request administrator rights", "Change install location": "Change install location", - "Change this": "Change this", - "Change this and unlock": "Change this and unlock", - "Check for package updates periodically": "Check for package updates periodically", - "Check for updates": "Check for updates", - "Check for updates every:": "Check for updates every:", "Check for updates periodically": "Check for updates periodically.", "Check for updates regularly, and ask me what to do when updates are found.": "Check for updates regularly, and ask me what to do when updates are found.", "Check for updates regularly, and automatically install available ones.": "Check for updates regularly, and automatically install available ones.", @@ -161,927 +799,335 @@ "Checking for updates...": "Checking for updates...", "Checking found instace(s)...": "Checking found instance(s)...", "Choose how many operations shouls be performed in parallel": "Choose how many operations should be performed in parallel", - "Clear cache": "Clear cache", "Clear finished operations": "Clear finished operations", - "Clear selection": "Clear selection", "Clear successful operations": "Clear successful operations", - "Clear successful operations from the operation list after a 5 second delay": "Clear successful operations from the operation list after a 5 second delay", "Clear the local icon cache": "Clear the local icon cache", - "Clearing Scoop cache - WingetUI": "Clearing Scoop cache - UniGetUI", "Clearing Scoop cache...": "Clearing Scoop cache...", - "Click here for more details": "Click here for more details", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.", - "Close": "Close", - "Close UniGetUI to the system tray": "Close UniGetUI to the system tray", "Close WingetUI to the notification area": "Close UniGetUI to the notification area", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloud backup uses a private GitHub Gist to store a list of installed packages", - "Cloud package backup": "Cloud package backup", "Command-line Output": "Command-line Output", - "Command-line to run:": "Command-line to run:", "Compare query against": "Compare query against", - "Compatible with authentication": "Compatible with authentication", - "Compatible with proxy": "Compatible with proxy", "Component Information": "Component Information", - "Concurrency and execution": "Concurrency and execution", - "Connect the internet using a custom proxy": "Connect the internet using a custom proxy", - "Continue": "Continue", "Contribute to the icon and screenshot repository": "Contribute to the icon and screenshot repository", - "Contributors": "Contributors", "Copy": "Copy", - "Copy to clipboard": "Copy to clipboard", - "Could not add source": "Could not add source", - "Could not add source {source} to {manager}": "Could not add source {source} to {manager}", - "Could not back up packages to GitHub Gist: ": "Could not back up packages to GitHub Gist: ", - "Could not create bundle": "Could not create bundle", "Could not load announcements - ": "Could not load announcements - ", "Could not load announcements - HTTP status code is $CODE": "Could not load announcements - HTTP status code is $CODE", - "Could not remove source": "Could not remove source", - "Could not remove source {source} from {manager}": "Could not remove source {source} from {manager}", "Could not remove {source} from {manager}": "Could not remove {source} from {manager}", - "Create .ps1 script": "Create .ps1 script", - "Credentials": "Credentials", "Current Version": "Current Version", - "Current executable file:": "Current executable file:", - "Current status: Not logged in": "Current status: Not logged in", "Current user": "Current user", "Custom arguments:": "Custom arguments:", - "Custom minimum age (days)": "Custom minimum age (days)", - "Custom...": "Custom...", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.", "Custom command-line arguments:": "Custom command-line arguments:", - "Custom install arguments:": "Custom install arguments:", - "Custom uninstall arguments:": "Custom uninstall arguments:", - "Custom update arguments:": "Custom update arguments:", "Customize WingetUI - for hackers and advanced users only": "Customize UniGetUI - for hackers and advanced users only", - "DEBUG BUILD": "DEBUG BUILD", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.", - "Dark": "Dark", - "Decline": "Decline", - "Default": "Default", - "Default installation options for {0} packages": "Default installation options for {0} packages", "Default preferences - suitable for regular users": "Default preferences - suitable for regular users", - "Default vcpkg triplet": "Default vcpkg triplet", - "Delete?": "Delete?", - "Dependencies:": "Dependencies:", - "Descendant": "Descendant", "Description:": "Description:", - "Desktop shortcut created": "Desktop shortcut created", - "Details of the report:": "Details of the report:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Developing is hard, and this application is free. However, if you found the application helpful, you can always buy me a coffee :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)", "Disable new share API (port 7058)": "Disable new share API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Disable the 1-minute timeout for package-related operations", - "Disabled": "Disabled", - "Disclaimer": "Disclaimer", - "Discover Packages": "Discover Packages", - "Discover packages": "Discover packages", + "Discover packages": "Discover Packages", "Distinguish between\nuppercase and lowercase": "Distinguish between uppercase and lowercase", - "Distinguish between uppercase and lowercase": "Distinguish between uppercase and lowercase", "Do NOT check for updates": "Do NOT check for updates", "Do an interactive install for the selected packages": "Do an interactive install for the selected packages", "Do an interactive uninstall for the selected packages": "Do an interactive uninstall for the selected packages", "Do an interactive update for the selected packages": "Do an interactive update for the selected packages", - "Do not automatically install updates when the battery saver is on": "Do not automatically install updates when the battery saver is on", - "Do not automatically install updates when the device runs on battery": "Do not automatically install updates when the device runs on battery", - "Do not automatically install updates when the network connection is metered": "Do not automatically install updates when the network connection is metered", "Do not download new app translations from GitHub automatically": "Do not download new app translations from GitHub automatically", - "Do not ignore updates for this package anymore": "Do not ignore updates for this package anymore", "Do not remove successful operations from the list automatically": "Do not remove successful operations from the list automatically", - "Do not show this dialog again for {0}": "Do not show this dialog again for {0}", "Do not update package indexes on launch": "Do not update package indexes on launch", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Do you find UniGetUI useful? If you can, you may want to support my work, so I can continue making UniGetUI the ultimate package managing interface.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Do you find UniGetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!", - "Do you really want to reset this list? This action cannot be reverted.": "Do you really want to reset this list? This action cannot be reverted.", - "Do you really want to uninstall the following {0} packages?": "Do you really want to uninstall the following {0} packages?", - "Do you really want to uninstall {0} packages?": "Do you really want to uninstall {0} packages?", - "Do you really want to uninstall {0}?": "Do you really want to uninstall {0}?", - "Do you want to restart your computer now?": "Do you want to restart your computer now?", - "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Do you want to translate UniGetUI to your language? See how to contribute HERE!", - "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Don't feel like donating? Don't worry, you can always share UniGetUI with your friends. Spread the word about UniGetUI.", - "Donate": "Donate", - "Done!": "Done!", - "Download failed": "Download failed", - "Download installer": "Download installer", - "Download operations are not affected by this setting": "Download operations are not affected by this setting", - "Download selected installers": "Download selected installers", - "Download succeeded": "Download succeeded", - "Download updated language files from GitHub automatically": "Download updated language files from GitHub automatically", - "Downloading": "Downloading", - "Downloading backup...": "Downloading backup...", - "Downloading installer for {package}": "Downloading installer for {package}", - "Downloading package metadata...": "Downloading package metadata...", - "e.g. 10": "e.g. 10", - "Enable Scoop cleanup on launch": "Enable Scoop cleanup on launch", - "Enable WingetUI notifications": "Enable UniGetUI notifications", - "Enable an [experimental] improved WinGet troubleshooter": "Enable an [experimental] improved WinGet troubleshooter", - "Enable and disable package managers, change default install options, etc.": "Enable and disable package managers, change default install options, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Enable background CPU usage optimizations (see Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Enable background API (Widgets for UniGetUI and Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Enable it to install packages from {pm}.", - "Enable the automatic WinGet troubleshooter": "Enable the automatic WinGet troubleshooter", - "Enable the new UniGetUI-Branded UAC Elevator": "Enable the new UniGetUI-Branded UAC Elevator", - "Enable the new process input handler (StdIn automated closer)": "Enable the new process input handler (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Enable the settings below IF AND ONLY IF you fully understand what they do, and the implications and dangers they may involve.", - "Enable {pm}": "Enable {pm}", - "Enabled": "Enabled", - "Enter proxy URL here": "Enter proxy URL here", - "Entries that show in RED will be IMPORTED.": "Entries that show in RED will be IMPORTED.", - "Entries that show in YELLOW will be IGNORED.": "Entries that show in YELLOW will be IGNORED.", - "Error": "Error", - "Everything is up to date": "Everything is up to date", - "Exact match": "Exact match", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.", - "Expand version": "Expand version", - "Experimental settings and developer options": "Experimental settings and developer options", - "Export": "Export", + "Do you really want to uninstall {0} packages?": "Do you really want to uninstall {0} packages?", + "Do you want to restart your computer now?": "Do you want to restart your computer now?", + "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Do you want to translate UniGetUI to your language? See how to contribute HERE!", + "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Don't feel like donating? Don't worry, you can always share UniGetUI with your friends. Spread the word about UniGetUI.", + "Donate": "Donate", + "Download updated language files from GitHub automatically": "Download updated language files from GitHub automatically", + "Downloading": "Downloading", + "Downloading installer for {package}": "Downloading installer for {package}", + "Downloading package metadata...": "Downloading package metadata...", + "Enable the new UniGetUI-Branded UAC Elevator": "Enable the new UniGetUI-Branded UAC Elevator", + "Enable the new process input handler (StdIn automated closer)": "Enable the new process input handler (StdIn automated closer)", "Export log as a file": "Export log as a file", "Export packages": "Export packages", "Export selected packages to a file": "Export selected packages to a file", - "Export settings to a local file": "Export settings to a local file", - "Export to a file": "Export to a file", - "Failed": "Failed", - "Fetching available backups...": "Fetching available backups...", "Fetching latest announcements, please wait...": "Fetching latest announcements, please wait...", - "Filters": "Filters", "Finish": "Finish", - "Follow system color scheme": "Follow system color scheme", - "Follow the default options when installing, upgrading or uninstalling this package": "Follow the default options when installing, upgrading or uninstalling this package", - "For security reasons, changing the executable file is disabled by default": "For security reasons, changing the executable file is disabled by default", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)", - "Force install location parameter when updating packages with custom locations": "Force install location parameter when updating packages with custom locations", "Formerly known as WingetUI": "Formerly known as WingetUI", "Found": "Found", "Found packages: ": "Found packages: ", "Found packages: {0}": "Found packages: {0}", "Found packages: {0}, not finished yet...": "Found packages: {0}, not finished yet...", - "General preferences": "General preferences", "GitHub profile": "GitHub profile", "Global": "Global", - "Go to UniGetUI security settings": "Go to UniGetUI security settings", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)", - "Great! You are on the latest version.": "Great! You are on the latest version.", - "Grid": "Grid", - "Help": "Help", "Help and documentation": "Help and documentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if gets created on a future upgrade. Unchecking it will keep the shortcut intact", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hi, my name is Martí, and i am the developer of UniGetUI. UniGetUI has been entirely made on my free time!", + "Hi, my name is Mart├¡, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hi, my name is Mart├¡, and i am the developer of UniGetUI. UniGetUI has been entirely made on my free time!", "Hide details": "Hide details", - "Only show updates that are at least the specified number of days old": "Only show updates that are at least the specified number of days old", - "Homepage": "Homepage", - "Hooray! No updates were found.": "Hooray! No updates were found.", "How should installations that require administrator privileges be treated?": "How should installations that require administrator privileges be treated?", - "How to add packages to a bundle": "How to add packages to a bundle", - "I understand": "I understand", - "Icons": "Icons", - "Id": "Id", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Allow custom pre-install and post-install commands to be run", - "Ignore future updates for this package": "Ignore future updates for this package", - "Ignore packages from {pm} when showing a notification about updates": "Ignore packages from {pm} when showing a notification about updates", - "Ignore selected packages": "Ignore selected packages", - "Ignore special characters": "Ignore special characters", "Ignore updates for the selected packages": "Ignore updates for the selected packages", - "Ignore updates for this package": "Ignore updates for this package", "Ignored updates": "Ignored updates", - "Ignored version": "Ignored version", - "Import": "Import", "Import packages": "Import packages", "Import packages from a file": "Import packages from a file", - "Import settings from a local file": "Import settings from a local file", - "In order to add packages to a bundle, you will need to: ": "In order to add packages to a bundle, you will need to: ", "Initializing WingetUI...": "Initializing UniGetUI...", - "Install": "Install", - "Install Scoop": "Install Scoop", "Install and more": "Install and more", "Install and update preferences": "Install and update preferences", - "Install as administrator": "Install as administrator", - "Install available updates automatically": "Install available updates automatically", - "Install location can't be changed for {0} packages": "Install location can't be changed for {0} packages", - "Install location:": "Install location:", - "Install options": "Install options", "Install packages from a file": "Install packages from a file", - "Install prerelease versions of UniGetUI": "Install prerelease versions of UniGetUI", - "Install script": "Install script", "Install selected packages": "Install selected packages", "Install selected packages with administrator privileges": "Install selected packages with administrator privileges", - "Install selection": "Install selection", "Install the latest prerelease version": "Install the latest prerelease version", "Install updates automatically": "Install updates automatically", - "Install {0}": "Install {0}", "Installation canceled by the user!": "Installation canceled by the user!", - "Installation failed": "Installation failed", - "Installation options": "Installation options", - "Installation scope:": "Installation scope:", - "Installation succeeded": "Installation succeeded", - "Installed Packages": "Installed Packages", - "Installed Version": "Installed Version", - "Installed packages": "Installed packages", - "Installer SHA256": "Installer SHA256", - "Installer SHA512": "Installer SHA512", - "Installer Type": "Installer Type", - "Installer URL": "Installer URL", - "Installer not available": "Installer not available", + "Installed packages": "Installed Packages", "Instance {0} responded, quitting...": "Instance {0} responded, quitting...", - "Instant search": "Instant search", - "Integrity checks can be disabled from the Experimental Settings": "Integrity checks can be disabled from the Experimental Settings", - "Integrity checks skipped": "Integrity checks skipped", - "Integrity checks will not be performed during this operation": "Integrity checks will not be performed during this operation", - "Interactive installation": "Interactive installation", - "Interactive operation": "Interactive operation", - "Interactive uninstall": "Interactive uninstall", - "Interactive update": "Interactive update", - "Internet connection settings": "Internet connection settings", - "Invalid selection": "Invalid selection", "Is this package missing the icon?": "Is this package missing the icon?", - "Is your language missing or incomplete?": "Is your language missing or incomplete?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account", - "It is recommended to restart UniGetUI after WinGet has been repaired": "It is recommended to restart UniGetUI after WinGet has been repaired", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "It is strongly recommended to reinstall UniGetUI to address the situation.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "It looks like you ran UniGetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running UniGetUI with administrator privileges. Click on \"{showDetails}\" to see why.", - "Language": "Language", - "Language, theme and other miscellaneous preferences": "Language, theme and other miscellaneous preferences", - "Last updated:": "Last updated:", - "Latest": "Latest", "Latest Version": "Latest Version", "Latest Version:": "Latest Version:", "Latest details...": "Latest details...", "Launching subprocess...": "Launching subprocess...", - "Leave empty for default": "Leave empty for default", - "License": "License", "Licenses": "Licenses", - "Light": "Light", - "List": "List", "Live command-line output": "Live command-line output", - "Live output": "Live output", "Loading UI components...": "Loading UI components...", "Loading WingetUI...": "Loading UniGetUI...", - "Loading packages": "Loading packages", - "Loading packages, please wait...": "Loading packages, please wait...", - "Loading...": "Loading...", - "Local": "Local", - "Local PC": "Local PC", - "Local backup advanced options": "Local backup advanced options", "Local machine": "Local machine", - "Local package backup": "Local package backup", "Locating {pm}...": "Locating {pm}...", - "Log in": "Log in", - "Log in failed: ": "Log in failed: ", - "Log in to enable cloud backup": "Log in to enable cloud backup", - "Log in with GitHub": "Log in with GitHub", - "Log in with GitHub to enable cloud package backup.": "Log in with GitHub to enable cloud package backup.", - "Log level:": "Log level:", - "Log out": "Log out", - "Log out failed: ": "Log out failed: ", - "Log out from GitHub": "Log out from GitHub", "Looking for packages...": "Looking for packages...", "Machine | Global": "Machine | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default.", - "Manage": "Manage", - "Manage UniGetUI settings": "Manage UniGetUI settings", "Manage WingetUI autostart behaviour from the Settings app": "Manage UniGetUI autostart behaviour from the Settings app", "Manage ignored packages": "Manage ignored packages", - "Manage ignored updates": "Manage ignored updates", - "Manage shortcuts": "Manage shortcuts", - "Manage telemetry settings": "Manage telemetry settings", - "Manage {0} sources": "Manage {0} sources", - "Manifest": "Manifest", "Manifests": "Manifests", - "Manual scan": "Manual scan", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps", - "Missing dependency": "Missing dependency", - "Minimum age for updates": "Minimum age for updates", - "More": "More", - "More details": "More details", - "More details about the shared data and how it will be processed": "More details about the shared data and how it will be processed", - "More info": "More info", - "More than 1 package was selected": "More than 1 package was selected", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section", - "Name": "Name", - "New": "New", "New Version": "New Version", "New bundle": "New bundle", - "New version": "New version", - "Nice! Backups will be uploaded to a private gist on your account": "Nice! Backups will be uploaded to a private gist on your account", - "No": "No", - "No applicable installer was found for the package {0}": "No applicable installer was found for the package {0}", - "No minimum age": "No minimum age", - "No dependencies specified": "No dependencies specified", - "No new shortcuts were found during the scan.": "No new shortcuts were found during the scan.", - "No package was selected": "No package was selected", "No packages found": "No packages found", "No packages found matching the input criteria": "No packages found matching the input criteria", "No packages have been added yet": "No packages have been added yet", "No packages selected": "No packages selected", - "No packages were found": "No packages were found", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.", - "No results were found matching the input criteria": "No results were found matching the input criteria", "No sources found": "No sources found", "No sources were found": "No sources were found", "No updates are available": "No updates are available", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities", - "Not available": "Not available", - "Not finding the file you are looking for? Make sure it has been added to path.": "Not finding the file you are looking for? Make sure it has been added to path.", - "Not found": "Not found", - "Not right now": "Not right now", "Notes:": "Notes:", - "Notification preferences": "Notification preferences", "Notification tray options": "Notification tray options", - "Notification types": "Notification types", - "NuPkg (zipped manifest)": "NuPkg (zipped manifest)", - "OK": "OK", - "Ok": "Ok", - "Open": "Open", + "Ok": "OK", "Open GitHub": "Open GitHub", - "Override the global minimum update age for this package manager": "Override the global minimum update age for this package manager", - "Open UniGetUI": "Open UniGetUI", - "Open UniGetUI security settings": "Open UniGetUI security settings", "Open WingetUI": "Open UniGetUI", "Open backup location": "Open backup location", "Open existing bundle": "Open existing bundle", - "Open install location": "Open install location", "Open the welcome wizard": "Open the welcome wizard", - "Operation canceled by user": "Operation canceled by user", "Operation cancelled": "Operation cancelled", - "Operation history": "Operation history", - "Operation in progress": "Operation in progress", - "Operation on queue (position {0})...": "Operation on queue (position {0})...", - "Operation profile:": "Operation profile:", "Options saved": "Options saved", - "Order by:": "Order by:", - "Other": "Other", - "Other settings": "Other settings", - "Package": "Package", - "Package Bundles": "Package Bundles", - "Package ID": "Package ID", "Package Manager": "Package Manager", - "Package Manager logs": "Package Manager logs", - "Package Managers": "Package Managers", - "Package Name": "Package Name", - "Package backup": "Package backup", - "Package backup settings": "Package backup settings", - "Package bundle": "Package bundle", - "Package details": "Package details", - "Package lists": "Package lists", - "Package management made easy": "Package management made easy", - "Package manager": "Package manager", - "Package manager preferences": "Package managers preferences", - "Package managers": "Package managers", - "Package not found": "Package not found", - "Package operation preferences": "Package operation preferences", - "Package update preferences": "Package update preferences", + "Package managers": "Package Managers", "Package {name} from {manager}": "Package {name} from {manager}", - "Package's default": "Package's default", "Packages": "Packages", "Packages found: {0}": "Packages found: {0}", - "Partially": "Partially", - "Password": "Password", "Paste a valid URL to the database": "Paste a valid URL to the database", - "Pause updates for": "Pause updates for", "Perform a backup now": "Perform a backup now", - "Perform a cloud backup now": "Perform a cloud backup now", - "Perform a local backup now": "Perform a local backup now", - "Perform integrity checks at startup": "Perform integrity checks at startup", - "Performing backup, please wait...": "Performing backup, please wait...", "Periodically perform a backup of the installed packages": "Periodically perform a backup of the installed packages", - "Periodically perform a cloud backup of the installed packages": "Periodically perform a cloud backup of the installed packages", - "Periodically perform a local backup of the installed packages": "Periodically perform a local backup of the installed packages", - "Please check the installation options for this package and try again": "Please check the installation options for this package and try again", - "Please click on \"Continue\" to continue": "Please click on \"Continue\" to continue", "Please enter at least 3 characters": "Please enter at least 3 characters", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.", - "Please note that not all package managers may fully support this feature": "Please note that not all package managers may fully support this feature", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.", - "Please run UniGetUI as a regular user and try again.": "Please run UniGetUI as a regular user and try again.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Please see the Command-line Output or refer to the Operation History for further information about the issue.", "Please select how you want to configure WingetUI": "Please select how you want to configure UniGetUI", - "Please try again later": "Please try again later", "Please type at least two characters": "Please type at least two characters", - "Please wait": "Please wait", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Please wait while {0} is being installed. A black (or blue) window may show up. Please wait until it closes.", - "Please wait...": "Please wait...", "Portable": "Portable", - "Portable mode": "Portable mode\n", - "Post-install command:": "Post-install command:", - "Post-uninstall command:": "Post-uninstall command:", - "Post-update command:": "Post-update command:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully", - "Pre-install command:": "Pre-install command:", - "Pre-uninstall command:": "Pre-uninstall command:", - "Pre-update command:": "Pre-update command:", - "PreRelease": "PreRelease", - "Preparing packages, please wait...": "Preparing packages, please wait...", - "Proceed at your own risk.": "Proceed at your own risk.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo", - "Proxy URL": "Proxy URL", - "Proxy compatibility table": "Proxy compatibility table", - "Proxy settings": "Proxy settings", - "Proxy settings, etc.": "Proxy settings, etc.", "Publication date:": "Publication date:", - "Publisher": "Publisher", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities", - "Quit": "Quit", "Quit WingetUI": "Quit UniGetUI", - "Ready": "Ready", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Refer to the UniGetUI Logs to get more details regarding the affected file(s)", - "Reinstall": "Reinstall", - "Reinstall package": "Reinstall package", - "Related settings": "Related settings", - "Release date support per package manager": "Release date support per package manager", - "Release notes": "Release notes", - "Release notes URL": "Release notes URL", "Release notes URL:": "Release notes URL:", "Release notes:": "Release notes:", "Reload": "Reload", - "Reload log": "Reload log", "Removal failed": "Removal failed", "Removal succeeded": "Removal succeeded", - "Remove from list": "Remove from list", "Remove permanent data": "Remove permanent data", - "Remove selection from bundle": "Remove selection from bundle", "Remove successful installs/uninstalls/updates from the installation list": "Remove successful installs/uninstalls/updates from the installation list", - "Removing source {source}": "Removing source {source}", - "Removing source {source} from {manager}": "Removing source {source} from {manager}", - "Repair UniGetUI": "Repair UniGetUI", - "Repair WinGet": "Repair WinGet", - "Report an issue or submit a feature request": "Report an issue or submit a feature request", "Repository": "Repository", - "Reset": "Reset", "Reset Scoop's global app cache": "Reset Scoop's global app cache", - "Reset UniGetUI": "Reset UniGetUI", - "Reset WinGet": "Reset WinGet", "Reset Winget sources (might help if no packages are listed)": "Reset WinGet sources (might help if no packages are listed)", - "Reset WingetUI": "Reset UniGetUI", "Reset WingetUI and its preferences": "Reset UniGetUI and its preferences", "Reset WingetUI icon and screenshot cache": "Reset UniGetUI icon and screenshot cache", - "Reset list": "Reset list", "Resetting Winget sources - WingetUI": "Resetting WinGet sources - UniGetUI", - "Restart": "Restart", - "Restart UniGetUI": "Restart UniGetUI", - "Restart WingetUI": "Restart UniGetUI", - "Restart WingetUI to fully apply changes": "Restart UniGetUI to fully apply changes", - "Restart later": "Restart later", "Restart now": "Restart now", - "Restart required": "Restart required", "Restart your PC to finish installation": "Restart your PC to finish installation", "Restart your computer to finish the installation": "Restart your computer to finish the installation", - "Restore a backup from the cloud": "Restore a backup from the cloud", - "Restrictions on package managers": "Restrictions on package managers", - "Restrictions on package operations": "Restrictions on package operations", - "Restrictions when importing package bundles": "Restrictions when importing package bundles", - "Retry": "Retry", - "Retry as administrator": "Retry as administrator", - "Retry failed operations": "Retry failed operations", - "Retry interactively": "Retry interactively", - "Retry skipping integrity checks": "Retry skipping integrity checks", + "Retry failed operations": "Retry failed operations", "Retrying, please wait...": "Retrying, please wait...", "Return to top": "Return to top", - "Run": "Run", - "Run as admin": "Run as admin", - "Run cleanup and clear cache": "Run cleanup and clear cache", - "Run last": "Run last", - "Run next": "Run next", - "Run now": "Run now", "Running the installer...": "Running the installer...", "Running the uninstaller...": "Running the uninstaller...", "Running the updater...": "Running the updater...", - "Save": "Save", "Save File": "Save File", - "Save and close": "Save and close", - "Save as": "Save as", "Save bundle as": "Save bundle as", "Save now": "Save now", - "Saving packages, please wait...": "Saving packages, please wait...", - "Scoop Installer - WingetUI": "Scoop Installer - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop Uninstaller - UniGetUI", - "Scoop package": "Scoop package", "Search": "Search", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want UniGetUI to overcomplicate, I just want a simple software store", - "Search for packages": "Search for packages", - "Search for packages to start": "Search for packages to start", - "Search mode": "Search mode", "Search on available updates": "Search on available updates", "Search on your software": "Search on your software", "Searching for installed packages...": "Searching for installed packages...", "Searching for packages...": "Searching for packages...", "Searching for updates...": "Searching for updates...", - "Select": "Select", "Select \"{item}\" to add your custom bucket": "Select \"{item}\" to add your custom bucket", "Select a folder": "Select a folder", - "Select all": "Select all", "Select all packages": "Select all packages", - "Select backup": "Select backup", "Select only if you know what you are doing.": "Select only if you know what you are doing.", "Select package file": "Select package file", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Select the backup you want to open. Later, you will be able to review which packages/programs you want to restore.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Select the executable to be used. The following list shows the executables found by UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Select the processes that should be closed before this package is installed, updated or uninstalled.", - "Select the source you want to add:": "Select the source you want to add:", - "Select upgradable packages by default": "Select upgradable packages by default", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Sent handshake. Waiting for instance listener's answer... ({0}%)", - "Set a custom backup file name": "Set a custom backup file name", "Set custom backup file name": "Set custom backup file name", - "Settings": "Settings", - "Share": "Share", "Share WingetUI": "Share UniGetUI", - "Share anonymous usage data": "Share anonymous usage data", - "Share this package": "Share this package", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.", "Show UniGetUI on the system tray": "Show UniGetUI on the system tray", - "Show UniGetUI's version and build number on the titlebar.": "Show UniGetUI's version on the titlebar", - "Show WingetUI": "Show UniGetUI", "Show a notification when an installation fails": "Show a notification when an installation fails", "Show a notification when an installation finishes successfully": "Show a notification when an installation finishes successfully", - "Show a notification when an operation fails": "Show a notification when an operation fails", - "Show a notification when an operation finishes successfully": "Show a notification when an operation finishes successfully", - "Show a notification when there are available updates": "Show a notification when there are available updates", - "Show a silent notification when an operation is running": "Show a silent notification when an operation is running", "Show details": "Show details", - "Show in explorer": "Show in explorer", "Show info about the package on the Updates tab": "Show info about the package on the Updates tab", "Show missing translation strings": "Show missing translation strings", - "Show notifications on different events": "Show notifications on different events", "Show package details": "Show package details", - "Show package icons on package lists": "Show package icons on package lists", - "Show similar packages": "Show similar packages", "Show the live output": "Show the live output", - "Size": "Size", "Skip": "Skip", - "Skip hash check": "Skip hash check", - "Skip hash checks": "Skip hash checks", - "Skip integrity checks": "Skip integrity checks", - "Skip minor updates for this package": "Skip minor updates for this package", "Skip the hash check when installing the selected packages": "Skip the hash check when installing the selected packages", "Skip the hash check when updating the selected packages": "Skip the hash check when updating the selected packages", - "Skip this version": "Skip this version", - "Software Updates": "Software Updates", - "Something went wrong": "Something went wrong", - "Something went wrong while launching the updater.": "Something went wrong while launching the updater.", - "Source": "Source", - "Source URL:": "Source URL:", - "Source added successfully": "Source added successfully", "Source addition failed": "Source addition failed", - "Source name:": "Source name:", "Source removal failed": "Source removal failed", - "Source removed successfully": "Source removed successfully", "Source:": "Source:", - "Sources": "Sources", "Start": "Start", "Starting daemons...": "Starting daemons...", - "Starting operation...": "Starting operation...", "Startup options": "Startup options", "Status": "Status", "Stuck here? Skip initialization": "Stuck here? Skip initialization", - "Success!": "Success!", "Suport the developer": "Support the developer", "Support me": "Support me", "Support the developer": "Support the developer", - "Supports release dates": "Supports release dates", "Systems are now ready to go!": "Systems are now ready to go!", - "Telemetry": "Telemetry", - "Text": "Text", "Text file": "Text file", - "Thank you ❤": "Thank you ❤", - "Thank you \uD83D\uDE09": "Thank you \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "The Rust package manager.
Contains: Rust libraries and programs written in Rust", - "The backup will NOT include any binary file nor any program's saved data.": "The backup will NOT include any binary file nor any program's saved data.", - "The backup will be performed after login.": "The backup will be performed after login.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.", - "The bundle was created successfully on {0}": "The bundle was created successfully on {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "The bundle you are trying to load appears to be invalid. Please check the file and try again.", + "Thank you Γ¥ñ": "Thank you Γ¥ñ", + "Thank you 😉": "Thank you 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "The classic package manager for Windows. You'll find everything there.
Contains: General Software", - "The cloud backup completed successfully.": "The cloud backup completed successfully.", - "The cloud backup has been loaded successfully.": "The cloud backup has been loaded successfully.", - "The current bundle has no packages. Add some packages to get started": "The current bundle has no packages. Add some packages to get started", - "The executable file for {0} was not found": "The executable file for {0} was not found", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.", "The following packages are going to be installed on your system.": "The following packages are going to be installed on your system.", - "The following settings may pose a security risk, hence they are disabled by default.": "The following settings may pose a security risk, hence they are disabled by default.", - "The following settings will be applied each time this package is installed, updated or removed.": "The following settings will be applied each time this package is installed, updated or removed.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.", "The icons and screenshots are maintained by users like you!": "The icons and screenshots are maintained by users like you!", - "The installation script saved to {0}": "The installation script saved to {0}", - "The installer authenticity could not be verified.": "The installer authenticity could not be verified.", "The installer has an invalid checksum": "The installer has an invalid checksum", "The installer hash does not match the expected value.": "The installer hash does not match the expected value.", - "The local icon cache currently takes {0} MB": "The local icon cache currently takes {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "The main goal of this project is to create an intuitive UI for the most common CLI package managers for Windows, such as Winget and Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "The package \"{0}\" was not found on the package manager \"{1}\"", - "The package bundle could not be created due to an error.": "The package bundle could not be created due to an error.", - "The package bundle is not valid": "The package bundle is not valid", - "The package manager \"{0}\" is disabled": "The package manager \"{0}\" is disabled", - "The package manager \"{0}\" was not found": "The package manager \"{0}\" was not found", "The package {0} from {1} was not found.": "The package {0} from {1} was not found.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.", "The selected packages have been blacklisted": "The selected packages have been blacklisted", - "The settings will list, in their descriptions, the potential security issues they may have.": "The settings will list, in their descriptions, the potential security issues they may have.", - "The size of the backup is estimated to be less than 1MB.": "The size of the backup is estimated to be less than 1MB.", - "The source {source} was added to {manager} successfully": "The source {source} was added to {manager} successfully", - "The source {source} was removed from {manager} successfully": "The source {source} was removed from {manager} successfully", - "The system tray icon must be enabled in order for notifications to work": "The system tray icon must be enabled in order for notifications to work", - "The update process has been aborted.": "The update process has been aborted.", - "The update process will start after closing UniGetUI": "The update process will start after closing UniGetUI", "The update will be installed upon closing WingetUI": "The update will be installed upon closing UniGetUI", "The update will not continue.": "The update will not continue.", "The user has canceled {0}, that was a requirement for {1} to be run": "The user has canceled {0}, that was a requirement for {1} to be run", - "There are no new UniGetUI versions to be installed": "There are no new UniGetUI versions to be installed", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "There are ongoing operations. Quitting UniGetUI may cause them to fail. Do you want to continue?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "There are some great videos on YouTube that showcase UniGetUI and its capabilities. You could learn useful tricks and tips!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "There are two main reasons to not run UniGetUI as administrator:\nThe first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\nThe second one is that running UniGetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\nRemember that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "There is an error with the configuration of the package manager \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "There is an installation in progress. If you close UniGetUI, the installation may fail and have unexpected results. Do you still want to quit UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "They are the programs in charge of installing, updating and removing packages.", - "Third-party licenses": "Third-party licenses", "This could represent a security risk.": "This could represent a security risk.", - "This is not recommended.": "This is not recommended.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}", "This is the default choice.": "This is the default choice.", - "This may help if WinGet packages are not shown": "This may help if WinGet packages are not shown", - "This may help if no packages are listed": "This may help if no packages are listed", - "This may take a minute or two": "This may take a minute or two", - "This operation is running interactively.": "This operation is running interactively.", - "This operation is running with administrator privileges.": "This operation is running with administrator privileges.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "This package bundle had some settings that are potentially dangerous, and may be ignored by default.", "This package can be updated": "This package can be updated", "This package can be updated to version {0}": "This package can be updated to version {0}", - "This package can be upgraded to version {0}": "This package can be upgraded to version {0}", - "This package cannot be installed from an elevated context.": "This package cannot be installed from an elevated context.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "This package has no screenshots or is missing the icon? Contribute to UniGetUI by adding the missing icons and screenshots to our open, public database.", - "This package is already installed": "This package is already installed", - "This package is being processed": "This package is being processed", - "This package is not available": "This package is not available", - "This package is on the queue": "This package is on the queue", "This process is running with administrator privileges": "This process is running with administrator privileges", - "This project has no connection with the official {0} project — it's completely unofficial.": "This project has no connection with the official {0} project — it's completely unofficial.", + "This project has no connection with the official {0} project ΓÇö it's completely unofficial.": "This project has no connection with the official {0} project ΓÇö it's completely unofficial.", "This setting is disabled": "This setting is disabled", "This wizard will help you configure and customize WingetUI!": "This wizard will help you configure and customize UniGetUI!", "Toggle search filters pane": "Toggle search filters pane", - "Translators": "Translators", - "Try to kill the processes that refuse to close when requested to": "Try to kill the processes that refuse to close when requested to", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous", "Type here the name and the URL of the source you want to add, separed by a space.": "Type here the name and the URL of the source you want to add, separated by a space.", "Unable to find package": "Unable to find the package", "Unable to load informarion": "Unable to load information", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI collects anonymous usage data in order to improve the user experience.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI has detected a new desktop shortcut that can be deleted automatically.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.", - "UniGetUI is being updated...": "UniGetUI is being updated...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.", - "UniGetUI on the background and system tray": "UniGetUI on the background and system tray", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI or some of its components are missing or corrupt.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI requires {0} to operate, but it was not found on your system.", - "UniGetUI startup page:": "UniGetUI startup page:", - "UniGetUI updater": "UniGetUI updater", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} is being downloaded.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} is ready to be installed.", - "Uninstall": "Uninstall", - "Uninstall Scoop (and its packages)": "Uninstall Scoop (and its packages)", "Uninstall and more": "Uninstall and more", - "Uninstall and remove data": "Uninstall and remove data", - "Uninstall as administrator": "Uninstall as administrator", "Uninstall canceled by the user!": "Uninstall canceled by the user!", - "Uninstall failed": "Uninstall failed", - "Uninstall options": "Uninstall options", - "Uninstall package": "Uninstall package", - "Uninstall package, then reinstall it": "Uninstall package, then reinstall it", - "Uninstall package, then update it": "Uninstall package, then update it", - "Uninstall previous versions when updated": "Uninstall previous versions when updated", - "Uninstall selected packages": "Uninstall selected packages", - "Uninstall selection": "Uninstall selection", - "Uninstall succeeded": "Uninstall succeeded", "Uninstall the selected packages with administrator privileges": "Uninstall the selected packages with administrator privileges", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.", - "Unknown": "Unknown", - "Unknown size": "Unknown size", - "Unset or unknown": "Unset or unknown", - "Up to date": "Up to date", - "Update": "Update", - "Update WingetUI automatically": "Update UniGetUI automatically", - "Update all": "Update all", "Update and more": "Update and more", - "Update as administrator": "Update as administrator", - "Update check frequency, automatically install updates, etc.": "Update check frequency, automatically install updates, etc.", - "Update checking": "Update checking", - "Update security": "Update security", "Update date": "Update date", - "Update failed": "Update failed", "Update found!": "Update found!", - "Update now": "Update now", - "Update options": "Update options", "Update package indexes on launch": "Update package indexes on launch", "Update packages automatically": "Update packages automatically", "Update selected packages": "Update selected packages", "Update selected packages with administrator privileges": "Update selected packages with administrator privileges", - "Update selection": "Update selection", - "Update succeeded": "Update succeeded", - "Update to version {0}": "Update to version {0}", - "Update to {0} available": "Update to {0} available", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Update vcpkg's Git portfiles automatically (requires Git installed)", "Updates": "Updates", "Updates available!": "Updates available!", - "Updates for this package are ignored": "Updates for this package are ignored", - "Updates found!": "Updates found!", "Updates preferences": "Updates preferences", "Updating WingetUI": "Updating UniGetUI", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Use Legacy bundled WinGet instead of PowerShell CMDLets", - "Use global setting": "Use global setting", - "Use a custom icon and screenshot database URL": "Use a custom icon and screenshot database URL", "Use bundled WinGet instead of PowerShell CMDlets": "Use bundled WinGet instead of PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Use bundled WinGet instead of system WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Use installed GSudo instead of UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Use installed GSudo instead of the bundled one", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Use legacy UniGetUI Elevator (may be helpful if having issues with UniGetUI Elevator)", - "Use system Chocolatey": "Use system Chocolatey", "Use system Chocolatey (Needs a restart)": "Use system Chocolatey (Needs a restart)", "Use system Winget (Needs a restart)": "Use system Winget (Needs a restart)", "Use system Winget (System language must be set to english)": "Use WinGet (System language must be set to English)", "Use the WinGet COM API to fetch packages": "Use the WinGet COM API to fetch packages", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Use the WinGet PowerShell Module instead of the WinGet COM API", - "Useful links": "Useful links", "User": "User", - "User interface preferences": "User interface preferences", "User | Local": "User | Local", - "Username": "Username", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Using UniGetUI implies the acceptance of the GNU Lesser General Public License v2.1 License", - "Using WingetUI implies the acceptation of the MIT License": "Using UniGetUI implies the acceptance of the MIT License", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings", "Vcpkg was not found on your system.": "Vcpkg was not found on your system.", - "Verbose": "Verbose", - "Version": "Version", - "Version to install:": "Version to install:", - "Version:": "Version:", - "View GitHub Profile": "View GitHub Profile", "View WingetUI on GitHub": "View UniGetUI on GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "View UniGetUI's source code. From there, you can report bugs or suggest features, or even contribute directly to the UniGetUI project", - "View mode:": "View mode:", - "View on UniGetUI": "View on UniGetUI", - "View page on browser": "View page on browser", - "View {0} logs": "View {0} logs", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.", "Waiting for other installations to finish...": "Waiting for other installations to finish...", "Waiting for {0} to complete...": "Waiting for {0} to complete...", - "Warning": "Warning", - "Warning!": "Warning!", - "We are checking for updates.": "We are checking for updates.", "We could not load detailed information about this package, because it was not found in any of your package sources": "We could not load detailed information about this package, because it was not found in any of your package sources.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "We could not load detailed information about this package, because it was not installed from an available package manager.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.", "We couldn't find any package": "We couldn't find any package", "Welcome to WingetUI": "Welcome to UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "When batch installing packages from a bundle, install also packages that are already installed", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "When new shortcuts are detected, delete them automatically instead of showing this dialog.", - "Which backup do you want to open?": "Which backup do you want to open?", "Which package managers do you want to use?": "Which package managers do you want to use?", "Which source do you want to add?": "Which source do you want to add?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "While WinGet can be used within UniGetUI, UniGetUI can be used with other package managers, which can be confusing. In the past, UniGetUI was designed to work only with Winget, but this is not true anymore, and therefore UniGetUI does not represent what this project aims to become.", - "WinGet could not be repaired": "WinGet could not be repaired", - "WinGet malfunction detected": "WinGet malfunction detected", - "WinGet was repaired successfully": "WinGet was repaired successfully", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Everything is up to date", "WingetUI - {0} updates are available": "UniGetUI - {0} updates are available", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI Homepage", "WingetUI Homepage - Share this link!": "UniGetUI Homepage - Share this link!", - "WingetUI License": "UniGetUI License", - "WingetUI Log": "UniGetUI Log", - "WingetUI Repository": "UniGetUI Repository", - "WingetUI Settings": "UniGetUI Settings", "WingetUI Settings File": "UniGetUI Settings File", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI uses the following libraries. Without them, UniGetUI wouldn't have been possible.", - "WingetUI Version {0}": "UniGetUI Version {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostart behaviour, application launch settings", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI can check if your software has available updates, and install them automatically if you want", - "WingetUI display language:": "UniGetUI display language:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI has been ran as administrator, which is not recommended. When running UniGetUI as administrator, EVERY operation launched from UniGetUI will have administrator privileges. You can still use the program, but we highly recommend not running UniGetUI with administrator privileges.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI has not been machine translated! The following users have been in charge of the translations:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI is being renamed in order to emphasize the difference between UniGetUI (the interface you are using right now) and WinGet (a package manager developed by Microsoft with which I am not related)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI is being updated. When finished, UniGetUI will restart itself", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.", - "WingetUI log": "UniGetUI log", + "WingetUI log": "WingetUI Log", "WingetUI tray application preferences": "UniGetUI tray application preferences", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI uses the following libraries. Without them, UniGetUI wouldn't have been possible.", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.", "WingetUI version {0} is being downloaded.": "UniGetUI version {0} is being downloaded.", "WingetUI will become {newname} soon!": "WingetUI will become {newname} soon!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI will show a UAC prompt every time a package requires elevation to be installed.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI wouldn't have been possible without the help of our dear contributors. Check out their GitHub profiles, UniGetUI wouldn't be possible without them!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} is ready to be installed.", - "Write here the process names here, separated by commas (,)": "Write here the process names here, separated by commas (,)", - "Yes": "Yes", - "You are logged in as {0} (@{1})": "You are logged in as {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "You can change this behavior on UniGetUI security settings.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.", - "You have currently version {0} installed": "You have currently version {0} installed", - "You have installed WingetUI Version {0}": "You have installed UniGetUI Version {0}", - "You may lose unsaved data": "You may lose unsaved data", - "You may need to install {pm} in order to use it with WingetUI.": "You may need to install {pm} in order to use it with UniGetUI.", "You may restart your computer later if you wish": "You may restart your computer later if you wish", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "You will be prompted only once, and administrator rights will be granted to packages that request them.", "You will be prompted only once, and every future installation will be elevated automatically.": "You will be prompted only once, and every future installation will be elevated automatically.", - "You will likely need to interact with the installer.": "You will likely need to interact with the installer.", - "[RAN AS ADMINISTRATOR]": "RAN AS ADMINISTRATOR", "buy me a coffee": "buy me a coffee", - "extracted": "extracted", - "feature": "feature", "formerly WingetUI": "formerly WingetUI", - "homepage": "website", - "install": "install", + "homepage": "Homepage", + "install": "Install", "installation": "installation", - "installed": "installed", - "installing": "installing", - "library": "library", - "mandatory": "mandatory", - "option": "option", - "optional": "optional", - "uninstall": "uninstall", + "uninstall": "Uninstall", "uninstallation": "uninstallation", "uninstalled": "uninstalled", - "uninstalling": "uninstalling", "update(noun)": "update", "update(verb)": "update", "updated": "updated", - "updating": "updating", - "version {0}": "version {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Install options are currently locked because {0} follows the default install options.", "{0} Uninstallation": "{0} Uninstallation", "{0} aborted": "{0} aborted", "{0} can be updated": "{0} can be updated", - "{0} can be updated to version {1}": "{0} can be updated to version {1}", - "{0} days": "{0} days", - "{0} desktop shortcuts created": "{0} desktop shortcuts created", "{0} failed": "{0} failed", - "{0} has been installed successfully.": "{0} has been installed successfully.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation", "{0} has failed, that was a requirement for {1} to be run": "{0} has failed, that was a requirement for {1} to be run", - "{0} homepage": "{0} homepage", - "{0} hours": "{0} hours", "{0} installation": "{0} installation", - "{0} installation options": "{0} installation options", - "{0} installer is being downloaded": "{0} installer is being downloaded", - "{0} is being installed": "{0} is being installed", - "{0} is being uninstalled": "{0} is being uninstalled", "{0} is being updated": "{0} is being updated", - "{0} is being updated to version {1}": "{0} is being updated to version {1}", - "{0} is disabled": "{0} is disabled", - "{0} minutes": "{0} minutes", "{0} months": "{0} months", - "{0} packages are being updated": "{0} packages are being updated", - "{0} packages can be updated": "{0} packages can be updated", "{0} packages found": "{0} packages found", "{0} packages were found": "{0} packages were found", - "{0} packages were found, {1} of which match the specified filters.": "{1} packages were found, {0} of which match the specified filters.", - "{0} selected": "{0} selected", - "{0} settings": "{0} settings", - "{0} status": "{0} status", "{0} succeeded": "{0} succeeded", "{0} update": "{0} update", - "{0} updates are available": "{0} updates are available", "{0} was {1} successfully!": "{0} was {1} successfully!", "{0} weeks": "{0} weeks", "{0} years": "{0} years", "{0} {1} failed": "{0} {1} failed", - "{package} Installation": "{package} Installation", - "{package} Uninstall": "{package} Uninstall", - "{package} Update": "{package} Update", - "{package} could not be installed": "{package} could not be installed", - "{package} could not be uninstalled": "{package} could not be uninstalled", - "{package} could not be updated": "{package} could not be updated", "{package} installation failed": "{package} installation failed", - "{package} installer could not be downloaded": "{package} installer could not be downloaded", - "{package} installer download": "{package} installer download", - "{package} installer was downloaded successfully": "{package} installer was downloaded successfully", "{package} uninstall failed": "{package} uninstall failed", "{package} update failed": "{package} update failed", "{package} update failed. Click here for more details.": "{package} update failed. Click here for more details.", - "{package} was installed successfully": "{package} was installed successfully", - "{package} was uninstalled successfully": "{package} was uninstalled successfully", - "{package} was updated successfully": "{package} was updated successfully", - "{pcName} installed packages": "{pcName} installed packages", "{pm} could not be found": "{pm} could not be found", "{pm} found: {state}": "{pm} found: {state}", - "{pm} is disabled": "{pm} is disabled", - "{pm} is enabled and ready to go": "{pm} is enabled and ready to go", "{pm} package manager specific preferences": "{pm} package manager specific preferences", - "{pm} preferences": "{pm} preferences", - "{pm} version:": "{pm} version:", - "{pm} was not found!": "{pm} was not found!" -} \ No newline at end of file + "{pm} preferences": "{pm} preferences" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es-MX.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es-MX.json index eba4ea2b40..c220edf243 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es-MX.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es-MX.json @@ -1,1074 +1,1075 @@ { - "\"{0}\" is a local package and can't be shared": null, - "\"{0}\" is a local package and does not have available details": null, - "\"{0}\" is a local package and is not compatible with this feature": null, - "(Last checked: {0})": null, - "(Number {0} in the queue)": null, - "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": null, - "0 packages found": null, - "0 updates found": null, - "1 - Errors": null, - "1 day": null, - "1 hour": null, - "1 month": null, - "1 package was found": null, - "1 update is available": null, - "1 week": null, - "1 year": null, - "1. Navigate to the \"{0}\" or \"{1}\" page.": null, - "2 - Warnings": null, - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": null, - "3 - Information (less)": null, - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": null, - "4 - Information (more)": null, - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": null, - "5 - information (debug)": null, - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": null, - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": null, - "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": null, - "A restart is required": null, - "Abort install if pre-install command fails": null, - "Abort uninstall if pre-uninstall command fails": null, - "Abort update if pre-update command fails": null, - "About": null, - "About Qt6": null, - "About WingetUI": null, - "About WingetUI version {0}": null, - "About the dev": null, - "Accept": null, - "Action when double-clicking packages, hide successful installations": null, - "Add": null, - "Add a source to {0}": null, - "Add a timestamp to the backup file names": null, - "Add a timestamp to the backup files": null, - "Add packages or open an existing bundle": null, - "Add packages or open an existing package bundle": null, - "Add packages to bundle": null, - "Add packages to start": null, - "Add selection to bundle": null, - "Add source": null, - "Add updates that fail with a 'no applicable update found' to the ignored updates list": null, - "Adding source {source}": null, - "Adding source {source} to {manager}": null, - "Addition succeeded": null, - "Administrator privileges": null, - "Administrator privileges preferences": null, - "Administrator rights": null, - "Administrator rights and other dangerous settings": null, - "Advanced options": null, - "All files": null, - "All versions": null, - "Allow changing the paths for package manager executables": null, - "Allow custom command-line arguments": null, - "Allow importing custom command-line arguments when importing packages from a bundle": null, - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": null, - "Allow package operations to be performed in parallel": null, - "Allow parallel installs (NOT RECOMMENDED)": null, - "Allow pre-release versions": null, - "Allow {pm} operations to be performed in parallel": null, - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": null, - "Always elevate {pm} installations by default": null, - "Always run {pm} operations with administrator rights": null, - "An error occurred": null, - "An error occurred when adding the source: ": null, - "An error occurred when attempting to show the package with Id {0}": null, - "An error occurred when checking for updates: ": null, - "An error occurred while attempting to create an installation script:": null, - "An error occurred while loading a backup: ": null, - "An error occurred while logging in: ": null, - "An error occurred while processing this package": null, - "An error occurred:": null, - "An interal error occurred. Please view the log for further details.": null, - "An unexpected error occurred:": null, - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": null, - "An update was found!": null, - "Android Subsystem": null, - "Another source": null, - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": null, - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": null, - "Any unsaved changes will be lost": null, - "App Name": null, - "Appearance": null, - "Application theme, startup page, package icons, clear successful installs automatically": null, - "Application theme:": null, - "Apply": null, - "Architecture to install:": null, - "Are these screenshots wron or blurry?": null, - "Are you really sure you want to enable this feature?": null, - "Are you sure you want to create a new package bundle? ": null, - "Are you sure you want to delete all shortcuts?": null, - "Are you sure?": null, - "Ascendant": null, - "Ask for administrator privileges once for each batch of operations": null, - "Ask for administrator rights when required": null, - "Ask once or always for administrator rights, elevate installations by default": null, - "Ask only once for administrator privileges": null, - "Ask only once for administrator privileges (not recommended)": null, - "Ask to delete desktop shortcuts created during an install or upgrade.": null, - "Attention required": null, - "Authenticate to the proxy with an user and a password": null, - "Author": null, - "Automatic desktop shortcut remover": null, - "Automatic updates": null, - "Automatically save a list of all your installed packages to easily restore them.": null, - "Automatically save a list of your installed packages on your computer.": null, - "Automatically update this package": null, - "Autostart WingetUI in the notifications area": null, - "Available Updates": null, - "Available updates: {0}": null, - "Available updates: {0}, not finished yet...": null, - "Backing up packages to GitHub Gist...": null, - "Backup": null, - "Backup Failed": null, - "Backup Successful": null, - "Backup and Restore": null, - "Backup installed packages": null, - "Backup location": null, - "Become a contributor": null, - "Become a translator": null, - "Begin the process to select a cloud backup and review which packages to restore": null, - "Beta features and other options that shouldn't be touched": null, - "Both": null, - "Bundle security report": null, - "But here are other things you can do to learn about WingetUI even more:": null, - "By toggling a package manager off, you will no longer be able to see or update its packages.": null, - "Cache administrator rights and elevate installers by default": null, - "Cache administrator rights, but elevate installers only when required": null, - "Cache was reset successfully!": null, - "Can't {0} {1}": null, - "Cancel": null, - "Cancel all operations": null, - "Change backup output directory": null, - "Change default options": null, - "Change how UniGetUI checks and installs available updates for your packages": null, - "Change how UniGetUI handles install, update and uninstall operations.": null, - "Change how UniGetUI installs packages, and checks and installs available updates": null, - "Change how operations request administrator rights": null, - "Change install location": null, - "Change this": null, - "Change this and unlock": null, - "Check for package updates periodically": null, - "Check for updates": null, - "Check for updates every:": null, - "Check for updates periodically": null, - "Check for updates regularly, and ask me what to do when updates are found.": null, - "Check for updates regularly, and automatically install available ones.": null, - "Check out my {0} and my {1}!": null, - "Check out some WingetUI overviews": null, - "Checking for other running instances...": null, - "Checking for updates...": null, - "Checking found instace(s)...": null, - "Choose how many operations shouls be performed in parallel": null, - "Clear cache": null, - "Clear finished operations": null, - "Clear selection": null, - "Clear successful operations": null, - "Clear successful operations from the operation list after a 5 second delay": null, - "Clear the local icon cache": null, - "Clearing Scoop cache - WingetUI": null, - "Clearing Scoop cache...": null, - "Click here for more details": null, - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": null, - "Close": null, - "Close UniGetUI to the system tray": null, - "Close WingetUI to the notification area": null, - "Cloud backup uses a private GitHub Gist to store a list of installed packages": null, - "Cloud package backup": null, - "Command-line Output": null, - "Command-line to run:": null, - "Compare query against": null, - "Compatible with authentication": null, - "Compatible with proxy": null, - "Component Information": null, - "Concurrency and execution": null, - "Connect the internet using a custom proxy": null, - "Continue": null, - "Contribute to the icon and screenshot repository": null, - "Contributors": null, - "Copy": null, - "Copy to clipboard": null, - "Could not add source": null, - "Could not add source {source} to {manager}": null, - "Could not back up packages to GitHub Gist: ": null, - "Could not create bundle": null, - "Could not load announcements - ": null, - "Could not load announcements - HTTP status code is $CODE": null, - "Could not remove source": null, - "Could not remove source {source} from {manager}": null, - "Could not remove {source} from {manager}": null, - "Create .ps1 script": null, - "Credentials": null, - "Current Version": null, - "Current executable file:": null, - "Current status: Not logged in": null, - "Current user": null, - "Custom arguments:": null, - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": null, - "Custom command-line arguments:": null, - "Custom install arguments:": null, - "Custom uninstall arguments:": null, - "Custom update arguments:": null, - "Customize WingetUI - for hackers and advanced users only": null, - "DEBUG BUILD": null, - "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": null, - "Dark": null, - "Decline": null, - "Default": null, - "Default installation options for {0} packages": null, - "Default preferences - suitable for regular users": null, - "Default vcpkg triplet": null, - "Delete?": null, - "Dependencies:": null, - "Descendant": null, - "Description:": null, - "Desktop shortcut created": null, - "Details of the report:": null, - "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": null, - "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": null, - "Disable new share API (port 7058)": null, - "Disable the 1-minute timeout for package-related operations": null, - "Disabled": null, - "Disclaimer": null, - "Discover Packages": null, - "Discover packages": null, - "Distinguish between\nuppercase and lowercase": null, - "Distinguish between uppercase and lowercase": null, - "Do NOT check for updates": null, - "Do an interactive install for the selected packages": null, - "Do an interactive uninstall for the selected packages": null, - "Do an interactive update for the selected packages": null, - "Do not automatically install updates when the battery saver is on": null, - "Do not automatically install updates when the device runs on battery": null, - "Do not automatically install updates when the network connection is metered": null, - "Do not download new app translations from GitHub automatically": null, - "Do not ignore updates for this package anymore": null, - "Do not remove successful operations from the list automatically": null, - "Do not show this dialog again for {0}": null, - "Do not update package indexes on launch": null, - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": null, - "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": null, - "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": null, - "Do you really want to reset this list? This action cannot be reverted.": null, - "Do you really want to uninstall the following {0} packages?": null, - "Do you really want to uninstall {0} packages?": null, - "Do you really want to uninstall {0}?": null, - "Do you want to restart your computer now?": null, - "Do you want to translate WingetUI to your language? See how to contribute HERE!": null, - "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": null, - "Donate": null, - "Done!": null, - "Download failed": null, - "Download installer": null, - "Download operations are not affected by this setting": null, - "Download selected installers": null, - "Download succeeded": null, - "Download updated language files from GitHub automatically": null, - "Downloading": null, - "Downloading backup...": null, - "Downloading installer for {package}": null, - "Downloading package metadata...": null, - "Enable Scoop cleanup on launch": null, - "Enable WingetUI notifications": null, - "Enable an [experimental] improved WinGet troubleshooter": null, - "Enable and disable package managers, change default install options, etc.": null, - "Enable background CPU Usage optimizations (see Pull Request #3278)": null, - "Enable background api (WingetUI Widgets and Sharing, port 7058)": null, - "Enable it to install packages from {pm}.": null, - "Enable the automatic WinGet troubleshooter": null, - "Enable the new UniGetUI-Branded UAC Elevator": null, - "Enable the new process input handler (StdIn automated closer)": null, - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": null, - "Enable {pm}": null, - "Enabled": null, - "Enter proxy URL here": null, - "Entries that show in RED will be IMPORTED.": null, - "Entries that show in YELLOW will be IGNORED.": null, - "Error": null, - "Everything is up to date": null, - "Exact match": null, - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": null, - "Expand version": null, - "Experimental settings and developer options": null, - "Export": null, - "Export log as a file": null, - "Export packages": null, - "Export selected packages to a file": null, - "Export settings to a local file": null, - "Export to a file": null, - "Failed": null, - "Fetching available backups...": null, - "Fetching latest announcements, please wait...": null, - "Filters": null, - "Finish": null, - "Follow system color scheme": null, - "Follow the default options when installing, upgrading or uninstalling this package": null, - "For security reasons, changing the executable file is disabled by default": null, - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": null, - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": null, - "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": null, - "Force install location parameter when updating packages with custom locations": null, - "Formerly known as WingetUI": null, - "Found": null, - "Found packages: ": null, - "Found packages: {0}": null, - "Found packages: {0}, not finished yet...": null, - "General preferences": null, - "GitHub profile": null, - "Global": null, - "Go to UniGetUI security settings": null, - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": null, - "Great! You are on the latest version.": null, - "Grid": null, - "Help": null, - "Help and documentation": null, - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": null, - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": null, - "Hide details": null, - "Homepage": null, - "Hooray! No updates were found.": null, - "How should installations that require administrator privileges be treated?": null, - "How to add packages to a bundle": null, - "I understand": null, - "Icons": null, - "Id": null, - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": null, - "Ignore custom pre-install and post-install commands when importing packages from a bundle": null, - "Ignore future updates for this package": null, - "Ignore packages from {pm} when showing a notification about updates": null, - "Ignore selected packages": null, - "Ignore special characters": null, - "Ignore updates for the selected packages": null, - "Ignore updates for this package": null, - "Ignored updates": null, - "Ignored version": null, - "Import": null, - "Import packages": null, - "Import packages from a file": null, - "Import settings from a local file": null, - "In order to add packages to a bundle, you will need to: ": null, - "Initializing WingetUI...": null, - "Install": null, - "Install Scoop": null, - "Install and more": null, - "Install and update preferences": null, - "Install as administrator": null, - "Install available updates automatically": null, - "Install location can't be changed for {0} packages": null, - "Install location:": null, - "Install options": null, - "Install packages from a file": null, - "Install prerelease versions of UniGetUI": null, - "Install script": null, - "Install selected packages": null, - "Install selected packages with administrator privileges": null, - "Install selection": null, - "Install the latest prerelease version": null, - "Install updates automatically": null, - "Install {0}": null, - "Installation canceled by the user!": null, - "Installation failed": null, - "Installation options": null, - "Installation scope:": null, - "Installation succeeded": null, - "Installed Packages": null, - "Installed Version": null, - "Installed packages": null, - "Installer SHA256": null, - "Installer SHA512": null, - "Installer Type": null, - "Installer URL": null, - "Installer not available": null, - "Instance {0} responded, quitting...": null, - "Instant search": null, - "Integrity checks can be disabled from the Experimental Settings": null, - "Integrity checks skipped": null, - "Integrity checks will not be performed during this operation": null, - "Interactive installation": null, - "Interactive operation": null, - "Interactive uninstall": null, - "Interactive update": null, - "Internet connection settings": null, - "Invalid selection": null, - "Is this package missing the icon?": null, - "Is your language missing or incomplete?": null, - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": null, - "It is recommended to restart UniGetUI after WinGet has been repaired": null, - "It is strongly recommended to reinstall UniGetUI to adress the situation.": null, - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": null, - "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": null, - "Language": null, - "Language, theme and other miscellaneous preferences": null, - "Last updated:": null, - "Latest": null, - "Latest Version": null, - "Latest Version:": null, - "Latest details...": null, - "Launching subprocess...": null, - "Leave empty for default": null, - "License": null, - "Licenses": null, - "Light": null, - "List": null, - "Live command-line output": null, - "Live output": null, - "Loading UI components...": null, - "Loading WingetUI...": null, - "Loading packages": null, - "Loading packages, please wait...": null, - "Loading...": null, - "Local": null, - "Local PC": null, - "Local backup advanced options": null, - "Local machine": null, - "Local package backup": null, - "Locating {pm}...": null, - "Log in": null, - "Log in failed: ": null, - "Log in to enable cloud backup": null, - "Log in with GitHub": null, - "Log in with GitHub to enable cloud package backup.": null, - "Log level:": null, - "Log out": null, - "Log out failed: ": null, - "Log out from GitHub": null, - "Looking for packages...": null, - "Machine | Global": null, - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": null, - "Manage": null, - "Manage UniGetUI settings": null, - "Manage WingetUI autostart behaviour from the Settings app": null, - "Manage ignored packages": null, - "Manage ignored updates": null, - "Manage shortcuts": null, - "Manage telemetry settings": null, - "Manage {0} sources": null, - "Manifest": null, - "Manifests": null, - "Manual scan": null, - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": null, - "Missing dependency": null, - "More": null, - "More details": null, - "More details about the shared data and how it will be processed": null, - "More info": null, - "More than 1 package was selected": null, - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": null, - "Name": null, - "New": null, - "New Version": null, - "New bundle": null, - "New version": null, - "Nice! Backups will be uploaded to a private gist on your account": null, - "No": null, - "No applicable installer was found for the package {0}": null, - "No dependencies specified": null, - "No new shortcuts were found during the scan.": null, - "No package was selected": null, - "No packages found": null, - "No packages found matching the input criteria": null, - "No packages have been added yet": null, - "No packages selected": null, - "No packages were found": null, - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": null, - "No results were found matching the input criteria": null, - "No sources found": null, - "No sources were found": null, - "No updates are available": null, - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": null, - "Not available": null, - "Not finding the file you are looking for? Make sure it has been added to path.": null, - "Not found": null, - "Not right now": null, - "Notes:": null, - "Notification preferences": null, - "Notification tray options": null, - "Notification types": null, - "NuPkg (zipped manifest)": null, - "OK": null, - "Ok": null, - "Open": null, - "Open GitHub": null, - "Open UniGetUI": null, - "Open UniGetUI security settings": null, - "Open WingetUI": null, - "Open backup location": null, - "Open existing bundle": null, - "Open install location": null, - "Open the welcome wizard": null, - "Operation canceled by user": null, - "Operation cancelled": null, - "Operation history": null, - "Operation in progress": null, - "Operation on queue (position {0})...": null, - "Operation profile:": null, - "Options saved": null, - "Order by:": null, - "Other": null, - "Other settings": null, - "Package": null, - "Package Bundles": null, - "Package ID": null, - "Package Manager": null, - "Package Manager logs": null, - "Package Managers": null, - "Package Name": null, - "Package backup": null, - "Package backup settings": null, - "Package bundle": null, - "Package details": null, - "Package lists": null, - "Package management made easy": null, - "Package manager": null, - "Package manager preferences": null, - "Package managers": null, - "Package not found": null, - "Package operation preferences": null, - "Package update preferences": null, - "Package {name} from {manager}": null, - "Package's default": null, - "Packages": null, - "Packages found: {0}": null, - "Partially": null, - "Password": null, - "Paste a valid URL to the database": null, - "Pause updates for": null, - "Perform a backup now": null, - "Perform a cloud backup now": null, - "Perform a local backup now": null, - "Perform integrity checks at startup": null, - "Performing backup, please wait...": null, - "Periodically perform a backup of the installed packages": null, - "Periodically perform a cloud backup of the installed packages": null, - "Periodically perform a local backup of the installed packages": null, - "Please check the installation options for this package and try again": null, - "Please click on \"Continue\" to continue": null, - "Please enter at least 3 characters": null, - "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": null, - "Please note that not all package managers may fully support this feature": null, - "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": null, - "Please run UniGetUI as a regular user and try again.": null, - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": null, - "Please select how you want to configure WingetUI": null, - "Please try again later": null, - "Please type at least two characters": null, - "Please wait": null, - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": null, - "Please wait...": null, - "Portable": null, - "Portable mode": null, - "Post-install command:": null, - "Post-uninstall command:": null, - "Post-update command:": null, - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": null, - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": null, - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": null, - "Pre-install command:": null, - "Pre-uninstall command:": null, - "Pre-update command:": null, - "PreRelease": null, - "Preparing packages, please wait...": null, - "Proceed at your own risk.": null, - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": null, - "Proxy URL": null, - "Proxy compatibility table": null, - "Proxy settings": null, - "Proxy settings, etc.": null, - "Publication date:": null, - "Publisher": null, - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": null, - "Quit": null, - "Quit WingetUI": null, - "Ready": null, - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": null, - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": null, - "Reinstall": null, - "Reinstall package": null, - "Related settings": null, - "Release notes": null, - "Release notes URL": null, - "Release notes URL:": null, - "Release notes:": null, - "Reload": null, - "Reload log": null, - "Removal failed": null, - "Removal succeeded": null, - "Remove from list": null, - "Remove permanent data": null, - "Remove selection from bundle": null, - "Remove successful installs/uninstalls/updates from the installation list": null, - "Removing source {source}": null, - "Removing source {source} from {manager}": null, - "Repair UniGetUI": null, - "Repair WinGet": null, - "Report an issue or submit a feature request": null, - "Repository": null, - "Reset": null, - "Reset Scoop's global app cache": null, - "Reset UniGetUI": null, - "Reset WinGet": null, - "Reset Winget sources (might help if no packages are listed)": null, - "Reset WingetUI": null, - "Reset WingetUI and its preferences": null, - "Reset WingetUI icon and screenshot cache": null, - "Reset list": null, - "Resetting Winget sources - WingetUI": null, - "Restart": null, - "Restart UniGetUI": null, - "Restart WingetUI": null, - "Restart WingetUI to fully apply changes": null, - "Restart later": null, - "Restart now": null, - "Restart required": null, - "Restart your PC to finish installation": null, - "Restart your computer to finish the installation": null, - "Restore a backup from the cloud": null, - "Restrictions on package managers": null, - "Restrictions on package operations": null, - "Restrictions when importing package bundles": null, - "Retry": null, - "Retry as administrator": null, - "Retry failed operations": null, - "Retry interactively": null, - "Retry skipping integrity checks": null, - "Retrying, please wait...": null, - "Return to top": null, - "Run": null, - "Run as admin": null, - "Run cleanup and clear cache": null, - "Run last": null, - "Run next": null, - "Run now": null, - "Running the installer...": null, - "Running the uninstaller...": null, - "Running the updater...": null, - "Save": null, - "Save File": null, - "Save and close": null, - "Save as": null, - "Save bundle as": null, - "Save now": null, - "Saving packages, please wait...": null, - "Scoop Installer - WingetUI": null, - "Scoop Uninstaller - WingetUI": null, - "Scoop package": null, - "Search": null, - "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": null, - "Search for packages": null, - "Search for packages to start": null, - "Search mode": null, - "Search on available updates": null, - "Search on your software": null, - "Searching for installed packages...": null, - "Searching for packages...": null, - "Searching for updates...": null, - "Select": null, - "Select \"{item}\" to add your custom bucket": null, - "Select a folder": null, - "Select all": null, - "Select all packages": null, - "Select backup": null, - "Select only if you know what you are doing.": null, - "Select package file": null, - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": null, - "Select the executable to be used. The following list shows the executables found by UniGetUI": null, - "Select the processes that should be closed before this package is installed, updated or uninstalled.": null, - "Select the source you want to add:": null, - "Select upgradable packages by default": null, - "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": null, - "Sent handshake. Waiting for instance listener's answer... ({0}%)": null, - "Set a custom backup file name": null, - "Set custom backup file name": null, - "Settings": null, - "Share": null, - "Share WingetUI": null, - "Share anonymous usage data": null, - "Share this package": null, - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": null, - "Show UniGetUI on the system tray": null, - "Show UniGetUI's version and build number on the titlebar.": null, - "Show WingetUI": null, - "Show a notification when an installation fails": null, - "Show a notification when an installation finishes successfully": null, - "Show a notification when an operation fails": null, - "Show a notification when an operation finishes successfully": null, - "Show a notification when there are available updates": null, - "Show a silent notification when an operation is running": null, - "Show details": null, - "Show in explorer": null, - "Show info about the package on the Updates tab": null, - "Show missing translation strings": null, - "Show notifications on different events": null, - "Show package details": null, - "Show package icons on package lists": null, - "Show similar packages": null, - "Show the live output": null, - "Size": null, - "Skip": null, - "Skip hash check": null, - "Skip hash checks": null, - "Skip integrity checks": null, - "Skip minor updates for this package": null, - "Skip the hash check when installing the selected packages": null, - "Skip the hash check when updating the selected packages": null, - "Skip this version": null, - "Software Updates": null, - "Something went wrong": null, - "Something went wrong while launching the updater.": null, - "Source": null, - "Source URL:": null, - "Source added successfully": null, - "Source addition failed": null, - "Source name:": null, - "Source removal failed": null, - "Source removed successfully": null, - "Source:": null, - "Sources": null, - "Start": null, - "Starting daemons...": null, - "Starting operation...": null, - "Startup options": null, - "Status": null, - "Stuck here? Skip initialization": null, - "Success!": null, - "Suport the developer": null, - "Support me": null, - "Support the developer": null, - "Systems are now ready to go!": null, - "Telemetry": null, - "Text": null, - "Text file": null, - "Thank you ❤": null, - "Thank you \uD83D\uDE09": null, - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": null, - "The backup will NOT include any binary file nor any program's saved data.": null, - "The backup will be performed after login.": null, - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": null, - "The bundle was created successfully on {0}": null, - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": null, - "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": null, - "The classical package manager for windows. You'll find everything there.
Contains: General Software": null, - "The cloud backup completed successfully.": null, - "The cloud backup has been loaded successfully.": null, - "The current bundle has no packages. Add some packages to get started": null, - "The executable file for {0} was not found": null, - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": null, - "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": null, - "The following packages are going to be installed on your system.": null, - "The following settings may pose a security risk, hence they are disabled by default.": null, - "The following settings will be applied each time this package is installed, updated or removed.": null, - "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": null, - "The icons and screenshots are maintained by users like you!": null, - "The installation script saved to {0}": null, - "The installer authenticity could not be verified.": null, - "The installer has an invalid checksum": null, - "The installer hash does not match the expected value.": null, - "The local icon cache currently takes {0} MB": null, - "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": null, - "The package \"{0}\" was not found on the package manager \"{1}\"": null, - "The package bundle could not be created due to an error.": null, - "The package bundle is not valid": null, - "The package manager \"{0}\" is disabled": null, - "The package manager \"{0}\" was not found": null, - "The package {0} from {1} was not found.": null, - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": null, - "The selected packages have been blacklisted": null, - "The settings will list, in their descriptions, the potential security issues they may have.": null, - "The size of the backup is estimated to be less than 1MB.": null, - "The source {source} was added to {manager} successfully": null, - "The source {source} was removed from {manager} successfully": null, - "The system tray icon must be enabled in order for notifications to work": null, - "The update process has been aborted.": null, - "The update process will start after closing UniGetUI": null, - "The update will be installed upon closing WingetUI": null, - "The update will not continue.": null, - "The user has canceled {0}, that was a requirement for {1} to be run": null, - "There are no new UniGetUI versions to be installed": null, - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": null, - "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": null, - "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": null, - "There is an error with the configuration of the package manager \"{0}\"": null, - "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": null, - "They are the programs in charge of installing, updating and removing packages.": null, - "Third-party licenses": null, - "This could represent a security risk.": null, - "This is not recommended.": null, - "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": null, - "This is the default choice.": null, - "This may help if WinGet packages are not shown": null, - "This may help if no packages are listed": null, - "This may take a minute or two": null, - "This operation is running interactively.": null, - "This operation is running with administrator privileges.": null, - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": null, - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": null, - "This package can be updated": null, - "This package can be updated to version {0}": null, - "This package can be upgraded to version {0}": null, - "This package cannot be installed from an elevated context.": null, - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": null, - "This package is already installed": null, - "This package is being processed": null, - "This package is not available": null, - "This package is on the queue": null, - "This process is running with administrator privileges": null, - "This project has no connection with the official {0} project — it's completely unofficial.": null, - "This setting is disabled": null, - "This wizard will help you configure and customize WingetUI!": null, - "Toggle search filters pane": null, - "Translators": null, - "Try to kill the processes that refuse to close when requested to": null, - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": null, - "Type here the name and the URL of the source you want to add, separed by a space.": null, - "Unable to find package": null, - "Unable to load informarion": null, - "UniGetUI collects anonymous usage data in order to improve the user experience.": null, - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": null, - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": null, - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": null, - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": null, - "UniGetUI is being updated...": null, - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": null, - "UniGetUI on the background and system tray": null, - "UniGetUI or some of its components are missing or corrupt.": null, - "UniGetUI requires {0} to operate, but it was not found on your system.": null, - "UniGetUI startup page:": null, - "UniGetUI updater": null, - "UniGetUI version {0} is being downloaded.": null, - "UniGetUI {0} is ready to be installed.": null, - "Uninstall": null, - "Uninstall Scoop (and its packages)": null, - "Uninstall and more": null, - "Uninstall and remove data": null, - "Uninstall as administrator": null, - "Uninstall canceled by the user!": null, - "Uninstall failed": null, - "Uninstall options": null, - "Uninstall package": null, - "Uninstall package, then reinstall it": null, - "Uninstall package, then update it": null, - "Uninstall previous versions when updated": null, - "Uninstall selected packages": null, - "Uninstall selection": null, - "Uninstall succeeded": null, - "Uninstall the selected packages with administrator privileges": null, - "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": null, - "Unknown": null, - "Unknown size": null, - "Unset or unknown": null, - "Up to date": null, - "Update": null, - "Update WingetUI automatically": null, - "Update all": null, - "Update and more": null, - "Update as administrator": null, - "Update check frequency, automatically install updates, etc.": null, - "Update checking": null, - "Update date": null, - "Update failed": null, - "Update found!": null, - "Update now": null, - "Update options": null, - "Update package indexes on launch": null, - "Update packages automatically": null, - "Update selected packages": null, - "Update selected packages with administrator privileges": null, - "Update selection": null, - "Update succeeded": null, - "Update to version {0}": null, - "Update to {0} available": null, - "Update vcpkg's Git portfiles automatically (requires Git installed)": null, - "Updates": null, - "Updates available!": null, - "Updates for this package are ignored": null, - "Updates found!": null, - "Updates preferences": null, - "Updating WingetUI": null, - "Url": null, - "Use Legacy bundled WinGet instead of PowerShell CMDLets": null, - "Use a custom icon and screenshot database URL": null, - "Use bundled WinGet instead of PowerShell CMDlets": null, - "Use bundled WinGet instead of system WinGet": null, - "Use installed GSudo instead of UniGetUI Elevator": null, - "Use installed GSudo instead of the bundled one": null, - "Use legacy UniGetUI Elevator (disable AdminByRequest support)": null, - "Use system Chocolatey": null, - "Use system Chocolatey (Needs a restart)": null, - "Use system Winget (Needs a restart)": null, - "Use system Winget (System language must be set to english)": null, - "Use the WinGet COM API to fetch packages": null, - "Use the WinGet PowerShell Module instead of the WinGet COM API": null, - "Useful links": null, - "User": null, - "User interface preferences": null, - "User | Local": null, - "Username": null, - "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": null, - "Using WingetUI implies the acceptation of the MIT License": null, - "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": null, - "Vcpkg was not found on your system.": null, - "Verbose": null, - "Version": null, - "Version to install:": null, - "Version:": null, - "View GitHub Profile": null, - "View WingetUI on GitHub": null, - "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": null, - "View mode:": null, - "View on UniGetUI": null, - "View page on browser": null, - "View {0} logs": null, - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": null, - "Waiting for other installations to finish...": null, - "Waiting for {0} to complete...": null, - "Warning": null, - "Warning!": null, - "We are checking for updates.": null, - "We could not load detailed information about this package, because it was not found in any of your package sources": null, - "We could not load detailed information about this package, because it was not installed from an available package manager.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": null, - "We couldn't find any package": null, - "Welcome to WingetUI": null, - "When batch installing packages from a bundle, install also packages that are already installed": null, - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": null, - "Which backup do you want to open?": null, - "Which package managers do you want to use?": null, - "Which source do you want to add?": null, - "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": null, - "WinGet could not be repaired": null, - "WinGet malfunction detected": null, - "WinGet was repaired successfully": null, - "WingetUI": null, - "WingetUI - Everything is up to date": null, - "WingetUI - {0} updates are available": null, - "WingetUI - {0} {1}": null, - "WingetUI Homepage": null, - "WingetUI Homepage - Share this link!": null, - "WingetUI License": null, - "WingetUI Log": null, - "WingetUI Repository": null, - "WingetUI Settings": null, - "WingetUI Settings File": null, - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI Version {0}": null, - "WingetUI autostart behaviour, application launch settings": null, - "WingetUI can check if your software has available updates, and install them automatically if you want to": null, - "WingetUI display language:": null, - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": null, - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": null, - "WingetUI has not been machine translated. The following users have been in charge of the translations:": null, - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": null, - "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": null, - "WingetUI is being updated. When finished, WingetUI will restart itself": null, - "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": null, - "WingetUI log": null, - "WingetUI tray application preferences": null, - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI version {0} is being downloaded.": null, - "WingetUI will become {newname} soon!": null, - "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": null, - "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": null, - "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": null, - "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": null, - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": null, - "WingetUI {0} is ready to be installed.": null, - "Write here the process names here, separated by commas (,)": null, - "Yes": null, - "You are logged in as {0} (@{1})": null, - "You can change this behavior on UniGetUI security settings.": null, - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": null, - "You have currently version {0} installed": null, - "You have installed WingetUI Version {0}": null, - "You may lose unsaved data": null, - "You may need to install {pm} in order to use it with WingetUI.": null, - "You may restart your computer later if you wish": null, - "You will be prompted only once, and administrator rights will be granted to packages that request them.": null, - "You will be prompted only once, and every future installation will be elevated automatically.": null, - "You will likely need to interact with the installer.": null, - "[RAN AS ADMINISTRATOR]": null, - "buy me a coffee": null, - "extracted": null, - "feature": null, - "formerly WingetUI": null, - "homepage": null, - "install": null, - "installation": null, - "installed": null, - "installing": null, - "library": null, - "mandatory": null, - "option": null, - "optional": null, - "uninstall": null, - "uninstallation": null, - "uninstalled": null, - "uninstalling": null, - "update(noun)": null, - "update(verb)": null, - "updated": null, - "updating": null, - "version {0}": null, - "{0} Install options are currently locked because {0} follows the default install options.": null, - "{0} Uninstallation": null, - "{0} aborted": null, - "{0} can be updated": null, - "{0} can be updated to version {1}": null, - "{0} days": null, - "{0} desktop shortcuts created": null, - "{0} failed": null, - "{0} has been installed successfully.": null, - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": null, - "{0} has failed, that was a requirement for {1} to be run": null, - "{0} homepage": null, - "{0} hours": null, - "{0} installation": null, - "{0} installation options": null, - "{0} installer is being downloaded": null, - "{0} is being installed": null, - "{0} is being uninstalled": null, - "{0} is being updated": null, - "{0} is being updated to version {1}": null, - "{0} is disabled": null, - "{0} minutes": null, - "{0} months": null, - "{0} packages are being updated": null, - "{0} packages can be updated": null, - "{0} packages found": null, - "{0} packages were found": null, - "{0} packages were found, {1} of which match the specified filters.": null, - "{0} selected": null, - "{0} settings": null, - "{0} status": null, - "{0} succeeded": null, - "{0} update": null, - "{0} updates are available": null, - "{0} was {1} successfully!": null, - "{0} weeks": null, - "{0} years": null, - "{0} {1} failed": null, - "{package} Installation": null, - "{package} Uninstall": null, - "{package} Update": null, - "{package} could not be installed": null, - "{package} could not be uninstalled": null, - "{package} could not be updated": null, - "{package} installation failed": null, - "{package} installer could not be downloaded": null, - "{package} installer download": null, - "{package} installer was downloaded successfully": null, - "{package} uninstall failed": null, - "{package} update failed": null, - "{package} update failed. Click here for more details.": null, - "{package} was installed successfully": null, - "{package} was uninstalled successfully": null, - "{package} was updated successfully": null, - "{pcName} installed packages": null, - "{pm} could not be found": null, - "{pm} found: {state}": null, - "{pm} is disabled": null, - "{pm} is enabled and ready to go": null, - "{pm} package manager specific preferences": null, - "{pm} preferences": null, - "{pm} version:": null, - "{pm} was not found!": null -} \ No newline at end of file + "Operation in progress": "", + "Please wait...": "", + "Success!": "", + "Failed": "", + "An error occurred while processing this package": "", + "Log in to enable cloud backup": "", + "Backup Failed": "", + "Downloading backup...": "", + "An update was found!": "", + "{0} can be updated to version {1}": "", + "Updates found!": "", + "{0} packages can be updated": "", + "You have currently version {0} installed": "", + "Desktop shortcut created": "", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "", + "{0} desktop shortcuts created": "", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "", + "Are you sure?": "", + "Do you really want to uninstall {0}?": "", + "Do you really want to uninstall the following {0} packages?": "", + "No": "", + "Yes": "", + "View on UniGetUI": "", + "Update": "", + "Open UniGetUI": "", + "Update all": "", + "Update now": "", + "This package is on the queue": "", + "installing": "", + "updating": "", + "uninstalling": "", + "installed": "", + "Retry": "", + "Install": "", + "Uninstall": "", + "Open": "", + "Operation profile:": "", + "Follow the default options when installing, upgrading or uninstalling this package": "", + "The following settings will be applied each time this package is installed, updated or removed.": "", + "Version to install:": "", + "Architecture to install:": "", + "Installation scope:": "", + "Install location:": "", + "Select": "", + "Reset": "", + "Custom install arguments:": "", + "Custom update arguments:": "", + "Custom uninstall arguments:": "", + "Pre-install command:": "", + "Post-install command:": "", + "Abort install if pre-install command fails": "", + "Pre-update command:": "", + "Post-update command:": "", + "Abort update if pre-update command fails": "", + "Pre-uninstall command:": "", + "Post-uninstall command:": "", + "Abort uninstall if pre-uninstall command fails": "", + "Command-line to run:": "", + "Save and close": "", + "Run as admin": "", + "Interactive installation": "", + "Skip hash check": "", + "Uninstall previous versions when updated": "", + "Skip minor updates for this package": "", + "Automatically update this package": "", + "{0} installation options": "", + "Latest": "", + "PreRelease": "", + "Default": "", + "Manage ignored updates": "", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "", + "Reset list": "", + "Package Name": "", + "Package ID": "", + "Ignored version": "", + "New version": "", + "Source": "", + "All versions": "", + "Unknown": "", + "Up to date": "", + "Cancel": "", + "Administrator privileges": "", + "This operation is running with administrator privileges.": "", + "Interactive operation": "", + "This operation is running interactively.": "", + "You will likely need to interact with the installer.": "", + "Integrity checks skipped": "", + "Proceed at your own risk.": "", + "Close": "", + "Loading...": "", + "Installer SHA256": "", + "Homepage": "", + "Author": "", + "Publisher": "", + "License": "", + "Manifest": "", + "Installer Type": "", + "Size": "", + "Installer URL": "", + "Last updated:": "", + "Release notes URL": "", + "Package details": "", + "Dependencies:": "", + "Release notes": "", + "Version": "", + "Install as administrator": "", + "Update to version {0}": "", + "Installed Version": "", + "Update as administrator": "", + "Interactive update": "", + "Uninstall as administrator": "", + "Interactive uninstall": "", + "Uninstall and remove data": "", + "Not available": "", + "Installer SHA512": "", + "Unknown size": "", + "No dependencies specified": "", + "mandatory": "", + "optional": "", + "UniGetUI {0} is ready to be installed.": "", + "The update process will start after closing UniGetUI": "", + "Share anonymous usage data": "", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "", + "Accept": "", + "You have installed WingetUI Version {0}": "", + "Disclaimer": "", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "{0} homepage": "", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "", + "Verbose": "", + "1 - Errors": "", + "2 - Warnings": "", + "3 - Information (less)": "", + "4 - Information (more)": "", + "5 - information (debug)": "", + "Warning": "", + "The following settings may pose a security risk, hence they are disabled by default.": "", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "", + "The settings will list, in their descriptions, the potential security issues they may have.": "", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "", + "The backup will NOT include any binary file nor any program's saved data.": "", + "The size of the backup is estimated to be less than 1MB.": "", + "The backup will be performed after login.": "", + "{pcName} installed packages": "", + "Current status: Not logged in": "", + "You are logged in as {0} (@{1})": "", + "Nice! Backups will be uploaded to a private gist on your account": "", + "Select backup": "", + "WingetUI Settings": "", + "Allow pre-release versions": "", + "Apply": "", + "Go to UniGetUI security settings": "", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "", + "Package's default": "", + "Install location can't be changed for {0} packages": "", + "The local icon cache currently takes {0} MB": "", + "Username": "", + "Password": "", + "Credentials": "", + "Partially": "", + "Package manager": "", + "Compatible with proxy": "", + "Compatible with authentication": "", + "Proxy compatibility table": "", + "{0} settings": "", + "{0} status": "", + "Default installation options for {0} packages": "", + "Expand version": "", + "The executable file for {0} was not found": "", + "{pm} is disabled": "", + "Enable it to install packages from {pm}.": "", + "{pm} is enabled and ready to go": "", + "{pm} version:": "", + "{pm} was not found!": "", + "You may need to install {pm} in order to use it with WingetUI.": "", + "Scoop Installer - WingetUI": "", + "Scoop Uninstaller - WingetUI": "", + "Clearing Scoop cache - WingetUI": "", + "Restart UniGetUI": "", + "Manage {0} sources": "", + "Add source": "", + "Add": "", + "Other": "", + "1 day": "", + "{0} days": "", + "{0} minutes": "", + "1 hour": "", + "{0} hours": "", + "1 week": "", + "WingetUI Version {0}": "", + "Search for packages": "", + "Local": "", + "OK": "", + "{0} packages were found, {1} of which match the specified filters.": "", + "{0} selected": "", + "(Last checked: {0})": "", + "Enabled": "", + "Disabled": "", + "More info": "", + "Log in with GitHub to enable cloud package backup.": "", + "More details": "", + "Log in": "", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "", + "Log out": "", + "About": "", + "Third-party licenses": "", + "Contributors": "", + "Translators": "", + "Manage shortcuts": "", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "", + "Do you really want to reset this list? This action cannot be reverted.": "", + "Remove from list": "", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "", + "More details about the shared data and how it will be processed": "", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "", + "Decline": "", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "", + "About WingetUI": "", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "", + "Useful links": "", + "Report an issue or submit a feature request": "", + "View GitHub Profile": "", + "WingetUI License": "", + "Using WingetUI implies the acceptation of the MIT License": "", + "Become a translator": "", + "View page on browser": "", + "Copy to clipboard": "", + "Export to a file": "", + "Log level:": "", + "Reload log": "", + "Text": "", + "Change how operations request administrator rights": "", + "Restrictions on package operations": "", + "Restrictions on package managers": "", + "Restrictions when importing package bundles": "", + "Ask for administrator privileges once for each batch of operations": "", + "Ask only once for administrator privileges": "", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "", + "Allow custom command-line arguments": "", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "", + "Allow changing the paths for package manager executables": "", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "", + "Allow importing custom command-line arguments when importing packages from a bundle": "", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "", + "Administrator rights and other dangerous settings": "", + "Package backup": "", + "Cloud package backup": "", + "Local package backup": "", + "Local backup advanced options": "", + "Log in with GitHub": "", + "Log out from GitHub": "", + "Periodically perform a cloud backup of the installed packages": "", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "", + "Perform a cloud backup now": "", + "Backup": "", + "Restore a backup from the cloud": "", + "Begin the process to select a cloud backup and review which packages to restore": "", + "Periodically perform a local backup of the installed packages": "", + "Perform a local backup now": "", + "Change backup output directory": "", + "Set a custom backup file name": "", + "Leave empty for default": "", + "Add a timestamp to the backup file names": "", + "Backup and Restore": "", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "", + "Disable the 1-minute timeout for package-related operations": "", + "Use installed GSudo instead of UniGetUI Elevator": "", + "Use a custom icon and screenshot database URL": "", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "", + "Perform integrity checks at startup": "", + "When batch installing packages from a bundle, install also packages that are already installed": "", + "Experimental settings and developer options": "", + "Show UniGetUI's version and build number on the titlebar.": "", + "Language": "", + "UniGetUI updater": "", + "Telemetry": "", + "Manage UniGetUI settings": "", + "Related settings": "", + "Update WingetUI automatically": "", + "Check for updates": "", + "Install prerelease versions of UniGetUI": "", + "Manage telemetry settings": "", + "Manage": "", + "Import settings from a local file": "", + "Import": "", + "Export settings to a local file": "", + "Export": "", + "Reset WingetUI": "", + "Reset UniGetUI": "", + "User interface preferences": "", + "Application theme, startup page, package icons, clear successful installs automatically": "", + "General preferences": "", + "WingetUI display language:": "", + "Is your language missing or incomplete?": "", + "Appearance": "", + "UniGetUI on the background and system tray": "", + "Package lists": "", + "Close UniGetUI to the system tray": "", + "Show package icons on package lists": "", + "Clear cache": "", + "Select upgradable packages by default": "", + "Light": "", + "Dark": "", + "Follow system color scheme": "", + "Application theme:": "", + "Discover Packages": "", + "Software Updates": "", + "Installed Packages": "", + "Package Bundles": "", + "Settings": "", + "UniGetUI startup page:": "", + "Proxy settings": "", + "Other settings": "", + "Connect the internet using a custom proxy": "", + "Please note that not all package managers may fully support this feature": "", + "Proxy URL": "", + "Enter proxy URL here": "", + "Package manager preferences": "", + "Ready": "", + "Not found": "", + "Notification preferences": "", + "Notification types": "", + "The system tray icon must be enabled in order for notifications to work": "", + "Enable WingetUI notifications": "", + "Show a notification when there are available updates": "", + "Show a silent notification when an operation is running": "", + "Show a notification when an operation fails": "", + "Show a notification when an operation finishes successfully": "", + "Concurrency and execution": "", + "Automatic desktop shortcut remover": "", + "Clear successful operations from the operation list after a 5 second delay": "", + "Download operations are not affected by this setting": "", + "Try to kill the processes that refuse to close when requested to": "", + "You may lose unsaved data": "", + "Ask to delete desktop shortcuts created during an install or upgrade.": "", + "Package update preferences": "", + "Update check frequency, automatically install updates, etc.": "", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "", + "Package operation preferences": "", + "Enable {pm}": "", + "Not finding the file you are looking for? Make sure it has been added to path.": "", + "For security reasons, changing the executable file is disabled by default": "", + "Change this": "", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "", + "Current executable file:": "", + "Ignore packages from {pm} when showing a notification about updates": "", + "View {0} logs": "", + "Advanced options": "", + "Reset WinGet": "", + "This may help if no packages are listed": "", + "Force install location parameter when updating packages with custom locations": "", + "Use bundled WinGet instead of system WinGet": "", + "This may help if WinGet packages are not shown": "", + "Install Scoop": "", + "Uninstall Scoop (and its packages)": "", + "Run cleanup and clear cache": "", + "Run": "", + "Enable Scoop cleanup on launch": "", + "Use system Chocolatey": "", + "Default vcpkg triplet": "", + "Language, theme and other miscellaneous preferences": "", + "Show notifications on different events": "", + "Change how UniGetUI checks and installs available updates for your packages": "", + "Automatically save a list of all your installed packages to easily restore them.": "", + "Enable and disable package managers, change default install options, etc.": "", + "Internet connection settings": "", + "Proxy settings, etc.": "", + "Beta features and other options that shouldn't be touched": "", + "Update checking": "", + "Automatic updates": "", + "Check for package updates periodically": "", + "Check for updates every:": "", + "Install available updates automatically": "", + "Do not automatically install updates when the network connection is metered": "", + "Do not automatically install updates when the device runs on battery": "", + "Do not automatically install updates when the battery saver is on": "", + "Change how UniGetUI handles install, update and uninstall operations.": "", + "Package Managers": "", + "More": "", + "WingetUI Log": "", + "Package Manager logs": "", + "Operation history": "", + "Help": "", + "Order by:": "", + "Name": "", + "Id": "", + "Ascendant": "", + "Descendant": "", + "View mode:": "", + "Filters": "", + "Sources": "", + "Search for packages to start": "", + "Select all": "", + "Clear selection": "", + "Instant search": "", + "Distinguish between uppercase and lowercase": "", + "Ignore special characters": "", + "Search mode": "", + "Both": "", + "Exact match": "", + "Show similar packages": "", + "No results were found matching the input criteria": "", + "No packages were found": "", + "Loading packages": "", + "Skip integrity checks": "", + "Download selected installers": "", + "Install selection": "", + "Install options": "", + "Share": "", + "Add selection to bundle": "", + "Download installer": "", + "Share this package": "", + "Uninstall selection": "", + "Uninstall options": "", + "Ignore selected packages": "", + "Open install location": "", + "Reinstall package": "", + "Uninstall package, then reinstall it": "", + "Ignore updates for this package": "", + "Do not ignore updates for this package anymore": "", + "Add packages or open an existing package bundle": "", + "Add packages to start": "", + "The current bundle has no packages. Add some packages to get started": "", + "New": "", + "Save as": "", + "Remove selection from bundle": "", + "Skip hash checks": "", + "The package bundle is not valid": "", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "", + "Package bundle": "", + "Could not create bundle": "", + "The package bundle could not be created due to an error.": "", + "Bundle security report": "", + "Hooray! No updates were found.": "", + "Everything is up to date": "", + "Uninstall selected packages": "", + "Update selection": "", + "Update options": "", + "Uninstall package, then update it": "", + "Uninstall package": "", + "Skip this version": "", + "Pause updates for": "", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "", + "NuPkg (zipped manifest)": "", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "", + "extracted": "", + "Scoop package": "", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "", + "library": "", + "feature": "", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "", + "option": "", + "This package cannot be installed from an elevated context.": "", + "Please run UniGetUI as a regular user and try again.": "", + "Please check the installation options for this package and try again": "", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "", + "Local PC": "", + "Android Subsystem": "", + "Operation on queue (position {0})...": "", + "Click here for more details": "", + "Operation canceled by user": "", + "Starting operation...": "", + "{package} installer download": "", + "{0} installer is being downloaded": "", + "Download succeeded": "", + "{package} installer was downloaded successfully": "", + "Download failed": "", + "{package} installer could not be downloaded": "", + "{package} Installation": "", + "{0} is being installed": "", + "Installation succeeded": "", + "{package} was installed successfully": "", + "Installation failed": "", + "{package} could not be installed": "", + "{package} Update": "", + "{0} is being updated to version {1}": "", + "Update succeeded": "", + "{package} was updated successfully": "", + "Update failed": "", + "{package} could not be updated": "", + "{package} Uninstall": "", + "{0} is being uninstalled": "", + "Uninstall succeeded": "", + "{package} was uninstalled successfully": "", + "Uninstall failed": "", + "{package} could not be uninstalled": "", + "Adding source {source}": "", + "Adding source {source} to {manager}": "", + "Source added successfully": "", + "The source {source} was added to {manager} successfully": "", + "Could not add source": "", + "Could not add source {source} to {manager}": "", + "Removing source {source}": "", + "Removing source {source} from {manager}": "", + "Source removed successfully": "", + "The source {source} was removed from {manager} successfully": "", + "Could not remove source": "", + "Could not remove source {source} from {manager}": "", + "The package manager \"{0}\" was not found": "", + "The package manager \"{0}\" is disabled": "", + "There is an error with the configuration of the package manager \"{0}\"": "", + "The package \"{0}\" was not found on the package manager \"{1}\"": "", + "{0} is disabled": "", + "Something went wrong": "", + "An interal error occurred. Please view the log for further details.": "", + "No applicable installer was found for the package {0}": "", + "We are checking for updates.": "", + "Please wait": "", + "UniGetUI version {0} is being downloaded.": "", + "This may take a minute or two": "", + "The installer authenticity could not be verified.": "", + "The update process has been aborted.": "", + "Great! You are on the latest version.": "", + "There are no new UniGetUI versions to be installed": "", + "An error occurred when checking for updates: ": "", + "UniGetUI is being updated...": "", + "Something went wrong while launching the updater.": "", + "Please try again later": "", + "Integrity checks will not be performed during this operation": "", + "This is not recommended.": "", + "Run now": "", + "Run next": "", + "Run last": "", + "Retry as administrator": "", + "Retry interactively": "", + "Retry skipping integrity checks": "", + "Installation options": "", + "Show in explorer": "", + "This package is already installed": "", + "This package can be upgraded to version {0}": "", + "Updates for this package are ignored": "", + "This package is being processed": "", + "This package is not available": "", + "Select the source you want to add:": "", + "Source name:": "", + "Source URL:": "", + "An error occurred": "", + "An error occurred when adding the source: ": "", + "Package management made easy": "", + "version {0}": "", + "[RAN AS ADMINISTRATOR]": "", + "Portable mode": "", + "DEBUG BUILD": "", + "Available Updates": "", + "Show WingetUI": "", + "Quit": "", + "Attention required": "", + "Restart required": "", + "1 update is available": "", + "{0} updates are available": "", + "WingetUI Homepage": "", + "WingetUI Repository": "", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "", + "Manual scan": "", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "", + "Continue": "", + "Delete?": "", + "Missing dependency": "", + "Not right now": "", + "Install {0}": "", + "UniGetUI requires {0} to operate, but it was not found on your system.": "", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "", + "Do not show this dialog again for {0}": "", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "", + "{0} has been installed successfully.": "", + "Please click on \"Continue\" to continue": "", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "", + "Restart later": "", + "An error occurred:": "", + "I understand": "", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "", + "WinGet was repaired successfully": "", + "It is recommended to restart UniGetUI after WinGet has been repaired": "", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "", + "Restart": "", + "WinGet could not be repaired": "", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "", + "Are you sure you want to delete all shortcuts?": "", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "", + "Are you really sure you want to enable this feature?": "", + "No new shortcuts were found during the scan.": "", + "How to add packages to a bundle": "", + "In order to add packages to a bundle, you will need to: ": "", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "", + "Which backup do you want to open?": "", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "", + "UniGetUI or some of its components are missing or corrupt.": "", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "", + "Integrity checks can be disabled from the Experimental Settings": "", + "Repair UniGetUI": "", + "Live output": "", + "Package not found": "", + "An error occurred when attempting to show the package with Id {0}": "", + "Package": "", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "", + "Entries that show in YELLOW will be IGNORED.": "", + "Entries that show in RED will be IMPORTED.": "", + "You can change this behavior on UniGetUI security settings.": "", + "Open UniGetUI security settings": "", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "", + "Details of the report:": "", + "\"{0}\" is a local package and can't be shared": "", + "Are you sure you want to create a new package bundle? ": "", + "Any unsaved changes will be lost": "", + "Warning!": "", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "", + "Change default options": "", + "Ignore future updates for this package": "", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "", + "Change this and unlock": "", + "{0} Install options are currently locked because {0} follows the default install options.": "", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "", + "Write here the process names here, separated by commas (,)": "", + "Unset or unknown": "", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "", + "Become a contributor": "", + "Save": "", + "Update to {0} available": "", + "Reinstall": "", + "Installer not available": "", + "Version:": "", + "Performing backup, please wait...": "", + "An error occurred while logging in: ": "", + "Fetching available backups...": "", + "Done!": "", + "The cloud backup has been loaded successfully.": "", + "An error occurred while loading a backup: ": "", + "Backing up packages to GitHub Gist...": "", + "Backup Successful": "", + "The cloud backup completed successfully.": "", + "Could not back up packages to GitHub Gist: ": "", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "", + "Enable the automatic WinGet troubleshooter": "", + "Enable an [experimental] improved WinGet troubleshooter": "", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "", + "Restart WingetUI to fully apply changes": "", + "Restart WingetUI": "", + "Invalid selection": "", + "No package was selected": "", + "More than 1 package was selected": "", + "List": "", + "Grid": "", + "Icons": "", + "\"{0}\" is a local package and does not have available details": "", + "\"{0}\" is a local package and is not compatible with this feature": "", + "WinGet malfunction detected": "", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "", + "Repair WinGet": "", + "Create .ps1 script": "", + "Add packages to bundle": "", + "Preparing packages, please wait...": "", + "Loading packages, please wait...": "", + "Saving packages, please wait...": "", + "The bundle was created successfully on {0}": "", + "Install script": "", + "The installation script saved to {0}": "", + "An error occurred while attempting to create an installation script:": "", + "{0} packages are being updated": "", + "Error": "", + "Log in failed: ": "", + "Log out failed: ": "", + "Package backup settings": "", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", + "(Number {0} in the queue)": "", + "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "", + "0 packages found": "", + "0 updates found": "", + "1 month": "", + "1 package was found": "", + "1 year": "", + "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "", + "A restart is required": "", + "About Qt6": "", + "About WingetUI version {0}": "", + "About the dev": "", + "Action when double-clicking packages, hide successful installations": "", + "Add a source to {0}": "", + "Add a timestamp to the backup files": "", + "Add packages or open an existing bundle": "", + "Addition succeeded": "", + "Administrator privileges preferences": "", + "Administrator rights": "", + "All files": "", + "Allow package operations to be performed in parallel": "", + "Allow parallel installs (NOT RECOMMENDED)": "", + "Allow {pm} operations to be performed in parallel": "", + "Always elevate {pm} installations by default": "", + "Always run {pm} operations with administrator rights": "", + "An unexpected error occurred:": "", + "Another source": "", + "App Name": "", + "Are these screenshots wron or blurry?": "", + "Ask for administrator rights when required": "", + "Ask once or always for administrator rights, elevate installations by default": "", + "Ask only once for administrator privileges (not recommended)": "", + "Authenticate to the proxy with an user and a password": "", + "Automatically save a list of your installed packages on your computer.": "", + "Autostart WingetUI in the notifications area": "", + "Available updates: {0}": "", + "Available updates: {0}, not finished yet...": "", + "Backup installed packages": "", + "Backup location": "", + "But here are other things you can do to learn about WingetUI even more:": "", + "By toggling a package manager off, you will no longer be able to see or update its packages.": "", + "Cache administrator rights and elevate installers by default": "", + "Cache administrator rights, but elevate installers only when required": "", + "Cache was reset successfully!": "", + "Can't {0} {1}": "", + "Cancel all operations": "", + "Change how UniGetUI installs packages, and checks and installs available updates": "", + "Change install location": "", + "Check for updates periodically": "", + "Check for updates regularly, and ask me what to do when updates are found.": "", + "Check for updates regularly, and automatically install available ones.": "", + "Check out my {0} and my {1}!": "", + "Check out some WingetUI overviews": "", + "Checking for other running instances...": "", + "Checking for updates...": "", + "Checking found instace(s)...": "", + "Choose how many operations shouls be performed in parallel": "", + "Clear finished operations": "", + "Clear successful operations": "", + "Clear the local icon cache": "", + "Clearing Scoop cache...": "", + "Close WingetUI to the notification area": "", + "Command-line Output": "", + "Compare query against": "", + "Component Information": "", + "Contribute to the icon and screenshot repository": "", + "Copy": "", + "Could not load announcements - ": "", + "Could not load announcements - HTTP status code is $CODE": "", + "Could not remove {source} from {manager}": "", + "Current Version": "", + "Current user": "", + "Custom arguments:": "", + "Custom command-line arguments:": "", + "Customize WingetUI - for hackers and advanced users only": "", + "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "", + "Default preferences - suitable for regular users": "", + "Description:": "", + "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "", + "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "", + "Disable new share API (port 7058)": "", + "Discover packages": "", + "Distinguish between\nuppercase and lowercase": "", + "Do NOT check for updates": "", + "Do an interactive install for the selected packages": "", + "Do an interactive uninstall for the selected packages": "", + "Do an interactive update for the selected packages": "", + "Do not download new app translations from GitHub automatically": "", + "Do not remove successful operations from the list automatically": "", + "Do not update package indexes on launch": "", + "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "", + "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "", + "Do you really want to uninstall {0} packages?": "", + "Do you want to restart your computer now?": "", + "Do you want to translate WingetUI to your language? See how to contribute HERE!": "", + "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "", + "Donate": "", + "Download updated language files from GitHub automatically": "", + "Downloading": "", + "Downloading installer for {package}": "", + "Downloading package metadata...": "", + "Enable the new UniGetUI-Branded UAC Elevator": "", + "Enable the new process input handler (StdIn automated closer)": "", + "Export log as a file": "", + "Export packages": "", + "Export selected packages to a file": "", + "Fetching latest announcements, please wait...": "", + "Finish": "", + "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "", + "Formerly known as WingetUI": "", + "Found": "", + "Found packages: ": "", + "Found packages: {0}": "", + "Found packages: {0}, not finished yet...": "", + "GitHub profile": "", + "Global": "", + "Help and documentation": "", + "Hide details": "", + "How should installations that require administrator privileges be treated?": "", + "Ignore updates for the selected packages": "", + "Ignored updates": "", + "Import packages": "", + "Import packages from a file": "", + "Initializing WingetUI...": "", + "Install and more": "", + "Install and update preferences": "", + "Install packages from a file": "", + "Install selected packages": "", + "Install selected packages with administrator privileges": "", + "Install the latest prerelease version": "", + "Install updates automatically": "", + "Installation canceled by the user!": "", + "Installed packages": "", + "Instance {0} responded, quitting...": "", + "Is this package missing the icon?": "", + "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "", + "Latest Version": "", + "Latest Version:": "", + "Latest details...": "", + "Launching subprocess...": "", + "Licenses": "", + "Live command-line output": "", + "Loading UI components...": "", + "Loading WingetUI...": "", + "Local machine": "", + "Locating {pm}...": "", + "Looking for packages...": "", + "Machine | Global": "", + "Manage WingetUI autostart behaviour from the Settings app": "", + "Manage ignored packages": "", + "Manifests": "", + "New Version": "", + "New bundle": "", + "No packages found": "", + "No packages found matching the input criteria": "", + "No packages have been added yet": "", + "No packages selected": "", + "No sources found": "", + "No sources were found": "", + "No updates are available": "", + "Notes:": "", + "Notification tray options": "", + "Ok": "", + "Open GitHub": "", + "Open WingetUI": "", + "Open backup location": "", + "Open existing bundle": "", + "Open the welcome wizard": "", + "Operation cancelled": "", + "Options saved": "", + "Package Manager": "", + "Package managers": "", + "Package {name} from {manager}": "", + "Packages": "", + "Packages found: {0}": "", + "Paste a valid URL to the database": "", + "Perform a backup now": "", + "Periodically perform a backup of the installed packages": "", + "Please enter at least 3 characters": "", + "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "", + "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "", + "Please select how you want to configure WingetUI": "", + "Please type at least two characters": "", + "Portable": "", + "Publication date:": "", + "Quit WingetUI": "", + "Release notes URL:": "", + "Release notes:": "", + "Reload": "", + "Removal failed": "", + "Removal succeeded": "", + "Remove permanent data": "", + "Remove successful installs/uninstalls/updates from the installation list": "", + "Repository": "", + "Reset Scoop's global app cache": "", + "Reset Winget sources (might help if no packages are listed)": "", + "Reset WingetUI and its preferences": "", + "Reset WingetUI icon and screenshot cache": "", + "Resetting Winget sources - WingetUI": "", + "Restart now": "", + "Restart your PC to finish installation": "", + "Restart your computer to finish the installation": "", + "Retry failed operations": "", + "Retrying, please wait...": "", + "Return to top": "", + "Running the installer...": "", + "Running the uninstaller...": "", + "Running the updater...": "", + "Save File": "", + "Save bundle as": "", + "Save now": "", + "Search": "", + "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "", + "Search on available updates": "", + "Search on your software": "", + "Searching for installed packages...": "", + "Searching for packages...": "", + "Searching for updates...": "", + "Select \"{item}\" to add your custom bucket": "", + "Select a folder": "", + "Select all packages": "", + "Select only if you know what you are doing.": "", + "Select package file": "", + "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "", + "Sent handshake. Waiting for instance listener's answer... ({0}%)": "", + "Set custom backup file name": "", + "Share WingetUI": "", + "Show UniGetUI on the system tray": "", + "Show a notification when an installation fails": "", + "Show a notification when an installation finishes successfully": "", + "Show details": "", + "Show info about the package on the Updates tab": "", + "Show missing translation strings": "", + "Show package details": "", + "Show the live output": "", + "Skip": "", + "Skip the hash check when installing the selected packages": "", + "Skip the hash check when updating the selected packages": "", + "Source addition failed": "", + "Source removal failed": "", + "Source:": "", + "Start": "", + "Starting daemons...": "", + "Startup options": "", + "Status": "", + "Stuck here? Skip initialization": "", + "Suport the developer": "", + "Support me": "", + "Support the developer": "", + "Systems are now ready to go!": "", + "Text file": "", + "Thank you 😉": "", + "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "", + "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "", + "The following packages are going to be installed on your system.": "", + "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "", + "The icons and screenshots are maintained by users like you!": "", + "The installer has an invalid checksum": "", + "The installer hash does not match the expected value.": "", + "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "", + "The package {0} from {1} was not found.": "", + "The selected packages have been blacklisted": "", + "The update will be installed upon closing WingetUI": "", + "The update will not continue.": "", + "The user has canceled {0}, that was a requirement for {1} to be run": "", + "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "", + "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "", + "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "", + "They are the programs in charge of installing, updating and removing packages.": "", + "This could represent a security risk.": "", + "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "", + "This is the default choice.": "", + "This package can be updated": "", + "This package can be updated to version {0}": "", + "This process is running with administrator privileges": "", + "This setting is disabled": "", + "This wizard will help you configure and customize WingetUI!": "", + "Toggle search filters pane": "", + "Type here the name and the URL of the source you want to add, separed by a space.": "", + "Unable to find package": "", + "Unable to load informarion": "", + "Uninstall and more": "", + "Uninstall canceled by the user!": "", + "Uninstall the selected packages with administrator privileges": "", + "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "", + "Update and more": "", + "Update date": "", + "Update found!": "", + "Update package indexes on launch": "", + "Update packages automatically": "", + "Update selected packages": "", + "Update selected packages with administrator privileges": "", + "Update vcpkg's Git portfiles automatically (requires Git installed)": "", + "Updates": "", + "Updates available!": "", + "Updates preferences": "", + "Updating WingetUI": "", + "Url": "", + "Use Legacy bundled WinGet instead of PowerShell CMDLets": "", + "Use bundled WinGet instead of PowerShell CMDlets": "", + "Use installed GSudo instead of the bundled one": "", + "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "", + "Use system Chocolatey (Needs a restart)": "", + "Use system Winget (Needs a restart)": "", + "Use system Winget (System language must be set to english)": "", + "Use the WinGet COM API to fetch packages": "", + "Use the WinGet PowerShell Module instead of the WinGet COM API": "", + "User": "", + "User | Local": "", + "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "", + "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "", + "Vcpkg was not found on your system.": "", + "View WingetUI on GitHub": "", + "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "", + "Waiting for other installations to finish...": "", + "Waiting for {0} to complete...": "", + "We could not load detailed information about this package, because it was not found in any of your package sources": "", + "We could not load detailed information about this package, because it was not installed from an available package manager.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "", + "We couldn't find any package": "", + "Welcome to WingetUI": "", + "Which package managers do you want to use?": "", + "Which source do you want to add?": "", + "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "", + "WingetUI": "", + "WingetUI - Everything is up to date": "", + "WingetUI - {0} updates are available": "", + "WingetUI - {0} {1}": "", + "WingetUI Homepage - Share this link!": "", + "WingetUI Settings File": "", + "WingetUI autostart behaviour, application launch settings": "", + "WingetUI can check if your software has available updates, and install them automatically if you want to": "", + "WingetUI has not been machine translated. The following users have been in charge of the translations:": "", + "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "", + "WingetUI is being updated. When finished, WingetUI will restart itself": "", + "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "", + "WingetUI log": "", + "WingetUI tray application preferences": "", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "WingetUI version {0} is being downloaded.": "", + "WingetUI will become {newname} soon!": "", + "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "", + "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "", + "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "", + "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "", + "WingetUI {0} is ready to be installed.": "", + "You may restart your computer later if you wish": "", + "You will be prompted only once, and administrator rights will be granted to packages that request them.": "", + "You will be prompted only once, and every future installation will be elevated automatically.": "", + "buy me a coffee": "", + "formerly WingetUI": "", + "homepage": "", + "install": "", + "installation": "", + "uninstall": "", + "uninstallation": "", + "uninstalled": "", + "update(noun)": "", + "update(verb)": "", + "updated": "", + "{0} Uninstallation": "", + "{0} aborted": "", + "{0} can be updated": "", + "{0} failed": "", + "{0} has failed, that was a requirement for {1} to be run": "", + "{0} installation": "", + "{0} is being updated": "", + "{0} months": "", + "{0} packages found": "", + "{0} packages were found": "", + "{0} succeeded": "", + "{0} update": "", + "{0} was {1} successfully!": "", + "{0} weeks": "", + "{0} years": "", + "{0} {1} failed": "", + "{package} installation failed": "", + "{package} uninstall failed": "", + "{package} update failed": "", + "{package} update failed. Click here for more details.": "", + "{pm} could not be found": "", + "{pm} found: {state}": "", + "{pm} package manager specific preferences": "", + "{pm} preferences": "", + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "", + "Thank you ❤": "", + "This project has no connection with the official {0} project — it's completely unofficial.": "" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es.json index 64783914d0..43a0e7a4f5 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_es.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operación en curso", + "Please wait...": "Por favor espere...", + "Success!": "Éxito!", + "Failed": "Fallido.", + "An error occurred while processing this package": "Ocurrió un error mientras se procesaba este paquete", + "Log in to enable cloud backup": "Inicia sesión para habilitar la copia de seguridad en la nube.", + "Backup Failed": "Error en la copia de seguridad.", + "Downloading backup...": "Descargando copia de seguridad...", + "An update was found!": "¡Se encontró una actualización!", + "{0} can be updated to version {1}": "{0} puede actualizarse a la versión {1}", + "Updates found!": "¡Actualizaciones disponibles!", + "{0} packages can be updated": "{0} paquetes pueden ser actualizados", + "You have currently version {0} installed": "Actualmente tienes instalada la versión {0}", + "Desktop shortcut created": "Acceso directo de escritorio creado", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ha detectado un nuevo atajo de escritorio que se puede eliminar automaticamente", + "{0} desktop shortcuts created": "Se han creado {0} accesos directos en el escritorio", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ha detectado {0} un nuevo atajo del escritorio que se puede eliminar automaticamente.", + "Are you sure?": "¿Estás seguro?", + "Do you really want to uninstall {0}?": "¿Realmente quieres desinstalar {0}?", + "Do you really want to uninstall the following {0} packages?": "¿Realmente quiere desinstalar los siguientes {0} paquetes?", + "No": "No", + "Yes": "Sí", + "View on UniGetUI": "Ver en UniGetUI", + "Update": "Actualizar", + "Open UniGetUI": "Abrir UniGetUI", + "Update all": "Actualizar todos", + "Update now": "Actualizar ahora", + "This package is on the queue": "Este paquete está en la cola", + "installing": "instalando", + "updating": "actualizando", + "uninstalling": "desinstalando", + "installed": "instalado", + "Retry": "Reintentar", + "Install": "Instalar", + "Uninstall": "Desinstalar", + "Open": "Abrir", + "Operation profile:": "Perfil de operación:", + "Follow the default options when installing, upgrading or uninstalling this package": "Seguir las opciones predeterminadas al instalar, actualizar o desinstalar este paquete.", + "The following settings will be applied each time this package is installed, updated or removed.": "Las siguientes configuraciones se aplicarán cada vez que este paquete sea instalado, actualizado o removido.", + "Version to install:": "Versión a instalar:", + "Architecture to install:": "Arquitectura a instalar:", + "Installation scope:": "Entorno de instalación:", + "Install location:": "Ubicación de instalación:", + "Select": "Seleccionar", + "Reset": "Restablecer", + "Custom install arguments:": "Argumentos de instalación personalizados:", + "Custom update arguments:": "Argumentos personalizados para actualización:", + "Custom uninstall arguments:": "Argumentos personalizados para desinstalación:", + "Pre-install command:": "Comando previo a la instalación:", + "Post-install command:": "Comando posterior a la instalación:", + "Abort install if pre-install command fails": "Cancelar la instalación si falla el comando previo.", + "Pre-update command:": "Comando previo a la actualización:", + "Post-update command:": "Comando posterior a la actualización:", + "Abort update if pre-update command fails": "Cancelar la actualización si falla el comando previo.", + "Pre-uninstall command:": "Comando previo a la desinstalación:", + "Post-uninstall command:": "Comando posterior a la desinstalación:", + "Abort uninstall if pre-uninstall command fails": "Cancelar la desinstalación si falla el comando previo.", + "Command-line to run:": "Línea de comandos a ejecutar:", + "Save and close": "Salvar y salir", + "Run as admin": "Ejecutar como admin", + "Interactive installation": "Instalación interactiva", + "Skip hash check": "Omitir comprobación de hash", + "Uninstall previous versions when updated": "Desinstalar versiones anteriores al actualizar.", + "Skip minor updates for this package": "Saltarse las actualizaciones menores para este paquete", + "Automatically update this package": "Actualizar este paquete automáticamente", + "{0} installation options": "Opciones de instalación de {0}", + "Latest": "Última", + "PreRelease": "PreLanzamiento", + "Default": "Por defecto", + "Manage ignored updates": "Administrar actualizaciones ignoradas", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Los paquetes listados aquí no se tendrán en cuenta cuando se compruebe si hay actualizaciones disponibles. Haga doble click en ellos o pulse el botón a su derecha para dejar de ignorar sus actualizaciones.", + "Reset list": "Reiniciar lista", + "Package Name": "Nombre de Paquete", + "Package ID": "ID de Paquete", + "Ignored version": "Versión Ignorada", + "New version": "Nueva versión", + "Source": "Origen", + "All versions": "Todas las versiones", + "Unknown": "Desconocido", + "Up to date": "Ya está actualizado", + "Cancel": "Cancelar", + "Administrator privileges": "Privilegios de administrador", + "This operation is running with administrator privileges.": "Esta operación se está ejecutando con derechos de administrador.", + "Interactive operation": "Operación interactiva", + "This operation is running interactively.": "Esta operación se está ejecutando de forma interactiva.", + "You will likely need to interact with the installer.": "Es muy probable que sea necesario interactuar con el instalador", + "Integrity checks skipped": "Comprobaciones de integridad omitidas", + "Proceed at your own risk.": "Proceda bajo su responsabilidad", + "Close": "Cerrar", + "Loading...": "Cargando...", + "Installer SHA256": "SHA256 del instalador", + "Homepage": "Sitio web", + "Author": "Autor", + "Publisher": "Publicador", + "License": "Licencia", + "Manifest": "Manifiesto", + "Installer Type": "Tipo de instalador", + "Size": "Tamaño", + "Installer URL": "URL del instalador", + "Last updated:": "Actualizado por última vez:", + "Release notes URL": "URL de notas de lanzamiento", + "Package details": "Detalles del paquete", + "Dependencies:": "Dependencias:", + "Release notes": "Notas de liberación", + "Version": "Versión", + "Install as administrator": "Instalar como administrador", + "Update to version {0}": "Actualizar a la versión \"{0}\"", + "Installed Version": "Versión Instalada", + "Update as administrator": "Actualizar como administrador", + "Interactive update": "Actualización interactiva", + "Uninstall as administrator": "Desinstalar como administrador", + "Interactive uninstall": "Desinstalación interactiva", + "Uninstall and remove data": "Desinstalar y eliminar datos", + "Not available": "No disponible", + "Installer SHA512": "SHA512 del instalador", + "Unknown size": "Tamaño desconocido", + "No dependencies specified": "No se especificaron dependencias.", + "mandatory": "obligatorio", + "optional": "opcional", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} esta listo para ser instalado", + "The update process will start after closing UniGetUI": "El proceso de actualización comenzará cuando se cierre UniGetUI", + "Share anonymous usage data": "Compartir datos de uso anónimos", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI recoge datos de uso anónimos con el único fin de mejorar la experiencia del usuario.", + "Accept": "Aceptar", + "You have installed WingetUI Version {0}": "Tienes instalado UniGetUI versión {0}", + "Disclaimer": "Descargo de responsabilidad", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI no está relacionado con los administradores de paquetes compatibles. UniGetUI es un proyecto independiente.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI no habría sido posible sin la ayuda de los contribuidores. Gracias a todos 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI usa las siguientes librerías. Sin ellas, UniGetUI no habría sido posible.", + "{0} homepage": "Página oficial de {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI ha sido traducido a más de 40 idiomas gracias a traductores voluntarios. Gracias 🤝", + "Verbose": "Verboso", + "1 - Errors": "1 - Errores", + "2 - Warnings": "2 - Advertencias", + "3 - Information (less)": "3 - Información (menos)", + "4 - Information (more)": "4 - Información (más)", + "5 - information (debug)": "5 - Información (depuración)", + "Warning": "Advertencia", + "The following settings may pose a security risk, hence they are disabled by default.": "Las siguientes configuraciones pueden suponer un riesgo de seguridad, por lo que están desactivadas por defecto.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activa las siguientes opciones solo si comprendes completamente lo que hacen y sus implicaciones.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Las configuraciones indicarán, en su descripción, los posibles riesgos de seguridad que puedan tener.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "El respaldo incluirá la lista completa de los paquetes instalados y sus opciones de instalación. Las actualizaciones ignoradas y salteadas también se salvarán.", + "The backup will NOT include any binary file nor any program's saved data.": "El respaldo NO incluirá ningún archivo binario ni los datos guardados de ningún programa.", + "The size of the backup is estimated to be less than 1MB.": "El tamaño de este respaldo está estimado en menos de 1 MB.", + "The backup will be performed after login.": "El respaldo se llevará a cabo después de iniciar sesión.", + "{pcName} installed packages": "Paquetes instalados en {pcName}", + "Current status: Not logged in": "Estado actual: No has iniciado sesión.", + "You are logged in as {0} (@{1})": "Has iniciado sesión como {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "¡Genial! Las copias de seguridad se subirán como un Gist privado en tu cuenta.", + "Select backup": "Seleccionar copia de seguridad.", + "WingetUI Settings": "Configuración de UniGetUI", + "Allow pre-release versions": "Permitir versiones preliminares.", + "Apply": "Aplicar", + "Go to UniGetUI security settings": "Ir a la configuración de seguridad de UniGetUI.", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Las siguientes opciones se aplicarán por defecto cada vez que se instale, actualice o desinstale un paquete {0}.", + "Package's default": "Predeterminado del paquete.", + "Install location can't be changed for {0} packages": "No se puede cambiar la ubicación de instalación para {0} paquetes.", + "The local icon cache currently takes {0} MB": "El caché de iconos local ocupa {0} MB", + "Username": "Nombre de usuario", + "Password": "Contraseña", + "Credentials": "Credenciales", + "Partially": "Parcialmente", + "Package manager": "Administrador de paquetes", + "Compatible with proxy": "Compatible con proxy", + "Compatible with authentication": "Compatible con autenticación", + "Proxy compatibility table": "Tabla de compatibilidad de proxy", + "{0} settings": "Configuración del {0}", + "{0} status": "estado de {0}", + "Default installation options for {0} packages": "Opciones predeterminadas de instalación para {0} paquetes.", + "Expand version": "Expandir versión", + "The executable file for {0} was not found": "No se encontró el archivo ejecutable para {0}", + "{pm} is disabled": "{pm} está deshabilitado", + "Enable it to install packages from {pm}.": "Habilítelo para instalar paquetes de {pm}.", + "{pm} is enabled and ready to go": "{pm} está habilitado y listo para usarse", + "{pm} version:": "Versión de {pm}:", + "{pm} was not found!": "¡Se encontró {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "Tal vez necesites instalar {pm} para usarlo con UniGetUI.", + "Scoop Installer - WingetUI": "Instalador de Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Desinstalador de Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Limpiando caché de Scoop - UniGetUI", + "Restart UniGetUI": "Reiniciar UniGetUI", + "Manage {0} sources": "Administrar orígenes de {0}", + "Add source": "Añadir origen", + "Add": "Agregar", + "Other": "Otro", + "1 day": "1 día", + "{0} days": "{0} días", + "{0} minutes": "{0} minutos", + "1 hour": "1 hora", + "{0} hours": "{0} horas", + "1 week": "1 semana", + "WingetUI Version {0}": "UniGetUI Versión {0}", + "Search for packages": "Buscar paquetes", + "Local": "Local", + "OK": "Aceptar", + "{0} packages were found, {1} of which match the specified filters.": "Se encontraron {1} paquetes, {0} de los cuales coinciden con los filtros especificados.", + "{0} selected": "{0} seleccionados", + "(Last checked: {0})": "(Comprobado por última vez: {0})", + "Enabled": "Habilitado", + "Disabled": "Desactivado", + "More info": "Más información", + "Log in with GitHub to enable cloud package backup.": "Inicia sesión con GitHub para habilitar la copia de seguridad de paquetes en la nube.", + "More details": "Más detalles", + "Log in": "Iniciar sesión.", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Si tienes activada la copia en la nube, se guardará como un Gist de GitHub en esta cuenta.", + "Log out": "Cerrar sesión.", + "About": "Acerca de", + "Third-party licenses": "Licencias de terceros", + "Contributors": "Contribuidores", + "Translators": "Traductores", + "Manage shortcuts": "Gestionar atajos", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ha detectado los siguientes accesos directos en el escritorio que se pueden eliminar automáticamente en las siguientes actualizaciones", + "Do you really want to reset this list? This action cannot be reverted.": "¿Realmente quieres restablecer esta lista? Esta acción no puede revertirse.", + "Remove from list": "Eliminar de la lista", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Cuando se detectan nuevos accesos directos, eliminarlos automáticamente en lugar de mostrar este diálogo.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI recoge datos de uso anónimos con el único fin de entender y mejorar la experiencia del usuario.", + "More details about the shared data and how it will be processed": "Más detalles sobre qué datos se comparten y sobre cómo se procesa la información compartida", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Aceptas que UniGetUI recoja y envie estadísticas anónimas de uso, con el único propósito de entender y mejorar la experiencia del usuario?", + "Decline": "Declinar", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "No se recogen datos personales, y los datos enviados están anonimizados, de forma que no se pueden relacionar con ud.", + "About WingetUI": "Acerca de UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI es una aplicación que hace administrar tu software más fácil, proporcionando una interfaz gráfica unificada para todos tus administradores de paquetes de línea de comandos.", + "Useful links": "Links útiles", + "Report an issue or submit a feature request": "Reportar un problema o enviar una solicitud de característica", + "View GitHub Profile": "Ver Perfil GitHub", + "WingetUI License": "Licencia de UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Usar UniGetUI implica la aceptación de la Licencia MIT", + "Become a translator": "Conviértete en traductor", + "View page on browser": "Ver página en navegador", + "Copy to clipboard": "Copiar al portapapeles", + "Export to a file": "Exportar a un archivo", + "Log level:": "Nivel del registro:", + "Reload log": "Recargar el registro", + "Text": "Texto", + "Change how operations request administrator rights": "Cambiar cómo las operaciones solicitan derechos de administrador.", + "Restrictions on package operations": "Restricciones sobre operaciones de paquetes.", + "Restrictions on package managers": "Restricciones sobre los gestores de paquetes.", + "Restrictions when importing package bundles": "Restricciones al importar paquetes agrupados.", + "Ask for administrator privileges once for each batch of operations": "Pedir privilegios de administrador una vez por cada lote de operaciones", + "Ask only once for administrator privileges": "Solicitar privilegios de administrador solo una vez.", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prohibir cualquier tipo de elevación mediante UniGetUI Elevator o GSudo.", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Esta opción CAUSARÁ problemas. Cualquier operación que no pueda elevar privilegios FALLARÁ. Instalar/actualizar/desinstalar como administrador NO FUNCIONARÁ.", + "Allow custom command-line arguments": "Admitir argumentos de línea de comandos personalizados", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Los argumentos de línea de comandos personalizados puede cambia la forma en que los programas se instalan, actualizan o desinstalan, de una forma que UniGetUI no puede controlar. Usar líneas de comandos personalizadas puede romper paquetes. Procede con precaución.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permitir que se ejecuten comandos personalizados de pre-instalación y post-instalación", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Los comandos pre y post instalación se ejecutarán antes y después de que un paquete se instale, actualice o desinstale. Tenga presente que pueden romper cosas a menos que se los use con cuidado", + "Allow changing the paths for package manager executables": "Permitir cambiar las rutas de los ejecutables del gestor de paquetes.", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activar esto permite cambiar el ejecutable usado para interactuar con gestores de paquetes. Aunque ofrece más personalización, puede ser peligroso.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Permitir importar argumentos de línea de comandos personalizados al importar paquetes de un grupo", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentos de línea de comandos malformados pueden romper paquetes, o incluso permitir que un actor malicioso obtenga ejecución privilegiada. Por tanto, importar líneas de comandos personalizadas está deshabilitado por defecto.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permitir importar comandos personalizados antes y después de la instalación al importar paquetes desde un lote.", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Los comandos pre y post instalación puede hacer cosas muy feas a tu dispositivo, si se las diseña para eso. Puede ser muy peligroso importar los comandos de un grupo, a menos que confíe en el origen de ese grupo de paquetes.", + "Administrator rights and other dangerous settings": "Permisos de administrador y otras configuraciones peligrosas.", + "Package backup": "Respaldo de paquete", + "Cloud package backup": "Copia de seguridad de paquetes en la nube.", + "Local package backup": "Copia de seguridad de paquetes local.", + "Local backup advanced options": "Opciones avanzadas de copia de seguridad local.", + "Log in with GitHub": "Inicia sesión con GitHub.", + "Log out from GitHub": "Cerrar sesión de GitHub.", + "Periodically perform a cloud backup of the installed packages": "Realizar periódicamente copia de seguridad en la nube de los paquetes instalados.", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "La copia de seguridad en la nube usa un Gist privado de GitHub para almacenar la lista de paquetes instalados.", + "Perform a cloud backup now": "Realizar copia de seguridad en la nube ahora.", + "Backup": "Respaldar", + "Restore a backup from the cloud": "Restaurar copia de seguridad desde la nube.", + "Begin the process to select a cloud backup and review which packages to restore": "Inicia el proceso para seleccionar una copia de seguridad en la nube y revisar qué paquetes restaurar.", + "Periodically perform a local backup of the installed packages": "Realizar periódicamente copia de seguridad local de los paquetes instalados.", + "Perform a local backup now": "Realizar copia de seguridad local ahora.", + "Change backup output directory": "Cambiar carpeta de salida", + "Set a custom backup file name": "Establecer un nombre personalizado para el archivo de respaldo", + "Leave empty for default": "Dejar vacío por defecto", + "Add a timestamp to the backup file names": "Añadir una marca de tiempo a los nombres de los archivos de copia de seguridad", + "Backup and Restore": "Copia de seguridad y restauración.", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Habilitar API en segundo plano (Widgets de UniGetUI y Compartir, puerto 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Esperar a que el dispositivo esté conectado a internet antes de ejecutar qualquier tarea que requiera conexión a internet.", + "Disable the 1-minute timeout for package-related operations": "Desactiva el tiempo de espera de 1-minuto para operaciones de paquete relacionadas", + "Use installed GSudo instead of UniGetUI Elevator": "Usar GSudo instalado en lugar de UniGetUI Elevator.", + "Use a custom icon and screenshot database URL": "Usar una URL personalizada de base de datos de íconos y capturas de pantalla", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activar las optimizaciones de CPU en fondo (ver Pull Request #3278)", + "Perform integrity checks at startup": "Llevar a cabo chequeos de integridad al inicio", + "When batch installing packages from a bundle, install also packages that are already installed": "Al instalar paquetes en lote desde un paquete, también instalar los que ya están presentes.", + "Experimental settings and developer options": "Configuraciones y opciones de desarrollador experimentales", + "Show UniGetUI's version and build number on the titlebar.": "Mostrar la versión de UniGetUI en la barra de título", + "Language": "Idioma", + "UniGetUI updater": "Actualizador de UniGetUI", + "Telemetry": "Telemetría", + "Manage UniGetUI settings": "Administrar la configuración de UniGetUI", + "Related settings": "Configuraciones relacionadas", + "Update WingetUI automatically": "Actualizar UniGetUI automáticamente", + "Check for updates": "Buscar actualizaciones", + "Install prerelease versions of UniGetUI": "Instalar versiones prerelease de UniGetUI", + "Manage telemetry settings": "Administrar las preferencias de la telemetria", + "Manage": "Administrar", + "Import settings from a local file": "Importar la configuración desde un archivo local", + "Import": "Importar", + "Export settings to a local file": "Exportar la configuración a un archivo local", + "Export": "Exportar", + "Reset WingetUI": "Restablecer UniGetUI", + "Reset UniGetUI": "Reiniciar UniGetUI", + "User interface preferences": "Preferencias de interfaz de usuario", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema de la aplicación, página de inicio, iconos en los paquetes, quita las operaciones exitosas automáticamente", + "General preferences": "Preferencias generales", + "WingetUI display language:": "Idioma de presentación de UniGetUI:", + "Is your language missing or incomplete?": "¿Falta tu idioma o está incompleto?", + "Appearance": "Apariencia", + "UniGetUI on the background and system tray": "UniGetUI en segundo plano y en la bandeja del sistema", + "Package lists": "Listas de paquetes", + "Close UniGetUI to the system tray": "Cerrar UniGetUI a la bandeja del sistema", + "Show package icons on package lists": "Mostrar iconos de paquete en las listas de paquete", + "Clear cache": "Borrar caché", + "Select upgradable packages by default": "Seleccione los paquetes actualizables por defecto", + "Light": "Claro", + "Dark": "Oscuro", + "Follow system color scheme": "Seguir el esquema de colores del sistema", + "Application theme:": "Tema de la aplicación:", + "Discover Packages": "Descubrir Paquetes", + "Software Updates": "Actualizaciones de Software", + "Installed Packages": "Paquetes Instalados", + "Package Bundles": "Grupos de Paquetes", + "Settings": "Configuración", + "UniGetUI startup page:": "Página principal de UniGetUI:", + "Proxy settings": "Configuración de proxy", + "Other settings": "Otras configuraciones", + "Connect the internet using a custom proxy": "Conectar a internet usando un proxy personalizado", + "Please note that not all package managers may fully support this feature": "Por favor note que no todos los administradores de paquetes soportan esta característica", + "Proxy URL": "URL del proxy", + "Enter proxy URL here": "Entre la URL del proxy aquí", + "Package manager preferences": "Preferencias de los gestores de paquetes", + "Ready": "Preparado", + "Not found": "No encontrado", + "Notification preferences": "Preferencias de las notificaciones", + "Notification types": "Tipos de notificación", + "The system tray icon must be enabled in order for notifications to work": "El ícono de la bandeja de sistema debe estar habilitado para que funcionen las notificaciones", + "Enable WingetUI notifications": "Activar las notificaciones de UniGetUI", + "Show a notification when there are available updates": "Mostrar una notificación cuando haya actualizaciones disponibles", + "Show a silent notification when an operation is running": "Mostrar una notificación silenciosa cuando una operación está en ejecución", + "Show a notification when an operation fails": "Mostrar una notificación cuando una operación falla", + "Show a notification when an operation finishes successfully": "Mostrar una notificación cuando una operación se completa exitosamente", + "Concurrency and execution": "Concurrencia y ejecución", + "Automatic desktop shortcut remover": "Eliminador del acceso directo del escritorio automático", + "Clear successful operations from the operation list after a 5 second delay": "Eliminar las operaciones exitosas de la lista de operaciones después de 5 segundos", + "Download operations are not affected by this setting": "Las operaciones de descarga no se ven afectadas por esta configuración.", + "Try to kill the processes that refuse to close when requested to": "Intentar cerrar los procesos que no responden.", + "You may lose unsaved data": "Podrías perder datos no guardados.", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Pregunta para eliminar accesos directos del escritorio creados durante la instalación o actualización", + "Package update preferences": "Preferencias de actualización de paquetes", + "Update check frequency, automatically install updates, etc.": "Frecuencia del chequeo de actualizaciones, instalar actualizaciones automáticamente, etc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reducir avisos de UAC, elevar instalaciones por defecto, desbloquear funciones peligrosas, etc.", + "Package operation preferences": "Preferencias de operaciones de paquetes", + "Enable {pm}": "Habilitar {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "¿No encuentras el archivo? Asegúrate de que esté en la variable PATH.", + "For security reasons, changing the executable file is disabled by default": "Por motivos de seguridad, cambiar el ejecutable está deshabilitado por defecto.", + "Change this": "Cambiar esto.", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selecciona el ejecutable a usar. La siguiente lista muestra los ejecutables que UniGetUI ha encontrado en el sistema.", + "Current executable file:": "Ejecutable actual:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorar los paquetes de {pm} al mostrar una notificación sobre actualizaciones", + "View {0} logs": "Ver registros de {0}", + "Advanced options": "Opciones avanzadas", + "Reset WinGet": "Restablecer WinGet", + "This may help if no packages are listed": "Esto puede ayudar si no se lista ningún paquete", + "Force install location parameter when updating packages with custom locations": "Forzar el parámetro de ubicación de instalación al actualizar paquetes con ubicaciones personalizadas", + "Use bundled WinGet instead of system WinGet": "Usar el WinGet incorporado en lugar del WinGet del sistema", + "This may help if WinGet packages are not shown": "Esto puede ayudar si no se muestran los paquetes de WinGet", + "Install Scoop": "Instalar Scoop", + "Uninstall Scoop (and its packages)": "Desinstalar Scoop (y sus paquetes)", + "Run cleanup and clear cache": "Ejecutar limpieza y limpiar caché", + "Run": "Ejecutar", + "Enable Scoop cleanup on launch": "Habilitar la limpieza de Scoop al iniciar", + "Use system Chocolatey": "Usar el Chocolatey del sistema", + "Default vcpkg triplet": "Tripleta predeterminada de vcpkg", + "Language, theme and other miscellaneous preferences": "Idioma, tema y otras preferencias varias", + "Show notifications on different events": "Muestra notificaciones en diferentes situaciones", + "Change how UniGetUI checks and installs available updates for your packages": "Cambia cómo UniGetUI comprueba e instala las actualizaciones de tus paquetes", + "Automatically save a list of all your installed packages to easily restore them.": "Salvar automáticamente una lista de todos tus paquetes instalados para fácilmente restaurarlos.", + "Enable and disable package managers, change default install options, etc.": "Habilitar y deshabilitar gestores de paquetes, cambiar opciones de instalación predeterminadas, etc.", + "Internet connection settings": "Configuración de conexión a Internet", + "Proxy settings, etc.": "Configuración de proxy, etc.", + "Beta features and other options that shouldn't be touched": "Funciones beta y otras opciones que no deberían tocarse", + "Update checking": "Comprobación de actualizaciones", + "Automatic updates": "Actualizaciones automáticas", + "Check for package updates periodically": "Comprobar actualizaciones de paquetes periódicamente", + "Check for updates every:": "Buscar actualizaciones cada:", + "Install available updates automatically": "Instala las actualizaciones disponibles automáticamente", + "Do not automatically install updates when the network connection is metered": "No instalar actualizaciones automáticamente cuando se esté en una conexión de red medida", + "Do not automatically install updates when the device runs on battery": "No instalar actualizaciones automáticamente mientras el dispositivo no esté enchufado.", + "Do not automatically install updates when the battery saver is on": "No instalar actualizaciones automáticamente cuando está activo el ahorro de batería", + "Change how UniGetUI handles install, update and uninstall operations.": "Cambiar cómo UniGetUI maneja las operaciones de instalación, actualización y desinstalación.", + "Package Managers": "Admin. de Paquetes", + "More": "Más", + "WingetUI Log": "Registro de UniGetUI", + "Package Manager logs": "Registros del administrador de paquetes", + "Operation history": "Historial de operaciones", + "Help": "Ayuda", + "Order by:": "Ordenar por:", + "Name": "Nombre", + "Id": "ID", + "Ascendant": "Ascendente", + "Descendant": "Descendente", + "View mode:": "Modo de visualización:", + "Filters": "Filtros", + "Sources": "Orígenes", + "Search for packages to start": "Busque paquetes para empezar", + "Select all": "Seleccionar todo", + "Clear selection": "Limpiar la selección", + "Instant search": "Búsqueda instantánea", + "Distinguish between uppercase and lowercase": "Distinguir entre mayúsculas y minúsculas", + "Ignore special characters": "Ignorar caracteres especiales", + "Search mode": "Modo de búsqueda", + "Both": "Ambos", + "Exact match": "Coincidencia exacta", + "Show similar packages": "Mostrar paquetes similares", + "No results were found matching the input criteria": "No se encontraron resultados para el criterio ingresado", + "No packages were found": "No se encontraron paquetes", + "Loading packages": "Cargando paquetes", + "Skip integrity checks": "Saltear chequeos de integridad", + "Download selected installers": "Descargar instaladores seleccionados.", + "Install selection": "Instalar selección", + "Install options": "Opciones de instalación.", + "Share": "Compartir", + "Add selection to bundle": "Añadir la selección al grupo", + "Download installer": "Descargar instalador", + "Share this package": "Compartir este paquete", + "Uninstall selection": "Desinstalar selección", + "Uninstall options": "Opciones de desinstalación.", + "Ignore selected packages": "Ignorar los paquetes seleccionados", + "Open install location": "Abrir directorio de instalación", + "Reinstall package": "Reinstalar paquete", + "Uninstall package, then reinstall it": "Desinstalar paquete, y luego reinstalarlo", + "Ignore updates for this package": "Ignorar actualizaciones para este paquete", + "Do not ignore updates for this package anymore": "No ignores actualizaciones de este paquete", + "Add packages or open an existing package bundle": "Añadir paquetes o abrir un grupo de paquetes existente", + "Add packages to start": "Añadir algunos paquetes para empezar", + "The current bundle has no packages. Add some packages to get started": "El grupo actual no contiene paquetes. Añade algunos para comenzar", + "New": "Nuevo.", + "Save as": "Guardar como", + "Remove selection from bundle": "Eliminar selección de grupo", + "Skip hash checks": "Saltar las verificaciones de hash", + "The package bundle is not valid": "El grupo de paquetes no es válido", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "El grupo de paquetes que intentas cargar parece ser inválido. Por favor, comprueba el archivo e inténtalo de nuevo.", + "Package bundle": "Grupo de paquetes", + "Could not create bundle": "No se pudo crear el grupo de paquetes", + "The package bundle could not be created due to an error.": "El grupo de paquetes no se pudo crear debido a error.", + "Bundle security report": "Informe de seguridad del paquete.", + "Hooray! No updates were found.": "¡Hurra! ¡No se han encontrado actualizaciones!", + "Everything is up to date": "Todo está actualizado", + "Uninstall selected packages": "Desinstalar los paquetes seleccionados", + "Update selection": "Actualizar seleccionados", + "Update options": "Opciones de actualización.", + "Uninstall package, then update it": "Desinstalar paquete, y luego actualizarlo", + "Uninstall package": "Desinstalar paquete", + "Skip this version": "Omitir esta versión", + "Pause updates for": "Pausar actualizaciones por", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "El administrador de paquetes de Rust.
Contiene: Librerías de Rust y programas escritos en Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "El gestor de paquetes clásico para Windows. Encontrarás de todo ahí.
Contiene: Software general", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repositorio lleno de herramientas y ejecutables diseñados con el ecosistema .NET de Microsoft en mente.
Contiene: Herramientas y scripts relacionados con .NET", + "NuPkg (zipped manifest)": "NuPkg (manifiesto comprimido con zip)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Administrador de paquetes de Node JS. Lleno de bibliotecas y otras utilidades del mundo de Javascript
Contiene: Bibliotecas de Javascript de Node y otras utilidades relacionadas", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Administrador de librerías de Python. Lleno de bibliotecas python y otras utilidades relacionadas con python.
Contiene: Librerías python y utilidades relacionadas", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "El administrador de paquetes de PowerShell. Encuentre librerías y scripts para expandir las capacidades de PowerShell
Contiene: Módulos, Scripts, Cmdlets", + "extracted": "extraído", + "Scoop package": "Paquete de Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Gran repositorio lleno de utilidades desconocidas pero útiles y otros paquetes interesantes.
Contiene: Utilidades, Programas de línea de comandos, Software general (se requiere el bucket de extras)", + "library": "librería", + "feature": "característica", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un gestor popular de librerías de C/C++. Lleno de liberías de C/C++ y otras utilidades relacionadas con C/C++
Contiene: Librerías de C/C++ y utilidades relacionadas.", + "option": "opción", + "This package cannot be installed from an elevated context.": "Este paquete no ser puede instalar desde un contexto elevado", + "Please run UniGetUI as a regular user and try again.": "Por favor, ejecuta UniGetUI como un usuario normal e inténtelo de nuevo", + "Please check the installation options for this package and try again": "Por favor, verifique las opciones de instalación de este paquete e inténtelo de nuevo", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Administrador de paquetes oficial de Microsoft. Lleno de paquetes conocidos y verificados
Contiene: Software en general, aplicaciones de Microsoft Store", + "Local PC": "PC Local", + "Android Subsystem": "Subsistema de Android", + "Operation on queue (position {0})...": "Operación en cola (posición {0})...", + "Click here for more details": "Haga click aquí para más detalles", + "Operation canceled by user": "Operación cancelada por el usuario", + "Starting operation...": "Empezando operación...", + "{package} installer download": "Descarga del instalador de {package}", + "{0} installer is being downloaded": "Se está descargando el instalador de {0}", + "Download succeeded": "Descarga exitosa", + "{package} installer was downloaded successfully": "El instalador de {package} se ha descargado correctamente", + "Download failed": "La descarga ha fallado", + "{package} installer could not be downloaded": "No se pudo descargar el instalador de {package} ", + "{package} Installation": "Instalación de {package}", + "{0} is being installed": "{0} está siendo instalado", + "Installation succeeded": "Instalación exitosa", + "{package} was installed successfully": "{package} se instaló correctamente", + "Installation failed": "La instalación falló", + "{package} could not be installed": "{package} no se pudo instalar", + "{package} Update": "Actualización de {package}", + "{0} is being updated to version {1}": "{0} está siendo actualizado a la versión {1}", + "Update succeeded": "Actualización exitosa", + "{package} was updated successfully": "{package} se actualizó correctamente", + "Update failed": "La actualización falló", + "{package} could not be updated": "{package} no se pudo actualizar", + "{package} Uninstall": "Desinstalación de {package}", + "{0} is being uninstalled": "{0} está siendo desinstalado", + "Uninstall succeeded": "Desinstalación exitosa", + "{package} was uninstalled successfully": "{package} se desinstaló correctamente", + "Uninstall failed": "La desinstalación falló", + "{package} could not be uninstalled": "{package} no se pudo desinstalar", + "Adding source {source}": "Añadiendo fuente {source}", + "Adding source {source} to {manager}": "Agregando origen {source} a {manager}", + "Source added successfully": "Fuente añadida exitosamente", + "The source {source} was added to {manager} successfully": "El origen {source} se agregó a {manager} exitosamente.", + "Could not add source": "No se ha podido añadir la fuente", + "Could not add source {source} to {manager}": "No se pudo agregar el origen {source} a {manager}", + "Removing source {source}": "Eliminando la fuente {source}", + "Removing source {source} from {manager}": "Eliminando origen {source} from {manager}", + "Source removed successfully": "Fuente eliminada exitosamente", + "The source {source} was removed from {manager} successfully": "El origen {source} fue eliminado de {manager} exitosamente.", + "Could not remove source": "No se ha podido eliminar la fuente", + "Could not remove source {source} from {manager}": "No se pudo eliminar el origen {source} de {manager}", + "The package manager \"{0}\" was not found": "No se encontró el administrador de paquetes \"{0}\"", + "The package manager \"{0}\" is disabled": "El administrador de paquetes \"{0}\" está desactivado", + "There is an error with the configuration of the package manager \"{0}\"": "Hay un error en la configuración del administrador de paquetes \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "No se encontró el paquete \"{0}\" en el administrador de paquetes \"{1}\"", + "{0} is disabled": "{0} está deshabilitado", + "Something went wrong": "Algo salió mal", + "An interal error occurred. Please view the log for further details.": "Se ha producido un error interno. Por favor, consulta el registro para obtener más detalles.", + "No applicable installer was found for the package {0}": "No se ha encontrado ningún instalador para el paquete {0}", + "We are checking for updates.": "Estamos buscando atualizaciones", + "Please wait": "Por favor espere", + "UniGetUI version {0} is being downloaded.": "La versión {0} de UniGetUI se está descargando", + "This may take a minute or two": "Esto puede tomar un minuto o dos", + "The installer authenticity could not be verified.": "La autenticidad del instalador no se ha podido verificar", + "The update process has been aborted.": "El proceso de actualización ha sido abortado.", + "Great! You are on the latest version.": "¡Perfecto! Estás en la ultima versión.", + "There are no new UniGetUI versions to be installed": "No hay nuevas versiones de UniGetUI para instalar", + "An error occurred when checking for updates: ": "Ocurrió un error al buscar actualizaciones:", + "UniGetUI is being updated...": "UniGetUI se está actualizando...", + "Something went wrong while launching the updater.": "Algo salió mal mientras se iniciaba el actualizador.", + "Please try again later": "Por favor, inténtelo de nuevo después", + "Integrity checks will not be performed during this operation": "No se hará ningún tipo de comprovación de integridad durante esta operación", + "This is not recommended.": "Esto no se recomienda.", + "Run now": "Ejecutar ahora", + "Run next": "Ejecutar la siguiente", + "Run last": "Ejecutar la última", + "Retry as administrator": "Reintentar como administrador", + "Retry interactively": "Reintentar de forma interactiva", + "Retry skipping integrity checks": "Reintentar omitiendo los chequeos de integridad", + "Installation options": "Opciones de instalación", + "Show in explorer": "Mostrar en el explorador", + "This package is already installed": "Este paquete ya está instalado", + "This package can be upgraded to version {0}": "Este paquete se puede actualizar a la versión \"{0}\"", + "Updates for this package are ignored": "Las actualizaciones de este paquete se ignoran", + "This package is being processed": "Este paquete está siendo procesado", + "This package is not available": "Este paquete no está disponible", + "Select the source you want to add:": "Seleccione el origen que desea agregar:", + "Source name:": "Nombre de la fuente:", + "Source URL:": "URL de Fuente:", + "An error occurred": "Ocurrió un error", + "An error occurred when adding the source: ": "Ocurrió un error al agregar el origen", + "Package management made easy": "Administración de paquetes hecha fácil", + "version {0}": "versión {0}", + "[RAN AS ADMINISTRATOR]": "EJECUTADO COMO ADMINISTRADOR", + "Portable mode": "Modo portátil", + "DEBUG BUILD": "COMPILACIÓN DE DEPURACIÓN", + "Available Updates": "Actualizaciones disponibles", + "Show WingetUI": "Mostrar UniGetUI", + "Quit": "Salir", + "Attention required": "Se requiere atención", + "Restart required": "Se requiere un reinicio", + "1 update is available": "Hay 1 actualización disponible", + "{0} updates are available": "{0} paquetes disponibles", + "WingetUI Homepage": "Página Oficial de UniGetUI", + "WingetUI Repository": "Repositorio de UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aquí puedes cambiar cómo UniGetUI se comporta respecto a los siguientes accesos directos. Si marcas uno, UniGetUI lo eliminará si se crea en una futura actualización. Si lo desmarcas, se mantendrá intacto", + "Manual scan": "Escaneo manual", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Los accesos directos existentes de tu escritorio serán analizados, y necesitarás elegir cuáles mantener y cuáles eliminar.", + "Continue": "Continuar", + "Delete?": "¿Eliminar?", + "Missing dependency": "Falta una dependencia", + "Not right now": "Ahora no", + "Install {0}": "Instalar {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI necesita {0} para funcionar correctamente, pero no se encontró en tu sistema.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Haz click en Instalar para iniciar el proceso de instalación. Si te saltas el proceso de instalación, puede que UniGetUI no funcione como se espera", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativamente, también puedes instalar {0} ejecutando el siguiente comando en una ventana de comandos de Windows Powershell:", + "Do not show this dialog again for {0}": "No volver a mostrar este diálogo para {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Por favor, espera mientras {0} se instala. Puede que se abra una ventana negra. Por favor, espera hasta que se cierre.", + "{0} has been installed successfully.": "{0} se instaló exitosamente.", + "Please click on \"Continue\" to continue": "Seleccione \"Continuar\" para continuar", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} se instaló exitosamente. Se recomienda reiniciar UniGetUI para finalizar con la instalación", + "Restart later": "Reiniciar más tarde", + "An error occurred:": "Ha ocurrido un error:", + "I understand": "Entiendo", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ha sido ejecutado como administrador, lo cual no es recomendado. Al ejecutar UniGetUI como administrador, TODAS las operaciones lanzadas desde UniGetUI tendrán privilegios de administrador. Puede usar el programa de todas formas, pero recomendamos altamente no ejecutar UniGetUI con privilegios de administrador.", + "WinGet was repaired successfully": "Se reparó WinGet exitosamente", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Se recomienda reiniciar UniGetUI después de que WinGet haya sido reparado", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: Este solucionador de problemas puede ser desactivado desde los ajustes de UniGetUI, en la sección de WinGet", + "Restart": "Reiniciar", + "WinGet could not be repaired": "No se pudo reparar WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Se ha producido un problema inesperado al intentar reparar WinGet. Por favor, inténtalo de nuevo más tarde", + "Are you sure you want to delete all shortcuts?": "¿Estás seguro de que quieres eliminar todos los accesos directos?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Cualquier acceso directo nuevo creado durante una instalación o actualización se eliminará automáticamente, en lugar de mostrar un aviso de confirmación la primera vez que se detecte.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Cualquier acceso directo creado o modificado fuera de UniGetUI será ignorado. Podrás añadirlos manualmente usando el botón {0}.", + "Are you really sure you want to enable this feature?": "¿Estás seguro de que quieres habilitar esta característica?", + "No new shortcuts were found during the scan.": "No se han encontrado nuevos atajos durante el escaneo.", + "How to add packages to a bundle": "Cómo agregar paquetes a un grupo", + "In order to add packages to a bundle, you will need to: ": "Para agregar paquetes a este grupo, necesitarás:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "Navega a la página \"{0}\" o \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "Localiza el/los paquete(s) que quiere agregar al grupo y selecciona su casilla a la izquierda.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "Cuando los paquetes que quieras agregar al grupo estén seleccionados, encuentra y clickea la opción \"{0}\" en la barra de herramientas.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "Tus paquetes se han añadido al grupo. Puedes seguir añadiendo paquetes o exportar el grupo.", + "Which backup do you want to open?": "¿Qué copia de seguridad deseas abrir?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selecciona la copia de seguridad que quieres abrir. Luego podrás revisar qué paquetes instalar.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Hay operaciones en curso. Salir de UniGetUI puede causar que fallen. ¿Quiere continuar?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI o alguno de sus componentes faltan o están dañados", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Se recomienda encarecidamente reinstalar UniGetUI para solucionar la situación.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Refiérase a los Registros de UniGetUI para tener más detalles acerca de el/los archivos afectado(s)", + "Integrity checks can be disabled from the Experimental Settings": "Los chequeos de integridad se pueden deshabilitar desde las Configuraciones Experimentals.", + "Repair UniGetUI": "Reparar UniGetUI", + "Live output": "Salida en tiempo real", + "Package not found": "Paquete no encontrado", + "An error occurred when attempting to show the package with Id {0}": "Ocurrió un error al intentar mostrar el paquete con ID {0} ", + "Package": "Paquete", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Este paquete tiene configuraciones potencialmente peligrosas que podrían ser ignoradas por defecto.", + "Entries that show in YELLOW will be IGNORED.": "Las entradas en AMARILLO serán IGNORADAS.", + "Entries that show in RED will be IMPORTED.": "Las entradas en ROJO serán IMPORTADAS.", + "You can change this behavior on UniGetUI security settings.": "Puedes cambiar este comportamiento en la configuración de seguridad de UniGetUI.", + "Open UniGetUI security settings": "Abrir configuración de seguridad de UniGetUI.", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Si modificas la configuración de seguridad, deberás abrir el paquete de nuevo para aplicar los cambios.", + "Details of the report:": "Detalles del informe:", "\"{0}\" is a local package and can't be shared": "\"{0}\" es un paquete local y no puede compartirse", + "Are you sure you want to create a new package bundle? ": "¿Estás seguro de que quieres crear un nuevo grupo de paquetes?", + "Any unsaved changes will be lost": "Cualquier cambió no guardado se perderá", + "Warning!": "¡Atención!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Por seguridad, los argumentos personalizados en la línea de comandos están desactivados. Ve a la configuración de seguridad de UniGetUI para cambiarlo. ", + "Change default options": "Cambiar opciones predeterminadas.", + "Ignore future updates for this package": "Ignorar futuras actualizaciones de este paquete", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Por seguridad, los scripts previos y posteriores a las operaciones están desactivados. Ve a la configuración de seguridad de UniGetUI para activarlos. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Puedes definir los comandos que se ejecutarán antes o después de instalar, actualizar o desinstalar este paquete. Se ejecutarán en una consola CMD, por lo que los scripts CMD funcionarán.", + "Change this and unlock": "Cambiar esto y desbloquear.", + "{0} Install options are currently locked because {0} follows the default install options.": "Las opciones de instalación de {0} están bloqueadas porque {0} sigue las opciones predeterminadas.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selecciona los procesos que deben cerrarse antes de instalar, actualizar o desinstalar este paquete.", + "Write here the process names here, separated by commas (,)": "Escribe aquí los nombres de procesos, separados por comas (,)", + "Unset or unknown": "No especificado o desconocido", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Por favor vea la Salida de Línea de Comandos o diríjase a la Historia de Operaciones para más información sobre el problema.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "¿Este paquete no tiene capturas de pantalla o le falta el icono? Contribuye a UniGetUI agregando los iconos y capturas de pantalla que faltan a nuestra base de datos abierta y pública.", + "Become a contributor": "Conviértete en contribuidor", + "Save": "Guardar", + "Update to {0} available": "Actualización a {0} disponible", + "Reinstall": "Reinstalar", + "Installer not available": "Instalador no disponible", + "Version:": "Versión:", + "Performing backup, please wait...": "Haciendo copia de seguridad. Por favor espere...", + "An error occurred while logging in: ": "Ocurrió un error al iniciar sesión: ", + "Fetching available backups...": "Buscando copias de seguridad disponibles...", + "Done!": "¡Hecho!", + "The cloud backup has been loaded successfully.": "La copia de seguridad en la nube se ha cargado correctamente.", + "An error occurred while loading a backup: ": "Ocurrió un error al cargar una copia de seguridad: ", + "Backing up packages to GitHub Gist...": "Haciendo copia de seguridad de paquetes en GitHub Gist...", + "Backup Successful": "Copia de seguridad realizada con éxito.", + "The cloud backup completed successfully.": "La copia de seguridad en la nube se completó correctamente.", + "Could not back up packages to GitHub Gist: ": "No se pudieron guardar los paquetes en GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "No se garantiza que las credenciales provistas se almacenen seguramente, por lo que tal vez prefiera no usar las credenciales de su cuenta bancaria", + "Enable the automatic WinGet troubleshooter": "Activar el solucionador de problemas automático de WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Habilitar una versión [experimental] mejorada del solucionador de problemas de WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Añadir las actualizaciones que fallen con \"no se encontró una actualización aplicable\" a la lista de actualizaciones ignoradas.", + "Restart WingetUI to fully apply changes": "Reiniciar UniGetUI para aplicar completamente los cambios", + "Restart WingetUI": "Reiniciar UniGetUI", + "Invalid selection": "Selección no válida", + "No package was selected": "No se seleccionó ningún paquete", + "More than 1 package was selected": "Se seleccionó más de 1 paquete", + "List": "Lista", + "Grid": "Grilla", + "Icons": "Íconos", "\"{0}\" is a local package and does not have available details": "\"{0}\" es un paquete local y no tiene detalles disponibles", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" es un paquete local y no es compatible con esta característica", - "(Last checked: {0})": "(Comprobado por última vez: {0})", + "WinGet malfunction detected": "Malfunción de Winget detectada", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Parece que WinGet no está funcionando correctamente. ¿Quieres intentar reparar WinGet?", + "Repair WinGet": "Reparar WinGet", + "Create .ps1 script": "Crear script .ps1", + "Add packages to bundle": "Añadir paquetes al conjunto", + "Preparing packages, please wait...": "Preparando paquetes. Por favor espere...", + "Loading packages, please wait...": "Cargando paquetes. Por favor espere...", + "Saving packages, please wait...": "Salvando los paquetes. Por favor espere...", + "The bundle was created successfully on {0}": "La colección se ha guardado en {0}", + "Install script": "Script de instalación", + "The installation script saved to {0}": "El script de instalación se ha guardado en {0}", + "An error occurred while attempting to create an installation script:": "Ha habido un error mientras se creaba el script de instalación:", + "{0} packages are being updated": "{0} paquetes estan siendo actualizados", + "Error": "Error", + "Log in failed: ": "Error al iniciar sesión: ", + "Log out failed: ": "Error al cerrar sesión: ", + "Package backup settings": "Configuración de copia de seguridad del paquete.", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Número {0} en la cola)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@rubnium, @JMoreno97, @dalbitresb12, @marticliment, @apazga, @evaneliasyoung, @guplem, @uKER, @P10Designs", "0 packages found": "0 paquetes encontrados", "0 updates found": "0 actualizaciones encontradas", - "1 - Errors": "1 - Errores", - "1 day": "1 día", - "1 hour": "1 hora", "1 month": "1 mes", "1 package was found": "Se encontró 1 paquete", - "1 update is available": "Hay 1 actualización disponible", - "1 week": "1 semana", "1 year": "1 año", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "Navega a la página \"{0}\" o \"{1}\".", - "2 - Warnings": "2 - Advertencias", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "Localiza el/los paquete(s) que quiere agregar al grupo y selecciona su casilla a la izquierda.", - "3 - Information (less)": "3 - Información (menos)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "Cuando los paquetes que quieras agregar al grupo estén seleccionados, encuentra y clickea la opción \"{0}\" en la barra de herramientas.", - "4 - Information (more)": "4 - Información (más)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "Tus paquetes se han añadido al grupo. Puedes seguir añadiendo paquetes o exportar el grupo.", - "5 - information (debug)": "5 - Información (depuración)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un gestor popular de librerías de C/C++. Lleno de liberías de C/C++ y otras utilidades relacionadas con C/C++
Contiene: Librerías de C/C++ y utilidades relacionadas.", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repositorio lleno de herramientas y ejecutables diseñados con el ecosistema .NET de Microsoft en mente.
Contiene: Herramientas y scripts relacionados con .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Un repositorio lleno de herramientas diseñadas con el ecosistema .NET de Microsoft en mente.
Contiene: Herramientas relacionadas con .NET", "A restart is required": "Es necesario reiniciar", - "Abort install if pre-install command fails": "Cancelar la instalación si falla el comando previo.", - "Abort uninstall if pre-uninstall command fails": "Cancelar la desinstalación si falla el comando previo.", - "Abort update if pre-update command fails": "Cancelar la actualización si falla el comando previo.", - "About": "Acerca de", "About Qt6": "Acerca de Qt6", - "About WingetUI": "Acerca de UniGetUI", "About WingetUI version {0}": "Acerca de UniGetUI versión {0}", "About the dev": "Acerca del desarrollador", - "Accept": "Aceptar", "Action when double-clicking packages, hide successful installations": "Acción al hacer doble clic en los paquetes, ocultar las instalaciones exitosas", - "Add": "Agregar", "Add a source to {0}": "Agregar un origen a {0}", - "Add a timestamp to the backup file names": "Añadir una marca de tiempo a los nombres de los archivos de copia de seguridad", "Add a timestamp to the backup files": "Añadir una marca de tiempo a los archivos de copia de seguridad", "Add packages or open an existing bundle": "Añadir paquetes o abrir un grupo existente", - "Add packages or open an existing package bundle": "Añadir paquetes o abrir un grupo de paquetes existente", - "Add packages to bundle": "Añadir paquetes al conjunto", - "Add packages to start": "Añadir algunos paquetes para empezar", - "Add selection to bundle": "Añadir la selección al grupo", - "Add source": "Añadir origen", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Añadir las actualizaciones que fallen con \"no se encontró una actualización aplicable\" a la lista de actualizaciones ignoradas.", - "Adding source {source}": "Añadiendo fuente {source}", - "Adding source {source} to {manager}": "Agregando origen {source} a {manager}", "Addition succeeded": "Se agregó exitosamente", - "Administrator privileges": "Privilegios de administrador", "Administrator privileges preferences": "Preferencias de privilegios de administrador", "Administrator rights": "Privilegios de administrador", - "Administrator rights and other dangerous settings": "Permisos de administrador y otras configuraciones peligrosas.", - "Advanced options": "Opciones avanzadas", "All files": "Todos los archivos", - "All versions": "Todas las versiones", - "Allow changing the paths for package manager executables": "Permitir cambiar las rutas de los ejecutables del gestor de paquetes.", - "Allow custom command-line arguments": "Admitir argumentos de línea de comandos personalizados", - "Allow importing custom command-line arguments when importing packages from a bundle": "Permitir importar argumentos de línea de comandos personalizados al importar paquetes de un grupo", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permitir importar comandos personalizados antes y después de la instalación al importar paquetes desde un lote.", "Allow package operations to be performed in parallel": "Permitir que las operaciones se ejecuten en paralelo", "Allow parallel installs (NOT RECOMMENDED)": "Permitir instalaciones en paralelo (NO RECOMENDADO)", - "Allow pre-release versions": "Permitir versiones preliminares.", "Allow {pm} operations to be performed in parallel": "Permitir que las operaciones de {pm} se ejecuten en paralelo", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativamente, también puedes instalar {0} ejecutando el siguiente comando en una ventana de comandos de Windows Powershell:", "Always elevate {pm} installations by default": "Elevar siempre las instalaciones de {pm} por defecto", "Always run {pm} operations with administrator rights": "Siempre ejecutar las operaciones de {pm} con privilegios de administrador", - "An error occurred": "Ocurrió un error", - "An error occurred when adding the source: ": "Ocurrió un error al agregar el origen", - "An error occurred when attempting to show the package with Id {0}": "Ocurrió un error al intentar mostrar el paquete con ID {0} ", - "An error occurred when checking for updates: ": "Ocurrió un error al buscar actualizaciones:", - "An error occurred while attempting to create an installation script:": "Ha habido un error mientras se creaba el script de instalación:", - "An error occurred while loading a backup: ": "Ocurrió un error al cargar una copia de seguridad: ", - "An error occurred while logging in: ": "Ocurrió un error al iniciar sesión: ", - "An error occurred while processing this package": "Ocurrió un error mientras se procesaba este paquete", - "An error occurred:": "Ha ocurrido un error:", - "An interal error occurred. Please view the log for further details.": "Se ha producido un error interno. Por favor, consulta el registro para obtener más detalles.", "An unexpected error occurred:": "Ocurrió un error inesperado:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Se ha producido un problema inesperado al intentar reparar WinGet. Por favor, inténtalo de nuevo más tarde", - "An update was found!": "¡Se encontró una actualización!", - "Android Subsystem": "Subsistema de Android", "Another source": "Otro origen", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Cualquier acceso directo nuevo creado durante una instalación o actualización se eliminará automáticamente, en lugar de mostrar un aviso de confirmación la primera vez que se detecte.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Cualquier acceso directo creado o modificado fuera de UniGetUI será ignorado. Podrás añadirlos manualmente usando el botón {0}.", - "Any unsaved changes will be lost": "Cualquier cambió no guardado se perderá", "App Name": "Nombre de la Aplicación", - "Appearance": "Apariencia", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema de la aplicación, página de inicio, iconos en los paquetes, quita las operaciones exitosas automáticamente", - "Application theme:": "Tema de la aplicación:", - "Apply": "Aplicar", - "Architecture to install:": "Arquitectura a instalar:", "Are these screenshots wron or blurry?": "¿Estas capturas de pantalla son incorrectas o borrosas?", - "Are you really sure you want to enable this feature?": "¿Estás seguro de que quieres habilitar esta característica?", - "Are you sure you want to create a new package bundle? ": "¿Estás seguro de que quieres crear un nuevo grupo de paquetes?", - "Are you sure you want to delete all shortcuts?": "¿Estás seguro de que quieres eliminar todos los accesos directos?", - "Are you sure?": "¿Estás seguro?", - "Ascendant": "Ascendente", - "Ask for administrator privileges once for each batch of operations": "Pedir privilegios de administrador una vez por cada lote de operaciones", "Ask for administrator rights when required": "Solicitar privilegios de administrador cuando se requiera", "Ask once or always for administrator rights, elevate installations by default": "Pedir una vez o siempre permiso para ejecutar con privilegios de administrador, elevar las instalaciones por defecto.", - "Ask only once for administrator privileges": "Solicitar privilegios de administrador solo una vez.", "Ask only once for administrator privileges (not recommended)": "Solicitar sólo una vez los privilegios de administrador (no recomendado)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Pregunta para eliminar accesos directos del escritorio creados durante la instalación o actualización", - "Attention required": "Se requiere atención", "Authenticate to the proxy with an user and a password": "Autenticarse en el proxy con un usuario y una contraseña", - "Author": "Autor", - "Automatic desktop shortcut remover": "Eliminador del acceso directo del escritorio automático", - "Automatic updates": "Actualizaciones automáticas", - "Automatically save a list of all your installed packages to easily restore them.": "Salvar automáticamente una lista de todos tus paquetes instalados para fácilmente restaurarlos.", "Automatically save a list of your installed packages on your computer.": "Salvar automáticamente una lista de tus paquetes instalados en tu computador.", - "Automatically update this package": "Actualizar este paquete automáticamente", "Autostart WingetUI in the notifications area": "Iniciar UniGetUI automáticamente en el área de notificaciones", - "Available Updates": "Actualizaciones disponibles", "Available updates: {0}": "Actualizaciones disponibles: {0}", "Available updates: {0}, not finished yet...": "Actualizaciones disponibles: {0}, no ha acabado todavía...", - "Backing up packages to GitHub Gist...": "Haciendo copia de seguridad de paquetes en GitHub Gist...", - "Backup": "Respaldar", - "Backup Failed": "Error en la copia de seguridad.", - "Backup Successful": "Copia de seguridad realizada con éxito.", - "Backup and Restore": "Copia de seguridad y restauración.", "Backup installed packages": "Respaldar paquetes instalados", "Backup location": "Ubicación del respaldo", - "Become a contributor": "Conviértete en contribuidor", - "Become a translator": "Conviértete en traductor", - "Begin the process to select a cloud backup and review which packages to restore": "Inicia el proceso para seleccionar una copia de seguridad en la nube y revisar qué paquetes restaurar.", - "Beta features and other options that shouldn't be touched": "Funciones beta y otras opciones que no deberían tocarse", - "Both": "Ambos", - "Bundle security report": "Informe de seguridad del paquete.", "But here are other things you can do to learn about WingetUI even more:": "Pero aquí hay otras cosas que puedes hacer para aprender aún más de UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Desactivando un administrador de paquetes, no se mostrarán ni sus paquetes ni sus actualizaciones disponibles", "Cache administrator rights and elevate installers by default": "Almacenar privilegios de administrador en caché y elevar instaladores por defecto", "Cache administrator rights, but elevate installers only when required": "Almacenar privilegios de administrador en caché, pero elevar instaladores sólo cuando se requiera", "Cache was reset successfully!": "¡La caché se restableció con éxito!", "Can't {0} {1}": "No es posible {0} {1}", - "Cancel": "Cancelar", "Cancel all operations": "Cancelar todas las operaciones", - "Change backup output directory": "Cambiar carpeta de salida", - "Change default options": "Cambiar opciones predeterminadas.", - "Change how UniGetUI checks and installs available updates for your packages": "Cambia cómo UniGetUI comprueba e instala las actualizaciones de tus paquetes", - "Change how UniGetUI handles install, update and uninstall operations.": "Cambiar cómo UniGetUI maneja las operaciones de instalación, actualización y desinstalación.", "Change how UniGetUI installs packages, and checks and installs available updates": "Cambia cómo UniGetUI instala paquetes y comprueba y instala las actualizaciones disponibles", - "Change how operations request administrator rights": "Cambiar cómo las operaciones solicitan derechos de administrador.", "Change install location": "Cambiar ubicación para la instalación", - "Change this": "Cambiar esto.", - "Change this and unlock": "Cambiar esto y desbloquear.", - "Check for package updates periodically": "Comprobar actualizaciones de paquetes periódicamente", - "Check for updates": "Buscar actualizaciones", - "Check for updates every:": "Buscar actualizaciones cada:", "Check for updates periodically": "Comprobar actualizaciones periódicamente.", "Check for updates regularly, and ask me what to do when updates are found.": "Buscar actualizaciones regularmente y preguntarme qué hacer cuando se encuentren.", "Check for updates regularly, and automatically install available ones.": "Comprobar actualizaciones diariamente, e instalar automáticamente las disponibles.", @@ -159,805 +741,283 @@ "Checking for updates...": "Buscando actualizaciones...", "Checking found instace(s)...": "Comprobando la(s) instancia(s) encontrada(s)...", "Choose how many operations shouls be performed in parallel": "Selecciona cuántas operaciones deben ejecutarse en paralelo", - "Clear cache": "Borrar caché", "Clear finished operations": "Limpiar operaciones finalizadas.", - "Clear selection": "Limpiar la selección", "Clear successful operations": "Quita las operaciones exitosas", - "Clear successful operations from the operation list after a 5 second delay": "Eliminar las operaciones exitosas de la lista de operaciones después de 5 segundos", "Clear the local icon cache": "Borrar el caché de iconos local", - "Clearing Scoop cache - WingetUI": "Limpiando caché de Scoop - UniGetUI", "Clearing Scoop cache...": "Limpiando caché de Scoop...", - "Click here for more details": "Haga click aquí para más detalles", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Haz click en Instalar para iniciar el proceso de instalación. Si te saltas el proceso de instalación, puede que UniGetUI no funcione como se espera", - "Close": "Cerrar", - "Close UniGetUI to the system tray": "Cerrar UniGetUI a la bandeja del sistema", "Close WingetUI to the notification area": "Cerrar UniGetUI al área de notificaciones", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "La copia de seguridad en la nube usa un Gist privado de GitHub para almacenar la lista de paquetes instalados.", - "Cloud package backup": "Copia de seguridad de paquetes en la nube.", "Command-line Output": "Salida de Línea de Comandos", - "Command-line to run:": "Línea de comandos a ejecutar:", "Compare query against": "Comparar consulta contra", - "Compatible with authentication": "Compatible con autenticación", - "Compatible with proxy": "Compatible con proxy", "Component Information": "Información del Componente", - "Concurrency and execution": "Concurrencia y ejecución", - "Connect the internet using a custom proxy": "Conectar a internet usando un proxy personalizado", - "Continue": "Continuar", "Contribute to the icon and screenshot repository": "Contribuir al repositorio de íconos y capturas de pantalla", - "Contributors": "Contribuidores", "Copy": "Copiar", - "Copy to clipboard": "Copiar al portapapeles", - "Could not add source": "No se ha podido añadir la fuente", - "Could not add source {source} to {manager}": "No se pudo agregar el origen {source} a {manager}", - "Could not back up packages to GitHub Gist: ": "No se pudieron guardar los paquetes en GitHub Gist: ", - "Could not create bundle": "No se pudo crear el grupo de paquetes", "Could not load announcements - ": "No se pudieron cargar los anuncios -", "Could not load announcements - HTTP status code is $CODE": "No se pudieron cargar los anuncios - El código de estado de HTTP es $CODE", - "Could not remove source": "No se ha podido eliminar la fuente", - "Could not remove source {source} from {manager}": "No se pudo eliminar el origen {source} de {manager}", "Could not remove {source} from {manager}": "No se pudo eliminar {source} de {manager}", - "Create .ps1 script": "Crear script .ps1", - "Credentials": "Credenciales", "Current Version": "Versión actual", - "Current executable file:": "Ejecutable actual:", - "Current status: Not logged in": "Estado actual: No has iniciado sesión.", "Current user": "Usuario actual", "Custom arguments:": "Argumentos personalizados:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Los argumentos de línea de comandos personalizados puede cambia la forma en que los programas se instalan, actualizan o desinstalan, de una forma que UniGetUI no puede controlar. Usar líneas de comandos personalizadas puede romper paquetes. Procede con precaución.", "Custom command-line arguments:": "Argumentos de línea de comandos personalizados", - "Custom install arguments:": "Argumentos de instalación personalizados:", - "Custom uninstall arguments:": "Argumentos personalizados para desinstalación:", - "Custom update arguments:": "Argumentos personalizados para actualización:", "Customize WingetUI - for hackers and advanced users only": "Personalizar UniGetUI - solo para hackers y usuarios avanzados", - "DEBUG BUILD": "COMPILACIÓN DE DEPURACIÓN", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ADVERTENCIA: NO NOS HACEMOS RESPONSABLES DE LOS PAQUETES DESCARGADOS. POR FAVOR ASEGÚRATE DE INSTALAR SÓLO SOFTWARE CONFIADO.", - "Dark": "Oscuro", - "Decline": "Declinar", - "Default": "Por defecto", - "Default installation options for {0} packages": "Opciones predeterminadas de instalación para {0} paquetes.", "Default preferences - suitable for regular users": "Preferencias por defecto - aptas para usuarios regulares", - "Default vcpkg triplet": "Tripleta predeterminada de vcpkg", - "Delete?": "¿Eliminar?", - "Dependencies:": "Dependencias:", - "Descendant": "Descendente", "Description:": "Descripción:", - "Desktop shortcut created": "Acceso directo de escritorio creado", - "Details of the report:": "Detalles del informe:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Programar es difícil, y esta aplicación es gratuita. Pero si te gustó la aplicación, siempre puedes comprarme un café :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instalar directamente al hacer doble clic en un elemento de la pestaña \"{discoveryTab}\" (en lugar de mostrar la información del paquete)", "Disable new share API (port 7058)": "Desactivar la nueva API de compartición (puerto 7058)", - "Disable the 1-minute timeout for package-related operations": "Desactiva el tiempo de espera de 1-minuto para operaciones de paquete relacionadas", - "Disabled": "Desactivado", - "Disclaimer": "Descargo de responsabilidad", - "Discover Packages": "Descubrir Paquetes", "Discover packages": "Descubrir paquetes", "Distinguish between\nuppercase and lowercase": "Distinguir entre\nmayúsculas y minúsculas", - "Distinguish between uppercase and lowercase": "Distinguir entre mayúsculas y minúsculas", "Do NOT check for updates": "NO buscar actualizaciones", "Do an interactive install for the selected packages": "Realizar una instalación interactiva para los paquetes seleccionados", "Do an interactive uninstall for the selected packages": "Realizar una desinstalación interactiva para los paquetes seleccionados", "Do an interactive update for the selected packages": "Realizar una actualización interactiva para los paquetes seleccionados", - "Do not automatically install updates when the battery saver is on": "No instalar actualizaciones automáticamente cuando está activo el ahorro de batería", - "Do not automatically install updates when the device runs on battery": "No instalar actualizaciones automáticamente mientras el dispositivo no esté enchufado.", - "Do not automatically install updates when the network connection is metered": "No instalar actualizaciones automáticamente cuando se esté en una conexión de red medida", "Do not download new app translations from GitHub automatically": "No descargar nuevas traducciones de la aplicación desde GitHub automáticamente", - "Do not ignore updates for this package anymore": "No ignores actualizaciones de este paquete", "Do not remove successful operations from the list automatically": "No remover operaciones exitosas de la lista automáticamente", - "Do not show this dialog again for {0}": "No volver a mostrar este diálogo para {0}", "Do not update package indexes on launch": "No actualizar los índices de paquetes al iniciar", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Aceptas que UniGetUI recoja y envie estadísticas anónimas de uso, con el único propósito de entender y mejorar la experiencia del usuario?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "¿Encuentras UniGetUI útil? Si puedes, tal vez quieras apoyar mi trabajo, para que pueda seguir haciendo a UniGetUI la interfaz definitiva de administración de paquetes.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "¿UniGetUI te parece útil? ¿Te gustaría apoyar al desarrollador? Si es así, puedes {0}. ¡Se agradece mucho!", - "Do you really want to reset this list? This action cannot be reverted.": "¿Realmente quieres restablecer esta lista? Esta acción no puede revertirse.", - "Do you really want to uninstall the following {0} packages?": "¿Realmente quiere desinstalar los siguientes {0} paquetes?", "Do you really want to uninstall {0} packages?": "¿Realmente quieres desinstalar {0} paquetes?", - "Do you really want to uninstall {0}?": "¿Realmente quieres desinstalar {0}?", "Do you want to restart your computer now?": "¿Quieres reiniciar tu equipo ahora?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "¿Quieres traducir UniGetUI a tu idioma? Mira como contribuir AQUÍ.", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "¿No quieres donar? No te preocupes. Siempre puedes compartir UniGetUI con tus amigos. Corre la voz acerca de UniGetUI.", "Donate": "Donar", - "Done!": "¡Hecho!", - "Download failed": "La descarga ha fallado", - "Download installer": "Descargar instalador", - "Download operations are not affected by this setting": "Las operaciones de descarga no se ven afectadas por esta configuración.", - "Download selected installers": "Descargar instaladores seleccionados.", - "Download succeeded": "Descarga exitosa", "Download updated language files from GitHub automatically": "Descargar archivos de idioma actualizados de GitHub automáticamente", - "Downloading": "Descargando", - "Downloading backup...": "Descargando copia de seguridad...", - "Downloading installer for {package}": "Descargando el instalador para {package}", - "Downloading package metadata...": "Descargando metadatos del paquete...", - "Enable Scoop cleanup on launch": "Habilitar la limpieza de Scoop al iniciar", - "Enable WingetUI notifications": "Activar las notificaciones de UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Habilitar una versión [experimental] mejorada del solucionador de problemas de WinGet", - "Enable and disable package managers, change default install options, etc.": "Habilitar y deshabilitar gestores de paquetes, cambiar opciones de instalación predeterminadas, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activar las optimizaciones de CPU en fondo (ver Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Habilitar API en segundo plano (Widgets de UniGetUI y Compartir, puerto 7058)", - "Enable it to install packages from {pm}.": "Habilítelo para instalar paquetes de {pm}.", - "Enable the automatic WinGet troubleshooter": "Activar el solucionador de problemas automático de WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Activar el nuevo elevador UAC marca UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Activar el nuevo manejador de entrada de procesos (cierre automático de StdIn).", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activa las siguientes opciones solo si comprendes completamente lo que hacen y sus implicaciones.", - "Enable {pm}": "Habilitar {pm}", - "Enabled": "Habilitado", - "Enter proxy URL here": "Entre la URL del proxy aquí", - "Entries that show in RED will be IMPORTED.": "Las entradas en ROJO serán IMPORTADAS.", - "Entries that show in YELLOW will be IGNORED.": "Las entradas en AMARILLO serán IGNORADAS.", - "Error": "Error", - "Everything is up to date": "Todo está actualizado", - "Exact match": "Coincidencia exacta", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Los accesos directos existentes de tu escritorio serán analizados, y necesitarás elegir cuáles mantener y cuáles eliminar.", - "Expand version": "Expandir versión", - "Experimental settings and developer options": "Configuraciones y opciones de desarrollador experimentales", - "Export": "Exportar", + "Downloading": "Descargando", + "Downloading installer for {package}": "Descargando el instalador para {package}", + "Downloading package metadata...": "Descargando metadatos del paquete...", + "Enable the new UniGetUI-Branded UAC Elevator": "Activar el nuevo elevador UAC marca UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Activar el nuevo manejador de entrada de procesos (cierre automático de StdIn).", "Export log as a file": "Exportar el registro como un archivo", "Export packages": "Exportar paquetes", "Export selected packages to a file": "Exportar los paquetes seleccionados a un archivo", - "Export settings to a local file": "Exportar la configuración a un archivo local", - "Export to a file": "Exportar a un archivo", - "Failed": "Fallido.", - "Fetching available backups...": "Buscando copias de seguridad disponibles...", "Fetching latest announcements, please wait...": "Obteniendo los últimos anuncios. Por favor espere...", - "Filters": "Filtros", "Finish": "Finalizar", - "Follow system color scheme": "Seguir el esquema de colores del sistema", - "Follow the default options when installing, upgrading or uninstalling this package": "Seguir las opciones predeterminadas al instalar, actualizar o desinstalar este paquete.", - "For security reasons, changing the executable file is disabled by default": "Por motivos de seguridad, cambiar el ejecutable está deshabilitado por defecto.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Por seguridad, los argumentos personalizados en la línea de comandos están desactivados. Ve a la configuración de seguridad de UniGetUI para cambiarlo. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Por seguridad, los scripts previos y posteriores a las operaciones están desactivados. Ve a la configuración de seguridad de UniGetUI para activarlos. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Utilizar la versión winget compilada para ARM (SOLO PARA SISTEMAS ARM64)", - "Force install location parameter when updating packages with custom locations": "Forzar el parámetro de ubicación de instalación al actualizar paquetes con ubicaciones personalizadas", "Formerly known as WingetUI": "Antes conocido como WingetUI", "Found": "Encontrado", "Found packages: ": "Paquetes encontrados:", "Found packages: {0}": "Paquetes encontrados: {0}", "Found packages: {0}, not finished yet...": "Paquetes encontrados: {0}. No se ha terminado aún...", - "General preferences": "Preferencias generales", "GitHub profile": "Perfil de GitHub", "Global": "Global", - "Go to UniGetUI security settings": "Ir a la configuración de seguridad de UniGetUI.", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Gran repositorio lleno de utilidades desconocidas pero útiles y otros paquetes interesantes.
Contiene: Utilidades, Programas de línea de comandos, Software general (se requiere el bucket de extras)", - "Great! You are on the latest version.": "¡Perfecto! Estás en la ultima versión.", - "Grid": "Grilla", - "Help": "Ayuda", "Help and documentation": "Ayuda y documentación", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aquí puedes cambiar cómo UniGetUI se comporta respecto a los siguientes accesos directos. Si marcas uno, UniGetUI lo eliminará si se crea en una futura actualización. Si lo desmarcas, se mantendrá intacto", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hola, mi nombre es Martí y soy el desarrollador de UniGetUI. ¡WingetUI fue hecho enteramente en mi tiempo libre!", "Hide details": "Ocultar detalles", - "Homepage": "Sitio web", - "Hooray! No updates were found.": "¡Hurra! ¡No se han encontrado actualizaciones!", "How should installations that require administrator privileges be treated?": "¿Cómo deberían tratarse las instalaciones que requieren privilegios de administrador?", - "How to add packages to a bundle": "Cómo agregar paquetes a un grupo", - "I understand": "Entiendo", - "Icons": "Íconos", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Si tienes activada la copia en la nube, se guardará como un Gist de GitHub en esta cuenta.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permitir que se ejecuten comandos personalizados de pre-instalación y post-instalación", - "Ignore future updates for this package": "Ignorar futuras actualizaciones de este paquete", - "Ignore packages from {pm} when showing a notification about updates": "Ignorar los paquetes de {pm} al mostrar una notificación sobre actualizaciones", - "Ignore selected packages": "Ignorar los paquetes seleccionados", - "Ignore special characters": "Ignorar caracteres especiales", "Ignore updates for the selected packages": "Ignorar actualizaciones para los paquetes seleccionados", - "Ignore updates for this package": "Ignorar actualizaciones para este paquete", "Ignored updates": "Actualizaciones ignoradas", - "Ignored version": "Versión Ignorada", - "Import": "Importar", "Import packages": "Importar paquetes", "Import packages from a file": "Importar paquetes desde un archivo", - "Import settings from a local file": "Importar la configuración desde un archivo local", - "In order to add packages to a bundle, you will need to: ": "Para agregar paquetes a este grupo, necesitarás:", "Initializing WingetUI...": "Inicializando UniGetUI...", - "Install": "Instalar", - "Install Scoop": "Instalar Scoop", "Install and more": "Instalar y más.", "Install and update preferences": "Preferencias de instalación y actualización", - "Install as administrator": "Instalar como administrador", - "Install available updates automatically": "Instala las actualizaciones disponibles automáticamente", - "Install location can't be changed for {0} packages": "No se puede cambiar la ubicación de instalación para {0} paquetes.", - "Install location:": "Ubicación de instalación:", - "Install options": "Opciones de instalación.", "Install packages from a file": "Instalar paquetes desde un archivo", - "Install prerelease versions of UniGetUI": "Instalar versiones prerelease de UniGetUI", - "Install script": "Script de instalación", "Install selected packages": "Instalar los paquetes seleccionados", "Install selected packages with administrator privileges": "Instalar los paquetes seleccionados con privilegios de administrador", - "Install selection": "Instalar selección", "Install the latest prerelease version": "Instalar la última versión preliminar", "Install updates automatically": "Instalar actualizaciones automáticamente", - "Install {0}": "Instalar {0}", "Installation canceled by the user!": "¡Instalación cancelada por el usuario!", - "Installation failed": "La instalación falló", - "Installation options": "Opciones de instalación", - "Installation scope:": "Entorno de instalación:", - "Installation succeeded": "Instalación exitosa", - "Installed Packages": "Paquetes Instalados", - "Installed Version": "Versión Instalada", "Installed packages": "Paquetes instalados", - "Installer SHA256": "SHA256 del instalador", - "Installer SHA512": "SHA512 del instalador", - "Installer Type": "Tipo de instalador", - "Installer URL": "URL del instalador", - "Installer not available": "Instalador no disponible", "Instance {0} responded, quitting...": "La instancia {0} ha respondido, saliendo...", - "Instant search": "Búsqueda instantánea", - "Integrity checks can be disabled from the Experimental Settings": "Los chequeos de integridad se pueden deshabilitar desde las Configuraciones Experimentals.", - "Integrity checks skipped": "Comprobaciones de integridad omitidas", - "Integrity checks will not be performed during this operation": "No se hará ningún tipo de comprovación de integridad durante esta operación", - "Interactive installation": "Instalación interactiva", - "Interactive operation": "Operación interactiva", - "Interactive uninstall": "Desinstalación interactiva", - "Interactive update": "Actualización interactiva", - "Internet connection settings": "Configuración de conexión a Internet", - "Invalid selection": "Selección no válida", "Is this package missing the icon?": "¿A este paquete le falta el ícono?", - "Is your language missing or incomplete?": "¿Falta tu idioma o está incompleto?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "No se garantiza que las credenciales provistas se almacenen seguramente, por lo que tal vez prefiera no usar las credenciales de su cuenta bancaria", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Se recomienda reiniciar UniGetUI después de que WinGet haya sido reparado", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Se recomienda encarecidamente reinstalar UniGetUI para solucionar la situación.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Parece que WinGet no está funcionando correctamente. ¿Quieres intentar reparar WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Parece que has ejecutado UniGetUI como administrador, lo cual no es recomendado. Puedes seguir usando el programa, pero recomendamos fuertemente no ejecutar UniGetUI como administrador. Haz click en \"{showDetails}\" para ver el porqué.", - "Language": "Idioma", - "Language, theme and other miscellaneous preferences": "Idioma, tema y otras preferencias varias", - "Last updated:": "Actualizado por última vez:", - "Latest": "Última", "Latest Version": "Última Versión", "Latest Version:": "Última Versión:", "Latest details...": "Últimos detalles...", "Launching subprocess...": "Iniciando subproceso...", - "Leave empty for default": "Dejar vacío por defecto", - "License": "Licencia", "Licenses": "Licencias", - "Light": "Claro", - "List": "Lista", "Live command-line output": "Salida de línea de comandos en tiempo real", - "Live output": "Salida en tiempo real", "Loading UI components...": "Cargando componentes de la interfaz...", "Loading WingetUI...": "Cargando UniGetUI...", - "Loading packages": "Cargando paquetes", - "Loading packages, please wait...": "Cargando paquetes. Por favor espere...", - "Loading...": "Cargando...", - "Local": "Local", - "Local PC": "PC Local", - "Local backup advanced options": "Opciones avanzadas de copia de seguridad local.", "Local machine": "Equipo local", - "Local package backup": "Copia de seguridad de paquetes local.", "Locating {pm}...": "Buscando {pm}...", - "Log in": "Iniciar sesión.", - "Log in failed: ": "Error al iniciar sesión: ", - "Log in to enable cloud backup": "Inicia sesión para habilitar la copia de seguridad en la nube.", - "Log in with GitHub": "Inicia sesión con GitHub.", - "Log in with GitHub to enable cloud package backup.": "Inicia sesión con GitHub para habilitar la copia de seguridad de paquetes en la nube.", - "Log level:": "Nivel del registro:", - "Log out": "Cerrar sesión.", - "Log out failed: ": "Error al cerrar sesión: ", - "Log out from GitHub": "Cerrar sesión de GitHub.", "Looking for packages...": "Buscando paquetes...", "Machine | Global": "Máquina | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentos de línea de comandos malformados pueden romper paquetes, o incluso permitir que un actor malicioso obtenga ejecución privilegiada. Por tanto, importar líneas de comandos personalizadas está deshabilitado por defecto.", - "Manage": "Administrar", - "Manage UniGetUI settings": "Administrar la configuración de UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Administrar el comportamiento de inicio automático de UniGetUI desde la aplicación de Configuración", "Manage ignored packages": "Administrar paquetes ignorados", - "Manage ignored updates": "Administrar actualizaciones ignoradas", - "Manage shortcuts": "Gestionar atajos", - "Manage telemetry settings": "Administrar las preferencias de la telemetria", - "Manage {0} sources": "Administrar orígenes de {0}", - "Manifest": "Manifiesto", "Manifests": "Manifiestos", - "Manual scan": "Escaneo manual", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Administrador de paquetes oficial de Microsoft. Lleno de paquetes conocidos y verificados
Contiene: Software en general, aplicaciones de Microsoft Store", - "Missing dependency": "Falta una dependencia", - "More": "Más", - "More details": "Más detalles", - "More details about the shared data and how it will be processed": "Más detalles sobre qué datos se comparten y sobre cómo se procesa la información compartida", - "More info": "Más información", - "More than 1 package was selected": "Se seleccionó más de 1 paquete", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: Este solucionador de problemas puede ser desactivado desde los ajustes de UniGetUI, en la sección de WinGet", - "Name": "Nombre", - "New": "Nuevo.", "New Version": "Versión Nueva", "New bundle": "Nuevo grupo", - "New version": "Nueva versión", - "Nice! Backups will be uploaded to a private gist on your account": "¡Genial! Las copias de seguridad se subirán como un Gist privado en tu cuenta.", - "No": "No", - "No applicable installer was found for the package {0}": "No se ha encontrado ningún instalador para el paquete {0}", - "No dependencies specified": "No se especificaron dependencias.", - "No new shortcuts were found during the scan.": "No se han encontrado nuevos atajos durante el escaneo.", - "No package was selected": "No se seleccionó ningún paquete", "No packages found": "No se han encontrado paquetes", "No packages found matching the input criteria": "No se han encontrado paquetes con los criterios ingresados", "No packages have been added yet": "No se han agregado paquetes", "No packages selected": "No hay paquetes seleccionados", - "No packages were found": "No se encontraron paquetes", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "No se recogen datos personales, y los datos enviados están anonimizados, de forma que no se pueden relacionar con ud.", - "No results were found matching the input criteria": "No se encontraron resultados para el criterio ingresado", "No sources found": "No se encontraron orígenes", "No sources were found": "No se encontraron orígenes", "No updates are available": "No hay actualizaciones disponibles", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Administrador de paquetes de Node JS. Lleno de bibliotecas y otras utilidades del mundo de Javascript
Contiene: Bibliotecas de Javascript de Node y otras utilidades relacionadas", - "Not available": "No disponible", - "Not finding the file you are looking for? Make sure it has been added to path.": "¿No encuentras el archivo? Asegúrate de que esté en la variable PATH.", - "Not found": "No encontrado", - "Not right now": "Ahora no", "Notes:": "Notas:", - "Notification preferences": "Preferencias de las notificaciones", "Notification tray options": "Opciones de la bandeja de notificaciones", - "Notification types": "Tipos de notificación", - "NuPkg (zipped manifest)": "NuPkg (manifiesto comprimido con zip)", - "OK": "Aceptar", "Ok": "Aceptar", - "Open": "Abrir", "Open GitHub": "Abrir GitHub", - "Open UniGetUI": "Abrir UniGetUI", - "Open UniGetUI security settings": "Abrir configuración de seguridad de UniGetUI.", "Open WingetUI": "Abrir UniGetUI", "Open backup location": "Abrir ubicación de respaldo", "Open existing bundle": "Abrir grupo existente", - "Open install location": "Abrir directorio de instalación", "Open the welcome wizard": "Abrir el asistente de bienvenida", - "Operation canceled by user": "Operación cancelada por el usuario", "Operation cancelled": "Operación cancelada", - "Operation history": "Historial de operaciones", - "Operation in progress": "Operación en curso", - "Operation on queue (position {0})...": "Operación en cola (posición {0})...", - "Operation profile:": "Perfil de operación:", "Options saved": "Opciones guardadas", - "Order by:": "Ordenar por:", - "Other": "Otro", - "Other settings": "Otras configuraciones", - "Package": "Paquete", - "Package Bundles": "Grupos de Paquetes", - "Package ID": "ID de Paquete", "Package Manager": "Administrador de Paquetes", - "Package Manager logs": "Registros del administrador de paquetes", - "Package Managers": "Admin. de Paquetes", - "Package Name": "Nombre de Paquete", - "Package backup": "Respaldo de paquete", - "Package backup settings": "Configuración de copia de seguridad del paquete.", - "Package bundle": "Grupo de paquetes", - "Package details": "Detalles del paquete", - "Package lists": "Listas de paquetes", - "Package management made easy": "Administración de paquetes hecha fácil", - "Package manager": "Administrador de paquetes", - "Package manager preferences": "Preferencias de los gestores de paquetes", "Package managers": "Admin. de paquetes", - "Package not found": "Paquete no encontrado", - "Package operation preferences": "Preferencias de operaciones de paquetes", - "Package update preferences": "Preferencias de actualización de paquetes", "Package {name} from {manager}": "Paquete {name} de {manager} ", - "Package's default": "Predeterminado del paquete.", "Packages": "Paquetes", "Packages found: {0}": "Paquetes encontrados: {0}", - "Partially": "Parcialmente", - "Password": "Contraseña", "Paste a valid URL to the database": "Pegue una URL válida de la base de datos", - "Pause updates for": "Pausar actualizaciones por", "Perform a backup now": "Hacer una copia de seguridad ahora", - "Perform a cloud backup now": "Realizar copia de seguridad en la nube ahora.", - "Perform a local backup now": "Realizar copia de seguridad local ahora.", - "Perform integrity checks at startup": "Llevar a cabo chequeos de integridad al inicio", - "Performing backup, please wait...": "Haciendo copia de seguridad. Por favor espere...", "Periodically perform a backup of the installed packages": "Hacer periódicamente una copia de seguridad de los paquetes instalados", - "Periodically perform a cloud backup of the installed packages": "Realizar periódicamente copia de seguridad en la nube de los paquetes instalados.", - "Periodically perform a local backup of the installed packages": "Realizar periódicamente copia de seguridad local de los paquetes instalados.", - "Please check the installation options for this package and try again": "Por favor, verifique las opciones de instalación de este paquete e inténtelo de nuevo", - "Please click on \"Continue\" to continue": "Seleccione \"Continuar\" para continuar", "Please enter at least 3 characters": "Por favor ingrese al menos 3 caracteres", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Por favor ten en cuenta que algunos paquetes pueden no ser instalables, debido a los administradores de paquetes habilitados en este sistema.", - "Please note that not all package managers may fully support this feature": "Por favor note que no todos los administradores de paquetes soportan esta característica", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Por favor ten en cuenta que los paquetes de determinadas fuentes pueden no ser exportables. Se han marcado en gris y no se exportarán.", - "Please run UniGetUI as a regular user and try again.": "Por favor, ejecuta UniGetUI como un usuario normal e inténtelo de nuevo", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Por favor vea la Salida de Línea de Comandos o diríjase a la Historia de Operaciones para más información sobre el problema.", "Please select how you want to configure WingetUI": "Por favor selecciona como quieres configurar UniGetUI", - "Please try again later": "Por favor, inténtelo de nuevo después", "Please type at least two characters": "Por favor escribe al menos dos caracteres", - "Please wait": "Por favor espere", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Por favor, espera mientras {0} se instala. Puede que se abra una ventana negra. Por favor, espera hasta que se cierre.", - "Please wait...": "Por favor espere...", "Portable": "Portátil", - "Portable mode": "Modo portátil", - "Post-install command:": "Comando posterior a la instalación:", - "Post-uninstall command:": "Comando posterior a la desinstalación:", - "Post-update command:": "Comando posterior a la actualización:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "El administrador de paquetes de PowerShell. Encuentre librerías y scripts para expandir las capacidades de PowerShell
Contiene: Módulos, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Los comandos pre y post instalación puede hacer cosas muy feas a tu dispositivo, si se las diseña para eso. Puede ser muy peligroso importar los comandos de un grupo, a menos que confíe en el origen de ese grupo de paquetes.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Los comandos pre y post instalación se ejecutarán antes y después de que un paquete se instale, actualice o desinstale. Tenga presente que pueden romper cosas a menos que se los use con cuidado", - "Pre-install command:": "Comando previo a la instalación:", - "Pre-uninstall command:": "Comando previo a la desinstalación:", - "Pre-update command:": "Comando previo a la actualización:", - "PreRelease": "PreLanzamiento", - "Preparing packages, please wait...": "Preparando paquetes. Por favor espere...", - "Proceed at your own risk.": "Proceda bajo su responsabilidad", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prohibir cualquier tipo de elevación mediante UniGetUI Elevator o GSudo.", - "Proxy URL": "URL del proxy", - "Proxy compatibility table": "Tabla de compatibilidad de proxy", - "Proxy settings": "Configuración de proxy", - "Proxy settings, etc.": "Configuración de proxy, etc.", "Publication date:": "Fecha de publicación:", - "Publisher": "Publicador", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Administrador de librerías de Python. Lleno de bibliotecas python y otras utilidades relacionadas con python.
Contiene: Librerías python y utilidades relacionadas", - "Quit": "Salir", "Quit WingetUI": "Salir de UniGetUI", - "Ready": "Preparado", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reducir avisos de UAC, elevar instalaciones por defecto, desbloquear funciones peligrosas, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Refiérase a los Registros de UniGetUI para tener más detalles acerca de el/los archivos afectado(s)", - "Reinstall": "Reinstalar", - "Reinstall package": "Reinstalar paquete", - "Related settings": "Configuraciones relacionadas", - "Release notes": "Notas de liberación", - "Release notes URL": "URL de notas de lanzamiento", "Release notes URL:": "URL de las notas de publicación:", "Release notes:": "Notas de publicación:", "Reload": "Recargar", - "Reload log": "Recargar el registro", "Removal failed": "Falló la eliminación", "Removal succeeded": "Eliminación exitosa", - "Remove from list": "Eliminar de la lista", "Remove permanent data": "Elimina datos permanentes", - "Remove selection from bundle": "Eliminar selección de grupo", "Remove successful installs/uninstalls/updates from the installation list": "Quitar las instalaciones/desinstalaciones/actualizaciones exitosas de la lista de instalaciones", - "Removing source {source}": "Eliminando la fuente {source}", - "Removing source {source} from {manager}": "Eliminando origen {source} from {manager}", - "Repair UniGetUI": "Reparar UniGetUI", - "Repair WinGet": "Reparar WinGet", - "Report an issue or submit a feature request": "Reportar un problema o enviar una solicitud de característica", "Repository": "Repositorio", - "Reset": "Restablecer", "Reset Scoop's global app cache": "Restablecer la caché global de aplicaciones de Scoop", - "Reset UniGetUI": "Reiniciar UniGetUI", - "Reset WinGet": "Restablecer WinGet", "Reset Winget sources (might help if no packages are listed)": "Restablecer los orígenes de WinGet (puede ayudar si no se muestran paquetes)", - "Reset WingetUI": "Restablecer UniGetUI", "Reset WingetUI and its preferences": "Restablecer UniGetUI y sus preferencias", "Reset WingetUI icon and screenshot cache": "Restablecer la caché de los íconos y capturas de pantalla de UniGetUI", - "Reset list": "Reiniciar lista", "Resetting Winget sources - WingetUI": "Restableciendo los orígenes de WinGet - UniGetUI", - "Restart": "Reiniciar", - "Restart UniGetUI": "Reiniciar UniGetUI", - "Restart WingetUI": "Reiniciar UniGetUI", - "Restart WingetUI to fully apply changes": "Reiniciar UniGetUI para aplicar completamente los cambios", - "Restart later": "Reiniciar más tarde", "Restart now": "Reiniciar ahora", - "Restart required": "Se requiere un reinicio", - "Restart your PC to finish installation": "Reinicia tu PC para finalizar la instalación", - "Restart your computer to finish the installation": "Reinicia tu equipo para finalizar la instalación", - "Restore a backup from the cloud": "Restaurar copia de seguridad desde la nube.", - "Restrictions on package managers": "Restricciones sobre los gestores de paquetes.", - "Restrictions on package operations": "Restricciones sobre operaciones de paquetes.", - "Restrictions when importing package bundles": "Restricciones al importar paquetes agrupados.", - "Retry": "Reintentar", - "Retry as administrator": "Reintentar como administrador", - "Retry failed operations": "Reintentar las operaciones fallidas", - "Retry interactively": "Reintentar de forma interactiva", - "Retry skipping integrity checks": "Reintentar omitiendo los chequeos de integridad", - "Retrying, please wait...": "Reintentando. Por favor espere...", - "Return to top": "Volver arriba", - "Run": "Ejecutar", - "Run as admin": "Ejecutar como admin", - "Run cleanup and clear cache": "Ejecutar limpieza y limpiar caché", - "Run last": "Ejecutar la última", - "Run next": "Ejecutar la siguiente", - "Run now": "Ejecutar ahora", + "Restart your PC to finish installation": "Reinicia tu PC para finalizar la instalación", + "Restart your computer to finish the installation": "Reinicia tu equipo para finalizar la instalación", + "Retry failed operations": "Reintentar las operaciones fallidas", + "Retrying, please wait...": "Reintentando. Por favor espere...", + "Return to top": "Volver arriba", "Running the installer...": "Corriendo el instalador...", "Running the uninstaller...": "Corriendo el desinstalador...", "Running the updater...": "Corriendo el instalador de actualización...", - "Save": "Guardar", "Save File": "Guardar Archivo", - "Save and close": "Salvar y salir", - "Save as": "Guardar como", "Save bundle as": "Guardar grupo como", "Save now": "Guardar ahora", - "Saving packages, please wait...": "Salvando los paquetes. Por favor espere...", - "Scoop Installer - WingetUI": "Instalador de Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Desinstalador de Scoop - UniGetUI", - "Scoop package": "Paquete de Scoop", "Search": "Buscar", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Buscar aplicaciones, avisarme de actualizaciones cuando estén disponibles y no hacer cosas de nerds. No quiero que UniGetUI me complique demasiado, sólo quiero una simple tienda de aplicaciones", - "Search for packages": "Buscar paquetes", - "Search for packages to start": "Busque paquetes para empezar", - "Search mode": "Modo de búsqueda", "Search on available updates": "Buscar en las actualizaciones encontradas", "Search on your software": "Buscar en tus programas", "Searching for installed packages...": "Buscando paquetes instalados...", "Searching for packages...": "Buscando paquetes...", "Searching for updates...": "Buscando actualizaciones...", - "Select": "Seleccionar", "Select \"{item}\" to add your custom bucket": "Seleccione \"{item}\" para añadir tu bucket personalizado", "Select a folder": "Seleccionar una carpeta", - "Select all": "Seleccionar todo", "Select all packages": "Seleccionar todos los paquetes", - "Select backup": "Seleccionar copia de seguridad.", "Select only if you know what you are doing.": "Seleccionar sólo si sabes lo que estás haciendo.", "Select package file": "Selecciona el archivo de paquetes", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selecciona la copia de seguridad que quieres abrir. Luego podrás revisar qué paquetes instalar.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selecciona el ejecutable a usar. La siguiente lista muestra los ejecutables que UniGetUI ha encontrado en el sistema.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selecciona los procesos que deben cerrarse antes de instalar, actualizar o desinstalar este paquete.", - "Select the source you want to add:": "Seleccione el origen que desea agregar:", - "Select upgradable packages by default": "Seleccione los paquetes actualizables por defecto", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Selecciona qué gestores de paquetes usar ({0}), configura cómo se instalan los paquetes, gestiona cómo se manejan los privilegios de administrador, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Se ha enviado el handshake. Esperando respuesta de la instancia... ({0}%)", - "Set a custom backup file name": "Establecer un nombre personalizado para el archivo de respaldo", "Set custom backup file name": "Establecer nombre personalizado para el respaldo", - "Settings": "Configuración", - "Share": "Compartir", "Share WingetUI": "Compartir UniGetUI", - "Share anonymous usage data": "Compartir datos de uso anónimos", - "Share this package": "Compartir este paquete", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Si modificas la configuración de seguridad, deberás abrir el paquete de nuevo para aplicar los cambios.", "Show UniGetUI on the system tray": "Mostrar UniGetUI en la bandeja del sistema", - "Show UniGetUI's version and build number on the titlebar.": "Mostrar la versión de UniGetUI en la barra de título", - "Show WingetUI": "Mostrar UniGetUI", "Show a notification when an installation fails": "Mostrar una notificación cuando una instalación falle", "Show a notification when an installation finishes successfully": "Mostrar una notificación cuando una instalación se complete exitosamente", - "Show a notification when an operation fails": "Mostrar una notificación cuando una operación falla", - "Show a notification when an operation finishes successfully": "Mostrar una notificación cuando una operación se completa exitosamente", - "Show a notification when there are available updates": "Mostrar una notificación cuando haya actualizaciones disponibles", - "Show a silent notification when an operation is running": "Mostrar una notificación silenciosa cuando una operación está en ejecución", "Show details": "Mostrar detalles", - "Show in explorer": "Mostrar en el explorador", "Show info about the package on the Updates tab": "Mostrar información del paquete en la pestaña de Actualizaciones", "Show missing translation strings": "Mostrar cadenas de traducción faltantes", - "Show notifications on different events": "Muestra notificaciones en diferentes situaciones", "Show package details": "Mostrar detalles del paquete", - "Show package icons on package lists": "Mostrar iconos de paquete en las listas de paquete", - "Show similar packages": "Mostrar paquetes similares", "Show the live output": "Muestra la salida en tiempo real", - "Size": "Tamaño", "Skip": "Saltar", - "Skip hash check": "Omitir comprobación de hash", - "Skip hash checks": "Saltar las verificaciones de hash", - "Skip integrity checks": "Saltear chequeos de integridad", - "Skip minor updates for this package": "Saltarse las actualizaciones menores para este paquete", "Skip the hash check when installing the selected packages": "Omitir la comprobación del hash al instalar los paquetes seleccionados", "Skip the hash check when updating the selected packages": "Omitir la comprobación del hash al actualizar los paquetes seleccionados", - "Skip this version": "Omitir esta versión", - "Software Updates": "Actualizaciones de Software", - "Something went wrong": "Algo salió mal", - "Something went wrong while launching the updater.": "Algo salió mal mientras se iniciaba el actualizador.", - "Source": "Origen", - "Source URL:": "URL de Fuente:", - "Source added successfully": "Fuente añadida exitosamente", "Source addition failed": "Error al agregar la fuente", - "Source name:": "Nombre de la fuente:", "Source removal failed": "Error al eliminar la fuente", - "Source removed successfully": "Fuente eliminada exitosamente", "Source:": "Origen:", - "Sources": "Orígenes", "Start": "Comenzar", "Starting daemons...": "Iniciando daemons...", - "Starting operation...": "Empezando operación...", "Startup options": "Opciones de inicio", "Status": "Estado", "Stuck here? Skip initialization": "¿Atascado aquí? Saltar la inicialización", - "Success!": "Éxito!", "Suport the developer": "Apoyar al desarrollador", "Support me": "Apóyame", "Support the developer": "Apoya al desarrollador", "Systems are now ready to go!": "¡Los sistemas están ahora listos para empezar!", - "Telemetry": "Telemetría", - "Text": "Texto", "Text file": "Archivo de texto", - "Thank you ❤": "Gracias ❤️", - "Thank you \uD83D\uDE09": "Gracias \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "El administrador de paquetes de Rust.
Contiene: Librerías de Rust y programas escritos en Rust", - "The backup will NOT include any binary file nor any program's saved data.": "El respaldo NO incluirá ningún archivo binario ni los datos guardados de ningún programa.", - "The backup will be performed after login.": "El respaldo se llevará a cabo después de iniciar sesión.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "El respaldo incluirá la lista completa de los paquetes instalados y sus opciones de instalación. Las actualizaciones ignoradas y salteadas también se salvarán.", - "The bundle was created successfully on {0}": "La colección se ha guardado en {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "El grupo de paquetes que intentas cargar parece ser inválido. Por favor, comprueba el archivo e inténtalo de nuevo.", + "Thank you 😉": "Gracias 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "El hash del instalador no coincide con el valor esperado, por lo que no se puede garantizar la autenticidad del instalador. Si realmente confías en el publicador, {0} el paquete otra vez, omitiendo la comprobación del hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "El gestor de paquetes clásico para Windows. Encontrarás de todo ahí.
Contiene: Software general", - "The cloud backup completed successfully.": "La copia de seguridad en la nube se completó correctamente.", - "The cloud backup has been loaded successfully.": "La copia de seguridad en la nube se ha cargado correctamente.", - "The current bundle has no packages. Add some packages to get started": "El grupo actual no contiene paquetes. Añade algunos para comenzar", - "The executable file for {0} was not found": "No se encontró el archivo ejecutable para {0}", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Las siguientes opciones se aplicarán por defecto cada vez que se instale, actualice o desinstale un paquete {0}.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Los siguientes paquetes van a ser exportados a un archivo JSON. No se guardarán datos de usuario ni binarios.", "The following packages are going to be installed on your system.": "Los siguientes paquetes van a ser instalados en tu sistema.", - "The following settings may pose a security risk, hence they are disabled by default.": "Las siguientes configuraciones pueden suponer un riesgo de seguridad, por lo que están desactivadas por defecto.", - "The following settings will be applied each time this package is installed, updated or removed.": "Las siguientes configuraciones se aplicarán cada vez que este paquete sea instalado, actualizado o removido.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Lsa siguientes configuraciones se aplicarán cada vez que este paquete se instale, actualice o elimine. Serán salvadas automáticamente.", "The icons and screenshots are maintained by users like you!": "¡Los íconos y las capturas de pantalla son mantenidos por usuarios como tú!", - "The installation script saved to {0}": "El script de instalación se ha guardado en {0}", - "The installer authenticity could not be verified.": "La autenticidad del instalador no se ha podido verificar", "The installer has an invalid checksum": "El instalador tiene un hash inválido", "The installer hash does not match the expected value.": "El hash del instalador no coincide con el valor esperado.", - "The local icon cache currently takes {0} MB": "El caché de iconos local ocupa {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "El objetivo principal de este proyecto es proveer al usuario de una forma rápida de administrar los instaladores de paquetes de línea de comandos para Windows, como Winget o Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "No se encontró el paquete \"{0}\" en el administrador de paquetes \"{1}\"", - "The package bundle could not be created due to an error.": "El grupo de paquetes no se pudo crear debido a error.", - "The package bundle is not valid": "El grupo de paquetes no es válido", - "The package manager \"{0}\" is disabled": "El administrador de paquetes \"{0}\" está desactivado", - "The package manager \"{0}\" was not found": "No se encontró el administrador de paquetes \"{0}\"", "The package {0} from {1} was not found.": "El paquete {0} de {1} no se encontró.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Los paquetes listados aquí no se tendrán en cuenta cuando se compruebe si hay actualizaciones disponibles. Haga doble click en ellos o pulse el botón a su derecha para dejar de ignorar sus actualizaciones.", "The selected packages have been blacklisted": "Los paquetes seleccionados se han excluido", - "The settings will list, in their descriptions, the potential security issues they may have.": "Las configuraciones indicarán, en su descripción, los posibles riesgos de seguridad que puedan tener.", - "The size of the backup is estimated to be less than 1MB.": "El tamaño de este respaldo está estimado en menos de 1 MB.", - "The source {source} was added to {manager} successfully": "El origen {source} se agregó a {manager} exitosamente.", - "The source {source} was removed from {manager} successfully": "El origen {source} fue eliminado de {manager} exitosamente.", - "The system tray icon must be enabled in order for notifications to work": "El ícono de la bandeja de sistema debe estar habilitado para que funcionen las notificaciones", - "The update process has been aborted.": "El proceso de actualización ha sido abortado.", - "The update process will start after closing UniGetUI": "El proceso de actualización comenzará cuando se cierre UniGetUI", "The update will be installed upon closing WingetUI": "La actualización se instalará al cerrar UniGetUI.", "The update will not continue.": "La actualización no continuará.", "The user has canceled {0}, that was a requirement for {1} to be run": "El usuario ha cancelado la {0}, que era un requerimiento para la ejecución de la {1}", - "There are no new UniGetUI versions to be installed": "No hay nuevas versiones de UniGetUI para instalar", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Hay operaciones en curso. Salir de UniGetUI puede causar que fallen. ¿Quiere continuar?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Hay algunos videos geniales en YouTube que muestran UniGetUI y sus capacidades. ¡Podrías aprender trucos y consejos útiles!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Hay dos razones principales para no ejecutar UniGetUI como administrador:\nLa primera es que el gestor de paquetes Scoop puede causar problemas con algunos comandos si se ejecutan con privilegios de administrador.\nLa segunda es que ejecutar UniGetUI como administrador implica que cualquier paquete que descargues a través de UniGetUI se ejecutará también como administrador (y esto no es seguro).\nRecuerda que si necesitas instalar un paquete concreto como administrador, siempre puedes hacer clic derecho en él -> Instalar/Actualizar/Desinstalar como administrador.", - "There is an error with the configuration of the package manager \"{0}\"": "Hay un error en la configuración del administrador de paquetes \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Hay una inatalación en progreso. Si cierras UniGetUI, la instalación podría fallar y tener resultados inesperados. ¿Todavía quieres cerrar UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Son los programas encargados de instalar, actualizar y eliminar paquetes.", - "Third-party licenses": "Licencias de terceros", "This could represent a security risk.": "Esto podría representar un riesgo de seguridad.", - "This is not recommended.": "Esto no se recomienda.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Esto probablemente se deba al hecho de que el paquete que te enviaron se eliminó o se publicó en un administrador de paquetes que no tienes habilitado. El ID recibido es {0}\n", "This is the default choice.": "Esta es la opción por defecto.", - "This may help if WinGet packages are not shown": "Esto puede ayudar si no se muestran los paquetes de WinGet", - "This may help if no packages are listed": "Esto puede ayudar si no se lista ningún paquete", - "This may take a minute or two": "Esto puede tomar un minuto o dos", - "This operation is running interactively.": "Esta operación se está ejecutando de forma interactiva.", - "This operation is running with administrator privileges.": "Esta operación se está ejecutando con derechos de administrador.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Esta opción CAUSARÁ problemas. Cualquier operación que no pueda elevar privilegios FALLARÁ. Instalar/actualizar/desinstalar como administrador NO FUNCIONARÁ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Este paquete tiene configuraciones potencialmente peligrosas que podrían ser ignoradas por defecto.", "This package can be updated": "Este paquete puede actualizarse", "This package can be updated to version {0}": "Este paquete puede actualizarse a la versión {0}.", - "This package can be upgraded to version {0}": "Este paquete se puede actualizar a la versión \"{0}\"", - "This package cannot be installed from an elevated context.": "Este paquete no ser puede instalar desde un contexto elevado", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "¿Este paquete no tiene capturas de pantalla o le falta el icono? Contribuye a UniGetUI agregando los iconos y capturas de pantalla que faltan a nuestra base de datos abierta y pública.", - "This package is already installed": "Este paquete ya está instalado", - "This package is being processed": "Este paquete está siendo procesado", - "This package is not available": "Este paquete no está disponible", - "This package is on the queue": "Este paquete está en la cola", "This process is running with administrator privileges": "Este proceso se está ejecutando con privilegios de administrador", - "This project has no connection with the official {0} project — it's completely unofficial.": "Este proyecto no tiene conexión con el proyecto oficial de {0} — es completamente extraoficial.", "This setting is disabled": "Esta configuración está deshabilitada", "This wizard will help you configure and customize WingetUI!": "¡Este asistente te ayudará a configurar y personalizar UniGetUI!", "Toggle search filters pane": "Activar o desactivar el panel de filtros de búsqueda", - "Translators": "Traductores", - "Try to kill the processes that refuse to close when requested to": "Intentar cerrar los procesos que no responden.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activar esto permite cambiar el ejecutable usado para interactuar con gestores de paquetes. Aunque ofrece más personalización, puede ser peligroso.", "Type here the name and the URL of the source you want to add, separed by a space.": "Escribe aquí el nombre y la URL del origen que quieras añadir, separados por un espacio.", "Unable to find package": "No se pudo encontrar el paquete", "Unable to load informarion": "No se pudo cargar la información", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI recoge datos de uso anónimos con el único fin de mejorar la experiencia del usuario.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI recoge datos de uso anónimos con el único fin de entender y mejorar la experiencia del usuario.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ha detectado un nuevo atajo de escritorio que se puede eliminar automaticamente", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ha detectado los siguientes accesos directos en el escritorio que se pueden eliminar automáticamente en las siguientes actualizaciones", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ha detectado {0} un nuevo atajo del escritorio que se puede eliminar automaticamente.", - "UniGetUI is being updated...": "UniGetUI se está actualizando...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI no está relacionado con los administradores de paquetes compatibles. UniGetUI es un proyecto independiente.", - "UniGetUI on the background and system tray": "UniGetUI en segundo plano y en la bandeja del sistema", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI o alguno de sus componentes faltan o están dañados", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI necesita {0} para funcionar correctamente, pero no se encontró en tu sistema.", - "UniGetUI startup page:": "Página principal de UniGetUI:", - "UniGetUI updater": "Actualizador de UniGetUI", - "UniGetUI version {0} is being downloaded.": "La versión {0} de UniGetUI se está descargando", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} esta listo para ser instalado", - "Uninstall": "Desinstalar", - "Uninstall Scoop (and its packages)": "Desinstalar Scoop (y sus paquetes)", "Uninstall and more": "Desinstalar y más.", - "Uninstall and remove data": "Desinstalar y eliminar datos", - "Uninstall as administrator": "Desinstalar como administrador", "Uninstall canceled by the user!": "¡Desinstalación cancelada por el usuario!", - "Uninstall failed": "La desinstalación falló", - "Uninstall options": "Opciones de desinstalación.", - "Uninstall package": "Desinstalar paquete", - "Uninstall package, then reinstall it": "Desinstalar paquete, y luego reinstalarlo", - "Uninstall package, then update it": "Desinstalar paquete, y luego actualizarlo", - "Uninstall previous versions when updated": "Desinstalar versiones anteriores al actualizar.", - "Uninstall selected packages": "Desinstalar los paquetes seleccionados", - "Uninstall selection": "Desinstalar selección", - "Uninstall succeeded": "Desinstalación exitosa", "Uninstall the selected packages with administrator privileges": "Desinstalar los paquetes seleccionados con privilegios de administrador", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Los paquetes desinstalables que provienen de la fuente \"{0}\" no han sido publicados en ningún administrador de paquetes, por lo que no hay información disponible sobre ellos.", - "Unknown": "Desconocido", - "Unknown size": "Tamaño desconocido", - "Unset or unknown": "No especificado o desconocido", - "Up to date": "Ya está actualizado", - "Update": "Actualizar", - "Update WingetUI automatically": "Actualizar UniGetUI automáticamente", - "Update all": "Actualizar todos", "Update and more": "Actualizar y más.", - "Update as administrator": "Actualizar como administrador", - "Update check frequency, automatically install updates, etc.": "Frecuencia del chequeo de actualizaciones, instalar actualizaciones automáticamente, etc.", - "Update checking": "Comprobación de actualizaciones", "Update date": "Fecha de actualización", - "Update failed": "La actualización falló", "Update found!": "Actualización disponible", - "Update now": "Actualizar ahora", - "Update options": "Opciones de actualización.", "Update package indexes on launch": "Actualizar los índices de paquetes al inicio", "Update packages automatically": "Actualizar los paquetes automáticamente", "Update selected packages": "Actualizar los paquetes seleccionados", "Update selected packages with administrator privileges": "Actualizar los paquetes seleccionados con privilegios de administrador", - "Update selection": "Actualizar seleccionados", - "Update succeeded": "Actualización exitosa", - "Update to version {0}": "Actualizar a la versión \"{0}\"", - "Update to {0} available": "Actualización a {0} disponible", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Actualizar automáticamente los portfiles de Git de vcpkg (requiere tener Git instalado)", "Updates": "Actualizaciones", "Updates available!": "¡Actualizaciones disponibles!", - "Updates for this package are ignored": "Las actualizaciones de este paquete se ignoran", - "Updates found!": "¡Actualizaciones disponibles!", "Updates preferences": "Preferencias de las actualizaciones", "Updating WingetUI": "Actualizando UniGetUI", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Usar el WinGet legado incorporado en vez de los CMDLets de PowerShell", - "Use a custom icon and screenshot database URL": "Usar una URL personalizada de base de datos de íconos y capturas de pantalla", "Use bundled WinGet instead of PowerShell CMDlets": "Usa el WinGet incorporado en vez de los CMDlets de PowerShell", - "Use bundled WinGet instead of system WinGet": "Usar el WinGet incorporado en lugar del WinGet del sistema", - "Use installed GSudo instead of UniGetUI Elevator": "Usar GSudo instalado en lugar de UniGetUI Elevator.", "Use installed GSudo instead of the bundled one": "Utilizar el GSudo instalado en lugar del incorporado", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Usar el UniGetUI Elevator legado (puede ayudar en caso de problemas con el Elevator)", - "Use system Chocolatey": "Usar el Chocolatey del sistema", "Use system Chocolatey (Needs a restart)": "Usar el Chocolatey del sistema (Requiere un reinicio)", "Use system Winget (Needs a restart)": "Utilizar el Winget del sistema (Requiere un reinicio)", "Use system Winget (System language must be set to english)": "Usar el WinGet del sistema (el idioma del sistema debe estar configurado en inglés)", "Use the WinGet COM API to fetch packages": "Usa la API COM de WinGet para cargar los paquetes", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Usar el Módulo de Powershell de WinGet en lugar de la API COM de WinGet", - "Useful links": "Links útiles", "User": "Usuario", - "User interface preferences": "Preferencias de interfaz de usuario", "User | Local": "Usuario | Local", - "Username": "Nombre de usuario", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Usar UniGetUI implica la aceptación de la Licencia Pública Menor de GNU v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Usar UniGetUI implica la aceptación de la Licencia MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root no se ha encontrado. Por favor, defina la variable de entorno %VCPKG_ROOT% o defínelo en la configuración de UniGetUI", "Vcpkg was not found on your system.": "Vcpkg no se ha encontrado en el sistema", - "Verbose": "Verboso", - "Version": "Versión", - "Version to install:": "Versión a instalar:", - "Version:": "Versión:", - "View GitHub Profile": "Ver Perfil GitHub", "View WingetUI on GitHub": "Ver UniGetUI en GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "er el código fuente de UniGetUI. Desde allí, puedes informar de errores, sugerir características o incluso contribuir directamente al proyecto UniGetUI.", - "View mode:": "Modo de visualización:", - "View on UniGetUI": "Ver en UniGetUI", - "View page on browser": "Ver página en navegador", - "View {0} logs": "Ver registros de {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Esperar a que el dispositivo esté conectado a internet antes de ejecutar qualquier tarea que requiera conexión a internet.", "Waiting for other installations to finish...": "Esperando que terminen otras instalaciones...", "Waiting for {0} to complete...": "Esperando a que se acabe la {0}...", - "Warning": "Advertencia", - "Warning!": "¡Atención!", - "We are checking for updates.": "Estamos buscando atualizaciones", "We could not load detailed information about this package, because it was not found in any of your package sources": "No pudimos cargar información detallada sobre este paquete, porque no se lo encontró en ninguno de sus orígenes de paquetes.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "No pudimos cargar información detallada sobre este paquete, porque no fue instalado desde un administrador de paquetes disponible.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "No pudimos {action} {package}. Inténtelo más tarde. Haga click en \"{showDetails}\" para ver el registro del instalador.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "No pudimos {action} {package}. Inténtelo más tarde. Haga click en \"{showDetails}\" para ver el registro del desinstalador.", "We couldn't find any package": "No pudimos encontrar ningún paquete", "Welcome to WingetUI": "Bienvenido a UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Al instalar paquetes en lote desde un paquete, también instalar los que ya están presentes.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Cuando se detectan nuevos accesos directos, eliminarlos automáticamente en lugar de mostrar este diálogo.", - "Which backup do you want to open?": "¿Qué copia de seguridad deseas abrir?", "Which package managers do you want to use?": "¿Qué gestores de paquetes deseas utilizar?", "Which source do you want to add?": "¿Qué orígenes deseas agregar?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Aunque WinGet puede utilizarse dentro de UniGetUI, UniGetUI también puede usarse con otros gestores de paquetes, lo que puede resultar confuso. En el pasado, UniGetUI se diseñó para funcionar solo con WinGet, pero esto ya no es así, por lo que UniGetUI ya no refleja lo que este proyecto aspira a ser.", - "WinGet could not be repaired": "No se pudo reparar WinGet", - "WinGet malfunction detected": "Malfunción de Winget detectada", - "WinGet was repaired successfully": "Se reparó WinGet exitosamente", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "WingetUI - Todo está actualizado", "WingetUI - {0} updates are available": "UniGetUI - hay {0} actualizaciones disponibles", "WingetUI - {0} {1}": "UniGetUI - {1} de {0}", - "WingetUI Homepage": "Página Oficial de UniGetUI", "WingetUI Homepage - Share this link!": "Página Oficial de UniGetUI - ¡Comparte este link!", - "WingetUI License": "Licencia de UniGetUI", - "WingetUI Log": "Registro de UniGetUI", - "WingetUI Repository": "Repositorio de UniGetUI", - "WingetUI Settings": "Configuración de UniGetUI", "WingetUI Settings File": "Archivo del configuración de WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI usa las siguientes librerías. Sin ellas, UniGetUI no habría sido posible.", - "WingetUI Version {0}": "UniGetUI Versión {0}", "WingetUI autostart behaviour, application launch settings": "Comportamiento de inicio automático de UniGetUI, configuración de inicio de la aplicación", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI puede comprobar si tu software tiene actualizaciones disponibles, e instalarlas automáticamente si quieres", - "WingetUI display language:": "Idioma de presentación de UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ha sido ejecutado como administrador, lo cual no es recomendado. Al ejecutar UniGetUI como administrador, TODAS las operaciones lanzadas desde UniGetUI tendrán privilegios de administrador. Puede usar el programa de todas formas, pero recomendamos altamente no ejecutar UniGetUI con privilegios de administrador.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI ha sido traducido a más de 40 idiomas gracias a traductores voluntarios. Gracias \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI no ha sido traducido automáticamente. Los siguientes usuarios se han encargado de las traducciones:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI es una aplicación que hace administrar tu software más fácil, proporcionando una interfaz gráfica unificada para todos tus administradores de paquetes de línea de comandos.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI está siendo renombrado para enfatizar la diferencia entre WingetUI (la interfaz que estás usando en este momento) y Winget (un administrador de paquetes desarrollado por Microsoft con el cual no estoy relacionado)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI está siendo actualizado. Al finalizar, WingetUI se reiniciará automáticamente", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI es gratis, y será gratis para siempre. Sin anuncios, sin tarjeta de crédito, sin versión premium. 100% gratis, para siempre.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI mostrará un aviso de UAC cada vez que un paquete requiera elevación para instalarse.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI pronto se llamará {newname}. Esto no representa ningún cambio en la aplicación. Yo (el desarrollador) continuaré el desarrollo de este proyecto de la misma forma que ahora, pero bajo un nombre diferente.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI no sería posible sin la ayuda de nuestros queridos contribuidores. Revisa sus perfiles de GitHub ¡WingetUI no sería posible sin ellos!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI no habría sido posible sin la ayuda de los contribuidores. Gracias a todos \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} está listo para instalarse.", - "Write here the process names here, separated by commas (,)": "Escribe aquí los nombres de procesos, separados por comas (,)", - "Yes": "Sí", - "You are logged in as {0} (@{1})": "Has iniciado sesión como {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Puedes cambiar este comportamiento en la configuración de seguridad de UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Puedes definir los comandos que se ejecutarán antes o después de instalar, actualizar o desinstalar este paquete. Se ejecutarán en una consola CMD, por lo que los scripts CMD funcionarán.", - "You have currently version {0} installed": "Actualmente tienes instalada la versión {0}", - "You have installed WingetUI Version {0}": "Tienes instalado UniGetUI versión {0}", - "You may lose unsaved data": "Podrías perder datos no guardados.", - "You may need to install {pm} in order to use it with WingetUI.": "Tal vez necesites instalar {pm} para usarlo con UniGetUI.", "You may restart your computer later if you wish": "Puedes reiniciar tu computadora más tarde si lo deseas", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Sólo se te preguntará una vez, y se concederán privilegios de administrador a los paquetes que lo soliciten.", "You will be prompted only once, and every future installation will be elevated automatically.": "Sólo se te preguntará una vez, y cada instalación futura se elevará automáticamente.", - "You will likely need to interact with the installer.": "Es muy probable que sea necesario interactuar con el instalador", - "[RAN AS ADMINISTRATOR]": "EJECUTADO COMO ADMINISTRADOR", "buy me a coffee": "comprarme un café", - "extracted": "extraído", - "feature": "característica", "formerly WingetUI": "antes WingetUI", "homepage": "sitio web", "install": "instalar", "installation": "instalación", - "installed": "instalado", - "installing": "instalando", - "library": "librería", - "mandatory": "obligatorio", - "option": "opción", - "optional": "opcional", "uninstall": "desinstalar", "uninstallation": "desinstalación", "uninstalled": "desinstalado", - "uninstalling": "desinstalando", "update(noun)": "actualización", "update(verb)": "actualizar", "updated": "actualizado", - "updating": "actualizando", - "version {0}": "versión {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Las opciones de instalación de {0} están bloqueadas porque {0} sigue las opciones predeterminadas.", "{0} Uninstallation": "Desinstalación de {0}", "{0} aborted": "{0} cancelada", "{0} can be updated": "{0} puede actualizarse", - "{0} can be updated to version {1}": "{0} puede actualizarse a la versión {1}", - "{0} days": "{0} días", - "{0} desktop shortcuts created": "Se han creado {0} accesos directos en el escritorio", "{0} failed": "{0} ha fallado", - "{0} has been installed successfully.": "{0} se instaló exitosamente.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} se instaló exitosamente. Se recomienda reiniciar UniGetUI para finalizar con la instalación", "{0} has failed, that was a requirement for {1} to be run": "La {0} ha fallado, y era un requerimiento para que se ejecutase la {1}", - "{0} homepage": "Página oficial de {0}", - "{0} hours": "{0} horas", "{0} installation": "Instalación de {0}", - "{0} installation options": "Opciones de instalación de {0}", - "{0} installer is being downloaded": "Se está descargando el instalador de {0}", - "{0} is being installed": "{0} está siendo instalado", - "{0} is being uninstalled": "{0} está siendo desinstalado", "{0} is being updated": "{0} se está actualizando", - "{0} is being updated to version {1}": "{0} está siendo actualizado a la versión {1}", - "{0} is disabled": "{0} está deshabilitado", - "{0} minutes": "{0} minutos", "{0} months": "{0} meses", - "{0} packages are being updated": "{0} paquetes estan siendo actualizados", - "{0} packages can be updated": "{0} paquetes pueden ser actualizados", "{0} packages found": "{0} paquetes encontrados", "{0} packages were found": "Se han encontrado {0} paquetes", - "{0} packages were found, {1} of which match the specified filters.": "Se encontraron {1} paquetes, {0} de los cuales coinciden con los filtros especificados.", - "{0} selected": "{0} seleccionados", - "{0} settings": "Configuración del {0}", - "{0} status": "estado de {0}", "{0} succeeded": "{0} realizado correctamente", "{0} update": "Actualización de {0}", - "{0} updates are available": "{0} paquetes disponibles", "{0} was {1} successfully!": "{0} se ha {1} correctamente.", "{0} weeks": "{0} semanas", "{0} years": "{0} años", "{0} {1} failed": "{0} {1} ha fallado", - "{package} Installation": "Instalación de {package}", - "{package} Uninstall": "Desinstalación de {package}", - "{package} Update": "Actualización de {package}", - "{package} could not be installed": "{package} no se pudo instalar", - "{package} could not be uninstalled": "{package} no se pudo desinstalar", - "{package} could not be updated": "{package} no se pudo actualizar", "{package} installation failed": "Falló la instalación de {package}", - "{package} installer could not be downloaded": "No se pudo descargar el instalador de {package} ", - "{package} installer download": "Descarga del instalador de {package}", - "{package} installer was downloaded successfully": "El instalador de {package} se ha descargado correctamente", "{package} uninstall failed": "Falló la desinstalación de {package}", "{package} update failed": "Falló la actualización de {package}", "{package} update failed. Click here for more details.": "La actualización de {package} falló. Haca click aquí por más detalles.", - "{package} was installed successfully": "{package} se instaló correctamente", - "{package} was uninstalled successfully": "{package} se desinstaló correctamente", - "{package} was updated successfully": "{package} se actualizó correctamente", - "{pcName} installed packages": "Paquetes instalados en {pcName}", "{pm} could not be found": "{pm} no se encontró", "{pm} found: {state}": "{pm} encontrado: {state}", - "{pm} is disabled": "{pm} está deshabilitado", - "{pm} is enabled and ready to go": "{pm} está habilitado y listo para usarse", "{pm} package manager specific preferences": "Preferencias específicas de administrador de paquetes {pm}", "{pm} preferences": "Preferencias de {pm}", - "{pm} version:": "Versión de {pm}:", - "{pm} was not found!": "¡Se encontró {pm}!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hola, mi nombre es Martí y soy el desarrollador de UniGetUI. ¡WingetUI fue hecho enteramente en mi tiempo libre!", + "Thank you ❤": "Gracias ❤️", + "This project has no connection with the official {0} project — it's completely unofficial.": "Este proyecto no tiene conexión con el proyecto oficial de {0} — es completamente extraoficial." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_et.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_et.json index ac78e79ee8..00673307b5 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_et.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_et.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Toiming protsessis", + "Please wait...": "Palun oodake...", + "Success!": "Õnnestus!", + "Failed": "Ebaõnnestus", + "An error occurred while processing this package": "Selle paketi töötlemisel tekkis viga", + "Log in to enable cloud backup": "Logige sisse, et lubada pilvevarundus", + "Backup Failed": "Varukoopia ebaõnnestus", + "Downloading backup...": "Varukoopiafaili allalaadimine...", + "An update was found!": "Uuendus on leitud!", + "{0} can be updated to version {1}": "{0} saab uuendada versioonini {1}", + "Updates found!": "Uuendused leitud!", + "{0} packages can be updated": "{0} paketti saab uuendada", + "You have currently version {0} installed": "Praegune rakenduse versioon on {0}", + "Desktop shortcut created": "Töölauakohane otsetee loodud", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI tuvasta uue töölaua otsetee, mida saab automaatselt kustutada.", + "{0} desktop shortcuts created": "{0} töölaua otseteed loodud", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI tuvasta {0} uut töölaua otseteed, mida saab automaatselt kustutada.", + "Are you sure?": "Olete kindel?", + "Do you really want to uninstall {0}?": "Kas te tõesti soovite eemaldada {0}?", + "Do you really want to uninstall the following {0} packages?": "Kas te tõesti soovite eemaldada {0, plural, one {järgmine pakett} few {järgmised {0} paketid} other {järgmised {0} paketid}}?", + "No": "Ei", + "Yes": "Jah", + "View on UniGetUI": "Vaata UniGetUI-l", + "Update": "Uuenda", + "Open UniGetUI": "Ava UniGetUI", + "Update all": "Uuenda kõik", + "Update now": "Uuenda praegu", + "This package is on the queue": "See pakett on järjekorras", + "installing": "paigaldab", + "updating": "uuendab", + "uninstalling": "eemaldab", + "installed": "paigaldatud", + "Retry": "Proovi uuesti", + "Install": "Paigalda", + "Uninstall": "Eemalda", + "Open": "Ava", + "Operation profile:": "Toiminguprofii:", + "Follow the default options when installing, upgrading or uninstalling this package": "Järgi paketi paigaldamisel, uuendamisel või eemaldamisel vaikimisi valikuid.", + "The following settings will be applied each time this package is installed, updated or removed.": "Järgmisi seadeid rakendatakse iga kord, kui see pakett on paigaldatud, uuendatud või eemaldatud.", + "Version to install:": "Versioon paigaldamiseks:", + "Architecture to install:": "Paigaldamisarhitektuur:", + "Installation scope:": "Paigaldamise ulatus:", + "Install location:": "Paigaldamiskoht:", + "Select": "Vali", + "Reset": "Lähtesta", + "Custom install arguments:": "Kohandatud paigaldamise argumendid:", + "Custom update arguments:": "Kohandatud uuendamise argumendid:", + "Custom uninstall arguments:": "Kohandatud eemaldamise argumendid:", + "Pre-install command:": "Enne paigaldamist käsk:", + "Post-install command:": "Pärast paigaldamist käsk:", + "Abort install if pre-install command fails": "Katkesta paigaldamine kui eelne käsk nurjub", + "Pre-update command:": "Enne uuendust käsk:", + "Post-update command:": "Pärast uuendust käsk:", + "Abort update if pre-update command fails": "Katkesta uuendamine kui eelne käsk nurjub", + "Pre-uninstall command:": "Eemaldamise eelne käsk:", + "Post-uninstall command:": "Eemaldamise järgne käsk:", + "Abort uninstall if pre-uninstall command fails": "Katkesta eemaldamine kui eelne käsk nurjub", + "Command-line to run:": "Käitatav käsurea rida:", + "Save and close": "Salvesta ja sule", + "Run as admin": "Käivita administraatori nimelt", + "Interactive installation": "Interaktiivne paigaldus", + "Skip hash check": "Jäta räsikontroll vahele", + "Uninstall previous versions when updated": "Eemalda eelmised versioonid pärast uuendamist", + "Skip minor updates for this package": "Jäta väiksemad uuendused selle paketi jaoks vahele", + "Automatically update this package": "Uuenda seda paketti automaatselt", + "{0} installation options": "{0} paigaldamise seaded", + "Latest": "Viimane", + "PreRelease": "EeelVäljalaske", + "Default": "Vaikimisi", + "Manage ignored updates": "Halda eiratavad uuendused", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Siin loetletud pakette ei võeta arvesse uuenduste kontrollimisel. Topeltvajutage neid või vajutage nende paremal olevat nuppu, et lõpetada nende uuenduste ignoreerimine.", + "Reset list": "Lähtesta nimekirja", + "Package Name": "Paketi nimetus", + "Package ID": "Paketi ID", + "Ignored version": "Eiratav versioon", + "New version": "Uus versioon", + "Source": "Allikas", + "All versions": "Kõik versioonid", + "Unknown": "Teadmata", + "Up to date": "Ajakohaselt", + "Cancel": "Tühista", + "Administrator privileges": "Administraatori õigused", + "This operation is running with administrator privileges.": "See toiming käivitatakse administraatori õigustega.", + "Interactive operation": "Interaktiivne toiming", + "This operation is running interactively.": "See toiming käivitatakse interaktiivselt.", + "You will likely need to interact with the installer.": "Tõenäoliselt peate paigaldajaga suhtlema.", + "Integrity checks skipped": "Terviklikkuskontrollid vahele jäetud", + "Proceed at your own risk.": "Toimige omal riskil.", + "Close": "Sule", + "Loading...": "Laeb...", + "Installer SHA256": "Paigaldaja SHA256", + "Homepage": "kodulehekülg", + "Author": "Looja", + "Publisher": "Kirjastaja", + "License": "Litsents", + "Manifest": "Manifestmaakond", + "Installer Type": "Paigaldaja tüüp", + "Size": "Suurus", + "Installer URL": "Paigaldaja URL", + "Last updated:": "Viimati uuendatud:", + "Release notes URL": "Väljalase märkmete URL", + "Package details": "Paketi info", + "Dependencies:": "Sõltuvused:", + "Release notes": "Väljalase märkmed", + "Version": "Versioon", + "Install as administrator": "Paigalda administraatori nimelt", + "Update to version {0}": "Uuenda versiooniks {0}", + "Installed Version": "Paigaldatud versioon:", + "Update as administrator": "Uuenda administraatori nimelt", + "Interactive update": "Interaktiivne uuendus", + "Uninstall as administrator": "Eemalda administraatori nimelt", + "Interactive uninstall": "Interaktiivne kustutamine", + "Uninstall and remove data": "Eemalda ja kustuta andmed", + "Not available": "Pole saadaval", + "Installer SHA512": "Paigaldaja SHA512", + "Unknown size": "Teadmata suurus", + "No dependencies specified": "Sõltuvused pole märgitud", + "mandatory": "kohustuslik", + "optional": "valikuline", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} on paigaldamiseks valmis.", + "The update process will start after closing UniGetUI": "Uuendamisprotsess algab UniGetUI sulgemise järel", + "Share anonymous usage data": "Jaga anonüümset kasutusstatistika", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI kogub kasutaja kogemuse parandamiseks anonüümset kasutusstatistika.", + "Accept": "Nõustu", + "You have installed WingetUI Version {0}": "Te olete paigaldanud WingetUI versiooni {0}", + "Disclaimer": "Lahtiütlus", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ei ole seotud ühegi ühilduva paketihalduriga. UniGetUI on iseseisev projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI poleks olnud võimalik ilma panustajate abita. Tänan teid kõiki 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI kasutab järgmisi teeke. Ilma nendeta ei oleks UniGetUI võimalik.", + "{0} homepage": "{0} kodulehekülg", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "Tänu vabatahtlikele tõlkijatele on WingetUI tõlgitud rohkem kui 40 keelde. Tänan teid 🤝", + "Verbose": "Paljusõnaline", + "1 - Errors": "1 - Vead", + "2 - Warnings": "2 - Hoiatused", + "3 - Information (less)": "3 - Teave (vähem)", + "4 - Information (more)": "4 - Teave (rohkem)", + "5 - information (debug)": "5 - teave (silumine)", + "Warning": "Hoiatus", + "The following settings may pose a security risk, hence they are disabled by default.": "Järgmised seaded võivad esitada turvariski, seega on nad vaikimisi keelatud.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Lubage alltoodud seaded siis ja ainult siis, kui te täielikult mõistate, mida nad teevad, ja milliseid tagajärgi neil võib olla.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Seaded loetlevad nende kirjeldustes, millised turvalisuse probleemid neil võivad olla.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Varukoopia sisaldab paigaldatud pakettide täielikku loendit ja nende paigaldamisvõimalusi. Salvestatakse ka ignoreeritud uuendusi ja vahele jäetud versioone.", + "The backup will NOT include any binary file nor any program's saved data.": "Varukoopia EI sisalda ühtegi binaarfaili ega programmi salvestatud andmeid.", + "The size of the backup is estimated to be less than 1MB.": "Varukoopia suurus on hinnanguliselt alla 1MB.", + "The backup will be performed after login.": "Varukoopia tehakse pärast sisselogimist.", + "{pcName} installed packages": "{pcName} paigaldatud paketid", + "Current status: Not logged in": "Praegune olek: pole sisse logitud", + "You are logged in as {0} (@{1})": "Te olete sisse logitud kui {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Tore! Varukoopiad laaditakse üles teie konto privaatsesse gisti.", + "Select backup": "Valige varundus", + "WingetUI Settings": "WingetUI seaded", + "Allow pre-release versions": "Luba väljalaske-eelsed versioonid", + "Apply": "Rakenda", + "Go to UniGetUI security settings": "Avage UniGetUI turvaseaded", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Järgmised valikud rakendatakse vaikimisi iga kord, kui {0} pakett paigaldatakse, uuendatakse või eemaldatakse.", + "Package's default": "Paketi vaikepositsioon", + "Install location can't be changed for {0} packages": "Paigaldamiskoha ei saa muuta {0} pakettides", + "The local icon cache currently takes {0} MB": "Kohalik ikoonide vahemälu võtab praegu {0} MB", + "Username": "Kasutajanimi", + "Password": "Parool", + "Credentials": "Kasutajatunnused", + "Partially": "Osaliselt", + "Package manager": "Packagemanager", + "Compatible with proxy": "Ühilduv puhverservega", + "Compatible with authentication": "Ühilduv autentimisega", + "Proxy compatibility table": "Puhvri ühilduvustabel", + "{0} settings": "{0} seaded", + "{0} status": "{0} olek", + "Default installation options for {0} packages": "Vaikimisi paigaldamise seaded {0} pakettide jaoks", + "Expand version": "Laienda versioon", + "The executable file for {0} was not found": "Käivitatavat faili {0} jaoks ei leitud", + "{pm} is disabled": "{pm} on keelatud", + "Enable it to install packages from {pm}.": "Luba see pakettide paigaldamiseks {pm}-st.", + "{pm} is enabled and ready to go": "{pm} on lubatud ja valmis", + "{pm} version:": "{pm} versioon:", + "{pm} was not found!": "{pm} ei leitud!", + "You may need to install {pm} in order to use it with WingetUI.": "Peate võib-olla paigaldama {pm}, et seda UniGetUI-ga kasutada.", + "Scoop Installer - WingetUI": "Scoopi paigaldaja - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoopi eemaldaja - WingetUI", + "Clearing Scoop cache - WingetUI": "Scoop'i vahemälu kustutamine - WingetUI", + "Restart UniGetUI": "Taaskäivita UniGetUI", + "Manage {0} sources": "Halda {0} allikat", + "Add source": "Lisa allikas", + "Add": "Lisa", + "Other": "Muu", + "1 day": "Üks päev", + "{0} days": "{0} {0, plural,\n=0 {päeva}\none {päev}\nother {päeva}\n}", + "{0} minutes": "{0} {0, plural,\n=0 {minutit}\none {minut}\nother {minutit}\n}", + "1 hour": "Üks tund", + "{0} hours": "{0} {0, plural,\n=0 {tundi}\none {tund}\nother {tundi}\n}", + "1 week": "Üks nädal", + "WingetUI Version {0}": "WingetUI versioon {0}", + "Search for packages": "Otsi paketid", + "Local": "Lokaalne", + "OK": "Okei", + "{0} packages were found, {1} of which match the specified filters.": "{0} {0, plural,\n=0 {paketti on leitud}\none {pakett on leitud}\nother {paketti on leitud}}, millest {1} {1, plural,\n=0 {vastavad}\none {vastab}\nother {vastavad}} määratud filtrile", + "{0} selected": "{0} valitud", + "(Last checked: {0})": "(Viimati kontrollitud: {0})", + "Enabled": "Lubatud", + "Disabled": "Keelatud", + "More info": "Lisainfo", + "Log in with GitHub to enable cloud package backup.": "Logige sisse GitHub-ga, et lubada pilvepaketikambaaeg.", + "More details": "Rohkem detaile", + "Log in": "Logi sisse", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Kui teil on pilvevarundus aktiveeritud, salvestatakse see GitHub Gistina sellele kontole.", + "Log out": "Logi välja", + "About": "Rakendusest", + "Third-party licenses": "Kolmandate osapoolte litsentsid", + "Contributors": "Panustajad", + "Translators": "Tõlkijad", + "Manage shortcuts": "Halda otseteid", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI tootas järgmisi töölauale otseteed, mida saab tulevaste uuenduste puhul automaatselt eemaldada", + "Do you really want to reset this list? This action cannot be reverted.": "Kas te tõesti soovite seda loendit lähtestada? Seda toimingut ei saa tagasi pöörata.", + "Remove from list": "Eemalda nimekirjast", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kui uued otseteed tuvastatakse, kustutatakse nad automaatselt selle dialoogi kuvamise asemel.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI kogub anonüümset kasutusstatistika ainuüksi kasutajakogemuse mõistmise ja parandamise eesmärgil.", + "More details about the shared data and how it will be processed": "Lisaandmed jagatud andmete ja nende töötlemise kohta", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Kas nõustute, et UniGetUI kogub ja saadab anonüümseid kasutamisstatistikaid, mille ainus eesmärk on kasutajakogemuse mõistmine ja parandamine?", + "Decline": "Keeldu", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Isikuandmeid ei koguta ega saadeta ja kogutud andmetele on antud pseudonüüm, nii et neid ei saa tagasi jäljendada.", + "About WingetUI": "WingetUI`ist", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI on rakendus, mis muudab teie tarkvara haldamise lihtsamaks, pakkudes ühte graafilist kasutajaliidest teie käsurea packagemanageritele.", + "Useful links": "Kasulikud lingid", + "Report an issue or submit a feature request": "Teatage probleemist või esitage funktsiooni taotlus", + "View GitHub Profile": "Kuva GitHub profiili", + "WingetUI License": "UniGetUI litsents", + "Using WingetUI implies the acceptation of the MIT License": "WingetUI kasutades nõustute MIT litsentsiga", + "Become a translator": "Saage tõlkijaks", + "View page on browser": "Vaata lehekülg brauseris", + "Copy to clipboard": "Kopeeri lõikepuhvrisse", + "Export to a file": "Ekspordi faili", + "Log level:": "Logide tase:", + "Reload log": "Laadi logid uuesti", + "Text": "Tekst", + "Change how operations request administrator rights": "Muuda, kuidas toimingud nõuavad administraatori õiguseid", + "Restrictions on package operations": "Pakettide toimingute piirangud", + "Restrictions on package managers": "Packagemanagerite piirangud", + "Restrictions when importing package bundles": "Pakettide kimbu impordi piirangud", + "Ask for administrator privileges once for each batch of operations": "Küsi administraatori õigused üks kord iga toimingupartii kohta", + "Ask only once for administrator privileges": "Küsi administraatori õiguseid vaid üks kord", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Keelusta iga tüüpi tõstmine UniGetUI Elevatori või GStudoga", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "See valik PÕHJUSTAB probleeme. Iga toiming, mis ei saa end tõsta FAIL. Paigaldus/uuendamine/eemaldamine administraatorina EI TÖÖTA.", + "Allow custom command-line arguments": "Luba kohandatud käsurea argumendid", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Kohandatud käsurea argumendid võivad muuta viisi, kuidas programmid paigaldatakse, uuendatakse või eemaldatakse, nii et UniGetUI ei saa kontrolli. Kohandatud käsujoonte kasutamine võib pakette rikuda. Toimige ettevaatusega.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Luba kohandatud enne ja pärast paigaldamise käskude täitmine", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Enne ja pärast paigaldamist käske käivitatakse enne ja pärast paketi paigaldamist, uuendamist või eemaldamist. Olge teadlik, et need võivad asju rikuda, kui neid ei kasutata ettevaatusega", + "Allow changing the paths for package manager executables": "Luba paketihalduri käivitatavate failide teede muutmine", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Selle sisselülitamine võimaldab muuta käivitatavat faili, mida käsutatakse packagemanagerite aineks. Kuigi see võimaldab paigaldusprotsesside peenmalt kohandamist, võib see olla ka ohtlik", + "Allow importing custom command-line arguments when importing packages from a bundle": "Luba kohandatud käsurea argumentide importimine pakettide impordi ajal kimbust", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Vigased käsurea argumendid võivad pakette rikuda või isegi lubada pahavaretel kasutajatel saada õigustatud täitmist. Seega on kohandatud käsurea argumentide importimine vaikimisi keelatud.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Luba kohandatud eelse ja järelse paigaldamise käskude importimine pakettide impordi ajal kimbust", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Enne ja pärast paigaldamist käskude võib teha teie seadmele väga halbu asju, kui selline on nende eesmärk. Käskude importimine kimbust võib olla väga ohtlik, kui te ei usalda selle pakettide kimbu allikat", + "Administrator rights and other dangerous settings": "Administraatori õigused ja muud ohtlikud seaded", + "Package backup": "Paketi varundus", + "Cloud package backup": "Pilvepaketikambaaeg", + "Local package backup": "Lokaalse paketi varundus", + "Local backup advanced options": "Lokaalse varukoopia täpsemad valikud", + "Log in with GitHub": "Logi sisse GitHub-ga", + "Log out from GitHub": "Logi välja GitHubi", + "Periodically perform a cloud backup of the installed packages": "Teostage perioodiliselt paigaldatud pakettide pilvevarundus", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Pilvevarundus kasutab privaatset GitHub Gisti paigaldatud pakettide loendi salvestamiseks", + "Perform a cloud backup now": "Teostage pilvevarundus kohe", + "Backup": "Loo varukoopia", + "Restore a backup from the cloud": "Taastage varundus pilves", + "Begin the process to select a cloud backup and review which packages to restore": "Alustage pilvevarukoopiast valimine ja vaadake, milliseid pakette taastada", + "Periodically perform a local backup of the installed packages": "Teostage perioodiliselt kohalik varundus paigaldatud pakettidest", + "Perform a local backup now": "Teostage kohalik varundus kohe", + "Change backup output directory": "Muuda varukoopiaväljundi kataloog", + "Set a custom backup file name": "Määra kohandatud varukoopiafaili nimi", + "Leave empty for default": "Jäta tühjaks vaikimisi jaoks", + "Add a timestamp to the backup file names": "Lisa ajatempel varukoopiafailinimedele", + "Backup and Restore": "Varukoopia ja taastumine", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Lülita tausta API sisse (WingetUI vidinad ja jagamine, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Oodake, kuni seade ühendub internet'iga, enne kui proovite ülesandeid, mis nõuavad interneti-ühendust.", + "Disable the 1-minute timeout for package-related operations": "Keelustan 1-minutilise aja piirangu pakettide operatsioonidele", + "Use installed GSudo instead of UniGetUI Elevator": "Kasuta paigaldatud GSudot UniGetUI Lifti asemel", + "Use a custom icon and screenshot database URL": "Kasuta kohandatud ikooni ja kuvatõmmiste andmebaasi URL-i", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Luba tausta CPU kasutuse optimiseerimised (vaata Pull Request #3278)", + "Perform integrity checks at startup": "Teostage käivitamisel terviklikkuskontrolle", + "When batch installing packages from a bundle, install also packages that are already installed": "Kui paigaldatakse mitu paketti kimbust, paigalda ka need paketid, mis on juba paigaldatud", + "Experimental settings and developer options": "Eksperimentaalsed seaded ja tarkvaraarendaja säted", + "Show UniGetUI's version and build number on the titlebar.": "Näita UniGetUI versiooni tiitliribal", + "Language": "Keel", + "UniGetUI updater": "UniGetUI uuendaja", + "Telemetry": "Telemetriaandmete", + "Manage UniGetUI settings": "Halda UniGetUI seadeid", + "Related settings": "Seotud seaded", + "Update WingetUI automatically": "Uuenda WingetUI automaatselt", + "Check for updates": "Kontrolli uuendusi", + "Install prerelease versions of UniGetUI": "Paigalda UniGetUI väljalaske-eelsed versioonid", + "Manage telemetry settings": "Halda telemetriaandmete seadeid", + "Manage": "Halda", + "Import settings from a local file": "Impordi seaded failist", + "Import": "Impordi", + "Export settings to a local file": "Ekspordi seaded faili", + "Export": "Ekspordi", + "Reset WingetUI": "Lähtesta WingetUI", + "Reset UniGetUI": "Lähtesta UniGetUI", + "User interface preferences": "Kasutajaliidese eelistused", + "Application theme, startup page, package icons, clear successful installs automatically": "Rakenduse teema, käivitamisleht, paketi ikoonid, kustuta edukad paigaldused automaatselt", + "General preferences": "Üldised seaded", + "WingetUI display language:": "WingetUI kuvamiskeel:", + "Is your language missing or incomplete?": "Kas teie keel on puudu või puudulik?", + "Appearance": "Välimus", + "UniGetUI on the background and system tray": "UniGetUI taustale ja tegumiriidale", + "Package lists": "Pakettide nimekirjad", + "Close UniGetUI to the system tray": "Sule UniGetUI tegumiribi", + "Show package icons on package lists": "Näita paketi ikoonid pakettide nimekirjades", + "Clear cache": "Tühjenda vahemälu", + "Select upgradable packages by default": "Vaikimisi valige täienduspakettid", + "Light": "Hele", + "Dark": "Tume", + "Follow system color scheme": "Järgi süsteemi värviskeemi", + "Application theme:": "Rakenduse teema:", + "Discover Packages": "Uurige pakette", + "Software Updates": "Tarkvara uuendused", + "Installed Packages": "Paigaldatud paketid", + "Package Bundles": "Pakettide kimbud", + "Settings": "Seaded", + "UniGetUI startup page:": "UniGetUI käivituslehekülg:", + "Proxy settings": "Puhvri seaded", + "Other settings": "Muud seaded", + "Connect the internet using a custom proxy": "Internet'i ühendamine kohandatud puhvri abil", + "Please note that not all package managers may fully support this feature": "Pange tähele, et mitte kõik packagemanagerid ei pruugi seda funktsiooni täielikult toetada", + "Proxy URL": "Puhvri URL", + "Enter proxy URL here": "Sisestage puhvri URL siin", + "Package manager preferences": "Paketihalduri eelistused", + "Ready": "Valmis", + "Not found": "Ei leitud", + "Notification preferences": "Teavitamise eelistused", + "Notification types": "Teavituste tüübid", + "The system tray icon must be enabled in order for notifications to work": "Tegumiriba ikoon tuleb lubada, et teavitused töötaksid", + "Enable WingetUI notifications": "Lülita sisse WingetUI teavitused", + "Show a notification when there are available updates": "Näita teate, kui saadaolevad uuendused", + "Show a silent notification when an operation is running": "Näita vaikiv teavitus toimingu käivitamisel", + "Show a notification when an operation fails": "Näita teavitus, kui toiming ebaõnnestub", + "Show a notification when an operation finishes successfully": "Näita teatis, kui toiming lõpeb edukalt", + "Concurrency and execution": "Samaaegne ja täitmine", + "Automatic desktop shortcut remover": "Automaatne töölauakohase otsetee eemalda", + "Clear successful operations from the operation list after a 5 second delay": "Puhasta edukad operatsioonid operatsioonide loendist 5 sekundi viivitusega", + "Download operations are not affected by this setting": "Allalaadimistoiminguid see säte ei mõjuta", + "Try to kill the processes that refuse to close when requested to": "Proovige tappa protsessid, mida sulgemisele kutsutakse eitavad", + "You may lose unsaved data": "Te võite kaotada salvestamata andmeid", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Küsi, kas kustutada töölauakohase paigaldamise või uuendamise ajal loodud otseteed.", + "Package update preferences": "Paketi uuendamise eelistused", + "Update check frequency, automatically install updates, etc.": "Uuendamise kontrollimise sagedus, automaatne uuenduste paigaldamine jms", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Vähendage UAC-kutseid, tõstke paigaldusi vaikimisi, avage teatud ohtlikkuid funktsioone jne", + "Package operation preferences": "Paketi toimingute eelistused", + "Enable {pm}": "Luba {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Ei leia otsitavat faili? Veenduge, et see on lisatud PATHi.", + "For security reasons, changing the executable file is disabled by default": "Turvalisuse huvides on käivitatava faili muutmine vaikimisi keelatud", + "Change this": "Muuda seda", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Valige kasutatav käivitatav fail. Järgmine nimekirja näitab UniGetUI-ga leitud käivitatavaid faile", + "Current executable file:": "Praegune käivitatav fail:", + "Ignore packages from {pm} when showing a notification about updates": "Eira pakette {pm}-st, kui näidatakse teavitust uuenduste kohta", + "View {0} logs": "Kuva {0} logid", + "Advanced options": "Täpsemad valikud", + "Reset WinGet": "Lähtesta WinGet", + "This may help if no packages are listed": "See võib aidata, kui pakette pole loetletud", + "Force install location parameter when updating packages with custom locations": "Jõusta paigaldamisasukohate parameetrit kohandatud asukohaga pakettide uuendamisel", + "Use bundled WinGet instead of system WinGet": "Kasuta seotud WinGeti süsteemi WinGeti asemel", + "This may help if WinGet packages are not shown": "See võib aidata, kui WinGeti pakette pole näidatud", + "Install Scoop": "Paigalda Scoop", + "Uninstall Scoop (and its packages)": "Eemalda Scoop (ja selle paketid)", + "Run cleanup and clear cache": "Käivita puhastus ja puhasta vahemälu", + "Run": "Käivita", + "Enable Scoop cleanup on launch": "Luba Scoopi puhastamine käivitamisel", + "Use system Chocolatey": "Kasuta süsteemi Chocolatey", + "Default vcpkg triplet": "Vaikimisi vcpkg kolmainsamblik", + "Language, theme and other miscellaneous preferences": "Keel, teema ja muud eelistused", + "Show notifications on different events": "Näita teavitusi erinevatel sündmustel", + "Change how UniGetUI checks and installs available updates for your packages": "Muuda, kuidas UniGetUI kontrollib ja paigaldab pakettide saadaolevaid uuendusi", + "Automatically save a list of all your installed packages to easily restore them.": "Salvesta automaatselt kõigi paigaldatud pakettide loend, et neid hõlpsasti taastada.", + "Enable and disable package managers, change default install options, etc.": "Luba ja keela packagemanagerid, muuda vaikimisi paigaldamise seadeid jne", + "Internet connection settings": "Internet'i ühenduse seaded", + "Proxy settings, etc.": "Puhvri seaded jne", + "Beta features and other options that shouldn't be touched": "Beetaversiooni funktsioonid ja muud seadused, mida ei tohiks puudutada", + "Update checking": "Uuenduse kontroll", + "Automatic updates": "Automaatilised uuendused", + "Check for package updates periodically": "Kontrolli pakettide uuendusi perioodiliselt", + "Check for updates every:": "Kontrolli uuendusi iga:", + "Install available updates automatically": "Paigalda saadaolevad uuendused automaatselt", + "Do not automatically install updates when the network connection is metered": "Ära paigalda uuendusi automaatselt, kui võrguühendus on piiratud", + "Do not automatically install updates when the device runs on battery": "Ära paigalda uuendusi automaatselt, kui seade käib akul", + "Do not automatically install updates when the battery saver is on": "Ära paigalda uuendusi automaatselt, kui aku sääst on sisse lülitatud", + "Change how UniGetUI handles install, update and uninstall operations.": "Muuda, kuidas UniGetUI käsitleb paigaldamise, uuendamise ja eemaldamise toiminguid.", + "Package Managers": "Packagemanagerid", + "More": "Rohkem", + "WingetUI Log": "WingetUI logi", + "Package Manager logs": "Paketihalduri logid", + "Operation history": "Toiminguajalugu", + "Help": "Abi", + "Order by:": "Järjestamine:", + "Name": "Nimi", + "Id": "ID", + "Ascendant": "Kasvav", + "Descendant": "Laskuv", + "View mode:": "Vaatamise režiim:", + "Filters": "Filtrid", + "Sources": "Allikad:", + "Search for packages to start": "Alusta pakettide otsing", + "Select all": "Vali kõik", + "Clear selection": "Eemalda valik", + "Instant search": "Hetkeline otsimine", + "Distinguish between uppercase and lowercase": "Erista suur- ja väiketähte", + "Ignore special characters": "Eira erimärke", + "Search mode": "Otsimisviis", + "Both": "Mõlemad", + "Exact match": "Täpne vaste", + "Show similar packages": "Näita sarnased paketid", + "No results were found matching the input criteria": "Sisendkriteeriumidele vastavaid tulemusi ei leitud", + "No packages were found": "Pakette pole leitud", + "Loading packages": "Pakettide laadimine", + "Skip integrity checks": "Jäta terviklikkuse kontroll vahele", + "Download selected installers": "Laadi alla valitud paigaldajad", + "Install selection": "Paigalda valik", + "Install options": "Paigaldamise seaded", + "Share": "Jaga", + "Add selection to bundle": "Lisa valik kimpu", + "Download installer": "Laadi alla paigaldaja", + "Share this package": "Jaga seda paketti", + "Uninstall selection": "Eemalda valik", + "Uninstall options": "Eemaldamise seaded", + "Ignore selected packages": "Eira valituid pakette", + "Open install location": "Ava paigaldamisasukoht", + "Reinstall package": "Paigalda pakett uuesti", + "Uninstall package, then reinstall it": "Kustuta pakett, siis paigalda see uuesti", + "Ignore updates for this package": "Eira selle paketi uuendusi", + "Do not ignore updates for this package anymore": "Eira enam selle paketi uuendusi", + "Add packages or open an existing package bundle": "Lisa paketid või ava olemasolev paketikomplekt", + "Add packages to start": "Lisa paketid alustamiseks", + "The current bundle has no packages. Add some packages to get started": "Käesolevas kimbus pole pakette. Lisage mõned paketid, et alustada", + "New": "Uus", + "Save as": "Salvesta kui", + "Remove selection from bundle": "Kustuta valik kimbust", + "Skip hash checks": "Jäta räsikontrollid vahele", + "The package bundle is not valid": "Pakettide kimp pole kehtiv", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Kimp, mida proovite laadida, näib olevat sobimatu. Kontrollige faili ja proovige uuesti.", + "Package bundle": "Pakettide kimp", + "Could not create bundle": "Kimbu loomine nurjus", + "The package bundle could not be created due to an error.": "Pakettide kimbu loomine nurjus vea tõttu", + "Bundle security report": "Kimbu turvaseadused aruanne", + "Hooray! No updates were found.": "Hurraa! Uuendusi pole leitud.", + "Everything is up to date": "Kõik on ajakohane", + "Uninstall selected packages": "Kustuta valitud paketid", + "Update selection": "Uuenda valik", + "Update options": "Uuendamise valikud", + "Uninstall package, then update it": "Eemalda pakett, siis uuenda see", + "Uninstall package": "Eemalda pakett", + "Skip this version": "Jäta versioon vahele", + "Pause updates for": "Pauseerige uuendusi", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rusti packagemanager.
Sisaldab: Rustis kirjutatud Rusti teegid ja programmid", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windowsi klassikaline packagemanager. Leiate sealt kõik.
Sisaldab: Üldine tarkvara", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repositoorium, mis on täis Microsofti .NET ökosüsteemi silmas pidades loodud tööriistu ja käivitatavaid faile.
Sisaldab: .NETiga seotud tööriistu ja skripte", + "NuPkg (zipped manifest)": "NuPkg (tihendatud manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS-i packagemanager. Täis teeke ja muud utiliite, mis orbiidist JavaScript-i maailm
Sisaldab: Node JavaScript teegid ja muud seotud utiliidid", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythoni teekide haldur. Täis Pythoni teeke ja muud Pythoniga seotud utiliite
Sisaldab: Pythoni teegid ja seotud utiliidid", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShelli packagemanager. Leia teegid ja skriptid PowerShelli võimaluste laiendamiseks
Sisaldab: Moodulid, skriptid, käsulauakohased utiliidid", + "extracted": "ekstraktitud", + "Scoop package": "Scoopi pakett", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Suur teadmus tundmatute kuid kasulike tööstuste ja muude huvitavate pakettide kohta.
Sisaldab: Utiliidid, käsurea programmid, üldine tarkvara (nõutav lisade anumat)", + "library": "teek", + "feature": "funktsioon", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Populaarne C/C++ teekide haldur. Täis C/C++ teeke ja muud C/C++-ga seotud utiliite
Sisaldab: C/C++ teekid ja seotud utiliidid", + "option": "valik", + "This package cannot be installed from an elevated context.": "Seda paketti ei saa tõstmiskontekstist paigaldada.", + "Please run UniGetUI as a regular user and try again.": "Palun käivitage UniGetUI tavakasutajana ja proovige uuesti.", + "Please check the installation options for this package and try again": "Kontrollige selle paketi paigaldamise seadeid ja proovige uuesti", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsofti ametlik packagemanager. Täis tuntud ja kontrollitud pakettidega
Sisaldab: Üldine tarkvara, Microsoft Store rakendused", + "Local PC": "See arvuti", + "Android Subsystem": "Androidi alamsüsteem", + "Operation on queue (position {0})...": "Toiming järjekorras (positsioon {0})...", + "Click here for more details": "Klõpsake siin rohkema teabe saamiseks", + "Operation canceled by user": "Toiming tühistatud kasutaja poolt ", + "Starting operation...": "Toimingu käivitamine...", + "{package} installer download": "{package} paigaldaja allalaadimine", + "{0} installer is being downloaded": "{0} paigaldaja laaditakse alla", + "Download succeeded": "Allalaadimine õnnestus", + "{package} installer was downloaded successfully": "{package} paigaldaja laadi edukalt", + "Download failed": "Allalaadimine ebaõnnestus", + "{package} installer could not be downloaded": "{package} paigaldajat ei saanud alla laadida", + "{package} Installation": "{package} paigaldus", + "{0} is being installed": "{0} paigaldatakse", + "Installation succeeded": "Paigaldamine õnnestus", + "{package} was installed successfully": "{package} oli edukalt paigaldatud", + "Installation failed": "Paigaldamine ebaõnnestus", + "{package} could not be installed": "{package} paigaldamine nurjus", + "{package} Update": "{package} uuendamine", + "{0} is being updated to version {1}": "{0} uuendatakse versioonini {1}", + "Update succeeded": "Uuendamine õnnestus", + "{package} was updated successfully": "{package} oli edukalt uuendatud", + "Update failed": "Uuendamine ebaõnnestus", + "{package} could not be updated": "{package} uuendamine nurjus", + "{package} Uninstall": "Eemalda {package}", + "{0} is being uninstalled": "{0} eemaldatakse", + "Uninstall succeeded": "Eemaldamine õnnestus", + "{package} was uninstalled successfully": "{package} oli edukalt eemaldatud", + "Uninstall failed": "Eemaldamine ebaõnnestus", + "{package} could not be uninstalled": "{package} eemaldamine nurjus", + "Adding source {source}": "Allika {source} lisamine", + "Adding source {source} to {manager}": "Allika {source} lisamine {manager}`isse", + "Source added successfully": "Allikas lisatud edukalt", + "The source {source} was added to {manager} successfully": "Allikas {source} oli lisatud {manager}isse edukalt", + "Could not add source": "Allika lisamine nurjus", + "Could not add source {source} to {manager}": "Allika {source} {manager}'isse lisamine nurjus", + "Removing source {source}": "Allika {source} eemaldamine", + "Removing source {source} from {manager}": "Allika {source} eemaldamine {manager}-st", + "Source removed successfully": "Allikas eemaldatud edukalt", + "The source {source} was removed from {manager} successfully": "Allikas {source} eemaldati {manager}-st edukalt", + "Could not remove source": "Allika eemaldamine nurjus", + "Could not remove source {source} from {manager}": "Allika {source} {manager}'ist eemaldamine nurjus", + "The package manager \"{0}\" was not found": "Packagemanagerit \"{0}\" ei leitud", + "The package manager \"{0}\" is disabled": "Packagemanager \"{0}\" on keelatud", + "There is an error with the configuration of the package manager \"{0}\"": "Packagemanageri \"{0}\" konfiguratsioonis esineb viga", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paketti \"{0}\" ei leitud packagemanageris \"{1}\"", + "{0} is disabled": "{0} on välja lülitatud", + "Something went wrong": "Miski läks valesti", + "An interal error occurred. Please view the log for further details.": "Tekkis siseviga. Lisateabe saamiseks vaadake logi.", + "No applicable installer was found for the package {0}": "Paketile {0} ei leitud sobivat paigaldajat", + "We are checking for updates.": "Me kontrollime uuendusi.", + "Please wait": "Palun oodake", + "UniGetUI version {0} is being downloaded.": "UniGetUI versiooni {0} laaditakse alla.", + "This may take a minute or two": "See võib võtta ühe või kahe minuti", + "The installer authenticity could not be verified.": "Paigaldaja autentsuse tõendamine nurjus", + "The update process has been aborted.": "Uuendamise protsess oli katkestatud", + "Great! You are on the latest version.": "Suurepärane! Te olete uumal versioonil.", + "There are no new UniGetUI versions to be installed": "Uusi UniGetUI versioone pole paigaldamiseks", + "An error occurred when checking for updates: ": "Uuenduste kontrollimisel tekkis viga:", + "UniGetUI is being updated...": "UniGetUI uuendatakse...", + "Something went wrong while launching the updater.": "Uuendaja käivitamisel mingi asi ebaõnnestus.", + "Please try again later": "Proovige hiljem uuesti", + "Integrity checks will not be performed during this operation": "Selle toimingu ajal ei tehta terviklikkuskontrolli", + "This is not recommended.": "Seda ei ole soovitatav.", + "Run now": "Käivita nüüd", + "Run next": "Käivita järgmine", + "Run last": "Käivita viimane", + "Retry as administrator": "Proovige administraatorina uuesti", + "Retry interactively": "Proovige interaktiivselt uuesti", + "Retry skipping integrity checks": "Proovige terviklikkuskontrollide vahele jättes uuesti", + "Installation options": "Paigaldamise seaded", + "Show in explorer": "Näita uurijas", + "This package is already installed": "See pakett on juba paigaldatud", + "This package can be upgraded to version {0}": "Seda paketti saab uuendada versioon {0}", + "Updates for this package are ignored": "Selle paketi uuendusi on eiratud", + "This package is being processed": "Seda paketti töödeldakse", + "This package is not available": "See pakett pole saadaval", + "Select the source you want to add:": "Valige allikas, mida soovite lisada", + "Source name:": "Allika nimetus:", + "Source URL:": "Allika URL:", + "An error occurred": "Tekkis viga:", + "An error occurred when adding the source: ": "Allika lisamisel tekkis viga:", + "Package management made easy": "Pakettide haldamine on lihtne", + "version {0}": "versioon {0}", + "[RAN AS ADMINISTRATOR]": "[KÄIVITATUD ADMINISTRAATORINA]", + "Portable mode": "Kantaline režiim\n", + "DEBUG BUILD": "SILUMISE KOOSTAMINE", + "Available Updates": "Kättesaadavad uuendused", + "Show WingetUI": "Näita WingetUI", + "Quit": "Välju", + "Attention required": "Tähelepanu nõutud", + "Restart required": "Taaskäivitamine on vajalik", + "1 update is available": "Üks uuendus on kättesaadav", + "{0} updates are available": "{0} {0, plural, one {uuendus} few {uuendust} other {uuendust}} on kättesaadaval", + "WingetUI Homepage": "UniGetUI kodulehekülg", + "WingetUI Repository": "UniGetUI repositoorium", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Siin saate muuta UniGetUI käitumist järgmiste otseotsingute suhtes. Lühiteeotsingule klõpsamine põhjustab UniGetUI selle kustutamisele, kui see luuakse tulevases uuenduses. Märkuse eemaldamine hoiab otsetee puutumata", + "Manual scan": "Käsitsemisvahendite skaneerimine", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Teie töölaua olemasolevaid otseteid skannitakse ja peate valima, millised jätta ja millised eemaldada.", + "Continue": "Jätka", + "Delete?": "Kustuta?", + "Missing dependency": "Puuduvate sõltuvus", + "Not right now": "Mitte praegu", + "Install {0}": "Paigalda {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI töötamiseks on vaja {0}, kuid seda ei leitud teie süsteemist.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Paigaldamisprotsessi alustamiseks vajutage nuppu \"Paigalda\". Kui jätate paigalduse vahele, ei pruugi UniGetUI töötada ootuspäraselt.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Teise võimalusena saate paigaldada {0}, käivitades järgmise käsu Windows PowerShelli kujul:", + "Do not show this dialog again for {0}": "Ära näita seda dialoogi enam {0} jaoks", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Palun oodake, kuni {0} paigaldub. Võib ilmneda must (või sinine) aken. Palun oodake selle sulgemiseni.", + "{0} has been installed successfully.": "{0} oli edukalt paigaldatud", + "Please click on \"Continue\" to continue": "Klõpsake \"Jätka\" jätkamiseks", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} on paigaldatud edukalt. On soovitatav UniGetUI taaskäivitada paigaldamise lõpuleviimiseks", + "Restart later": "Taaskäivita hiljem", + "An error occurred:": "Tekkis viga:", + "I understand": "Saan aru", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI on administraatori õigustega tööle käivitatud, mis ei ole soovitatav. WingetUI administraatori nimelt käivitamisel on IGAL WingetUI-st käivitatud operatsioonil administraatori õigused. Saate programmi veel kasutada, kuid tungivalt soovitame mitte käivitada WingetUI administraatori õigustega.", + "WinGet was repaired successfully": "WinGet parandati edukalt", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Pärast WinGeti parandamist on soovitatav UniGetUI taaskäivitada", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MÄRKUS: seda tõrkeotsijat saab keelata UniGetUI seadetes WinGeti osas", + "Restart": "Taaskäivita", + "WinGet could not be repaired": "WinGetit ei saanud parandada", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGeti parandamise katsel tekkis ootamatu probleem. Palun proovige hiljem uuesti", + "Are you sure you want to delete all shortcuts?": "Kas olete kindel, et soovite kustutada kõik otseteed?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Kõik paigaldamise või uuendamise ajal loodud otseteed kustutatakse automaatselt, selleasemel et näidata kinnitajavaate, kui neid esmalt tuvastatakse.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI väljaspool loodud või muudetud otseteed jäetakse ignoreerida. Saate neid lisada {0} nupu kaudu.", + "Are you really sure you want to enable this feature?": "Kas te olete tõesti kindel, et soovite seda funktsiooni lubada?", + "No new shortcuts were found during the scan.": "Skaneerimise ajal ei leitud uusi otseteid.", + "How to add packages to a bundle": "Kuidas lisada paketid kimpu", + "In order to add packages to a bundle, you will need to: ": "Selleks, et lisada paketid kimpu, te peate:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Minge leheküljele \"{0}\" või \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Leidke paketid, mida soovite kimpu lisada, ning tee vasakpoolseim linnuke.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kui paketid, mida soovite kimpu lisada, on valitud, leidke ja vajutage nupp \"{0}\" tööristaribal.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Te paketid saavad kimpu lisatud. Te saate jätkata pakettide lisamist või eksportida kimp.", + "Which backup do you want to open?": "Millist varundust soovite avada?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Valige varundus, mida soovite avada. Hiljem saate vaadata, milliseid pakette soovite paigaldada.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Käimas on toimingud. WingetUI-ist väljumine võib põhjustada nende ebaõnnestumist. Kas Te tahate jätkata?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI või mõned selle komponendid on puudu või kahjustunud.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "On tungivalt soovitatav UniGetUI taaspaigaldada, et lahendada olukord.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Viitake UniGetUI logidele, et saada rohkem teavet mõjutatud faili(de) kohta", + "Integrity checks can be disabled from the Experimental Settings": "Terviklikkuskontrolle saab keelata Eksperimentaalsel Seadadest", + "Repair UniGetUI": "Paranda UniGetUI", + "Live output": "Reaalajas väljund", + "Package not found": "Paketti ei leitud", + "An error occurred when attempting to show the package with Id {0}": "Paketi {0} kuvamise katsel tekkis viga", + "Package": "Pakett", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Sellel pakettide kimbul olid osad seaded, mis võivad olla ohtlikud ja mida võib vaikimisi eirrata.", + "Entries that show in YELLOW will be IGNORED.": "KOLLASES värvus näidatavad sissekanded JÄETAKSE IGNOREERIMA.", + "Entries that show in RED will be IMPORTED.": "PUNASES kirjas kirjed saavad IMPORDITUD.", + "You can change this behavior on UniGetUI security settings.": "Saate seda käitumist muuta UniGetUI turvaseadetes.", + "Open UniGetUI security settings": "Ava UniGetUI turvaseaded", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Kui muudate turvaseadeid, peate kimbu uuesti avama, et muudatused jõustuksid.", + "Details of the report:": "Aruande üksikasjad:", "\"{0}\" is a local package and can't be shared": "\"{0}\" on lokaalne pakett, seda pole võimalik jagada", + "Are you sure you want to create a new package bundle? ": "Kas olete kindel, et soovite luua uue pakettide kimbu?", + "Any unsaved changes will be lost": "Kõik salvestamata muudatused lähevad kaduma", + "Warning!": "Hoiatus!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Turvalisuse huvides on kohandatud käsurea argumendid vaikimisi keelatud. Avage UniGetUI turvaseaded, et seda muuta.", + "Change default options": "Muuda vaikimisi seadeid", + "Ignore future updates for this package": "Eira selle paketi tulevasi uuendusi", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Turvalisuse huvides on enne ja pärast toimingu skriptid vaikimisi keelatud. Avage UniGetUI turvaseaded, et seda muuta.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Saate määrata käskud, mis käivitatakse enne või pärast selle paketi paigaldamist, uuendamist või eemaldamist. Neid käivitatakse käsuperinterpreetertahvlis, seega CMD skriptid töötavad siin.", + "Change this and unlock": "Muuda ja ava", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} paigaldamise sätted on praegu lukustatud, sest {0} järgib vaikimisi paigalduse seadeid.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Valige protsessid, mis tuleb sulgeda enne selle paketi paigaldamist, uuendamist või eemaldamist.", + "Write here the process names here, separated by commas (,)": "Kirjutage siia protsesside nimed, eraldatuna komadega (,)", + "Unset or unknown": "Määramata või teadmata", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Palun vaadake käsurea väljundit või vaadake probleemi kohta lisateavet toiminguajaloost.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Kas sellel paketil pole ekraanipilte või puudub ikoon? Aita kaasa WingetUI-le, lisades puuduolevad ikoonid ja pildid meie avatud avalikku andmebaasi.", + "Become a contributor": "Saa panustajaks", + "Save": "Salvesta", + "Update to {0} available": "{0} uuendus leitud", + "Reinstall": "Paigalda uuesti", + "Installer not available": "Paigaldaja pole saadaval", + "Version:": "Versioon:", + "Performing backup, please wait...": "Toimub varundamine, palun oodake...", + "An error occurred while logging in: ": "Sisselogimise ajal tekkis viga:", + "Fetching available backups...": "Saadaolevate varukoopiafailide herimine...", + "Done!": "Valmis!", + "The cloud backup has been loaded successfully.": "Pilvevarundus laadi edukalt.", + "An error occurred while loading a backup: ": "Varukoopiafaili laadimise ajal tekkis viga:", + "Backing up packages to GitHub Gist...": "Pakettide varundamine GitHub Gisti...", + "Backup Successful": "Varukoopia õnnestus", + "The cloud backup completed successfully.": "Pilvevarundus lõpetati edukalt.", + "Could not back up packages to GitHub Gist: ": "Pakettide varundamine GitHub Gisti nurjus:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Ei ole tagatud, et esitatud kasutajatunnused salvestatakse turvaliselt, seega võite sama hästi mitte kasutada oma pangakonto kasutajatunnuseid", + "Enable the automatic WinGet troubleshooter": "Luba automaatne WinGeti tõrkeotsija", + "Enable an [experimental] improved WinGet troubleshooter": "Luba [eksperimentaalne] parandatud WinGeti tõrkeotsija", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Lisa ebaõnnestunud uuendused, mille puhul kuvatakse teade \"sobivat uuendust ei leitud\", ignoreeritavate uuenduste loendisse", + "Restart WingetUI to fully apply changes": "Taaskäivita WingetUI muudatuste täielikuks rakendamiseks", + "Restart WingetUI": "Taaskäivita WingetUI", + "Invalid selection": "Sobimatu valik", + "No package was selected": "Ühtegi paketti pole valitud", + "More than 1 package was selected": "Valiti rohkem kui 1 pakett", + "List": "Nimekirja", + "Grid": "Ruudustik", + "Icons": "Ikoonid", "\"{0}\" is a local package and does not have available details": "\"{0}\" on lokaalne pakett, selle üksikasjad ei ole kättesaadavad", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" on lokaalne pakett, see ei toeta seda funktsiooni", - "(Last checked: {0})": "(Viimati kontrollitud: {0})", + "WinGet malfunction detected": "WinGeti häire avastatud", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Näib, et WinGet ei tööta korralikult. Kas soovite proovida WinGetit parandada?", + "Repair WinGet": "Paranda WinGet", + "Create .ps1 script": "Loo .ps1 skript", + "Add packages to bundle": "Lisa paketid kimpu", + "Preparing packages, please wait...": "Pakettide vahalistamine, palun oodake...", + "Loading packages, please wait...": "Pakettide laadimine, palun oodake...", + "Saving packages, please wait...": "Pakettide salvestamine, palun oodake...", + "The bundle was created successfully on {0}": "Kimp loodi edukalt {0}-l", + "Install script": "Paigaldamiskskript", + "The installation script saved to {0}": "Paigaldamiskskript salvestati {0}-sse", + "An error occurred while attempting to create an installation script:": "Paigaldamisskripti loomisel tekkis viga:", + "{0} packages are being updated": "{0} paketti uuendatakse", + "Error": "Viga", + "Log in failed: ": "Sisselogimine nurjus:", + "Log out failed: ": "Väljalogimine nurjus:", + "Package backup settings": "Paketi varundamise seaded", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Positsioon {0} järjekorras)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@artjom3729", "0 packages found": "Pole pakette leitud", "0 updates found": "Pole uuendusi leitud", - "1 - Errors": "1 - Vead", - "1 day": "Üks päev", - "1 hour": "Üks tund", "1 month": "Üks kuu", "1 package was found": "Üks pakett on leitud", - "1 update is available": "Üks uuendus on kättesaadav", - "1 week": "Üks nädal", "1 year": "Üks aasta", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Minge leheküljele \"{0}\" või \"{1}\".", - "2 - Warnings": "2 - Hoiatused", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Leidke paketid, mida soovite kimpu lisada, ning tee vasakpoolseim linnuke.", - "3 - Information (less)": "3 - Teave (vähem)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kui paketid, mida soovite kimpu lisada, on valitud, leidke ja vajutage nupp \"{0}\" tööristaribal.", - "4 - Information (more)": "4 - Teave (rohkem)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Te paketid saavad kimpu lisatud. Te saate jätkata pakettide lisamist või eksportida kimp.", - "5 - information (debug)": "5 - teave (silumine)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Populaarne C/C++ teekide haldur. Täis C/C++ teeke ja muud C/C++-ga seotud utiliite
Sisaldab: C/C++ teekid ja seotud utiliidid", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repositoorium, mis on täis Microsofti .NET ökosüsteemi silmas pidades loodud tööriistu ja käivitatavaid faile.
Sisaldab: .NETiga seotud tööriistu ja skripte", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repositoorium, mis on täis Microsofti .NET ökosüsteemi silmas pidades loodud tööriistu.
Sisaldab: .NETiga seotud tööriistu", "A restart is required": "Taaskäivitamine on vajalik", - "Abort install if pre-install command fails": "Katkesta paigaldamine kui eelne käsk nurjub", - "Abort uninstall if pre-uninstall command fails": "Katkesta eemaldamine kui eelne käsk nurjub", - "Abort update if pre-update command fails": "Katkesta uuendamine kui eelne käsk nurjub", - "About": "Rakendusest", "About Qt6": "Qt6-st", - "About WingetUI": "WingetUI`ist", "About WingetUI version {0}": "WingetUI versioonist {0}", "About the dev": "Tarkvaraarendajaist", - "Accept": "Nõustu", "Action when double-clicking packages, hide successful installations": "Toiming pakette topeltvajutamisel, peida edukad paigaldused", - "Add": "Lisa", "Add a source to {0}": "Lisa allikas lehele {0}", - "Add a timestamp to the backup file names": "Lisa ajatempel varukoopiafailinimedele", "Add a timestamp to the backup files": "Lisa ajatempel varukoopiafailidele", "Add packages or open an existing bundle": "Lisa paketid või ava olemasolev kimp", - "Add packages or open an existing package bundle": "Lisa paketid või ava olemasolev paketikomplekt", - "Add packages to bundle": "Lisa paketid kimpu", - "Add packages to start": "Lisa paketid alustamiseks", - "Add selection to bundle": "Lisa valik kimpu", - "Add source": "Lisa allikas", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Lisa ebaõnnestunud uuendused, mille puhul kuvatakse teade \"sobivat uuendust ei leitud\", ignoreeritavate uuenduste loendisse", - "Adding source {source}": "Allika {source} lisamine", - "Adding source {source} to {manager}": "Allika {source} lisamine {manager}`isse", "Addition succeeded": "Lisamine õnnestus", - "Administrator privileges": "Administraatori õigused", "Administrator privileges preferences": "Administraatori õiguste eelistused", "Administrator rights": "Administraatori õigused", - "Administrator rights and other dangerous settings": "Administraatori õigused ja muud ohtlikud seaded", - "Advanced options": "Täpsemad valikud", "All files": "Kõik failid", - "All versions": "Kõik versioonid", - "Allow changing the paths for package manager executables": "Luba paketihalduri käivitatavate failide teede muutmine", - "Allow custom command-line arguments": "Luba kohandatud käsurea argumendid", - "Allow importing custom command-line arguments when importing packages from a bundle": "Luba kohandatud käsurea argumentide importimine pakettide impordi ajal kimbust", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Luba kohandatud eelse ja järelse paigaldamise käskude importimine pakettide impordi ajal kimbust", "Allow package operations to be performed in parallel": "Luba paketitoimingute paralleelne sooritamine", "Allow parallel installs (NOT RECOMMENDED)": "Luba paralleelsed allalaadimised (POLE SOOVITATAV)", - "Allow pre-release versions": "Luba väljalaske-eelsed versioonid", "Allow {pm} operations to be performed in parallel": "Luba {pm} toimingute paralleelne sooritamine", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Teise võimalusena saate paigaldada {0}, käivitades järgmise käsu Windows PowerShelli kujul:", "Always elevate {pm} installations by default": "Alati tõsta {pm} allalaadimiste õigused vaikimisi", "Always run {pm} operations with administrator rights": "Alati käivitada {pm} toimingud administraatori õigustega", - "An error occurred": "Tekkis viga:", - "An error occurred when adding the source: ": "Allika lisamisel tekkis viga:", - "An error occurred when attempting to show the package with Id {0}": "Paketi {0} kuvamise katsel tekkis viga", - "An error occurred when checking for updates: ": "Uuenduste kontrollimisel tekkis viga:", - "An error occurred while attempting to create an installation script:": "Paigaldamisskripti loomisel tekkis viga:", - "An error occurred while loading a backup: ": "Varukoopiafaili laadimise ajal tekkis viga:", - "An error occurred while logging in: ": "Sisselogimise ajal tekkis viga:", - "An error occurred while processing this package": "Selle paketi töötlemisel tekkis viga", - "An error occurred:": "Tekkis viga:", - "An interal error occurred. Please view the log for further details.": "Tekkis siseviga. Lisateabe saamiseks vaadake logi.", "An unexpected error occurred:": "Tekkis ootamatu viga:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGeti parandamise katsel tekkis ootamatu probleem. Palun proovige hiljem uuesti", - "An update was found!": "Uuendus on leitud!", - "Android Subsystem": "Androidi alamsüsteem", "Another source": "Teine allikas", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Kõik paigaldamise või uuendamise ajal loodud otseteed kustutatakse automaatselt, selleasemel et näidata kinnitajavaate, kui neid esmalt tuvastatakse.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI väljaspool loodud või muudetud otseteed jäetakse ignoreerida. Saate neid lisada {0} nupu kaudu.", - "Any unsaved changes will be lost": "Kõik salvestamata muudatused lähevad kaduma", "App Name": "Rakenduse nimi", - "Appearance": "Välimus", - "Application theme, startup page, package icons, clear successful installs automatically": "Rakenduse teema, käivitamisleht, paketi ikoonid, kustuta edukad paigaldused automaatselt", - "Application theme:": "Rakenduse teema:", - "Apply": "Rakenda", - "Architecture to install:": "Paigaldamisarhitektuur:", "Are these screenshots wron or blurry?": "Kas need kuvatõmmised on valed või udused?", - "Are you really sure you want to enable this feature?": "Kas te olete tõesti kindel, et soovite seda funktsiooni lubada?", - "Are you sure you want to create a new package bundle? ": "Kas olete kindel, et soovite luua uue pakettide kimbu?", - "Are you sure you want to delete all shortcuts?": "Kas olete kindel, et soovite kustutada kõik otseteed?", - "Are you sure?": "Olete kindel?", - "Ascendant": "Kasvav", - "Ask for administrator privileges once for each batch of operations": "Küsi administraatori õigused üks kord iga toimingupartii kohta", "Ask for administrator rights when required": "Küsi administraatori õigused, kui see on vajalik", "Ask once or always for administrator rights, elevate installations by default": "Küsi korra või alati administraatori õigused, tõsta allalaadimiste õigused vaikimisi", - "Ask only once for administrator privileges": "Küsi administraatori õiguseid vaid üks kord", "Ask only once for administrator privileges (not recommended)": "Küsi administraatori õigused ainult üks kord (ei ole soovitatav)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Küsi, kas kustutada töölauakohase paigaldamise või uuendamise ajal loodud otseteed.", - "Attention required": "Tähelepanu nõutud", "Authenticate to the proxy with an user and a password": "Autentigumine puhverserveri ees kasutaja ja parooliga", - "Author": "Looja", - "Automatic desktop shortcut remover": "Automaatne töölauakohase otsetee eemalda", - "Automatic updates": "Automaatilised uuendused", - "Automatically save a list of all your installed packages to easily restore them.": "Salvesta automaatselt kõigi paigaldatud pakettide loend, et neid hõlpsasti taastada.", "Automatically save a list of your installed packages on your computer.": "Salvesta automaatselt arvutis paigaldatud pakettide loend.", - "Automatically update this package": "Uuenda seda paketti automaatselt", "Autostart WingetUI in the notifications area": "Käivita WingetUI automaatselt teavituste alas", - "Available Updates": "Kättesaadavad uuendused", "Available updates: {0}": "Kättesaadavad uuendused: {0}", "Available updates: {0}, not finished yet...": "Saadaval uuendusi : {0}, veel lõpetamata...", - "Backing up packages to GitHub Gist...": "Pakettide varundamine GitHub Gisti...", - "Backup": "Loo varukoopia", - "Backup Failed": "Varukoopia ebaõnnestus", - "Backup Successful": "Varukoopia õnnestus", - "Backup and Restore": "Varukoopia ja taastumine", "Backup installed packages": "Loo allalaaditud pakettide varukoopia", "Backup location": "Varukoopiafaili asukoht", - "Become a contributor": "Saa panustajaks", - "Become a translator": "Saage tõlkijaks", - "Begin the process to select a cloud backup and review which packages to restore": "Alustage pilvevarukoopiast valimine ja vaadake, milliseid pakette taastada", - "Beta features and other options that shouldn't be touched": "Beetaversiooni funktsioonid ja muud seadused, mida ei tohiks puudutada", - "Both": "Mõlemad", - "Bundle security report": "Kimbu turvaseadused aruanne", "But here are other things you can do to learn about WingetUI even more:": "Aga siin on veel, mida saab teha, et õppida WingetUI kohta veelgi:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Lülitades paketihalduri välja, ei ole Teil enam võimalik selle pakette näha ega uuendada.", "Cache administrator rights and elevate installers by default": "Jäta administraatori õigused meelde ja tõsta paigaldajate õigused vaikimisi", "Cache administrator rights, but elevate installers only when required": "Jäta administraatori õigused meelde, aga tõsta paigaldajate õigused vajadusel", "Cache was reset successfully!": "Vahemälu lähtestati edukalt!", "Can't {0} {1}": "Ei saa {0} {1}", - "Cancel": "Tühista", "Cancel all operations": "Tühista kõik operatsioonid", - "Change backup output directory": "Muuda varukoopiaväljundi kataloog", - "Change default options": "Muuda vaikimisi seadeid", - "Change how UniGetUI checks and installs available updates for your packages": "Muuda, kuidas UniGetUI kontrollib ja paigaldab pakettide saadaolevaid uuendusi", - "Change how UniGetUI handles install, update and uninstall operations.": "Muuda, kuidas UniGetUI käsitleb paigaldamise, uuendamise ja eemaldamise toiminguid.", "Change how UniGetUI installs packages, and checks and installs available updates": "Muuda, kuidas UniGetUI paigaldab pakette, ja kontrollib ning installib saadaolevad uuendused", - "Change how operations request administrator rights": "Muuda, kuidas toimingud nõuavad administraatori õiguseid", "Change install location": "Muuda paigaldamiskoht", - "Change this": "Muuda seda", - "Change this and unlock": "Muuda ja ava", - "Check for package updates periodically": "Kontrolli pakettide uuendusi perioodiliselt", - "Check for updates": "Kontrolli uuendusi", - "Check for updates every:": "Kontrolli uuendusi iga:", "Check for updates periodically": "Kontrolli uuendusi perioodiliselt", "Check for updates regularly, and ask me what to do when updates are found.": "Kontrolli regulaarselt uuendusi ja küsi, mida teha, kui uuendused on leitud.", "Check for updates regularly, and automatically install available ones.": "Kontrolli uuendusi regulaarselt ja paigalda saadaolevad automaatselt.", @@ -159,916 +741,335 @@ "Checking for updates...": "Uuenduste kontrollimine", "Checking found instace(s)...": "Leitud eksemplari(de) kontrollimine...", "Choose how many operations shouls be performed in parallel": "Valige, kui palju operatsioone tuleks paralleelselt teha", - "Clear cache": "Tühjenda vahemälu", "Clear finished operations": "Puhasta lõpetatud operatsioonid", - "Clear selection": "Eemalda valik", "Clear successful operations": "Puhasta edukad operatsioonid", - "Clear successful operations from the operation list after a 5 second delay": "Puhasta edukad operatsioonid operatsioonide loendist 5 sekundi viivitusega", "Clear the local icon cache": "Puhasta kohalik ikoonide vahemälu", - "Clearing Scoop cache - WingetUI": "Scoop'i vahemälu kustutamine - WingetUI", "Clearing Scoop cache...": "Scoop'i vahemälu kustutamine...", - "Click here for more details": "Klõpsake siin rohkema teabe saamiseks", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Paigaldamisprotsessi alustamiseks vajutage nuppu \"Paigalda\". Kui jätate paigalduse vahele, ei pruugi UniGetUI töötada ootuspäraselt.", - "Close": "Sule", - "Close UniGetUI to the system tray": "Sule UniGetUI tegumiribi", "Close WingetUI to the notification area": "Sule WingetUI teavitamispiirkonda", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Pilvevarundus kasutab privaatset GitHub Gisti paigaldatud pakettide loendi salvestamiseks", - "Cloud package backup": "Pilvepaketikambaaeg", "Command-line Output": "Käsurea väljund", - "Command-line to run:": "Käitatav käsurea rida:", "Compare query against": "Võrdle päringut vastu", - "Compatible with authentication": "Ühilduv autentimisega", - "Compatible with proxy": "Ühilduv puhverservega", "Component Information": "Komponentide informatsioon", - "Concurrency and execution": "Samaaegne ja täitmine", - "Connect the internet using a custom proxy": "Internet'i ühendamine kohandatud puhvri abil", - "Continue": "Jätka", "Contribute to the icon and screenshot repository": "Panusta ikooni ja piltide repositooriumisse", - "Contributors": "Panustajad", "Copy": "Kopeeri", - "Copy to clipboard": "Kopeeri lõikepuhvrisse", - "Could not add source": "Allika lisamine nurjus", - "Could not add source {source} to {manager}": "Allika {source} {manager}'isse lisamine nurjus", - "Could not back up packages to GitHub Gist: ": "Pakettide varundamine GitHub Gisti nurjus:", - "Could not create bundle": "Kimbu loomine nurjus", "Could not load announcements - ": "Teadete laadimine nurjus -", "Could not load announcements - HTTP status code is $CODE": "Teadete laadimine nurjus - HTTP olekukood on $CODE", - "Could not remove source": "Allika eemaldamine nurjus", - "Could not remove source {source} from {manager}": "Allika {source} {manager}'ist eemaldamine nurjus", "Could not remove {source} from {manager}": "{source} {manager}'ist eemaldamine nurjus", - "Create .ps1 script": "Loo .ps1 skript", - "Credentials": "Kasutajatunnused", "Current Version": "Praegune versioon", - "Current executable file:": "Praegune käivitatav fail:", - "Current status: Not logged in": "Praegune olek: pole sisse logitud", "Current user": "Praegune kasutaja", "Custom arguments:": "Kohandatud argumendid:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Kohandatud käsurea argumendid võivad muuta viisi, kuidas programmid paigaldatakse, uuendatakse või eemaldatakse, nii et UniGetUI ei saa kontrolli. Kohandatud käsujoonte kasutamine võib pakette rikuda. Toimige ettevaatusega.", "Custom command-line arguments:": "Kohandatud käsurea argumendid:", - "Custom install arguments:": "Kohandatud paigaldamise argumendid:", - "Custom uninstall arguments:": "Kohandatud eemaldamise argumendid:", - "Custom update arguments:": "Kohandatud uuendamise argumendid:", "Customize WingetUI - for hackers and advanced users only": "WingetUI kohandamine - ainult häkkeritele ja edasijõudnud kasutajatele", - "DEBUG BUILD": "SILUMISE KOOSTAMINE", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "LAHTIÜTLUS: ME EI VASTUTA ALLALAETUD PAKETTIDE EEST. PALUN VEENDUGE, ET PAIGALDATE AINULT USALDUSVÄÄRSET TARKVARA.", - "Dark": "Tume", - "Decline": "Keeldu", - "Default": "Vaikimisi", - "Default installation options for {0} packages": "Vaikimisi paigaldamise seaded {0} pakettide jaoks", "Default preferences - suitable for regular users": "Vaikimisi eelistused - sobib tavakasutajatele", - "Default vcpkg triplet": "Vaikimisi vcpkg kolmainsamblik", - "Delete?": "Kustuta?", - "Dependencies:": "Sõltuvused:", - "Descendant": "Laskuv", "Description:": "Kirjeldus:", - "Desktop shortcut created": "Töölauakohane otsetee loodud", - "Details of the report:": "Aruande üksikasjad:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Arendamine on keeruline ja rakendus on tasuta. Kuid kui teile meeldis rakendus, võite alati osta mulle kohvi :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Paigalda otse, kui topeltklikate {discoveryTab} vahekaardil olevale üksusele (selle asemel, et näidata paketi infot)", "Disable new share API (port 7058)": "Lülita välja uus jagamise API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Keelustan 1-minutilise aja piirangu pakettide operatsioonidele", - "Disabled": "Keelatud", - "Disclaimer": "Lahtiütlus", - "Discover Packages": "Uurige pakette", "Discover packages": "Uurige pakette", "Distinguish between\nuppercase and lowercase": "Erista suur- ja väiketähte", - "Distinguish between uppercase and lowercase": "Erista suur- ja väiketähte", "Do NOT check for updates": "ÄRA kontrolli uuendusi", "Do an interactive install for the selected packages": "Tee valitud pakettide jaoks interaktiivne paigaldamine", "Do an interactive uninstall for the selected packages": "Tee valitud pakettide jaoks interaktiivne kustutamine", "Do an interactive update for the selected packages": "Tee valitud pakettide jaoks interaktiivne uuendus", - "Do not automatically install updates when the battery saver is on": "Ära paigalda uuendusi automaatselt, kui aku sääst on sisse lülitatud", - "Do not automatically install updates when the device runs on battery": "Ära paigalda uuendusi automaatselt, kui seade käib akul", - "Do not automatically install updates when the network connection is metered": "Ära paigalda uuendusi automaatselt, kui võrguühendus on piiratud", "Do not download new app translations from GitHub automatically": "Ära laadi GitHubist uusi rakenduse tõlkeid automaatselt", - "Do not ignore updates for this package anymore": "Eira enam selle paketi uuendusi", "Do not remove successful operations from the list automatically": "Ära kustuta edukad toimingud nimekirjast automaatselt", - "Do not show this dialog again for {0}": "Ära näita seda dialoogi enam {0} jaoks", "Do not update package indexes on launch": "Ära uuenda pakettide indekseid käivitamisel", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Kas nõustute, et UniGetUI kogub ja saadab anonüümseid kasutamisstatistikaid, mille ainus eesmärk on kasutajakogemuse mõistmine ja parandamine?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Kas arvate, et UniGetUI on kasulik? Kui saate, võiksite toetada minu tööd, et saaksin jätkata UniGetUI-d parema paketihalduri liidesena.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Kas Te arvate, et WingetUI on kasulik? Kas tahaksite toetada loojat? Kui jah, siis saate {0}, see aitab väga!", - "Do you really want to reset this list? This action cannot be reverted.": "Kas te tõesti soovite seda loendit lähtestada? Seda toimingut ei saa tagasi pöörata.", - "Do you really want to uninstall the following {0} packages?": "Kas te tõesti soovite eemaldada {0, plural, one {järgmine pakett} few {järgmised {0} paketid} other {järgmised {0} paketid}}?", "Do you really want to uninstall {0} packages?": "Kas te tõesti soovite eemaldada {0, plural, one {üks pakett} few {{0} paketti} other {{0} paketti}}?", - "Do you really want to uninstall {0}?": "Kas te tõesti soovite eemaldada {0}?", "Do you want to restart your computer now?": "Kas Te soovite taaskäivitada arvuti praegu?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Kas soovite tõlkida WingetUI-d oma keelde? Vaatage, kuidas panustada SIIN!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Kas teil pole soovi annetada? Ärge muretsege, saate alati jagada UniGetUI-d oma sõpradega. Levitage teadust UniGetUI kohta.", "Donate": "Anneta", - "Done!": "Valmis!", - "Download failed": "Allalaadimine ebaõnnestus", - "Download installer": "Laadi alla paigaldaja", - "Download operations are not affected by this setting": "Allalaadimistoiminguid see säte ei mõjuta", - "Download selected installers": "Laadi alla valitud paigaldajad", - "Download succeeded": "Allalaadimine õnnestus", "Download updated language files from GitHub automatically": "Laadi uuendatud keelefailid GitHubist automaatselt alla", "Downloading": "Allalaadimine", - "Downloading backup...": "Varukoopiafaili allalaadimine...", "Downloading installer for {package}": "Paigaldaja allalaadimine paketile {package}", "Downloading package metadata...": "Paketi metaandmete allalaadimine", - "Enable Scoop cleanup on launch": "Luba Scoopi puhastamine käivitamisel", - "Enable WingetUI notifications": "Lülita sisse WingetUI teavitused", - "Enable an [experimental] improved WinGet troubleshooter": "Luba [eksperimentaalne] parandatud WinGeti tõrkeotsija", - "Enable and disable package managers, change default install options, etc.": "Luba ja keela packagemanagerid, muuda vaikimisi paigaldamise seadeid jne", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Luba tausta CPU kasutuse optimiseerimised (vaata Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Lülita tausta API sisse (WingetUI vidinad ja jagamine, port 7058)", - "Enable it to install packages from {pm}.": "Luba see pakettide paigaldamiseks {pm}-st.", - "Enable the automatic WinGet troubleshooter": "Luba automaatne WinGeti tõrkeotsija", "Enable the new UniGetUI-Branded UAC Elevator": "Luba uus UniGetUI-kaubamärgiga UAC Elevator", "Enable the new process input handler (StdIn automated closer)": "Luba uus protsessisissendi käsitleja (StdIn automaatne suleja)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Lubage alltoodud seaded siis ja ainult siis, kui te täielikult mõistate, mida nad teevad, ja milliseid tagajärgi neil võib olla.", - "Enable {pm}": "Luba {pm}", - "Enabled": "Lubatud", - "Enter proxy URL here": "Sisestage puhvri URL siin", - "Entries that show in RED will be IMPORTED.": "PUNASES kirjas kirjed saavad IMPORDITUD.", - "Entries that show in YELLOW will be IGNORED.": "KOLLASES värvus näidatavad sissekanded JÄETAKSE IGNOREERIMA.", - "Error": "Viga", - "Everything is up to date": "Kõik on ajakohane", - "Exact match": "Täpne vaste", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Teie töölaua olemasolevaid otseteid skannitakse ja peate valima, millised jätta ja millised eemaldada.", - "Expand version": "Laienda versioon", - "Experimental settings and developer options": "Eksperimentaalsed seaded ja tarkvaraarendaja säted", - "Export": "Ekspordi", - "Export log as a file": "Ekspordi logid failina", - "Export packages": "Ekspordi paketid", - "Export selected packages to a file": "Ekspordi valitud paketid failisse", - "Export settings to a local file": "Ekspordi seaded faili", - "Export to a file": "Ekspordi faili", - "Failed": "Ebaõnnestus", - "Fetching available backups...": "Saadaolevate varukoopiafailide herimine...", + "Export log as a file": "Ekspordi logid failina", + "Export packages": "Ekspordi paketid", + "Export selected packages to a file": "Ekspordi valitud paketid failisse", "Fetching latest announcements, please wait...": "Viimaste teadete hankimine, palun oodake...", - "Filters": "Filtrid", "Finish": "Lõpeta", - "Follow system color scheme": "Järgi süsteemi värviskeemi", - "Follow the default options when installing, upgrading or uninstalling this package": "Järgi paketi paigaldamisel, uuendamisel või eemaldamisel vaikimisi valikuid.", - "For security reasons, changing the executable file is disabled by default": "Turvalisuse huvides on käivitatava faili muutmine vaikimisi keelatud", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Turvalisuse huvides on kohandatud käsurea argumendid vaikimisi keelatud. Avage UniGetUI turvaseaded, et seda muuta.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Turvalisuse huvides on enne ja pärast toimingu skriptid vaikimisi keelatud. Avage UniGetUI turvaseaded, et seda muuta.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Kasuta ARMi kompileeritud winget versioon (AINULT ARM64 SÜSTEEMIDE JAOKS)", - "Force install location parameter when updating packages with custom locations": "Jõusta paigaldamisasukohate parameetrit kohandatud asukohaga pakettide uuendamisel", "Formerly known as WingetUI": "Varem tuntud kui WingetUI", "Found": "Leitud", "Found packages: ": "Leitud pakette:", "Found packages: {0}": "Leitud pakette: {0}", "Found packages: {0}, not finished yet...": "Leitud pakette: {0}, veel lõpetamata...", - "General preferences": "Üldised seaded", "GitHub profile": "GitHubi profiil", "Global": "Globaalne", - "Go to UniGetUI security settings": "Avage UniGetUI turvaseaded", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Suur teadmus tundmatute kuid kasulike tööstuste ja muude huvitavate pakettide kohta.
Sisaldab: Utiliidid, käsurea programmid, üldine tarkvara (nõutav lisade anumat)", - "Great! You are on the latest version.": "Suurepärane! Te olete uumal versioonil.", - "Grid": "Ruudustik", - "Help": "Abi", "Help and documentation": "Abi ja dokumentatsioon", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Siin saate muuta UniGetUI käitumist järgmiste otseotsingute suhtes. Lühiteeotsingule klõpsamine põhjustab UniGetUI selle kustutamisele, kui see luuakse tulevases uuenduses. Märkuse eemaldamine hoiab otsetee puutumata", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Tere, minu nimi on Martí ja mina olen WingetUI arendaja. WingetUI on täielikult tehtud minu vabal ajal!", "Hide details": "Peida detailid", - "Homepage": "kodulehekülg", - "homepage": "kodulehekülg", - "Hooray! No updates were found.": "Hurraa! Uuendusi pole leitud.", "How should installations that require administrator privileges be treated?": "Kuidas tuleks käsitleda paigaldusi, mis nõuavad administraatori õiguseid?", - "How to add packages to a bundle": "Kuidas lisada paketid kimpu", - "I understand": "Saan aru", - "Icons": "Ikoonid", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Kui teil on pilvevarundus aktiveeritud, salvestatakse see GitHub Gistina sellele kontole.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Luba kohandatud enne ja pärast paigaldamise käskude täitmine", - "Ignore future updates for this package": "Eira selle paketi tulevasi uuendusi", - "Ignore packages from {pm} when showing a notification about updates": "Eira pakette {pm}-st, kui näidatakse teavitust uuenduste kohta", - "Ignore selected packages": "Eira valituid pakette", - "Ignore special characters": "Eira erimärke", "Ignore updates for the selected packages": "Eira valitud pakettide uuendusi", - "Ignore updates for this package": "Eira selle paketi uuendusi", "Ignored updates": "Eiratavad uuendused", - "Ignored version": "Eiratav versioon", - "Import": "Impordi", "Import packages": "Impordi paketid", "Import packages from a file": "Impordi paketid failist", - "Import settings from a local file": "Impordi seaded failist", - "In order to add packages to a bundle, you will need to: ": "Selleks, et lisada paketid kimpu, te peate:", "Initializing WingetUI...": "UniGetUI initsialiseerimine...", - "Install": "Paigalda", - "install": "paigalda", - "Install Scoop": "Paigalda Scoop", "Install and more": "Paigalda ja rohkem", "Install and update preferences": "Paigaldamise ja uuendamise eelistused", - "Install as administrator": "Paigalda administraatori nimelt", - "Install available updates automatically": "Paigalda saadaolevad uuendused automaatselt", - "Install location can't be changed for {0} packages": "Paigaldamiskoha ei saa muuta {0} pakettides", - "Install location:": "Paigaldamiskoht:", - "Install options": "Paigaldamise seaded", "Install packages from a file": "Paigalda paketid failist", - "Install prerelease versions of UniGetUI": "Paigalda UniGetUI väljalaske-eelsed versioonid", - "Install script": "Paigaldamiskskript", "Install selected packages": "Paigalda valitud paketid", "Install selected packages with administrator privileges": "Paigalda valitud paketid administraatori õigustega", - "Install selection": "Paigalda valik", "Install the latest prerelease version": "Paigalda viimane väljalaske-eelne versioon", "Install updates automatically": "Paigalda uuendusi automaatselt", - "Install {0}": "Paigalda {0}", "Installation canceled by the user!": "Paigaldamine tühistatud kasutaja poolt!", - "Installation failed": "Paigaldamine ebaõnnestus", - "Installation options": "Paigaldamise seaded", - "Installation scope:": "Paigaldamise ulatus:", - "Installation succeeded": "Paigaldamine õnnestus", - "Installed Packages": "Paigaldatud paketid", "Installed packages": "Paigaldatud paketid", - "Installed Version": "Paigaldatud versioon:", - "Installer SHA256": "Paigaldaja SHA256", - "Installer SHA512": "Paigaldaja SHA512", - "Installer Type": "Paigaldaja tüüp", - "Installer URL": "Paigaldaja URL", - "Installer not available": "Paigaldaja pole saadaval", "Instance {0} responded, quitting...": "{0} vastas, väljun...", - "Instant search": "Hetkeline otsimine", - "Integrity checks can be disabled from the Experimental Settings": "Terviklikkuskontrolle saab keelata Eksperimentaalsel Seadadest", - "Integrity checks skipped": "Terviklikkuskontrollid vahele jäetud", - "Integrity checks will not be performed during this operation": "Selle toimingu ajal ei tehta terviklikkuskontrolli", - "Interactive installation": "Interaktiivne paigaldus", - "Interactive operation": "Interaktiivne toiming", - "Interactive uninstall": "Interaktiivne kustutamine", - "Interactive update": "Interaktiivne uuendus", - "Internet connection settings": "Internet'i ühenduse seaded", - "Invalid selection": "Sobimatu valik", "Is this package missing the icon?": "Kas sellest paketist puudub ikoon?", - "Is your language missing or incomplete?": "Kas teie keel on puudu või puudulik?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Ei ole tagatud, et esitatud kasutajatunnused salvestatakse turvaliselt, seega võite sama hästi mitte kasutada oma pangakonto kasutajatunnuseid", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Pärast WinGeti parandamist on soovitatav UniGetUI taaskäivitada", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "On tungivalt soovitatav UniGetUI taaspaigaldada, et lahendada olukord.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Näib, et WinGet ei tööta korralikult. Kas soovite proovida WinGetit parandada?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Näib, et te käitasite UniGetUI-t administraatorina, mida ei ole soovitatav. Saate programmi kasutada, kuid soovitame tungivalt mitte käitada UniGetUI-t administraatori õigustega. Klõpsake \"{showDetails}\" kohta, et näha, miks.", - "Language": "Keel", - "Language, theme and other miscellaneous preferences": "Keel, teema ja muud eelistused", - "Last updated:": "Viimati uuendatud:", - "Latest": "Viimane", "Latest Version": "Viimane versioon", "Latest Version:": "Viimane versioon:", "Latest details...": "Viimased detailid...", "Launching subprocess...": "Alamprotsessi käivitamine...", - "Leave empty for default": "Jäta tühjaks vaikimisi jaoks", - "License": "Litsents", "Licenses": "Litsentsid", - "Light": "Hele", - "List": "Nimekirja", "Live command-line output": "Reaalajas käsurea väljund", - "Live output": "Reaalajas väljund", "Loading UI components...": "Kasutajaliidese komponentide laadimine", "Loading WingetUI...": "UniGetUI laadimine...", - "Loading packages": "Pakettide laadimine", - "Loading packages, please wait...": "Pakettide laadimine, palun oodake...", - "Loading...": "Laeb...", - "Local": "Lokaalne", - "Local PC": "See arvuti", - "Local backup advanced options": "Lokaalse varukoopia täpsemad valikud", "Local machine": "Kõigi kasutajate jaoks", - "Local package backup": "Lokaalse paketi varundus", "Locating {pm}...": "{pm} otsimine...", - "Log in": "Logi sisse", - "Log in failed: ": "Sisselogimine nurjus:", - "Log in to enable cloud backup": "Logige sisse, et lubada pilvevarundus", - "Log in with GitHub": "Logi sisse GitHub-ga", - "Log in with GitHub to enable cloud package backup.": "Logige sisse GitHub-ga, et lubada pilvepaketikambaaeg.", - "Log level:": "Logide tase:", - "Log out": "Logi välja", - "Log out failed: ": "Väljalogimine nurjus:", - "Log out from GitHub": "Logi välja GitHubi", "Looking for packages...": "Pakettide otsimine...", "Machine | Global": "Seade | Globaalne", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Vigased käsurea argumendid võivad pakette rikuda või isegi lubada pahavaretel kasutajatel saada õigustatud täitmist. Seega on kohandatud käsurea argumentide importimine vaikimisi keelatud.", - "Manage": "Halda", - "Manage UniGetUI settings": "Halda UniGetUI seadeid", "Manage WingetUI autostart behaviour from the Settings app": "Halda WingetUI automaatilise käivitamise käitumine rakendusest \"Seaded\"", "Manage ignored packages": "Halda eiratavad paketid", - "Manage ignored updates": "Halda eiratavad uuendused", - "Manage shortcuts": "Halda otseteid", - "Manage telemetry settings": "Halda telemetriaandmete seadeid", - "Manage {0} sources": "Halda {0} allikat", - "Manifest": "Manifestmaakond", "Manifests": "Manifestid", - "Manual scan": "Käsitsemisvahendite skaneerimine", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsofti ametlik packagemanager. Täis tuntud ja kontrollitud pakettidega
Sisaldab: Üldine tarkvara, Microsoft Store rakendused", - "Missing dependency": "Puuduvate sõltuvus", - "More": "Rohkem", - "More details": "Rohkem detaile", - "More details about the shared data and how it will be processed": "Lisaandmed jagatud andmete ja nende töötlemise kohta", - "More info": "Lisainfo", - "More than 1 package was selected": "Valiti rohkem kui 1 pakett", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MÄRKUS: seda tõrkeotsijat saab keelata UniGetUI seadetes WinGeti osas", - "Name": "Nimi", - "New": "Uus", "New Version": "Uus versioon", - "New version": "Uus versioon", "New bundle": "Uus kimp", - "Nice! Backups will be uploaded to a private gist on your account": "Tore! Varukoopiad laaditakse üles teie konto privaatsesse gisti.", - "No": "Ei", - "No applicable installer was found for the package {0}": "Paketile {0} ei leitud sobivat paigaldajat", - "No dependencies specified": "Sõltuvused pole märgitud", - "No new shortcuts were found during the scan.": "Skaneerimise ajal ei leitud uusi otseteid.", - "No package was selected": "Ühtegi paketti pole valitud", "No packages found": "Pakette ei leitud", "No packages found matching the input criteria": "Sisendkriteeriumidele vastavaid pakette ei leitud", "No packages have been added yet": "Ühtegi paketti pole veel lisatud", "No packages selected": "Pakette pole valitud", - "No packages were found": "Pakette pole leitud", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Isikuandmeid ei koguta ega saadeta ja kogutud andmetele on antud pseudonüüm, nii et neid ei saa tagasi jäljendada.", - "No results were found matching the input criteria": "Sisendkriteeriumidele vastavaid tulemusi ei leitud", "No sources found": "Allikaid ei leitud", "No sources were found": "Allikaid ei leitud", "No updates are available": "Pole kättesaadavaid uuendusi", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS-i packagemanager. Täis teeke ja muud utiliite, mis orbiidist JavaScript-i maailm
Sisaldab: Node JavaScript teegid ja muud seotud utiliidid", - "Not available": "Pole saadaval", - "Not finding the file you are looking for? Make sure it has been added to path.": "Ei leia otsitavat faili? Veenduge, et see on lisatud PATHi.", - "Not found": "Ei leitud", - "Not right now": "Mitte praegu", "Notes:": "Märkmed:", - "Notification preferences": "Teavitamise eelistused", "Notification tray options": "Teavituste riba seaded", - "Notification types": "Teavituste tüübid", - "NuPkg (zipped manifest)": "NuPkg (tihendatud manifest)", - "OK": "Okei", "Ok": "Okei", - "Open": "Ava", "Open GitHub": "Ava GitHub", - "Open UniGetUI": "Ava UniGetUI", - "Open UniGetUI security settings": "Ava UniGetUI turvaseaded", "Open WingetUI": "Ava WingetUI", "Open backup location": "Ava varukoopiate asukoht", "Open existing bundle": "Ava olemasolev kimp", - "Open install location": "Ava paigaldamisasukoht", "Open the welcome wizard": "Ava tervitusjuhataja", - "Operation canceled by user": "Toiming tühistatud kasutaja poolt ", "Operation cancelled": "Toiming tühistatud", - "Operation history": "Toiminguajalugu", - "Operation in progress": "Toiming protsessis", - "Operation on queue (position {0})...": "Toiming järjekorras (positsioon {0})...", - "Operation profile:": "Toiminguprofii:", "Options saved": "Seaded salvestatud", - "Order by:": "Järjestamine:", - "Other": "Muu", - "Other settings": "Muud seaded", - "Package": "Pakett", - "Package Bundles": "Pakettide kimbud", - "Package ID": "Paketi ID", "Package Manager": "Packagemanager", - "Package manager": "Packagemanager", - "Package Manager logs": "Paketihalduri logid", - "Package Managers": "Packagemanagerid", "Package managers": "Packagemanagerid", - "Package Name": "Paketi nimetus", - "Package backup": "Paketi varundus", - "Package backup settings": "Paketi varundamise seaded", - "Package bundle": "Pakettide kimp", - "Package details": "Paketi info", - "Package lists": "Pakettide nimekirjad", - "Package management made easy": "Pakettide haldamine on lihtne", - "Package manager preferences": "Paketihalduri eelistused", - "Package not found": "Paketti ei leitud", - "Package operation preferences": "Paketi toimingute eelistused", - "Package update preferences": "Paketi uuendamise eelistused", "Package {name} from {manager}": "Pakett {name} allikast {manager}", - "Package's default": "Paketi vaikepositsioon", "Packages": "Paketid", "Packages found: {0}": "Pakettid leitud: {0}", - "Partially": "Osaliselt", - "Password": "Parool", "Paste a valid URL to the database": "Kleepige kehtiv URL andmebaasile", - "Pause updates for": "Pauseerige uuendusi", "Perform a backup now": "Tee varukoopia praegu", - "Perform a cloud backup now": "Teostage pilvevarundus kohe", - "Perform a local backup now": "Teostage kohalik varundus kohe", - "Perform integrity checks at startup": "Teostage käivitamisel terviklikkuskontrolle", - "Performing backup, please wait...": "Toimub varundamine, palun oodake...", "Periodically perform a backup of the installed packages": "Tee perioodiliselt paigaldatud pakettide varukoopia", - "Periodically perform a cloud backup of the installed packages": "Teostage perioodiliselt paigaldatud pakettide pilvevarundus", - "Periodically perform a local backup of the installed packages": "Teostage perioodiliselt kohalik varundus paigaldatud pakettidest", - "Please check the installation options for this package and try again": "Kontrollige selle paketi paigaldamise seadeid ja proovige uuesti", - "Please click on \"Continue\" to continue": "Klõpsake \"Jätka\" jätkamiseks", "Please enter at least 3 characters": "Sisestage vähemalt 3 märki", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Pange tähele, et teatud paketid ei pruugi olla selles arvutis lubatud paketihaldurite tõttu paigaldatavad.", - "Please note that not all package managers may fully support this feature": "Pange tähele, et mitte kõik packagemanagerid ei pruugi seda funktsiooni täielikult toetada", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Pange tähele, et teatud allikatest pärit pakette ei pruugi saada eksportida. Need on hallid ja neid ei ekspordita.", - "Please run UniGetUI as a regular user and try again.": "Palun käivitage UniGetUI tavakasutajana ja proovige uuesti.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Palun vaadake käsurea väljundit või vaadake probleemi kohta lisateavet toiminguajaloost.", "Please select how you want to configure WingetUI": "Valige, kuidas soovite UniGetUI konfigureerida", - "Please try again later": "Proovige hiljem uuesti", "Please type at least two characters": "Sisestage vähemalt kaks märki", - "Please wait": "Palun oodake", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Palun oodake, kuni {0} paigaldub. Võib ilmneda must (või sinine) aken. Palun oodake selle sulgemiseni.", - "Please wait...": "Palun oodake...", "Portable": "Kantaline", - "Portable mode": "Kantaline režiim\n", - "Post-install command:": "Pärast paigaldamist käsk:", - "Post-uninstall command:": "Eemaldamise järgne käsk:", - "Post-update command:": "Pärast uuendust käsk:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShelli packagemanager. Leia teegid ja skriptid PowerShelli võimaluste laiendamiseks
Sisaldab: Moodulid, skriptid, käsulauakohased utiliidid", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Enne ja pärast paigaldamist käskude võib teha teie seadmele väga halbu asju, kui selline on nende eesmärk. Käskude importimine kimbust võib olla väga ohtlik, kui te ei usalda selle pakettide kimbu allikat", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Enne ja pärast paigaldamist käske käivitatakse enne ja pärast paketi paigaldamist, uuendamist või eemaldamist. Olge teadlik, et need võivad asju rikuda, kui neid ei kasutata ettevaatusega", - "Pre-install command:": "Enne paigaldamist käsk:", - "Pre-uninstall command:": "Eemaldamise eelne käsk:", - "Pre-update command:": "Enne uuendust käsk:", - "PreRelease": "EeelVäljalaske", - "Preparing packages, please wait...": "Pakettide vahalistamine, palun oodake...", - "Proceed at your own risk.": "Toimige omal riskil.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Keelusta iga tüüpi tõstmine UniGetUI Elevatori või GStudoga", - "Proxy URL": "Puhvri URL", - "Proxy compatibility table": "Puhvri ühilduvustabel", - "Proxy settings": "Puhvri seaded", - "Proxy settings, etc.": "Puhvri seaded jne", "Publication date:": "Avaldamise kuupäev:", - "Publisher": "Kirjastaja", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythoni teekide haldur. Täis Pythoni teeke ja muud Pythoniga seotud utiliite
Sisaldab: Pythoni teegid ja seotud utiliidid", - "Quit": "Välju", "Quit WingetUI": "Välju WingetUI-ist", - "Ready": "Valmis", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Vähendage UAC-kutseid, tõstke paigaldusi vaikimisi, avage teatud ohtlikkuid funktsioone jne", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Viitake UniGetUI logidele, et saada rohkem teavet mõjutatud faili(de) kohta", - "Reinstall": "Paigalda uuesti", - "Reinstall package": "Paigalda pakett uuesti", - "Related settings": "Seotud seaded", - "Release notes": "Väljalase märkmed", - "Release notes URL": "Väljalase märkmete URL", "Release notes URL:": "Väljalase märkmete URL:", "Release notes:": "Väljalase märkmed:", "Reload": "Taaskäivita", - "Reload log": "Laadi logid uuesti", "Removal failed": "Eemaldamine ebaõnnestus", "Removal succeeded": "Eemaldamine õnnestus", - "Remove from list": "Eemalda nimekirjast", "Remove permanent data": "Eemalda alaline andmestik", - "Remove selection from bundle": "Kustuta valik kimbust", "Remove successful installs/uninstalls/updates from the installation list": "Eemalda edukad paigaldust/eemaldust/uuendus paigalduste nimekirjast", - "Removing source {source}": "Allika {source} eemaldamine", - "Removing source {source} from {manager}": "Allika {source} eemaldamine {manager}-st", - "Repair UniGetUI": "Paranda UniGetUI", - "Repair WinGet": "Paranda WinGet", - "Report an issue or submit a feature request": "Teatage probleemist või esitage funktsiooni taotlus", "Repository": "Repositoorium", - "Reset": "Lähtesta", "Reset Scoop's global app cache": "Lähtesta Scoopi rakenduse süsteemis vahemälu", - "Reset UniGetUI": "Lähtesta UniGetUI", - "Reset WinGet": "Lähtesta WinGet", "Reset Winget sources (might help if no packages are listed)": "Lähtesta Winget allikad (võib aidata, kui pakette pole loetletud)", - "Reset WingetUI": "Lähtesta WingetUI", "Reset WingetUI and its preferences": "Lähtesta WingetUI ja selle seaded", "Reset WingetUI icon and screenshot cache": "Lähtesta WingetUI-i ikooni ja kuvatõmmise vähemälu", - "Reset list": "Lähtesta nimekirja", "Resetting Winget sources - WingetUI": "Winget allikate lähtestamine - WingetUI", - "Restart": "Taaskäivita", - "Restart UniGetUI": "Taaskäivita UniGetUI", - "Restart WingetUI": "Taaskäivita WingetUI", - "Restart WingetUI to fully apply changes": "Taaskäivita WingetUI muudatuste täielikuks rakendamiseks", - "Restart later": "Taaskäivita hiljem", "Restart now": "Taaskäivita praegu", - "Restart required": "Taaskäivitamine on vajalik", "Restart your PC to finish installation": "Taaskäivitage arvuti paigaldamise lõpuleviimiseks", "Restart your computer to finish the installation": "Paigaldamise lõpuleviimiseks taaskäivitage arvuti", - "Restore a backup from the cloud": "Taastage varundus pilves", - "Restrictions on package managers": "Packagemanagerite piirangud", - "Restrictions on package operations": "Pakettide toimingute piirangud", - "Restrictions when importing package bundles": "Pakettide kimbu impordi piirangud", - "Retry": "Proovi uuesti", - "Retry as administrator": "Proovige administraatorina uuesti", "Retry failed operations": "Proovige ebaõnnestunud toiminguid uuesti", - "Retry interactively": "Proovige interaktiivselt uuesti", - "Retry skipping integrity checks": "Proovige terviklikkuskontrollide vahele jättes uuesti", "Retrying, please wait...": "Ümber proovitakse, palun oodake...", "Return to top": "Naase üles", - "Run": "Käivita", - "Run as admin": "Käivita administraatori nimelt", - "Run cleanup and clear cache": "Käivita puhastus ja puhasta vahemälu", - "Run last": "Käivita viimane", - "Run next": "Käivita järgmine", - "Run now": "Käivita nüüd", "Running the installer...": "Paigaldaja käivitamine...", "Running the uninstaller...": "Eemaldaja käivitamine...", "Running the updater...": "Uuendaja käivitamine", - "Save": "Salvesta", "Save File": "Salvesta fail", - "Save and close": "Salvesta ja sule", - "Save as": "Salvesta kui", - "Save bundle as": "Salvesta kimp kui", - "Save now": "Salvesta praegu", - "Saving packages, please wait...": "Pakettide salvestamine, palun oodake...", - "Scoop Installer - WingetUI": "Scoopi paigaldaja - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoopi eemaldaja - WingetUI", - "Scoop package": "Scoopi pakett", + "Save bundle as": "Salvesta kimp kui", + "Save now": "Salvesta praegu", "Search": "Otsi", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Otsige töölauale tarkvara, teatage mulle, kui uuendused on saadaval ja ärge tehke nutikaid asju. Ma ei taha, et UniGetUI oleks liiga keeruline, ma tahan lihtsalt lihtsat tarkvara põõ", - "Search for packages": "Otsi paketid", - "Search for packages to start": "Alusta pakettide otsing", - "Search mode": "Otsimisviis", "Search on available updates": "Otsi kättesaadavad uuendused", "Search on your software": "Oma tarkvara otsimine", "Searching for installed packages...": "Paigaldatud pakettide otsimine...", "Searching for packages...": "Pakettide otsimine...", "Searching for updates...": "Uuenduste otsimine", - "Select": "Vali", "Select \"{item}\" to add your custom bucket": "Valige \"{item}\", et lisada isiklik kimp", "Select a folder": "Vali kaust", - "Select all": "Vali kõik", "Select all packages": "Vali kõik paketid", - "Select backup": "Valige varundus", "Select only if you know what you are doing.": "Valige ainult kui saate aru, mida teete.", "Select package file": "Vali paketi fail", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Valige varundus, mida soovite avada. Hiljem saate vaadata, milliseid pakette soovite paigaldada.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Valige kasutatav käivitatav fail. Järgmine nimekirja näitab UniGetUI-ga leitud käivitatavaid faile", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Valige protsessid, mis tuleb sulgeda enne selle paketi paigaldamist, uuendamist või eemaldamist.", - "Select the source you want to add:": "Valige allikas, mida soovite lisada", - "Select upgradable packages by default": "Vaikimisi valige täienduspakettid", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Valige, mis packagemanagerite ({0}) kasutada, konfigureerige pakettide paigaldamise viis, administraatori õiguste andmist jne.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Saatsin käepigistuse. Ootan kuulaja vastust... ({0}%)", - "Set a custom backup file name": "Määra kohandatud varukoopiafaili nimi", "Set custom backup file name": "Määra kohandatud varukoopiafaili nimi", - "Settings": "Seaded", - "Share": "Jaga", "Share WingetUI": "Jaga UniGetUI", - "Share anonymous usage data": "Jaga anonüümset kasutusstatistika", - "Share this package": "Jaga seda paketti", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Kui muudate turvaseadeid, peate kimbu uuesti avama, et muudatused jõustuksid.", "Show UniGetUI on the system tray": "Näita UniGetUI tegumiribal", - "Show UniGetUI's version and build number on the titlebar.": "Näita UniGetUI versiooni tiitliribal", - "Show WingetUI": "Näita WingetUI", "Show a notification when an installation fails": "Näita teavitus, kui paigaldamine ebaõnnestub", "Show a notification when an installation finishes successfully": "Näita teate, kui paigaldamine lõpeb edukalt", - "Show a notification when an operation fails": "Näita teavitus, kui toiming ebaõnnestub", - "Show a notification when an operation finishes successfully": "Näita teatis, kui toiming lõpeb edukalt", - "Show a notification when there are available updates": "Näita teate, kui saadaolevad uuendused", - "Show a silent notification when an operation is running": "Näita vaikiv teavitus toimingu käivitamisel", "Show details": "Näita detailid", - "Show in explorer": "Näita uurijas", "Show info about the package on the Updates tab": "Näita teavet paketi kohta Uuenduste vahekaardil", "Show missing translation strings": "Näita puuduvaid tõlketekste", - "Show notifications on different events": "Näita teavitusi erinevatel sündmustel", "Show package details": "Näita paketi info", - "Show package icons on package lists": "Näita paketi ikoonid pakettide nimekirjades", - "Show similar packages": "Näita sarnased paketid", "Show the live output": "Näita reaalajas väljund", - "Size": "Suurus", "Skip": "Jäta vahele", - "Skip hash check": "Jäta räsikontroll vahele", - "Skip hash checks": "Jäta räsikontrollid vahele", - "Skip integrity checks": "Jäta terviklikkuse kontroll vahele", - "Skip minor updates for this package": "Jäta väiksemad uuendused selle paketi jaoks vahele", "Skip the hash check when installing the selected packages": "Jäta räsikontroll valitud pakettide paigaldamisel vahele", "Skip the hash check when updating the selected packages": "Jäta räsikontroll valitud pakettide uuendamisel vahele", - "Skip this version": "Jäta versioon vahele", - "Software Updates": "Tarkvara uuendused", - "Something went wrong": "Miski läks valesti", - "Something went wrong while launching the updater.": "Uuendaja käivitamisel mingi asi ebaõnnestus.", - "Source": "Allikas", - "Source URL:": "Allika URL:", - "Source added successfully": "Allikas lisatud edukalt", "Source addition failed": "Allika lisamine ebaõnnestus", - "Source name:": "Allika nimetus:", "Source removal failed": "Allika kustutamine ebaõnnestus", - "Source removed successfully": "Allikas eemaldatud edukalt", "Source:": "Allikas:", - "Sources": "Allikad:", "Start": "Alusta", "Starting daemons...": "Deemoonide käivitamine...", - "Starting operation...": "Toimingu käivitamine...", "Startup options": "Käivitamise sätted", "Status": "Staatus", "Stuck here? Skip initialization": "Olete siia kinni jäänud? Jäta initsialiseerimine vahele", - "Success!": "Õnnestus!", "Suport the developer": "Toeta tarkvaraarendaja", "Support me": "Toeta mind", "Support the developer": "Toeta arendajat", "Systems are now ready to go!": "Süsteemid on nüüd valmis!", - "Telemetry": "Telemetriaandmete", - "Text": "Tekst", "Text file": "Tekstifail", - "Thank you ❤": "Tänan ❤", "Thank you 😉": "Tänan 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rusti packagemanager.
Sisaldab: Rustis kirjutatud Rusti teegid ja programmid", - "The backup will NOT include any binary file nor any program's saved data.": "Varukoopia EI sisalda ühtegi binaarfaili ega programmi salvestatud andmeid.", - "The backup will be performed after login.": "Varukoopia tehakse pärast sisselogimist.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Varukoopia sisaldab paigaldatud pakettide täielikku loendit ja nende paigaldamisvõimalusi. Salvestatakse ka ignoreeritud uuendusi ja vahele jäetud versioone.", - "The bundle was created successfully on {0}": "Kimp loodi edukalt {0}-l", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Kimp, mida proovite laadida, näib olevat sobimatu. Kontrollige faili ja proovige uuesti.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Paigaldaja kontrollsumma ei lange kokku eeldatava väärtusega ja paigaldaja autentsust ei saa kontrollida. Kui usaldate väljaandjat, {0} pakett uuesti räsikontrolli vahele jättes.\n", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windowsi klassikaline packagemanager. Leiate sealt kõik.
Sisaldab: Üldine tarkvara", - "The cloud backup completed successfully.": "Pilvevarundus lõpetati edukalt.", - "The cloud backup has been loaded successfully.": "Pilvevarundus laadi edukalt.", - "The current bundle has no packages. Add some packages to get started": "Käesolevas kimbus pole pakette. Lisage mõned paketid, et alustada", - "The executable file for {0} was not found": "Käivitatavat faili {0} jaoks ei leitud", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Järgmised valikud rakendatakse vaikimisi iga kord, kui {0} pakett paigaldatakse, uuendatakse või eemaldatakse.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Järgmised paketid eksporditakse JSON-faili. Kasutajate andmeid ega kahendfaile ei salvestata.", "The following packages are going to be installed on your system.": "Järgmised paketid paigaldatakse teie süsteemile.", - "The following settings may pose a security risk, hence they are disabled by default.": "Järgmised seaded võivad esitada turvariski, seega on nad vaikimisi keelatud.", - "The following settings will be applied each time this package is installed, updated or removed.": "Järgmisi seadeid rakendatakse iga kord, kui see pakett on paigaldatud, uuendatud või eemaldatud.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Järgmisi seadeid rakendatakse iga kord, kui see pakett on paigaldatud, uuendatud või eemaldatud. Need salvestatakse automaatselt.", "The icons and screenshots are maintained by users like you!": "Ikoonid ja pildid on hooldatud kasutajate nagu sina poolt!", - "The installation script saved to {0}": "Paigaldamiskskript salvestati {0}-sse", - "The installer authenticity could not be verified.": "Paigaldaja autentsuse tõendamine nurjus", "The installer has an invalid checksum": "Paigaldajal on vigane kontrollsumma", "The installer hash does not match the expected value.": "Paigaldaja räsi ei vasta eeldatavale väärtusele.", - "The local icon cache currently takes {0} MB": "Kohalik ikoonide vahemälu võtab praegu {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Selle projekti peamine eesmärk on luua intuitiivne kasutajaliides, et hallata Windowsi levinumaid CLI-paketi-haldureid nagu Winget ja Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paketti \"{0}\" ei leitud packagemanageris \"{1}\"", - "The package bundle could not be created due to an error.": "Pakettide kimbu loomine nurjus vea tõttu", - "The package bundle is not valid": "Pakettide kimp pole kehtiv", - "The package manager \"{0}\" is disabled": "Packagemanager \"{0}\" on keelatud", - "The package manager \"{0}\" was not found": "Packagemanagerit \"{0}\" ei leitud", "The package {0} from {1} was not found.": "Paketti {0} allikast {1} ei leitud.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Siin loetletud pakette ei võeta arvesse uuenduste kontrollimisel. Topeltvajutage neid või vajutage nende paremal olevat nuppu, et lõpetada nende uuenduste ignoreerimine.", "The selected packages have been blacklisted": "Valitud paketid on mustat nimekirja pandud", - "The settings will list, in their descriptions, the potential security issues they may have.": "Seaded loetlevad nende kirjeldustes, millised turvalisuse probleemid neil võivad olla.", - "The size of the backup is estimated to be less than 1MB.": "Varukoopia suurus on hinnanguliselt alla 1MB.", - "The source {source} was added to {manager} successfully": "Allikas {source} oli lisatud {manager}isse edukalt", - "The source {source} was removed from {manager} successfully": "Allikas {source} eemaldati {manager}-st edukalt", - "The system tray icon must be enabled in order for notifications to work": "Tegumiriba ikoon tuleb lubada, et teavitused töötaksid", - "The update process has been aborted.": "Uuendamise protsess oli katkestatud", - "The update process will start after closing UniGetUI": "Uuendamisprotsess algab UniGetUI sulgemise järel", "The update will be installed upon closing WingetUI": "Uuendus paigaldatakse UniGetUI sulgemise ajal", "The update will not continue.": "Uuendamine ei jätku.", "The user has canceled {0}, that was a requirement for {1} to be run": "Kasutaja tühistas {0}, mis oli tingimus {1} käivitamiseks", - "There are no new UniGetUI versions to be installed": "Uusi UniGetUI versioone pole paigaldamiseks", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Käimas on toimingud. WingetUI-ist väljumine võib põhjustada nende ebaõnnestumist. Kas Te tahate jätkata?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube-is on mõned suurepärased videod, mis näitavad UniGetUI-d ja selle võimalusi. Võiksite õppida kasulikke nippe ja näpunäiteid!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "On kaks peamist põhjust, miks mitte käivitada WingetUI administraatori nimelt: Esimene on see, et Scoopi paketihaldur võib administraatori õigustega käivitamisel põhjustada probleeme mõnede käskudega. Teine on see, et mis tahes pakett, mille alla laadite, käivitatakse administraatori nimelt (ja see ei ole ohutu). Mäletage, et kui teil on vaja paigaldada konkreetne pakett administraatori nimelt, saate alati paremvajutada asja -> Paigalda/Uuenda/Eemalda administraatori nimelt.", - "There is an error with the configuration of the package manager \"{0}\"": "Packagemanageri \"{0}\" konfiguratsioonis esineb viga", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Käimas on paigaldamine. Kui Te väljute WingetUI-ist, paigaldus võib ebaõnnestuda ja tekitada ootamatu tulemusi. Kas Te ikkagi tahate väljuda WingetUI-ist?", "They are the programs in charge of installing, updating and removing packages.": "Need on programmid, mis vastutavad pakettide paigaldamise, uuendamise ja eemaldamise eest.", - "Third-party licenses": "Kolmandate osapoolte litsentsid", "This could represent a security risk.": "See võib esitada turvariski.", - "This is not recommended.": "Seda ei ole soovitatav.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "See on tõenäoliselt tingitud asjaolust, et teile saadetud pakett oli eemaldatud või avaldatud packagemanageris, mida teil pole lubatud. Saadud ID on {0}", "This is the default choice.": "See on vaikimisi valik.", - "This may help if WinGet packages are not shown": "See võib aidata, kui WinGeti pakette pole näidatud", - "This may help if no packages are listed": "See võib aidata, kui pakette pole loetletud", - "This may take a minute or two": "See võib võtta ühe või kahe minuti", - "This operation is running interactively.": "See toiming käivitatakse interaktiivselt.", - "This operation is running with administrator privileges.": "See toiming käivitatakse administraatori õigustega.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "See valik PÕHJUSTAB probleeme. Iga toiming, mis ei saa end tõsta FAIL. Paigaldus/uuendamine/eemaldamine administraatorina EI TÖÖTA.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Sellel pakettide kimbul olid osad seaded, mis võivad olla ohtlikud ja mida võib vaikimisi eirrata.", "This package can be updated": "Seda paketti saab uuendada", "This package can be updated to version {0}": "Seda paketti saab uuendada versiooniks {0}", - "This package can be upgraded to version {0}": "Seda paketti saab uuendada versioon {0}", - "This package cannot be installed from an elevated context.": "Seda paketti ei saa tõstmiskontekstist paigaldada.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Kas sellel paketil pole ekraanipilte või puudub ikoon? Aita kaasa WingetUI-le, lisades puuduolevad ikoonid ja pildid meie avatud avalikku andmebaasi.", - "This package is already installed": "See pakett on juba paigaldatud", - "This package is being processed": "Seda paketti töödeldakse", - "This package is not available": "See pakett pole saadaval", - "This package is on the queue": "See pakett on järjekorras", "This process is running with administrator privileges": "See protsess käivitatakse administraatori õigustega", - "This project has no connection with the official {0} project — it's completely unofficial.": "Sellel projektil pole seost ametliku {0} projektiga — see on täiesti ametlik.", "This setting is disabled": "See säte on keelatud", "This wizard will help you configure and customize WingetUI!": "See nõustaja aitab teil UniGetUI-d konfigureerida ja kohandada!", "Toggle search filters pane": "Lülita otsingufiltrite paneel", - "Translators": "Tõlkijad", - "Try to kill the processes that refuse to close when requested to": "Proovige tappa protsessid, mida sulgemisele kutsutakse eitavad", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Selle sisselülitamine võimaldab muuta käivitatavat faili, mida käsutatakse packagemanagerite aineks. Kuigi see võimaldab paigaldusprotsesside peenmalt kohandamist, võib see olla ka ohtlik", "Type here the name and the URL of the source you want to add, separed by a space.": "Kirjutage siia lisatava allika nimi ja URL, mis on eraldatud tühikuga.", "Unable to find package": "Paketti ei leitud", "Unable to load informarion": "Teabe laadimine pole võimalik", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI kogub kasutaja kogemuse parandamiseks anonüümset kasutusstatistika.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI kogub anonüümset kasutusstatistika ainuüksi kasutajakogemuse mõistmise ja parandamise eesmärgil.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI tuvasta uue töölaua otsetee, mida saab automaatselt kustutada.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI tootas järgmisi töölauale otseteed, mida saab tulevaste uuenduste puhul automaatselt eemaldada", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI tuvasta {0} uut töölaua otseteed, mida saab automaatselt kustutada.", - "UniGetUI is being updated...": "UniGetUI uuendatakse...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ei ole seotud ühegi ühilduva paketihalduriga. UniGetUI on iseseisev projekt.", - "UniGetUI on the background and system tray": "UniGetUI taustale ja tegumiriidale", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI või mõned selle komponendid on puudu või kahjustunud.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI töötamiseks on vaja {0}, kuid seda ei leitud teie süsteemist.", - "UniGetUI startup page:": "UniGetUI käivituslehekülg:", - "UniGetUI updater": "UniGetUI uuendaja", - "UniGetUI version {0} is being downloaded.": "UniGetUI versiooni {0} laaditakse alla.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} on paigaldamiseks valmis.", - "Uninstall": "Eemalda", - "uninstall": "eemalda", - "Uninstall Scoop (and its packages)": "Eemalda Scoop (ja selle paketid)", "Uninstall and more": "Eemalda ja rohkem", - "Uninstall and remove data": "Eemalda ja kustuta andmed", - "Uninstall as administrator": "Eemalda administraatori nimelt", "Uninstall canceled by the user!": "Eemaldamine tühistatud kasutaja poolt!", - "Uninstall failed": "Eemaldamine ebaõnnestus", - "Uninstall options": "Eemaldamise seaded", - "Uninstall package": "Eemalda pakett", - "Uninstall package, then reinstall it": "Kustuta pakett, siis paigalda see uuesti", - "Uninstall package, then update it": "Eemalda pakett, siis uuenda see", - "Uninstall previous versions when updated": "Eemalda eelmised versioonid pärast uuendamist", - "Uninstall selected packages": "Kustuta valitud paketid", - "Uninstall selection": "Eemalda valik", - "Uninstall succeeded": "Eemaldamine õnnestus", "Uninstall the selected packages with administrator privileges": "Kustuta valitud paketid administraatori õigustega", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Paigaldamisele kutumatud paketid, mille päritolu on loetletud kui \"{0}\", ei ole avaldatud ühelgi packagemanageril, seega pole nende kohta teave saadaval.", - "Unknown": "Teadmata", - "Unknown size": "Teadmata suurus", - "Unset or unknown": "Määramata või teadmata", - "Up to date": "Ajakohaselt", - "Update": "Uuenda", - "Update WingetUI automatically": "Uuenda WingetUI automaatselt", - "Update all": "Uuenda kõik", "Update and more": "Uuenda ja rohkem", - "Update as administrator": "Uuenda administraatori nimelt", - "Update check frequency, automatically install updates, etc.": "Uuendamise kontrollimise sagedus, automaatne uuenduste paigaldamine jms", - "Update checking": "Uuenduse kontroll", "Update date": "Uuenduse daatum", - "Update failed": "Uuendamine ebaõnnestus", "Update found!": "Uuendus leitud!", - "Update now": "Uuenda praegu", - "Update options": "Uuendamise valikud", "Update package indexes on launch": "Uuenda pakettide indekseid käivitamisel", "Update packages automatically": "Uuenda paketid automaatselt", "Update selected packages": "Uuenda valitud paketid", "Update selected packages with administrator privileges": "Uuenda valitud pakette administraatori õigustega", - "Update selection": "Uuenda valik", - "Update succeeded": "Uuendamine õnnestus", - "Update to version {0}": "Uuenda versiooniks {0}", - "Update to {0} available": "{0} uuendus leitud", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Uuenda vcpkg Git portfaile automaatselt (nõuab Git paigaldamist)", "Updates": "Uuendused", "Updates available!": "Uuendused kättesaadaval!", - "Updates for this package are ignored": "Selle paketi uuendusi on eiratud", - "Updates found!": "Uuendused leitud!", "Updates preferences": "Uuenduste eelistused", "Updating WingetUI": "WingetUI uuendatakse", "Url": "Veebiaadress", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Kasuta Legacy seotud WinGeti PowerShelli CMDLetide asemel", - "Use a custom icon and screenshot database URL": "Kasuta kohandatud ikooni ja kuvatõmmiste andmebaasi URL-i", "Use bundled WinGet instead of PowerShell CMDlets": "Kasuta seotud WinGeti PowerShelli CMDLetide asemel", - "Use bundled WinGet instead of system WinGet": "Kasuta seotud WinGeti süsteemi WinGeti asemel", - "Use installed GSudo instead of UniGetUI Elevator": "Kasuta paigaldatud GSudot UniGetUI Lifti asemel", "Use installed GSudo instead of the bundled one": "Kasuta paigaldatud GSudot seotud asemel", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Kasuta pärandit UniGetUI Lift (võib olla kasulik, kui teil on UniGetUI Liftiga probleemid)", - "Use system Chocolatey": "Kasuta süsteemi Chocolatey", "Use system Chocolatey (Needs a restart)": "Kasuta süsteemi Chocolatey (vajab taaskäivitust)", "Use system Winget (Needs a restart)": "Kasuta süsteemi Wingeti (vajab taaskäivitust)", "Use system Winget (System language must be set to english)": "Kasuta süsteemi Wingeti (Süsteemi keel peab olema inglise)", "Use the WinGet COM API to fetch packages": "Kasuta WinGeti COM API pakettide hankimiseks", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Kasuta WinGeti PowerShelli moodulit WinGeti COM API asemel", - "Useful links": "Kasulikud lingid", "User": "Kasutaja", - "User interface preferences": "Kasutajaliidese eelistused", "User | Local": "Kasutaja | Lokaalne", - "Username": "Kasutajanimi", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "WingetUI kasutades nõustute GNU Lesser General Public License v2.1 litsentsiga", - "Using WingetUI implies the acceptation of the MIT License": "WingetUI kasutades nõustute MIT litsentsiga", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg juur ei leitud. Määrake %VCPKG_ROOT% keskkonnmuutuja või määrake see UniGetUI seadetes", "Vcpkg was not found on your system.": "Vcpkg ei leitud teie süsteemist.", - "Verbose": "Paljusõnaline", - "Version": "Versioon", - "Version to install:": "Versioon paigaldamiseks:", - "Version:": "Versioon:", - "View GitHub Profile": "Kuva GitHub profiili", "View WingetUI on GitHub": "Kuva UniGetUI GitHub-is", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Vaata WingetUI lähtekoodi. Sealt saate teatada vigadest või soovitada funktsioone või isegi panustada otse WingetUI projektile", - "View mode:": "Vaatamise režiim:", - "View on UniGetUI": "Vaata UniGetUI-l", - "View page on browser": "Vaata lehekülg brauseris", - "View {0} logs": "Kuva {0} logid", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Oodake, kuni seade ühendub internet'iga, enne kui proovite ülesandeid, mis nõuavad interneti-ühendust.", "Waiting for other installations to finish...": "Oodake, kuni teised paigaldused lõpevad...", "Waiting for {0} to complete...": "Oodake, kuni {0} lõpeb...", - "Warning": "Hoiatus", - "Warning!": "Hoiatus!", - "We are checking for updates.": "Me kontrollime uuendusi.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Me ei saanud selle paketi üksikasjalikku teavet laadida, sest seda ei leitud ühestki teie pakediteallikaist.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Me ei saanud selle paketi üksikasjalikku teavet laadida, sest seda ei paigaldatud saadaoleva packagemanageri kaudu.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Me ei saanud {action} {package}. Palun proovige hiljem uuesti. Paigaldaja logide saamiseks vajutage \"{showDetails}\".", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Me ei saanud {action} {package}. Palun proovige hiljem uuesti. Eemaldaja logide saamiseks vajutage \"{showDetails}\".", "We couldn't find any package": "Paketti ei leitud", "Welcome to WingetUI": "Tere tulemast WingetUI-sse!", - "When batch installing packages from a bundle, install also packages that are already installed": "Kui paigaldatakse mitu paketti kimbust, paigalda ka need paketid, mis on juba paigaldatud", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kui uued otseteed tuvastatakse, kustutatakse nad automaatselt selle dialoogi kuvamise asemel.", - "Which backup do you want to open?": "Millist varundust soovite avada?", "Which package managers do you want to use?": "Milliseid packagemanagereite soovite kasutada?", "Which source do you want to add?": "Milline allikas soovite lisada?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Kuigi Wingetit saab kasutada WingetUI-s, saab WingetUI-d kasutada koos teiste paketihalduritega, mis võib olla segane. Varem oli WingetUI loodud töötama ainult koos Wingetiga, kuid see ei ole enam tõsi ja seega ei esinda WingetUI seda, milleks see projekt on mõeldud.", - "WinGet could not be repaired": "WinGetit ei saanud parandada", - "WinGet malfunction detected": "WinGeti häire avastatud", - "WinGet was repaired successfully": "WinGet parandati edukalt", "WingetUI": "WingetUI programm", "WingetUI - Everything is up to date": "WingetUI - kõik on ajakohane", "WingetUI - {0} updates are available": "UniGetUI - {0} uuendust on saadaval", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI kodulehekülg", "WingetUI Homepage - Share this link!": "UniGetUI kodulehekülg - jaga seda linki!", - "WingetUI License": "UniGetUI litsents", - "WingetUI log": "WingetUI logid", - "WingetUI Repository": "UniGetUI repositoorium", - "WingetUI Settings": "WingetUI seaded", "WingetUI Settings File": "WingetUI seadmete fail", - "WingetUI Log": "WingetUI logi", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI kasutab järgmisi teeke. Ilma nendeta ei oleks UniGetUI võimalik.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI kasutab järgmisi teeke. Ilma nendeta ei oleks UniGetUI võimalik.", - "WingetUI Version {0}": "WingetUI versioon {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI automaatse käivitamise käitumine, rakenduse käivitamise seaded", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI saab kontrollida, kas teie tarkvaral on saadaolevad uuendused, ja paigaldada need automaatselt, kui soovite", - "WingetUI display language:": "WingetUI kuvamiskeel:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI on administraatori õigustega tööle käivitatud, mis ei ole soovitatav. WingetUI administraatori nimelt käivitamisel on IGAL WingetUI-st käivitatud operatsioonil administraatori õigused. Saate programmi veel kasutada, kuid tungivalt soovitame mitte käivitada WingetUI administraatori õigustega.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "Tänu vabatahtlikele tõlkijatele on WingetUI tõlgitud rohkem kui 40 keelde. Tänan teid 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI ei ole masintõlgitud. Tõlkeid on juhtinud järgmised kasutajad:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI on rakendus, mis muudab teie tarkvara haldamise lihtsamaks, pakkudes ühte graafilist kasutajaliidest teie käsurea packagemanageritele.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI nimetatakse ümber, et rõhutada erinevust UniGetUI (liides, mida te praegu kasutate) ja WinGeti (packagemanager, mille Microsoft arendas ja millega mul pole seost)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI uuendatakse. Kui lõpetatud, UniGetUI käivitab ennast uuesti", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI on vaba ning tasuta ja jääbki vaba ning tasuta igavesti. Ei mingeid reklaame, krediitkaarti ega premium versiooni. 100% tasuta, igavesti.", + "WingetUI log": "WingetUI logid", "WingetUI tray application preferences": "WingetUI tegumiriba rakenduse eelistused", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI kasutab järgmisi teeke. Ilma nendeta ei oleks UniGetUI võimalik.", "WingetUI version {0} is being downloaded.": "Toimub WingetUI versiooni {0} allalaadimine.", "WingetUI will become {newname} soon!": "WingetUI saab peagi nimeks {newname}!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI ei kontrollide uuendusi perioodiliselt. Neid kontrollifakse endiselt käivitamisel, kuid teid ei hoiatata nende kohta.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI näitab UAC-kutseid iga kord, kui pakett nõuab paigaldamiseks tõstmist.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI nimetatakse peagi nimeks {newname}. See ei esinda muutust rakenduses. Mina (arendaja) jätkan selle projekti arendamist nagu praegu, kuid teise nime all.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI poleks olnud võimalik meie kallite panustajate abita. Vaata nende GitHub profiili, WingetUI ei oleks võimalik ilma nendeta!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI poleks olnud võimalik ilma panustajate abita. Tänan teid kõiki 🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} on valmis paigaldamiseks", - "Write here the process names here, separated by commas (,)": "Kirjutage siia protsesside nimed, eraldatuna komadega (,)", - "Yes": "Jah", - "You are logged in as {0} (@{1})": "Te olete sisse logitud kui {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Saate seda käitumist muuta UniGetUI turvaseadetes.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Saate määrata käskud, mis käivitatakse enne või pärast selle paketi paigaldamist, uuendamist või eemaldamist. Neid käivitatakse käsuperinterpreetertahvlis, seega CMD skriptid töötavad siin.", - "You have currently version {0} installed": "Praegune rakenduse versioon on {0}", - "You have installed WingetUI Version {0}": "Te olete paigaldanud WingetUI versiooni {0}", - "You may lose unsaved data": "Te võite kaotada salvestamata andmeid", - "You may need to install {pm} in order to use it with WingetUI.": "Peate võib-olla paigaldama {pm}, et seda UniGetUI-ga kasutada.", "You may restart your computer later if you wish": "Soovi korral võite arvuti hiljem taaskäivitada", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Teilt küsitakse ainult üks kord ja administraatori õigused antakse pakettidele, kes neid nõuavad.", "You will be prompted only once, and every future installation will be elevated automatically.": "Teilt küsitakse ainult üks kord ja iga tulevane paigaldus tõstetakse automaatselt.", - "You will likely need to interact with the installer.": "Tõenäoliselt peate paigaldajaga suhtlema.", - "[RAN AS ADMINISTRATOR]": "[KÄIVITATUD ADMINISTRAATORINA]", "buy me a coffee": "osta mulle kohvi", - "extracted": "ekstraktitud", - "feature": "funktsioon", "formerly WingetUI": "varem WingetUI", + "homepage": "kodulehekülg", + "install": "paigalda", "installation": "paigaldus", - "installed": "paigaldatud", - "installing": "paigaldab", - "library": "teek", - "mandatory": "kohustuslik", - "option": "valik", - "optional": "valikuline", + "uninstall": "eemalda", "uninstallation": "eemaldamine", "uninstalled": "eemaldatud", - "uninstalling": "eemaldab", "update(noun)": "uuendus", "update(verb)": "uuenda", "updated": "uuendatud", - "updating": "uuendab", - "version {0}": "versioon {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} paigaldamise sätted on praegu lukustatud, sest {0} järgib vaikimisi paigalduse seadeid.", "{0} Uninstallation": "{0} eemaldamine", "{0} aborted": "{0} katkestatud", "{0} can be updated": "{0} saab uuendada", - "{0} can be updated to version {1}": "{0} saab uuendada versioonini {1}", - "{0} days": "{0} {0, plural,\n=0 {päeva}\none {päev}\nother {päeva}\n}", - "{0} desktop shortcuts created": "{0} töölaua otseteed loodud", "{0} failed": "{0} ebaõnnestus", - "{0} has been installed successfully.": "{0} oli edukalt paigaldatud", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} on paigaldatud edukalt. On soovitatav UniGetUI taaskäivitada paigaldamise lõpuleviimiseks", "{0} has failed, that was a requirement for {1} to be run": "{0} ebaõnnestus, see oli nõue {1} käivitamiseks", - "{0} homepage": "{0} kodulehekülg", - "{0} hours": "{0} {0, plural,\n=0 {tundi}\none {tund}\nother {tundi}\n}", "{0} installation": "{0} paigaldus", - "{0} installation options": "{0} paigaldamise seaded", - "{0} installer is being downloaded": "{0} paigaldaja laaditakse alla", - "{0} is being installed": "{0} paigaldatakse", - "{0} is being uninstalled": "{0} eemaldatakse", "{0} is being updated": "{0} uuendatakse", - "{0} is being updated to version {1}": "{0} uuendatakse versioonini {1}", - "{0} is disabled": "{0} on välja lülitatud", - "{0} minutes": "{0} {0, plural,\n=0 {minutit}\none {minut}\nother {minutit}\n}", "{0} months": "{0} kuud", - "{0} packages are being updated": "{0} paketti uuendatakse", - "{0} packages can be updated": "{0} paketti saab uuendada", "{0} packages found": "{count, plural,\n=0 {{0} paketti on leitud} one {{0} pakett on leitud} other {{0} paketti on leitud}}", "{0} packages were found": "{0, plural,\n=0 {{0} paketti on leitud} one {{0} pakett on leitud} other {{0} paketti on leitud}}", - "{0} packages were found, {1} of which match the specified filters.": "{0} {0, plural,\n=0 {paketti on leitud}\none {pakett on leitud}\nother {paketti on leitud}}, millest {1} {1, plural,\n=0 {vastavad}\none {vastab}\nother {vastavad}} määratud filtrile", - "{0} selected": "{0} valitud", - "{0} settings": "{0} seaded", - "{0} status": "{0} olek", "{0} succeeded": "{0} edukalt tehtud", "{0} update": "Uuenda {0}", - "{0} updates are available": "{0} {0, plural, one {uuendus} few {uuendust} other {uuendust}} on kättesaadaval", "{0} was {1} successfully!": "{0} oli {1} edukalt!", "{0} weeks": "{0} nädalat", "{0} years": "{0} aastat", "{0} {1} failed": "{0} {1} ebaõnnestus", - "{package} Installation": "{package} paigaldus", - "{package} Uninstall": "Eemalda {package}", - "{package} Update": "{package} uuendamine", - "{package} could not be installed": "{package} paigaldamine nurjus", - "{package} could not be uninstalled": "{package} eemaldamine nurjus", - "{package} could not be updated": "{package} uuendamine nurjus", "{package} installation failed": "{package} paigaldamine ebaõnnestus", - "{package} installer could not be downloaded": "{package} paigaldajat ei saanud alla laadida", - "{package} installer download": "{package} paigaldaja allalaadimine", - "{package} installer was downloaded successfully": "{package} paigaldaja laadi edukalt", "{package} uninstall failed": "{package} eemaldamine ebaõnnestus", "{package} update failed": "{package} uuendamine ebaõnnestus", "{package} update failed. Click here for more details.": "{package} uuendamine ebaõnnestus. Vajutage siin, et saada rohkem informatsiooni.", - "{package} was installed successfully": "{package} oli edukalt paigaldatud", - "{package} was uninstalled successfully": "{package} oli edukalt eemaldatud", - "{package} was updated successfully": "{package} oli edukalt uuendatud", - "{pcName} installed packages": "{pcName} paigaldatud paketid", "{pm} could not be found": "Ei saanud leida {pm}", "{pm} found: {state}": "{pm} leitud: {state}", - "{pm} is disabled": "{pm} on keelatud", - "{pm} is enabled and ready to go": "{pm} on lubatud ja valmis", "{pm} package manager specific preferences": "{pm} packagemanageri konkreetsed eelistused", "{pm} preferences": "{pm} eelistused", - "{pm} version:": "{pm} versioon:", - "{pm} was not found!": "{pm} ei leitud!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Tere, minu nimi on Martí ja mina olen WingetUI arendaja. WingetUI on täielikult tehtud minu vabal ajal!", + "Thank you ❤": "Tänan ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Sellel projektil pole seost ametliku {0} projektiga — see on täiesti ametlik." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fa.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fa.json index 95496227d6..69a99ddf30 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fa.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fa.json @@ -1,155 +1,737 @@ { + "Operation in progress": "عملیات در حال انجام", + "Please wait...": "لطفا صبر کنید...\n", + "Success!": "موفقیت!", + "Failed": "شکست خورد", + "An error occurred while processing this package": "یک خطا درحال پردازش این بسته رخ داد:", + "Log in to enable cloud backup": "برای فعالسازی پشتیبان ابری وارد شوید", + "Backup Failed": "پشتیبان گیری شکست خورد", + "Downloading backup...": "درحال دانلود پشتیبان...", + "An update was found!": "یک به روز رسانی پیدا شد!", + "{0} can be updated to version {1}": "{0} قابل به‌روزرسانی به نسخه {1} است", + "Updates found!": "به روز رسانی پیدا شد!", + "{0} packages can be updated": "{0} بسته را می توان به روز کرد\n", + "You have currently version {0} installed": "شما در حال حاضر نسخه {0} نصب دارید", + "Desktop shortcut created": "میانبر به دسکتاپ اضافه شد", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI میانبر جدید دسکتاپی تشخیص داده که می‌تواند به طور خودکار حذف شود.", + "{0} desktop shortcuts created": "{0} میانبر دسکتاپ ایجاد شد", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI {0} میانبر جدید دسکتاپ تشخیص داده که می‌توانند به طور خودکار حذف شوند.", + "Are you sure?": "ایا مطمئن هستید؟", + "Do you really want to uninstall {0}?": "آیا واقعاً می خواهید {0} را حذف کنید؟", + "Do you really want to uninstall the following {0} packages?": "آیا واقعا می خواهید تا این {0} بسته ها را حذف کنید؟", + "No": "خیر", + "Yes": "بله", + "View on UniGetUI": "مشاهده در UniGetUI", + "Update": "به روز رسانی", + "Open UniGetUI": "باز کردن UniGetUI", + "Update all": "همه را بروز رسانی کن", + "Update now": "اکنون بروزرسانی کن", + "This package is on the queue": "این بسته در صف است", + "installing": "در حال نصب", + "updating": "در حال بروز رسانی\n", + "uninstalling": "در حال حذف", + "installed": "نصب شده است", + "Retry": "تلاش مجدد", + "Install": "نصب", + "Uninstall": "حدف برنامه", + "Open": "باز کن", + "Operation profile:": "پروفایل فرآیند:", + "Follow the default options when installing, upgrading or uninstalling this package": "هنگام نصب، بروزرسانی، یا حذف نصب این بسته از تنظیمات پیشفرض پیروی کن", + "The following settings will be applied each time this package is installed, updated or removed.": "هر بار که این بسته نصب، به‌روزرسانی یا حذف شود، تنظیمات زیر اعمال می‌شوند.", + "Version to install:": "نسخه برای نصب:", + "Architecture to install:": "معماری برای نصب:", + "Installation scope:": "مقیاس نصب:", + "Install location:": "محل نصب:", + "Select": "انتخاب", + "Reset": "بازنشانی", + "Custom install arguments:": "آرگومان های سفارشی نصب:", + "Custom update arguments:": "آرگومان های سفارشی بروزرسانی:", + "Custom uninstall arguments:": "آرگومان های سفارشی حذف نصب:", + "Pre-install command:": "دستور قبل-نصب:", + "Post-install command:": "دستور هنگام نصب:", + "Abort install if pre-install command fails": "اگر اجرای دستور پیش-نیاز نصب شکست خورد، نصب انجام نشه", + "Pre-update command:": "دستور قبل-بروزرسانی:", + "Post-update command:": "دستور هنگام بروزرسانی:", + "Abort update if pre-update command fails": "اگر اجرای دستور پیش نیاز آپدیت شکست خورد، آپدیت انجام نشه", + "Pre-uninstall command:": "دستور قبل-حذف-نصب:", + "Post-uninstall command:": "دستور هنگام حذف نصب:", + "Abort uninstall if pre-uninstall command fails": "اگر اجرای دستور پیش نیاز حذف نصب شکست خورد، حذف نصب انجام نشه", + "Command-line to run:": "فرمان برای اجرا:", + "Save and close": "ذخیره و بستن", + "Run as admin": "اجرا به عنوان ادمین", + "Interactive installation": "نصب تعاملی", + "Skip hash check": "رد کردن بررسی Hash", + "Uninstall previous versions when updated": "حذف نصب نسخه های قبلی هنگامی که بروزرسانی شدند", + "Skip minor updates for this package": "به‌روزرسانی‌های جزئی این بسته را نادیده بگیر", + "Automatically update this package": "این بسته را به‌صورت خودکار به‌روزرسانی کن", + "{0} installation options": "{0} گزینه های نصب", + "Latest": "آخرین", + "PreRelease": "پیش انتشار", + "Default": "پیش‌فرض ", + "Manage ignored updates": "مدیریت بروزرسانی های نادیده گرفته شده", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "بسته‌های فهرست‌شده اینجا هنگام بررسی به‌روزرسانی‌ها در نظر گرفته نمی‌شوند. برای متوقف کردن نادیده گرفتن به‌روزرسانی آن‌ها، روی هر کدام دوبار کلیک کنید یا دکمه سمت راست‌شان را بزنید.", + "Reset list": "بازنشانی لیست", + "Package Name": "نام بسته\n\n", + "Package ID": "شناسه (ID) بسته", + "Ignored version": "نسخه های نادیده گرفته شده", + "New version": "نسخه جدید", + "Source": "منبع", + "All versions": "همه‌ی نسخه ها", + "Unknown": "ناشناخته", + "Up to date": "به‌روز", + "Cancel": "لغو", + "Administrator privileges": "دسترسی امتیازات ادمین", + "This operation is running with administrator privileges.": "این عملیات با دسترسی های ادمین در حال اجرا است.", + "Interactive operation": "عملیات تعاملی", + "This operation is running interactively.": "این عملیات به صورت تعاملی در حال اجرا است.", + "You will likely need to interact with the installer.": "احتمالاً نیاز خواهید داشت با نصب‌کننده تعامل کنید.", + "Integrity checks skipped": "بررسی‌های یکپارچگی رد شد", + "Proceed at your own risk.": "با مسئولیت خود ادامه دهید.", + "Close": "بستن", + "Loading...": "بارگذاری...", + "Installer SHA256": "SHA256 نصب کننده", + "Homepage": "صفحه اصلی", + "Author": "سازنده", + "Publisher": "منتشر کننده", + "License": "مجوز", + "Manifest": "مشخصه", + "Installer Type": "نوع نصب کننده", + "Size": "حجم", + "Installer URL": "لینک (URL) نصب کننده", + "Last updated:": "اخرین به روز رسانی:", + "Release notes URL": "آدرس URL یادداشت های نسخه انتشار", + "Package details": "جزئیات بسته", + "Dependencies:": "وابستگی ها:", + "Release notes": "یادداشت های انتشار", + "Version": "نسخه", + "Install as administrator": "به عنوان ادمین نصب کنید", + "Update to version {0}": "به‌روزرسانی به نسخه {0}", + "Installed Version": "نسخه نصب شده", + "Update as administrator": "بروزرسانی به عنوان ادمین", + "Interactive update": "به روز رسانی تعاملی", + "Uninstall as administrator": "حدف برنامه به عنوان ادمین", + "Interactive uninstall": "حدف برنامه به صورت تعاملی", + "Uninstall and remove data": "حذف و پاک کردن داده‌ها", + "Not available": "در دسترس نیست", + "Installer SHA512": "SHA512 نصب کننده", + "Unknown size": "اندازه نامشخص", + "No dependencies specified": "وابستگی ای مشخص نشده", + "mandatory": "ضروری", + "optional": "اختیاری", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} آماده نصب است.", + "The update process will start after closing UniGetUI": "فرآیند به‌روزرسانی پس از بستن UniGetUI شروع خواهد شد", + "Share anonymous usage data": "به‌اشتراک‌گذاری داده‌های استفاده به‌صورت ناشناس", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI داده‌های استفاده ناشناس جمع‌آوری می‌کند تا تجربه کاربری را بهبود بخشد.", + "Accept": "تایید", + "You have installed WingetUI Version {0}": "شما UniGetUI نسخه {0} نصب کرده‌اید", + "Disclaimer": "توجه", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI به هیچ یک از مدیران بسته سازگار مرتبط نیست. UniGetUI یک پروژه مستقل است.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI بدون کمک مشارکت کنندگان ممکن نبود. ممنون از همه 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI از کتابخانه های زیر استفاده می کند. بدون آنها، UniGetUI ممکن نبود.", + "{0} homepage": "{0} صفحه اصلی", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI به لطف مترجمان داوطلب به بیش از 40 زبان ترجمه شده است. ممنون 🤝", + "Verbose": "مفصل", + "1 - Errors": "1 - خطاها", + "2 - Warnings": "۲ - هشدارها", + "3 - Information (less)": "۳ - اطلاعات (کمتر)", + "4 - Information (more)": "۴ - اطلاعات (بیشتر)", + "5 - information (debug)": "۵ - اطلاعات (اشکال یابی)", + "Warning": "هشدار", + "The following settings may pose a security risk, hence they are disabled by default.": "تنظیمات زیر ممکنه ریسک امنیتی ایجاد کنند، بنابراین بصورت پیشفرض غیرفعال شده اند.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "تنظیمات زیر را تنها و فقط زمانی که میدانید چیکار میکنند، و چه خطر هایی را زمینه سازی میکنند، فعال کنید.", + "The settings will list, in their descriptions, the potential security issues they may have.": "تنظیمات لیست خواهند شد، در توضیحاتشان، مشکلات جدی امنیتی که ممکنه داشته باشن.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "بک آپ شامل فهرست کامل بسته‌های نصب شده و گزینه‌های نصب آن‌ها خواهد بود. به‌روزرسانی‌های نادیده گرفته شده و نسخه‌های رد شده نیز ذخیره می‌شوند.", + "The backup will NOT include any binary file nor any program's saved data.": "نسخه پشتیبان شامل هیچ فایل باینری یا داده های ذخیره شده هیچ برنامه ای نمی شود.", + "The size of the backup is estimated to be less than 1MB.": "اندازه بک آپ تخمین زده می‌شود کمتر از 1 مگابایت باشد.", + "The backup will be performed after login.": "بک آپ گیری پس از ورود انجام خواهد شد.", + "{pcName} installed packages": "بسته‌های نصب شده {pcName}", + "Current status: Not logged in": "وضعیت فعلی: کاربر وارد نشده", + "You are logged in as {0} (@{1})": "شما به عنوان {0} (@{1} ) وارد شده اید", + "Nice! Backups will be uploaded to a private gist on your account": "خوبه! پشتیبان ها به یک gist خصوصی روی حساب شما آپلود خواهند شد", + "Select backup": "انتخاب پشتیبان", + "WingetUI Settings": "تنظیمات UniGetUI", + "Allow pre-release versions": "اجازه نسخه های پیش از انتشار داده شود", + "Apply": "اعمال", + "Go to UniGetUI security settings": "برو به تنظیمات امنیتی UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "هربار که یک {0} بسته نصب، بروزرسانی یا حذف نصب شد تنظیمات زیر بصورت پیشفرض اعمال میشوند.", + "Package's default": "پیشفرض بسته", + "Install location can't be changed for {0} packages": "محل نصب نمیتواند برای {0} بسته(ها) تغییر کند", + "The local icon cache currently takes {0} MB": "حافظه پنهان آیکون محلی در حال حاضر {0} مگابایت فضا اشغال کرده است", + "Username": "نام کاربری", + "Password": "رمز عبور", + "Credentials": "اطلاعات ورود", + "Partially": "تا حدی", + "Package manager": "مدیر بسته", + "Compatible with proxy": "سازگار با پروکسی", + "Compatible with authentication": "سازگار با احراز هویت", + "Proxy compatibility table": "جدول سازگاری پروکسی", + "{0} settings": "{0} تنظیمات", + "{0} status": "{0} وضعیت", + "Default installation options for {0} packages": "تنظیمات نصب پیشفرض برای {0} بسته(ها)", + "Expand version": "تکامل نسخه", + "The executable file for {0} was not found": "فایل اجرایی برای {0} یافت نشد", + "{pm} is disabled": "{pm} غیرفعال است", + "Enable it to install packages from {pm}.": "آن را برای نصب بسته‌ها از {pm} فعال کنید.", + "{pm} is enabled and ready to go": "{pm} فعال و آماده به کار است", + "{pm} version:": "نسخه {pm}:", + "{pm} was not found!": "{pm} یافت نشد!", + "You may need to install {pm} in order to use it with WingetUI.": "ممکن است نیاز داشته باشید {pm} را نصب کنید تا بتوانید آن را با UniGetUI استفاده کنید.", + "Scoop Installer - WingetUI": "نصب‌کننده UniGetUI - Scoop", + "Scoop Uninstaller - WingetUI": "حذف کننده UniGetUI - Scoop", + "Clearing Scoop cache - WingetUI": "پاک کردن حافظه پنهان UniGetUI - Scoop", + "Restart UniGetUI": "UniGetUI را مجددا راه اندازی کنید", + "Manage {0} sources": "منابع {0} را مدیریت کنید", + "Add source": "افزودن منبع", + "Add": "اضافه کردن", + "Other": "دیگر", + "1 day": "۱ روز", + "{0} days": "{0} روز", + "{0} minutes": "{0} دقیقه", + "1 hour": "۱ ساعت", + "{0} hours": "{0} ساعت", + "1 week": "۱ هفته", + "WingetUI Version {0}": "UniGetUI نسخه {0}", + "Search for packages": "جستجوی بسته ها", + "Local": "محلی", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": " {0} بسته یافت شد، که {1} از آن‌ها با فیلترهای مشخص شده مطابقت دارند.", + "{0} selected": "{0} انتخاب شد", + "(Last checked: {0})": "(آخرین بررسی: {0})", + "Enabled": "فعال", + "Disabled": "غیرفعال", + "More info": "اطلاعات بیشتر", + "Log in with GitHub to enable cloud package backup.": "با Github وارد شوید تا پشتیبان ابری فعال شود.", + "More details": "جزئیات بیشتر", + "Log in": "ورود کاربر", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "اگر شما پشتیبان گیری ابری را فعال کرده باشید، بصورت Github Gist روی این اکانت ذخیره خواهد شد", + "Log out": "خروج کاربر", + "About": "درباره", + "Third-party licenses": "مجوزهای نرم‌افزارهای جانبی", + "Contributors": "مشارکت کنندگان", + "Translators": "مترجم ها", + "Manage shortcuts": "مدیریت میانبرها", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI میانبرهای دسکتاپ زیر را تشخیص داده که می‌توانند در ارتقاهای آینده به طور خودکار حذف شوند", + "Do you really want to reset this list? This action cannot be reverted.": "آیا واقعاً می‌خواهید این فهرست را بازنشانی کنید؟ این عمل قابل بازگشت نیست.", + "Remove from list": "حذف از لیست", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "هنگام تشخیص میانبرهای جدید، آن‌ها را به طور خودکار حذف کنید به جای نمایش این دیالوگ.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI داده‌های استفاده ناشناس را با هدف صرف درک و بهبود تجربه کاربری جمع‌آوری می‌کند.", + "More details about the shared data and how it will be processed": "جزئیات بیشتر درباره داده‌های اشتراکی و نحوه پردازش آن‌ها", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "آیا قبول دارید که UniGetUI آمار استفاده ناشناس جمع‌آوری و ارسال کند، با هدف تنها درک و بهبود تجربه کاربری؟", + "Decline": "رد کردن", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "هیچ اطلاعات شخصی جمع‌آوری یا ارسال نمی‌شود و داده‌های جمع‌آوری شده ناشناس‌سازی شده‌اند، بنابراین قابل ردیابی به شما نیستند.", + "About WingetUI": "درباره UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI برنامه‌ای است که مدیریت نرم‌افزار شما را با ارائه یک رابط گرافیکی همه‌جانبه برای مدیران بسته خط فرمان شما آسان‌تر می‌کند.", + "Useful links": "لینک های مفید ", + "Report an issue or submit a feature request": "گزارش یک مشکل یا ارسال درخواست ویژگی", + "View GitHub Profile": "مشاهده پروفایل GitHub", + "WingetUI License": "لایسنس UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "استفاده از UniGetUI به معنای پذیرش مجوز MIT است", + "Become a translator": "مترجم شوید", + "View page on browser": "نمایش صفحه در مرورگر", + "Copy to clipboard": "کپی به کلیپ بورد", + "Export to a file": "استخراج به یک فایل", + "Log level:": "سطح گزارش:", + "Reload log": "بارگیری مجدد گزارش", + "Text": "متن", + "Change how operations request administrator rights": "تغییر نحوهٔ درخواست مجوز ادمین برای عملیات ها", + "Restrictions on package operations": "محدودیت ها روی عملیات بسته ها", + "Restrictions on package managers": "محدودیت ها روی مدیران بسته ها", + "Restrictions when importing package bundles": "محدودیت ها هنگام ورود باندل بسته ها", + "Ask for administrator privileges once for each batch of operations": "هر بار که یک عملیات batch اتفاق می افتد برای دسترسی ادمین درخواست کن", + "Ask only once for administrator privileges": "فقط یکبار دسترسی مدیر سیستم درخواست شود", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "از هرنوع افزایش سطح دسترسی با افزاینده UniGetUI یا GSudo جلوگیری کن", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "این تنظیم باعث مشکلاتی میشه. هر فرآیند نامتناسب با افزایش سطح دسترسی خودش شکست خواهد خورد. نصب/بروزرسانی/حذف نصب بعنوان ادمین سیستم کار نخواهد کرد.", + "Allow custom command-line arguments": "اجازه ورودی های سفارشی خط فرمان داده شود", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "آرگومان های سفارشی خط فرمان میتوانند روش تشخیص برنامه های نصب شده، آپدیت شده یا حذف شده را به گونه ای تغییر دهند که UniGetUI نتواند کنترل کند. استفاده از خط فرمان های سفارشی میتواند بسته ها را خراب کند. با ملاحظه و دقت ادامه دهید.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "اجازه بده فرمان‌های سفارشی پیش از نصب و پس از نصب اجرا شوند", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "دستورات قبل و موقع نصب هنگامی که بسته ای نصب، بروزرسانی یا حذف نصب شود، اجرا خواهند شد. مراقب باشید چرا که میتوانند همه چیز را خراب کنند مگر اینکه با دقت استفاده شوند", + "Allow changing the paths for package manager executables": "اجازه تغییر مسیر ها برای فایل های اجرایی پکیج منیجر", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "فعال کردن این، تغییر دادن فایل قابل اجرای استفاده شده برای تعامل با مدیران بسته رو ممکن میکنه. درحالی که این سفارشی سازی دقیق تر پروسه های نصب رو ممکن میکنه، ولی میتونه خطرناک هم باشه", + "Allow importing custom command-line arguments when importing packages from a bundle": "اجازه ورودی های سفارشی خط فرمان هنگام ورود بسته ها از مجموعه داده شود", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "آرگومان های نادرست خط فرمان میتونن بسته ها رو خراب کنند، یا حتی به یک بدافزار دسترسی اجرا بدهند. بنابراین، ورود آرگومان های شخصی سازی شده خط فرمان بصورت پیشفرض غیرفعال شده است", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "اجازه ورود پیش نیاز سفارشی و فرمان های مرحله نصب هنگام ورود بسته ها از مجموعه داده شود", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "دستورات قبل و هنگام نصب میتوانند کارهای ناپسندی با دستگاه شما انجام دهند، این میتونه خیلی خطرناک باشه که دستورات رو از باندل وارد کنی مگر اینکه منبع اون باندل بسته مورد اعتمادت باشه.", + "Administrator rights and other dangerous settings": "دسترسی های مدیر سیستم و دیگر تنظیمات خطرناک", + "Package backup": "بک آپ بسته", + "Cloud package backup": "پشتیبان گیری بسته ابری", + "Local package backup": "پشتیبان بسته محلی", + "Local backup advanced options": "تنظیمات پیشرفته پشتیبان محلی", + "Log in with GitHub": "با Github وارد شوید", + "Log out from GitHub": "خروج از Github", + "Periodically perform a cloud backup of the installed packages": "بصورت دوره ای از بسته های نصب شده پشتیبان ابری بگیر", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "پشتیبان گیری ابری از یک Github Gist خصوصی استفاده میکنه تا لیست بسته های نصب شده رو ذخیره کنه", + "Perform a cloud backup now": "الان پشتیبان ابری بگیر", + "Backup": "پشتیبان گیری", + "Restore a backup from the cloud": "بازگردانی یک پشتیبان از ابر", + "Begin the process to select a cloud backup and review which packages to restore": "شروع فرآیند انتخاب پشتیبان ابری و بازبینی بسته ها برای بازگردانی", + "Periodically perform a local backup of the installed packages": "بصورت دوره ای از بسته های نصب شده پشتیبان محلی بگیر", + "Perform a local backup now": "الان پشتیبان محلی بگیر", + "Change backup output directory": "محل جاگذاری پشتیبان گیری را تغییر بده", + "Set a custom backup file name": "تنظیم یک نام فایل بک آپ شخصی سازی شده", + "Leave empty for default": "پیش فرض خالی بگذارید", + "Add a timestamp to the backup file names": " یک مهره زمانی به اسم فایل پشتیبان گیری اضافه شود", + "Backup and Restore": "پشتیبان گیری و بازگردانی", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "فعال کردن api پس زمینه (WingetUI Widgets and Sharing، پورت 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "قبل از تلاش برای انجام کارهایی که نیاز به اتصال اینترنت دارند، منتظر بمانید تا دستگاه به اینترنت متصل شود.", + "Disable the 1-minute timeout for package-related operations": "غیرفعال‌کردن زمان‌توقف ۱ دقیقه‌ای برای عملیات مرتبط با بسته‌ها", + "Use installed GSudo instead of UniGetUI Elevator": "برای افزایش سطح دسترسی، بجای افزاینده UniGetUI از GSudo نصب شده استفاده کن", + "Use a custom icon and screenshot database URL": "استفاده از URL پایگاه داده آیکون و تصویر شخصی سازی شده", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "فعال کردن بهینه‌سازی‌های استفاده از CPU در پس‌زمینه (Pull Request #3278 را ببینید)", + "Perform integrity checks at startup": "بررسی سلامت و یکپارچگی هنگام شروع برنامه انجام شود", + "When batch installing packages from a bundle, install also packages that are already installed": "وقتی بسته ها رو بصورت دسته ای از یک باندل نصب میکنی، بسته هایی که از قبل نصب بودن هم نصب کن.", + "Experimental settings and developer options": "تنظیمات ازمایشی و گزینه های توسعه دهنده", + "Show UniGetUI's version and build number on the titlebar.": "نمایش نسخه UniGetUI در نوار عنوان", + "Language": "زبان", + "UniGetUI updater": "به‌روزرسان UniGetUI", + "Telemetry": "تله‌متری", + "Manage UniGetUI settings": "مدیریت تنظیمات UniGetUI", + "Related settings": "تنظیمات مرتبط", + "Update WingetUI automatically": "به‌روزرسانی خودکار UniGetUI", + "Check for updates": "بررسی برای به‌روز رسانی ها", + "Install prerelease versions of UniGetUI": "نصب نسخه‌های پیش‌انتشار UniGetUI", + "Manage telemetry settings": "مدیریت تنظیمات تله‌متری", + "Manage": "مدیریت", + "Import settings from a local file": "وارد کردن تنظیمات از یک فایل محلی", + "Import": "وارد کردن", + "Export settings to a local file": "استخراج تنظیمات از یک فایل محلی", + "Export": "استخراج", + "Reset WingetUI": "بازنشانی UniGetUI", + "Reset UniGetUI": "بازنشانی UniGetUI", + "User interface preferences": "تنظیمات رابط کاربری", + "Application theme, startup page, package icons, clear successful installs automatically": " تم برنامه، صفحهٔ شروع، آیکون‌های بسته‌ها، پاک‌سازی خودکار نصب‌های موفق", + "General preferences": "تنظیمات دلخواه کلی", + "WingetUI display language:": "زبان نمایشی UniGetUI:", + "Is your language missing or incomplete?": "آیا زبان شما گم شده است یا ناقص است؟", + "Appearance": "ظاهر", + "UniGetUI on the background and system tray": "UniGetUI در پس‌زمینه و نوار سیستم", + "Package lists": "لیست‌های بسته", + "Close UniGetUI to the system tray": "بستن UniGetUI و انتقال به نوار سیستم", + "Show package icons on package lists": "نمایش آیکون‌های بسته در لیست‌های بسته", + "Clear cache": "پاک کردن حافظه پنهان", + "Select upgradable packages by default": "بسته‌های قابل ارتقا را به طور پیش‌فرض انتخاب کنید", + "Light": "روشن", + "Dark": "تیره", + "Follow system color scheme": "پیروی از طرح رنگ سیستم", + "Application theme:": "تم برنامه:", + "Discover Packages": "کاوش بسته ها", + "Software Updates": "بروزرسانی های نرم افزار", + "Installed Packages": "بسته های نصب شده", + "Package Bundles": "باندل های بسته", + "Settings": "تنظیمات", + "UniGetUI startup page:": "صفحه راه‌اندازی UniGetUI:", + "Proxy settings": "تنظیمات پروکسی", + "Other settings": "تنظیمات دیگر", + "Connect the internet using a custom proxy": "اتصال اینترنت با استفاده از پروکسی سفارشی", + "Please note that not all package managers may fully support this feature": "لطفاً توجه داشته باشید که همه مدیران بسته ممکن است کاملاً از این ویژگی پشتیبانی نکنند", + "Proxy URL": "URL پروکسی", + "Enter proxy URL here": "URL پروکسی را اینجا وارد کنید", + "Package manager preferences": "تنظیمات مدیریت بسته", + "Ready": "آماده", + "Not found": "پیدا نشد\n", + "Notification preferences": "تنظیمات اعلان", + "Notification types": "انواع اعلان", + "The system tray icon must be enabled in order for notifications to work": "آیکون نوار سیستم باید فعال باشد تا اعلان‌ها کار کنند", + "Enable WingetUI notifications": "فعال سازی اعلان های UniGetUI", + "Show a notification when there are available updates": "در صورت وجود بروزرسانی یک اعلان نشان داده شود ", + "Show a silent notification when an operation is running": "نمایش اعلان بی‌صدا هنگام اجرای عملیات", + "Show a notification when an operation fails": "نمایش اعلان هنگام شکست عملیات", + "Show a notification when an operation finishes successfully": "نمایش اعلان هنگام اتمام موفق عملیات", + "Concurrency and execution": "همزمانی و اجرا", + "Automatic desktop shortcut remover": "حذف‌کنندهٔ خودکار میان‌برهای دسکتاپ", + "Clear successful operations from the operation list after a 5 second delay": "عملیات های موفق پس از ۵ ثانیه تاخیر از فهرست عملیات پاک می‌شوند", + "Download operations are not affected by this setting": "این مورد روی عملیات دانلود تاثیر ندارد", + "Try to kill the processes that refuse to close when requested to": "سعی کن پروسه هایی که درخواست پایان یافتن رو رد میکنن، به اجبار پایان بدی", + "You may lose unsaved data": "ممکنه شما داده های ذخیره نشده رو از دست بدهید", + "Ask to delete desktop shortcuts created during an install or upgrade.": "درخواست تأیید برای حذف میان‌برهای دسکتاپ هنگام نصب یا به‌روزرسانی", + "Package update preferences": "تنظیمات به‌روزرسانی بسته", + "Update check frequency, automatically install updates, etc.": "فرکانس بررسی به‌روزرسانی، نصب خودکار به‌روزرسانی‌ها و غیره.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "اعلانات کنترل سطح دسترسی کاربر(UAC) رو کاهش بده، افزایش سطح دسترسی نصب رو بصورت پیشفرض افزایش بده، قفل ویژگی های مشخص خطرناک و امثالهم رو باز کن.", + "Package operation preferences": "تنظیمات عملیات بسته", + "Enable {pm}": "فعال کردن {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "فایلی که دنبالشی رو پیدا نکردی؟ مطمئن شو به مسیر اضافه شده باشه.", + "For security reasons, changing the executable file is disabled by default": "برای دلایل امنیتی، تغییر فایل اجرایی بصورت پیشفرض غیرفعال شده است", + "Change this": "این رو تغییر بده", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "فایل اجرایی مورد استفاده را انتخاب کنید. فهرست زیر فایل‌های اجرایی پیدا شده توسط UniGetUI را نشان می‌دهد", + "Current executable file:": "فایل اجرایی فعلی:", + "Ignore packages from {pm} when showing a notification about updates": "نادیده گرفتن بسته‌ها از {pm} هنگام نمایش اعلان درباره به‌روزرسانی‌ها", + "View {0} logs": "مشاهده لاگ‌های {0}", + "Advanced options": "تنظیمات پیشرفته", + "Reset WinGet": "بازنشانی WinGet", + "This may help if no packages are listed": "این ممکن است کمک کند اگر هیچ بسته‌ای فهرست نشده", + "Force install location parameter when updating packages with custom locations": "هنگام به‌روزرسانی بسته‌هایی با مکان‌های سفارشی، پارامتر محل نصب را اجباری کن", + "Use bundled WinGet instead of system WinGet": "استفاده از WinGet بسته‌بندی شده به جای WinGet سیستم", + "This may help if WinGet packages are not shown": "این ممکن است کمک کند اگر بسته‌های WinGet نشان داده نمی‌شوند", + "Install Scoop": "نصب Scoop", + "Uninstall Scoop (and its packages)": "حذف Scoop (و بسته های آن)", + "Run cleanup and clear cache": "اجرای پاک‌سازی و پاک کردن کش", + "Run": "اجرا", + "Enable Scoop cleanup on launch": "فعال کردن پاکسازی Scoop هنگام راه اندازی ", + "Use system Chocolatey": "استفاده از Chocolatey سیستم", + "Default vcpkg triplet": "سه‌تایی پیش‌فرض vcpkg", + "Language, theme and other miscellaneous preferences": "زبان، تم و تنظیمات گوناگون دیگر ", + "Show notifications on different events": "نمایش اعلان‌ها در رویدادهای مختلف", + "Change how UniGetUI checks and installs available updates for your packages": "نحوهٔ بررسی و نصب به‌روزرسانی‌های موجود برای بسته‌های شما توسط UniGetUI را تغییر دهید", + "Automatically save a list of all your installed packages to easily restore them.": "به صورت خودکار یک لیست از همه ی بسته های نصب شده ذخیره کن تا بتوانید به آسانی آن ها را برگردانید.", + "Enable and disable package managers, change default install options, etc.": "فعالسازی و غیرفعالسازی مدیر های بسته، تغییر تنظیمات نصب پیشفرض و غیره.", + "Internet connection settings": "تنظیمات اتصال اینترنت", + "Proxy settings, etc.": "تنظیمات پروکسی و غیره.", + "Beta features and other options that shouldn't be touched": "امکانات بتا و گزینه‌های دیگر که نباید تغییر داده شوند", + "Update checking": "بررسی به‌روزرسانی‌ها", + "Automatic updates": "به‌روزرسانی‌های خودکار", + "Check for package updates periodically": "به‌روزرسانی‌های بسته را به صورت دوره‌ای بررسی کن", + "Check for updates every:": "یافتن به روز رسانی در هر:", + "Install available updates automatically": "به‌روزرسانی‌های موجود را به‌طور خودکار نصب کن", + "Do not automatically install updates when the network connection is metered": "هنگامی که اتصال شبکه محدود است، به‌روزرسانی‌ها را به طور خودکار نصب نکن", + "Do not automatically install updates when the device runs on battery": "هنگامی که دستگاه با باتری کار می‌کند، به‌روزرسانی‌ها را به‌طور خودکار نصب نکن", + "Do not automatically install updates when the battery saver is on": "هنگامی که صرفه‌جویی باتری روشن است، به‌روزرسانی‌ها را به طور خودکار نصب نکن", + "Change how UniGetUI handles install, update and uninstall operations.": "تغییر نحوهٔ عملکرد UniGetUI در نصب، به‌روزرسانی و حذف", + "Package Managers": "مدیران بسته", + "More": "بیشتر", + "WingetUI Log": "لاگ UniGetUI", + "Package Manager logs": "لاگ های مدیریت بسته", + "Operation history": "تاریخچه عملیات", + "Help": "راهنما", + "Order by:": "مرتب‌سازی بر اساس:", + "Name": "نام", + "Id": "شناسه", + "Ascendant": "بالا رونده", + "Descendant": "پایین رونده", + "View mode:": "حالت نمایش:", + "Filters": "فیلتر ها", + "Sources": "منابع", + "Search for packages to start": "جستجو بسته ها برای شروع", + "Select all": "انتخاب همه", + "Clear selection": "پاک کردن انتخاب شده ها", + "Instant search": "جستجوی فوری\n", + "Distinguish between uppercase and lowercase": "تمایز بین حروف کوچک و بزرگ", + "Ignore special characters": "نادیده گرفتن کاراکتر های خاص", + "Search mode": "حالت جستجو", + "Both": "هر دو", + "Exact match": "تطابق کامل", + "Show similar packages": "نمایش بسته های مشابه", + "No results were found matching the input criteria": "هیچ نتیجه ای مطابق با معیارهای ورودی یافت نشد", + "No packages were found": "هیچ بسته ای پیدا نشد", + "Loading packages": "در حال بارگیری بسته ها", + "Skip integrity checks": "چشم پوشی از بررسی های یکپارچگی", + "Download selected installers": "دانلود نصب کننده های انتخاب شده", + "Install selection": "نصب انتخاب شده ها", + "Install options": "تنظیمات نصب", + "Share": "اشتراک گذاری", + "Add selection to bundle": "اضافه کردن انتخاب شده ها به مجموعه", + "Download installer": "بارگیری نصب کننده", + "Share this package": "اشتراک گذاری این بسته", + "Uninstall selection": "حذف نصب انتخاب شده ها", + "Uninstall options": "تنظیمات حذف نصب", + "Ignore selected packages": "نادیده گرفتن بسته های انتخاب شده", + "Open install location": "باز کردن مکان نصب", + "Reinstall package": "بازنصب بسته", + "Uninstall package, then reinstall it": "حذف بسته و سپس دوباره نصب کردن آن", + "Ignore updates for this package": "نادیده گرفتن بروزرسانی های این بسته", + "Do not ignore updates for this package anymore": "دیگر به‌روزرسانی‌های این بسته را نادیده نگیرید", + "Add packages or open an existing package bundle": "اضافه کردن بسته ها یا باز کردن بسته مجموعه موجود", + "Add packages to start": "اضافه کردن بسته ها برای شروع", + "The current bundle has no packages. Add some packages to get started": "باندل فعلی هیچ بسته ای ندارد. برای شروع چند بسته اضافه کنید", + "New": "جدید", + "Save as": "ذخیره در", + "Remove selection from bundle": "حذف انتخاب شده ها از باندل", + "Skip hash checks": "رد کردن بررسی‌های Hash", + "The package bundle is not valid": "مجموعه بسته معتبر نیست", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "مجموعه‌ای که سعی می‌کنید بارگذاری کنید نامعتبر به نظر می‌رسد. لطفاً فایل را بررسی کرده و دوباره تلاش کنید.", + "Package bundle": "باندل بسته", + "Could not create bundle": "امکان ایجاد بسته وجود ندارد", + "The package bundle could not be created due to an error.": "مجموعه بسته به دلیل خطا ایجاد نشد.", + "Bundle security report": "گزارش امنیت مجموعه", + "Hooray! No updates were found.": "هورا! هیچ به روز رسانی پیدا نشد!", + "Everything is up to date": "همه چیز به روز است", + "Uninstall selected packages": "حذف بسته های انتخاب شده", + "Update selection": "بروزرسانی انتخاب شده ها", + "Update options": "تنظیمات بروزرسانی", + "Uninstall package, then update it": "حذف بسته و سپس به روز رسانی آن", + "Uninstall package": "حذف بسته", + "Skip this version": "رد کردن این نسخه", + "Pause updates for": "توقف بروزرسانی ها برای", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "مدیر بسته Rust.
شامل: کتابخانه‌های Rust و برنامه‌های نوشته شده در Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "مدیر بسته کلاسیک برای ویندوز. همه چیز را آنجا پیدا خواهید کرد.
شامل: نرم افزار عمومی", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "یک مخزن پر از ابزار ها و فایل های اجرایی طراحی شده با در نظر گرفتن اکوسیستم مایکروسافت دات نت.
دارای: ابزار ها و اسکریپت های مربوط به دات نت\n", + "NuPkg (zipped manifest)": "NuPkg (مشخصات فشرده شده)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "مدیر بسته Node JS. پر از کتابخانه ها و سایر ابزارهای کاربردی که در مدار جهان جاوا اسکریپت می گردند
شامل: کتابخانه های جاوا اسکریپت گره و سایر ابزارهای مرتبط", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "مدیر کتابخانه پایتون پر از کتابخانه‌های پایتون و سایر ابزارهای مرتبط با پایتون
شامل: کتابخانه‌های پایتون و ابزارهای مرتبط", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "مدیر بسته PowerShell. یافتن کتابخانه ها و اسکریپت ها برای گسترش قابلیت های PowerShell
شامل: ماژول ها، اسکریپت ها، Cmdlet ها", + "extracted": "استخراج شده", + "Scoop package": "بسته Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "مخزن عالی از ابزارهای ناشناخته اما کاربردی و بسته‌های جالب دیگر.
شامل: ابزارها، برنامه‌های خط فرمان، نرم‌افزارهای عمومی (نیازمند extras bucket) ", + "library": "کتابخانه", + "feature": "ویژگی", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "یک برنامه مدیریتی محبوب برای کتابخانه‌های C/C++. پر از کتابخانه‌ها و ابزارهای مرتبط با C/C++
شامل می‌شود: کتابخانه‌ها و ابزارهای C/C++ ", + "option": "گزینه", + "This package cannot be installed from an elevated context.": "این بسته نمی‌تواند از محیط ارتقا یافته نصب شود.", + "Please run UniGetUI as a regular user and try again.": "لطفاً UniGetUI را به عنوان کاربر عادی اجرا کرده و دوباره تلاش کنید.", + "Please check the installation options for this package and try again": "لطفاً گزینه‌های نصب این بسته را بررسی کرده و دوباره تلاش کنید", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "مدیر بسته رسمی مایکروسافت. پر از بسته های شناخته شده و تأیید شده
شامل: نرم افزار عمومی، برنامه های فروشگاه مایکروسافت", + "Local PC": "کامپیوتر محلی", + "Android Subsystem": "محیط اندروید تحت ویندوز", + "Operation on queue (position {0})...": "عملیات در صف (موقعیت {0})...", + "Click here for more details": "برای اطلاعات بیشتر کلیک کنید", + "Operation canceled by user": "عملیات توسط کاربر لغو شد", + "Starting operation...": "شروع عملیات...", + "{package} installer download": "دانلود نصب‌کننده بسته {package}", + "{0} installer is being downloaded": "{0} در حال نصب است", + "Download succeeded": "بارگیری با موفقیت انجام شد", + "{package} installer was downloaded successfully": "نصب کننده بسته {package} با موفقیت دانلود شد", + "Download failed": "دانلود ناموفق", + "{package} installer could not be downloaded": "نصب کننده بسته {package} دانلود نشد", + "{package} Installation": "پروسه نصب بسته {package}", + "{0} is being installed": "{0} در حال نصب است", + "Installation succeeded": "نصب با موفقیت انجام شد", + "{package} was installed successfully": "{package} با موفقیت نصب شد", + "Installation failed": "نصب انجام نشد", + "{package} could not be installed": "بسته {package} نصب نمیشود", + "{package} Update": "به روز رسانی بسته {package}", + "{0} is being updated to version {1}": "{0} در حال به‌روزرسانی به نسخه {1} است", + "Update succeeded": "بروزرسانی با موفقیت انجام شد", + "{package} was updated successfully": "بسته {package} با موفقیت به روز رسانی شد", + "Update failed": "بروزرسانی شکست خورد", + "{package} could not be updated": "بسته {package} به روز رسانی نمیشود", + "{package} Uninstall": "حذف بسته {package}", + "{0} is being uninstalled": "{0} در حال حذف است", + "Uninstall succeeded": "حذف موفقیت آمیز بود", + "{package} was uninstalled successfully": "بسته {package} با موفقیت حذف شد", + "Uninstall failed": "حذف ناموفق", + "{package} could not be uninstalled": "بسته {package} حذف نمیشود", + "Adding source {source}": "در حال اضافه کردن منبع {source}", + "Adding source {source} to {manager}": "درحال اضافه منبع {source} به {manager}.", + "Source added successfully": "منبع با موفقیت اضافه شد", + "The source {source} was added to {manager} successfully": "منبع {source} با موفقیت به {manager} اضافه شد", + "Could not add source": "افزودن منبع صورت نگرفت", + "Could not add source {source} to {manager}": "نتوانستیم منبع {source} را به {manager} اضافه کنیم", + "Removing source {source}": "حذف منبع {source}", + "Removing source {source} from {manager}": "در حال حذف منبع {source} از {manager}", + "Source removed successfully": "منبع با موفقیت حذف شد", + "The source {source} was removed from {manager} successfully": "منبع {source} با موفقیت از {manager} حذف شد", + "Could not remove source": "حذف منبع صورت نگرفت", + "Could not remove source {source} from {manager}": "نتوانستیم منبع {source} را از {manager} حذف کنیم", + "The package manager \"{0}\" was not found": "مدیر بسته \"{0}\" یافت نشد", + "The package manager \"{0}\" is disabled": "مدیر بسته \"{0}\" غیرفعال است", + "There is an error with the configuration of the package manager \"{0}\"": "خطایی در پیکربندی مدیر بسته \"{0}\" وجود دارد", + "The package \"{0}\" was not found on the package manager \"{1}\"": "بسته \"{0}\" در مدیر بسته \"{1}\" یافت نشد", + "{0} is disabled": "{0} تا غیر فعال شده است", + "Something went wrong": "مشکلی پیش آمد", + "An interal error occurred. Please view the log for further details.": "یک خطای داخلی رخ داد. لطفا برای اطلاعات بیشتر لاگ را نگاه کنید.", + "No applicable installer was found for the package {0}": "هیچ نصب‌کننده قابل اعمالی برای بسته {0} یافت نشد", + "We are checking for updates.": "ما در حال بررسی به‌روزرسانی‌ها هستیم.", + "Please wait": "لطفا صبر کنید", + "UniGetUI version {0} is being downloaded.": "نسخه {0} UniGetUI در حال دانلود است.", + "This may take a minute or two": "این ممکن است یک یا دو دقیقه طول بکشد", + "The installer authenticity could not be verified.": "اصالت نصب‌کننده قابل تأیید نیست.", + "The update process has been aborted.": "فرآیند به‌روزرسانی متوقف شد.", + "Great! You are on the latest version.": "عالیه! برنامه شما آخرین نسخه هست.", + "There are no new UniGetUI versions to be installed": "هیچ نسخه جدید UniGetUI برای نصب وجود ندارد", + "An error occurred when checking for updates: ": "یک خطا درحین چک کردن برای به روزرسانی رخ داد:", + "UniGetUI is being updated...": "UniGetUI در حال به‌روزرسانی است...", + "Something went wrong while launching the updater.": "هنگام اجرای به‌روزرسان، مشکلی پیش آمد.", + "Please try again later": "لطفاً بعداً دوباره تلاش کنید", + "Integrity checks will not be performed during this operation": "بررسی‌های یکپارچگی در طول این عملیات انجام نخواهد شد", + "This is not recommended.": "این توصیه نمی‌شود.", + "Run now": "الان اجرا کن", + "Run next": "بعد از این اجرا کن", + "Run last": "در آخر اجرا کن", + "Retry as administrator": "تلاش مجدد به عنوان ادمین", + "Retry interactively": "تلاش مجدد تعاملی", + "Retry skipping integrity checks": "تلاش مجدد با رد کردن بررسی‌های یکپارچگی", + "Installation options": "گزینه های نصب", + "Show in explorer": "نمایش در اکسپلورر", + "This package is already installed": "این بسته قبلاً نصب شده است", + "This package can be upgraded to version {0}": "این بسته قابل ارتقا به نسخه {0} است", + "Updates for this package are ignored": "بروزرسانی های این بسته نادیده گرفته شود ", + "This package is being processed": "این بسته در حال پردازش است", + "This package is not available": "این بسته در دسترس نیست", + "Select the source you want to add:": "منبعی را که می خواهید اضافه کنید انتخاب کنید:", + "Source name:": "نام منبع:", + "Source URL:": "آدرس URL منبع:", + "An error occurred": "یک خطا رخ داده است", + "An error occurred when adding the source: ": "یک خطا درحین اضافه کردن منبع رخ داد:", + "Package management made easy": "مدیریت بسته آسان شد", + "version {0}": "نسخه {0}", + "[RAN AS ADMINISTRATOR]": "[به عنوان ادمین اجرا شد]", + "Portable mode": "حالت قابل حمل", + "DEBUG BUILD": "نسخه دیباگ", + "Available Updates": "به روزرسانی ها موجود است", + "Show WingetUI": "نمایش UniGetUI", + "Quit": "خروج", + "Attention required": "توجه! توجه!", + "Restart required": "راه اندازی مجدد لازم است", + "1 update is available": "۱ به روزرسانی در دسترس است", + "{0} updates are available": "به روز رسانی های موجود: {0}", + "WingetUI Homepage": "صفحه اصلی UniGetUI", + "WingetUI Repository": "مخزن UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "اینجا می‌توانید رفتار UniGetUI را در مورد میانبرهای زیر تغییر دهید. علامت زدن یک میانبر باعث می‌شود UniGetUI آن را حذف کند اگر در ارتقای آینده ایجاد شود. برداشتن علامت آن را دست نخورده نگه می‌دارد", + "Manual scan": "اسکن دستی", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "میان‌برهای موجود روی دسکتاپ شما اسکن می‌شوند و باید انتخاب کنید کدام را نگه دارید و کدام را حذف کنید", + "Continue": "ادامه بده", + "Delete?": "حذف؟", + "Missing dependency": "عدم وجود نیازمندی", + "Not right now": "الان نه", + "Install {0}": "نصب {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI برای کار کردن به {0} نیاز دارد، اما در سیستم شما یافت نشد.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "برای شروع نصب، روی «نصب» کلیک کنید. اگر نصب را رد کنید، ممکن است UniGetUI به درستی کار نکند.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "یا به‌صورت جایگزین، می‌توانید {0} را با اجرای دستور زیر در محیط Windows PowerShell نصب کنید:", + "Do not show this dialog again for {0}": "این دیالوگ را دوباره برای {0} نشان نده", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "لطفاً صبر کنید تا {0} نصب شود. ممکن است پنجره سیاه (یا آبی) ظاهر شود. لطفاً صبر کنید تا بسته شود.", + "{0} has been installed successfully.": "{0} با موفقیت نصب شد.", + "Please click on \"Continue\" to continue": "لطفا برای ادامه روی \"ادامه\" کلیک کنید", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} با موفقیت نصب شد. توصیه می‌شود برای تکمیل نصب، UniGetUI را راه‌اندازی مجدد کنید", + "Restart later": "بعداً راه‌اندازی مجدد کن", + "An error occurred:": "خطایی رخ داد:", + "I understand": "فهمیدم", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI با دسترسی ادمین اجرا شده است، که توصیه نمی‌شود. وقتی UniGetUI را با دسترسی ادمین اجرا می‌کنید، همه عملیات انجام شده توسط برنامه با دسترسی ادمین اجرا می‌شوند.\nشما همچنان می‌توانید از برنامه استفاده کنید، اما به‌شدت توصیه می‌کنیم UniGetUI را با دسترسی ادمین اجرا نکنید.", + "WinGet was repaired successfully": "WinGet با موفقیت تعمیر شد", + "It is recommended to restart UniGetUI after WinGet has been repaired": "توصیه می‌شود پس از تعمیر WinGet، UniGetUI را مجدداً راه‌اندازی کنید.", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "توجه: این عیب‌یاب را می‌توان از تنظیمات UniGetUI، در بخش WinGet غیرفعال کرد", + "Restart": "راه‌اندازی مجدد", + "WinGet could not be repaired": "WinGet قابل تعمیر نبود", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "هنگام تلاش برای تعمیر WinGet، مشکلی غیرمنتظره رخ داد. لطفاً بعداً دوباره امتحان کنید.", + "Are you sure you want to delete all shortcuts?": "آیا مطمئن هستید که می‌خواهید همهٔ میان‌برها را حذف کنید؟", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "میان‌برهای جدیدی که هنگام نصب یا به‌روزرسانی ایجاد می‌شوند، بدون نمایش پیغام تأیید، به‌صورت خودکار حذف خواهند شد", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "هر میان‌بری که خارج از UniGetUI ایجاد یا ویرایش شده باشد، نادیده گرفته می‌شود. می‌توانید آن‌ها را از طریق دکمهٔ {0} اضافه کنید", + "Are you really sure you want to enable this feature?": "آیا مطمئن هستید که این قابلیت فعال شود؟", + "No new shortcuts were found during the scan.": "هنگام اسکن، هیچ میان‌بر جدیدی پیدا نشد.", + "How to add packages to a bundle": "نحوه افزودن بسته‌ها به مجموعه", + "In order to add packages to a bundle, you will need to: ": "برای افزودن بسته‌ها به مجموعه، باید: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "۱. به صفحه {0} یا {1} بروید", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "۲. بسته (های) مورد نظر برای افزودن به مجموعه را انتخاب کرده و تیک سمت چپ آن‌ها را بزنید", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "۳. وقتی بسته‌هایی که می‌خواهید به مجموعه اضافه کنید را انتخاب کردید، گزینه {0} را از نوار ابزار انتخاب کنید", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "۴. بسته‌های شما به مجموعه اضافه شده‌اند. می‌توانید به اضافه کردن بسته‌های بیشتر ادامه دهید یا مجموعه را از برنامه خارج کنید", + "Which backup do you want to open?": "کدوم پشتیبان رو میخوای باز کنی؟", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "پشتیبانی که میخوای باز کنی رو انتخاب کن. بعدش، میتونی بسته/برنامه ای که میخوای رو بازگردانی کنی", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "برخی عملیات در حال انجام هستند. بستن UniGetUI ممکن است باعث شکست آن‌ها شود. آیا مایلید ادامه دهید؟", + "UniGetUI or some of its components are missing or corrupt.": "برخی از کامپوننت های UniGetUI یا کل آن از دست رفته یا خراب شده اند.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "نصب مجدد UniGetUI عمیقا پیشنهاد میشه تا وضعیت آدرس دهی بشه.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "به لاگ های UniGetUI رجوع شود برای جزئیات بیشتر درمورد فایل(های) تحت تاثیر", + "Integrity checks can be disabled from the Experimental Settings": "بررسی های یکپارچگی از طریق تنظیمات آزمایشی میتونن غیرفعال بشن", + "Repair UniGetUI": "تعمیر UniGetUI", + "Live output": "خروجی بلادرنگ", + "Package not found": "بسته پیدا نشد", + "An error occurred when attempting to show the package with Id {0}": "هنگام تلاش برای نمایش بسته با شناسهٔ {0} خطایی رخ داد", + "Package": "بسته", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "این باندل بسته تنظیماتی داشت که خطرناک هستند، و شاید بصورت پیش فرض مردود بشن.", + "Entries that show in YELLOW will be IGNORED.": "ورودی های زرد رنگ پشت سر گذاشته خواهند شد.", + "Entries that show in RED will be IMPORTED.": "ورودی های قرمز رنگ وارد خواهند شد.", + "You can change this behavior on UniGetUI security settings.": "شما میتوانید این رفتار را در تنظیمات امنیتی UniGetUI تغییر دهید.", + "Open UniGetUI security settings": "باز کردن تنظیمات امنیتی UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "اگه تنظیمات رو تغییر بدی، برای اینکه تغییرات موثر واقع بشن لازمه باندل رو دوباره باز کنی.", + "Details of the report:": "جزئیات گزارش:", "\"{0}\" is a local package and can't be shared": "{0} یک بسته محلی است و امکان اشتراک گذاری ندارد", + "Are you sure you want to create a new package bundle? ": "از ایجاد مجموعهٔ جدید بسته‌ها مطمئن هستید؟", + "Any unsaved changes will be lost": "تغییرات ذخیره‌نشده از بین خواهند رفت", + "Warning!": "هشدار!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "برای دلایل امنیتی، آرگومان های سفارشی خط فرمان بصورت پیشفرض غیرفعال شده اند. برای تغییر این مورد به تنظیمات امنیتی UniGetUI بروید.", + "Change default options": "تغییر تنظیمات پیشفرض", + "Ignore future updates for this package": "نادیده گرفتن بروزرسانی های آینده این بسته", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "برای دلایل امنیتی، اسکریپت های پیش عملیات و هنگام عملیات بصورت پیشفرض غیرفعال شده اند. برای تغییر این مورد به تنظیمات امنیتی UniGetUI بروید.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "شما میتوانید دستوراتی را مشخص کنید که قبل یا بعد از نصب، بروزرسانی یا حذف نصب این بسته اجرا شوند. آنها روی یک Command Prompt ذخیره خواهند شد، بنابراین اسکریپت های CMD اینجا کار خواهند کرد.", + "Change this and unlock": "این رو تغییر بده و فعال کن", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} تنظیمات نصب درحال حاضر قفل هستند چون {0} از تنظیمات پیشفرض نصب پیروی میکند.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "پروسه هایی که بهتره قبل از نصب، بروزرسانی یا حذف نصب این بسته، پایان داده بشن رو انتخاب کن", + "Write here the process names here, separated by commas (,)": "نام پروسه ها رو اینجا بنویس، بصورت جدا شده با کاما (,)", + "Unset or unknown": "تنظیم نشده یا ناشناخته", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "لطفاً خروجی خط فرمان را ببینید یا برای اطلاعات بیشتر در مورد این مشکل به سابقه عملیات مراجعه کنید.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "این بسته اسکرین‌شات یا آیکن ندارد؟ با اضافه کردن آیکن‌ها و اسکرین‌شات‌های گم‌شده به پایگاه‌داده عمومی و آزاد UniGetUI در بهبود آن مشارکت کنید.", + "Become a contributor": "یک شریک شوید", + "Save": "ذخیره", + "Update to {0} available": "بروزرسانی به {0} موجود است", + "Reinstall": "نصب مجدد", + "Installer not available": "نصب کننده در دسترس نیست", + "Version:": "نسخه:", + "Performing backup, please wait...": "در حال انجام بک آپ گیری، لطفاً صبر کنید...", + "An error occurred while logging in: ": "یک خطا هنگام ورود کاربر رخ داد:", + "Fetching available backups...": "درحال بررسی پشتیبان های در درسترس...", + "Done!": "انجام شد!", + "The cloud backup has been loaded successfully.": "پشتیبان ابر با موفقیت لود شد.", + "An error occurred while loading a backup: ": "یک خطا هنگام اجرای فایل پشتیبان رخ داد:", + "Backing up packages to GitHub Gist...": "درحال پشتیبان گیری بسته ها به Github Gist...", + "Backup Successful": "پشتیبان گیری با موفقیت انجام شد", + "The cloud backup completed successfully.": "پشتیبان گیری ابر با موفقیت به پایان رسید.", + "Could not back up packages to GitHub Gist: ": "پشتیبان گیری بسته ها به Github Gist انجام نشد:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "تضمینی وجود ندارد که اطلاعات ورود ارائه‌شده به‌صورت ایمن ذخیره شوند، پس بهتر است از اطلاعات حساب بانکی خود استفاده نکنید.", + "Enable the automatic WinGet troubleshooter": "فعال کردن عیب‌یاب خودکار WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "فعال کردن عیب‌یاب بهبود یافته WinGet [آزمایشی]", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "به‌روزرسانی‌هایی که با خطای «به‌روزرسانی سازگاری پیدا نشد» شکست می‌خورند را به فهرست به‌روزرسانی‌های نادیده‌گرفته‌شده اضافه کن", + "Restart WingetUI to fully apply changes": "برای اعمال کامل تغییرات، UniGetUI را مجدداً راه‌اندازی کنید.", + "Restart WingetUI": "راه اندازی مجدد UniGetUI", + "Invalid selection": "انتخاب نامعتبر", + "No package was selected": "هیچ بسته‌ای انتخاب نشد", + "More than 1 package was selected": "بیش از ۱ بسته انتخاب شد", + "List": "لیست", + "Grid": "شبکه", + "Icons": "آیکون‌ها", "\"{0}\" is a local package and does not have available details": "{0} یک بسته محلی است و اطلاعاتی برای آن در دسترس نیست", "\"{0}\" is a local package and is not compatible with this feature": "{0} یک بسته محلی است و با این قابلیت سازگار نیست", - "(Last checked: {0})": "(آخرین بررسی: {0})", + "WinGet malfunction detected": "نقص عملکرد WinGet تشخیص داده شد", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "به نظر می‌رسد WinGet به درستی کار نمی‌کند. می‌خواهید تلاش کنید WinGet را تعمیر کنید؟", + "Repair WinGet": "تعمیر WinGet", + "Create .ps1 script": "ایجاد اسکریپت .ps1", + "Add packages to bundle": "افزودن بسته ها به مجموعه", + "Preparing packages, please wait...": "در حال آماده سازی بسته ها، لطفا صبر کنید...", + "Loading packages, please wait...": "در حال بارگیری بسته ها، لطفا صبر کنید...", + "Saving packages, please wait...": "در حال ذخیره بسته ها، لطفا صبر کنید...", + "The bundle was created successfully on {0}": "مجموعه با موفقیت در {0} ایجاد شد", + "Install script": "اسکریپت نصب", + "The installation script saved to {0}": "اسکریپت نصب در {0} ذخیره شد", + "An error occurred while attempting to create an installation script:": "هنگام تلاش برای ایجاد اسکریپت نصب، خطایی رخ داد:", + "{0} packages are being updated": "{0} بسته در حال به روز رسانی است", + "Error": "خطا", + "Log in failed: ": "ورود کاربر شکست خورد:", + "Log out failed: ": "خروج کاربر شکست خورد:", + "Package backup settings": "تنظیمات پشتیبان گیری بسته", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(شماره {0} در صف)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@MobinMardi, @ehinium", "0 packages found": "بسته‌ای پیدا نشد", "0 updates found": "به روزرسانی‌ای پیدا نشد", - "1 - Errors": "1 - خطاها", - "1 day": "۱ روز", - "1 hour": "۱ ساعت", "1 month": "۱ ماه", "1 package was found": "یک بسته پیدا شد", - "1 update is available": "۱ به روزرسانی در دسترس است", - "1 week": "۱ هفته", "1 year": "۱ سال", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "۱. به صفحه {0} یا {1} بروید", - "2 - Warnings": "۲ - هشدارها", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "۲. بسته (های) مورد نظر برای افزودن به مجموعه را انتخاب کرده و تیک سمت چپ آن‌ها را بزنید", - "3 - Information (less)": "۳ - اطلاعات (کمتر)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "۳. وقتی بسته‌هایی که می‌خواهید به مجموعه اضافه کنید را انتخاب کردید، گزینه {0} را از نوار ابزار انتخاب کنید", - "4 - Information (more)": "۴ - اطلاعات (بیشتر)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "۴. بسته‌های شما به مجموعه اضافه شده‌اند. می‌توانید به اضافه کردن بسته‌های بیشتر ادامه دهید یا مجموعه را از برنامه خارج کنید", - "5 - information (debug)": "۵ - اطلاعات (اشکال یابی)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "یک برنامه مدیریتی محبوب برای کتابخانه‌های C/C++. پر از کتابخانه‌ها و ابزارهای مرتبط با C/C++
شامل می‌شود: کتابخانه‌ها و ابزارهای C/C++ ", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "یک مخزن پر از ابزار ها و فایل های اجرایی طراحی شده با در نظر گرفتن اکوسیستم مایکروسافت دات نت.
دارای: ابزار ها و اسکریپت های مربوط به دات نت\n", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "یک مخزن پر از ایزار هایی با در نظر گرفتن اکوسیستم مایکروسافت دات نت.
دارای: ابزار های مربود به دات نت", "A restart is required": "یک راه اندازی مجدد نیاز است", - "Abort install if pre-install command fails": "اگر اجرای دستور پیش-نیاز نصب شکست خورد، نصب انجام نشه", - "Abort uninstall if pre-uninstall command fails": "اگر اجرای دستور پیش نیاز حذف نصب شکست خورد، حذف نصب انجام نشه", - "Abort update if pre-update command fails": "اگر اجرای دستور پیش نیاز آپدیت شکست خورد، آپدیت انجام نشه", - "About": "درباره", "About Qt6": "درباره Qt6", - "About WingetUI": "درباره UniGetUI", "About WingetUI version {0}": "درباره نسخه UniGetUI {0}", "About the dev": "درباره توسعه دهندگان", - "Accept": "تایید", "Action when double-clicking packages, hide successful installations": "رفتار هنگام دوبار کلیک کردن روی بسته ها، پنهان کردن نصب های موفق", - "Add": "اضافه کردن", "Add a source to {0}": "اضافه کردن یک منبع به {0}", - "Add a timestamp to the backup file names": " یک مهره زمانی به اسم فایل پشتیبان گیری اضافه شود", "Add a timestamp to the backup files": " یک مهره زمانی به فایل پشتیبان گیری اضافه شود", "Add packages or open an existing bundle": "اضافه کردن بسته ها یا باز کردن مجموعه موجود", - "Add packages or open an existing package bundle": "اضافه کردن بسته ها یا باز کردن بسته مجموعه موجود", - "Add packages to bundle": "افزودن بسته ها به مجموعه", - "Add packages to start": "اضافه کردن بسته ها برای شروع", - "Add selection to bundle": "اضافه کردن انتخاب شده ها به مجموعه", - "Add source": "افزودن منبع", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "به‌روزرسانی‌هایی که با خطای «به‌روزرسانی سازگاری پیدا نشد» شکست می‌خورند را به فهرست به‌روزرسانی‌های نادیده‌گرفته‌شده اضافه کن", - "Adding source {source}": "در حال اضافه کردن منبع {source}", - "Adding source {source} to {manager}": "درحال اضافه منبع {source} به {manager}.", "Addition succeeded": "اضافه کردن با موفقیت انجام شد", - "Administrator privileges": "دسترسی امتیازات ادمین", "Administrator privileges preferences": "ترجیحات امتیازات ادمین", "Administrator rights": "حقوق ادمین", - "Administrator rights and other dangerous settings": "دسترسی های مدیر سیستم و دیگر تنظیمات خطرناک", - "Advanced options": "تنظیمات پیشرفته", "All files": "همه فایل ها", - "All versions": "همه‌ی نسخه ها", - "Allow changing the paths for package manager executables": "اجازه تغییر مسیر ها برای فایل های اجرایی پکیج منیجر", - "Allow custom command-line arguments": "اجازه ورودی های سفارشی خط فرمان داده شود", - "Allow importing custom command-line arguments when importing packages from a bundle": "اجازه ورودی های سفارشی خط فرمان هنگام ورود بسته ها از مجموعه داده شود", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "اجازه ورود پیش نیاز سفارشی و فرمان های مرحله نصب هنگام ورود بسته ها از مجموعه داده شود", "Allow package operations to be performed in parallel": "اجازه دهید عملیات بسته به صورت موازی انجام شود", "Allow parallel installs (NOT RECOMMENDED)": "اجازه نصب موازی (توصیه نمی شود)", - "Allow pre-release versions": "اجازه نسخه های پیش از انتشار داده شود", "Allow {pm} operations to be performed in parallel": "اجازه دهید عملیات {pm} به صورت موازی انجام شود", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "یا به‌صورت جایگزین، می‌توانید {0} را با اجرای دستور زیر در محیط Windows PowerShell نصب کنید:", "Always elevate {pm} installations by default": "همیشه اپلیکیشن های نصب شده را به صورت پیشفرض بالا ببر {pm}", "Always run {pm} operations with administrator rights": "همیشه عملیات های {pm} را با اجازه ی ادمین باز کن", - "An error occurred": "یک خطا رخ داده است", - "An error occurred when adding the source: ": "یک خطا درحین اضافه کردن منبع رخ داد:", - "An error occurred when attempting to show the package with Id {0}": "هنگام تلاش برای نمایش بسته با شناسهٔ {0} خطایی رخ داد", - "An error occurred when checking for updates: ": "یک خطا درحین چک کردن برای به روزرسانی رخ داد:", - "An error occurred while attempting to create an installation script:": "هنگام تلاش برای ایجاد اسکریپت نصب، خطایی رخ داد:", - "An error occurred while loading a backup: ": "یک خطا هنگام اجرای فایل پشتیبان رخ داد:", - "An error occurred while logging in: ": "یک خطا هنگام ورود کاربر رخ داد:", - "An error occurred while processing this package": "یک خطا درحال پردازش این بسته رخ داد:", - "An error occurred:": "خطایی رخ داد:", - "An interal error occurred. Please view the log for further details.": "یک خطای داخلی رخ داد. لطفا برای اطلاعات بیشتر لاگ را نگاه کنید.", "An unexpected error occurred:": "یک خطای غیر منتظره رخ داد:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "هنگام تلاش برای تعمیر WinGet، مشکلی غیرمنتظره رخ داد. لطفاً بعداً دوباره امتحان کنید.", - "An update was found!": "یک به روز رسانی پیدا شد!", - "Android Subsystem": "محیط اندروید تحت ویندوز", "Another source": "منبع دیگر", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "میان‌برهای جدیدی که هنگام نصب یا به‌روزرسانی ایجاد می‌شوند، بدون نمایش پیغام تأیید، به‌صورت خودکار حذف خواهند شد", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "هر میان‌بری که خارج از UniGetUI ایجاد یا ویرایش شده باشد، نادیده گرفته می‌شود. می‌توانید آن‌ها را از طریق دکمهٔ {0} اضافه کنید", - "Any unsaved changes will be lost": "تغییرات ذخیره‌نشده از بین خواهند رفت", "App Name": "نام برنامه", - "Appearance": "ظاهر", - "Application theme, startup page, package icons, clear successful installs automatically": " تم برنامه، صفحهٔ شروع، آیکون‌های بسته‌ها، پاک‌سازی خودکار نصب‌های موفق", - "Application theme:": "تم برنامه:", - "Apply": "اعمال", - "Architecture to install:": "معماری برای نصب:", "Are these screenshots wron or blurry?": "آیا این اسکرین شات ها اشتباه یا تار هستند؟", - "Are you really sure you want to enable this feature?": "آیا مطمئن هستید که این قابلیت فعال شود؟", - "Are you sure you want to create a new package bundle? ": "از ایجاد مجموعهٔ جدید بسته‌ها مطمئن هستید؟", - "Are you sure you want to delete all shortcuts?": "آیا مطمئن هستید که می‌خواهید همهٔ میان‌برها را حذف کنید؟", - "Are you sure?": "ایا مطمئن هستید؟", - "Ascendant": "بالا رونده", - "Ask for administrator privileges once for each batch of operations": "هر بار که یک عملیات batch اتفاق می افتد برای دسترسی ادمین درخواست کن", "Ask for administrator rights when required": "وقتی که نیاز است برای دسترسی ادمین بپرس", "Ask once or always for administrator rights, elevate installations by default": "یکبار یا همیشه برای دسترسی ادمین بپرس، اپلیکیشن های نصب شده را به صورت پیش فرض بالا ببر", - "Ask only once for administrator privileges": "فقط یکبار دسترسی مدیر سیستم درخواست شود", "Ask only once for administrator privileges (not recommended)": "فقط یک بار برای دسترسی ادمین بپرس (توصیه نمی شود)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "درخواست تأیید برای حذف میان‌برهای دسکتاپ هنگام نصب یا به‌روزرسانی", - "Attention required": "توجه! توجه!", "Authenticate to the proxy with an user and a password": "احراز هویت پروکسی با نام کاربری و رمز عبور", - "Author": "سازنده", - "Automatic desktop shortcut remover": "حذف‌کنندهٔ خودکار میان‌برهای دسکتاپ", - "Automatic updates": "به‌روزرسانی‌های خودکار", - "Automatically save a list of all your installed packages to easily restore them.": "به صورت خودکار یک لیست از همه ی بسته های نصب شده ذخیره کن تا بتوانید به آسانی آن ها را برگردانید.", "Automatically save a list of your installed packages on your computer.": "به صورت خودکار یک لیست از همه ی بسته هایی که روی رایانه ی تان نصب شده ذخیره کنید.", - "Automatically update this package": "این بسته را به‌صورت خودکار به‌روزرسانی کن", "Autostart WingetUI in the notifications area": "UniGetUI را به صورت خودکار در قسمت اعلان ها راه اندازی کنید\n", - "Available Updates": "به روزرسانی ها موجود است", "Available updates: {0}": "به روز رسانی های موجود: {0}", "Available updates: {0}, not finished yet...": "به روز رسانی های موجود: {0}، هنوز تمام نشده...", - "Backing up packages to GitHub Gist...": "درحال پشتیبان گیری بسته ها به Github Gist...", - "Backup": "پشتیبان گیری", - "Backup Failed": "پشتیبان گیری شکست خورد", - "Backup Successful": "پشتیبان گیری با موفقیت انجام شد", - "Backup and Restore": "پشتیبان گیری و بازگردانی", "Backup installed packages": "پشتیبان گیری از بسته های نصب شده", "Backup location": "مکان ذخیره سازی بک‌آپ", - "Become a contributor": "یک شریک شوید", - "Become a translator": "مترجم شوید", - "Begin the process to select a cloud backup and review which packages to restore": "شروع فرآیند انتخاب پشتیبان ابری و بازبینی بسته ها برای بازگردانی", - "Beta features and other options that shouldn't be touched": "امکانات بتا و گزینه‌های دیگر که نباید تغییر داده شوند", - "Both": "هر دو", - "Bundle security report": "گزارش امنیت مجموعه", "But here are other things you can do to learn about WingetUI even more:": "اما در اینجا چیزهای دیگری است که می توانید برای یادگیری بیشتر در مورد UniGetUI انجام دهید:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "با خاموش کردن مدیریت بسته ها، شما دیگر نمی توانید بسته ها را نگاه کنید یا به روزرسانی کنید. ", "Cache administrator rights and elevate installers by default": "اجازه ی ادمین را در حافظه پنهان ذخیره کن و نصب کننده ها را به صورت پیشفرض بالا ببر.", "Cache administrator rights, but elevate installers only when required": "اجازه ی ادمین را در حافظه پنهان ذخیره کن، اما نصب کننده ها را فقط وقتی نیاز است بالا ببر. ", "Cache was reset successfully!": "حافظه پنهان با موفقیت ریست شد", "Can't {0} {1}": "نمی‌توان {1} را {0} کرد", - "Cancel": "لغو", "Cancel all operations": "لغو تمامی عملیات ها", - "Change backup output directory": "محل جاگذاری پشتیبان گیری را تغییر بده", - "Change default options": "تغییر تنظیمات پیشفرض", - "Change how UniGetUI checks and installs available updates for your packages": "نحوهٔ بررسی و نصب به‌روزرسانی‌های موجود برای بسته‌های شما توسط UniGetUI را تغییر دهید", - "Change how UniGetUI handles install, update and uninstall operations.": "تغییر نحوهٔ عملکرد UniGetUI در نصب، به‌روزرسانی و حذف", "Change how UniGetUI installs packages, and checks and installs available updates": "تغییر نحوهٔ نصب بسته‌ها و به‌روزرسانی‌ها توسط UniGetUI", - "Change how operations request administrator rights": "تغییر نحوهٔ درخواست مجوز ادمین برای عملیات ها", "Change install location": "تغییر محل نصب", - "Change this": "این رو تغییر بده", - "Change this and unlock": "این رو تغییر بده و فعال کن", - "Check for package updates periodically": "به‌روزرسانی‌های بسته را به صورت دوره‌ای بررسی کن", - "Check for updates": "بررسی برای به‌روز رسانی ها", - "Check for updates every:": "یافتن به روز رسانی در هر:", "Check for updates periodically": "به‌روزرسانی‌ها را به صورت دوره‌ای بررسی کن", "Check for updates regularly, and ask me what to do when updates are found.": "مرتباً به‌روزرسانی‌ها را بررسی کن و از من بپرس وقتی به‌روزرسانی‌ها یافت می‌شوند، چه کار کنم.", "Check for updates regularly, and automatically install available ones.": "هر چند وقت یک بار برای به روز رسانی ها چک کن، و به روز رسانی های موجود را به صورت خودکار نصب کن.", @@ -159,805 +741,283 @@ "Checking for updates...": "در حال بررسی به‌روزرسانی‌ها...", "Checking found instace(s)...": "فرآیند (های) یافت شده در حال بررسی است...\n", "Choose how many operations shouls be performed in parallel": "انتخاب تعداد عملیات های هم‌زمان", - "Clear cache": "پاک کردن حافظه پنهان", "Clear finished operations": "پاکسازی عملیات های پایان یافته", - "Clear selection": "پاک کردن انتخاب شده ها", "Clear successful operations": "پاک کردن عملیات های اتمام شده", - "Clear successful operations from the operation list after a 5 second delay": "عملیات های موفق پس از ۵ ثانیه تاخیر از فهرست عملیات پاک می‌شوند", "Clear the local icon cache": "پاک کردن فضای اشغال شده برای آیکن", - "Clearing Scoop cache - WingetUI": "پاک کردن حافظه پنهان UniGetUI - Scoop", "Clearing Scoop cache...": "در حال حذف کردن داده های موقت Scoop...", - "Click here for more details": "برای اطلاعات بیشتر کلیک کنید", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "برای شروع نصب، روی «نصب» کلیک کنید. اگر نصب را رد کنید، ممکن است UniGetUI به درستی کار نکند.", - "Close": "بستن", - "Close UniGetUI to the system tray": "بستن UniGetUI و انتقال به نوار سیستم", "Close WingetUI to the notification area": "UniGetUI را در ناحیه اعلان خاموش کن", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "پشتیبان گیری ابری از یک Github Gist خصوصی استفاده میکنه تا لیست بسته های نصب شده رو ذخیره کنه", - "Cloud package backup": "پشتیبان گیری بسته ابری", "Command-line Output": "خروجی خط فرمان", - "Command-line to run:": "فرمان برای اجرا:", "Compare query against": "هر لیست را مقایسه کن در برابر", - "Compatible with authentication": "سازگار با احراز هویت", - "Compatible with proxy": "سازگار با پروکسی", "Component Information": "اطلاعات جزء\n", - "Concurrency and execution": "همزمانی و اجرا", - "Connect the internet using a custom proxy": "اتصال اینترنت با استفاده از پروکسی سفارشی", - "Continue": "ادامه بده", "Contribute to the icon and screenshot repository": "به مخزن آیکون‌ها و اسکرین‌شات‌ها کمک کنید", - "Contributors": "مشارکت کنندگان", "Copy": "کپی", - "Copy to clipboard": "کپی به کلیپ بورد", - "Could not add source": "افزودن منبع صورت نگرفت", - "Could not add source {source} to {manager}": "نتوانستیم منبع {source} را به {manager} اضافه کنیم", - "Could not back up packages to GitHub Gist: ": "پشتیبان گیری بسته ها به Github Gist انجام نشد:", - "Could not create bundle": "امکان ایجاد بسته وجود ندارد", "Could not load announcements - ": "نتوانستیم اطلاعیه ها را بارگذاری کنیم - ", "Could not load announcements - HTTP status code is $CODE": "نتوانستیم اطلاعیه ها را بارگذاری کنیم - کد وضعیت HTTPS $CODE هست", - "Could not remove source": "حذف منبع صورت نگرفت", - "Could not remove source {source} from {manager}": "نتوانستیم منبع {source} را از {manager} حذف کنیم", "Could not remove {source} from {manager}": "امکان حذف {source} از {manager} وجود ندارد", - "Create .ps1 script": "ایجاد اسکریپت .ps1", - "Credentials": "اطلاعات ورود", "Current Version": "نسخه فعلی", - "Current executable file:": "فایل اجرایی فعلی:", - "Current status: Not logged in": "وضعیت فعلی: کاربر وارد نشده", "Current user": "کاربر فعلی", "Custom arguments:": "دستور های سفارشی:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "آرگومان های سفارشی خط فرمان میتوانند روش تشخیص برنامه های نصب شده، آپدیت شده یا حذف شده را به گونه ای تغییر دهند که UniGetUI نتواند کنترل کند. استفاده از خط فرمان های سفارشی میتواند بسته ها را خراب کند. با ملاحظه و دقت ادامه دهید.", "Custom command-line arguments:": "دستور های سفارشی خط فرمان:", - "Custom install arguments:": "آرگومان های سفارشی نصب:", - "Custom uninstall arguments:": "آرگومان های سفارشی حذف نصب:", - "Custom update arguments:": "آرگومان های سفارشی بروزرسانی:", "Customize WingetUI - for hackers and advanced users only": "شخصی‌سازی UniGetUI — فقط برای هکرها و کاربران حرفه‌ای", - "DEBUG BUILD": "نسخه دیباگ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "توجه: ما مسئول بسته‌های دانلود شده نیستیم. لطفاً مطمئن شوید که فقط نرم‌افزارهای معتبر را نصب می‌کنید.", - "Dark": "تیره", - "Decline": "رد کردن", - "Default": "پیش‌فرض ", - "Default installation options for {0} packages": "تنظیمات نصب پیشفرض برای {0} بسته(ها)", "Default preferences - suitable for regular users": "تنظیمات پیش فرض - مناسب برای کاربران جدید", - "Default vcpkg triplet": "سه‌تایی پیش‌فرض vcpkg", - "Delete?": "حذف؟", - "Dependencies:": "وابستگی ها:", - "Descendant": "پایین رونده", "Description:": "توضیحات:\n", - "Desktop shortcut created": "میانبر به دسکتاپ اضافه شد", - "Details of the report:": "جزئیات گزارش:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "ساختن برنامه سخت است، و این اپلیکیشن رایگان است. ولی اگر از اپ خوشت آمد، همیشه می‌توانی برای من یک قهوه بخری :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "هنگام دوبار کلیک کردن روی یک مورد در برگه \"{discoveryTab}\" مستقیماً نصب کنید (به جای نمایش اطلاعات بسته)", "Disable new share API (port 7058)": "غیر فعال کردن API اشتراک گذاری جدید (پورت 7058)", - "Disable the 1-minute timeout for package-related operations": "غیرفعال‌کردن زمان‌توقف ۱ دقیقه‌ای برای عملیات مرتبط با بسته‌ها", - "Disabled": "غیرفعال", - "Disclaimer": "توجه", - "Discover Packages": "کاوش بسته ها", "Discover packages": "کاوش بسته ها", "Distinguish between\nuppercase and lowercase": "تمایز بین حروف کوچک و بزرگ", - "Distinguish between uppercase and lowercase": "تمایز بین حروف کوچک و بزرگ", "Do NOT check for updates": "بروزرسانی را بررسی نکن", "Do an interactive install for the selected packages": "یک نصب ارتباطی برای بسته های انتخاب شده انجام بده", "Do an interactive uninstall for the selected packages": "یک حذف نصب ارتباطی برای بسته های انتخاب شده انجام بده", "Do an interactive update for the selected packages": "یک بروزرسانی ارتباطی برای بسته های انتخاب شده انجام بده", - "Do not automatically install updates when the battery saver is on": "هنگامی که صرفه‌جویی باتری روشن است، به‌روزرسانی‌ها را به طور خودکار نصب نکن", - "Do not automatically install updates when the device runs on battery": "هنگامی که دستگاه با باتری کار می‌کند، به‌روزرسانی‌ها را به‌طور خودکار نصب نکن", - "Do not automatically install updates when the network connection is metered": "هنگامی که اتصال شبکه محدود است، به‌روزرسانی‌ها را به طور خودکار نصب نکن", "Do not download new app translations from GitHub automatically": "ترجمه های جدید برنامه را به صورت خودکار از GitHub بارگیری نکن", - "Do not ignore updates for this package anymore": "دیگر به‌روزرسانی‌های این بسته را نادیده نگیرید", "Do not remove successful operations from the list automatically": "عملیات موفقیت آمیز را به طور خودکار از لیست حذف نکن", - "Do not show this dialog again for {0}": "این دیالوگ را دوباره برای {0} نشان نده", "Do not update package indexes on launch": "فهرست بسته ها را هنگام اغاز برنامه بروزرسانی نکن", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "آیا قبول دارید که UniGetUI آمار استفاده ناشناس جمع‌آوری و ارسال کند، با هدف تنها درک و بهبود تجربه کاربری؟", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "آیا UniGetUI برایتان مفید است؟ اگر امکانش را دارید، می‌توانید از کار من حمایت کنید تا بتوانم UniGetUI را به بهترین رابط مدیریت بسته تبدیل کنم.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "یا UniGetUI برایتان مفید است؟ دوست دارید از توسعه‌دهنده حمایت کنید؟ اگر اینطور است، می‌توانید {0}؛ این خیلی کمک می‌کند!", - "Do you really want to reset this list? This action cannot be reverted.": "آیا واقعاً می‌خواهید این فهرست را بازنشانی کنید؟ این عمل قابل بازگشت نیست.", - "Do you really want to uninstall the following {0} packages?": "آیا واقعا می خواهید تا این {0} بسته ها را حذف کنید؟", "Do you really want to uninstall {0} packages?": "آیا واقعاً میخواهید بسته های {0} را حذف کنید؟", - "Do you really want to uninstall {0}?": "آیا واقعاً می خواهید {0} را حذف کنید؟", "Do you want to restart your computer now?": "آیا اکنون میخواهید رایانه خود را مجدداً راه اندازی کنید؟", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "آیا می خواهید UniGetUI را به زبان خود ترجمه کنید؟ برای آشنایی با نحوه شرکت کردن به اینجا مراجعه کنید!\n", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "تمایلی به اهدا ندارید؟ نگران نباشید، همیشه می‌توانید UniGetUI را با دوستانتان به اشتراک بگذارید. درباره UniGetUI اطلاع‌رسانی کنید.", "Donate": "اهدا کنید", - "Done!": "انجام شد!", - "Download failed": "دانلود ناموفق", - "Download installer": "بارگیری نصب کننده", - "Download operations are not affected by this setting": "این مورد روی عملیات دانلود تاثیر ندارد", - "Download selected installers": "دانلود نصب کننده های انتخاب شده", - "Download succeeded": "بارگیری با موفقیت انجام شد", "Download updated language files from GitHub automatically": "دانلود خودکار فایل‌های زبان به‌روزشده از GitHub", - "Downloading": "در حال بارگیری", - "Downloading backup...": "درحال دانلود پشتیبان...", - "Downloading installer for {package}": "دانلود نصب‌کننده برای {package}", - "Downloading package metadata...": "بارگیری metadata بسته...", - "Enable Scoop cleanup on launch": "فعال کردن پاکسازی Scoop هنگام راه اندازی ", - "Enable WingetUI notifications": "فعال سازی اعلان های UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "فعال کردن عیب‌یاب بهبود یافته WinGet [آزمایشی]", - "Enable and disable package managers, change default install options, etc.": "فعالسازی و غیرفعالسازی مدیر های بسته، تغییر تنظیمات نصب پیشفرض و غیره.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "فعال کردن بهینه‌سازی‌های استفاده از CPU در پس‌زمینه (Pull Request #3278 را ببینید)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "فعال کردن api پس زمینه (WingetUI Widgets and Sharing، پورت 7058)", - "Enable it to install packages from {pm}.": "آن را برای نصب بسته‌ها از {pm} فعال کنید.", - "Enable the automatic WinGet troubleshooter": "فعال کردن عیب‌یاب خودکار WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "فعال کردن ارتقادهنده UAC جدید با برند UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "فعالسازی مدیریت جدید ورودی فرایند (بستن خودکار StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "تنظیمات زیر را تنها و فقط زمانی که میدانید چیکار میکنند، و چه خطر هایی را زمینه سازی میکنند، فعال کنید.", - "Enable {pm}": "فعال کردن {pm}", - "Enabled": "فعال", - "Enter proxy URL here": "URL پروکسی را اینجا وارد کنید", - "Entries that show in RED will be IMPORTED.": "ورودی های قرمز رنگ وارد خواهند شد.", - "Entries that show in YELLOW will be IGNORED.": "ورودی های زرد رنگ پشت سر گذاشته خواهند شد.", - "Error": "خطا", - "Everything is up to date": "همه چیز به روز است", - "Exact match": "تطابق کامل", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "میان‌برهای موجود روی دسکتاپ شما اسکن می‌شوند و باید انتخاب کنید کدام را نگه دارید و کدام را حذف کنید", - "Expand version": "تکامل نسخه", - "Experimental settings and developer options": "تنظیمات ازمایشی و گزینه های توسعه دهنده", - "Export": "استخراج", + "Downloading": "در حال بارگیری", + "Downloading installer for {package}": "دانلود نصب‌کننده برای {package}", + "Downloading package metadata...": "بارگیری metadata بسته...", + "Enable the new UniGetUI-Branded UAC Elevator": "فعال کردن ارتقادهنده UAC جدید با برند UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "فعالسازی مدیریت جدید ورودی فرایند (بستن خودکار StdIn)", "Export log as a file": "استخراج لاگ به عنوان فایل", "Export packages": "بسته ها را استخراج کنید", "Export selected packages to a file": "استخراج بسته های انتخابی به یک فایل", - "Export settings to a local file": "استخراج تنظیمات از یک فایل محلی", - "Export to a file": "استخراج به یک فایل", - "Failed": "شکست خورد", - "Fetching available backups...": "درحال بررسی پشتیبان های در درسترس...", "Fetching latest announcements, please wait...": "در حال دریافت آخرین اطلاعیه‌ها، لطفاً صبر کنید...", - "Filters": "فیلتر ها", "Finish": "پایان", - "Follow system color scheme": "پیروی از طرح رنگ سیستم", - "Follow the default options when installing, upgrading or uninstalling this package": "هنگام نصب، بروزرسانی، یا حذف نصب این بسته از تنظیمات پیشفرض پیروی کن", - "For security reasons, changing the executable file is disabled by default": "برای دلایل امنیتی، تغییر فایل اجرایی بصورت پیشفرض غیرفعال شده است", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "برای دلایل امنیتی، آرگومان های سفارشی خط فرمان بصورت پیشفرض غیرفعال شده اند. برای تغییر این مورد به تنظیمات امنیتی UniGetUI بروید.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "برای دلایل امنیتی، اسکریپت های پیش عملیات و هنگام عملیات بصورت پیشفرض غیرفعال شده اند. برای تغییر این مورد به تنظیمات امنیتی UniGetUI بروید.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "نسخه winget کامپایل شده Force ARM (فقط برای سیستم های ARM64)", - "Force install location parameter when updating packages with custom locations": "هنگام به‌روزرسانی بسته‌هایی با مکان‌های سفارشی، پارامتر محل نصب را اجباری کن", "Formerly known as WingetUI": "قبلا با نام WingetUI شناخته می شد", "Found": "پیدا شد", "Found packages: ": "بسته های پیدا شده:", "Found packages: {0}": "بسته های پیدا شده: {0}", "Found packages: {0}, not finished yet...": "بسته های پیدا شده: {0}، هنوز تمام نشده..", - "General preferences": "تنظیمات دلخواه کلی", "GitHub profile": "پروفایل GitHub", "Global": "کلی یا جهانی", - "Go to UniGetUI security settings": "برو به تنظیمات امنیتی UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "مخزن عالی از ابزارهای ناشناخته اما کاربردی و بسته‌های جالب دیگر.
شامل: ابزارها، برنامه‌های خط فرمان، نرم‌افزارهای عمومی (نیازمند extras bucket) ", - "Great! You are on the latest version.": "عالیه! برنامه شما آخرین نسخه هست.", - "Grid": "شبکه", - "Help": "راهنما", "Help and documentation": "راهنما و مستندات", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "اینجا می‌توانید رفتار UniGetUI را در مورد میانبرهای زیر تغییر دهید. علامت زدن یک میانبر باعث می‌شود UniGetUI آن را حذف کند اگر در ارتقای آینده ایجاد شود. برداشتن علامت آن را دست نخورده نگه می‌دارد", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "سلام، من Martí هستم، توسعه دهنده ی UniGetUI. کل UniGetUI در اوقات فراغتم ساخته شده! ", "Hide details": "مخفی کردن جزئیات", - "Homepage": "صفحه اصلی", - "Hooray! No updates were found.": "هورا! هیچ به روز رسانی پیدا نشد!", "How should installations that require administrator privileges be treated?": "چگونه باید با نصب هایی که به امتیازات مدیر سیستم نیاز دارند برخورد کرد؟", - "How to add packages to a bundle": "نحوه افزودن بسته‌ها به مجموعه", - "I understand": "فهمیدم", - "Icons": "آیکون‌ها", - "Id": "شناسه", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "اگر شما پشتیبان گیری ابری را فعال کرده باشید، بصورت Github Gist روی این اکانت ذخیره خواهد شد", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "اجازه بده فرمان‌های سفارشی پیش از نصب و پس از نصب اجرا شوند", - "Ignore future updates for this package": "نادیده گرفتن بروزرسانی های آینده این بسته", - "Ignore packages from {pm} when showing a notification about updates": "نادیده گرفتن بسته‌ها از {pm} هنگام نمایش اعلان درباره به‌روزرسانی‌ها", - "Ignore selected packages": "نادیده گرفتن بسته های انتخاب شده", - "Ignore special characters": "نادیده گرفتن کاراکتر های خاص", "Ignore updates for the selected packages": "بروزرسانی هارا برای بسته های انتخاب شده نادیده بگیر", - "Ignore updates for this package": "نادیده گرفتن بروزرسانی های این بسته", "Ignored updates": "بروزرسانی های نادیده گرفته شده", - "Ignored version": "نسخه های نادیده گرفته شده", - "Import": "وارد کردن", "Import packages": "بسته های وارد شد", "Import packages from a file": "واردکردن بسته از یک فایل ", - "Import settings from a local file": "وارد کردن تنظیمات از یک فایل محلی", - "In order to add packages to a bundle, you will need to: ": "برای افزودن بسته‌ها به مجموعه، باید: ", "Initializing WingetUI...": "در حال راه اندازی UniGetUI...", - "Install": "نصب", - "Install Scoop": "نصب Scoop", "Install and more": "نصب و بیشتر", "Install and update preferences": "تنظیمات نصب و به‌روزرسانی", - "Install as administrator": "به عنوان ادمین نصب کنید", - "Install available updates automatically": "به‌روزرسانی‌های موجود را به‌طور خودکار نصب کن", - "Install location can't be changed for {0} packages": "محل نصب نمیتواند برای {0} بسته(ها) تغییر کند", - "Install location:": "محل نصب:", - "Install options": "تنظیمات نصب", "Install packages from a file": "بسته ها را از یک فایل نصب کن", - "Install prerelease versions of UniGetUI": "نصب نسخه‌های پیش‌انتشار UniGetUI", - "Install script": "اسکریپت نصب", "Install selected packages": "نصب بسته های انتخاب شده", "Install selected packages with administrator privileges": "بسته های انتخاب شده با امتیازات مدیر را نصب کنید", - "Install selection": "نصب انتخاب شده ها", "Install the latest prerelease version": "آخرین نسخه پیش انتشار را نصب کنید", "Install updates automatically": "بروزرسانی هارا به صورت خودکار نصب کن", - "Install {0}": "نصب {0}", "Installation canceled by the user!": "نصب توسط کاربر لغو شد!", - "Installation failed": "نصب انجام نشد", - "Installation options": "گزینه های نصب", - "Installation scope:": "مقیاس نصب:", - "Installation succeeded": "نصب با موفقیت انجام شد", - "Installed Packages": "بسته های نصب شده", - "Installed Version": "نسخه نصب شده", "Installed packages": "بسته‌های نصب شده", - "Installer SHA256": "SHA256 نصب کننده", - "Installer SHA512": "SHA512 نصب کننده", - "Installer Type": "نوع نصب کننده", - "Installer URL": "لینک (URL) نصب کننده", - "Installer not available": "نصب کننده در دسترس نیست", "Instance {0} responded, quitting...": "نمونه {0} پاسخ داد، ترک میکند...", - "Instant search": "جستجوی فوری\n", - "Integrity checks can be disabled from the Experimental Settings": "بررسی های یکپارچگی از طریق تنظیمات آزمایشی میتونن غیرفعال بشن", - "Integrity checks skipped": "بررسی‌های یکپارچگی رد شد", - "Integrity checks will not be performed during this operation": "بررسی‌های یکپارچگی در طول این عملیات انجام نخواهد شد", - "Interactive installation": "نصب تعاملی", - "Interactive operation": "عملیات تعاملی", - "Interactive uninstall": "حدف برنامه به صورت تعاملی", - "Interactive update": "به روز رسانی تعاملی", - "Internet connection settings": "تنظیمات اتصال اینترنت", - "Invalid selection": "انتخاب نامعتبر", "Is this package missing the icon?": "آیا این بسته بدون ایکون است؟", - "Is your language missing or incomplete?": "آیا زبان شما گم شده است یا ناقص است؟", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "تضمینی وجود ندارد که اطلاعات ورود ارائه‌شده به‌صورت ایمن ذخیره شوند، پس بهتر است از اطلاعات حساب بانکی خود استفاده نکنید.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "توصیه می‌شود پس از تعمیر WinGet، UniGetUI را مجدداً راه‌اندازی کنید.", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "نصب مجدد UniGetUI عمیقا پیشنهاد میشه تا وضعیت آدرس دهی بشه.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "به نظر می‌رسد WinGet به درستی کار نمی‌کند. می‌خواهید تلاش کنید WinGet را تعمیر کنید؟", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "به نظر می‌رسد که UniGetUI را با دسترسی مدیر (Administrator) اجرا کرده‌اید، که توصیه نمی‌شود.\nهنوز می‌توانید برنامه را استفاده کنید، اما شدیداً پیشنهاد می‌کنیم UniGetUI را با دسترسی مدیر اجرا نکنید.\nبرای دیدن دلیل، روی {showDetails} کلیک کنید.", - "Language": "زبان", - "Language, theme and other miscellaneous preferences": "زبان، تم و تنظیمات گوناگون دیگر ", - "Last updated:": "اخرین به روز رسانی:", - "Latest": "آخرین", "Latest Version": "آخرین نسخه", "Latest Version:": "آخرین نسخه:", "Latest details...": "اخرین جزئیات...", "Launching subprocess...": "راه اندازی فرآیند فرعی...", - "Leave empty for default": "پیش فرض خالی بگذارید", - "License": "مجوز", "Licenses": "مجوزها", - "Light": "روشن", - "List": "لیست", "Live command-line output": "خروجی خط-فرمان بلادرنگ", - "Live output": "خروجی بلادرنگ", "Loading UI components...": "بارگذاری اجزای فضای کاربری (UI)", "Loading WingetUI...": "در حال بارگذاری UniGetUI...", - "Loading packages": "در حال بارگیری بسته ها", - "Loading packages, please wait...": "در حال بارگیری بسته ها، لطفا صبر کنید...", - "Loading...": "بارگذاری...", - "Local": "محلی", - "Local PC": "کامپیوتر محلی", - "Local backup advanced options": "تنظیمات پیشرفته پشتیبان محلی", "Local machine": "ماشین محلی", - "Local package backup": "پشتیبان بسته محلی", "Locating {pm}...": "مکان یابی {pm}...", - "Log in": "ورود کاربر", - "Log in failed: ": "ورود کاربر شکست خورد:", - "Log in to enable cloud backup": "برای فعالسازی پشتیبان ابری وارد شوید", - "Log in with GitHub": "با Github وارد شوید", - "Log in with GitHub to enable cloud package backup.": "با Github وارد شوید تا پشتیبان ابری فعال شود.", - "Log level:": "سطح گزارش:", - "Log out": "خروج کاربر", - "Log out failed: ": "خروج کاربر شکست خورد:", - "Log out from GitHub": "خروج از Github", "Looking for packages...": "در حال جستجو برای بسته ها...", "Machine | Global": "ماشین | جهانی", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "آرگومان های نادرست خط فرمان میتونن بسته ها رو خراب کنند، یا حتی به یک بدافزار دسترسی اجرا بدهند. بنابراین، ورود آرگومان های شخصی سازی شده خط فرمان بصورت پیشفرض غیرفعال شده است", - "Manage": "مدیریت", - "Manage UniGetUI settings": "مدیریت تنظیمات UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "مدیریت رفتار شروع خودکار UniGetUI از طریق برنامه Settings", "Manage ignored packages": "مدیریت بسته های نادیده گرفته شده", - "Manage ignored updates": "مدیریت بروزرسانی های نادیده گرفته شده", - "Manage shortcuts": "مدیریت میانبرها", - "Manage telemetry settings": "مدیریت تنظیمات تله‌متری", - "Manage {0} sources": "منابع {0} را مدیریت کنید", - "Manifest": "مشخصه", "Manifests": "مشخصات", - "Manual scan": "اسکن دستی", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "مدیر بسته رسمی مایکروسافت. پر از بسته های شناخته شده و تأیید شده
شامل: نرم افزار عمومی، برنامه های فروشگاه مایکروسافت", - "Missing dependency": "عدم وجود نیازمندی", - "More": "بیشتر", - "More details": "جزئیات بیشتر", - "More details about the shared data and how it will be processed": "جزئیات بیشتر درباره داده‌های اشتراکی و نحوه پردازش آن‌ها", - "More info": "اطلاعات بیشتر", - "More than 1 package was selected": "بیش از ۱ بسته انتخاب شد", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "توجه: این عیب‌یاب را می‌توان از تنظیمات UniGetUI، در بخش WinGet غیرفعال کرد", - "Name": "نام", - "New": "جدید", "New Version": "نسخه جدید", "New bundle": "باندل جدید", - "New version": "نسخه جدید", - "Nice! Backups will be uploaded to a private gist on your account": "خوبه! پشتیبان ها به یک gist خصوصی روی حساب شما آپلود خواهند شد", - "No": "خیر", - "No applicable installer was found for the package {0}": "هیچ نصب‌کننده قابل اعمالی برای بسته {0} یافت نشد", - "No dependencies specified": "وابستگی ای مشخص نشده", - "No new shortcuts were found during the scan.": "هنگام اسکن، هیچ میان‌بر جدیدی پیدا نشد.", - "No package was selected": "هیچ بسته‌ای انتخاب نشد", "No packages found": "هیچ بسته ای پیدا نشد", "No packages found matching the input criteria": "هیچ بسته ای مطابق با معیار های ورودی پیدا نشد ", "No packages have been added yet": "هنوز هیچ بسته ای اضافه نشده است", "No packages selected": "هیچ بسته ای انتخاب نشد", - "No packages were found": "هیچ بسته ای پیدا نشد", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "هیچ اطلاعات شخصی جمع‌آوری یا ارسال نمی‌شود و داده‌های جمع‌آوری شده ناشناس‌سازی شده‌اند، بنابراین قابل ردیابی به شما نیستند.", - "No results were found matching the input criteria": "هیچ نتیجه ای مطابق با معیارهای ورودی یافت نشد", "No sources found": "هیچ منبعی یافت نشد", "No sources were found": "هیچ منبعی پیدا نشد", "No updates are available": "هیچ به روز رسانی در دسترس نیست\n", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "مدیر بسته Node JS. پر از کتابخانه ها و سایر ابزارهای کاربردی که در مدار جهان جاوا اسکریپت می گردند
شامل: کتابخانه های جاوا اسکریپت گره و سایر ابزارهای مرتبط", - "Not available": "در دسترس نیست", - "Not finding the file you are looking for? Make sure it has been added to path.": "فایلی که دنبالشی رو پیدا نکردی؟ مطمئن شو به مسیر اضافه شده باشه.", - "Not found": "پیدا نشد\n", - "Not right now": "الان نه", "Notes:": "یادداشت ها:", - "Notification preferences": "تنظیمات اعلان", "Notification tray options": "گزینه های نوار اعلانات", - "Notification types": "انواع اعلان", - "NuPkg (zipped manifest)": "NuPkg (مشخصات فشرده شده)", - "OK": "OK", "Ok": "OK", - "Open": "باز کن", "Open GitHub": "GitHub را باز کن", - "Open UniGetUI": "باز کردن UniGetUI", - "Open UniGetUI security settings": "باز کردن تنظیمات امنیتی UniGetUI", "Open WingetUI": "باز کردن UniGetUI", "Open backup location": "باز کردن مکان ذخیره سازی بک‌آپ", "Open existing bundle": "باز کردن باندل موجود", - "Open install location": "باز کردن مکان نصب", "Open the welcome wizard": "باز کردن Wizard خوش آمدگویی", - "Operation canceled by user": "عملیات توسط کاربر لغو شد", "Operation cancelled": "عملیات لغو شد", - "Operation history": "تاریخچه عملیات", - "Operation in progress": "عملیات در حال انجام", - "Operation on queue (position {0})...": "عملیات در صف (موقعیت {0})...", - "Operation profile:": "پروفایل فرآیند:", "Options saved": "گزینه ها ذخیره شد", - "Order by:": "مرتب‌سازی بر اساس:", - "Other": "دیگر", - "Other settings": "تنظیمات دیگر", - "Package": "بسته", - "Package Bundles": "باندل های بسته", - "Package ID": "شناسه (ID) بسته", "Package Manager": "مدیریت بسته", - "Package Manager logs": "لاگ های مدیریت بسته", - "Package Managers": "مدیران بسته", - "Package Name": "نام بسته\n\n", - "Package backup": "بک آپ بسته", - "Package backup settings": "تنظیمات پشتیبان گیری بسته", - "Package bundle": "باندل بسته", - "Package details": "جزئیات بسته", - "Package lists": "لیست‌های بسته", - "Package management made easy": "مدیریت بسته آسان شد", - "Package manager": "مدیر بسته", - "Package manager preferences": "تنظیمات مدیریت بسته", "Package managers": "مدیران بسته", - "Package not found": "بسته پیدا نشد", - "Package operation preferences": "تنظیمات عملیات بسته", - "Package update preferences": "تنظیمات به‌روزرسانی بسته", "Package {name} from {manager}": "بسته {name} از {manager}", - "Package's default": "پیشفرض بسته", "Packages": "بسته ها", "Packages found: {0}": "بسته‌های یافت شده: {0}", - "Partially": "تا حدی", - "Password": "رمز عبور", "Paste a valid URL to the database": "یک URL معتبر در پایگاه داده بچسبانید", - "Pause updates for": "توقف بروزرسانی ها برای", "Perform a backup now": "اکنون یک نسخه بک آپ تهیه کنید", - "Perform a cloud backup now": "الان پشتیبان ابری بگیر", - "Perform a local backup now": "الان پشتیبان محلی بگیر", - "Perform integrity checks at startup": "بررسی سلامت و یکپارچگی هنگام شروع برنامه انجام شود", - "Performing backup, please wait...": "در حال انجام بک آپ گیری، لطفاً صبر کنید...", "Periodically perform a backup of the installed packages": "به صورت دوره ای از بسته های نصب شده یک نسخه بک آپ تهیه کنید", - "Periodically perform a cloud backup of the installed packages": "بصورت دوره ای از بسته های نصب شده پشتیبان ابری بگیر", - "Periodically perform a local backup of the installed packages": "بصورت دوره ای از بسته های نصب شده پشتیبان محلی بگیر", - "Please check the installation options for this package and try again": "لطفاً گزینه‌های نصب این بسته را بررسی کرده و دوباره تلاش کنید", - "Please click on \"Continue\" to continue": "لطفا برای ادامه روی \"ادامه\" کلیک کنید", "Please enter at least 3 characters": "لطفا حداقل ۳ کاراکتر وارد کنید", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "لطفاً توجه داشته باشید که ممکن است بسته‌های خاصی قابل نصب نباشند، زیرا مدیران بسته‌ها در این دستگاه فعال هستند.", - "Please note that not all package managers may fully support this feature": "لطفاً توجه داشته باشید که همه مدیران بسته ممکن است کاملاً از این ویژگی پشتیبانی نکنند", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "لطفاً توجه داشته باشید که بسته هایی از منابع خاص ممکن است قابل استخراج نباشند. آنها خاکستری شده اند و استخراج نمیشوند.", - "Please run UniGetUI as a regular user and try again.": "لطفاً UniGetUI را به عنوان کاربر عادی اجرا کرده و دوباره تلاش کنید.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "لطفاً خروجی خط فرمان را ببینید یا برای اطلاعات بیشتر در مورد این مشکل به سابقه عملیات مراجعه کنید.", "Please select how you want to configure WingetUI": "لطفاً نحوه پیکربندی UniGetUI را انتخاب کنید", - "Please try again later": "لطفاً بعداً دوباره تلاش کنید", "Please type at least two characters": "لطفا حداقل دو کاراکتر تایپ کنید", - "Please wait": "لطفا صبر کنید", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "لطفاً صبر کنید تا {0} نصب شود. ممکن است پنجره سیاه (یا آبی) ظاهر شود. لطفاً صبر کنید تا بسته شود.", - "Please wait...": "لطفا صبر کنید...\n", "Portable": "قابل حمل", - "Portable mode": "حالت قابل حمل", - "Post-install command:": "دستور هنگام نصب:", - "Post-uninstall command:": "دستور هنگام حذف نصب:", - "Post-update command:": "دستور هنگام بروزرسانی:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "مدیر بسته PowerShell. یافتن کتابخانه ها و اسکریپت ها برای گسترش قابلیت های PowerShell
شامل: ماژول ها، اسکریپت ها، Cmdlet ها", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "دستورات قبل و هنگام نصب میتوانند کارهای ناپسندی با دستگاه شما انجام دهند، این میتونه خیلی خطرناک باشه که دستورات رو از باندل وارد کنی مگر اینکه منبع اون باندل بسته مورد اعتمادت باشه.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "دستورات قبل و موقع نصب هنگامی که بسته ای نصب، بروزرسانی یا حذف نصب شود، اجرا خواهند شد. مراقب باشید چرا که میتوانند همه چیز را خراب کنند مگر اینکه با دقت استفاده شوند", - "Pre-install command:": "دستور قبل-نصب:", - "Pre-uninstall command:": "دستور قبل-حذف-نصب:", - "Pre-update command:": "دستور قبل-بروزرسانی:", - "PreRelease": "پیش انتشار", - "Preparing packages, please wait...": "در حال آماده سازی بسته ها، لطفا صبر کنید...", - "Proceed at your own risk.": "با مسئولیت خود ادامه دهید.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "از هرنوع افزایش سطح دسترسی با افزاینده UniGetUI یا GSudo جلوگیری کن", - "Proxy URL": "URL پروکسی", - "Proxy compatibility table": "جدول سازگاری پروکسی", - "Proxy settings": "تنظیمات پروکسی", - "Proxy settings, etc.": "تنظیمات پروکسی و غیره.", "Publication date:": "تاریخ انتشار:", - "Publisher": "منتشر کننده", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "مدیر کتابخانه پایتون پر از کتابخانه‌های پایتون و سایر ابزارهای مرتبط با پایتون
شامل: کتابخانه‌های پایتون و ابزارهای مرتبط", - "Quit": "خروج", "Quit WingetUI": "خروج از UniGetUI", - "Ready": "آماده", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "اعلانات کنترل سطح دسترسی کاربر(UAC) رو کاهش بده، افزایش سطح دسترسی نصب رو بصورت پیشفرض افزایش بده، قفل ویژگی های مشخص خطرناک و امثالهم رو باز کن.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "به لاگ های UniGetUI رجوع شود برای جزئیات بیشتر درمورد فایل(های) تحت تاثیر", - "Reinstall": "نصب مجدد", - "Reinstall package": "بازنصب بسته", - "Related settings": "تنظیمات مرتبط", - "Release notes": "یادداشت های انتشار", - "Release notes URL": "آدرس URL یادداشت های نسخه انتشار", "Release notes URL:": "آدرس URL یادداشت های نسخه انتشار:", "Release notes:": "یادداشت‌های نسخه انتشار:", "Reload": "بارگذاری مجدد", - "Reload log": "بارگیری مجدد گزارش", "Removal failed": "حذف انجام نشد", "Removal succeeded": "حذف با موفقیت انجام شد", - "Remove from list": "حذف از لیست", "Remove permanent data": "حذف اطلاعات دائمی", - "Remove selection from bundle": "حذف انتخاب شده ها از باندل", "Remove successful installs/uninstalls/updates from the installation list": "پاک کردن نصب/حذف/بروزرسانی های موفق از لیست نصب ", - "Removing source {source}": "حذف منبع {source}", - "Removing source {source} from {manager}": "در حال حذف منبع {source} از {manager}", - "Repair UniGetUI": "تعمیر UniGetUI", - "Repair WinGet": "تعمیر WinGet", - "Report an issue or submit a feature request": "گزارش یک مشکل یا ارسال درخواست ویژگی", "Repository": "مخزن", - "Reset": "بازنشانی", "Reset Scoop's global app cache": "پاک‌کردن کش کلی برنامه Scoop", - "Reset UniGetUI": "بازنشانی UniGetUI", - "Reset WinGet": "بازنشانی WinGet", "Reset Winget sources (might help if no packages are listed)": "بازنشانی منابع Winget (ممکن است کمک کند اگر هیچ بسته‌ای نمایش داده نمی‌شود)", - "Reset WingetUI": "بازنشانی UniGetUI", "Reset WingetUI and its preferences": "بازنشانی UniGetUI و تنظیمات آن", "Reset WingetUI icon and screenshot cache": "پاک‌کردن کش آیکون‌ها و اسکرین‌شات‌های UniGetUI", - "Reset list": "بازنشانی لیست", "Resetting Winget sources - WingetUI": "در حال بازنشانی منابع UniGetUI - WinGet", - "Restart": "راه‌اندازی مجدد", - "Restart UniGetUI": "UniGetUI را مجددا راه اندازی کنید", - "Restart WingetUI": "راه اندازی مجدد UniGetUI", - "Restart WingetUI to fully apply changes": "برای اعمال کامل تغییرات، UniGetUI را مجدداً راه‌اندازی کنید.", - "Restart later": "بعداً راه‌اندازی مجدد کن", "Restart now": "همین حالا راه‌اندازی مجدد کن", - "Restart required": "راه اندازی مجدد لازم است", - "Restart your PC to finish installation": "کامپیوتر خود را مجددا راه اندازی کنید تا نصب تمام شود", - "Restart your computer to finish the installation": "رایانه خود را راه اندازی مجدد کنید تا نصب تمام شود", - "Restore a backup from the cloud": "بازگردانی یک پشتیبان از ابر", - "Restrictions on package managers": "محدودیت ها روی مدیران بسته ها", - "Restrictions on package operations": "محدودیت ها روی عملیات بسته ها", - "Restrictions when importing package bundles": "محدودیت ها هنگام ورود باندل بسته ها", - "Retry": "تلاش مجدد", - "Retry as administrator": "تلاش مجدد به عنوان ادمین", - "Retry failed operations": "تلاش مجدد عملیات ناموفق", - "Retry interactively": "تلاش مجدد تعاملی", - "Retry skipping integrity checks": "تلاش مجدد با رد کردن بررسی‌های یکپارچگی", - "Retrying, please wait...": "در حال تلاش مجدد، لطفا صبر کنید...", - "Return to top": "برگشت به بالای صفحه ", - "Run": "اجرا", - "Run as admin": "اجرا به عنوان ادمین", - "Run cleanup and clear cache": "اجرای پاک‌سازی و پاک کردن کش", - "Run last": "در آخر اجرا کن", - "Run next": "بعد از این اجرا کن", - "Run now": "الان اجرا کن", + "Restart your PC to finish installation": "کامپیوتر خود را مجددا راه اندازی کنید تا نصب تمام شود", + "Restart your computer to finish the installation": "رایانه خود را راه اندازی مجدد کنید تا نصب تمام شود", + "Retry failed operations": "تلاش مجدد عملیات ناموفق", + "Retrying, please wait...": "در حال تلاش مجدد، لطفا صبر کنید...", + "Return to top": "برگشت به بالای صفحه ", "Running the installer...": "در حال اجرای نصب کننده...", "Running the uninstaller...": "در حال اجرای برنامه حذف کننده...", "Running the updater...": "در حال اجرای به روز رسانی کننده...", - "Save": "ذخیره", "Save File": "ذخیره فایل", - "Save and close": "ذخیره و بستن", - "Save as": "ذخیره در", "Save bundle as": "ذخیره باندل به عنوان", "Save now": "الان ذخیره کن", - "Saving packages, please wait...": "در حال ذخیره بسته ها، لطفا صبر کنید...", - "Scoop Installer - WingetUI": "نصب‌کننده UniGetUI - Scoop", - "Scoop Uninstaller - WingetUI": "حذف کننده UniGetUI - Scoop", - "Scoop package": "بسته Scoop", "Search": "جستجو ", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "نرم افزار دسکتاپ را جستجو کنید، در صورت در دسترس بودن به روز رسانی ها به من هشدار دهید و کارهای مزخرف را انجام ندهید. من نمی خواهم WingetUI بیش از حد پیچیده شود، فقط یک فروشگاه نرم افزار ساده می خواهم", - "Search for packages": "جستجوی بسته ها", - "Search for packages to start": "جستجو بسته ها برای شروع", - "Search mode": "حالت جستجو", "Search on available updates": "جستجو در مورد بروزرسانی های موجود", "Search on your software": "جستجو در برنامه", "Searching for installed packages...": "در حال جستجو برای بسته های نصب شده...", "Searching for packages...": "در حال جستجو برای بسته ها...", "Searching for updates...": "درحال جستجو برای بروزرسانی ها...", - "Select": "انتخاب", "Select \"{item}\" to add your custom bucket": "برای افزودن سطل سفارشی خود، «{item}» را انتخاب کنید", "Select a folder": "انتخاب پوشه", - "Select all": "انتخاب همه", "Select all packages": "همه بسته ها را انتخاب کنید", - "Select backup": "انتخاب پشتیبان", "Select only if you know what you are doing.": "فقط اگر می دانید چه کاری انجام می دهید انتخاب کنید.", "Select package file": "فایل بسته را انتخاب کنید", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "پشتیبانی که میخوای باز کنی رو انتخاب کن. بعدش، میتونی بسته/برنامه ای که میخوای رو بازگردانی کنی", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "فایل اجرایی مورد استفاده را انتخاب کنید. فهرست زیر فایل‌های اجرایی پیدا شده توسط UniGetUI را نشان می‌دهد", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "پروسه هایی که بهتره قبل از نصب، بروزرسانی یا حذف نصب این بسته، پایان داده بشن رو انتخاب کن", - "Select the source you want to add:": "منبعی را که می خواهید اضافه کنید انتخاب کنید:", - "Select upgradable packages by default": "بسته‌های قابل ارتقا را به طور پیش‌فرض انتخاب کنید", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "انتخاب کنید از کدام مدیر بسته استفاده شود ({0})، نحوه نصب بسته‌ها را پیکربندی کنید، نحوه استفاده از حقوق سرپرست را مدیریت کنید و غیره.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "دست دادن ارسال شد. در انتظار پاسخ شنونده فرآیند (Instance)... (%{0})", - "Set a custom backup file name": "تنظیم یک نام فایل بک آپ شخصی سازی شده", "Set custom backup file name": "تنظیم نام فایل بک آپ شخصی سازی شده", - "Settings": "تنظیمات", - "Share": "اشتراک گذاری", "Share WingetUI": "اشتراک گذاری UniGetUI", - "Share anonymous usage data": "به‌اشتراک‌گذاری داده‌های استفاده به‌صورت ناشناس", - "Share this package": "اشتراک گذاری این بسته", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "اگه تنظیمات رو تغییر بدی، برای اینکه تغییرات موثر واقع بشن لازمه باندل رو دوباره باز کنی.", "Show UniGetUI on the system tray": "نمایش UniGetUI در نوار سیستم", - "Show UniGetUI's version and build number on the titlebar.": "نمایش نسخه UniGetUI در نوار عنوان", - "Show WingetUI": "نمایش UniGetUI", "Show a notification when an installation fails": "نمایش اعلان هنگام ناموفق بودن نصب", "Show a notification when an installation finishes successfully": "نمایش اعلان هنگام اتمام موفق نصب", - "Show a notification when an operation fails": "نمایش اعلان هنگام شکست عملیات", - "Show a notification when an operation finishes successfully": "نمایش اعلان هنگام اتمام موفق عملیات", - "Show a notification when there are available updates": "در صورت وجود بروزرسانی یک اعلان نشان داده شود ", - "Show a silent notification when an operation is running": "نمایش اعلان بی‌صدا هنگام اجرای عملیات", "Show details": "نمایش جزئیات", - "Show in explorer": "نمایش در اکسپلورر", "Show info about the package on the Updates tab": "نمایش اطلاعات در مورد بسته در صفحه بروزرسانی ها", "Show missing translation strings": "نمایش متون ناموجود ترجمه", - "Show notifications on different events": "نمایش اعلان‌ها در رویدادهای مختلف", "Show package details": "نمایش جزئیات بسته", - "Show package icons on package lists": "نمایش آیکون‌های بسته در لیست‌های بسته", - "Show similar packages": "نمایش بسته های مشابه", "Show the live output": "نمایش خروجی به صورت زنده و بلادرنگ", - "Size": "حجم", "Skip": "رد کردن", - "Skip hash check": "رد کردن بررسی Hash", - "Skip hash checks": "رد کردن بررسی‌های Hash", - "Skip integrity checks": "چشم پوشی از بررسی های یکپارچگی", - "Skip minor updates for this package": "به‌روزرسانی‌های جزئی این بسته را نادیده بگیر", "Skip the hash check when installing the selected packages": "رد کردن بررسی Hash هنگام نصب بسته‌های انتخاب شده", "Skip the hash check when updating the selected packages": "رد کردن بررسی Hash هنگام به‌روزرسانی بسته‌های انتخاب شده", - "Skip this version": "رد کردن این نسخه", - "Software Updates": "بروزرسانی های نرم افزار", - "Something went wrong": "مشکلی پیش آمد", - "Something went wrong while launching the updater.": "هنگام اجرای به‌روزرسان، مشکلی پیش آمد.", - "Source": "منبع", - "Source URL:": "آدرس URL منبع:", - "Source added successfully": "منبع با موفقیت اضافه شد", "Source addition failed": "افزودن منبع ناموفق بود", - "Source name:": "نام منبع:", "Source removal failed": "حذف منبع ناموفق بود", - "Source removed successfully": "منبع با موفقیت حذف شد", "Source:": "منبع:", - "Sources": "منابع", "Start": "شروع", "Starting daemons...": "شروع daemon ها ...", - "Starting operation...": "شروع عملیات...", "Startup options": "تنظیمات شروع برنامه", "Status": "وضعیت", "Stuck here? Skip initialization": "گیر کردید؟ مرحلهٔ راه‌اندازی را رد کنید", - "Success!": "موفقیت!", "Suport the developer": "حمایت از توسعه دهنده", "Support me": "حمایت از من", "Support the developer": "حمایت از توسعه‌دهنده", "Systems are now ready to go!": "سیستم‌ها الان آماده هستند!", - "Telemetry": "تله‌متری", - "Text": "متن", "Text file": "فایل متنی", - "Thank you ❤": "ممنونم ❤", - "Thank you \uD83D\uDE09": "متشکرم \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "مدیر بسته Rust.
شامل: کتابخانه‌های Rust و برنامه‌های نوشته شده در Rust", - "The backup will NOT include any binary file nor any program's saved data.": "نسخه پشتیبان شامل هیچ فایل باینری یا داده های ذخیره شده هیچ برنامه ای نمی شود.", - "The backup will be performed after login.": "بک آپ گیری پس از ورود انجام خواهد شد.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "بک آپ شامل فهرست کامل بسته‌های نصب شده و گزینه‌های نصب آن‌ها خواهد بود. به‌روزرسانی‌های نادیده گرفته شده و نسخه‌های رد شده نیز ذخیره می‌شوند.", - "The bundle was created successfully on {0}": "مجموعه با موفقیت در {0} ایجاد شد", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "مجموعه‌ای که سعی می‌کنید بارگذاری کنید نامعتبر به نظر می‌رسد. لطفاً فایل را بررسی کرده و دوباره تلاش کنید.", + "Thank you 😉": "متشکرم 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "مقدار چکسام نصب‌کننده با مقدار مورد انتظار همخوانی ندارد و اصالت نصب‌کننده قابل تأیید نیست. اگر به ناشر اعتماد دارید، می‌توانید با رد کردن بررسی چکسام، بسته را دوباره {0} کنید.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "مدیر بسته کلاسیک برای ویندوز. همه چیز را آنجا پیدا خواهید کرد.
شامل: نرم افزار عمومی", - "The cloud backup completed successfully.": "پشتیبان گیری ابر با موفقیت به پایان رسید.", - "The cloud backup has been loaded successfully.": "پشتیبان ابر با موفقیت لود شد.", - "The current bundle has no packages. Add some packages to get started": "باندل فعلی هیچ بسته ای ندارد. برای شروع چند بسته اضافه کنید", - "The executable file for {0} was not found": "فایل اجرایی برای {0} یافت نشد", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "هربار که یک {0} بسته نصب، بروزرسانی یا حذف نصب شد تنظیمات زیر بصورت پیشفرض اعمال میشوند.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "بسته های زیر قرار است به یک فایل JSON صادر شوند. هیچ داده کاربر یا باینری ذخیره نمی شود.", "The following packages are going to be installed on your system.": "بسته‌های زیر قرار است روی سیستم شما نصب شوند.", - "The following settings may pose a security risk, hence they are disabled by default.": "تنظیمات زیر ممکنه ریسک امنیتی ایجاد کنند، بنابراین بصورت پیشفرض غیرفعال شده اند.", - "The following settings will be applied each time this package is installed, updated or removed.": "هر بار که این بسته نصب، به‌روزرسانی یا حذف شود، تنظیمات زیر اعمال می‌شوند.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "هر بار که این بسته نصب، به‌روزرسانی یا حذف شود، تنظیمات زیر اعمال می‌شوند. به طور خودکار ذخیره می شوند.", "The icons and screenshots are maintained by users like you!": "آیکون ها و اسکرین شات ها توسط کاربرانی مثل شما حفظ و نگهداری می شود!\n", - "The installation script saved to {0}": "اسکریپت نصب در {0} ذخیره شد", - "The installer authenticity could not be verified.": "اصالت نصب‌کننده قابل تأیید نیست.", "The installer has an invalid checksum": "نصب‌کننده چک‌سام نامعتبری دارد", "The installer hash does not match the expected value.": "Hash نصب‌کننده با مقدار مورد انتظار مطابقت ندارد.", - "The local icon cache currently takes {0} MB": "حافظه پنهان آیکون محلی در حال حاضر {0} مگابایت فضا اشغال کرده است", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "هدف اصلی این پروژه ایجاد یک فضای کاربری شهودی برای رایج ترین مدیر بسته های رابط خط فرمان ویندوز است، مانند Winget و Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "بسته \"{0}\" در مدیر بسته \"{1}\" یافت نشد", - "The package bundle could not be created due to an error.": "مجموعه بسته به دلیل خطا ایجاد نشد.", - "The package bundle is not valid": "مجموعه بسته معتبر نیست", - "The package manager \"{0}\" is disabled": "مدیر بسته \"{0}\" غیرفعال است", - "The package manager \"{0}\" was not found": "مدیر بسته \"{0}\" یافت نشد", "The package {0} from {1} was not found.": "بسته {0} از {1} یافت نشد.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "بسته‌های فهرست‌شده اینجا هنگام بررسی به‌روزرسانی‌ها در نظر گرفته نمی‌شوند. برای متوقف کردن نادیده گرفتن به‌روزرسانی آن‌ها، روی هر کدام دوبار کلیک کنید یا دکمه سمت راست‌شان را بزنید.", "The selected packages have been blacklisted": "بسته‌های انتخاب شده در لیست سیاه قرار گرفته‌اند", - "The settings will list, in their descriptions, the potential security issues they may have.": "تنظیمات لیست خواهند شد، در توضیحاتشان، مشکلات جدی امنیتی که ممکنه داشته باشن.", - "The size of the backup is estimated to be less than 1MB.": "اندازه بک آپ تخمین زده می‌شود کمتر از 1 مگابایت باشد.", - "The source {source} was added to {manager} successfully": "منبع {source} با موفقیت به {manager} اضافه شد", - "The source {source} was removed from {manager} successfully": "منبع {source} با موفقیت از {manager} حذف شد", - "The system tray icon must be enabled in order for notifications to work": "آیکون نوار سیستم باید فعال باشد تا اعلان‌ها کار کنند", - "The update process has been aborted.": "فرآیند به‌روزرسانی متوقف شد.", - "The update process will start after closing UniGetUI": "فرآیند به‌روزرسانی پس از بستن UniGetUI شروع خواهد شد", "The update will be installed upon closing WingetUI": "به‌روزرسانی پس از بستن UniGetUI نصب خواهد شد", "The update will not continue.": "به‌روزرسانی ادامه نخواهد یافت.", "The user has canceled {0}, that was a requirement for {1} to be run": "کاربر {0} را لغو کرده است که شرطی برای اجرای {1} بود", - "There are no new UniGetUI versions to be installed": "هیچ نسخه جدید UniGetUI برای نصب وجود ندارد", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "برخی عملیات در حال انجام هستند. بستن UniGetUI ممکن است باعث شکست آن‌ها شود. آیا مایلید ادامه دهید؟", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "ویدیوهای عالی‌ای در یوتیوب وجود دارند که UniGetUI و قابلیت‌های آن را نمایش می‌دهند. می‌تونی نکات و ترفندهای مفیدی یاد بگیری!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "دو دلیل اصلی وجود دارد که نباید UniGetUI را با دسترسی ادمین اجرا کنید:\n\nاول اینکه مدیر بسته Scoop ممکن است هنگام اجرای برخی دستورها با دسترسی ادمین دچار مشکل شود.\nدوم اینکه اجرای UniGetUI با دسترسی ادمین باعث می‌شود هر بسته‌ای که دانلود می‌کنید هم با دسترسی ادمین اجرا شود (و این امن نیست).\n\nیادتان باشد اگر نیاز دارید یک بسته خاص را با دسترسی ادمین نصب کنید، همیشه می‌توانید روی آن راست‌کلیک کرده و گزینه نصب/به‌روزرسانی/حذف به عنوان ادمین را انتخاب کنید.", - "There is an error with the configuration of the package manager \"{0}\"": "خطایی در پیکربندی مدیر بسته \"{0}\" وجود دارد", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "نصب در حال انجام است. اگر UniGetUI را ببندید، ممکن است نصب با شکست مواجه شود یا نتایج غیرمنتظره‌ای داشته باشد.\nآیا همچنان می‌خواهید UniGetUI را ببندید؟", "They are the programs in charge of installing, updating and removing packages.": "این‌ها برنامه‌هایی هستند که وظیفه نصب، به‌روزرسانی و حذف بسته‌ها را بر عهده دارند.", - "Third-party licenses": "مجوزهای نرم‌افزارهای جانبی", "This could represent a security risk.": "این می‌تواند خطر امنیتی باشد.", - "This is not recommended.": "این توصیه نمی‌شود.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "این احتمالاً به این دلیل است که بسته ای که ارسال شده بود حذف شده است یا در یک مدیر بسته منتشر شده است که شما آن را فعال نکرده اید. شناسه دریافتی {0} است", "This is the default choice.": "این انتخاب پیش‌فرض است.", - "This may help if WinGet packages are not shown": "این ممکن است کمک کند اگر بسته‌های WinGet نشان داده نمی‌شوند", - "This may help if no packages are listed": "این ممکن است کمک کند اگر هیچ بسته‌ای فهرست نشده", - "This may take a minute or two": "این ممکن است یک یا دو دقیقه طول بکشد", - "This operation is running interactively.": "این عملیات به صورت تعاملی در حال اجرا است.", - "This operation is running with administrator privileges.": "این عملیات با دسترسی های ادمین در حال اجرا است.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "این تنظیم باعث مشکلاتی میشه. هر فرآیند نامتناسب با افزایش سطح دسترسی خودش شکست خواهد خورد. نصب/بروزرسانی/حذف نصب بعنوان ادمین سیستم کار نخواهد کرد.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "این باندل بسته تنظیماتی داشت که خطرناک هستند، و شاید بصورت پیش فرض مردود بشن.", "This package can be updated": "این بسته قابل به‌روزرسانی است", "This package can be updated to version {0}": "این بسته قابل به‌روزرسانی به نسخه {0} است", - "This package can be upgraded to version {0}": "این بسته قابل ارتقا به نسخه {0} است", - "This package cannot be installed from an elevated context.": "این بسته نمی‌تواند از محیط ارتقا یافته نصب شود.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "این بسته اسکرین‌شات یا آیکن ندارد؟ با اضافه کردن آیکن‌ها و اسکرین‌شات‌های گم‌شده به پایگاه‌داده عمومی و آزاد UniGetUI در بهبود آن مشارکت کنید.", - "This package is already installed": "این بسته قبلاً نصب شده است", - "This package is being processed": "این بسته در حال پردازش است", - "This package is not available": "این بسته در دسترس نیست", - "This package is on the queue": "این بسته در صف است", "This process is running with administrator privileges": "این فرایند با دسترسی های ادمین در حال اجرا است.", - "This project has no connection with the official {0} project — it's completely unofficial.": "این پروژه هیچ ارتباطی با پروژه رسمی {0} ندارد — کاملا غیر رسمی است.", "This setting is disabled": "این تنظیمات غیرفعال شده است", "This wizard will help you configure and customize WingetUI!": "این قابلیت به شما کمک می‌کند UniGetUI را پیکربندی و شخصی سازی کنید!", "Toggle search filters pane": "تغییر وضعیت پنل فیلترهای جستجو", - "Translators": "مترجم ها", - "Try to kill the processes that refuse to close when requested to": "سعی کن پروسه هایی که درخواست پایان یافتن رو رد میکنن، به اجبار پایان بدی", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "فعال کردن این، تغییر دادن فایل قابل اجرای استفاده شده برای تعامل با مدیران بسته رو ممکن میکنه. درحالی که این سفارشی سازی دقیق تر پروسه های نصب رو ممکن میکنه، ولی میتونه خطرناک هم باشه", "Type here the name and the URL of the source you want to add, separed by a space.": "در اینجا نام و نشانی اینترنتی منبعی را که می خواهید اضافه کنید، با فاصله از هم تایپ کنید.", "Unable to find package": "بسته پیدا نشد", "Unable to load informarion": "بارگیری اطلاعات ممکن نیست\n", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI داده‌های استفاده ناشناس جمع‌آوری می‌کند تا تجربه کاربری را بهبود بخشد.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI داده‌های استفاده ناشناس را با هدف صرف درک و بهبود تجربه کاربری جمع‌آوری می‌کند.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI میانبر جدید دسکتاپی تشخیص داده که می‌تواند به طور خودکار حذف شود.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI میانبرهای دسکتاپ زیر را تشخیص داده که می‌توانند در ارتقاهای آینده به طور خودکار حذف شوند", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI {0} میانبر جدید دسکتاپ تشخیص داده که می‌توانند به طور خودکار حذف شوند.", - "UniGetUI is being updated...": "UniGetUI در حال به‌روزرسانی است...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI به هیچ یک از مدیران بسته سازگار مرتبط نیست. UniGetUI یک پروژه مستقل است.", - "UniGetUI on the background and system tray": "UniGetUI در پس‌زمینه و نوار سیستم", - "UniGetUI or some of its components are missing or corrupt.": "برخی از کامپوننت های UniGetUI یا کل آن از دست رفته یا خراب شده اند.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI برای کار کردن به {0} نیاز دارد، اما در سیستم شما یافت نشد.", - "UniGetUI startup page:": "صفحه راه‌اندازی UniGetUI:", - "UniGetUI updater": "به‌روزرسان UniGetUI", - "UniGetUI version {0} is being downloaded.": "نسخه {0} UniGetUI در حال دانلود است.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} آماده نصب است.", - "Uninstall": "حدف برنامه", - "Uninstall Scoop (and its packages)": "حذف Scoop (و بسته های آن)", "Uninstall and more": "حذف نصب و بیشتر", - "Uninstall and remove data": "حذف و پاک کردن داده‌ها", - "Uninstall as administrator": "حدف برنامه به عنوان ادمین", "Uninstall canceled by the user!": "حذف برنامه توسط کابر لغو شد!", - "Uninstall failed": "حذف ناموفق", - "Uninstall options": "تنظیمات حذف نصب", - "Uninstall package": "حذف بسته", - "Uninstall package, then reinstall it": "حذف بسته و سپس دوباره نصب کردن آن", - "Uninstall package, then update it": "حذف بسته و سپس به روز رسانی آن", - "Uninstall previous versions when updated": "حذف نصب نسخه های قبلی هنگامی که بروزرسانی شدند", - "Uninstall selected packages": "حذف بسته های انتخاب شده", - "Uninstall selection": "حذف نصب انتخاب شده ها", - "Uninstall succeeded": "حذف موفقیت آمیز بود", "Uninstall the selected packages with administrator privileges": "حذف بسته های انتخابی با امتیازات ادمین", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "بسته های غیرقابل نصب با مبدأ فهرست شده به عنوان \"{0}\" در هیچ مدیر بسته منتشر نمی شوند، بنابراین هیچ اطلاعاتی برای نمایش در مورد آنها وجود ندارد.", - "Unknown": "ناشناخته", - "Unknown size": "اندازه نامشخص", - "Unset or unknown": "تنظیم نشده یا ناشناخته", - "Up to date": "به‌روز", - "Update": "به روز رسانی", - "Update WingetUI automatically": "به‌روزرسانی خودکار UniGetUI", - "Update all": "همه را بروز رسانی کن", "Update and more": "بروزرسانی و بیشتر", - "Update as administrator": "بروزرسانی به عنوان ادمین", - "Update check frequency, automatically install updates, etc.": "فرکانس بررسی به‌روزرسانی، نصب خودکار به‌روزرسانی‌ها و غیره.", - "Update checking": "بررسی به‌روزرسانی‌ها", "Update date": "تاریخ به روز رسانی", - "Update failed": "بروزرسانی شکست خورد", "Update found!": "به روز رسانی پیدا شد!", - "Update now": "اکنون بروزرسانی کن", - "Update options": "تنظیمات بروزرسانی", "Update package indexes on launch": "به روز رسانی شاخص های بسته در راه اندازی", "Update packages automatically": "بروزرسانی خودکار بسته ها", "Update selected packages": "بروزرسانی بسته های انتخاب شده", "Update selected packages with administrator privileges": "به روزرسانی بسته های انتخابی با امتیازات ادمین", - "Update selection": "بروزرسانی انتخاب شده ها", - "Update succeeded": "بروزرسانی با موفقیت انجام شد", - "Update to version {0}": "به‌روزرسانی به نسخه {0}", - "Update to {0} available": "بروزرسانی به {0} موجود است", "Update vcpkg's Git portfiles automatically (requires Git installed)": "به‌روزرسانی خودکار پورت‌فایل‌های Git در vcpkg (نیاز به نصب بودن Git دارد)", "Updates": "بروزرسانی ها", "Updates available!": "بروزرسانی در دسترس است!", - "Updates for this package are ignored": "بروزرسانی های این بسته نادیده گرفته شود ", - "Updates found!": "به روز رسانی پیدا شد!", "Updates preferences": "تنظیمات به‌روزرسانی‌ها", "Updating WingetUI": "در حال به روز رسانی UniGetUI", "Url": "آدرس URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "استفاده از WinGet بسته‌بندی شده قدیمی به جای CMDLetهای PowerShell", - "Use a custom icon and screenshot database URL": "استفاده از URL پایگاه داده آیکون و تصویر شخصی سازی شده", "Use bundled WinGet instead of PowerShell CMDlets": "استفاده از WinGet بسته‌بندی شده به جای CMDletهای PowerShell", - "Use bundled WinGet instead of system WinGet": "استفاده از WinGet بسته‌بندی شده به جای WinGet سیستم", - "Use installed GSudo instead of UniGetUI Elevator": "برای افزایش سطح دسترسی، بجای افزاینده UniGetUI از GSudo نصب شده استفاده کن", "Use installed GSudo instead of the bundled one": "از GSudo نصب‌شده به‌جای نسخه‌ی همراه استفاده کن", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "از UniGetUI Elevator قدیمی استفاده کن (اگر با UniGetUI Elevator مشکل داری، ممکن است مفید باشد)", - "Use system Chocolatey": "استفاده از Chocolatey سیستم", "Use system Chocolatey (Needs a restart)": " از Chocolatey سیستم استفاده کن ( نیاز به راه اندازی مجدد دارد )", "Use system Winget (Needs a restart)": "از Winget سیستم استفاده کن ( نیاز به راه اندازی مجدد دارد )", "Use system Winget (System language must be set to english)": "استفاده از WinGet سیستم (زبان سیستم باید روی انگلیسی تنظیم شود)", "Use the WinGet COM API to fetch packages": "استفاده از API COM WinGet برای دریافت بسته‌ها", "Use the WinGet PowerShell Module instead of the WinGet COM API": "استفاده از ماژول PowerShell WinGet به جای API COM WinGet", - "Useful links": "لینک های مفید ", "User": "کاربر", - "User interface preferences": "تنظیمات رابط کاربری", "User | Local": "کاربر | محلی", - "Username": "نام کاربری", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "استفاده از UniGetUI به معنای پذیرش مجوز GNU Lesser General Public License v2.1 است", - "Using WingetUI implies the acceptation of the MIT License": "استفاده از UniGetUI به معنای پذیرش مجوز MIT است", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "ریشه Vcpkg یافت نشد. لطفاً متغیر محیطی %VCPKG_ROOT% را تعریف کنید یا آن را از تنظیمات UniGetUI تعریف کنید", "Vcpkg was not found on your system.": "Vcpkg در سیستم شما یافت نشد.", - "Verbose": "مفصل", - "Version": "نسخه", - "Version to install:": "نسخه برای نصب:", - "Version:": "نسخه:", - "View GitHub Profile": "مشاهده پروفایل GitHub", "View WingetUI on GitHub": "مشاهده پروفایل UniGetUI در GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "کد منبع UniGetUI را ببینید. از آنجا می‌توانید باگ‌ها را گزارش کنید، پیشنهادات ویژگی بدهید یا حتی مستقیماً در پروژه UniGetUI مشارکت کنید.", - "View mode:": "حالت نمایش:", - "View on UniGetUI": "مشاهده در UniGetUI", - "View page on browser": "نمایش صفحه در مرورگر", - "View {0} logs": "مشاهده لاگ‌های {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "قبل از تلاش برای انجام کارهایی که نیاز به اتصال اینترنت دارند، منتظر بمانید تا دستگاه به اینترنت متصل شود.", "Waiting for other installations to finish...": "در انتظار پایان نصب های دیگر...", "Waiting for {0} to complete...": "منتظر تکمیل {0}...", - "Warning": "هشدار", - "Warning!": "هشدار!", - "We are checking for updates.": "ما در حال بررسی به‌روزرسانی‌ها هستیم.", "We could not load detailed information about this package, because it was not found in any of your package sources": "ما نتوانستیم اطلاعات دقیق درباره این بسته را بارگیری کنیم، زیرا در هیچ یک از منابع بسته شما یافت نشد", "We could not load detailed information about this package, because it was not installed from an available package manager.": "ما نتوانستیم اطلاعات دقیق درباره این بسته را بارگیری کنیم، زیرا از یک مدیر بسته موجود نصب نشده بود.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "ما نتوانستیم {action} {package} را انجام دهیم. لطفاً بعداً دوباره امتحان کنید. برای دریافت گزارش‌ها از نصب‌کننده، روی «{showDetails}» کلیک کنید.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "ما نتوانستیم {action} {package} را انجام دهیم. لطفاً بعداً دوباره امتحان کنید. روی \"{showDetails}\" کلیک کنید تا گزارش‌ها را از برنامه حذف نصب کنید.", "We couldn't find any package": "نتوانستیم بسته ای را پیدا کنیم", "Welcome to WingetUI": "به UniGetUI خوش آمدید", - "When batch installing packages from a bundle, install also packages that are already installed": "وقتی بسته ها رو بصورت دسته ای از یک باندل نصب میکنی، بسته هایی که از قبل نصب بودن هم نصب کن.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "هنگام تشخیص میانبرهای جدید، آن‌ها را به طور خودکار حذف کنید به جای نمایش این دیالوگ.", - "Which backup do you want to open?": "کدوم پشتیبان رو میخوای باز کنی؟", "Which package managers do you want to use?": "کدام مدیران بسته را می‌خواهید استفاده کنید؟", "Which source do you want to add?": "کدام منبع را می‌خواهید اضافه کنید؟", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "هرچند Winget را می‌توان در UniGetUI استفاده کرد، اما UniGetUI قابلیت کار با سایر مدیرهای بسته را هم دارد که ممکن است کمی گیج‌کننده باشد. در گذشته، UniGetUI فقط برای کار با Winget طراحی شده بود، اما حالا اینطور نیست و به همین دلیل UniGetUI نمایانگر هدف اصلی این پروژه نیست.", - "WinGet could not be repaired": "WinGet قابل تعمیر نبود", - "WinGet malfunction detected": "نقص عملکرد WinGet تشخیص داده شد", - "WinGet was repaired successfully": "WinGet با موفقیت تعمیر شد", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - همه چیز به روز است", "WingetUI - {0} updates are available": "UniGetUI - و {0} تا به‌روزرسانی‌ موجود است", "WingetUI - {0} {1}": "UniGetUI - {1} {0}", - "WingetUI Homepage": "صفحه اصلی UniGetUI", "WingetUI Homepage - Share this link!": "صفحه نخست UniGetUI - این لینک را به اشتراک بگذارید!", - "WingetUI License": "لایسنس UniGetUI", - "WingetUI Log": "لاگ UniGetUI", - "WingetUI Repository": "مخزن UniGetUI", - "WingetUI Settings": "تنظیمات UniGetUI", "WingetUI Settings File": "فایل تنظیمات UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI از کتابخانه های زیر استفاده می کند. بدون آنها، UniGetUI ممکن نبود.", - "WingetUI Version {0}": "UniGetUI نسخه {0}", "WingetUI autostart behaviour, application launch settings": "رفتار شروع خودکار UniGetUI, تنظیمات اجرای برنامه", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI می‌تواند بررسی کند که آیا نرم‌افزار شما به‌روزرسانی‌های موجود دارد یا خیر، و در صورت تمایل آنها را به‌طور خودکار نصب کند", - "WingetUI display language:": "زبان نمایشی UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI با دسترسی ادمین اجرا شده است، که توصیه نمی‌شود. وقتی UniGetUI را با دسترسی ادمین اجرا می‌کنید، همه عملیات انجام شده توسط برنامه با دسترسی ادمین اجرا می‌شوند.\nشما همچنان می‌توانید از برنامه استفاده کنید، اما به‌شدت توصیه می‌کنیم UniGetUI را با دسترسی ادمین اجرا نکنید.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI به لطف مترجمان داوطلب به بیش از 40 زبان ترجمه شده است. ممنون \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI با ماشین ترجمه نشده است! کاربران زیر مسئولیت ترجمه را بر عهده داشته اند:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI برنامه‌ای است که مدیریت نرم‌افزار شما را با ارائه یک رابط گرافیکی همه‌جانبه برای مدیران بسته خط فرمان شما آسان‌تر می‌کند.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI به منظور تأکید بر تفاوت بین UniGetUI (رابطی که در حال حاضر استفاده می کنید) و Winget (یک مدیر بسته توسعه یافته توسط مایکروسافت که من با آن ارتباطی ندارم) تغییر نام داده می شود.", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI در حال بروزرسانی است. پس از اتمام بروز رسانی، UniGetUI خود را بروزرسانی خواهد کرد. ", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI رایگان است و برای همیشه رایگان خواهد بود. بدون تبلیغات، بدون کارت اعتباری، بدون نسخه حق بیمه. 100٪ رایگان، برای همیشه.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI هر بار که یک بسته برای نصب نیاز به elevation داشته باشد، یک UAC را نشان می دهد.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI به زودی {newname} نامگذاری خواهد شد. این نشان دهنده هیچ تغییری در برنامه نخواهد بود. من (توسعه دهنده) توسعه این پروژه را همانطور که در حال حاضر انجام می دهم ادامه خواهم داد، اما با نامی دیگر.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI بدون کمک مشارکت کنندگان عزیز ما امکان پذیر نبود. پروفایل هایGitHub آنها را بررسی کنید، WingetUI بدون آنها امکان پذیر نمی بود!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI بدون کمک مشارکت کنندگان ممکن نبود. ممنون از همه \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} آماده نصب است.", - "Write here the process names here, separated by commas (,)": "نام پروسه ها رو اینجا بنویس، بصورت جدا شده با کاما (,)", - "Yes": "بله", - "You are logged in as {0} (@{1})": "شما به عنوان {0} (@{1} ) وارد شده اید", - "You can change this behavior on UniGetUI security settings.": "شما میتوانید این رفتار را در تنظیمات امنیتی UniGetUI تغییر دهید.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "شما میتوانید دستوراتی را مشخص کنید که قبل یا بعد از نصب، بروزرسانی یا حذف نصب این بسته اجرا شوند. آنها روی یک Command Prompt ذخیره خواهند شد، بنابراین اسکریپت های CMD اینجا کار خواهند کرد.", - "You have currently version {0} installed": "شما در حال حاضر نسخه {0} نصب دارید", - "You have installed WingetUI Version {0}": "شما UniGetUI نسخه {0} نصب کرده‌اید", - "You may lose unsaved data": "ممکنه شما داده های ذخیره نشده رو از دست بدهید", - "You may need to install {pm} in order to use it with WingetUI.": "ممکن است نیاز داشته باشید {pm} را نصب کنید تا بتوانید آن را با UniGetUI استفاده کنید.", "You may restart your computer later if you wish": "در صورت تمایل می توانید بعداً رایانه خود را مجدداً راه اندازی کنید", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "فقط یک بار از شما سؤال خواهد شد و حقوق مدیر به بسته‌هایی که درخواست می‌کنند اعطا خواهد شد.", "You will be prompted only once, and every future installation will be elevated automatically.": "فقط یک بار از شما سؤال خواهد شد و هر نصب آینده به طور خودکار ارتقا خواهد یافت.", - "You will likely need to interact with the installer.": "احتمالاً نیاز خواهید داشت با نصب‌کننده تعامل کنید.", - "[RAN AS ADMINISTRATOR]": "[به عنوان ادمین اجرا شد]", "buy me a coffee": "برام قهوه بخر", - "extracted": "استخراج شده", - "feature": "ویژگی", "formerly WingetUI": "قبلاً WingetUI", "homepage": "وبسایت", "install": "نصب", "installation": "نصب", - "installed": "نصب شده است", - "installing": "در حال نصب", - "library": "کتابخانه", - "mandatory": "ضروری", - "option": "گزینه", - "optional": "اختیاری", "uninstall": "حدف برنامه", "uninstallation": "فرایند حدف برنامه", "uninstalled": "حذف شد", - "uninstalling": "در حال حذف", "update(noun)": "بروزرسانی", "update(verb)": "بروزرسانی", "updated": "به روز شده\n", - "updating": "در حال بروز رسانی\n", - "version {0}": "نسخه {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} تنظیمات نصب درحال حاضر قفل هستند چون {0} از تنظیمات پیشفرض نصب پیروی میکند.", "{0} Uninstallation": "{0} مورد حذف نصب\n", "{0} aborted": "{0} متوقف شد", "{0} can be updated": "{0} را می توان به روز کرد\n", - "{0} can be updated to version {1}": "{0} قابل به‌روزرسانی به نسخه {1} است", - "{0} days": "{0} روز", - "{0} desktop shortcuts created": "{0} میانبر دسکتاپ ایجاد شد", "{0} failed": "{0} ناموفق بود", - "{0} has been installed successfully.": "{0} با موفقیت نصب شد.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} با موفقیت نصب شد. توصیه می‌شود برای تکمیل نصب، UniGetUI را راه‌اندازی مجدد کنید", "{0} has failed, that was a requirement for {1} to be run": "کاربر {0} را لغو کرده است که شرطی برای اجرای {1} بود", - "{0} homepage": "{0} صفحه اصلی", - "{0} hours": "{0} ساعت", "{0} installation": "{0} نصب", - "{0} installation options": "{0} گزینه های نصب", - "{0} installer is being downloaded": "{0} در حال نصب است", - "{0} is being installed": "{0} در حال نصب است", - "{0} is being uninstalled": "{0} در حال حذف است", "{0} is being updated": "{0} تا در حال به روز رسانی است", - "{0} is being updated to version {1}": "{0} در حال به‌روزرسانی به نسخه {1} است", - "{0} is disabled": "{0} تا غیر فعال شده است", - "{0} minutes": "{0} دقیقه", "{0} months": "{0} ماه", - "{0} packages are being updated": "{0} بسته در حال به روز رسانی است", - "{0} packages can be updated": "{0} بسته را می توان به روز کرد\n", "{0} packages found": "{0} بسته پیدا شد\n", "{0} packages were found": "{0} بسته پیدا شد", - "{0} packages were found, {1} of which match the specified filters.": " {0} بسته یافت شد، که {1} از آن‌ها با فیلترهای مشخص شده مطابقت دارند.", - "{0} selected": "{0} انتخاب شد", - "{0} settings": "{0} تنظیمات", - "{0} status": "{0} وضعیت", "{0} succeeded": "{0} مورد موفق بود", "{0} update": "{0} به روزرسانی", - "{0} updates are available": "به روز رسانی های موجود: {0}", "{0} was {1} successfully!": "{0} {1} با موفقیت انجام شد!", "{0} weeks": "{0} هفته", "{0} years": "{0} سال", "{0} {1} failed": "{1}{0} ناموفق بود", - "{package} Installation": "پروسه نصب بسته {package}", - "{package} Uninstall": "حذف بسته {package}", - "{package} Update": "به روز رسانی بسته {package}", - "{package} could not be installed": "بسته {package} نصب نمیشود", - "{package} could not be uninstalled": "بسته {package} حذف نمیشود", - "{package} could not be updated": "بسته {package} به روز رسانی نمیشود", "{package} installation failed": "نصب بسته {package} انجام نشد", - "{package} installer could not be downloaded": "نصب کننده بسته {package} دانلود نشد", - "{package} installer download": "دانلود نصب‌کننده بسته {package}", - "{package} installer was downloaded successfully": "نصب کننده بسته {package} با موفقیت دانلود شد", "{package} uninstall failed": "حذف بسته {package} موفقیت آمیز نبود", "{package} update failed": "به روز رسانی بسته {package} موفقیت آمیز نبود", "{package} update failed. Click here for more details.": "بروزرسانی {package} با شکست مواجه شد. جهت جزئیات بیشتر، کلیک کنید.", - "{package} was installed successfully": "{package} با موفقیت نصب شد", - "{package} was uninstalled successfully": "بسته {package} با موفقیت حذف شد", - "{package} was updated successfully": "بسته {package} با موفقیت به روز رسانی شد", - "{pcName} installed packages": "بسته‌های نصب شده {pcName}", "{pm} could not be found": "{pm} پیدا نشد", "{pm} found: {state}": "{pm} پیدا شد: {state}", - "{pm} is disabled": "{pm} غیرفعال است", - "{pm} is enabled and ready to go": "{pm} فعال و آماده به کار است", "{pm} package manager specific preferences": "{pm} تنظیمات مربوط به مدیر بسته", "{pm} preferences": "تنظیمات {pm}", - "{pm} version:": "نسخه {pm}:", - "{pm} was not found!": "{pm} یافت نشد!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "سلام، من Martí هستم، توسعه دهنده ی UniGetUI. کل UniGetUI در اوقات فراغتم ساخته شده! ", + "Thank you ❤": "ممنونم ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "این پروژه هیچ ارتباطی با پروژه رسمی {0} ندارد — کاملا غیر رسمی است." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fi.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fi.json index 4c0e9c9a59..8c3490dfbb 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fi.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fi.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Toiminta käynnissä", + "Please wait...": "Ole hyvä ja odota...", + "Success!": "Onnistui!", + "Failed": "Epäonnistui", + "An error occurred while processing this package": "Tätä pakettia käsiteltäessä tapahtui virhe", + "Log in to enable cloud backup": "Kirjaudu sisään ottaaksesi käyttöön pilvivarmuuskopioinnin", + "Backup Failed": "Varmuuskopiointi epäonnistui", + "Downloading backup...": "Ladataan varmuuskopiota...", + "An update was found!": "Päivitys löytyi!", + "{0} can be updated to version {1}": "{0} voidaan päivittää versioon {1}", + "Updates found!": "Päivityksiä löytyi!", + "{0} packages can be updated": "{0} paketit voidaan päivittää", + "You have currently version {0} installed": "Sinulla on tällä hetkellä asennettuna versio {0}", + "Desktop shortcut created": "Työpöytä pikakuvake luotu", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI on havainnut uuden työpöydän pikakuvakkeen, joka voidaan poistaa automaattisesti.", + "{0} desktop shortcuts created": "{0} työpöydän pikakuvaketta luotu", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI on havainnut {0} uutta työpöydän pikakuvaketta, jotka voidaan poistaa automaattisesti.", + "Are you sure?": "Oletko varma?", + "Do you really want to uninstall {0}?": "Haluatko todella poistaa sovelluksen {0}?", + "Do you really want to uninstall the following {0} packages?": "Haluatko todella poistaa seuraavat {0} paketit?", + "No": "Ei", + "Yes": "Kyllä", + "View on UniGetUI": "Näytä UniGetUI:ssa", + "Update": "Päivitä", + "Open UniGetUI": "Avaa UniGetUI", + "Update all": "Päivitä kaikki", + "Update now": "Päivitä nyt", + "This package is on the queue": "Tämä paketti on jonossa", + "installing": "asennetaan", + "updating": "päivitetään", + "uninstalling": "poistetaan asennusta", + "installed": "asennettu", + "Retry": "Uudelleen", + "Install": "Asenna", + "Uninstall": "Poista asennus", + "Open": "Avaa", + "Operation profile:": "Toimintaprofiili:", + "Follow the default options when installing, upgrading or uninstalling this package": "Noudata oletusasetuksia tämän paketin asennuksen, päivityksen tai poiston yhteydessä", + "The following settings will be applied each time this package is installed, updated or removed.": "Seuraavat asetukset otetaan käyttöön aina, kun tämä paketti asennetaan, päivitetään tai poistetaan.", + "Version to install:": "Asennettava versio:", + "Architecture to install:": "Asennuksen arkkitehtuuri:", + "Installation scope:": "Asennuslaajuus:", + "Install location:": "Asenna sijaintiin:", + "Select": "Valitse", + "Reset": "Nollaa", + "Custom install arguments:": "Mukautetun asennuksen argumentit:", + "Custom update arguments:": "Mukautetut päivitysargumentit:", + "Custom uninstall arguments:": "Mukautetut asennuksen poistoargumentit:", + "Pre-install command:": "Esiasennuskomento:", + "Post-install command:": "Asennuksen jälkeinen komento:", + "Abort install if pre-install command fails": "Keskeytä asennus, jos esiasennuskomento epäonnistuu", + "Pre-update command:": "Päivitystä edeltävä komento:", + "Post-update command:": "Päivityksen jälkeinen komento:", + "Abort update if pre-update command fails": "Keskeytä päivitys, jos päivitystä edeltävä komento epäonnistuu", + "Pre-uninstall command:": "Asennuksen poistoa edeltävä komento:", + "Post-uninstall command:": "Asennuksen poiston jälkeinen komento:", + "Abort uninstall if pre-uninstall command fails": "Keskeytä asennuksen poisto, jos asennuksen poistoa edeltävä komento epäonnistuu", + "Command-line to run:": "Suoritettava komentorivi:", + "Save and close": "Tallenna ja sulje", + "Run as admin": "Suorita ylläpitäjänä", + "Interactive installation": "Interaktiivinen asennus", + "Skip hash check": "Ohita hash-tarkistus", + "Uninstall previous versions when updated": "Poista aiemmat versiot päivitettäessä", + "Skip minor updates for this package": "Ohita tämän paketin pienet muutokset", + "Automatically update this package": "Päivitä tämä paketti automaattisesti", + "{0} installation options": "{0} asennuksen vaihtoehdot", + "Latest": "Viimeisin", + "PreRelease": "Esijulkaisu", + "Default": "Oletus", + "Manage ignored updates": "Hallinnoi ohitettuja päivityksiä", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Tässä lueteltuja paketteja ei oteta huomioon päivityksiä tarkistettaessa. Kaksoisnapsauta niitä tai napsauta niiden oikealla puolella olevaa painiketta lopettaaksesi niiden päivitysten huomioimisen.", + "Reset list": "Nollaa lista", + "Package Name": "Paketin nimi", + "Package ID": "Paketin ID", + "Ignored version": "Ohitetut versiot", + "New version": "Uusi versio", + "Source": "Lähde", + "All versions": "Kaikki versiot", + "Unknown": "Tuntematon", + "Up to date": "Ajantasalla", + "Cancel": "Peru", + "Administrator privileges": "Järjestelmänvalvojan oikeudet", + "This operation is running with administrator privileges.": "Tämä toiminto on käynnissä järjestelmänvalvojan oikeuksilla.", + "Interactive operation": "Interaktiivinen toiminta", + "This operation is running interactively.": "Tämä toiminto ajetaan interaktiivisesti.", + "You will likely need to interact with the installer.": "Sinun on todennäköisesti oltava vuorovaikutuksessa asennusohjelman kanssa.", + "Integrity checks skipped": "Eheystarkastukset ohitettiin", + "Proceed at your own risk.": "Jatka omalla vastuullasi.", + "Close": "Sulje", + "Loading...": "Ladataan...", + "Installer SHA256": "Asennusohjelman SHA256", + "Homepage": "Kotisivu", + "Author": "Tekijä", + "Publisher": "Julkaisija", + "License": "Lisenssi", + "Manifest": "Ilmentymä", + "Installer Type": "Asennusohjelman tyyppi", + "Size": "Koko", + "Installer URL": "Asennusohjelman URL", + "Last updated:": "Viimeisin päivitys:", + "Release notes URL": "Julkaisutiedot URL", + "Package details": "Paketin yksityiskohdat", + "Dependencies:": "Riippuvaisuudet:", + "Release notes": "Julkaisutiedot", + "Version": "Versio", + "Install as administrator": "Asenna järjestelmänvalvojana", + "Update to version {0}": "Päivitetty versioon {0}", + "Installed Version": "Asennettu versio", + "Update as administrator": "Päivitä järjestelmänvalvojana", + "Interactive update": "Interaktiivinen päivitys", + "Uninstall as administrator": "Poista asennus järjestelmänvalvojana", + "Interactive uninstall": "Interaktiivinen asennuksen purku", + "Uninstall and remove data": "Poista asennus ja poista tietoja", + "Not available": "Ei saatavilla", + "Installer SHA512": "Asennusohjelman SHA512", + "Unknown size": "Tuntematon koko", + "No dependencies specified": "Riippuvaisuuksia ei määritelty", + "mandatory": "pakollinen", + "optional": "valinnainen", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} on valmis asennettavaksi.", + "The update process will start after closing UniGetUI": "Päivitysprosessi alkaa UniGetUI:n sulkemisen jälkeen", + "Share anonymous usage data": "Jaa anonyymiä käyttötietoa", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI kerää anonyymejä käyttötietoja parantaakseen käyttökokemusta.", + "Accept": "Hyväksy", + "You have installed WingetUI Version {0}": "Asennettu UniGetUI versio: {0}", + "Disclaimer": "Vastuuvapauslauseke", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ei liity yhteensopiviin paketinhallintaohjelmiin. UniGetUI on itsenäinen projekti.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI ei olisi ollut mahdollinen ilman avustajien apua. Kiitos kaikille 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI käyttää seuraavia kirjastoja. Ilman niitä UniGetUI ei olisi ollut mahdollinen.", + "{0} homepage": "{0} kotisivu", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI on käännetty yli 40 kielelle vapaaehtoisten kääntäjien ansiosta. Kiitos 🤝", + "Verbose": "Monisanainen", + "1 - Errors": "1 - Virheet", + "2 - Warnings": "2 - Varoitukset", + "3 - Information (less)": "3 - Tietoja (vähemmän)", + "4 - Information (more)": "4 - Tietoja (enemmän)", + "5 - information (debug)": "5 - Tietoja (debug)", + "Warning": "Varoitus", + "The following settings may pose a security risk, hence they are disabled by default.": "Seuraavat asetukset voivat aiheuttaa tietoturvariskin, joten ne ovat oletusarvoisesti poissa käytöstä.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ota alla olevat asetukset käyttöön vain ja ainoastaan, jos ymmärrät täysin niiden toiminnot ja mahdolliset seuraukset.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Asetusten kuvauksissa luetellaan mahdolliset tietoturvaongelmat, joita niillä saattaa olla.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Varmuuskopio sisältää täydellisen luettelon asennetuista paketeista ja niiden asennusvaihtoehdoista. Myös ohitetut päivitykset ja ohitetut versiot tallennetaan.", + "The backup will NOT include any binary file nor any program's saved data.": "Varmuuskopio EI sisällä binääritiedostoja eikä minkään ohjelman tallennettuja tietoja.", + "The size of the backup is estimated to be less than 1MB.": "Varmuuskopion koon arvioidaan olevan alle 1 Mt.", + "The backup will be performed after login.": "Varmuuskopiointi suoritetaan kirjautumisen jälkeen.", + "{pcName} installed packages": "{pcName} asensi paketteja", + "Current status: Not logged in": "Nykyinen tila: ei kirjautunut", + "You are logged in as {0} (@{1})": "Olet kirjautunut sisään nimellä {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Hienoa! Varmuuskopiot ladataan tilisi yksityiseen Gist-kansioon.", + "Select backup": "Valitse varmuuskopio", + "WingetUI Settings": "UniGetUI Asetukset", + "Allow pre-release versions": "Salli esijulkaisuversiot", + "Apply": "Käytä", + "Go to UniGetUI security settings": "Siirry UniGetUI turvallisuus asetuksiin", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Seuraavat asetukset otetaan käyttöön oletusarvoisesti aina, kun {0}-paketti asennetaan, päivitetään tai poistetaan.", + "Package's default": "Pakettien oletukset", + "Install location can't be changed for {0} packages": "Asennussijaintia ei voi muuttaa {0} paketille", + "The local icon cache currently takes {0} MB": "Paikallinen ikoni välimuisti vie tilaa {0} MB", + "Username": "Käyttäjätunnus", + "Password": "Salasana", + "Credentials": "Valtuustiedot", + "Partially": "Osittain", + "Package manager": "Pakettien hallinta", + "Compatible with proxy": "Yhteensopiva välityspalvelimen kanssa", + "Compatible with authentication": "Yhteensopiva autentikoinnin kanssa", + "Proxy compatibility table": "Välityspalvelimen yhteensopivuustaulukko", + "{0} settings": "{0} asetukset", + "{0} status": "{0} tila", + "Default installation options for {0} packages": "Oletusasennusvaihtoehdot {0} paketille", + "Expand version": "Laajenna versio", + "The executable file for {0} was not found": "Suoritettavaa tiedostoa kohteelle {0} ei löytynyt", + "{pm} is disabled": "{pm} ei ole käytössä", + "Enable it to install packages from {pm}.": "Ota se käyttöön, jos haluat asentaa paketteja kohteesta {pm}.", + "{pm} is enabled and ready to go": "{pm} on käytössä ja valmis käyttöön", + "{pm} version:": "{pm} versio:", + "{pm} was not found!": "{pm} ei löytynyt!", + "You may need to install {pm} in order to use it with WingetUI.": "Sinun on ehkä asennettava {pm} käyttääksesi sitä UniGetUI:n kanssa.", + "Scoop Installer - WingetUI": "Scoop asennusohjelma - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop asennuksen poisto - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop-välimuistin tyhjennys - UniGetUI ", + "Restart UniGetUI": "Uudelleenkäynnistä UniGetUI", + "Manage {0} sources": "Hallinnoi {0} lähteitä", + "Add source": "Lisää lähde", + "Add": "Lisäys", + "Other": "Muut", + "1 day": "1 päivä", + "{0} days": "{0} päivää", + "{0} minutes": "{0} minuuttia", + "1 hour": "1 tunti", + "{0} hours": "{0} tuntia", + "1 week": "1 viikko", + "WingetUI Version {0}": "UniGetUI Versio {0}", + "Search for packages": "Hae paketteja", + "Local": "Paikallinen", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Löytyi {0} pakettia, joista {1} vastaa määritettyjä suodattimia.", + "{0} selected": "{0} valittu", + "(Last checked: {0})": "(Viimeksi tarkistettu: {0})", + "Enabled": "Käytössä", + "Disabled": "Pois käytöstä", + "More info": "Lisää tietoa", + "Log in with GitHub to enable cloud package backup.": "Kirjaudu sisään GitHubilla ottaaksesi käyttöön pilvipakettien varmuuskopioinnin.", + "More details": "Lisää yksityiskohtia", + "Log in": "Kirjaudu", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jos pilvivarmuuskopiointi on käytössä, se tallennetaan GitHub Gist -tiedostona tälle tilille.", + "Log out": "Uloskirjaudu", + "About": "Tietoja", + "Third-party licenses": "Kolmannen osapuolen lisenssit", + "Contributors": "Osallistujat", + "Translators": "Kääntäjät", + "Manage shortcuts": "Hallitse pikanäppäimiä", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI on havainnut seuraavat työpöydän pikakuvakkeet, jotka voidaan poistaa automaattisesti tulevien päivitysten yhteydessä", + "Do you really want to reset this list? This action cannot be reverted.": "Haluatko todella nollata tämän luettelon? Tätä toimintoa ei voi peruuttaa.", + "Remove from list": "Poista listalta", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kun uusia pikakuvakkeita havaitaan, poista ne automaattisesti tämän valintaikkunan näyttämisen sijaan.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI kerää anonyymejä käyttötietoja, joiden ainoa tarkoitus on ymmärtää ja parantaa käyttökokemusta.", + "More details about the shared data and how it will be processed": "Lisätietoja jaetuista tiedoista ja niiden käsittelystä", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Hyväksytkö että UniGetUI kerää ja lähettää anonyymejä käyttötilastoja, joiden ainoa tarkoitus on ymmärtää ja parantaa käyttökokemusta?", + "Decline": "Hylkää", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Henkilökohtaisia ​​tietoja ei kerätä eikä lähetetä, ja kerätyt tiedot anonymisoidaan, joten niitä ei voida palauttaa sinulle.", + "About WingetUI": "Tietoja UniGetUI:sta", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI on sovellus, joka helpottaa ohjelmistojen hallintaa tarjoamalla all-in-one graafisen käyttöliittymän komentorivipakettien hallintaa varten.", + "Useful links": "Hyödyllisiä linkkejä", + "Report an issue or submit a feature request": "Ilmoita ongelmasta tai lähetä ominaisuuspyyntö", + "View GitHub Profile": "Näytä GitHub profiili", + "WingetUI License": "UniGetUI Lisenssi", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI:n käyttö edellyttää MIT-lisenssin hyväksymistä", + "Become a translator": "Liity kääntäjäksi", + "View page on browser": "Näytä sivu selaimessa", + "Copy to clipboard": "Kopioi leikepöydälle", + "Export to a file": "Vie tiedostoon", + "Log level:": "Lokin taso:", + "Reload log": "Lataa loki uudelleen", + "Text": "Teksti", + "Change how operations request administrator rights": "Muuta tapaa, jolla toiminnot pyytävät järjestelmänvalvojan oikeuksia", + "Restrictions on package operations": "Pakettitoimintojen rajoitukset", + "Restrictions on package managers": "Pakettienhallinnan rajoitukset", + "Restrictions when importing package bundles": "Pakettikokoelmien tuonnin rajoitukset", + "Ask for administrator privileges once for each batch of operations": "Pyydä järjestelmänvalvojan oikeuksia kerran jokaista toimintosarjaa kohden", + "Ask only once for administrator privileges": "Kysy järjestelmänvalvojan oikeuksia vain kerran", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Estä kaikenlainen korkeuden nostaminen UniGetUI Elevator- tai GSudo-toiminnolla", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Tämä vaihtoehto aiheuttaa ongelmia. Mikä tahansa toiminto, joka ei pysty itseään korottamaan, EPÄONNISTUU. Asennus/päivitys/poisto järjestelmänvalvojana EI TOIMI.", + "Allow custom command-line arguments": "Salli mukautetut komentoriviargumentit", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Mukautetut komentoriviargumentit voivat muuttaa ohjelmien asennus-, päivitys- tai poistotapaa tavalla, jota UniGetUI ei voi hallita. Mukautettujen komentorivien käyttö voi rikkoa paketteja. Toimi varoen.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Salli mukautettujen ennen ja jälkeen asennuksen suoritettavien komentojen ajaminen", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Asennusta edeltävät ja sen jälkeiset komennot suoritetaan ennen paketin asentamista, päivittämistä tai poistamista ja sen jälkeen. Huomaa, että ne voivat rikkoa järjestelmän, ellei niitä käytetä huolellisesti.", + "Allow changing the paths for package manager executables": "Salli pakettienhallinnan suoritettavien tiedostojen polkujen muuttaminen", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Tämän ottaminen käyttöön mahdollistaa pakettienhallinnan kanssa vuorovaikutuksessa käytettävän suoritettavan tiedoston muuttamisen. Vaikka tämä mahdollistaa asennusprosessien tarkemman mukauttamisen, se voi olla myös vaarallista.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Salli mukautettujen komentoriviargumenttien tuonti paketteja tuotaessa kokoelmasta", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Väärin muotoillut komentoriviargumentit voivat rikkoa paketteja tai jopa antaa pahantahtoiselle toimijalle etuoikeuden suoritukseen. Siksi mukautettujen komentoriviargumenttien tuonti on oletusarvoisesti poistettu käytöstä.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Salli mukautettujen asennusta edeltävien ja asennuksen jälkeisten komentojen tuonti paketteja tuotaessa kokoelmasta", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Asennusta edeltävät ja sen jälkeiset komennot voivat tehdä laitteellesi erittäin ikäviä asioita, jos ne on suunniteltu tekemään niin. Komentojen tuominen paketista voi olla erittäin vaarallista, ellet luota kyseisen kokoelman lähteeseen.", + "Administrator rights and other dangerous settings": "Järjestelmänvalvojan oikeudet ja muut vaaralliset asetukset", + "Package backup": "Pakettien varmuuskopio", + "Cloud package backup": "Pilvipaketin varmuuskopiointi", + "Local package backup": "Paikallinen pakkettien varmuuskopio", + "Local backup advanced options": "Paikallisen varmuuskopion laajemmat asetukset", + "Log in with GitHub": "Kirjaudu GitHubilla", + "Log out from GitHub": "Uloskirjaudu GitHubista", + "Periodically perform a cloud backup of the installed packages": "Suorita asennettujen pakettien pilvivarmuuskopiointi säännöllisesti", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Pilvivarmuuskopiointi käyttää yksityistä GitHub Gist -tiedostoa asennettujen pakettien luettelon tallentamiseen.", + "Perform a cloud backup now": "Suorita pilvivarmuuskopio nyt", + "Backup": "Varmuuskopioi", + "Restore a backup from the cloud": "Palauta varmuuskopio pilvestä", + "Begin the process to select a cloud backup and review which packages to restore": "Aloita pilvivarmuuskopion valintaprosessi ja tarkista palautettavat paketit", + "Periodically perform a local backup of the installed packages": "Suorita säännöllisesti paikallinen varmuuskopio asennetuista paketeista", + "Perform a local backup now": "Suorita paikallinen varmuuskopio nyt", + "Change backup output directory": "Muuta varmuuskopion tulostushakemistoa", + "Set a custom backup file name": "Aseta mukautettu varmuuskopiotiedoston nimi", + "Leave empty for default": "Jätä tyhjäksi oletuksena", + "Add a timestamp to the backup file names": "Lisää aikaleima varmuuskopioiden nimiin", + "Backup and Restore": "Varmuuskopiointi ja palautus", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Ota taustasovellusliittymä käyttöön (UniGetUI-widgetit ja jakaminen, portti 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Odota, että laite muodostaa yhteyden Internetiin, ennen kuin yrität tehdä tehtäviä, jotka edellyttävät Internet-yhteyttä.", + "Disable the 1-minute timeout for package-related operations": "Poista käytöstä minuutin aikakatkaisu pakettikohtaisissa toimissa", + "Use installed GSudo instead of UniGetUI Elevator": "Käytä asennettua GSudoa UniGetUI Elevator -sovelluksen sijaan", + "Use a custom icon and screenshot database URL": "Käytä mukautettua kuvaketta ja kuvakaappausten tietokannan URL-osoitetta", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ota käyttöön taustaprosessorin käytön optimoinnit (katso Pull Request #3278)", + "Perform integrity checks at startup": "Suorita eheystarkistukset käynnistyksen yhteydessä", + "When batch installing packages from a bundle, install also packages that are already installed": "Kun asennat paketteja eränä kokoelmasta, asennetaan myös jo asennetut paketit", + "Experimental settings and developer options": "Kokeelliset asetukset ja kehittäjävaihtoehdot", + "Show UniGetUI's version and build number on the titlebar.": "Näytä UniGetUI:n versio ja koontiversion numero otsikkorivillä.", + "Language": "Kieli", + "UniGetUI updater": "UniGetUI päivitysohjelma", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Hallinnoi UniGetUI-asetuksia", + "Related settings": "Aiheeseen liittyvät asetukset", + "Update WingetUI automatically": "Päivitä UniGetUI automaattisesti", + "Check for updates": "Tarkista päivitykset", + "Install prerelease versions of UniGetUI": "Asenna UniGetUI:n esiversioita", + "Manage telemetry settings": "Hallitse telemetria asetuksia", + "Manage": "Hallitse", + "Import settings from a local file": "Tuo asetukset paikallisesta tiedostosta", + "Import": "Tuonti", + "Export settings to a local file": "Vie asetukset paikalliseen tiedostoon", + "Export": "Vienti", + "Reset WingetUI": "Nollaa UniGetUI", + "Reset UniGetUI": "Nollaa UniGetUI", + "User interface preferences": "Käyttöliittymä asetukset", + "Application theme, startup page, package icons, clear successful installs automatically": "Sovelluksen teema, aloitussivu, pakettikuvakkeet, tyhjennä onnistuneet asennukset automaattisesti", + "General preferences": "Yleiset asetukset", + "WingetUI display language:": "UniGetUI näytettävä kieli:", + "Is your language missing or incomplete?": "Puuttuuko käännöksesi vai onko se puutteellinen?", + "Appearance": "Ulkonäkö", + "UniGetUI on the background and system tray": "UniGetUI taustalla ja ilmaisinalueella", + "Package lists": "Pakettilista", + "Close UniGetUI to the system tray": "Pienennä UniGetUI ilmoitusalueelle", + "Show package icons on package lists": "Näytä paketin ikonit pakettilistassa", + "Clear cache": "Tyhjennä välimuisti", + "Select upgradable packages by default": "Valitse oletuksena päivitettävät paketit", + "Light": "Vaalea", + "Dark": "Tumma", + "Follow system color scheme": "Seuraa järjestelmän värimaailmaa", + "Application theme:": "Sovelluksen teema:", + "Discover Packages": "Tutustu Paketteihin", + "Software Updates": "Ohjelmistopäivitykset", + "Installed Packages": "Asennetut Paketit", + "Package Bundles": "Pakettiniput", + "Settings": "Asetukset", + "UniGetUI startup page:": "UniGetUI aloitussivu:", + "Proxy settings": "Välityspalvelimen asetukset", + "Other settings": "Muut asetukset", + "Connect the internet using a custom proxy": "Yhdistä Internetiin mukautetun välityspalvelimen avulla", + "Please note that not all package managers may fully support this feature": "Huomaa, että kaikki paketinhallintaohjelmat eivät välttämättä tue tätä ominaisuutta täysin", + "Proxy URL": "Välityspalvelimen URL-osoite", + "Enter proxy URL here": "Kirjoita välityspalvelimen URL-osoite tähän", + "Package manager preferences": "Paketinhallinnan asetukset", + "Ready": "Valmis", + "Not found": "Ei löytynyt", + "Notification preferences": "Ilmoitusasetukset", + "Notification types": "Ilmoitustyypit", + "The system tray icon must be enabled in order for notifications to work": "Ilmaisinalueen kuvakkeen on oltava käytössä, jotta ilmoitukset toimivat", + "Enable WingetUI notifications": "Ota UniGetUI-ilmoitukset käyttöön", + "Show a notification when there are available updates": "Näytä ilmoitus, kun päivityksiä on saatavilla", + "Show a silent notification when an operation is running": "Näytä äänetön ilmoitus, kun toiminto on käynnissä", + "Show a notification when an operation fails": "Näytä ilmoitus, kun toiminto epäonnistuu", + "Show a notification when an operation finishes successfully": "Näytä ilmoitus, kun toiminto päättyy onnistuneesti", + "Concurrency and execution": "Samanaikaisuus ja toteutus", + "Automatic desktop shortcut remover": "Automaattinen työpöydän pikakuvakkeiden poisto", + "Clear successful operations from the operation list after a 5 second delay": "Poista onnistuneet toiminnot toimintoluettelosta 5 sekunnin viiveen jälkeen", + "Download operations are not affected by this setting": "Tämä asetus ei vaikuta lataustoimintoihin", + "Try to kill the processes that refuse to close when requested to": "Yritä lopettaa prosessit, jotka kieltäytyvät sulkeutumasta pyydettäessä", + "You may lose unsaved data": "Tallentamaton tieto voi kadota", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Pyydä poistamaan asennuksen tai päivityksen aikana luodut työpöydän pikakuvakkeet.", + "Package update preferences": "Paketin päivityksen asetukset", + "Update check frequency, automatically install updates, etc.": "Päivitysten tarkistustiheys, päivitysten automaattinen asennus jne.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Vähennä käyttäjien valvonnan kehotteita, nosta asennuksia oletusarvoisesti, avaa tiettyjä vaarallisia ominaisuuksia jne.", + "Package operation preferences": "Paketin toiminnan asetukset", + "Enable {pm}": "Ota käyttöön {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Eikö etsimääsi tiedostoa löydy? Varmista, että se on lisätty polkuun.", + "For security reasons, changing the executable file is disabled by default": "Turvallisuussyistä suoritettavan tiedoston muuttaminen on oletuksena poistettu käytöstä.", + "Change this": "Muuta tämä", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Valitse käytettävä suoritettava tiedosto. Seuraavassa luettelossa näkyvät UniGetUI:n löytämät suoritettavat tiedostot.", + "Current executable file:": "Nykyinen suoritettava tiedosto:", + "Ignore packages from {pm} when showing a notification about updates": "Ohita paketit alkaen {pm}, kun näet ilmoituksen päivityksistä", + "View {0} logs": "Näytä {0} lokit", + "Advanced options": "Lisäasetukset", + "Reset WinGet": "Nollaa UniGetUI", + "This may help if no packages are listed": "Tämä voi auttaa, jos luettelossa ei ole paketteja", + "Force install location parameter when updating packages with custom locations": "Pakota asennussijaintiparametri päivitettäessä paketteja, joissa on mukautettuja sijainteja", + "Use bundled WinGet instead of system WinGet": "Käytä paketoitua WinGetiä järjestelmä WinGetin sijaan", + "This may help if WinGet packages are not shown": "Tämä voi auttaa, jos WinGet-paketteja ei näytetä", + "Install Scoop": "Asenna Scoop", + "Uninstall Scoop (and its packages)": "Poista Scoop (ja sen paketit)", + "Run cleanup and clear cache": "Suorita puhdistus ja tyhjennä välimuisti", + "Run": "Suorita", + "Enable Scoop cleanup on launch": "Ota Scoop-puhdistus käyttöön käynnistyksen yhteydessä", + "Use system Chocolatey": "Käytä järjestelmän Chocolateytä", + "Default vcpkg triplet": "Oletus vcpkg tripletti", + "Language, theme and other miscellaneous preferences": "Kieli, teema ja muista sekalaisia asetuksia", + "Show notifications on different events": "Näytä ilmoitukset eri tapahtumista", + "Change how UniGetUI checks and installs available updates for your packages": "Muuta tapaa, jolla UniGetUI tarkistaa ja asentaa paketteihisi saatavilla olevat päivitykset", + "Automatically save a list of all your installed packages to easily restore them.": "Tallenna automaattisesti luettelo kaikista asennetuista paketeista, jotta voit palauttaa ne helposti.", + "Enable and disable package managers, change default install options, etc.": "Ota käyttöön ja poista käytöstä pakettienhallinnan toimintoja, muuta oletusasennusasetuksia jne.", + "Internet connection settings": "Internet-yhteyden asetukset", + "Proxy settings, etc.": "Välityspalvelimen asetukset jne", + "Beta features and other options that shouldn't be touched": "Beta-ominaisuudet ja muut vaihtoehdot, joihin ei pidä koskea", + "Update checking": "Päivitysten tarkistus", + "Automatic updates": "Automaattiset päivitykset", + "Check for package updates periodically": "Tarkista pakettipäivitykset säännöllisesti", + "Check for updates every:": "Tarkista päivitykset joka:", + "Install available updates automatically": "Asenna saatavilla olevat päivitykset automaattisesti", + "Do not automatically install updates when the network connection is metered": "Älä asenna päivityksiä automaattisesti, kun verkkoyhteys on mitattu", + "Do not automatically install updates when the device runs on battery": "Älä asenna päivityksiä automaattisesti, kun laite toimii akkuvirralla", + "Do not automatically install updates when the battery saver is on": "Älä asenna päivityksiä automaattisesti, kun virransäästö on päällä", + "Change how UniGetUI handles install, update and uninstall operations.": "Muuta tapaa, jolla UniGetUI käsittelee asennus-, päivitys- ja asennuksen poistotoiminnot.", + "Package Managers": "Paketinhallinnat", + "More": "Lisää", + "WingetUI Log": "UniGetUI loki", + "Package Manager logs": "Paketinhallinta logit", + "Operation history": "Toimintojen historia", + "Help": "Ohjeet", + "Order by:": "Järjestä mukaan:", + "Name": "Nimi", + "Id": "ID", + "Ascendant": "Nouseva", + "Descendant": "Laskeva", + "View mode:": "Katselutila:", + "Filters": "Suodattimet", + "Sources": "Lähteet", + "Search for packages to start": "Hae paketteja aloittaaksesi", + "Select all": "Valitse kaikki", + "Clear selection": "Tyhjennä valinta", + "Instant search": "Välitön haku", + "Distinguish between uppercase and lowercase": "Erotetaan isot ja pienet kirjaimet", + "Ignore special characters": "Jätä erikoismerkit huomioimatta", + "Search mode": "Hakutila", + "Both": "Molemmat", + "Exact match": "Täydellinen osuma", + "Show similar packages": "Näytä samankaltaiset paketit", + "No results were found matching the input criteria": "Syöttöehtoja vastaavia tuloksia ei löytynyt", + "No packages were found": "Paketteja ei löytynyt", + "Loading packages": "Ladataan paketteja", + "Skip integrity checks": "Ohita eheystarkastukset", + "Download selected installers": "Lataa valitut asennusohjelmat", + "Install selection": "Asenna valitut", + "Install options": "Asennus vaihtoehdot", + "Share": "Jaa", + "Add selection to bundle": "Lisää valittu pakettiin", + "Download installer": "Lataa asennusohjelma", + "Share this package": "Jaa tämä paketti", + "Uninstall selection": "Poista valitut", + "Uninstall options": "Asennuksen poiston vaihtoehdot", + "Ignore selected packages": "Jätä valitut paketit huomioimatta", + "Open install location": "Avaa asennussijainti", + "Reinstall package": "Paketin uudelleenasennus", + "Uninstall package, then reinstall it": "Poista paketin asennus ja uudelleen asenna se", + "Ignore updates for this package": "Jätä tämän paketin päivitykset huomioimatta", + "Do not ignore updates for this package anymore": "Älä ohita tämän paketin päivityksiä enää", + "Add packages or open an existing package bundle": "Lisää paketteja tai avaa olemassaoleva pakettinippu", + "Add packages to start": "Lisää paketteja aloittaaksesi", + "The current bundle has no packages. Add some packages to get started": "Nykyinen nippu ei sisällä paketteja. Aloita lisäämällä paketteja", + "New": "Uusi", + "Save as": "Tallenna nimellä", + "Remove selection from bundle": "Poista valinta nipusta", + "Skip hash checks": "Ohita hash-tarkistukset", + "The package bundle is not valid": "Pakettinippu ei kelpaa", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paketti, jota yrität ladata, näyttää olevan virheellinen. Tarkista tiedosto ja yritä uudelleen.", + "Package bundle": "Pakettinippu", + "Could not create bundle": "Nippua ei voitu luoda", + "The package bundle could not be created due to an error.": "Pakettinippua ei voitu luoda virheen takia.", + "Bundle security report": "Paketin turvallisuusraportti", + "Hooray! No updates were found.": "Hurraa! Päivityksiä ei löytynyt.", + "Everything is up to date": "Kaikki on ajantasalla", + "Uninstall selected packages": "Poista valitut paketit", + "Update selection": "Päivitä valitut", + "Update options": "Päivitys valinnat", + "Uninstall package, then update it": "Poista paketti ja päivitä se", + "Uninstall package": "Poista paketin asennus", + "Skip this version": "Ohita tämä versio", + "Pause updates for": "Keskeytä päivitykset", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-paketinhallinta.
Sisältää: Rust-kirjastot ja Rust-kielellä kirjoitetut ohjelmat", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klassinen pakettien hallinta Windowsille. Sieltä löydät kaiken.
Sisältää: Yleiset ohjelmistot\n", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Arkisto täynnä työkaluja ja suoritettavia tiedostoja, jotka on suunniteltu Microsoftin .NET-ekosysteemiä silmällä pitäen.
Sisältää: .NETiin liittyvät työkalut ja komentosarjat", + "NuPkg (zipped manifest)": "NuPkg (pakattu luettelo)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS:n paketinhallinta. Täynnä kirjastoja ja muita apuohjelmia, jotka kiertävät JavaScript-maailmaa.
Sisältää: Node JS ja muut niihin liittyvät apuohjelmat", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythonin kirjaston johtaja. Täynnä python-kirjastoja ja muita python-apuohjelmia
Sisältää:Python-kirjastot ja niihin liittyvät apuohjelmat", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShellin paketinhallinta. Etsi kirjastoja ja komentosarjoja laajentaaksesi PowerShell-ominaisuuksia.
Sisältää: Moduulit, Komentosarjat, Cmdletit", + "extracted": "purettu", + "Scoop package": "Scoop paketti", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Suuri kokoelma vähemmän tunnettuja, mutta hyödyllisiä apuohjelmia ja muita mielenkiintoisia paketteja.
Sisältää: apuohjelmat, komentoriviohjelmat, yleiset ohjelmistot (vaatii lisäpaketin)", + "library": "kirjasto", + "feature": "ominaisuus", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Suosittu C/C++-kirjastonhallinta. Täynnä C/C++-kirjastoja ja muita C/C++:aan liittyviä apuohjelmia
Sisältää: C/C++-kirjastot ja niihin liittyvät apuohjelmat", + "option": "vaihtoehto", + "This package cannot be installed from an elevated context.": "Tätä pakettia ei voi asentaa korotetusta sisällöstä.", + "Please run UniGetUI as a regular user and try again.": "Suorita UniGetUI tavallisena käyttäjänä ja yritä uudelleen.", + "Please check the installation options for this package and try again": "Tarkista tämän paketin asennusvaihtoehdot ja yritä uudelleen", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftin virallinen paketinhallinta. Täynnä tunnettuja ja vahvistettuja paketteja
Sisältää: Yleiset ohjelmistot, Microsoft Store -sovellukset", + "Local PC": "Paikallinen PC", + "Android Subsystem": "Android-alijärjestelmä", + "Operation on queue (position {0})...": "Toiminto jonossa (järjestysnumero {0})...", + "Click here for more details": "Napsauta tätä saadaksesi lisätietoja", + "Operation canceled by user": "Toiminto keskeytetty käyttäjän toimesta", + "Starting operation...": "Aloitetaan toiminto...", + "{package} installer download": "{package} asennusohjelma ladattu", + "{0} installer is being downloaded": "{0} asennusohjelmaa ladataan", + "Download succeeded": "Lataus onnistui", + "{package} installer was downloaded successfully": "{package} asennusohjelma ladattiin onnistuneesti", + "Download failed": "Lataus epäonnistui", + "{package} installer could not be downloaded": "{package} asennusohjelmaa ei voitu ladata", + "{package} Installation": "{package} Asennus", + "{0} is being installed": "{0} ollaan asentamassa", + "Installation succeeded": "Asennus onnistui", + "{package} was installed successfully": "{package} on asennettu onnistuneesti", + "Installation failed": "Asennus epäonnistui", + "{package} could not be installed": "{package} ei voitu asentaa", + "{package} Update": "{package} Päivitys", + "{0} is being updated to version {1}": "{0} päivitetty versioon {1}", + "Update succeeded": "Päivitys onnistui", + "{package} was updated successfully": "{package} päivitettiin onnistuneesti", + "Update failed": "Päivitys epäonnistui", + "{package} could not be updated": "{package} päivitys ei onnistu", + "{package} Uninstall": "{package} Asennuksen poisto", + "{0} is being uninstalled": "{0} asennusta poistetaan", + "Uninstall succeeded": "Asennuksen poisto onnistui", + "{package} was uninstalled successfully": "{package} on poistettu onnistuneesti", + "Uninstall failed": "Asennuksen poisto epäonnistui", + "{package} could not be uninstalled": "{package} asennusta ei voitu poistaa", + "Adding source {source}": "Lisätään lähde {source}", + "Adding source {source} to {manager}": "Lisätään lähde {source}: {manager}", + "Source added successfully": "Lähde lisätty onnistuneesti", + "The source {source} was added to {manager} successfully": "Lähde {source} lisättiin hallintaohjelmaan {manager} onnistuneesti", + "Could not add source": "Lähdettä ei voitu lisätä", + "Could not add source {source} to {manager}": "Lähdettä {source} ei voitu lisätä hakemistoon {manager}", + "Removing source {source}": "Poistetaan lähde {source}", + "Removing source {source} from {manager}": "Poistetaan lähdettä {source} {manager}:sta", + "Source removed successfully": "Lähde poistettu onnistuneesti", + "The source {source} was removed from {manager} successfully": "Lähde {source} poistettiin käyttäjältä {manager} onnistuneesti", + "Could not remove source": "Lähdettä ei voitu poistaa", + "Could not remove source {source} from {manager}": "Lähdettä {source} ei voitu poistaa {manager}:sta", + "The package manager \"{0}\" was not found": "Paketinhallintaa \"{0}\" ei löytynyt", + "The package manager \"{0}\" is disabled": "Paketinhallinta \"{0}\" on poistettu käytöstä", + "There is an error with the configuration of the package manager \"{0}\"": "Paketinhallinnan \"{0}\" määrityksessä on virhe", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakettia \"{0}\" ei löytynyt paketinhallinnasta \"{1}\"", + "{0} is disabled": "{0} on poistettu käytöstä", + "Something went wrong": "Jotain meni pieleen", + "An interal error occurred. Please view the log for further details.": "Tapahtui sisäinen virhe. Katso lisätietoja lokista.", + "No applicable installer was found for the package {0}": "Paketille {0} ei löytynyt sopivaa asennusohjelmaa", + "We are checking for updates.": "Tarkistamme päivityksiä.", + "Please wait": "Ole hyvä ja odota", + "UniGetUI version {0} is being downloaded.": "UniGetUI-versiota {0} ladataan.", + "This may take a minute or two": "Tämä voi kestää muutaman minuutin", + "The installer authenticity could not be verified.": "Asennusohjelman aitoutta ei voitu varmistaa.", + "The update process has been aborted.": "Päivitysprosessi on keskeytetty.", + "Great! You are on the latest version.": "Hienoa! Käytössä tuorein versio.", + "There are no new UniGetUI versions to be installed": "Uusia UniGetUI-versioita ei ole asennettavissa", + "An error occurred when checking for updates: ": "Tapahtui virhe tarkistaessa päivityksiä:", + "UniGetUI is being updated...": "UniGetUI päivitetään...", + "Something went wrong while launching the updater.": "Jotain meni pieleen päivitystä käynnistettäessä.", + "Please try again later": "Kokeile myöhemmin uudelleen", + "Integrity checks will not be performed during this operation": "Eheystarkastuksia ei suoriteta tämän toiminnon aikana", + "This is not recommended.": "Tätä ei suositella", + "Run now": "Suorita nyt", + "Run next": "Suorita seuraava", + "Run last": "Suorita viimeinen", + "Retry as administrator": "Yritä uudelleen järjestelmänvalvojana", + "Retry interactively": "Yritä uudelleen interaktiivisesti", + "Retry skipping integrity checks": "Yritä uudelleen ohittaa eheystarkistukset", + "Installation options": "Asennusvaihtoehdot", + "Show in explorer": "Näytä explorerissa", + "This package is already installed": "Tämä paketti on jo asennettu", + "This package can be upgraded to version {0}": "Tämä paketti voidaan päivittää versioon {0}", + "Updates for this package are ignored": "Tämän paketin päivitykset ohitetaan", + "This package is being processed": "Tätä pakettia käsitellään", + "This package is not available": "Tämä paketti ei ole saatavilla", + "Select the source you want to add:": "Valitse lähde, jonka haluat lisätä:", + "Source name:": "Lähteen nimi:", + "Source URL:": "Lähde URL:", + "An error occurred": "Tapahtui virhe", + "An error occurred when adding the source: ": "Tapahtui virhe lisätessä lähdettä: ", + "Package management made easy": "Pakettien hallinta tehty helpoksi", + "version {0}": "versio {0}", + "[RAN AS ADMINISTRATOR]": "AJETTU JÄRJESTELMÄNVALVOJANA", + "Portable mode": "Itsenäinen tila", + "DEBUG BUILD": "DEBUG VERSIO", + "Available Updates": "Saatavilla olevat päivitykset", + "Show WingetUI": "Näytä UniGetUI", + "Quit": "Poistu", + "Attention required": "Huomiota tarvitaan", + "Restart required": "Uudelleenkäynnistys vaaditaan", + "1 update is available": "1 päivitys valmiina", + "{0} updates are available": "{0} päivitystä on saatavilla", + "WingetUI Homepage": "UniGetUI Kotisivu", + "WingetUI Repository": "UniGetUI Arkisto", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Täällä voit muuttaa UniGetUI:n käyttäytymistä seuraavien pikanäppäinten suhteen. Pikakuvakkeen tarkistaminen saa UniGetUI:n poistamaan sen, jos se luodaan tulevassa päivityksessä. Jos poistat valinnan, pikakuvake pysyy ennallaan", + "Manual scan": "Manuaalinen skannaus", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Työpöydälläsi olevat pikakuvakkeet tarkistetaan, ja sinun on valittava, mitkä niistä haluat säilyttää ja mitkä poistaa.", + "Continue": "Jatka", + "Delete?": "Poistetaanko?", + "Missing dependency": "Riippuvuus puuttuu", + "Not right now": "Ei juuri nyt", + "Install {0}": "Asenna {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI vaatii {0} toimiakseen, mutta sitä ei löytynyt järjestelmästäsi.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Napsauta Asenna aloittaaksesi asennusprosessin. Jos ohitat asennuksen, UniGetUI ei välttämättä toimi odotetulla tavalla.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Vaihtoehtoisesti voit myös asentaa sovelluksen {0} suorittamalla seuraavan komennon Windows PowerShell -kehotteessa:", + "Do not show this dialog again for {0}": "Älä näytä tätä valintaikkunaa uudelleen kohteelle {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Odota, kun {0} asennetaan. Näkyviin saattaa tulla musta ikkuna. Odota, kunnes se sulkeutuu.", + "{0} has been installed successfully.": "{0} on asennettu onnistuneesti.", + "Please click on \"Continue\" to continue": "Napsauta \"Jatka\" jatkaaksesi", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} on asennettu onnistuneesti. On suositeltavaa käynnistää UniGetUI uudelleen asennuksen viimeistelemiseksi", + "Restart later": "Uudelleenkäynnistä myöhemmin", + "An error occurred:": "Tapahtui virhe:", + "I understand": "Ymmärrän", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI on ajettu järjestelmänvalvojana, mikä ei ole suositeltavaa. Käytettäessä UniGetUI:ta järjestelmänvalvojana, KAIKKI UniGetUI:sta käynnistetyt toiminnot saavat järjestelmänvalvojan oikeudet. Voit edelleen käyttää ohjelmaa, mutta suosittelemme, että et käytä UniGetUI:ta järjestelmänvalvojan oikeuksilla.", + "WinGet was repaired successfully": "WinGet korjattiin onnistuneesti", + "It is recommended to restart UniGetUI after WinGet has been repaired": "On suositeltavaa käynnistää UniGetUI uudelleen WinGetin korjauksen jälkeen", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "HUOMAUTUS: Tämä vianmääritys voidaan poistaa käytöstä UniGetUI-asetuksista WinGet-osiossa", + "Restart": "Uudelleen käynnistä", + "WinGet could not be repaired": "WinGetiä ei voitu korjata", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Odottamaton ongelma tapahtui yritettäessä korjata WinGetiä. Yritä myöhemmin uudelleen", + "Are you sure you want to delete all shortcuts?": "Haluatko varmasti poistaa kaikki pikakuvakkeet?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Kaikki asennuksen tai päivityksen aikana luodut uudet pikakuvakkeet poistetaan automaattisesti sen sijaan, että näkyisi vahvistuskehote, kun ne havaitaan ensimmäisen kerran.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Kaikki UniGetUI:n ulkopuolella luodut tai muokatut pikakuvakkeet ohitetaan. Voit lisätä ne {0}-painikkeella.", + "Are you really sure you want to enable this feature?": "Oletko todella varma, että haluat ottaa tämän ominaisuuden käyttöön?", + "No new shortcuts were found during the scan.": "Tarkistuksen aikana ei löytynyt uusia pikakuvakkeita.", + "How to add packages to a bundle": "Kuinka lisätä paketteja nippuun", + "In order to add packages to a bundle, you will need to: ": "Jotta voit lisätä paketteja nippuun, sinun pitää:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Siirry sivulle \"{0}\" tai \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Etsi paketit, jotka haluat lisätä nippuun, ja valitse niiden vasemmanpuoleisin valintaruutu.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kun paketit, jotka haluat lisätä nippuun, on valittu, etsi työkalupalkista vaihtoehto \"{0}\" ja napsauta sitä.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pakettisi on lisätty nippuun. Voit jatkaa pakettien lisäämistä tai viedä paketin.", + "Which backup do you want to open?": "Minkä varmuuskopion haluat avata?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Valitse avattava varmuuskopio. Myöhemmin voit tarkistaa, mitkä paketit haluat asentaa.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Toimintaa on meneillään. UniGetUI:n sulkeminen voi aiheuttaa niiden epäonnistumisen. Haluatko jatkaa?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI tai jotkin sen komponenteista puuttuvat tai ovat vioittuneet.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "On erittäin suositeltavaa asentaa UniGetUI uudelleen tilanteen korjaamiseksi.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Katso UniGetUI-lokeista lisätietoja kyseisistä tiedostoista.", + "Integrity checks can be disabled from the Experimental Settings": "Eheystarkistukset voidaan poistaa käytöstä kokeellisista asetuksista.", + "Repair UniGetUI": "Korjaa UniGetUI", + "Live output": "Live-tulostus", + "Package not found": "Pakettia ei löytynyt", + "An error occurred when attempting to show the package with Id {0}": "Virhe yritettäessä näyttää pakettia tunnuksella {0}", + "Package": "Paketti", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Tässä pakettikokoelmassa oli joitakin mahdollisesti vaarallisia asetuksia, jotka saatetaan oletusarvoisesti jättää huomiotta.", + "Entries that show in YELLOW will be IGNORED.": "KELTAISELLA näkyviä merkintöjä EI KÄSITELLÄ.", + "Entries that show in RED will be IMPORTED.": "PUNAISELLA merkityt TUODAAN.", + "You can change this behavior on UniGetUI security settings.": "Voit muuttaa tätä UniGetUI-tietoturva-asetuksissa.", + "Open UniGetUI security settings": "Avaa UniGetUI turvallisuus asetukset", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Jos muutat suojausasetuksia, sinun on avattava paketti uudelleen, jotta muutokset tulevat voimaan.", + "Details of the report:": "Raportin tiedot:", "\"{0}\" is a local package and can't be shared": "\"{0}\" on paikallinen paketti, eikä sitä voi jakaa", + "Are you sure you want to create a new package bundle? ": "Haluatko varmasti luoda uuden pakettinipun?", + "Any unsaved changes will be lost": "Kaikki tallentamattomat muutokset menetetään", + "Warning!": "Varoitus!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Turvallisuussyistä mukautetut komentoriviargumentit on oletusarvoisesti poistettu käytöstä. Voit muuttaa tätä UniGetUI:n suojausasetuksissa.", + "Change default options": "Muuta oletusasetuksia", + "Ignore future updates for this package": "Jätä tulevaisuuden päivitykset tälle paketille huomioimatta", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Turvallisuussyistä operaatiota edeltävät ja sen jälkeiset komentosarjat on oletusarvoisesti poistettu käytöstä. Voit muuttaa tätä UniGetUI:n suojausasetuksissa.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Voit määrittää komennot, jotka suoritetaan ennen tämän paketin asentamista, päivittämistä tai poistamista tai sen jälkeen. Ne suoritetaan komentokehotteessa, joten CMD-komentosarjat toimivat tässä.", + "Change this and unlock": "Vaihda tämä ja avaa lukitus", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Asennusvaihtoehdot ovat tällä hetkellä lukittuja, koska {0} noudattaa oletusasennusvaihtoehtoja.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Valitse prosessit, jotka tulisi sulkea ennen tämän paketin asentamista, päivittämistä tai poistamista.", + "Write here the process names here, separated by commas (,)": "Kirjoita tähän prosessien nimet pilkuilla (,) erotettuina.", + "Unset or unknown": "Ei asetettu tai tuntematon", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Katso komentorivilähdöstä tai käyttöhistoriasta saadaksesi lisätietoja ongelmasta.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Tässä paketissa ei ole kuvakaappauksia tai siitä puuttuu kuvake? Auta UniGetUI:ta lisäämällä puuttuvat kuvakkeet ja kuvakaappaukset avoimeen julkiseen tietokantaamme.", + "Become a contributor": "Liity jakelijaksi", + "Save": "Tallenna", + "Update to {0} available": "{0} päivitys saatavilla", + "Reinstall": "Uudelleen asenna", + "Installer not available": "Asennusohjelmaa ei saatavilla", + "Version:": "Versio:", + "Performing backup, please wait...": "Suoritetaan varmuuskopiointia, odota hetki...", + "An error occurred while logging in: ": "Kirjautumisessa tapahtui virhe:", + "Fetching available backups...": "Haetaan saatavilla olevia varmuuskopioita...", + "Done!": "Valmis!", + "The cloud backup has been loaded successfully.": "Pilvivarmuuskopio on ladattu onnistuneesti.", + "An error occurred while loading a backup: ": "Varmuuskopiota ladattaessa tapahtui virhe:", + "Backing up packages to GitHub Gist...": "Pakettien varmuuskopiointi GitHub Gistille...", + "Backup Successful": "Varmuuskopiointi onnistui", + "The cloud backup completed successfully.": "Pilvivarmuuskopiointi onnistui.", + "Could not back up packages to GitHub Gist: ": "Pakettien varmuuskopiointi GitHub Gist -palveluun epäonnistui:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Ei ole taattua, että toimitetut tunnistetiedot säilytetään turvallisesti, joten et voi yhtä hyvin olla käyttämättä pankkitilisi tunnuksia", + "Enable the automatic WinGet troubleshooter": "Ota käyttöön automaattinen WinGet-vianmääritys", + "Enable an [experimental] improved WinGet troubleshooter": "Ota käyttöön [kokeellinen] parannettu UniGetUI-vianmääritys", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Lisää ohitettujen päivitysten luetteloon päivitykset, jotka epäonnistuvat, kun ilmoitus ei löydy", + "Restart WingetUI to fully apply changes": "Ota muutokset käyttöön kokonaan käynnistämällä UniGetUI uudelleen", + "Restart WingetUI": "Uudelleen käynnistä UniGetUI", + "Invalid selection": "Virheellinen valinta", + "No package was selected": "Yhtään pakettia ei ole valittu", + "More than 1 package was selected": "Useampi kuin yksi paketti on valittu", + "List": "Lista", + "Grid": "Ruudukko", + "Icons": "Ikonit", "\"{0}\" is a local package and does not have available details": "\"{0}\" on paikallinen paketti, eikä siinä ole saatavilla tietoja", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" on paikallinen paketti, eikä se ole yhteensopiva tämän ominaisuuden kanssa", - "(Last checked: {0})": "(Viimeksi tarkistettu: {0})", + "WinGet malfunction detected": "WinGet-vika havaittu", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet ei näyttäisi toimivan oikein Haluatko yrittää Wingetin korjausta?", + "Repair WinGet": "Korjaa WinGet", + "Create .ps1 script": "Luo .ps1 skripti", + "Add packages to bundle": "Lisää paketti nippuun", + "Preparing packages, please wait...": "Valmistellaan paketteja, odota hetki...", + "Loading packages, please wait...": "Ladataan paketteja, odota hetki...", + "Saving packages, please wait...": "Tallennetaan paketteja, odota hetki...", + "The bundle was created successfully on {0}": "Kokoelma luotiin onnistuneesti {0}", + "Install script": "Asennus skripti", + "The installation script saved to {0}": "Asennusskripti tallennettiin kohteeseen {0}", + "An error occurred while attempting to create an installation script:": "Asennusskriptin luomisessa tapahtui virhe:", + "{0} packages are being updated": "{0} paketit päivitetään", + "Error": "Virhe", + "Log in failed: ": "Kirjautuminen epäonnistui:", + "Log out failed: ": "Uloskirjautuminen epäonnistui:", + "Package backup settings": "Pakettien varmuuskopiointiasetukset", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Numero {0} jonossa)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@simakuutio", "0 packages found": "0 pakettia löytyi", "0 updates found": "0 päivitystä löytyi", - "1 - Errors": "1 - Virheet", - "1 day": "1 päivä", - "1 hour": "1 tunti", "1 month": "1 kuukausi", "1 package was found": "1 paketti löytyi", - "1 update is available": "1 päivitys valmiina", - "1 week": "1 viikko", "1 year": "1 vuosi", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Siirry sivulle \"{0}\" tai \"{1}\".", - "2 - Warnings": "2 - Varoitukset", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Etsi paketit, jotka haluat lisätä nippuun, ja valitse niiden vasemmanpuoleisin valintaruutu.", - "3 - Information (less)": "3 - Tietoja (vähemmän)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kun paketit, jotka haluat lisätä nippuun, on valittu, etsi työkalupalkista vaihtoehto \"{0}\" ja napsauta sitä.", - "4 - Information (more)": "4 - Tietoja (enemmän)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pakettisi on lisätty nippuun. Voit jatkaa pakettien lisäämistä tai viedä paketin.", - "5 - information (debug)": "5 - Tietoja (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Suosittu C/C++-kirjastonhallinta. Täynnä C/C++-kirjastoja ja muita C/C++:aan liittyviä apuohjelmia
Sisältää: C/C++-kirjastot ja niihin liittyvät apuohjelmat", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Arkisto täynnä työkaluja ja suoritettavia tiedostoja, jotka on suunniteltu Microsoftin .NET-ekosysteemiä silmällä pitäen.
Sisältää: .NETiin liittyvät työkalut ja komentosarjat", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Arkisto täynnä työkaluja, jotka on suunniteltu Microsoftin .NET-ekosysteemiä ajatellen.
Sisältää: .NET-työkalut", "A restart is required": "Uudelleenkäynnistys vaaditaan", - "Abort install if pre-install command fails": "Keskeytä asennus, jos esiasennuskomento epäonnistuu", - "Abort uninstall if pre-uninstall command fails": "Keskeytä asennuksen poisto, jos asennuksen poistoa edeltävä komento epäonnistuu", - "Abort update if pre-update command fails": "Keskeytä päivitys, jos päivitystä edeltävä komento epäonnistuu", - "About": "Tietoja", "About Qt6": "Tietoja Qt6:sta", - "About WingetUI": "Tietoja UniGetUI:sta", "About WingetUI version {0}": "Tietoja UniGetUI versio {0}:sta", "About the dev": "Tietoja kehittäjästä", - "Accept": "Hyväksy", "Action when double-clicking packages, hide successful installations": "Toimitaan kun kaksoisnapsautat paketteja, piilotetaan onnistuneet asennukset", - "Add": "Lisäys", "Add a source to {0}": "Lisää lähde {0}:lle", - "Add a timestamp to the backup file names": "Lisää aikaleima varmuuskopioiden nimiin", "Add a timestamp to the backup files": "Lisää aikaleima varmuuskopiotiedostoihin", "Add packages or open an existing bundle": "Lisää paketteja tai avaa olemassa oleva paketti", - "Add packages or open an existing package bundle": "Lisää paketteja tai avaa olemassaoleva pakettinippu", - "Add packages to bundle": "Lisää paketti nippuun", - "Add packages to start": "Lisää paketteja aloittaaksesi", - "Add selection to bundle": "Lisää valittu pakettiin", - "Add source": "Lisää lähde", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Lisää ohitettujen päivitysten luetteloon päivitykset, jotka epäonnistuvat, kun ilmoitus ei löydy", - "Adding source {source}": "Lisätään lähde {source}", - "Adding source {source} to {manager}": "Lisätään lähde {source}: {manager}", "Addition succeeded": "Lisäys onnistui", - "Administrator privileges": "Järjestelmänvalvojan oikeudet", "Administrator privileges preferences": "Järjestelmänvalvojan oikeudet", "Administrator rights": "Ylläpitäjän oikeudet", - "Administrator rights and other dangerous settings": "Järjestelmänvalvojan oikeudet ja muut vaaralliset asetukset", - "Advanced options": "Lisäasetukset", "All files": "Kaikki tiedostot", - "All versions": "Kaikki versiot", - "Allow changing the paths for package manager executables": "Salli pakettienhallinnan suoritettavien tiedostojen polkujen muuttaminen", - "Allow custom command-line arguments": "Salli mukautetut komentoriviargumentit", - "Allow importing custom command-line arguments when importing packages from a bundle": "Salli mukautettujen komentoriviargumenttien tuonti paketteja tuotaessa kokoelmasta", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Salli mukautettujen asennusta edeltävien ja asennuksen jälkeisten komentojen tuonti paketteja tuotaessa kokoelmasta", "Allow package operations to be performed in parallel": "Salli pakettitoimintojen suorittaminen rinnakkain", "Allow parallel installs (NOT RECOMMENDED)": "Salli rinnakkaiset asennukset (EI SUOSITELLA)", - "Allow pre-release versions": "Salli esijulkaisuversiot", "Allow {pm} operations to be performed in parallel": "Salli toimintojen {pm} suorittaminen rinnakkain", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Vaihtoehtoisesti voit myös asentaa sovelluksen {0} suorittamalla seuraavan komennon Windows PowerShell -kehotteessa:", "Always elevate {pm} installations by default": "Nosta aina {pm} asennusten oikeustasoa", "Always run {pm} operations with administrator rights": "Suorita aina {pm} operaatiot järjestelmävalvojan oikeuksilla.", - "An error occurred": "Tapahtui virhe", - "An error occurred when adding the source: ": "Tapahtui virhe lisätessä lähdettä: ", - "An error occurred when attempting to show the package with Id {0}": "Virhe yritettäessä näyttää pakettia tunnuksella {0}", - "An error occurred when checking for updates: ": "Tapahtui virhe tarkistaessa päivityksiä:", - "An error occurred while attempting to create an installation script:": "Asennusskriptin luomisessa tapahtui virhe:", - "An error occurred while loading a backup: ": "Varmuuskopiota ladattaessa tapahtui virhe:", - "An error occurred while logging in: ": "Kirjautumisessa tapahtui virhe:", - "An error occurred while processing this package": "Tätä pakettia käsiteltäessä tapahtui virhe", - "An error occurred:": "Tapahtui virhe:", - "An interal error occurred. Please view the log for further details.": "Tapahtui sisäinen virhe. Katso lisätietoja lokista.", "An unexpected error occurred:": "Tapahtui odottamaton virhe:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Odottamaton ongelma tapahtui yritettäessä korjata WinGetiä. Yritä myöhemmin uudelleen", - "An update was found!": "Päivitys löytyi!", - "Android Subsystem": "Android-alijärjestelmä", "Another source": "Toinen lähde", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Kaikki asennuksen tai päivityksen aikana luodut uudet pikakuvakkeet poistetaan automaattisesti sen sijaan, että näkyisi vahvistuskehote, kun ne havaitaan ensimmäisen kerran.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Kaikki UniGetUI:n ulkopuolella luodut tai muokatut pikakuvakkeet ohitetaan. Voit lisätä ne {0}-painikkeella.", - "Any unsaved changes will be lost": "Kaikki tallentamattomat muutokset menetetään", "App Name": "Sovelluksen nimi", - "Appearance": "Ulkonäkö", - "Application theme, startup page, package icons, clear successful installs automatically": "Sovelluksen teema, aloitussivu, pakettikuvakkeet, tyhjennä onnistuneet asennukset automaattisesti", - "Application theme:": "Sovelluksen teema:", - "Apply": "Käytä", - "Architecture to install:": "Asennuksen arkkitehtuuri:", "Are these screenshots wron or blurry?": "Ovatko nämä kuvakaappaukset vääriä tai epäselviä?", - "Are you really sure you want to enable this feature?": "Oletko todella varma, että haluat ottaa tämän ominaisuuden käyttöön?", - "Are you sure you want to create a new package bundle? ": "Haluatko varmasti luoda uuden pakettinipun?", - "Are you sure you want to delete all shortcuts?": "Haluatko varmasti poistaa kaikki pikakuvakkeet?", - "Are you sure?": "Oletko varma?", - "Ascendant": "Nouseva", - "Ask for administrator privileges once for each batch of operations": "Pyydä järjestelmänvalvojan oikeuksia kerran jokaista toimintosarjaa kohden", "Ask for administrator rights when required": "Pyydä järjestelmävalvojan oikeuksia tarvittaessa", "Ask once or always for administrator rights, elevate installations by default": "Pyydä kerran tai aina järjestelmänvalvojan oikeuksia, korota asennuksia oletuksena", - "Ask only once for administrator privileges": "Kysy järjestelmänvalvojan oikeuksia vain kerran", "Ask only once for administrator privileges (not recommended)": "Pyydä vain kerran järjestelmänvalvojan oikeuksia (ei suositella)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Pyydä poistamaan asennuksen tai päivityksen aikana luodut työpöydän pikakuvakkeet.", - "Attention required": "Huomiota tarvitaan", "Authenticate to the proxy with an user and a password": "Todennus välityspalvelimelle käyttäjällä ja salasanalla", - "Author": "Tekijä", - "Automatic desktop shortcut remover": "Automaattinen työpöydän pikakuvakkeiden poisto", - "Automatic updates": "Automaattiset päivitykset", - "Automatically save a list of all your installed packages to easily restore them.": "Tallenna automaattisesti luettelo kaikista asennetuista paketeista, jotta voit palauttaa ne helposti.", "Automatically save a list of your installed packages on your computer.": "Tallenna automaattisesti luettelo asennetuista paketeista tietokoneellesi.", - "Automatically update this package": "Päivitä tämä paketti automaattisesti", "Autostart WingetUI in the notifications area": "Käynnistä UniGetUI automaattisesti ilmoitusalueella", - "Available Updates": "Saatavilla olevat päivitykset", "Available updates: {0}": "Saatavilla olevat päivitykset: {0},", "Available updates: {0}, not finished yet...": "Saatavilla olevat päivitykset: {0}, ei vielä valmis...", - "Backing up packages to GitHub Gist...": "Pakettien varmuuskopiointi GitHub Gistille...", - "Backup": "Varmuuskopioi", - "Backup Failed": "Varmuuskopiointi epäonnistui", - "Backup Successful": "Varmuuskopiointi onnistui", - "Backup and Restore": "Varmuuskopiointi ja palautus", "Backup installed packages": "Varmuuskopioi asennetut paketit", "Backup location": "Varmuuskopiointipaikka", - "Become a contributor": "Liity jakelijaksi", - "Become a translator": "Liity kääntäjäksi", - "Begin the process to select a cloud backup and review which packages to restore": "Aloita pilvivarmuuskopion valintaprosessi ja tarkista palautettavat paketit", - "Beta features and other options that shouldn't be touched": "Beta-ominaisuudet ja muut vaihtoehdot, joihin ei pidä koskea", - "Both": "Molemmat", - "Bundle security report": "Paketin turvallisuusraportti", "But here are other things you can do to learn about WingetUI even more:": "Mutta tässä on muita asioita, joita voit tehdä saadaksesi lisätietoja UniGetUI :sta:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Jos poistat paketinhallinnan käytöstä, et voi enää nähdä tai päivittää sen paketteja.", "Cache administrator rights and elevate installers by default": "Tallenna järjestelmänvalvojan oikeudet välimuistiin ja nosta asentajia oletuksena", "Cache administrator rights, but elevate installers only when required": "Tallenna järjestelmänvalvojan oikeudet välimuistiin, mutta lisää asentajia vain tarvittaessa", "Cache was reset successfully!": "Välimuistin nollaus onnistui!", "Can't {0} {1}": "Ei voi {0} {1}", - "Cancel": "Peru", "Cancel all operations": "Peru kaikki toiminnot", - "Change backup output directory": "Muuta varmuuskopion tulostushakemistoa", - "Change default options": "Muuta oletusasetuksia", - "Change how UniGetUI checks and installs available updates for your packages": "Muuta tapaa, jolla UniGetUI tarkistaa ja asentaa paketteihisi saatavilla olevat päivitykset", - "Change how UniGetUI handles install, update and uninstall operations.": "Muuta tapaa, jolla UniGetUI käsittelee asennus-, päivitys- ja asennuksen poistotoiminnot.", "Change how UniGetUI installs packages, and checks and installs available updates": "Määrittele miten UniGetUI asentaa paketteja, tarkistaa päivityksiä ja asentaa tarjolla olevat päivitykset ", - "Change how operations request administrator rights": "Muuta tapaa, jolla toiminnot pyytävät järjestelmänvalvojan oikeuksia", "Change install location": "Muuta asennuksen sijaintia", - "Change this": "Muuta tämä", - "Change this and unlock": "Vaihda tämä ja avaa lukitus", - "Check for package updates periodically": "Tarkista pakettipäivitykset säännöllisesti", - "Check for updates": "Tarkista päivitykset", - "Check for updates every:": "Tarkista päivitykset joka:", "Check for updates periodically": "Tarkista päivitykset säännöllisesti", "Check for updates regularly, and ask me what to do when updates are found.": "Tarkista päivitykset säännöllisesti ja kysy, mitä tehdä, kun päivityksiä löytyy.", "Check for updates regularly, and automatically install available ones.": "Tarkista päivitykset säännöllisesti ja asenna saatavilla olevat päivitykset automaattisesti.", @@ -159,805 +741,283 @@ "Checking for updates...": "Tarkistetaan päivityksiä...", "Checking found instace(s)...": "Tarkistetaan löydettyjä ilmentymiä...", "Choose how many operations shouls be performed in parallel": "Valitse kuinka monta toimintoa pitäisi suorittaa rinnakkain", - "Clear cache": "Tyhjennä välimuisti", "Clear finished operations": "Poista valmiit toiminnot", - "Clear selection": "Tyhjennä valinta", "Clear successful operations": "Poista onnistuneet toiminnot", - "Clear successful operations from the operation list after a 5 second delay": "Poista onnistuneet toiminnot toimintoluettelosta 5 sekunnin viiveen jälkeen", "Clear the local icon cache": "Puhdista paikallinen ikoni välimuisti", - "Clearing Scoop cache - WingetUI": "Scoop-välimuistin tyhjennys - UniGetUI ", "Clearing Scoop cache...": "Scoop-välimuistin tyhjennys", - "Click here for more details": "Napsauta tätä saadaksesi lisätietoja", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Napsauta Asenna aloittaaksesi asennusprosessin. Jos ohitat asennuksen, UniGetUI ei välttämättä toimi odotetulla tavalla.", - "Close": "Sulje", - "Close UniGetUI to the system tray": "Pienennä UniGetUI ilmoitusalueelle", "Close WingetUI to the notification area": "Sulje UniGetUI ilmoitusalueelle", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Pilvivarmuuskopiointi käyttää yksityistä GitHub Gist -tiedostoa asennettujen pakettien luettelon tallentamiseen.", - "Cloud package backup": "Pilvipaketin varmuuskopiointi", "Command-line Output": "Komentorivilähtö", - "Command-line to run:": "Suoritettava komentorivi:", "Compare query against": "Vertaa kyselyä", - "Compatible with authentication": "Yhteensopiva autentikoinnin kanssa", - "Compatible with proxy": "Yhteensopiva välityspalvelimen kanssa", "Component Information": "Komponentin tiedot", - "Concurrency and execution": "Samanaikaisuus ja toteutus", - "Connect the internet using a custom proxy": "Yhdistä Internetiin mukautetun välityspalvelimen avulla", - "Continue": "Jatka", "Contribute to the icon and screenshot repository": "Luo sisältöä ikoni ja kuvakaappaus arkistoon", - "Contributors": "Osallistujat", "Copy": "Kopioi", - "Copy to clipboard": "Kopioi leikepöydälle", - "Could not add source": "Lähdettä ei voitu lisätä", - "Could not add source {source} to {manager}": "Lähdettä {source} ei voitu lisätä hakemistoon {manager}", - "Could not back up packages to GitHub Gist: ": "Pakettien varmuuskopiointi GitHub Gist -palveluun epäonnistui:", - "Could not create bundle": "Nippua ei voitu luoda", "Could not load announcements - ": "Ei voitu ladata ilmoituksia -", "Could not load announcements - HTTP status code is $CODE": "Ilmoituksia ei voitu ladata - HTTP-tilakoodi on $CODE", - "Could not remove source": "Lähdettä ei voitu poistaa", - "Could not remove source {source} from {manager}": "Lähdettä {source} ei voitu poistaa {manager}:sta", "Could not remove {source} from {manager}": "{source} ei voitu poistaa {manager}:sta", - "Create .ps1 script": "Luo .ps1 skripti", - "Credentials": "Valtuustiedot", "Current Version": "Nykyinen versio", - "Current executable file:": "Nykyinen suoritettava tiedosto:", - "Current status: Not logged in": "Nykyinen tila: ei kirjautunut", "Current user": "Nykyinen käyttäjä", "Custom arguments:": "Mukautetut argumentit:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Mukautetut komentoriviargumentit voivat muuttaa ohjelmien asennus-, päivitys- tai poistotapaa tavalla, jota UniGetUI ei voi hallita. Mukautettujen komentorivien käyttö voi rikkoa paketteja. Toimi varoen.", "Custom command-line arguments:": "Mukautetut komentorivi argumentit:", - "Custom install arguments:": "Mukautetun asennuksen argumentit:", - "Custom uninstall arguments:": "Mukautetut asennuksen poistoargumentit:", - "Custom update arguments:": "Mukautetut päivitysargumentit:", "Customize WingetUI - for hackers and advanced users only": "Mukauta UniGetUI - vain hakkereille ja kokeneille käyttäjille", - "DEBUG BUILD": "DEBUG VERSIO", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "VASTUUVAPAUSLAUSEKE: EMME OLE VASTUUSSA LADATUISTA PAKETTEISTA. VARMISTA, ETTÄ ASENNAT VAIN LUOTETTAVIA OHJELMISTOJA.", - "Dark": "Tumma", - "Decline": "Hylkää", - "Default": "Oletus", - "Default installation options for {0} packages": "Oletusasennusvaihtoehdot {0} paketille", "Default preferences - suitable for regular users": "Oletusasetukset - sopii tavallisille käyttäjille", - "Default vcpkg triplet": "Oletus vcpkg tripletti", - "Delete?": "Poistetaanko?", - "Dependencies:": "Riippuvaisuudet:", - "Descendant": "Laskeva", "Description:": "Kuvaus:", - "Desktop shortcut created": "Työpöytä pikakuvake luotu", - "Details of the report:": "Raportin tiedot:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Kehittäminen on työlästä ja tämä sovellus on ilmainen. Mutta jos pidit sovelluksesta, voit aina ostaa minulle kahvin :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Asenna suoraan kaksoisnapsauttamalla kohdetta \"{discoveryTab}\"-välilehdellä (pakettitietojen näyttämisen sijaan)", "Disable new share API (port 7058)": "Poista uusi jakosovellusliittymä käytöstä (portti 7058)", - "Disable the 1-minute timeout for package-related operations": "Poista käytöstä minuutin aikakatkaisu pakettikohtaisissa toimissa", - "Disabled": "Pois käytöstä", - "Disclaimer": "Vastuuvapauslauseke", - "Discover Packages": "Tutustu Paketteihin", "Discover packages": "Löydä paketteja", "Distinguish between\nuppercase and lowercase": "Erotetaan isot ja pienet kirjaimet", - "Distinguish between uppercase and lowercase": "Erotetaan isot ja pienet kirjaimet", "Do NOT check for updates": "ÄLÄ tarkista päivityksiä", "Do an interactive install for the selected packages": "Suorita interaktiivinen asennus valituille paketeille", "Do an interactive uninstall for the selected packages": "Suorita interaktiivinen asennuksen purku valituille paketeille", "Do an interactive update for the selected packages": "Suorita interaktiivinen päivitys valituille paketeille", - "Do not automatically install updates when the battery saver is on": "Älä asenna päivityksiä automaattisesti, kun virransäästö on päällä", - "Do not automatically install updates when the device runs on battery": "Älä asenna päivityksiä automaattisesti, kun laite toimii akkuvirralla", - "Do not automatically install updates when the network connection is metered": "Älä asenna päivityksiä automaattisesti, kun verkkoyhteys on mitattu", "Do not download new app translations from GitHub automatically": "Älä lataa uusia käännöksiä Githubista automaattisesti", - "Do not ignore updates for this package anymore": "Älä ohita tämän paketin päivityksiä enää", "Do not remove successful operations from the list automatically": "Älä poista onnistuneita toimintoja luettelosta automaattisesti", - "Do not show this dialog again for {0}": "Älä näytä tätä valintaikkunaa uudelleen kohteelle {0}", "Do not update package indexes on launch": "Älä päivitä pakettien indeksejä käynnistyksen yhteydessä", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Hyväksytkö että UniGetUI kerää ja lähettää anonyymejä käyttötilastoja, joiden ainoa tarkoitus on ymmärtää ja parantaa käyttökokemusta?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Onko UniGetUI mielestäsi käyttökelpoinen? Voit halutetessasi tukea työtäni niin voin jatkaa WingetUI:n kehittämistä.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Onko UniGetUI mielestäsi hyödyllinen? Haluatko tukea kehittäjää? Jos näin on, voit {0}, se auttaa paljon!", - "Do you really want to reset this list? This action cannot be reverted.": "Haluatko todella nollata tämän luettelon? Tätä toimintoa ei voi peruuttaa.", - "Do you really want to uninstall the following {0} packages?": "Haluatko todella poistaa seuraavat {0} paketit?", "Do you really want to uninstall {0} packages?": "Haluatko todella poistaa {0} paketin asennuksen?", - "Do you really want to uninstall {0}?": "Haluatko todella poistaa sovelluksen {0}?", "Do you want to restart your computer now?": "Haluatko käynnistää tietokoneesi uudelleen nyt?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Haluatko kääntää UniGetUI:n kielellesi? Katso, miten voit osallistua TÄSTÄ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Etkö halua lahjoittaa? Älä huoli, voit aina jakaa UniGetUI:n ystäviesi kanssa. Levitä sanaa UniGetUI:sta.", "Donate": "Lahjoita", - "Done!": "Valmis!", - "Download failed": "Lataus epäonnistui", - "Download installer": "Lataa asennusohjelma", - "Download operations are not affected by this setting": "Tämä asetus ei vaikuta lataustoimintoihin", - "Download selected installers": "Lataa valitut asennusohjelmat", - "Download succeeded": "Lataus onnistui", "Download updated language files from GitHub automatically": "Lataa päivitetyt käännökset Githubista automaattisesti", - "Downloading": "Ladataan", - "Downloading backup...": "Ladataan varmuuskopiota...", - "Downloading installer for {package}": "Ladataan asennusohjelmaa paketille {package}", - "Downloading package metadata...": "Ladataan paketin metatietoja...", - "Enable Scoop cleanup on launch": "Ota Scoop-puhdistus käyttöön käynnistyksen yhteydessä", - "Enable WingetUI notifications": "Ota UniGetUI-ilmoitukset käyttöön", - "Enable an [experimental] improved WinGet troubleshooter": "Ota käyttöön [kokeellinen] parannettu UniGetUI-vianmääritys", - "Enable and disable package managers, change default install options, etc.": "Ota käyttöön ja poista käytöstä pakettienhallinnan toimintoja, muuta oletusasennusasetuksia jne.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ota käyttöön taustaprosessorin käytön optimoinnit (katso Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Ota taustasovellusliittymä käyttöön (UniGetUI-widgetit ja jakaminen, portti 7058)", - "Enable it to install packages from {pm}.": "Ota se käyttöön, jos haluat asentaa paketteja kohteesta {pm}.", - "Enable the automatic WinGet troubleshooter": "Ota käyttöön automaattinen WinGet-vianmääritys", - "Enable the new UniGetUI-Branded UAC Elevator": "Ota käyttöön uusi UniGetUI-brändätty UAC Elevator", - "Enable the new process input handler (StdIn automated closer)": "Ota käyttöön uusi prosessisyötteen käsittelijä (StdIn-automaattinen sulkija)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ota alla olevat asetukset käyttöön vain ja ainoastaan, jos ymmärrät täysin niiden toiminnot ja mahdolliset seuraukset.", - "Enable {pm}": "Ota käyttöön {pm}", - "Enabled": "Käytössä", - "Enter proxy URL here": "Kirjoita välityspalvelimen URL-osoite tähän", - "Entries that show in RED will be IMPORTED.": "PUNAISELLA merkityt TUODAAN.", - "Entries that show in YELLOW will be IGNORED.": "KELTAISELLA näkyviä merkintöjä EI KÄSITELLÄ.", - "Error": "Virhe", - "Everything is up to date": "Kaikki on ajantasalla", - "Exact match": "Täydellinen osuma", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Työpöydälläsi olevat pikakuvakkeet tarkistetaan, ja sinun on valittava, mitkä niistä haluat säilyttää ja mitkä poistaa.", - "Expand version": "Laajenna versio", - "Experimental settings and developer options": "Kokeelliset asetukset ja kehittäjävaihtoehdot", - "Export": "Vienti", + "Downloading": "Ladataan", + "Downloading installer for {package}": "Ladataan asennusohjelmaa paketille {package}", + "Downloading package metadata...": "Ladataan paketin metatietoja...", + "Enable the new UniGetUI-Branded UAC Elevator": "Ota käyttöön uusi UniGetUI-brändätty UAC Elevator", + "Enable the new process input handler (StdIn automated closer)": "Ota käyttöön uusi prosessisyötteen käsittelijä (StdIn-automaattinen sulkija)", "Export log as a file": "Vie loki tiedostona", "Export packages": "Vie paketteja", "Export selected packages to a file": "Vie valitut paketit tiedostoon", - "Export settings to a local file": "Vie asetukset paikalliseen tiedostoon", - "Export to a file": "Vie tiedostoon", - "Failed": "Epäonnistui", - "Fetching available backups...": "Haetaan saatavilla olevia varmuuskopioita...", "Fetching latest announcements, please wait...": "Haetaan uusimpia ilmoituksia, odota...", - "Filters": "Suodattimet", "Finish": "Lopeta", - "Follow system color scheme": "Seuraa järjestelmän värimaailmaa", - "Follow the default options when installing, upgrading or uninstalling this package": "Noudata oletusasetuksia tämän paketin asennuksen, päivityksen tai poiston yhteydessä", - "For security reasons, changing the executable file is disabled by default": "Turvallisuussyistä suoritettavan tiedoston muuttaminen on oletuksena poistettu käytöstä.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Turvallisuussyistä mukautetut komentoriviargumentit on oletusarvoisesti poistettu käytöstä. Voit muuttaa tätä UniGetUI:n suojausasetuksissa.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Turvallisuussyistä operaatiota edeltävät ja sen jälkeiset komentosarjat on oletusarvoisesti poistettu käytöstä. Voit muuttaa tätä UniGetUI:n suojausasetuksissa.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Force ARM:n käännetty winget-versio (VAIN ARM64-JÄRJESTELMIÄ)", - "Force install location parameter when updating packages with custom locations": "Pakota asennussijaintiparametri päivitettäessä paketteja, joissa on mukautettuja sijainteja", "Formerly known as WingetUI": "Tunnettiin aiemmin nimellä WinGetUI", "Found": "Löytyi", "Found packages: ": "Löytyi paketteja:", "Found packages: {0}": "Löytyi paketteja: {0}", "Found packages: {0}, not finished yet...": "Löytyi paketteja: {0}, ei vielä valmis...", - "General preferences": "Yleiset asetukset", "GitHub profile": "Github profiili", "Global": "Yleinen", - "Go to UniGetUI security settings": "Siirry UniGetUI turvallisuus asetuksiin", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Suuri kokoelma vähemmän tunnettuja, mutta hyödyllisiä apuohjelmia ja muita mielenkiintoisia paketteja.
Sisältää: apuohjelmat, komentoriviohjelmat, yleiset ohjelmistot (vaatii lisäpaketin)", - "Great! You are on the latest version.": "Hienoa! Käytössä tuorein versio.", - "Grid": "Ruudukko", - "Help": "Ohjeet", "Help and documentation": "Ohjeet ja dokumentaatio", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Täällä voit muuttaa UniGetUI:n käyttäytymistä seuraavien pikanäppäinten suhteen. Pikakuvakkeen tarkistaminen saa UniGetUI:n poistamaan sen, jos se luodaan tulevassa päivityksessä. Jos poistat valinnan, pikakuvake pysyy ennallaan", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hei, nimeni on Martí ja olen UniGetUI:n kehittäjä. UniGetUI on tehty kokonaan vapaa-ajallani!", "Hide details": "Piilota tiedot", - "Homepage": "Kotisivu", - "Hooray! No updates were found.": "Hurraa! Päivityksiä ei löytynyt.", "How should installations that require administrator privileges be treated?": "Miten järjestelmänvalvojan oikeuksia vaativia asennuksia tulee käsitellä?", - "How to add packages to a bundle": "Kuinka lisätä paketteja nippuun", - "I understand": "Ymmärrän", - "Icons": "Ikonit", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jos pilvivarmuuskopiointi on käytössä, se tallennetaan GitHub Gist -tiedostona tälle tilille.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Salli mukautettujen ennen ja jälkeen asennuksen suoritettavien komentojen ajaminen", - "Ignore future updates for this package": "Jätä tulevaisuuden päivitykset tälle paketille huomioimatta", - "Ignore packages from {pm} when showing a notification about updates": "Ohita paketit alkaen {pm}, kun näet ilmoituksen päivityksistä", - "Ignore selected packages": "Jätä valitut paketit huomioimatta", - "Ignore special characters": "Jätä erikoismerkit huomioimatta", "Ignore updates for the selected packages": "Ohita valittujen pakettien päivitykset", - "Ignore updates for this package": "Jätä tämän paketin päivitykset huomioimatta", "Ignored updates": "Ohitetut päivitykset", - "Ignored version": "Ohitetut versiot", - "Import": "Tuonti", "Import packages": "Tuo paketteja", "Import packages from a file": "Tuo paketit tiedostosta", - "Import settings from a local file": "Tuo asetukset paikallisesta tiedostosta", - "In order to add packages to a bundle, you will need to: ": "Jotta voit lisätä paketteja nippuun, sinun pitää:", "Initializing WingetUI...": "Alustetaan UniGetUI...", - "Install": "Asenna", - "Install Scoop": "Asenna Scoop", "Install and more": "Asennusvaihtoehdot", "Install and update preferences": "Asennuksen ja päivityksen asetukset", - "Install as administrator": "Asenna järjestelmänvalvojana", - "Install available updates automatically": "Asenna saatavilla olevat päivitykset automaattisesti", - "Install location can't be changed for {0} packages": "Asennussijaintia ei voi muuttaa {0} paketille", - "Install location:": "Asenna sijaintiin:", - "Install options": "Asennus vaihtoehdot", "Install packages from a file": "Asenna paketit tiedostosta", - "Install prerelease versions of UniGetUI": "Asenna UniGetUI:n esiversioita", - "Install script": "Asennus skripti", "Install selected packages": "Asenna valitut paketit", "Install selected packages with administrator privileges": "Asenna valitut paketit järjestelmänvalvojan oikeuksin", - "Install selection": "Asenna valitut", "Install the latest prerelease version": "Asenna uusin esijulkaisuversio", "Install updates automatically": "Asenna päivitykset automaattisesti", - "Install {0}": "Asenna {0}", "Installation canceled by the user!": "Käyttäjä peruutti asennuksen!", - "Installation failed": "Asennus epäonnistui", - "Installation options": "Asennusvaihtoehdot", - "Installation scope:": "Asennuslaajuus:", - "Installation succeeded": "Asennus onnistui", - "Installed Packages": "Asennetut Paketit", - "Installed Version": "Asennettu versio", "Installed packages": "Asennetut paketit", - "Installer SHA256": "Asennusohjelman SHA256", - "Installer SHA512": "Asennusohjelman SHA512", - "Installer Type": "Asennusohjelman tyyppi", - "Installer URL": "Asennusohjelman URL", - "Installer not available": "Asennusohjelmaa ei saatavilla", "Instance {0} responded, quitting...": "Esiintymä {0} vastasi, lopetetaan...", - "Instant search": "Välitön haku", - "Integrity checks can be disabled from the Experimental Settings": "Eheystarkistukset voidaan poistaa käytöstä kokeellisista asetuksista.", - "Integrity checks skipped": "Eheystarkastukset ohitettiin", - "Integrity checks will not be performed during this operation": "Eheystarkastuksia ei suoriteta tämän toiminnon aikana", - "Interactive installation": "Interaktiivinen asennus", - "Interactive operation": "Interaktiivinen toiminta", - "Interactive uninstall": "Interaktiivinen asennuksen purku", - "Interactive update": "Interaktiivinen päivitys", - "Internet connection settings": "Internet-yhteyden asetukset", - "Invalid selection": "Virheellinen valinta", "Is this package missing the icon?": "Puuttuuko tältä paketilta ikoni?", - "Is your language missing or incomplete?": "Puuttuuko käännöksesi vai onko se puutteellinen?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Ei ole taattua, että toimitetut tunnistetiedot säilytetään turvallisesti, joten et voi yhtä hyvin olla käyttämättä pankkitilisi tunnuksia", - "It is recommended to restart UniGetUI after WinGet has been repaired": "On suositeltavaa käynnistää UniGetUI uudelleen WinGetin korjauksen jälkeen", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "On erittäin suositeltavaa asentaa UniGetUI uudelleen tilanteen korjaamiseksi.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet ei näyttäisi toimivan oikein Haluatko yrittää Wingetin korjausta?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Näyttää siltä, ​​että käytit UniGetUI:ta järjestelmänvalvojana, mikä ei ole suositeltavaa. Voit edelleen käyttää ohjelmaa, mutta suosittelemme, että et käytä UniGetUI:ta järjestelmänvalvojan oikeuksilla. Napsauta \"{showDetails}\" nähdäksesi syyn.", - "Language": "Kieli", - "Language, theme and other miscellaneous preferences": "Kieli, teema ja muista sekalaisia asetuksia", - "Last updated:": "Viimeisin päivitys:", - "Latest": "Viimeisin", "Latest Version": "Viimeisin versio", "Latest Version:": "Viimeisin versio:", "Latest details...": "Viimeisimmät tiedot...", "Launching subprocess...": "Aliprosessia käynnistetään...", - "Leave empty for default": "Jätä tyhjäksi oletuksena", - "License": "Lisenssi", "Licenses": "Lisenssit", - "Light": "Vaalea", - "List": "Lista", "Live command-line output": "Live-komentorivitulostus", - "Live output": "Live-tulostus", "Loading UI components...": "Ladataan UI komponentteja...", "Loading WingetUI...": "Käynnistetään UniGetUI...", - "Loading packages": "Ladataan paketteja", - "Loading packages, please wait...": "Ladataan paketteja, odota hetki...", - "Loading...": "Ladataan...", - "Local": "Paikallinen", - "Local PC": "Paikallinen PC", - "Local backup advanced options": "Paikallisen varmuuskopion laajemmat asetukset", "Local machine": "Paikallinen kone", - "Local package backup": "Paikallinen pakkettien varmuuskopio", "Locating {pm}...": "Haetaan {pm}...", - "Log in": "Kirjaudu", - "Log in failed: ": "Kirjautuminen epäonnistui:", - "Log in to enable cloud backup": "Kirjaudu sisään ottaaksesi käyttöön pilvivarmuuskopioinnin", - "Log in with GitHub": "Kirjaudu GitHubilla", - "Log in with GitHub to enable cloud package backup.": "Kirjaudu sisään GitHubilla ottaaksesi käyttöön pilvipakettien varmuuskopioinnin.", - "Log level:": "Lokin taso:", - "Log out": "Uloskirjaudu", - "Log out failed: ": "Uloskirjautuminen epäonnistui:", - "Log out from GitHub": "Uloskirjaudu GitHubista", "Looking for packages...": "Etsitään paketteja...", "Machine | Global": "Kone | Yleinen", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Väärin muotoillut komentoriviargumentit voivat rikkoa paketteja tai jopa antaa pahantahtoiselle toimijalle etuoikeuden suoritukseen. Siksi mukautettujen komentoriviargumenttien tuonti on oletusarvoisesti poistettu käytöstä.", - "Manage": "Hallitse", - "Manage UniGetUI settings": "Hallinnoi UniGetUI-asetuksia", "Manage WingetUI autostart behaviour from the Settings app": "Hallitse UniGetUI:n automaattista käynnistystä Asetukset-sovelluksesta", "Manage ignored packages": "Hallitse huomiotta jätettyjä paketteja", - "Manage ignored updates": "Hallinnoi ohitettuja päivityksiä", - "Manage shortcuts": "Hallitse pikanäppäimiä", - "Manage telemetry settings": "Hallitse telemetria asetuksia", - "Manage {0} sources": "Hallinnoi {0} lähteitä", - "Manifest": "Ilmentymä", "Manifests": "Ilmentymät", - "Manual scan": "Manuaalinen skannaus", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftin virallinen paketinhallinta. Täynnä tunnettuja ja vahvistettuja paketteja
Sisältää: Yleiset ohjelmistot, Microsoft Store -sovellukset", - "Missing dependency": "Riippuvuus puuttuu", - "More": "Lisää", - "More details": "Lisää yksityiskohtia", - "More details about the shared data and how it will be processed": "Lisätietoja jaetuista tiedoista ja niiden käsittelystä", - "More info": "Lisää tietoa", - "More than 1 package was selected": "Useampi kuin yksi paketti on valittu", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "HUOMAUTUS: Tämä vianmääritys voidaan poistaa käytöstä UniGetUI-asetuksista WinGet-osiossa", - "Name": "Nimi", - "New": "Uusi", "New Version": "Uusi Versio", "New bundle": "Uusi nippu", - "New version": "Uusi versio", - "Nice! Backups will be uploaded to a private gist on your account": "Hienoa! Varmuuskopiot ladataan tilisi yksityiseen Gist-kansioon.", - "No": "Ei", - "No applicable installer was found for the package {0}": "Paketille {0} ei löytynyt sopivaa asennusohjelmaa", - "No dependencies specified": "Riippuvaisuuksia ei määritelty", - "No new shortcuts were found during the scan.": "Tarkistuksen aikana ei löytynyt uusia pikakuvakkeita.", - "No package was selected": "Yhtään pakettia ei ole valittu", "No packages found": "Paketteja ei löytynyt", "No packages found matching the input criteria": "Syöttöehtoja vastaavia paketteja ei löytynyt", "No packages have been added yet": "Ei vielä lisättyjä paketteja", "No packages selected": "Ei valittuja paketteja", - "No packages were found": "Paketteja ei löytynyt", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Henkilökohtaisia ​​tietoja ei kerätä eikä lähetetä, ja kerätyt tiedot anonymisoidaan, joten niitä ei voida palauttaa sinulle.", - "No results were found matching the input criteria": "Syöttöehtoja vastaavia tuloksia ei löytynyt", "No sources found": "Lähteitä ei löytynyt", "No sources were found": "Lähteitä ei löytynyt", "No updates are available": "Päivityksiä ei saatavilla", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS:n paketinhallinta. Täynnä kirjastoja ja muita apuohjelmia, jotka kiertävät JavaScript-maailmaa.
Sisältää: Node JS ja muut niihin liittyvät apuohjelmat", - "Not available": "Ei saatavilla", - "Not finding the file you are looking for? Make sure it has been added to path.": "Eikö etsimääsi tiedostoa löydy? Varmista, että se on lisätty polkuun.", - "Not found": "Ei löytynyt", - "Not right now": "Ei juuri nyt", "Notes:": "Huomautuksia:", - "Notification preferences": "Ilmoitusasetukset", "Notification tray options": "Ilmoituspalkin vaihtoehdot", - "Notification types": "Ilmoitustyypit", - "NuPkg (zipped manifest)": "NuPkg (pakattu luettelo)", - "OK": "OK", "Ok": "OK", - "Open": "Avaa", "Open GitHub": "Avaa GitHub", - "Open UniGetUI": "Avaa UniGetUI", - "Open UniGetUI security settings": "Avaa UniGetUI turvallisuus asetukset", "Open WingetUI": "Avaa UniGetUI", "Open backup location": "Avaa varmuuskopioiden sijainti", "Open existing bundle": "Avaa olemassaoleva nippu", - "Open install location": "Avaa asennussijainti", "Open the welcome wizard": "Avaa ohjattu tervetulotoiminto", - "Operation canceled by user": "Toiminto keskeytetty käyttäjän toimesta", "Operation cancelled": "Toiminto keskeytetty", - "Operation history": "Toimintojen historia", - "Operation in progress": "Toiminta käynnissä", - "Operation on queue (position {0})...": "Toiminto jonossa (järjestysnumero {0})...", - "Operation profile:": "Toimintaprofiili:", "Options saved": "Vaihtoehdot tallennettu", - "Order by:": "Järjestä mukaan:", - "Other": "Muut", - "Other settings": "Muut asetukset", - "Package": "Paketti", - "Package Bundles": "Pakettiniput", - "Package ID": "Paketin ID", "Package Manager": "Paketinhallinta", - "Package Manager logs": "Paketinhallinta logit", - "Package Managers": "Paketinhallinnat", - "Package Name": "Paketin nimi", - "Package backup": "Pakettien varmuuskopio", - "Package backup settings": "Pakettien varmuuskopiointiasetukset", - "Package bundle": "Pakettinippu", - "Package details": "Paketin yksityiskohdat", - "Package lists": "Pakettilista", - "Package management made easy": "Pakettien hallinta tehty helpoksi", - "Package manager": "Pakettien hallinta", - "Package manager preferences": "Paketinhallinnan asetukset", "Package managers": "Paketinhallinnat", - "Package not found": "Pakettia ei löytynyt", - "Package operation preferences": "Paketin toiminnan asetukset", - "Package update preferences": "Paketin päivityksen asetukset", "Package {name} from {manager}": "Paketti {name} {manager}:sta", - "Package's default": "Pakettien oletukset", "Packages": "Paketit", "Packages found: {0}": "Löytyneet paketit: {0}", - "Partially": "Osittain", - "Password": "Salasana", "Paste a valid URL to the database": "Liitä kelvollinen URL-osoite tietokantaan", - "Pause updates for": "Keskeytä päivitykset", "Perform a backup now": "Suorita varmuuskopiointi nyt", - "Perform a cloud backup now": "Suorita pilvivarmuuskopio nyt", - "Perform a local backup now": "Suorita paikallinen varmuuskopio nyt", - "Perform integrity checks at startup": "Suorita eheystarkistukset käynnistyksen yhteydessä", - "Performing backup, please wait...": "Suoritetaan varmuuskopiointia, odota hetki...", "Periodically perform a backup of the installed packages": "Suorita ajoittain varmuuskopio asennetuista paketeista", - "Periodically perform a cloud backup of the installed packages": "Suorita asennettujen pakettien pilvivarmuuskopiointi säännöllisesti", - "Periodically perform a local backup of the installed packages": "Suorita säännöllisesti paikallinen varmuuskopio asennetuista paketeista", - "Please check the installation options for this package and try again": "Tarkista tämän paketin asennusvaihtoehdot ja yritä uudelleen", - "Please click on \"Continue\" to continue": "Napsauta \"Jatka\" jatkaaksesi", "Please enter at least 3 characters": "Syötä vähintään 3 kirjainta", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Huomaa, että tietyt paketit eivät ehkä ole asennettavissa, koska paketinhallintaohjelmat ovat käytössä tällä koneella.", - "Please note that not all package managers may fully support this feature": "Huomaa, että kaikki paketinhallintaohjelmat eivät välttämättä tue tätä ominaisuutta täysin", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Huomaa, että tietyistä lähteistä peräisin olevia paketteja ei välttämättä voi viedä. Ne on harmaana, eikä niitä voi viedä vientiin.", - "Please run UniGetUI as a regular user and try again.": "Suorita UniGetUI tavallisena käyttäjänä ja yritä uudelleen.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Katso komentorivilähdöstä tai käyttöhistoriasta saadaksesi lisätietoja ongelmasta.", "Please select how you want to configure WingetUI": "Valitse kuinka haluat määrittää UniGetUI:n", - "Please try again later": "Kokeile myöhemmin uudelleen", "Please type at least two characters": "Syötä vähintään kaksi kirjainta", - "Please wait": "Ole hyvä ja odota", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Odota, kun {0} asennetaan. Näkyviin saattaa tulla musta ikkuna. Odota, kunnes se sulkeutuu.", - "Please wait...": "Ole hyvä ja odota...", "Portable": "Itsenäinen", - "Portable mode": "Itsenäinen tila", - "Post-install command:": "Asennuksen jälkeinen komento:", - "Post-uninstall command:": "Asennuksen poiston jälkeinen komento:", - "Post-update command:": "Päivityksen jälkeinen komento:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShellin paketinhallinta. Etsi kirjastoja ja komentosarjoja laajentaaksesi PowerShell-ominaisuuksia.
Sisältää: Moduulit, Komentosarjat, Cmdletit", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Asennusta edeltävät ja sen jälkeiset komennot voivat tehdä laitteellesi erittäin ikäviä asioita, jos ne on suunniteltu tekemään niin. Komentojen tuominen paketista voi olla erittäin vaarallista, ellet luota kyseisen kokoelman lähteeseen.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Asennusta edeltävät ja sen jälkeiset komennot suoritetaan ennen paketin asentamista, päivittämistä tai poistamista ja sen jälkeen. Huomaa, että ne voivat rikkoa järjestelmän, ellei niitä käytetä huolellisesti.", - "Pre-install command:": "Esiasennuskomento:", - "Pre-uninstall command:": "Asennuksen poistoa edeltävä komento:", - "Pre-update command:": "Päivitystä edeltävä komento:", - "PreRelease": "Esijulkaisu", - "Preparing packages, please wait...": "Valmistellaan paketteja, odota hetki...", - "Proceed at your own risk.": "Jatka omalla vastuullasi.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Estä kaikenlainen korkeuden nostaminen UniGetUI Elevator- tai GSudo-toiminnolla", - "Proxy URL": "Välityspalvelimen URL-osoite", - "Proxy compatibility table": "Välityspalvelimen yhteensopivuustaulukko", - "Proxy settings": "Välityspalvelimen asetukset", - "Proxy settings, etc.": "Välityspalvelimen asetukset jne", "Publication date:": "Julkaisupäivä:", - "Publisher": "Julkaisija", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythonin kirjaston johtaja. Täynnä python-kirjastoja ja muita python-apuohjelmia
Sisältää:Python-kirjastot ja niihin liittyvät apuohjelmat", - "Quit": "Poistu", "Quit WingetUI": "Lopeta UniGetUI", - "Ready": "Valmis", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Vähennä käyttäjien valvonnan kehotteita, nosta asennuksia oletusarvoisesti, avaa tiettyjä vaarallisia ominaisuuksia jne.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Katso UniGetUI-lokeista lisätietoja kyseisistä tiedostoista.", - "Reinstall": "Uudelleen asenna", - "Reinstall package": "Paketin uudelleenasennus", - "Related settings": "Aiheeseen liittyvät asetukset", - "Release notes": "Julkaisutiedot", - "Release notes URL": "Julkaisutiedot URL", "Release notes URL:": "Julkaisutiedot URL:", "Release notes:": "Julkaisutiedot:", "Reload": "Uudelleen lataa", - "Reload log": "Lataa loki uudelleen", "Removal failed": "Poisto epäonnistui", "Removal succeeded": "Poisto onnistui", - "Remove from list": "Poista listalta", "Remove permanent data": "Poista pysyvää tietoa", - "Remove selection from bundle": "Poista valinta nipusta", "Remove successful installs/uninstalls/updates from the installation list": "Poista onnistuneet asennukset/poistot/päivitykset asennusluettelosta", - "Removing source {source}": "Poistetaan lähde {source}", - "Removing source {source} from {manager}": "Poistetaan lähdettä {source} {manager}:sta", - "Repair UniGetUI": "Korjaa UniGetUI", - "Repair WinGet": "Korjaa WinGet", - "Report an issue or submit a feature request": "Ilmoita ongelmasta tai lähetä ominaisuuspyyntö", "Repository": "Arkisto", - "Reset": "Nollaa", "Reset Scoop's global app cache": "Nollaa Scoopin globaali sovellusvälimuisti", - "Reset UniGetUI": "Nollaa UniGetUI", - "Reset WinGet": "Nollaa UniGetUI", "Reset Winget sources (might help if no packages are listed)": "Nollaa Winget-lähteet (voi auttaa, jos paketteja ei ole luettelossa)", - "Reset WingetUI": "Nollaa UniGetUI", "Reset WingetUI and its preferences": "Nollaa UniGetUI ja sen asetukset", "Reset WingetUI icon and screenshot cache": "Palauta UniGetUI-kuvake ja kuvakaappauksen välimuisti", - "Reset list": "Nollaa lista", "Resetting Winget sources - WingetUI": "WinGet-lähteiden nollaaminen - UniGetUI", - "Restart": "Uudelleen käynnistä", - "Restart UniGetUI": "Uudelleenkäynnistä UniGetUI", - "Restart WingetUI": "Uudelleen käynnistä UniGetUI", - "Restart WingetUI to fully apply changes": "Ota muutokset käyttöön kokonaan käynnistämällä UniGetUI uudelleen", - "Restart later": "Uudelleenkäynnistä myöhemmin", "Restart now": "Uudelleenkäynistä nyt", - "Restart required": "Uudelleenkäynnistys vaaditaan", - "Restart your PC to finish installation": "Viimeistele asennus käynnistämällä tietokoneesi uudelleen", - "Restart your computer to finish the installation": "Viimeistele asennus käynnistämällä tietokoneesi uudelleen", - "Restore a backup from the cloud": "Palauta varmuuskopio pilvestä", - "Restrictions on package managers": "Pakettienhallinnan rajoitukset", - "Restrictions on package operations": "Pakettitoimintojen rajoitukset", - "Restrictions when importing package bundles": "Pakettikokoelmien tuonnin rajoitukset", - "Retry": "Uudelleen", - "Retry as administrator": "Yritä uudelleen järjestelmänvalvojana", - "Retry failed operations": "Uusi epäonnistuneet toiminnot", - "Retry interactively": "Yritä uudelleen interaktiivisesti", - "Retry skipping integrity checks": "Yritä uudelleen ohittaa eheystarkistukset", - "Retrying, please wait...": "Yritetään uudelleen, odota...", - "Return to top": "Palaa alkuun", - "Run": "Suorita", - "Run as admin": "Suorita ylläpitäjänä", - "Run cleanup and clear cache": "Suorita puhdistus ja tyhjennä välimuisti", - "Run last": "Suorita viimeinen", - "Run next": "Suorita seuraava", - "Run now": "Suorita nyt", + "Restart your PC to finish installation": "Viimeistele asennus käynnistämällä tietokoneesi uudelleen", + "Restart your computer to finish the installation": "Viimeistele asennus käynnistämällä tietokoneesi uudelleen", + "Retry failed operations": "Uusi epäonnistuneet toiminnot", + "Retrying, please wait...": "Yritetään uudelleen, odota...", + "Return to top": "Palaa alkuun", "Running the installer...": "Suoritetaan asennusohjelmaa...", "Running the uninstaller...": "Asennuksen poisto-ohjelma käynnissä...", "Running the updater...": "Päivitys käynnissä...", - "Save": "Tallenna", "Save File": "Tallenna Tiedosto", - "Save and close": "Tallenna ja sulje", - "Save as": "Tallenna nimellä", "Save bundle as": "Tallenna paketit nimellä", "Save now": "Tallenna nyt", - "Saving packages, please wait...": "Tallennetaan paketteja, odota hetki...", - "Scoop Installer - WingetUI": "Scoop asennusohjelma - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop asennuksen poisto - UniGetUI", - "Scoop package": "Scoop paketti", "Search": "Hae", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Hae työpöytäohjelmistoja, kerro kun päivityksiä on saatavilla, älä tee mitään ylimääräistä. En halua UniGetUI:n monimutkaistavan liikaa, haluan vain yksinkertaisen ohjelmisto hakemiston", - "Search for packages": "Hae paketteja", - "Search for packages to start": "Hae paketteja aloittaaksesi", - "Search mode": "Hakutila", "Search on available updates": "Hae saatavilla olevista päivityksistä", "Search on your software": "Hae ohjelmistostasi", "Searching for installed packages...": "Haetaan asennettuja paketteja...", "Searching for packages...": "Haetaan paketteja...", "Searching for updates...": "Tarkistetaan päivityksiä...", - "Select": "Valitse", "Select \"{item}\" to add your custom bucket": "Lisää mukautettu ryhmä valitsemalla {item}", "Select a folder": "Valitse hakemisto", - "Select all": "Valitse kaikki", "Select all packages": "Valitse kaikki paketit", - "Select backup": "Valitse varmuuskopio", "Select only if you know what you are doing.": "Valitse vain jos tiedät mitä olet tekemässä.", "Select package file": "Valitse paketti tiedosto", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Valitse avattava varmuuskopio. Myöhemmin voit tarkistaa, mitkä paketit haluat asentaa.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Valitse käytettävä suoritettava tiedosto. Seuraavassa luettelossa näkyvät UniGetUI:n löytämät suoritettavat tiedostot.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Valitse prosessit, jotka tulisi sulkea ennen tämän paketin asentamista, päivittämistä tai poistamista.", - "Select the source you want to add:": "Valitse lähde, jonka haluat lisätä:", - "Select upgradable packages by default": "Valitse oletuksena päivitettävät paketit", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Valitse käytettävät paketinhallinnat ({0}), määritä kuinka paketit asennetaan, hallinnoidaan järjestelmänvalvojan oikeuksien käsittelyä jne.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Lähetetty kättely. Odotetaan esimerkiksi vastapuolen vastausta... ({0}%)", - "Set a custom backup file name": "Aseta mukautettu varmuuskopiotiedoston nimi", "Set custom backup file name": "Aseta mukautettu varmuuskopiotiedoston nimi", - "Settings": "Asetukset", - "Share": "Jaa", "Share WingetUI": "Jaa UniGetUI", - "Share anonymous usage data": "Jaa anonyymiä käyttötietoa", - "Share this package": "Jaa tämä paketti", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Jos muutat suojausasetuksia, sinun on avattava paketti uudelleen, jotta muutokset tulevat voimaan.", "Show UniGetUI on the system tray": "Näytä UniGetUI ilmoituspalkissa", - "Show UniGetUI's version and build number on the titlebar.": "Näytä UniGetUI:n versio ja koontiversion numero otsikkorivillä.", - "Show WingetUI": "Näytä UniGetUI", "Show a notification when an installation fails": "Näytä ilmoitus, kun asennus epäonnistuu", "Show a notification when an installation finishes successfully": "Näytä ilmoitus, kun asennus on valmis", - "Show a notification when an operation fails": "Näytä ilmoitus, kun toiminto epäonnistuu", - "Show a notification when an operation finishes successfully": "Näytä ilmoitus, kun toiminto päättyy onnistuneesti", - "Show a notification when there are available updates": "Näytä ilmoitus, kun päivityksiä on saatavilla", - "Show a silent notification when an operation is running": "Näytä äänetön ilmoitus, kun toiminto on käynnissä", "Show details": "Näytä tiedot", - "Show in explorer": "Näytä explorerissa", "Show info about the package on the Updates tab": "Näytä paketin tiedot Päivitykset-välilehdessä", "Show missing translation strings": "Näytä puuttuvat käännökset", - "Show notifications on different events": "Näytä ilmoitukset eri tapahtumista", "Show package details": "Näytä paketin tiedot", - "Show package icons on package lists": "Näytä paketin ikonit pakettilistassa", - "Show similar packages": "Näytä samankaltaiset paketit", "Show the live output": "Näytä Live-tulostus", - "Size": "Koko", "Skip": "Ohita", - "Skip hash check": "Ohita hash-tarkistus", - "Skip hash checks": "Ohita hash-tarkistukset", - "Skip integrity checks": "Ohita eheystarkastukset", - "Skip minor updates for this package": "Ohita tämän paketin pienet muutokset", "Skip the hash check when installing the selected packages": "Ohita hash-tarkistus, kun asennat valittuja paketteja", "Skip the hash check when updating the selected packages": "Ohita hash-tarkistus, kun päivität valittuja paketteja", - "Skip this version": "Ohita tämä versio", - "Software Updates": "Ohjelmistopäivitykset", - "Something went wrong": "Jotain meni pieleen", - "Something went wrong while launching the updater.": "Jotain meni pieleen päivitystä käynnistettäessä.", - "Source": "Lähde", - "Source URL:": "Lähde URL:", - "Source added successfully": "Lähde lisätty onnistuneesti", "Source addition failed": "Lähteen lisäys epäonnistui", - "Source name:": "Lähteen nimi:", "Source removal failed": "Lähteen poisto epäonnistui", - "Source removed successfully": "Lähde poistettu onnistuneesti", "Source:": "Lähde:", - "Sources": "Lähteet", "Start": "Aloita", "Starting daemons...": "Käynnistetään prosesseja...", - "Starting operation...": "Aloitetaan toiminto...", "Startup options": "Käynnistys valinnat", "Status": "Tila", "Stuck here? Skip initialization": "Jumissa? Ohita alustus", - "Success!": "Onnistui!", "Suport the developer": "Tue kehittäjää", "Support me": "Tue minua", "Support the developer": "Tue kehittäjää", "Systems are now ready to go!": "Järjestelmät ovat nyt valmis!", - "Telemetry": "Telemetria", - "Text": "Teksti", "Text file": "Tekstitiedosto", - "Thank you ❤": "Kiitos ❤", - "Thank you \uD83D\uDE09": "Kiitos \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-paketinhallinta.
Sisältää: Rust-kirjastot ja Rust-kielellä kirjoitetut ohjelmat", - "The backup will NOT include any binary file nor any program's saved data.": "Varmuuskopio EI sisällä binääritiedostoja eikä minkään ohjelman tallennettuja tietoja.", - "The backup will be performed after login.": "Varmuuskopiointi suoritetaan kirjautumisen jälkeen.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Varmuuskopio sisältää täydellisen luettelon asennetuista paketeista ja niiden asennusvaihtoehdoista. Myös ohitetut päivitykset ja ohitetut versiot tallennetaan.", - "The bundle was created successfully on {0}": "Kokoelma luotiin onnistuneesti {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paketti, jota yrität ladata, näyttää olevan virheellinen. Tarkista tiedosto ja yritä uudelleen.", + "Thank you 😉": "Kiitos 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Asennusohjelman tarkistussumma ei ole sama kuin odotettu arvo, eikä ohjelman aitoutta voida varmistaa. Jos luotat julkaisijaan, {0} paketti ohittaa uudelleen hash-tarkistuksen.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klassinen pakettien hallinta Windowsille. Sieltä löydät kaiken.
Sisältää: Yleiset ohjelmistot\n", - "The cloud backup completed successfully.": "Pilvivarmuuskopiointi onnistui.", - "The cloud backup has been loaded successfully.": "Pilvivarmuuskopio on ladattu onnistuneesti.", - "The current bundle has no packages. Add some packages to get started": "Nykyinen nippu ei sisällä paketteja. Aloita lisäämällä paketteja", - "The executable file for {0} was not found": "Suoritettavaa tiedostoa kohteelle {0} ei löytynyt", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Seuraavat asetukset otetaan käyttöön oletusarvoisesti aina, kun {0}-paketti asennetaan, päivitetään tai poistetaan.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Seuraavat paketit viedään JSON-tiedostoon. Käyttäjätietoja tai binaaritiedostoja ei tallenneta.", "The following packages are going to be installed on your system.": "Seuraavat paketit asennetaan järjestelmääsi.", - "The following settings may pose a security risk, hence they are disabled by default.": "Seuraavat asetukset voivat aiheuttaa tietoturvariskin, joten ne ovat oletusarvoisesti poissa käytöstä.", - "The following settings will be applied each time this package is installed, updated or removed.": "Seuraavat asetukset otetaan käyttöön aina, kun tämä paketti asennetaan, päivitetään tai poistetaan.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Seuraavat asetukset otetaan käyttöön aina, kun tämä paketti asennetaan, päivitetään tai poistetaan. Ne tallennetaan automaattisesti.", "The icons and screenshots are maintained by users like you!": "Kaltaisesi käyttäjät ylläpitävät kuvakkeita ja kuvakaappauksia!", - "The installation script saved to {0}": "Asennusskripti tallennettiin kohteeseen {0}", - "The installer authenticity could not be verified.": "Asennusohjelman aitoutta ei voitu varmistaa.", "The installer has an invalid checksum": "Asennusohjelmassa on virheellinen tarkistussumma", "The installer hash does not match the expected value.": "Asennusohjelman hash ei vastaa odotettua arvoa.", - "The local icon cache currently takes {0} MB": "Paikallinen ikoni välimuisti vie tilaa {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Tämän projektin päätavoitteena on luoda intuitiivinen käyttöliittymä yleisimpien Windowsin CLI-pakettien hallintaohjelmien, kuten Wingetin ja Scoopin, hallintaan.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakettia \"{0}\" ei löytynyt paketinhallinnasta \"{1}\"", - "The package bundle could not be created due to an error.": "Pakettinippua ei voitu luoda virheen takia.", - "The package bundle is not valid": "Pakettinippu ei kelpaa", - "The package manager \"{0}\" is disabled": "Paketinhallinta \"{0}\" on poistettu käytöstä", - "The package manager \"{0}\" was not found": "Paketinhallintaa \"{0}\" ei löytynyt", "The package {0} from {1} was not found.": "Pakettia {0} lähettäjältä {1} ei löytynyt.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Tässä lueteltuja paketteja ei oteta huomioon päivityksiä tarkistettaessa. Kaksoisnapsauta niitä tai napsauta niiden oikealla puolella olevaa painiketta lopettaaksesi niiden päivitysten huomioimisen.", "The selected packages have been blacklisted": "Valitut paketit on asetettu mustalle listalle", - "The settings will list, in their descriptions, the potential security issues they may have.": "Asetusten kuvauksissa luetellaan mahdolliset tietoturvaongelmat, joita niillä saattaa olla.", - "The size of the backup is estimated to be less than 1MB.": "Varmuuskopion koon arvioidaan olevan alle 1 Mt.", - "The source {source} was added to {manager} successfully": "Lähde {source} lisättiin hallintaohjelmaan {manager} onnistuneesti", - "The source {source} was removed from {manager} successfully": "Lähde {source} poistettiin käyttäjältä {manager} onnistuneesti", - "The system tray icon must be enabled in order for notifications to work": "Ilmaisinalueen kuvakkeen on oltava käytössä, jotta ilmoitukset toimivat", - "The update process has been aborted.": "Päivitysprosessi on keskeytetty.", - "The update process will start after closing UniGetUI": "Päivitysprosessi alkaa UniGetUI:n sulkemisen jälkeen", "The update will be installed upon closing WingetUI": "Päivitys asennetaan, kun UniGetUI suljetaan", "The update will not continue.": "Päivitys ei jatku.", "The user has canceled {0}, that was a requirement for {1} to be run": "Käyttäjä on peruuttanut kohteen {0}, mikä oli vaatimus {1}:n suorittamiselle", - "There are no new UniGetUI versions to be installed": "Uusia UniGetUI-versioita ei ole asennettavissa", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Toimintaa on meneillään. UniGetUI:n sulkeminen voi aiheuttaa niiden epäonnistumisen. Haluatko jatkaa?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTubessa on hienoja videoita, jotka esittelevät UniGetUI:ta ja sen ominaisuuksia. Voit oppia hyödyllisiä temppuja ja vinkkejä!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "On kaksi tärkeintä syytä olla suorittamatta UniGetUI:ta järjestelmänvalvojana: Ensimmäinen syy on se, että Scoop-paketinhallinta saattaa aiheuttaa ongelmia joidenkin komentojen kanssa, kun se suoritetaan järjestelmänvalvojan oikeuksilla. Toinen on se, että UniGetUI:n käyttäminen järjestelmänvalvojana tarkoittaa, että kaikki lataamasi paketit ajetaan järjestelmänvalvojana (ja tämä ei ole turvallista). Muista, että jos sinun on asennettava tietty paketti järjestelmänvalvojana, voit aina napsauttaa kohdetta hiiren kakkospainikkeella -> Asenna/Päivitä/Poista asennus järjestelmänvalvojana.", - "There is an error with the configuration of the package manager \"{0}\"": "Paketinhallinnan \"{0}\" määrityksessä on virhe", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Asennus on meneillään. Jos suljet UniGetUI:n, asennus saattaa epäonnistua ja aiheuttaa odottamattomia tuloksia. Haluatko silti lopettaa UniGetUI:n?", "They are the programs in charge of installing, updating and removing packages.": "Ne ovat ohjelmia, jotka vastaavat pakettien asentamisesta, päivittämisestä ja poistamisesta.", - "Third-party licenses": "Kolmannen osapuolen lisenssit", "This could represent a security risk.": "Tämä voi olla turvariski.", - "This is not recommended.": "Tätä ei suositella", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Tämä johtuu todennäköisesti siitä, että sinulle lähetetty paketti poistettiin tai julkaistiin paketinhallinnassa, jota et ole ottanut käyttöön. Vastaanotettu tunnus on {0}", "This is the default choice.": "Tämä on oletusvalinta.", - "This may help if WinGet packages are not shown": "Tämä voi auttaa, jos WinGet-paketteja ei näytetä", - "This may help if no packages are listed": "Tämä voi auttaa, jos luettelossa ei ole paketteja", - "This may take a minute or two": "Tämä voi kestää muutaman minuutin", - "This operation is running interactively.": "Tämä toiminto ajetaan interaktiivisesti.", - "This operation is running with administrator privileges.": "Tämä toiminto on käynnissä järjestelmänvalvojan oikeuksilla.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Tämä vaihtoehto aiheuttaa ongelmia. Mikä tahansa toiminto, joka ei pysty itseään korottamaan, EPÄONNISTUU. Asennus/päivitys/poisto järjestelmänvalvojana EI TOIMI.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Tässä pakettikokoelmassa oli joitakin mahdollisesti vaarallisia asetuksia, jotka saatetaan oletusarvoisesti jättää huomiotta.", "This package can be updated": "Tämän paketin voi päivittää", "This package can be updated to version {0}": "Tämä paketti voidaan päivittää versioon {0}", - "This package can be upgraded to version {0}": "Tämä paketti voidaan päivittää versioon {0}", - "This package cannot be installed from an elevated context.": "Tätä pakettia ei voi asentaa korotetusta sisällöstä.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Tässä paketissa ei ole kuvakaappauksia tai siitä puuttuu kuvake? Auta UniGetUI:ta lisäämällä puuttuvat kuvakkeet ja kuvakaappaukset avoimeen julkiseen tietokantaamme.", - "This package is already installed": "Tämä paketti on jo asennettu", - "This package is being processed": "Tätä pakettia käsitellään", - "This package is not available": "Tämä paketti ei ole saatavilla", - "This package is on the queue": "Tämä paketti on jonossa", "This process is running with administrator privileges": "Tämä prosessi on käynnissä järjestelmänvalvojan oikeuksilla", - "This project has no connection with the official {0} project — it's completely unofficial.": "Tällä projektilla ei ole yhteyttä viralliseen {0}-projektiin – se on täysin epävirallinen.", "This setting is disabled": "Tämä asetus on poistettu käytöstä", "This wizard will help you configure and customize WingetUI!": "Tämä ohjattu toiminto auttaa sinua määrittämään ja mukauttamaan UniGetUI:n!", "Toggle search filters pane": "Vaihda hakusuodattimien ruutua", - "Translators": "Kääntäjät", - "Try to kill the processes that refuse to close when requested to": "Yritä lopettaa prosessit, jotka kieltäytyvät sulkeutumasta pyydettäessä", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Tämän ottaminen käyttöön mahdollistaa pakettienhallinnan kanssa vuorovaikutuksessa käytettävän suoritettavan tiedoston muuttamisen. Vaikka tämä mahdollistaa asennusprosessien tarkemman mukauttamisen, se voi olla myös vaarallista.", "Type here the name and the URL of the source you want to add, separed by a space.": "Kirjoita tähän lisättävän lähteen nimi ja URL-osoite välilyönnillä erotettuna.", "Unable to find package": "Pakettia ei löydy", "Unable to load informarion": "Tietoja ei voi ladata", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI kerää anonyymejä käyttötietoja parantaakseen käyttökokemusta.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI kerää anonyymejä käyttötietoja, joiden ainoa tarkoitus on ymmärtää ja parantaa käyttökokemusta.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI on havainnut uuden työpöydän pikakuvakkeen, joka voidaan poistaa automaattisesti.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI on havainnut seuraavat työpöydän pikakuvakkeet, jotka voidaan poistaa automaattisesti tulevien päivitysten yhteydessä", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI on havainnut {0} uutta työpöydän pikakuvaketta, jotka voidaan poistaa automaattisesti.", - "UniGetUI is being updated...": "UniGetUI päivitetään...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ei liity yhteensopiviin paketinhallintaohjelmiin. UniGetUI on itsenäinen projekti.", - "UniGetUI on the background and system tray": "UniGetUI taustalla ja ilmaisinalueella", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI tai jotkin sen komponenteista puuttuvat tai ovat vioittuneet.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI vaatii {0} toimiakseen, mutta sitä ei löytynyt järjestelmästäsi.", - "UniGetUI startup page:": "UniGetUI aloitussivu:", - "UniGetUI updater": "UniGetUI päivitysohjelma", - "UniGetUI version {0} is being downloaded.": "UniGetUI-versiota {0} ladataan.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} on valmis asennettavaksi.", - "Uninstall": "Poista asennus", - "Uninstall Scoop (and its packages)": "Poista Scoop (ja sen paketit)", "Uninstall and more": "Asennuksen poisto ja muuta", - "Uninstall and remove data": "Poista asennus ja poista tietoja", - "Uninstall as administrator": "Poista asennus järjestelmänvalvojana", "Uninstall canceled by the user!": "Käyttäjä on peruuttanut asennuksen poiston!", - "Uninstall failed": "Asennuksen poisto epäonnistui", - "Uninstall options": "Asennuksen poiston vaihtoehdot", - "Uninstall package": "Poista paketin asennus", - "Uninstall package, then reinstall it": "Poista paketin asennus ja uudelleen asenna se", - "Uninstall package, then update it": "Poista paketti ja päivitä se", - "Uninstall previous versions when updated": "Poista aiemmat versiot päivitettäessä", - "Uninstall selected packages": "Poista valitut paketit", - "Uninstall selection": "Poista valitut", - "Uninstall succeeded": "Asennuksen poisto onnistui", "Uninstall the selected packages with administrator privileges": "Poista valitut paketit järjestelmänvalvojan oikeuksin", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Asennettavia paketteja, joiden alkuperä on \"{0}\", ei julkaista missään paketinhallinnassa, joten niistä ei ole saatavilla tietoja.", - "Unknown": "Tuntematon", - "Unknown size": "Tuntematon koko", - "Unset or unknown": "Ei asetettu tai tuntematon", - "Up to date": "Ajantasalla", - "Update": "Päivitä", - "Update WingetUI automatically": "Päivitä UniGetUI automaattisesti", - "Update all": "Päivitä kaikki", "Update and more": "Päivitysvaihtoehdot", - "Update as administrator": "Päivitä järjestelmänvalvojana", - "Update check frequency, automatically install updates, etc.": "Päivitysten tarkistustiheys, päivitysten automaattinen asennus jne.", - "Update checking": "Päivitysten tarkistus", "Update date": "Päivityksen päivämäärä", - "Update failed": "Päivitys epäonnistui", "Update found!": "Päivitys löytyi!", - "Update now": "Päivitä nyt", - "Update options": "Päivitys valinnat", "Update package indexes on launch": "Päivitä pakettihakemistot käynnistyksen yhteydessä", "Update packages automatically": "Päivitä paketit automaattisesti", "Update selected packages": "Päivitä valitut paketit", "Update selected packages with administrator privileges": "Päivitä valitut paketit järjestelmänvalvojan oikeuksilla", - "Update selection": "Päivitä valitut", - "Update succeeded": "Päivitys onnistui", - "Update to version {0}": "Päivitetty versioon {0}", - "Update to {0} available": "{0} päivitys saatavilla", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Päivitä vcpkg:n Git-porttitiedostot automaattisesti (vaatii Gitin asennettuna)", "Updates": "Päivitykset", "Updates available!": "Päivityksiä saatavilla!", - "Updates for this package are ignored": "Tämän paketin päivitykset ohitetaan", - "Updates found!": "Päivityksiä löytyi!", "Updates preferences": "Päivitysten asetukset", "Updating WingetUI": "Päivitetään UniGetUI", "Url": "Urli", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Käytä vanhaa WinGetiä PowerShell CMDLettien sijaan", - "Use a custom icon and screenshot database URL": "Käytä mukautettua kuvaketta ja kuvakaappausten tietokannan URL-osoitetta", "Use bundled WinGet instead of PowerShell CMDlets": "Käytä niputettua WinGetiä PowerShell CMDletien sijaan", - "Use bundled WinGet instead of system WinGet": "Käytä paketoitua WinGetiä järjestelmä WinGetin sijaan", - "Use installed GSudo instead of UniGetUI Elevator": "Käytä asennettua GSudoa UniGetUI Elevator -sovelluksen sijaan", "Use installed GSudo instead of the bundled one": "Käytä asennettua GSudoa paketin sijaan", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Käytä vanhaa UniGetUI Elevator -ominaisuutta (poista AdminByRequest-tuki käytöstä)", - "Use system Chocolatey": "Käytä järjestelmän Chocolateytä", "Use system Chocolatey (Needs a restart)": "Käytä järjestelmän Chocolateytä (vaatii ohjelman uudelleen käynnistämisen)", "Use system Winget (Needs a restart)": "Käytä järjestelmän Wingetiä (vaatii ohjelman uudelleen käynnistämisen)", "Use system Winget (System language must be set to english)": "Käytä järjestelmän Wingetiä (järjestelmän kielen tulee olla englanti)", "Use the WinGet COM API to fetch packages": "Käytä WinGet COM -sovellusliittymää pakettien hakemiseen", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Käytä WinGet PowerShell -moduulia WinGet COM API:n sijasta", - "Useful links": "Hyödyllisiä linkkejä", "User": "Käyttäjä", - "User interface preferences": "Käyttöliittymä asetukset", "User | Local": "Käyttäjä | Paikallinen", - "Username": "Käyttäjätunnus", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI:n käyttö edellyttää GNU Lesser General Public License v2.1 -lisenssin hyväksymistä", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI:n käyttö edellyttää MIT-lisenssin hyväksymistä", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg-juurta ei löytynyt. Määritä %VCPKG_ROOT% ympäristömuuttuja tai määritä se UniGetUI-asetuksista", "Vcpkg was not found on your system.": "Vcpkg:ta ei löytynyt järjestelmästäsi.", - "Verbose": "Monisanainen", - "Version": "Versio", - "Version to install:": "Asennettava versio:", - "Version:": "Versio:", - "View GitHub Profile": "Näytä GitHub profiili", "View WingetUI on GitHub": "Näytä UniGetUI GitHubissa", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Näytä UniGetUI-lähdekoodi. Sieltä voit ilmoittaa virheistä tai ehdottaa ominaisuuksia tai jopa osallistua suoraan UniGetUI-projektiin", - "View mode:": "Katselutila:", - "View on UniGetUI": "Näytä UniGetUI:ssa", - "View page on browser": "Näytä sivu selaimessa", - "View {0} logs": "Näytä {0} lokit", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Odota, että laite muodostaa yhteyden Internetiin, ennen kuin yrität tehdä tehtäviä, jotka edellyttävät Internet-yhteyttä.", "Waiting for other installations to finish...": "Odotetaan muiden asennusten valmistumista...", "Waiting for {0} to complete...": "Odotetaan, että {0} valmistuu...", - "Warning": "Varoitus", - "Warning!": "Varoitus!", - "We are checking for updates.": "Tarkistamme päivityksiä.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Emme voineet ladata yksityiskohtaisia ​​tietoja tästä paketista, koska niitä ei löytynyt mistään pakettilähteistäsi.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Emme voineet ladata yksityiskohtaisia ​​tietoja tästä paketista, koska sitä ei asennettu saatavilla olevasta paketinhallinnasta", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Emme voineet {action} {package}. Yritä myöhemmin uudelleen. Napsauta \"{showDetails}\" saadaksesi lokit asennusohjelmasta.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Emme voineet {action} {package}. Yritä myöhemmin uudelleen. Napsauta \"{showDetails}\" saadaksesi lokit asennuksen poisto-ohjelmasta.", "We couldn't find any package": "Emme löytäneet paketteja", "Welcome to WingetUI": "Tervetuloa UniGetUI:n", - "When batch installing packages from a bundle, install also packages that are already installed": "Kun asennat paketteja eränä kokoelmasta, asennetaan myös jo asennetut paketit", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kun uusia pikakuvakkeita havaitaan, poista ne automaattisesti tämän valintaikkunan näyttämisen sijaan.", - "Which backup do you want to open?": "Minkä varmuuskopion haluat avata?", "Which package managers do you want to use?": "Mitä paketinhallintaohjelmia haluat käyttää?", "Which source do you want to add?": "Minkä lähteen haluat lisätä?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Vaikka Wingetiä voidaan käyttää UniGetUI:ssa, UniGetUI:ta voidaan käyttää muiden paketinhallintaohjelmien kanssa, mikä voi olla hämmentävää. Aiemmin UniGetUI oli suunniteltu toimimaan vain Wingetin kanssa, mutta tämä ei ole enää totta, joten UniGetUI ei edusta sitä, mitä tällä projektilla on tarkoitus olla.", - "WinGet could not be repaired": "WinGetiä ei voitu korjata", - "WinGet malfunction detected": "WinGet-vika havaittu", - "WinGet was repaired successfully": "WinGet korjattiin onnistuneesti", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Kaikki on ajantasalla", "WingetUI - {0} updates are available": "UniGetUI - {0} päivityksiä on saatavilla", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI Kotisivu", "WingetUI Homepage - Share this link!": "UniGetUI Kotisivu - jaa tämä linkki!", - "WingetUI License": "UniGetUI Lisenssi", - "WingetUI Log": "UniGetUI loki", - "WingetUI Repository": "UniGetUI Arkisto", - "WingetUI Settings": "UniGetUI Asetukset", "WingetUI Settings File": "UniGetUI asetustiedosto", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI käyttää seuraavia kirjastoja. Ilman niitä UniGetUI ei olisi ollut mahdollinen.", - "WingetUI Version {0}": "UniGetUI Versio {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI:n automaattinen käynnistys, sovelluksen käynnistysasetukset", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI voi tarkistaa, onko ohjelmistossasi päivityksiä, ja asentaa ne automaattisesti, jos haluat", - "WingetUI display language:": "UniGetUI näytettävä kieli:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI on ajettu järjestelmänvalvojana, mikä ei ole suositeltavaa. Käytettäessä UniGetUI:ta järjestelmänvalvojana, KAIKKI UniGetUI:sta käynnistetyt toiminnot saavat järjestelmänvalvojan oikeudet. Voit edelleen käyttää ohjelmaa, mutta suosittelemme, että et käytä UniGetUI:ta järjestelmänvalvojan oikeuksilla.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI on käännetty yli 40 kielelle vapaaehtoisten kääntäjien ansiosta. Kiitos \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI:ta ei ole konekäännetty! Seuraavat käyttäjät ovat vastanneet käännöksistä:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI on sovellus, joka helpottaa ohjelmistojen hallintaa tarjoamalla all-in-one graafisen käyttöliittymän komentorivipakettien hallintaa varten.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI nimetään uudelleen korostaaksemme eroa UniGetUI:n (käyttämäsi käyttöliittymän) ja WinGetin (Microsoftin kehittämä paketinhallinta, johon en liity) välillä.", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI päivitetään. Kun valmis, UniGetUI käynnistyy uudelleen", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUi on ilmainen ja myös pysyy aina ilmaisena. Ei mainoksia, ei luottokortteja, ei preemium versioita. 100% ilmanen, aina.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI näyttää UAC-kehotteen joka kerta, kun paketti vaatii kohotetun käyttöoikeuden.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "UniGetUI nimetään pian {newname};ksi. Tämä ei tarkoita muutoksia sovellukseen. Minä (kehittäjä) jatkan tämän projektin kehittämistä kuten nytkin, mutta toisella nimellä.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI ei olisi ollut mahdollinen ilman rakkaiden avustajien apua. Tutustu heidän GitHub-profiileihinsa, UniGetUI ei olisi mahdollista ilman niitä!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI ei olisi ollut mahdollinen ilman avustajien apua. Kiitos kaikille \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} on valmis asennettavaksi.", - "Write here the process names here, separated by commas (,)": "Kirjoita tähän prosessien nimet pilkuilla (,) erotettuina.", - "Yes": "Kyllä", - "You are logged in as {0} (@{1})": "Olet kirjautunut sisään nimellä {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Voit muuttaa tätä UniGetUI-tietoturva-asetuksissa.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Voit määrittää komennot, jotka suoritetaan ennen tämän paketin asentamista, päivittämistä tai poistamista tai sen jälkeen. Ne suoritetaan komentokehotteessa, joten CMD-komentosarjat toimivat tässä.", - "You have currently version {0} installed": "Sinulla on tällä hetkellä asennettuna versio {0}", - "You have installed WingetUI Version {0}": "Asennettu UniGetUI versio: {0}", - "You may lose unsaved data": "Tallentamaton tieto voi kadota", - "You may need to install {pm} in order to use it with WingetUI.": "Sinun on ehkä asennettava {pm} käyttääksesi sitä UniGetUI:n kanssa.", "You may restart your computer later if you wish": "Voit uudelleen käynnistää tietokoneesi halutessasi", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Sinulta pyydetään vain kerran lupaa pakettien asennukselle ylläpitäjän oikeuksilla.", "You will be prompted only once, and every future installation will be elevated automatically.": "Sinulta pyydetään vain kerran lupaa pakettien asennukselle korotetuilla oikeuksilla.", - "You will likely need to interact with the installer.": "Sinun on todennäköisesti oltava vuorovaikutuksessa asennusohjelman kanssa.", - "[RAN AS ADMINISTRATOR]": "AJETTU JÄRJESTELMÄNVALVOJANA", "buy me a coffee": "tarjoa minulle kupillinen kahvia", - "extracted": "purettu", - "feature": "ominaisuus", "formerly WingetUI": "entinen WingetUI", "homepage": "kotisivu", "install": "asenna", "installation": "asennus", - "installed": "asennettu", - "installing": "asennetaan", - "library": "kirjasto", - "mandatory": "pakollinen", - "option": "vaihtoehto", - "optional": "valinnainen", "uninstall": "poista asennus", "uninstallation": "asennuksen poistaminen", "uninstalled": "asennus poistettu", - "uninstalling": "poistetaan asennusta", "update(noun)": "päivitys", "update(verb)": "päivitä", "updated": "päivitetty", - "updating": "päivitetään", - "version {0}": "versio {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Asennusvaihtoehdot ovat tällä hetkellä lukittuja, koska {0} noudattaa oletusasennusvaihtoehtoja.", "{0} Uninstallation": "{0} asennuksen poisto", "{0} aborted": "{0} peruttu", "{0} can be updated": "{0} voidaan päivittää", - "{0} can be updated to version {1}": "{0} voidaan päivittää versioon {1}", - "{0} days": "{0} päivää", - "{0} desktop shortcuts created": "{0} työpöydän pikakuvaketta luotu", "{0} failed": "{0} epäonnistunut", - "{0} has been installed successfully.": "{0} on asennettu onnistuneesti.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} on asennettu onnistuneesti. On suositeltavaa käynnistää UniGetUI uudelleen asennuksen viimeistelemiseksi", "{0} has failed, that was a requirement for {1} to be run": "{0} epäonnistui ja se vaaditaan {1} ajamiseksi", - "{0} homepage": "{0} kotisivu", - "{0} hours": "{0} tuntia", "{0} installation": "{0} asennus", - "{0} installation options": "{0} asennuksen vaihtoehdot", - "{0} installer is being downloaded": "{0} asennusohjelmaa ladataan", - "{0} is being installed": "{0} ollaan asentamassa", - "{0} is being uninstalled": "{0} asennusta poistetaan", "{0} is being updated": "{0} ollaan päivittämässä", - "{0} is being updated to version {1}": "{0} päivitetty versioon {1}", - "{0} is disabled": "{0} on poistettu käytöstä", - "{0} minutes": "{0} minuuttia", "{0} months": "{0} kuukautta", - "{0} packages are being updated": "{0} paketit päivitetään", - "{0} packages can be updated": "{0} paketit voidaan päivittää", "{0} packages found": "{0} pakettia löytyi", "{0} packages were found": "{0} pakettia löytyi", - "{0} packages were found, {1} of which match the specified filters.": "Löytyi {0} pakettia, joista {1} vastaa määritettyjä suodattimia.", - "{0} selected": "{0} valittu", - "{0} settings": "{0} asetukset", - "{0} status": "{0} tila", "{0} succeeded": "{0} onnistui", "{0} update": "{0} päivitys", - "{0} updates are available": "{0} päivitystä on saatavilla", "{0} was {1} successfully!": "{0} {1} onnistuneesti!", "{0} weeks": "{0} viikkoa", "{0} years": "{0} vuotta", "{0} {1} failed": "{0} {1} epäonnistui", - "{package} Installation": "{package} Asennus", - "{package} Uninstall": "{package} Asennuksen poisto", - "{package} Update": "{package} Päivitys", - "{package} could not be installed": "{package} ei voitu asentaa", - "{package} could not be uninstalled": "{package} asennusta ei voitu poistaa", - "{package} could not be updated": "{package} päivitys ei onnistu", "{package} installation failed": "{package} asennus epäonnistui", - "{package} installer could not be downloaded": "{package} asennusohjelmaa ei voitu ladata", - "{package} installer download": "{package} asennusohjelma ladattu", - "{package} installer was downloaded successfully": "{package} asennusohjelma ladattiin onnistuneesti", "{package} uninstall failed": "{package} asennuksen poisto epäonnistui", "{package} update failed": "{package} päivitys epäonnistui", "{package} update failed. Click here for more details.": "{package} päivitys epäonnistui. Klikkaa tästä saadaksesi lisätietoja.", - "{package} was installed successfully": "{package} on asennettu onnistuneesti", - "{package} was uninstalled successfully": "{package} on poistettu onnistuneesti", - "{package} was updated successfully": "{package} päivitettiin onnistuneesti", - "{pcName} installed packages": "{pcName} asensi paketteja", "{pm} could not be found": "{pm} ei löytynyt", "{pm} found: {state}": "{pm} löytyi: {state}", - "{pm} is disabled": "{pm} ei ole käytössä", - "{pm} is enabled and ready to go": "{pm} on käytössä ja valmis käyttöön", "{pm} package manager specific preferences": "{pm} paketinhallinnan erityiset asetukset", "{pm} preferences": "{pm} asetukset", - "{pm} version:": "{pm} versio:", - "{pm} was not found!": "{pm} ei löytynyt!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hei, nimeni on Martí ja olen UniGetUI:n kehittäjä. UniGetUI on tehty kokonaan vapaa-ajallani!", + "Thank you ❤": "Kiitos ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Tällä projektilla ei ole yhteyttä viralliseen {0}-projektiin – se on täysin epävirallinen." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fil.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fil.json index a748e03932..f6fe1fc91c 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fil.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fil.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Kasalukuyang isinasagawa ang operasyon", + "Please wait...": "Mangyaring maghintay...", + "Success!": "Matagumpay!", + "Failed": "Nabigo", + "An error occurred while processing this package": "Nagkaroon ng error habang pinoproseso ang package na ito", + "Log in to enable cloud backup": "Mag-log in para mapagana ang cloud backup", + "Backup Failed": "Nabigo ang Pag-Backup", + "Downloading backup...": "Dina-download ang backup...", + "An update was found!": "May nahanap na update!", + "{0} can be updated to version {1}": "Maaaring ma-update ang {0} sa bersyon {1}", + "Updates found!": "Nahanap ang mga update!", + "{0} packages can be updated": "Maaaring ma-update ang {0} (na) mga package", + "You have currently version {0} installed": "Kasalukuyan kang naka-install na bersyon {0}.", + "Desktop shortcut created": "Nagawa ang desktop shortcut", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Nakakita ang UniGetUI ng bagong desktop shortcut na maaaring awtomatikong tanggalin.", + "{0} desktop shortcuts created": "{0} (na) desktop shortcut ang nagawa", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Nakakita ang UniGetUI ng {0} bagong desktop shortcut na maaaring awtomatikong tanggalin.", + "Are you sure?": "Sigurado ka ba?", + "Do you really want to uninstall {0}?": "Gusto mo ba talagang i-uninstall ang {0}?", + "Do you really want to uninstall the following {0} packages?": "Gusto mo ba talagang i-uninstall ang mga sumusunod na {0} na package?", + "No": "Hindi", + "Yes": "Oo", + "View on UniGetUI": "Tignan sa UniGetUI", + "Update": "I-update", + "Open UniGetUI": "Buksan ang UniGetUI", + "Update all": "I-update lahat", + "Update now": "I-update ngayon", + "This package is on the queue": "Ang package na ito ay nasa queue", + "installing": "nag-iinstall", + "updating": "nag-a-update", + "uninstalling": "nag-uninstall", + "installed": "na-install na", + "Retry": "Subukan muli", + "Install": "I-install", + "Uninstall": "I-uninstall", + "Open": "Buksan", + "Operation profile:": "Profile ng operasyon:", + "Follow the default options when installing, upgrading or uninstalling this package": "Sundan ang mga default na opsyon sa pag-install, pag-upgrade o pag-uninstall ng package na ito", + "The following settings will be applied each time this package is installed, updated or removed.": "Ilalapat ang mga sumusunod na setting sa tuwing mai-install, maa-update o maalis ang package na ito.", + "Version to install:": "Bersyon na i-install:", + "Architecture to install:": "Arkitekturang i-install:", + "Installation scope:": "Saklaw ng pag-install:", + "Install location:": "Lokasyon ng pag-install:", + "Select": "Pumili", + "Reset": "I-reset", + "Custom install arguments:": "Custom na argumento sa pag-install:", + "Custom update arguments:": "Custom na argumento sa pag-update:", + "Custom uninstall arguments:": "Custom na argumento sa pag-uninstall:", + "Pre-install command:": "Command bago mag-install:", + "Post-install command:": "Command pagkatapos ng pag-install:", + "Abort install if pre-install command fails": "Ihinto ang pag-install kapag ang command ng pre-install ay nabigo", + "Pre-update command:": "Command bago ang pag-update:", + "Post-update command:": "Command pagkatapos ng pag-update:", + "Abort update if pre-update command fails": "Ihinto ang pag-update kapag ang command ng pre-update ay nabigo", + "Pre-uninstall command:": "Command bago mag-uninstall:", + "Post-uninstall command:": "Command pagkatapos ng pag-uninstall:", + "Abort uninstall if pre-uninstall command fails": "Ihinto ang pag-uninstall kapag ang command ng pre-uninstall ay nabigo", + "Command-line to run:": "Command-line na patakbuhin:", + "Save and close": "I-save at isara", + "Run as admin": "Magpatakbo bilang admin", + "Interactive installation": "Interactive na pag-install", + "Skip hash check": "Laktawan ang pagsusuri ng hash", + "Uninstall previous versions when updated": "I-uninstall ang mga nakaraang bersyon kapag na-update", + "Skip minor updates for this package": "Laktawan ang mga minor na update para sa package na ito", + "Automatically update this package": "Awtomatikong i-update ang package na ito", + "{0} installation options": "Mga opsyon sa pag-install ng {0}", + "Latest": "Pinakabago", + "PreRelease": "PreRelease", + "Default": "Default", + "Manage ignored updates": "Pamahalaan ang mga hindi pinapansin na update", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Ang mga package na nakalista dito ay hindi isasaalang-alang kapag tumitingin ng mga update. I-double-click ang mga ito o i-click ang button sa kanilang kanan upang ihinto ang pagbalewala sa kanilang mga update.", + "Reset list": "I-reset ang listahan", + "Package Name": "Pangalan ng Package", + "Package ID": "ID ng Package", + "Ignored version": "Binalewala ang bersyon", + "New version": "Bagong Bersyon", + "Source": "Source", + "All versions": "Lahat ng bersyon", + "Unknown": "Hindi kilala", + "Up to date": "Napapanahon", + "Cancel": "Kanselahin", + "Administrator privileges": "Mga pribilehiyo ng administrator", + "This operation is running with administrator privileges.": "Ang operasyong ito ay tumatakbo nang may mga pribilehiyo ng administrator.", + "Interactive operation": "Interactive na operasyon", + "This operation is running interactively.": "Interactive na tumatakbo ang operasyong ito.", + "You will likely need to interact with the installer.": "Malamang na kakailanganin mong makipag-iteract sa installer.", + "Integrity checks skipped": "Nilaktawan ang mga pagsusuri sa integridad", + "Proceed at your own risk.": "Magpatuloy sa sarili mong pananagutan.", + "Close": "Isara", + "Loading...": "Naglo-load...", + "Installer SHA256": "SHA256 ng installer", + "Homepage": "website", + "Author": "May-akda", + "Publisher": "Tagapaglathala:", + "License": "Lisensya", + "Manifest": "Manifest", + "Installer Type": "Uri ng Installer", + "Size": "Laki", + "Installer URL": "Uri ng Installer", + "Last updated:": "Huling na-update:", + "Release notes URL": "URL ng mga release note", + "Package details": "Mga detalye ng package", + "Dependencies:": "Mga kinakailangan:", + "Release notes": "Mga release note", + "Version": "Bersyon", + "Install as administrator": "I-install bilang administator", + "Update to version {0}": "Update sa bersyon {0}", + "Installed Version": "Naka-install na Bersyon", + "Update as administrator": "I-update bilang administrator", + "Interactive update": "Interactive na pag-update", + "Uninstall as administrator": "I-uninstall bilang administrator", + "Interactive uninstall": "Interactive na pag-uninstall", + "Uninstall and remove data": "I-uninstall at alisin ang data", + "Not available": "Hindi available", + "Installer SHA512": "SHA512 ng installer", + "Unknown size": "Hindi kilalang laki", + "No dependencies specified": "Walang tinukoy na kinakailangan", + "mandatory": "kinakailangan", + "optional": "opsyonal", + "UniGetUI {0} is ready to be installed.": "Handa nang i-install ang UniGetUI {0}.", + "The update process will start after closing UniGetUI": "Magsisimula ang proseso ng pag-update pagkatapos isara ang UniGetUI", + "Share anonymous usage data": "Ibahagi ang hindi kilalang data ng paggamit", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "Kinokolekta ng UniGetUI ang hindi kilalang data ng paggamit upang mapabuti ang karanasan ng user.", + "Accept": "Tanggapin", + "You have installed WingetUI Version {0}": "Naka-install ang Bersyon ng UniGetUI {0}", + "Disclaimer": "Paalala", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Ang UniGetUI ay hindi nauugnay sa alinman sa mga compatible na package manager. Ang UniGetUI ay isang independiyenteng proyekto.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "Hindi magiging posible ang UniGetUI kung wala ang tulong ng mga kontribyutor. Salamat sa inyong lahat 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Ginagamit ng UniGetUI ang mga sumusunod na library. Kung wala sila, hindi magiging posible ang UniGetUI.", + "{0} homepage": "Homepage ng {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "Ang UniGetUI ay isinalin sa higit sa 40 mga wika salamat sa mga boluntaryong tagasalin. Salamat 🤝", + "Verbose": "Verbose", + "1 - Errors": "1 - Mga Error", + "2 - Warnings": "2 - Mga Babala", + "3 - Information (less)": "3 - Impormasyon (mas kaunti)", + "4 - Information (more)": "4 - Impormasyon (higit pa)", + "5 - information (debug)": "5 - Impormasyon (debug)", + "Warning": "Babala", + "The following settings may pose a security risk, hence they are disabled by default.": "Ang mga sumusunod na setting ay maaaring magdulot ng panganib sa seguridad, kaya hindi pinagana ang mga ito bilang default.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Paganahin ang mga setting sa ibaba KUNG AT LAMANG KUNG lubusan mong nauunawaan ang kanilang ginagawa, at ang mga implikasyon at panganib na maaaring kasangkot sa kanila.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Ililista ng mga setting, sa kanilang mga paglalarawan, ang mga potensyal na isyu sa seguridad na maaaring mayroon sila.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Kasama sa backup ang kumpletong listahan ng mga naka-install na package at ang kanilang mga opsyon sa pag-install. Mase-save din ang mga binalewalang update at nilaktawan na bersyon.", + "The backup will NOT include any binary file nor any program's saved data.": "HINDI isasama sa backup ang anumang binary file o anumang naka-save na data ng program.", + "The size of the backup is estimated to be less than 1MB.": "Ang laki ng backup ay tinatantya na mas mababa sa 1MB.", + "The backup will be performed after login.": "Ang backup ay isasagawa pagkatapos mag-login.", + "{pcName} installed packages": "Mga naka-install na package ng {pcName}", + "Current status: Not logged in": "Kasalukuyang katayuan: Hindi naka-log in", + "You are logged in as {0} (@{1})": "Naka-log in ka bilang {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Ayos! Ang mga backup ay ia-upload sa pribadong gist sa iyong account", + "Select backup": "Pumili ng backup", + "WingetUI Settings": "Mga Setting ng UniGetUI", + "Allow pre-release versions": "Payagan ang mga pre-release na bersyon", + "Apply": "Ilapat", + "Go to UniGetUI security settings": "Pumunta sa setting ng seguridad ng UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Ang mga sumusunod na opsyon ay ilalapat bilang default sa tuwing ang isang {0} na package ay na-install, na-upgrade o na-uninstall.", + "Package's default": "Default ng package", + "Install location can't be changed for {0} packages": "Hindi mababago ang lokasyon ng pag-install para sa {0} na package", + "The local icon cache currently takes {0} MB": "Ang cache ng lokal na icon ay kasalukuyang nasa {0} MB", + "Username": "Username", + "Password": "Password", + "Credentials": "Mga kredensyal", + "Partially": "Bahagyang", + "Package manager": "Tagapamahala ng package", + "Compatible with proxy": "Compatible sa proxy", + "Compatible with authentication": "Compatible na may authentication", + "Proxy compatibility table": "Compatability table ng proxy", + "{0} settings": "mga setting ng {0}", + "{0} status": "Katayuan ng {0}", + "Default installation options for {0} packages": "Default na opyson sa pag-install para sa {0} na package", + "Expand version": "Palawakin ang bersyon", + "The executable file for {0} was not found": "Ang executable na file para sa {0} ay hindi nahanap", + "{pm} is disabled": "{pm} ay naka-disable", + "Enable it to install packages from {pm}.": "Paganahin itong mag-install ng mga package mula sa {pm}.", + "{pm} is enabled and ready to go": "{pm} ay naka-enable at handa na", + "{pm} version:": "Bersyon ng {pm}:", + "{pm} was not found!": "Hindi mahanap ang {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "Maaaring kailanganin mong i-install ang {pm} upang magamit ito sa UniGetUI.", + "Scoop Installer - WingetUI": "Installer ng Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Uninstaller ng Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Linilinis ang Scoop cache - UniGetUI", + "Restart UniGetUI": "I-restart ang UniGetUI", + "Manage {0} sources": "Pamahalaan ang {0} mga source", + "Add source": "Magdagdag ng source", + "Add": "Idagdag", + "Other": "Iba pa", + "1 day": "kada araw", + "{0} days": "{0} na araw", + "{0} minutes": "{0} (na) minuto", + "1 hour": "kada oras", + "{0} hours": "{0} (na) oras", + "1 week": "1 linggo", + "WingetUI Version {0}": "Bersyon ng UniGetUI {0}", + "Search for packages": "Maghanap ng mga package", + "Local": "Lokal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} (na) package ang nahanap, {1} kung saan tumutugma sa tinukoy na mga filter.", + "{0} selected": "{0} na napili", + "(Last checked: {0})": "(Huling sinuri: {0})", + "Enabled": "Pinagana", + "Disabled": "Naka-disable", + "More info": "Higit pang impormasyon", + "Log in with GitHub to enable cloud package backup.": "Mag-log in gamit ang GitHub para mapagana ang pag-backup ng cloud package", + "More details": "Higit pang mga detalye", + "Log in": "Mag-log in", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Kung napagana ang cloud backup, ito ay ise-save bilang isang GitHub Gist sa account na ito", + "Log out": "Mag-log out", + "About": "Patungkol", + "Third-party licenses": "Mga lisensya ng third-party", + "Contributors": "Mga kontribyutor", + "Translators": "Mga tagasalin", + "Manage shortcuts": "Pamahalaan ang mga shortcut", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Natukoy ng UniGetUI ang mga sumusunod na desktop shortcut na maaaring awtomatikong alisin sa mga pag-upgrade sa hinaharap", + "Do you really want to reset this list? This action cannot be reverted.": "Gusto mo ba talagang i-reset ang listahang ito? Hindi na maibabalik ang pagkilos na ito.", + "Remove from list": "Alisin sa listahan", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kapag may nakitang mga bagong shortcut, awtomatikong tanggalin ang mga ito sa halip na ipakita ang dialog na ito.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Kinokolekta ng UniGetUI ang hindi kilalang data ng paggamit na may tanging layunin ng pag-unawa at pagpapabuti ng karanasan ng user.", + "More details about the shared data and how it will be processed": "Higit pang mga detalye tungkol sa nakabahaging data at kung paano ito ipoproseso", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Tinatanggap mo ba na ang UniGetUI ay nangongolekta at nagpapadala ng mga hindi kilalang istatistika ng paggamit, na may tanging layunin na maunawaan at mapabuti ang karanasan ng user?", + "Decline": "Tanggihan", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Walang personal na impormasyon ang kinokolekta o ipinadala, at ang nakolektang data ay hindi nagpapakilala, kaya hindi ito maibabalik sa iyo.", + "About WingetUI": "Tungkol sa UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "Ang UniGetUI ay isang aplikasyon na nagpapadali sa pamamahala ng iyong software, sa pamamagitan ng pagbibigay ng isahang graphical na interface para sa iyong mga command-line package manager.", + "Useful links": "Mga kapaki-pakinabang na link", + "Report an issue or submit a feature request": "Mag-ulat ng isyu o magsumite ng kahilingan sa feature", + "View GitHub Profile": "Tingnan ang GitHub Profile", + "WingetUI License": "Lisensya ng UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Ang paggamit ng UniGetUI ay nagpapahiwatig ng pagtanggap ng MIT License", + "Become a translator": "Maging isang tagasalin", + "View page on browser": "Tingnan ang page sa browser", + "Copy to clipboard": "Kopyahin sa clipboard", + "Export to a file": "I-export sa isang file", + "Log level:": "Antas ng log:", + "Reload log": "I-reload ang log", + "Text": "Text", + "Change how operations request administrator rights": "Baguhin kung paano humihiling ang mga pagpapatakbo ng mga karapatan ng administrator", + "Restrictions on package operations": "Mga restriksyon sa mga operasyon ng package", + "Restrictions on package managers": "Mga restriksyon sa mga package manager", + "Restrictions when importing package bundles": "Mga restriksyon kung nag-iimport ng mga package bundle", + "Ask for administrator privileges once for each batch of operations": "Humingi ng mga pribilehiyo ng administrator nang isang beses para sa bawat batch ng mga operasyon", + "Ask only once for administrator privileges": "Isang beses lang humingi ng mga pribilehiyo ng administrator", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Ipagbawal ang anumang uri ng Elevation sa pamamagitan ng UniGetUI Elevator o GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ang opsyon na ito ay MAGDUDULOT ng mga isyu. Ang anumang operasyon na hindi kayang i-elevate ang sarili ay MABIGO. Ang pag-install/pag-update/pag-uninstall bilang administrator ay HINDI GAGANA.", + "Allow custom command-line arguments": "Payagan ang mga custom na argumento sa command-line", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Maaaring baguhin ng mga custom na argumento sa command-line ang paraan ng pag-install, pag-upgrade o pag-uninstall ng mga program, sa paraang hindi makontrol ng UniGetUI. Ang paggamit ng mga custom na command-line ay maaaring masira ang mga package. Magpatuloy nang may pag-iingat.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Payagan ang pagpapatakbo ng mga custom na pre-install at post-install na command", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Ang mga command bago at pagkatapos ay patatakbuhin bago at pagkatapos ma-install, ma-upgrade o ma-uninstall ang isang package. Magkaroon ng kamalayan na maaari silang masira ang mga bagay maliban kung ginamit nang maingat", + "Allow changing the paths for package manager executables": "Payagan ang pagpapalit ng mga path para sa mga executable ng package manager", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ang pag-on nito ay nagbibigay-daan sa pagbabago ng executable file na ginagamit para makipag-ugnayan sa mga package manager. Bagama't pinapayagan nito ang mas pinong pag-customize ng iyong mga proseso sa pag-install, maaari rin itong mapanganib", + "Allow importing custom command-line arguments when importing packages from a bundle": "Payagan ang pag-import ng mga custom na arguemento ng command-line kapag nag-i-import ng mga package mula sa bundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Maaaring masira ng mga maling argumento sa command-line ang mga package, o payagan ang isang malisyosong aktor na makakuha ng privileged execution. Samakatuwid, ang pag-import ng mga custom na argumento sa command-line ay hindi pinagana bilang default", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Payagan ang pag-import ng custom na pre-install at post-install na command kapag nag-i-import ng mga package mula sa bundle", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Ang mga command bago at pagkatapos ng pag-install ay maaaring gumawa ng mga napakasamang bagay sa iyong device, kung idinisenyo upang gawin ito. Maaaring lubhang mapanganib ang pag-import ng mga command mula sa isang bundle, maliban kung pinagkakatiwalaan mo ang pinagmulan ng bundle ng package na iyon", + "Administrator rights and other dangerous settings": "Mga karapatan ng administrator at iba pang mga mapanganib na setting", + "Package backup": "I-backup ang package", + "Cloud package backup": "Cloud backup ng package", + "Local package backup": "Pag-backup ng lokal na package", + "Local backup advanced options": "Mga advanced na opsyon sa Lokal na backup", + "Log in with GitHub": "Mag-log in gamit ang GitHub", + "Log out from GitHub": "Mag-log out sa Github", + "Periodically perform a cloud backup of the installed packages": "Pana-panahong magsagawa ng cloud backup ng mga naka-install na package", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Ang Cloud backup ay gumagamit ng pribadong GitHub Gist para makatago ng listahan ng mga na-install na package", + "Perform a cloud backup now": "Magsagawa ng cloud backup ngayon", + "Backup": "I-backup", + "Restore a backup from the cloud": "I-restore ang backup mula sa cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Simulan ang proseso na pumili ng cloud backup at i-review anong package ang i-restore", + "Periodically perform a local backup of the installed packages": "Pana-panahong magsagawa ng lokal na backup ng mga naka-install na package", + "Perform a local backup now": "Magsagawa ng lokal na backup ngayon", + "Change backup output directory": "Baguhin ang backup na directory ng output", + "Set a custom backup file name": "Magtakda ng custom na backup na pangalan ng file", + "Leave empty for default": "Iwanang walang laman para sa default", + "Add a timestamp to the backup file names": "Magdagdag ng timestamp sa mga pangalan ng mga backup file", + "Backup and Restore": "Pag-backup at Pag-restore", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Paganahin ang background API (Mga Widget para sa UniGetUI at Pagbabahagi, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Hintaying makakonekta ang device sa internet bago subukang gawin ang mga gawain na nangangailangan ng koneksyon sa internet.", + "Disable the 1-minute timeout for package-related operations": "I-disable ang 1 minutong timeout para sa mga operasyong nauugnay sa package", + "Use installed GSudo instead of UniGetUI Elevator": "Gamitin ang na-install na GSudo sa halip ng UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Gumamit ng custom na icon at URL ng database ng screenshot", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Paganahin ang mga pag-optimize sa paggamit ng CPU sa background (tingnan ang Pull Request #3278)", + "Perform integrity checks at startup": "Magsagawa ng mga pagsusuri sa integridad sa pagsisimula", + "When batch installing packages from a bundle, install also packages that are already installed": "Kapag batch ang pag-install ng mga package mula sa isang bundle, i-install din ang mga na-install na mga package", + "Experimental settings and developer options": "Mga pang-eksperimentong setting at mga opsyon sa developer", + "Show UniGetUI's version and build number on the titlebar.": "Ipakita ang bersyon ng UniGetUI sa title bar", + "Language": "Wika", + "UniGetUI updater": "Taga-update ng UniGetUI", + "Telemetry": "Telemetry", + "Manage UniGetUI settings": "Pamahalaan ang mga setting ng UniGetUI", + "Related settings": "Mga kaugnay na setting", + "Update WingetUI automatically": "Awtomatikong i-update ang UniGetUI", + "Check for updates": "Tingnan ang mga update", + "Install prerelease versions of UniGetUI": "Mag-install ng mga prerelease na bersyon ng UniGetUI", + "Manage telemetry settings": "Pamahalaan ang mga setting ng telemetry", + "Manage": "Pamahalaan", + "Import settings from a local file": "Mag-import ng mga setting mula sa isang lokal na file", + "Import": "I-import", + "Export settings to a local file": "I-export ang mga setting sa isang lokal na file", + "Export": "I-export", + "Reset WingetUI": "I-reset ang UniGetUI", + "Reset UniGetUI": "I-reset ang UniGetUI", + "User interface preferences": "Mga kagustuhan sa interface ng user", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema ng aplikasyon, startup page, mga icon ng package, awtomatikong i-clear ang matagumpay na pag-install", + "General preferences": "Pangkalahatang kagustuhan", + "WingetUI display language:": "Ipinapakitang wika ng UniGetUI:", + "Is your language missing or incomplete?": "Nawawala ba o hindi kumpleto ang iyong wika?", + "Appearance": "Hitsura", + "UniGetUI on the background and system tray": "UniGetUI sa background at system tray", + "Package lists": "Mga listahan ng package", + "Close UniGetUI to the system tray": "Isara ang UniGetUI sa system tray", + "Show package icons on package lists": "Ipakita ang mga icon ng package sa mga listahan ng package", + "Clear cache": "Linisin ang cache", + "Select upgradable packages by default": "Pumili ng mga naa-upgrade na package bilang default", + "Light": "Malinawag", + "Dark": "Madilim", + "Follow system color scheme": "Sundin ang scheme ng kulay ng system", + "Application theme:": "Tema ng aplikasyon:", + "Discover Packages": "Tumuklas ng mga package", + "Software Updates": "Mga Software Update", + "Installed Packages": "Mga Naka-install na Package", + "Package Bundles": "Mga Bundle ng Package", + "Settings": "Mga Setting", + "UniGetUI startup page:": "Startup page ng UniGetUI:", + "Proxy settings": "Mga setting ng proxy", + "Other settings": "Iba pang mga setting", + "Connect the internet using a custom proxy": "Kumonekta sa internet gamit ang isang custom na proxy", + "Please note that not all package managers may fully support this feature": "Pakitandaan na hindi lahat ng package manager ay maaaring ganap na suportahan ang feature na ito", + "Proxy URL": "URL ng proxy", + "Enter proxy URL here": "Ilagay ang proxy URL dito", + "Package manager preferences": "Mga kagustuhan sa mga package manager", + "Ready": "Handa", + "Not found": "Hindi mahanap", + "Notification preferences": "Mga kagustuhan sa notification", + "Notification types": "Mga uri ng notification", + "The system tray icon must be enabled in order for notifications to work": "Dapat na pinagana ang icon ng system tray upang gumana ang mga notification", + "Enable WingetUI notifications": "Paganahin ang mga notification ng UniGetUI", + "Show a notification when there are available updates": "Magpakita ng notification kapag may mga available na update", + "Show a silent notification when an operation is running": "Magpakita ng tahimik na notification kapag tumatakbo ang isang operasyon", + "Show a notification when an operation fails": "Magpakita ng notification kapag nabigo ang isang operasyon", + "Show a notification when an operation finishes successfully": "Magpakita ng notification kapag matagumpay na natapos ang isang operasyon", + "Concurrency and execution": "Concurrency at pag-execute", + "Automatic desktop shortcut remover": "Awtomatikong pagtanggal ng desktop shortcut", + "Clear successful operations from the operation list after a 5 second delay": "Linisin ang matagumpay na operasyon mula sa listahan ng operasyon pagkatapos ng 5 segundong pagkaantala", + "Download operations are not affected by this setting": "Ang mga operasyon sa pag-download ay hindi apektado ng setting na ito", + "Try to kill the processes that refuse to close when requested to": "Subukang patayin ang mga prosesong tumatangging magsara kapag hiniling", + "You may lose unsaved data": "Maaari kang mawalan ng hindi na-save na data", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Hilingin na tanggalin ang mga desktop shortcut na ginawa sa panahon ng pag-install o pag-upgrade.", + "Package update preferences": "Mga kagustuhan sa pag-update ng package", + "Update check frequency, automatically install updates, etc.": "I-update ang dalas ng pagsusuri, awtomatikong mag-install ng mga update, atbp.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Bawasan ang mga UAC prompt, itaas ang mga pag-install bilang default, i-unlock ang ilang partikular na mapanganib na feature, atbp.", + "Package operation preferences": "Mga kagustuhan sa pagpapatakbo ng package", + "Enable {pm}": "Paganahin {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Hindi mahanap ang file na hinahanap mo? Tiyaking naidagdag ito sa path.", + "For security reasons, changing the executable file is disabled by default": "Dahil sa mga kadahilanang pangseguridad, ang pagpapalit ng executable file ay hindi pinapagana bilang default.", + "Change this": "Palitan ito", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Piliin ang executable na gagamitin. Ipinapakita ng sumusunod na listahan ang mga executable na natagpuan ng UniGetUI", + "Current executable file:": "Kasalukuyang executable file:", + "Ignore packages from {pm} when showing a notification about updates": "Huwag pansinin ang mga package mula {pm} kapag nagpapakita ng notification tungkol sa mga update", + "View {0} logs": "Tingnan ang {0} (na) log", + "Advanced options": "Mga advanced na opsyon", + "Reset WinGet": "I-reset ang WinGet", + "This may help if no packages are listed": "Maaaring makatulong ito kung walang nakalistang mga package", + "Force install location parameter when updating packages with custom locations": "Pilitin ang parameter ng lokasyon ng pag-install kapag nag-a-update ng mga package na may custom na lokasyon", + "Use bundled WinGet instead of system WinGet": "Gumamit ng naka-bundle na WinGet sa halip na system WinGet", + "This may help if WinGet packages are not shown": "Maaaring makatulong ito kung hindi ipinapakita ang mga package ng WinGet", + "Install Scoop": "I-install ang Scoop", + "Uninstall Scoop (and its packages)": "I-uninstall ang Scoop (at ang mga package nito)", + "Run cleanup and clear cache": "Patakbuhin ang paglilinis at linisin ang cache", + "Run": "Magpatakbo", + "Enable Scoop cleanup on launch": "Paganahin ang paglilinis ng Scoop sa pagbubukas", + "Use system Chocolatey": "Gamitin ang system na Chocolatey", + "Default vcpkg triplet": "Default na vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Wika, tema at iba pang mga kagustuhan", + "Show notifications on different events": "Ipakita ang mga abiso sa iba't ibang mga kaganapan", + "Change how UniGetUI checks and installs available updates for your packages": "Baguhin kung paano sinusuri at ini-install ng UniGetUI ang mga available na update para sa iyong mga package", + "Automatically save a list of all your installed packages to easily restore them.": "Awtomatikong i-save ang isang listahan ng lahat ng iyong naka-install na mga package upang madaling maibalik ang mga ito.", + "Enable and disable package managers, change default install options, etc.": "Paganahin at di paganahin ang mga package manager, palitan ang default na opsyon sa pag-install, atbp.", + "Internet connection settings": "Mga setting ng koneksyon sa internet", + "Proxy settings, etc.": "Mga setting ng proxy, atbp.", + "Beta features and other options that shouldn't be touched": "Mga beta feature at iba pang opsyon na hindi dapat pakialaman", + "Update checking": "Sinisuri ang update", + "Automatic updates": "Mga automatic na update", + "Check for package updates periodically": "Suriin ang mga pag-update ng package sa pana-panahon", + "Check for updates every:": "Tingnan ang mga update kada:", + "Install available updates automatically": "Awtomatikong i-install ang mga available na update", + "Do not automatically install updates when the network connection is metered": "Huwag awtomatikong mag-install ng mga update kapag ang koneksyon sa network ay nakametro", + "Do not automatically install updates when the device runs on battery": "Huwag awtomatikong mag-install ng mga update kapag ang device ay tumatakbo sa battery", + "Do not automatically install updates when the battery saver is on": "Huwag awtomatikong mag-install ng mga update kapag naka-on ang battery saver", + "Change how UniGetUI handles install, update and uninstall operations.": "Baguhin kung paano pinangangasiwaan ng UniGetUI ang pag-install, pag-update at pag-uninstall ng mga operasyon.", + "Package Managers": "Mga Package Manager", + "More": "Higit pa", + "WingetUI Log": "Log ng UniGetUI", + "Package Manager logs": "Mga log ng Package Manager", + "Operation history": "Kasaysayan ng operasyon", + "Help": "Tulong", + "Order by:": "Mag-order sa pamamagitan ng:", + "Name": "Pangalan", + "Id": "ID", + "Ascendant": "Ayos na pataas", + "Descendant": "Ayos na pababa", + "View mode:": "Mode sa pag-view:", + "Filters": "Mga filter", + "Sources": "Mga Source", + "Search for packages to start": "Maghanap ng mga package upang magsimula", + "Select all": "Piliin lahat", + "Clear selection": "I-clear ang mga napili", + "Instant search": "Mabilisang paghahanap", + "Distinguish between uppercase and lowercase": "Magkaiba sa pagitan ng\nuppercase at lowercase", + "Ignore special characters": "Huwag pansinin ang mga espesyal na character", + "Search mode": "Mode ng paghahanap", + "Both": "Pareho", + "Exact match": "Eksaktong tugma", + "Show similar packages": "Magkatulad na mga package", + "No results were found matching the input criteria": "Walang nahanap (na) mga resulta na tumutugma sa pamantayan sa pag-input", + "No packages were found": "Walang nahanap na mga package", + "Loading packages": "Naglo-load ng mga package", + "Skip integrity checks": "Laktawan ang mga pagsusuri sa integridad", + "Download selected installers": "I-download ang mga napiling installer", + "Install selection": "I-install ang mga napili", + "Install options": "Mga opsyon sa install", + "Share": "Ibahagi", + "Add selection to bundle": "Magdagdag ng seleksyon sa bundle", + "Download installer": "I-download ang installer", + "Share this package": "Ibahagi ang package na ito", + "Uninstall selection": "Napiling i-uninstall", + "Uninstall options": "Mga opsyon sa pag-uninstall", + "Ignore selected packages": "Huwag pansinin ang mga napiling package", + "Open install location": "Buksan ang lokasyon ng pag-install", + "Reinstall package": "I-reinstall ang package", + "Uninstall package, then reinstall it": "I-uninstall ang package, pagkatapos ay i-reinstall ito", + "Ignore updates for this package": "Huwag pansinin ang mga update para sa mga napiling package", + "Do not ignore updates for this package anymore": "Huwag nang balewalain ang mga update para sa package na ito", + "Add packages or open an existing package bundle": "Magdagdag ng mga package o magbukas ng umiiral nang package bundle", + "Add packages to start": "Magdagdag ng mga package upang magsimula", + "The current bundle has no packages. Add some packages to get started": "Ang kasalukuyang bundle ay walang mga package. Magdagdag ng ilang mga package upang makapagsimula", + "New": "Bago", + "Save as": "I-save bilang", + "Remove selection from bundle": "Alisin ang napili sa bundle", + "Skip hash checks": "Laktawan ang mga pagsusuri ng hash", + "The package bundle is not valid": "Ang package bundle ay hindi wasto", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Mukhang di-wasto ang bundle na sinusubukan mong i-load. Pakisuri ang file at subukang muli.", + "Package bundle": "Bundle ng package", + "Could not create bundle": "Hindi makagawa ng bundle", + "The package bundle could not be created due to an error.": "Hindi magawa ang package bundle dahil sa isang error.", + "Bundle security report": "Ulat sa seguridad ng bundle", + "Hooray! No updates were found.": "Hooray! Walang nahanap (na) mga update.", + "Everything is up to date": "Ang lahat ay napapanahon", + "Uninstall selected packages": "I-uninstall ang mga napiling package", + "Update selection": "Napiling i-update", + "Update options": "Mga opsyon sa pag-update", + "Uninstall package, then update it": "I-uninstall ang package, pagkatapos ay i-update ito", + "Uninstall package": "I-uninstall ang package", + "Skip this version": "Laktawan ang bersyon na ito", + "Pause updates for": "I-pause ang mga update hanggang", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Ang Rust package manager.
Naglalaman ng: Mga Rust na library at program na nakasulat sa Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Ang klasikong manager ng package para sa Windows. Makikita mo ang lahat doon.
Naglalaman ng: Pangkalahatang Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Isang repository na puno ng mga tool at executable na idinisenyo nang nasa isip ang .NET ecosystem ng Microsoft.
Naglalaman ng: Mga tool at script na nauugnay sa .NET", + "NuPkg (zipped manifest)": "NuPkg (naka-zip na manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Ang manager ng package ng Node JS. Puno ng mga library at iba pang mga utility na umiikot sa mundo ng javascript
Naglalaman ng: Mga library ng javascript ng node at iba pang nauugnay na mga utility", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Tagapamahala ng library ng Python. Puno ng mga library ng python at iba pang mga kagamitang nauugnay sa python
Naglalaman ng: Mga library ng Python at mga nauugnay na kagamitan", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Package manager ng PowerShell. Maghanap ng mga library at script para palawakin ang mga kakayahan ng PowerShell
Naglalaman ng: Mga Module, Script, Cmdlet", + "extracted": "na-extract na", + "Scoop package": "Package ng scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Mahusay na imbakan ng hindi alam ngunit kapaki-pakinabang na mga utility at iba pang kawili-wiling mga package.
Naglalaman ng: Mga Utility, Command-line program, Pangkalahatang Software (kinakailangan ng extras na bucket)", + "library": "library", + "feature": "katangian", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Isang sikat na C/C++ library manager. Puno ng mga library ng C/C++ at iba pang mga utility nauugnay sa C/C++
Naglalaman ng: Mga library ng C/C++ at mga nauugnay na utility", + "option": "opsyon", + "This package cannot be installed from an elevated context.": "Hindi ma-install ang package na ito mula sa isang na-elevate na konteksto.", + "Please run UniGetUI as a regular user and try again.": "Mangyaring patakbuhin ang UniGetUI bilang isang regular na user at subukang muli.", + "Please check the installation options for this package and try again": "Pakisuri ang mga opsyon sa pag-install para sa package na ito at subukang muli", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Opisyal na manager ng package ng Microsoft. Puno ng mga kilalang at na-verify na package
Naglalaman ng: Pangkalahatang Software, Mga app ng Microsoft Store", + "Local PC": "Lokal na PC", + "Android Subsystem": "Android Subsystem", + "Operation on queue (position {0})...": "Operasyon sa queue (posisyon {0})...", + "Click here for more details": "Mag-click dito para sa higit pang mga detalye", + "Operation canceled by user": "Kinansela ng user ang operasyon", + "Starting operation...": "Sinisimulan ang operasyon...", + "{package} installer download": "Pag-download ng installer ng {package}", + "{0} installer is being downloaded": "Ang {0} installer ay dina-download", + "Download succeeded": "Nagtagumpay ang pag-download", + "{package} installer was downloaded successfully": "Matagumpay na na-download ang installer ng {package}", + "Download failed": "Nabigo ang pag-download", + "{package} installer could not be downloaded": "Hindi ma-download ang installer ng {package}", + "{package} Installation": "Pag-install ng {package}", + "{0} is being installed": "Ini-install ang {0}", + "Installation succeeded": "Nagtagumpay ang pag-install", + "{package} was installed successfully": "Matagumpay na na-install ang {package}", + "Installation failed": "Nabigo ang pag-install", + "{package} could not be installed": "Hindi ma-install ang {package}", + "{package} Update": "Pag-update ng {package}", + "{0} is being updated to version {1}": "Ang {0} ay ina-update sa bersyon {1}", + "Update succeeded": "Nagtagumpay ang pag-update", + "{package} was updated successfully": "Matagumpay na na-update ang {package}", + "Update failed": "Nabigo ang pag-update", + "{package} could not be updated": "Hindi ma-update ang {package}", + "{package} Uninstall": "Pag-uninstall ng {package}", + "{0} is being uninstalled": "Ina-uninstall ang {0}", + "Uninstall succeeded": "Nagtagumpay ang pag-uninstall", + "{package} was uninstalled successfully": "Matagumpay na na-uninstall ang {package}", + "Uninstall failed": "Nabigo ang pag-uninstall", + "{package} could not be uninstalled": "Hindi ma-uninstall ang {package}", + "Adding source {source}": "Pagdaragdag ng source {source}", + "Adding source {source} to {manager}": "Pagdaragdag ng source {source} sa {manager}", + "Source added successfully": "Matagumpay na naidagdag ang source", + "The source {source} was added to {manager} successfully": "Ang source {source} ay matagumpay na naidagdag sa {manager}.", + "Could not add source": "Hindi maidagdag ang source", + "Could not add source {source} to {manager}": "Hindi maidagdag ang source {source} sa {manager}", + "Removing source {source}": "Inaalis ang source {source}", + "Removing source {source} from {manager}": "Inaalis ang source {source} mula sa {manager}", + "Source removed successfully": "Matagumpay na naalis ang source", + "The source {source} was removed from {manager} successfully": "Matagumpay na naalis ang source {source} mula sa {manager}.", + "Could not remove source": "Hindi maalis ang source", + "Could not remove source {source} from {manager}": "Hindi maalis ang source {source} mula sa {manager}", + "The package manager \"{0}\" was not found": "Ang manager ng package na \"{0}\" ay hindi nahanap", + "The package manager \"{0}\" is disabled": "Ang manager ng package na \"{0}\" ay naka-disable", + "There is an error with the configuration of the package manager \"{0}\"": "Mayroong error sa configuration ng package manager na \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Ang package na \"{0}\" ay hindi nahanap sa package manager na \"{1}\"", + "{0} is disabled": "{0} ay naka-disable", + "Something went wrong": "Nagkaroon ng problema", + "An interal error occurred. Please view the log for further details.": "May naganap na internal na error. Pakitingnan ang log para sa karagdagang detalye.", + "No applicable installer was found for the package {0}": "Walang nahanap na naaangkop na installer para sa package na {0}", + "We are checking for updates.": "Sinusuri namin ang mga update.", + "Please wait": "Mangyaring maghintay", + "UniGetUI version {0} is being downloaded.": "Dina-download ang bersyon ng UniGetUI {0}.", + "This may take a minute or two": "Maaaring tumagal ito ng isang minuto o dalawa", + "The installer authenticity could not be verified.": "Hindi ma-verify ang pagiging tunay ng installer.", + "The update process has been aborted.": "Na-abort ang proseso ng pag-update.", + "Great! You are on the latest version.": "Mahusay! Ikaw ay nasa pinakabagong bersyon.", + "There are no new UniGetUI versions to be installed": "Walang mga bagong bersyon ng UniGetUI na mai-install", + "An error occurred when checking for updates: ": "Nagkaroon ng error habang tumitingin ng mga update:", + "UniGetUI is being updated...": "Ina-update ang UniGetUI...", + "Something went wrong while launching the updater.": "Nagkaroon ng problema habang pinapatakbo ang updater.", + "Please try again later": "Pakisubukang muli mamaya", + "Integrity checks will not be performed during this operation": "Ang mga pagsusuri sa integridad ay hindi isasagawa sa panahon ng operasyong ito", + "This is not recommended.": "Hindi ito inirerekomenda.", + "Run now": "Patakbuhin ngayon", + "Run next": "Patakbuhin susunod", + "Run last": "Huling patakbuhin", + "Retry as administrator": "Subukang muli bilang administrator", + "Retry interactively": "Subukang muli nang interactive", + "Retry skipping integrity checks": "Subukang laktawan ang mga pagsusuri sa integridad", + "Installation options": "Mga opsyon sa pag-install", + "Show in explorer": "Ipakita sa explorer", + "This package is already installed": "Naka-install na ang package na ito", + "This package can be upgraded to version {0}": "Maaaring i-upgrade ang package na ito sa bersyon {0}", + "Updates for this package are ignored": "Binabalewala ang mga update para sa package na ito", + "This package is being processed": "Pinoproseso ang package na ito", + "This package is not available": "Hindi available ang package na ito", + "Select the source you want to add:": "Piliin ang source na gusto mong idagdag:", + "Source name:": "Pangalan ng source:", + "Source URL:": "URL ng Source:", + "An error occurred": "May naganap na error", + "An error occurred when adding the source: ": "Nagkaroon ng error nang idagdag ang source:", + "Package management made easy": "Pinadali ang pamamahala ng package", + "version {0}": "bersyon {0}", + "[RAN AS ADMINISTRATOR]": "PINATAKBO BILANG ADMINISTRATOR", + "Portable mode": "Portable na mode\n", + "DEBUG BUILD": "Build na pang-debug", + "Available Updates": "Available na Mga Update", + "Show WingetUI": "Ipakita ng UniGetUI", + "Quit": "Lumabas", + "Attention required": "Kailangan ng atensyon", + "Restart required": "Kinakailangang i-restart", + "1 update is available": "1 update ang available", + "{0} updates are available": "{0} (na) mga update ay available", + "WingetUI Homepage": "Homepage ng UniGetUI", + "WingetUI Repository": "Repository ng UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Dito mo mababago ang kilos ng UniGetUI patungkol sa mga sumusunod na shortcut. Ang pag-check sa isang shortcut ay magbubura nito kung ito ay gagawin sa isang pag-upgrade sa hinaharap. Ang pag-uncheck dito ay magpapanatili ang shortcut.", + "Manual scan": "Mano-manong i-scan", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Ii-scan ang mga kasalukuyang shortcut sa iyong desktop, at kakailanganin mong pumili kung alin ang dapat panatilihin at kung alin ang aalisin.", + "Continue": "Magpatuloy", + "Delete?": "Tanggalin?", + "Missing dependency": "Nawawalang kinakailangan", + "Not right now": "Hindi sa ngayon", + "Install {0}": "I-install ang {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "Kinakailangan ng UniGetUI ang {0} upang gumana, ngunit hindi ito nahanap sa iyong system.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Mag-click sa I-install upang simulan ang proseso ng pag-install. Kung lalaktawan mo ang pag-install, maaaring hindi gumana ang UniGetUI gaya ng inaasahan.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Bilang kahalili, maaari mo ring i-install ang {0} sa pamamagitan ng pagpapatakbo ng sumusunod na command sa isang prompt ng Windows PowerShell:", + "Do not show this dialog again for {0}": "Huwag ipakita muli ang dialog na ito para sa {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Mangyaring maghintay habang ini-install ang {0}. Maaaring lumabas ang isang itim (o asul) na window. Pakihintay hanggang sa magsara ito.", + "{0} has been installed successfully.": "Matagumpay na na-install ang {0}.", + "Please click on \"Continue\" to continue": "Mangyaring mag-click sa \"Magpatuloy\" upang magpatuloy", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "Matagumpay na na-install ang {0}. Inirerekomenda na i-restart ang UniGetUI upang matapos ang pag-install", + "Restart later": "I-restart mamaya", + "An error occurred:": "May naganap na error", + "I understand": "Naiintindihan ko", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Ang UniGetUI ay pinatakbo bilang administrator, na hindi inirerekomenda. Kapag nagpapatakbo ng UniGetUI bilang administrator, BAWAT operasyon na inilunsad mula sa UniGetUI ay magkakaroon ng mga pribilehiyo ng administrator. Magagamit mo pa rin ang program, ngunit lubos naming inirerekomenda na huwag patakbuhin ang UniGetUI na may mga pribilehiyo ng administrator.", + "WinGet was repaired successfully": "Matagumpay na naayos ang WinGet", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Inirerekomenda na i-restart ang UniGetUI pagkatapos ayusin ang WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "TANDAAN: Maaaring hindi paganahin ang troubleshooter na ito mula sa Mga Setting ng UniGetUI, sa seksyong WinGet", + "Restart": "I-reset", + "WinGet could not be repaired": "Hindi ma-repair ang WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Isang hindi inaasahang isyu ang naganap habang sinusubukang ayusin ang WinGet. Pakisubukang muli mamaya", + "Are you sure you want to delete all shortcuts?": "Sigurado ka bang gusto mong tanggalin ang lahat ng mga shortcut?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Awtomatikong made-delete ang anumang mga bagong shortcut na ginawa sa panahon ng pag-install o pagpapatakbo ng pag-update, sa halip na magpakita ng prompt ng kumpirmasyon sa unang pagkakataong matukoy ang mga ito.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Ang anumang mga shortcut na ginawa o binago sa labas ng UniGetUI ay hindi papansinin. Magagawa mong idagdag ang mga ito sa pamamagitan ng button na {0}.", + "Are you really sure you want to enable this feature?": "Sigurado ka bang gusto mong paganahin ang feature na ito?", + "No new shortcuts were found during the scan.": "Walang nahanap na mga bagong shortcut sa pag-scan.", + "How to add packages to a bundle": "Paano magdagdag ng mga package sa isang bundle", + "In order to add packages to a bundle, you will need to: ": "Upang magdagdag ng mga package sa isang bundle, kakailanganin mong:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Mag-navigate sa \"{0}\" o \"{1}\" na pahina.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Hanapin ang (mga) package na gusto mong idagdag sa bundle, at piliin ang kanilang pinakakaliwang checkbox.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kapag napili ang mga package na gusto mong idagdag sa bundle, hanapin at i-click ang opsyong \"{0}\" sa toolbar.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ang iyong mga package ay naidagdag na sa bundle. Maaari kang magpatuloy sa pagdaragdag ng mga package, o i-export ang bundle.", + "Which backup do you want to open?": "Anong backup ang gusto mong buksan?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Piliin ang backup na gusto mong buksan. Sa ibang pagkakataon, magagawa mong suriin kung aling mga package/program ang gusto mong i-restore.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "May mga patuloy na operasyon. Ang paghinto sa UniGetUI ay maaaring maging sanhi ng pagkabigo sa kanila. Gusto mo bang magpatuloy?", + "UniGetUI or some of its components are missing or corrupt.": "Ang UniGetUI o ang ilan sa mga bahagi nito ay nawawala o na-corrupt.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Lubos na inirerekomendang ang pag-reinstall ng UniGetUI upang matugunan ang sitwasyon.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Sumangguni sa mga log ng UniGetUI para makakuha ng higit pang mga detalye tungkol sa (mga) apektadong file", + "Integrity checks can be disabled from the Experimental Settings": "Maaaring i-disable ang mga pagsusuri sa integridad mula sa Mga Pang-eksperimento Setting", + "Repair UniGetUI": "Ayusin ang UniGetUI", + "Live output": "Live na output", + "Package not found": "Hindi mahanap ang package", + "An error occurred when attempting to show the package with Id {0}": "Nagkaroon ng error noong sinusubukang ipakita ang package na may Id {0}", + "Package": "Package", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ang package bundle na ito ay may ilang mga setting na potensyal na mapanganib, at maaaring balewalain bilang default.", + "Entries that show in YELLOW will be IGNORED.": "Ang mga entry na makikita sa DILAW ay HINDI PAPANSININ.", + "Entries that show in RED will be IMPORTED.": "Ang mga entry na makikita sa PULA ay I-IMPORT.", + "You can change this behavior on UniGetUI security settings.": "Maaari mong baguhin ang gawi na ito sa mga setting ng seguridad ng UniGetUI.", + "Open UniGetUI security settings": "Buksan ang mga setting ng seguridad ng UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Kung babaguhin mo ang mga setting ng seguridad, kakailanganin mong buksan muli ang bundle para magkabisa ang mga pagbabago.", + "Details of the report:": "Mga detalye ng report:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ay isang lokal na package at hindi pwedeng ibahagi", + "Are you sure you want to create a new package bundle? ": "Sigurado ka bang gusto mong gumawa ng bagong package bundle?", + "Any unsaved changes will be lost": "Mawawala ang anumang hindi na-save na pagbabago", + "Warning!": "Babala!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa mga kadahilanang pangseguridad, ang mga custom na argumento sa command-line ay di-pinagana ng default. Pumunta sa mga setting ng seguridad sa UniGetUI para palitan ito.", + "Change default options": "Baguhin ang mga default na opsyon", + "Ignore future updates for this package": "Huwag pansinin ang mga update sa hinaharap para sa package na ito", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa mga kadahilanang pangseguridad, ang mga script ng pre-operation at post-operation ay di-pinagana ng default. Pumunta sa mga setting ng seguridad sa UniGetUI para palitan ito.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Maaari mong tukuyin ang mga command na patatakbuhin bago o pagkatapos ma-install, ma-update o ma-uninstall ang package na ito. Tatakbo ang mga ito sa command prompt, kaya gagana rito ang mga CMD script.", + "Change this and unlock": "Palitan ito at i-unlock", + "{0} Install options are currently locked because {0} follows the default install options.": "Kasalukuyang naka-lock ang mga opsyon sa pag-install ng {0} dahil sinusunod ng {0} ang mga default na opsyon sa pag-install.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Piliin ang mga prosesong dapat isara bago i-install, i-update o i-uninstall ang package na ito.", + "Write here the process names here, separated by commas (,)": "Isulat dito ang mga pangalan ng mga proseso dito, pinaghihiwalay ng kuwit (,)", + "Unset or unknown": "Hindi nakatakda o hindi alam", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Pakitingnan ang Output ng Command-line o sumangguni sa Kasaysayan ng Operasyon para sa karagdagang impormasyon tungkol sa isyu.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ang package na ito ay walang mga screenshot o nawawala ang icon? Mag-ambag sa UniGetUI sa pamamagitan ng pagdaragdag ng mga nawawalang icon at screenshot sa aming bukas, pampublikong database.", + "Become a contributor": "Maging isang kontribyutor", + "Save": "I-save", + "Update to {0} available": "Available ang update sa {0}.", + "Reinstall": "I-reinstall", + "Installer not available": "Hindi available ang installer", + "Version:": "Bersyon:", + "Performing backup, please wait...": "Nagsasagawa ng backup, mangyaring maghintay...", + "An error occurred while logging in: ": "Nakaroon ng error habang naglalog-in:", + "Fetching available backups...": "Kinukuha ang mga available na backup...", + "Done!": "Tapos na!", + "The cloud backup has been loaded successfully.": "Matagumpay na na-load ang cloud backup.", + "An error occurred while loading a backup: ": "Nagkaroon ng error habang niloload ang backup:", + "Backing up packages to GitHub Gist...": "Bina-backup ang mga package sa GitHub Gist...", + "Backup Successful": "Matagumpay ang Pag-Backup", + "The cloud backup completed successfully.": "Matagumpay na nakumpleto ang cloud backup.", + "Could not back up packages to GitHub Gist: ": "Hindi ma-back up ang mga package sa GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Hindi garantisadong ligtas na maiimbak ang mga ibinigay na kredensyal, kaya maaari mo ring hindi gamitin ang mga kredensyal ng iyong bank account", + "Enable the automatic WinGet troubleshooter": "Paganahin ang awtomatikong WinGet troubleshooter", + "Enable an [experimental] improved WinGet troubleshooter": "Paganahin ang isang [pang-eksperimentong] pinahusay na troubleshooter ng WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Idagdag ang mga update na nabigo na may 'walang nahanap na naaangkop na update' sa listahan ng mga hindi pinansin na update.", + "Restart WingetUI to fully apply changes": "I-restart ang UniGetUI upang ganap na mailapat ang mga pagbabago", + "Restart WingetUI": "I-restart ang UniGetUI", + "Invalid selection": "Hindi wastong pagpili", + "No package was selected": "Walang napiling package", + "More than 1 package was selected": "Mahigit 1 package ang napili", + "List": "Listahan", + "Grid": "Grid", + "Icons": "Mga icon", "\"{0}\" is a local package and does not have available details": "\"{0}\" ay isang lokal na package at ay walang magagamit na mga detalye", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ay isang lokal na package at hindi compatible sa feature na ito", - "(Last checked: {0})": "(Huling sinuri: {0})", + "WinGet malfunction detected": "May nakitang malfunction ng WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Mukhang hindi gumagana nang maayos ang WinGet. Gusto mo bang subukang ayusin ang WinGet?", + "Repair WinGet": "Ayusin ang WinGet", + "Create .ps1 script": "Gumawa ng .ps1 script", + "Add packages to bundle": "Magdagdag ng mga package sa bundle", + "Preparing packages, please wait...": "Inihahanda ang mga package, mangyaring maghintay...", + "Loading packages, please wait...": "Naglo-load ng mga package, mangyaring maghintay...", + "Saving packages, please wait...": "Sine-save ang mga package, mangyaring maghintay...", + "The bundle was created successfully on {0}": "Matagumpay na nalikha ang bundle noong {0}", + "Install script": "Script ng pag-install", + "The installation script saved to {0}": "Ang script ng pag-install ay na-save sa {0}", + "An error occurred while attempting to create an installation script:": "May naganap na error habang sinusubukang ginagawa ang script ng pag-install:", + "{0} packages are being updated": "{0} (na) package ay ina-update", + "Error": "Error", + "Log in failed: ": "Bigong mag-log in:", + "Log out failed: ": "Bigong mag-log out:", + "Package backup settings": "Mga setting ng pag-backup ng package", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Numero {0} sa queue)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@infyProductions", "0 packages found": "0 package ang nahanap", "0 updates found": "0 update ang nahanap", - "1 - Errors": "1 - Mga Error", - "1 day": "kada araw", - "1 hour": "kada oras", "1 month": "kada buwan", "1 package was found": "1 package ang nahanap", - "1 update is available": "1 update ang available", - "1 week": "1 linggo", "1 year": "1 taon", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Mag-navigate sa \"{0}\" o \"{1}\" na pahina.", - "2 - Warnings": "2 - Mga Babala", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Hanapin ang (mga) package na gusto mong idagdag sa bundle, at piliin ang kanilang pinakakaliwang checkbox.", - "3 - Information (less)": "3 - Impormasyon (mas kaunti)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kapag napili ang mga package na gusto mong idagdag sa bundle, hanapin at i-click ang opsyong \"{0}\" sa toolbar.", - "4 - Information (more)": "4 - Impormasyon (higit pa)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ang iyong mga package ay naidagdag na sa bundle. Maaari kang magpatuloy sa pagdaragdag ng mga package, o i-export ang bundle.", - "5 - information (debug)": "5 - Impormasyon (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Isang sikat na C/C++ library manager. Puno ng mga library ng C/C++ at iba pang mga utility nauugnay sa C/C++
Naglalaman ng: Mga library ng C/C++ at mga nauugnay na utility", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Isang repository na puno ng mga tool at executable na idinisenyo nang nasa isip ang .NET ecosystem ng Microsoft.
Naglalaman ng: Mga tool at script na nauugnay sa .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Isang repository na puno ng mga tool na idinisenyo na nasa isip ang .NET ecosystem ng Microsoft.
Naglalaman ng: Mga Tool na nauugnay sa .NET", "A restart is required": "Kinakailangan ang pag-restart", - "Abort install if pre-install command fails": "Ihinto ang pag-install kapag ang command ng pre-install ay nabigo", - "Abort uninstall if pre-uninstall command fails": "Ihinto ang pag-uninstall kapag ang command ng pre-uninstall ay nabigo", - "Abort update if pre-update command fails": "Ihinto ang pag-update kapag ang command ng pre-update ay nabigo", - "About": "Patungkol", "About Qt6": "Tungkol sa QT6", - "About WingetUI": "Tungkol sa UniGetUI", "About WingetUI version {0}": "Tungkol sa bersyon ng UniGetUI {0}", "About the dev": "Tungkol sa dev", - "Accept": "Tanggapin", "Action when double-clicking packages, hide successful installations": "Pagkilos kapag nag-double click sa mga package, itago ang matagumpay na mga pag-install", - "Add": "Idagdag", "Add a source to {0}": "Magdagdag ng source sa {0}", - "Add a timestamp to the backup file names": "Magdagdag ng timestamp sa mga pangalan ng mga backup file", "Add a timestamp to the backup files": "Magdagdag ng timestamp sa mga backup na file", "Add packages or open an existing bundle": "Magdagdag ng mga package o magbukas ng umiiral nang bundle", - "Add packages or open an existing package bundle": "Magdagdag ng mga package o magbukas ng umiiral nang package bundle", - "Add packages to bundle": "Magdagdag ng mga package sa bundle", - "Add packages to start": "Magdagdag ng mga package upang magsimula", - "Add selection to bundle": "Magdagdag ng seleksyon sa bundle", - "Add source": "Magdagdag ng source", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Idagdag ang mga update na nabigo na may 'walang nahanap na naaangkop na update' sa listahan ng mga hindi pinansin na update.", - "Adding source {source}": "Pagdaragdag ng source {source}", - "Adding source {source} to {manager}": "Pagdaragdag ng source {source} sa {manager}", "Addition succeeded": "Nagtagumpay ang pagdaragdag", - "Administrator privileges": "Mga pribilehiyo ng administrator", "Administrator privileges preferences": "Mga kagustuhan sa mga pribilehiyo ng administrator", "Administrator rights": "Mga karapatan ng administrator", - "Administrator rights and other dangerous settings": "Mga karapatan ng administrator at iba pang mga mapanganib na setting", - "Advanced options": "Mga advanced na opsyon", "All files": "Lahat ng mga file", - "All versions": "Lahat ng bersyon", - "Allow changing the paths for package manager executables": "Payagan ang pagpapalit ng mga path para sa mga executable ng package manager", - "Allow custom command-line arguments": "Payagan ang mga custom na argumento sa command-line", - "Allow importing custom command-line arguments when importing packages from a bundle": "Payagan ang pag-import ng mga custom na arguemento ng command-line kapag nag-i-import ng mga package mula sa bundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Payagan ang pag-import ng custom na pre-install at post-install na command kapag nag-i-import ng mga package mula sa bundle", "Allow package operations to be performed in parallel": "Payagan ang mga pagpapatakbo ng package na gumanap nang sabay-sabay", "Allow parallel installs (NOT RECOMMENDED)": "Payagan ang mga pagsabay-sabay na pag-install (HINDI INIREREKOMENDA)", - "Allow pre-release versions": "Payagan ang mga pre-release na bersyon", "Allow {pm} operations to be performed in parallel": "Pahintulutan ang mga operasyon ng {pm} na gumanap nang sabay-sabay", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Bilang kahalili, maaari mo ring i-install ang {0} sa pamamagitan ng pagpapatakbo ng sumusunod na command sa isang prompt ng Windows PowerShell:", "Always elevate {pm} installations by default": "Palaging i-elevate ang mga pag-install ng {pm} bilang default", "Always run {pm} operations with administrator rights": "Palaging magpatakbo ng {pm} na mga pagpapatakbo na may mga karapatan ng administrator", - "An error occurred": "May naganap na error", - "An error occurred when adding the source: ": "Nagkaroon ng error nang idagdag ang source:", - "An error occurred when attempting to show the package with Id {0}": "Nagkaroon ng error noong sinusubukang ipakita ang package na may Id {0}", - "An error occurred when checking for updates: ": "Nagkaroon ng error habang tumitingin ng mga update:", - "An error occurred while attempting to create an installation script:": "May naganap na error habang sinusubukang ginagawa ang script ng pag-install:", - "An error occurred while loading a backup: ": "Nagkaroon ng error habang niloload ang backup:", - "An error occurred while logging in: ": "Nakaroon ng error habang naglalog-in:", - "An error occurred while processing this package": "Nagkaroon ng error habang pinoproseso ang package na ito", - "An error occurred:": "May naganap na error", - "An interal error occurred. Please view the log for further details.": "May naganap na internal na error. Pakitingnan ang log para sa karagdagang detalye.", "An unexpected error occurred:": "May naganap na hindi inaasahang error:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Isang hindi inaasahang isyu ang naganap habang sinusubukang ayusin ang WinGet. Pakisubukang muli mamaya", - "An update was found!": "May nahanap na update!", - "Android Subsystem": "Android Subsystem", "Another source": "Isa pang source", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Awtomatikong made-delete ang anumang mga bagong shortcut na ginawa sa panahon ng pag-install o pagpapatakbo ng pag-update, sa halip na magpakita ng prompt ng kumpirmasyon sa unang pagkakataong matukoy ang mga ito.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Ang anumang mga shortcut na ginawa o binago sa labas ng UniGetUI ay hindi papansinin. Magagawa mong idagdag ang mga ito sa pamamagitan ng button na {0}.", - "Any unsaved changes will be lost": "Mawawala ang anumang hindi na-save na pagbabago", "App Name": "Pangalan ng App", - "Appearance": "Hitsura", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema ng aplikasyon, startup page, mga icon ng package, awtomatikong i-clear ang matagumpay na pag-install", - "Application theme:": "Tema ng aplikasyon:", - "Apply": "Ilapat", - "Architecture to install:": "Arkitekturang i-install:", "Are these screenshots wron or blurry?": "Mali ba o malabo ang mga screenshot na ito?", - "Are you really sure you want to enable this feature?": "Sigurado ka bang gusto mong paganahin ang feature na ito?", - "Are you sure you want to create a new package bundle? ": "Sigurado ka bang gusto mong gumawa ng bagong package bundle?", - "Are you sure you want to delete all shortcuts?": "Sigurado ka bang gusto mong tanggalin ang lahat ng mga shortcut?", - "Are you sure?": "Sigurado ka ba?", - "Ascendant": "Ayos na pataas", - "Ask for administrator privileges once for each batch of operations": "Humingi ng mga pribilehiyo ng administrator nang isang beses para sa bawat batch ng mga operasyon", "Ask for administrator rights when required": "Humingi ng mga karapatan ng administrator kung kinakailangan", "Ask once or always for administrator rights, elevate installations by default": "Humingi ng isang beses o palaging para sa mga karapatan ng administrator, i-elevate ang mga pag-install bilang default", - "Ask only once for administrator privileges": "Isang beses lang humingi ng mga pribilehiyo ng administrator", "Ask only once for administrator privileges (not recommended)": "Isang beses lang humingi ng mga pribilehiyo ng administrator (hindi inirerekomenda)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Hilingin na tanggalin ang mga desktop shortcut na ginawa sa panahon ng pag-install o pag-upgrade.", - "Attention required": "Kailangan ng atensyon", "Authenticate to the proxy with an user and a password": "I-authenticate sa proxy gamit ang isang user at isang password", - "Author": "May-akda", - "Automatic desktop shortcut remover": "Awtomatikong pagtanggal ng desktop shortcut", - "Automatic updates": "Mga automatic na update", - "Automatically save a list of all your installed packages to easily restore them.": "Awtomatikong i-save ang isang listahan ng lahat ng iyong naka-install na mga package upang madaling maibalik ang mga ito.", "Automatically save a list of your installed packages on your computer.": "Awtomatikong i-save ang isang listahan ng iyong mga naka-install na package sa iyong computer.", - "Automatically update this package": "Awtomatikong i-update ang package na ito", "Autostart WingetUI in the notifications area": "Awtomatikong simulan ang UniGetUI sa lugar ng mga notification", - "Available Updates": "Available na Mga Update", "Available updates: {0}": "Available na Mga Update: {0}", "Available updates: {0}, not finished yet...": "Available na Mga Update: {0}, hindi pa natatapos...", - "Backing up packages to GitHub Gist...": "Bina-backup ang mga package sa GitHub Gist...", - "Backup": "I-backup", - "Backup Failed": "Nabigo ang Pag-Backup", - "Backup Successful": "Matagumpay ang Pag-Backup", - "Backup and Restore": "Pag-backup at Pag-restore", "Backup installed packages": "I-backup ang mga naka-install na backup", "Backup location": "Lokasyon ng backup", - "Become a contributor": "Maging isang kontribyutor", - "Become a translator": "Maging isang tagasalin", - "Begin the process to select a cloud backup and review which packages to restore": "Simulan ang proseso na pumili ng cloud backup at i-review anong package ang i-restore", - "Beta features and other options that shouldn't be touched": "Mga beta feature at iba pang opsyon na hindi dapat pakialaman", - "Both": "Pareho", - "Bundle security report": "Ulat sa seguridad ng bundle", "But here are other things you can do to learn about WingetUI even more:": "Ngunit narito ang iba pang mga bagay na maaari mong gawin upang matuto nang higit pa tungkol sa UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Sa pamamagitan ng pag-toggle sa isang manager ng package, hindi mo na makikita o maa-update ang mga package nito.", "Cache administrator rights and elevate installers by default": "I-cache ang mga karapatan ng administrator at i-elevate ang mga installer sa pamamagitan ng default", "Cache administrator rights, but elevate installers only when required": "Mga karapatan ng administrator ng cache, ngunit i-elevate lamang ang mga installer kapag kinakailangan", "Cache was reset successfully!": "Matagumpay na na-reset ang cache!", "Can't {0} {1}": "Hindi maka {0} {1}", - "Cancel": "Kanselahin", "Cancel all operations": "Kanselahin lahat ng operasyon", - "Change backup output directory": "Baguhin ang backup na directory ng output", - "Change default options": "Baguhin ang mga default na opsyon", - "Change how UniGetUI checks and installs available updates for your packages": "Baguhin kung paano sinusuri at ini-install ng UniGetUI ang mga available na update para sa iyong mga package", - "Change how UniGetUI handles install, update and uninstall operations.": "Baguhin kung paano pinangangasiwaan ng UniGetUI ang pag-install, pag-update at pag-uninstall ng mga operasyon.", "Change how UniGetUI installs packages, and checks and installs available updates": "Baguhin kung paano nag-i-install ang UniGetUI ng mga package, at sinusuri at ini-install ang mga available na update", - "Change how operations request administrator rights": "Baguhin kung paano humihiling ang mga pagpapatakbo ng mga karapatan ng administrator", "Change install location": "Baguhin ang lokasyon ng pag-install", - "Change this": "Palitan ito", - "Change this and unlock": "Palitan ito at i-unlock", - "Check for package updates periodically": "Suriin ang mga pag-update ng package sa pana-panahon", - "Check for updates": "Tingnan ang mga update", - "Check for updates every:": "Tingnan ang mga update kada:", "Check for updates periodically": "Suriin ang mga pag-update ng package sa pana-panahon.", "Check for updates regularly, and ask me what to do when updates are found.": "Regular na suriin ang mga update, at tanungin ako kung ano ang gagawin kapag may nakitang mga update.", "Check for updates regularly, and automatically install available ones.": "Regular na suriin ang mga update, at awtomatikong i-install kung available.", @@ -159,805 +741,283 @@ "Checking for updates...": "Tumitingin ng mga update...", "Checking found instace(s)...": "Sinusuri ang (mga) nahanap na instance...", "Choose how many operations shouls be performed in parallel": "Piliin kung gaano karaming mga operasyon ang dapat isagawa nang sabay-sabay", - "Clear cache": "Linisin ang cache", "Clear finished operations": "I-clear ang natapos na mga operasyon", - "Clear selection": "I-clear ang mga napili", "Clear successful operations": "I-clear ang mga nagtagumpay na operasyon", - "Clear successful operations from the operation list after a 5 second delay": "Linisin ang matagumpay na operasyon mula sa listahan ng operasyon pagkatapos ng 5 segundong pagkaantala", "Clear the local icon cache": "Linisin ang cache ng lokal na icon", - "Clearing Scoop cache - WingetUI": "Linilinis ang Scoop cache - UniGetUI", "Clearing Scoop cache...": "Linilinis ang Scoop cache...", - "Click here for more details": "Mag-click dito para sa higit pang mga detalye", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Mag-click sa I-install upang simulan ang proseso ng pag-install. Kung lalaktawan mo ang pag-install, maaaring hindi gumana ang UniGetUI gaya ng inaasahan.", - "Close": "Isara", - "Close UniGetUI to the system tray": "Isara ang UniGetUI sa system tray", "Close WingetUI to the notification area": "Isara ang UniGetUI sa lugar ng notification", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Ang Cloud backup ay gumagamit ng pribadong GitHub Gist para makatago ng listahan ng mga na-install na package", - "Cloud package backup": "Cloud backup ng package", "Command-line Output": "Output ng command-line", - "Command-line to run:": "Command-line na patakbuhin:", "Compare query against": "Ihambing ang query kontra sa", - "Compatible with authentication": "Compatible na may authentication", - "Compatible with proxy": "Compatible sa proxy", "Component Information": "Impormasyon ng Component", - "Concurrency and execution": "Concurrency at pag-execute", - "Connect the internet using a custom proxy": "Kumonekta sa internet gamit ang isang custom na proxy", - "Continue": "Magpatuloy", "Contribute to the icon and screenshot repository": "Mag-ambag sa icon at imbakan ng screenshot", - "Contributors": "Mga kontribyutor", "Copy": "Kopyahin", - "Copy to clipboard": "Kopyahin sa clipboard", - "Could not add source": "Hindi maidagdag ang source", - "Could not add source {source} to {manager}": "Hindi maidagdag ang source {source} sa {manager}", - "Could not back up packages to GitHub Gist: ": "Hindi ma-back up ang mga package sa GitHub Gist:", - "Could not create bundle": "Hindi makagawa ng bundle", "Could not load announcements - ": "Hindi ma-load ang mga anunsyo -", "Could not load announcements - HTTP status code is $CODE": "Hindi ma-load ang mga anunsyo - HTTP status code ay $CODE", - "Could not remove source": "Hindi maalis ang source", - "Could not remove source {source} from {manager}": "Hindi maalis ang source {source} mula sa {manager}", "Could not remove {source} from {manager}": "Hindi maalis ang source {source} mula sa {manager}", - "Create .ps1 script": "Gumawa ng .ps1 script", - "Credentials": "Mga kredensyal", "Current Version": "Kasalukuyang Bersyon", - "Current executable file:": "Kasalukuyang executable file:", - "Current status: Not logged in": "Kasalukuyang katayuan: Hindi naka-log in", "Current user": "Kasalukuyang gumagamit", "Custom arguments:": "Mga custom na argumento:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Maaaring baguhin ng mga custom na argumento sa command-line ang paraan ng pag-install, pag-upgrade o pag-uninstall ng mga program, sa paraang hindi makontrol ng UniGetUI. Ang paggamit ng mga custom na command-line ay maaaring masira ang mga package. Magpatuloy nang may pag-iingat.", "Custom command-line arguments:": "Mga custom na argumento sa command-line:", - "Custom install arguments:": "Custom na argumento sa pag-install:", - "Custom uninstall arguments:": "Custom na argumento sa pag-uninstall:", - "Custom update arguments:": "Custom na argumento sa pag-update:", "Customize WingetUI - for hackers and advanced users only": "I-customize ang UniGetUI - para sa mga hacker at advanced na user lamang", - "DEBUG BUILD": "Build na pang-debug", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "DISCLAIMER: HINDI KAMI RESPONSABLE PARA SA NA-DOWNLOAD NA MGA PACKAGE. MANGYARING SIGURADO NA I-INSTALL LAMANG PINAGTIWALAANG SOFTWARE.", - "Dark": "Madilim", - "Decline": "Tanggihan", - "Default": "Default", - "Default installation options for {0} packages": "Default na opyson sa pag-install para sa {0} na package", "Default preferences - suitable for regular users": "Mga default na kagustuhan - angkop para sa mga regular na gumagamit", - "Default vcpkg triplet": "Default na vcpkg triplet", - "Delete?": "Tanggalin?", - "Dependencies:": "Mga kinakailangan:", - "Descendant": "Ayos na pababa", "Description:": "Paglalarawan:", - "Desktop shortcut created": "Nagawa ang desktop shortcut", - "Details of the report:": "Mga detalye ng report:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Ang pag-develop ay mahirap, at ang aplikasyon na ito ay libre. Ngunit kung nagustuhan mo ang application, maaari mo akong palaging bumili ng kape :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Direktang i-install kapag nag-double click sa isang item sa tab na \"{discoveryTab}\" (sa halip na ipakita ang impormasyon ng package)", "Disable new share API (port 7058)": "I-disable ang bagong share API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "I-disable ang 1 minutong timeout para sa mga operasyong nauugnay sa package", - "Disabled": "Naka-disable", - "Disclaimer": "Paalala", - "Discover Packages": "Tumuklas ng mga package", "Discover packages": "Tumuklas ng mga package", "Distinguish between\nuppercase and lowercase": "Magkaiba sa pagitan ng\nuppercase at lowercase", - "Distinguish between uppercase and lowercase": "Magkaiba sa pagitan ng\nuppercase at lowercase", "Do NOT check for updates": "HUWAG tingnan ang mga update", "Do an interactive install for the selected packages": "Gumawa ng interactive na pag-install para sa mga napiling package", "Do an interactive uninstall for the selected packages": "Gumawa ng interactive na pag-uninstall para sa mga napiling package", "Do an interactive update for the selected packages": "Gumawa ng interactive na update para sa mga napiling package", - "Do not automatically install updates when the battery saver is on": "Huwag awtomatikong mag-install ng mga update kapag naka-on ang battery saver", - "Do not automatically install updates when the device runs on battery": "Huwag awtomatikong mag-install ng mga update kapag ang device ay tumatakbo sa battery", - "Do not automatically install updates when the network connection is metered": "Huwag awtomatikong mag-install ng mga update kapag ang koneksyon sa network ay nakametro", "Do not download new app translations from GitHub automatically": "Huwag awtomatikong mag-download ng mga bagong pagsasalin ng app mula sa GitHub", - "Do not ignore updates for this package anymore": "Huwag nang balewalain ang mga update para sa package na ito", "Do not remove successful operations from the list automatically": "Huwag awtomatikong alisin ang mga matagumpay na operasyon sa listahan", - "Do not show this dialog again for {0}": "Huwag ipakita muli ang dialog na ito para sa {0}", "Do not update package indexes on launch": "Huwag i-update ang mga package index sa paglulunsad", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Tinatanggap mo ba na ang UniGetUI ay nangongolekta at nagpapadala ng mga hindi kilalang istatistika ng paggamit, na may tanging layunin na maunawaan at mapabuti ang karanasan ng user?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Nakikita mo bang kapaki-pakinabang ang UniGetUI? Kung magagawa mo, maaaring gusto mong suportahan ang aking trabaho, para maipagpatuloy ko ang paggawa ng UniGetUI na ultimate package sa pamamahala ng interface.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Nakikita mo bang kapaki-pakinabang ang UniGetUI? Gusto mo bang suportahan ang developer? Kung gayon, maaari mong {0}, nakakatulong ito nang malaki!", - "Do you really want to reset this list? This action cannot be reverted.": "Gusto mo ba talagang i-reset ang listahang ito? Hindi na maibabalik ang pagkilos na ito.", - "Do you really want to uninstall the following {0} packages?": "Gusto mo ba talagang i-uninstall ang mga sumusunod na {0} na package?", "Do you really want to uninstall {0} packages?": "Gusto mo ba talagang i-uninstall ang {0} na mga package?", - "Do you really want to uninstall {0}?": "Gusto mo ba talagang i-uninstall ang {0}?", "Do you want to restart your computer now?": "Gusto mo bang i-restart ang iyong computer ngayon?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Gusto mo bang isalin ang UniGetUI sa iyong wika? Tingnan kung paano mag-ambag DITO!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Ayaw mag-donate? Huwag mag-alala, maaari mong ibahagi ang UniGetUI anumang oras sa iyong mga kaibigan. Ikalat ang balita tungkol sa UniGetUI.", "Donate": "Mag-donate", - "Done!": "Tapos na!", - "Download failed": "Nabigo ang pag-download", - "Download installer": "I-download ang installer", - "Download operations are not affected by this setting": "Ang mga operasyon sa pag-download ay hindi apektado ng setting na ito", - "Download selected installers": "I-download ang mga napiling installer", - "Download succeeded": "Nagtagumpay ang pag-download", "Download updated language files from GitHub automatically": "Awtomatikong mag-download ng mga na-update na file ng wika mula sa GitHub", - "Downloading": "Nagda-download", - "Downloading backup...": "Dina-download ang backup...", - "Downloading installer for {package}": "Dina-download ang installer para sa {package}", - "Downloading package metadata...": "Dina-download ang metadata ng package...", - "Enable Scoop cleanup on launch": "Paganahin ang paglilinis ng Scoop sa pagbubukas", - "Enable WingetUI notifications": "Paganahin ang mga notification ng UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Paganahin ang isang [pang-eksperimentong] pinahusay na troubleshooter ng WinGet", - "Enable and disable package managers, change default install options, etc.": "Paganahin at di paganahin ang mga package manager, palitan ang default na opsyon sa pag-install, atbp.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Paganahin ang mga pag-optimize sa paggamit ng CPU sa background (tingnan ang Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Paganahin ang background API (Mga Widget para sa UniGetUI at Pagbabahagi, port 7058)", - "Enable it to install packages from {pm}.": "Paganahin itong mag-install ng mga package mula sa {pm}.", - "Enable the automatic WinGet troubleshooter": "Paganahin ang awtomatikong WinGet troubleshooter", - "Enable the new UniGetUI-Branded UAC Elevator": "Paganahin ang bagong UniGetUI-Branded UAC Elevator", - "Enable the new process input handler (StdIn automated closer)": "Paganahin ang bagong process input handler (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Paganahin ang mga setting sa ibaba KUNG AT LAMANG KUNG lubusan mong nauunawaan ang kanilang ginagawa, at ang mga implikasyon at panganib na maaaring kasangkot sa kanila.", - "Enable {pm}": "Paganahin {pm}", - "Enabled": "Pinagana", - "Enter proxy URL here": "Ilagay ang proxy URL dito", - "Entries that show in RED will be IMPORTED.": "Ang mga entry na makikita sa PULA ay I-IMPORT.", - "Entries that show in YELLOW will be IGNORED.": "Ang mga entry na makikita sa DILAW ay HINDI PAPANSININ.", - "Error": "Error", - "Everything is up to date": "Ang lahat ay napapanahon", - "Exact match": "Eksaktong tugma", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Ii-scan ang mga kasalukuyang shortcut sa iyong desktop, at kakailanganin mong pumili kung alin ang dapat panatilihin at kung alin ang aalisin.", - "Expand version": "Palawakin ang bersyon", - "Experimental settings and developer options": "Mga pang-eksperimentong setting at mga opsyon sa developer", - "Export": "I-export", + "Downloading": "Nagda-download", + "Downloading installer for {package}": "Dina-download ang installer para sa {package}", + "Downloading package metadata...": "Dina-download ang metadata ng package...", + "Enable the new UniGetUI-Branded UAC Elevator": "Paganahin ang bagong UniGetUI-Branded UAC Elevator", + "Enable the new process input handler (StdIn automated closer)": "Paganahin ang bagong process input handler (StdIn automated closer)", "Export log as a file": "I-export ang log bilang isang file", "Export packages": "I-export ang mga package", "Export selected packages to a file": "I-export ang mga napiling package sa isang file", - "Export settings to a local file": "I-export ang mga setting sa isang lokal na file", - "Export to a file": "I-export sa isang file", - "Failed": "Nabigo", - "Fetching available backups...": "Kinukuha ang mga available na backup...", "Fetching latest announcements, please wait...": "Kinukuha ang mga pinakabagong anunsyo, mangyaring maghintay...", - "Filters": "Mga filter", "Finish": "Tapos", - "Follow system color scheme": "Sundin ang scheme ng kulay ng system", - "Follow the default options when installing, upgrading or uninstalling this package": "Sundan ang mga default na opsyon sa pag-install, pag-upgrade o pag-uninstall ng package na ito", - "For security reasons, changing the executable file is disabled by default": "Dahil sa mga kadahilanang pangseguridad, ang pagpapalit ng executable file ay hindi pinapagana bilang default.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa mga kadahilanang pangseguridad, ang mga custom na argumento sa command-line ay di-pinagana ng default. Pumunta sa mga setting ng seguridad sa UniGetUI para palitan ito.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa mga kadahilanang pangseguridad, ang mga script ng pre-operation at post-operation ay di-pinagana ng default. Pumunta sa mga setting ng seguridad sa UniGetUI para palitan ito.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Pilitin ang ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)", - "Force install location parameter when updating packages with custom locations": "Pilitin ang parameter ng lokasyon ng pag-install kapag nag-a-update ng mga package na may custom na lokasyon", "Formerly known as WingetUI": "Dating kilala bilang WingetUI", "Found": "Nahanap", "Found packages: ": "Nahanap (na) mga package:", "Found packages: {0}": "Nahanap (na) mga package: {0}", "Found packages: {0}, not finished yet...": "Nahanap (na) mga package: {0}, hindi pa natatapos...", - "General preferences": "Pangkalahatang kagustuhan", "GitHub profile": "Profile sa GitHub", "Global": "Global", - "Go to UniGetUI security settings": "Pumunta sa setting ng seguridad ng UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Mahusay na imbakan ng hindi alam ngunit kapaki-pakinabang na mga utility at iba pang kawili-wiling mga package.
Naglalaman ng: Mga Utility, Command-line program, Pangkalahatang Software (kinakailangan ng extras na bucket)", - "Great! You are on the latest version.": "Mahusay! Ikaw ay nasa pinakabagong bersyon.", - "Grid": "Grid", - "Help": "Tulong", "Help and documentation": "Tulong at dokumentasyon", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Dito mo mababago ang kilos ng UniGetUI patungkol sa mga sumusunod na shortcut. Ang pag-check sa isang shortcut ay magbubura nito kung ito ay gagawin sa isang pag-upgrade sa hinaharap. Ang pag-uncheck dito ay magpapanatili ang shortcut.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Kumusta, ang pangalan ko ay Martí, at ako ang developer ng UniGetUI. Ang UniGetUI ay ganap na ginawa sa aking libreng oras!", "Hide details": "Itago ang mga detalye", - "Homepage": "website", - "Hooray! No updates were found.": "Hooray! Walang nahanap (na) mga update.", "How should installations that require administrator privileges be treated?": "Paano dapat tratuhin ang mga pag-install na nangangailangan ng mga pribilehiyo ng administrator?", - "How to add packages to a bundle": "Paano magdagdag ng mga package sa isang bundle", - "I understand": "Naiintindihan ko", - "Icons": "Mga icon", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Kung napagana ang cloud backup, ito ay ise-save bilang isang GitHub Gist sa account na ito", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Payagan ang pagpapatakbo ng mga custom na pre-install at post-install na command", - "Ignore future updates for this package": "Huwag pansinin ang mga update sa hinaharap para sa package na ito", - "Ignore packages from {pm} when showing a notification about updates": "Huwag pansinin ang mga package mula {pm} kapag nagpapakita ng notification tungkol sa mga update", - "Ignore selected packages": "Huwag pansinin ang mga napiling package", - "Ignore special characters": "Huwag pansinin ang mga espesyal na character", "Ignore updates for the selected packages": "Huwag pansinin ang mga update para sa mga napiling package", - "Ignore updates for this package": "Huwag pansinin ang mga update para sa mga napiling package", "Ignored updates": "Binalewala ang mga update", - "Ignored version": "Binalewala ang bersyon", - "Import": "I-import", "Import packages": "I-import ang mga package", "Import packages from a file": "Mag-import ng mga package mula sa isang file", - "Import settings from a local file": "Mag-import ng mga setting mula sa isang lokal na file", - "In order to add packages to a bundle, you will need to: ": "Upang magdagdag ng mga package sa isang bundle, kakailanganin mong:", "Initializing WingetUI...": "Sinisimulan ang UniGetUI...", - "Install": "I-install", - "Install Scoop": "I-install ang Scoop", "Install and more": "I-install at iba pa", "Install and update preferences": "Kagustuhan ng pag-install at pag-update", - "Install as administrator": "I-install bilang administator", - "Install available updates automatically": "Awtomatikong i-install ang mga available na update", - "Install location can't be changed for {0} packages": "Hindi mababago ang lokasyon ng pag-install para sa {0} na package", - "Install location:": "Lokasyon ng pag-install:", - "Install options": "Mga opsyon sa install", "Install packages from a file": "Mag-install ng mga package mula sa isang file", - "Install prerelease versions of UniGetUI": "Mag-install ng mga prerelease na bersyon ng UniGetUI", - "Install script": "Script ng pag-install", "Install selected packages": "I-install ang mga napiling package", "Install selected packages with administrator privileges": "I-install ang mga napiling package na may mga pribilehiyo ng administrator", - "Install selection": "I-install ang mga napili", "Install the latest prerelease version": "I-install ang pinakabagong bersyon ng prerelease", "Install updates automatically": "Awtomatikong i-install ang mga update", - "Install {0}": "I-install ang {0}", "Installation canceled by the user!": "Kinansela ng user ang pag-install!", - "Installation failed": "Nabigo ang pag-install", - "Installation options": "Mga opsyon sa pag-install", - "Installation scope:": "Saklaw ng pag-install:", - "Installation succeeded": "Nagtagumpay ang pag-install", - "Installed Packages": "Mga Naka-install na Package", - "Installed Version": "Naka-install na Bersyon", "Installed packages": "Mga naka-install na package", - "Installer SHA256": "SHA256 ng installer", - "Installer SHA512": "SHA512 ng installer", - "Installer Type": "Uri ng Installer", - "Installer URL": "Uri ng Installer", - "Installer not available": "Hindi available ang installer", "Instance {0} responded, quitting...": "Instance {0} ay tumugon, huminto...", - "Instant search": "Mabilisang paghahanap", - "Integrity checks can be disabled from the Experimental Settings": "Maaaring i-disable ang mga pagsusuri sa integridad mula sa Mga Pang-eksperimento Setting", - "Integrity checks skipped": "Nilaktawan ang mga pagsusuri sa integridad", - "Integrity checks will not be performed during this operation": "Ang mga pagsusuri sa integridad ay hindi isasagawa sa panahon ng operasyong ito", - "Interactive installation": "Interactive na pag-install", - "Interactive operation": "Interactive na operasyon", - "Interactive uninstall": "Interactive na pag-uninstall", - "Interactive update": "Interactive na pag-update", - "Internet connection settings": "Mga setting ng koneksyon sa internet", - "Invalid selection": "Hindi wastong pagpili", "Is this package missing the icon?": "Nawawala ba ang icon ng package na ito?", - "Is your language missing or incomplete?": "Nawawala ba o hindi kumpleto ang iyong wika?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Hindi garantisadong ligtas na maiimbak ang mga ibinigay na kredensyal, kaya maaari mo ring hindi gamitin ang mga kredensyal ng iyong bank account", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Inirerekomenda na i-restart ang UniGetUI pagkatapos ayusin ang WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Lubos na inirerekomendang ang pag-reinstall ng UniGetUI upang matugunan ang sitwasyon.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Mukhang hindi gumagana nang maayos ang WinGet. Gusto mo bang subukang ayusin ang WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Mukhang pinatakbo mo ang UniGetUI bilang administrator, na hindi inirerekomenda. Magagamit mo pa rin ang program, ngunit lubos naming inirerekomenda na huwag patakbuhin ang UniGetUI na may mga pribilehiyo ng administrator. Mag-click sa \"{showDetails}\" para makita kung bakit.", - "Language": "Wika", - "Language, theme and other miscellaneous preferences": "Wika, tema at iba pang mga kagustuhan", - "Last updated:": "Huling na-update:", - "Latest": "Pinakabago", "Latest Version": "Pinakabagong Bersyon", "Latest Version:": "Pinakabagong Bersyon:", "Latest details...": "Pinakabagong detalye...", "Launching subprocess...": "Inilunsad ang subprocess...", - "Leave empty for default": "Iwanang walang laman para sa default", - "License": "Lisensya", "Licenses": "Mga lisensya", - "Light": "Malinawag", - "List": "Listahan", "Live command-line output": "Live na command-line na output", - "Live output": "Live na output", "Loading UI components...": "Nilo-load ang mga bahagi ng UI...", "Loading WingetUI...": "Nilo-load ang UniGetUI...", - "Loading packages": "Naglo-load ng mga package", - "Loading packages, please wait...": "Naglo-load ng mga package, mangyaring maghintay...", - "Loading...": "Naglo-load...", - "Local": "Lokal", - "Local PC": "Lokal na PC", - "Local backup advanced options": "Mga advanced na opsyon sa Lokal na backup", "Local machine": "Lokal na machine", - "Local package backup": "Pag-backup ng lokal na package", "Locating {pm}...": "Hinahanap ang {pm}...", - "Log in": "Mag-log in", - "Log in failed: ": "Bigong mag-log in:", - "Log in to enable cloud backup": "Mag-log in para mapagana ang cloud backup", - "Log in with GitHub": "Mag-log in gamit ang GitHub", - "Log in with GitHub to enable cloud package backup.": "Mag-log in gamit ang GitHub para mapagana ang pag-backup ng cloud package", - "Log level:": "Antas ng log:", - "Log out": "Mag-log out", - "Log out failed: ": "Bigong mag-log out:", - "Log out from GitHub": "Mag-log out sa Github", "Looking for packages...": "Naghahanap ng mga package...", "Machine | Global": "Machine | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Maaaring masira ng mga maling argumento sa command-line ang mga package, o payagan ang isang malisyosong aktor na makakuha ng privileged execution. Samakatuwid, ang pag-import ng mga custom na argumento sa command-line ay hindi pinagana bilang default", - "Manage": "Pamahalaan", - "Manage UniGetUI settings": "Pamahalaan ang mga setting ng UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Pamahalaan ang UniGetUI autostart na gawi mula sa Mga Setting na app", "Manage ignored packages": "Pamahalaan ang mga hindi pinapansin na mga package", - "Manage ignored updates": "Pamahalaan ang mga hindi pinapansin na update", - "Manage shortcuts": "Pamahalaan ang mga shortcut", - "Manage telemetry settings": "Pamahalaan ang mga setting ng telemetry", - "Manage {0} sources": "Pamahalaan ang {0} mga source", - "Manifest": "Manifest", "Manifests": "Mga manifest", - "Manual scan": "Mano-manong i-scan", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Opisyal na manager ng package ng Microsoft. Puno ng mga kilalang at na-verify na package
Naglalaman ng: Pangkalahatang Software, Mga app ng Microsoft Store", - "Missing dependency": "Nawawalang kinakailangan", - "More": "Higit pa", - "More details": "Higit pang mga detalye", - "More details about the shared data and how it will be processed": "Higit pang mga detalye tungkol sa nakabahaging data at kung paano ito ipoproseso", - "More info": "Higit pang impormasyon", - "More than 1 package was selected": "Mahigit 1 package ang napili", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "TANDAAN: Maaaring hindi paganahin ang troubleshooter na ito mula sa Mga Setting ng UniGetUI, sa seksyong WinGet", - "Name": "Pangalan", - "New": "Bago", "New Version": "Bagong Bersyon", "New bundle": "Bagong bundle", - "New version": "Bagong Bersyon", - "Nice! Backups will be uploaded to a private gist on your account": "Ayos! Ang mga backup ay ia-upload sa pribadong gist sa iyong account", - "No": "Hindi", - "No applicable installer was found for the package {0}": "Walang nahanap na naaangkop na installer para sa package na {0}", - "No dependencies specified": "Walang tinukoy na kinakailangan", - "No new shortcuts were found during the scan.": "Walang nahanap na mga bagong shortcut sa pag-scan.", - "No package was selected": "Walang napiling package", "No packages found": "Walang nahanap (na) mga package", "No packages found matching the input criteria": "Walang nahanap (na) mga package na tumutugma sa pamantayan sa pag-input", "No packages have been added yet": "Wala pang mga package na naidagdag", "No packages selected": "Walang napiling mga package", - "No packages were found": "Walang nahanap na mga package", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Walang personal na impormasyon ang kinokolekta o ipinadala, at ang nakolektang data ay hindi nagpapakilala, kaya hindi ito maibabalik sa iyo.", - "No results were found matching the input criteria": "Walang nahanap (na) mga resulta na tumutugma sa pamantayan sa pag-input", "No sources found": "Walang nahanap (na) source", "No sources were found": "Walang nahanap na source", "No updates are available": "Walang available na mga update", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Ang manager ng package ng Node JS. Puno ng mga library at iba pang mga utility na umiikot sa mundo ng javascript
Naglalaman ng: Mga library ng javascript ng node at iba pang nauugnay na mga utility", - "Not available": "Hindi available", - "Not finding the file you are looking for? Make sure it has been added to path.": "Hindi mahanap ang file na hinahanap mo? Tiyaking naidagdag ito sa path.", - "Not found": "Hindi mahanap", - "Not right now": "Hindi sa ngayon", "Notes:": "Mga Note:", - "Notification preferences": "Mga kagustuhan sa notification", "Notification tray options": "Mga opsyon sa tray ng notification", - "Notification types": "Mga uri ng notification", - "NuPkg (zipped manifest)": "NuPkg (naka-zip na manifest)", - "OK": "OK", "Ok": "Ok", - "Open": "Buksan", "Open GitHub": "Buksan sa GitHub", - "Open UniGetUI": "Buksan ang UniGetUI", - "Open UniGetUI security settings": "Buksan ang mga setting ng seguridad ng UniGetUI", "Open WingetUI": "Buksan ang UniGetUI", "Open backup location": "Buksan ang lokasyon ng backup", "Open existing bundle": "Buksan ang umiiral na bundle", - "Open install location": "Buksan ang lokasyon ng pag-install", "Open the welcome wizard": "Buksan ang welcome wizard", - "Operation canceled by user": "Kinansela ng user ang operasyon", "Operation cancelled": "Kinansela ang operasyon", - "Operation history": "Kasaysayan ng operasyon", - "Operation in progress": "Kasalukuyang isinasagawa ang operasyon", - "Operation on queue (position {0})...": "Operasyon sa queue (posisyon {0})...", - "Operation profile:": "Profile ng operasyon:", "Options saved": "Nai-save ang mga opsyon", - "Order by:": "Mag-order sa pamamagitan ng:", - "Other": "Iba pa", - "Other settings": "Iba pang mga setting", - "Package": "Package", - "Package Bundles": "Mga Bundle ng Package", - "Package ID": "ID ng Package", "Package Manager": "Tagapamahala ng package", - "Package Manager logs": "Mga log ng Package Manager", - "Package Managers": "Mga Package Manager", - "Package Name": "Pangalan ng Package", - "Package backup": "I-backup ang package", - "Package backup settings": "Mga setting ng pag-backup ng package", - "Package bundle": "Bundle ng package", - "Package details": "Mga detalye ng package", - "Package lists": "Mga listahan ng package", - "Package management made easy": "Pinadali ang pamamahala ng package", - "Package manager": "Tagapamahala ng package", - "Package manager preferences": "Mga kagustuhan sa mga package manager", "Package managers": "Mga package manager", - "Package not found": "Hindi mahanap ang package", - "Package operation preferences": "Mga kagustuhan sa pagpapatakbo ng package", - "Package update preferences": "Mga kagustuhan sa pag-update ng package", "Package {name} from {manager}": "Package {name} mula sa {manager}", - "Package's default": "Default ng package", "Packages": "Mga package", "Packages found: {0}": "Nahanap (na) mga package: {0}", - "Partially": "Bahagyang", - "Password": "Password", "Paste a valid URL to the database": "Mag-paste ng wastong URL sa database", - "Pause updates for": "I-pause ang mga update hanggang", "Perform a backup now": "Magsagawa ng backup ngayon", - "Perform a cloud backup now": "Magsagawa ng cloud backup ngayon", - "Perform a local backup now": "Magsagawa ng lokal na backup ngayon", - "Perform integrity checks at startup": "Magsagawa ng mga pagsusuri sa integridad sa pagsisimula", - "Performing backup, please wait...": "Nagsasagawa ng backup, mangyaring maghintay...", "Periodically perform a backup of the installed packages": "Pana-panahong magsagawa ng backup ng mga naka-install na package", - "Periodically perform a cloud backup of the installed packages": "Pana-panahong magsagawa ng cloud backup ng mga naka-install na package", - "Periodically perform a local backup of the installed packages": "Pana-panahong magsagawa ng lokal na backup ng mga naka-install na package", - "Please check the installation options for this package and try again": "Pakisuri ang mga opsyon sa pag-install para sa package na ito at subukang muli", - "Please click on \"Continue\" to continue": "Mangyaring mag-click sa \"Magpatuloy\" upang magpatuloy", "Please enter at least 3 characters": "Mangyaring maglagay ng hindi bababa sa 3 character", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Pakitandaan na maaaring hindi mai-install ang ilang partikular na package, dahil sa mga package manager na naka-enable sa machine na ito.", - "Please note that not all package managers may fully support this feature": "Pakitandaan na hindi lahat ng package manager ay maaaring ganap na suportahan ang feature na ito", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Pakitandaan na ang mga package mula sa ilang partikular na source ay maaaring hindi ma-export. Ang mga ito ay na-grey out at hindi na i-export.", - "Please run UniGetUI as a regular user and try again.": "Mangyaring patakbuhin ang UniGetUI bilang isang regular na user at subukang muli.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Pakitingnan ang Output ng Command-line o sumangguni sa Kasaysayan ng Operasyon para sa karagdagang impormasyon tungkol sa isyu.", "Please select how you want to configure WingetUI": "Mangyaring piliin kung paano mo gustong i-configure ang UniGetUI", - "Please try again later": "Pakisubukang muli mamaya", "Please type at least two characters": "Mangyaring mag-type ng hindi bababa sa dalawang character", - "Please wait": "Mangyaring maghintay", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Mangyaring maghintay habang ini-install ang {0}. Maaaring lumabas ang isang itim (o asul) na window. Pakihintay hanggang sa magsara ito.", - "Please wait...": "Mangyaring maghintay...", "Portable": "Portable", - "Portable mode": "Portable na mode\n", - "Post-install command:": "Command pagkatapos ng pag-install:", - "Post-uninstall command:": "Command pagkatapos ng pag-uninstall:", - "Post-update command:": "Command pagkatapos ng pag-update:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Package manager ng PowerShell. Maghanap ng mga library at script para palawakin ang mga kakayahan ng PowerShell
Naglalaman ng: Mga Module, Script, Cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Ang mga command bago at pagkatapos ng pag-install ay maaaring gumawa ng mga napakasamang bagay sa iyong device, kung idinisenyo upang gawin ito. Maaaring lubhang mapanganib ang pag-import ng mga command mula sa isang bundle, maliban kung pinagkakatiwalaan mo ang pinagmulan ng bundle ng package na iyon", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Ang mga command bago at pagkatapos ay patatakbuhin bago at pagkatapos ma-install, ma-upgrade o ma-uninstall ang isang package. Magkaroon ng kamalayan na maaari silang masira ang mga bagay maliban kung ginamit nang maingat", - "Pre-install command:": "Command bago mag-install:", - "Pre-uninstall command:": "Command bago mag-uninstall:", - "Pre-update command:": "Command bago ang pag-update:", - "PreRelease": "PreRelease", - "Preparing packages, please wait...": "Inihahanda ang mga package, mangyaring maghintay...", - "Proceed at your own risk.": "Magpatuloy sa sarili mong pananagutan.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Ipagbawal ang anumang uri ng Elevation sa pamamagitan ng UniGetUI Elevator o GSudo", - "Proxy URL": "URL ng proxy", - "Proxy compatibility table": "Compatability table ng proxy", - "Proxy settings": "Mga setting ng proxy", - "Proxy settings, etc.": "Mga setting ng proxy, atbp.", "Publication date:": "Petsa ng publikasyon:", - "Publisher": "Tagapaglathala:", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Tagapamahala ng library ng Python. Puno ng mga library ng python at iba pang mga kagamitang nauugnay sa python
Naglalaman ng: Mga library ng Python at mga nauugnay na kagamitan", - "Quit": "Lumabas", "Quit WingetUI": "Lumabas ng UniGetUI", - "Ready": "Handa", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Bawasan ang mga UAC prompt, itaas ang mga pag-install bilang default, i-unlock ang ilang partikular na mapanganib na feature, atbp.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Sumangguni sa mga log ng UniGetUI para makakuha ng higit pang mga detalye tungkol sa (mga) apektadong file", - "Reinstall": "I-reinstall", - "Reinstall package": "I-reinstall ang package", - "Related settings": "Mga kaugnay na setting", - "Release notes": "Mga release note", - "Release notes URL": "URL ng mga release note", "Release notes URL:": "URL ng mga release note:", "Release notes:": "Mga release note:", "Reload": "I-reload", - "Reload log": "I-reload ang log", "Removal failed": "Nabigo ang pag-alis", "Removal succeeded": "Nagtagumpay ang pagtanggal", - "Remove from list": "Alisin sa listahan", "Remove permanent data": "Alisin ang permanenteng data", - "Remove selection from bundle": "Alisin ang napili sa bundle", "Remove successful installs/uninstalls/updates from the installation list": "Alisin ang matagumpay na pag-install/pag-uninstall/pag-update mula sa listahan ng pag-install", - "Removing source {source}": "Inaalis ang source {source}", - "Removing source {source} from {manager}": "Inaalis ang source {source} mula sa {manager}", - "Repair UniGetUI": "Ayusin ang UniGetUI", - "Repair WinGet": "Ayusin ang WinGet", - "Report an issue or submit a feature request": "Mag-ulat ng isyu o magsumite ng kahilingan sa feature", "Repository": "Repository", - "Reset": "I-reset", "Reset Scoop's global app cache": "I-reset ang global app cache ng Scoop", - "Reset UniGetUI": "I-reset ang UniGetUI", - "Reset WinGet": "I-reset ang WinGet", "Reset Winget sources (might help if no packages are listed)": "I-reset ang mga source ng Winget (maaaring makatulong kung walang nakalistang mga package)", - "Reset WingetUI": "I-reset ang UniGetUI", "Reset WingetUI and its preferences": "I-reset ang UniGetUI at ang mga kagustuhan nito", "Reset WingetUI icon and screenshot cache": "I-reset ang icon ng UniGetUI at cache ng screenshot", - "Reset list": "I-reset ang listahan", "Resetting Winget sources - WingetUI": "Rine-reset ang mga source ng WinGet - UniGetUI", - "Restart": "I-reset", - "Restart UniGetUI": "I-restart ang UniGetUI", - "Restart WingetUI": "I-restart ang UniGetUI", - "Restart WingetUI to fully apply changes": "I-restart ang UniGetUI upang ganap na mailapat ang mga pagbabago", - "Restart later": "I-restart mamaya", "Restart now": "I-restart ngayon", - "Restart required": "Kinakailangang i-restart", - "Restart your PC to finish installation": "I-restart ang iyong PC upang matapos ang pag-install", - "Restart your computer to finish the installation": "I-restart ang iyong computer upang matapos ang pag-install", - "Restore a backup from the cloud": "I-restore ang backup mula sa cloud", - "Restrictions on package managers": "Mga restriksyon sa mga package manager", - "Restrictions on package operations": "Mga restriksyon sa mga operasyon ng package", - "Restrictions when importing package bundles": "Mga restriksyon kung nag-iimport ng mga package bundle", - "Retry": "Subukan muli", - "Retry as administrator": "Subukang muli bilang administrator", - "Retry failed operations": "Subukang muli ang mga nabigong operasyon", - "Retry interactively": "Subukang muli nang interactive", - "Retry skipping integrity checks": "Subukang laktawan ang mga pagsusuri sa integridad", - "Retrying, please wait...": "Sinusubukang muli, mangyaring maghintay...", - "Return to top": "Bumalik sa itaas", - "Run": "Magpatakbo", - "Run as admin": "Magpatakbo bilang admin", - "Run cleanup and clear cache": "Patakbuhin ang paglilinis at linisin ang cache", - "Run last": "Huling patakbuhin", - "Run next": "Patakbuhin susunod", - "Run now": "Patakbuhin ngayon", + "Restart your PC to finish installation": "I-restart ang iyong PC upang matapos ang pag-install", + "Restart your computer to finish the installation": "I-restart ang iyong computer upang matapos ang pag-install", + "Retry failed operations": "Subukang muli ang mga nabigong operasyon", + "Retrying, please wait...": "Sinusubukang muli, mangyaring maghintay...", + "Return to top": "Bumalik sa itaas", "Running the installer...": "Pinapatakbo ang installer...", "Running the uninstaller...": "Pinapatakbo ang uninstaller...", "Running the updater...": "Pinapatakbo ng updater...", - "Save": "I-save", "Save File": "I-save ang File", - "Save and close": "I-save at isara", - "Save as": "I-save bilang", "Save bundle as": "I-save ang bundle bilang", "Save now": "I-save ngayon", - "Saving packages, please wait...": "Sine-save ang mga package, mangyaring maghintay...", - "Scoop Installer - WingetUI": "Installer ng Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Uninstaller ng Scoop - UniGetUI", - "Scoop package": "Package ng scoop", "Search": "Maghanap", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Maghanap ng desktop software, balaan ako kapag may available na mga update at huwag gumawa ng mga nerdy na bagay. Ayokong maging kumplikado ang UniGetUI, gusto ko lang ng simpleng software store", - "Search for packages": "Maghanap ng mga package", - "Search for packages to start": "Maghanap ng mga package upang magsimula", - "Search mode": "Mode ng paghahanap", "Search on available updates": "Maghanap sa mga available na update", "Search on your software": "Maghanap sa iyong software", "Searching for installed packages...": "Naghahanap ng mga naka-install na package...", "Searching for packages...": "Naghahanap ng mga package...", "Searching for updates...": "Naghahanap ng mga update...", - "Select": "Pumili", "Select \"{item}\" to add your custom bucket": "Piliin ang \"{item}\" para idagdag ang iyong custom na bucket", "Select a folder": "Pumili ng folder", - "Select all": "Piliin lahat", "Select all packages": "Piliin ang lahat ng mga package", - "Select backup": "Pumili ng backup", "Select only if you know what you are doing.": "Piliin lamang ang kung alam mo ang iyong ginagawa.", "Select package file": "Pumili ng package file", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Piliin ang backup na gusto mong buksan. Sa ibang pagkakataon, magagawa mong suriin kung aling mga package/program ang gusto mong i-restore.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Piliin ang executable na gagamitin. Ipinapakita ng sumusunod na listahan ang mga executable na natagpuan ng UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Piliin ang mga prosesong dapat isara bago i-install, i-update o i-uninstall ang package na ito.", - "Select the source you want to add:": "Piliin ang source na gusto mong idagdag:", - "Select upgradable packages by default": "Pumili ng mga naa-upgrade na package bilang default", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Piliin kung aling mga package manager ang gagamitin ({0}), i-configure kung paano naka-install ang mga package, pamahalaan kung paano pinangangasiwaan ang mga karapatan ng administrator, atbp.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Nagpadala ng handshake. Naghihintay ng halimbawa ng sagot ng listener... ({0}%)", - "Set a custom backup file name": "Magtakda ng custom na backup na pangalan ng file", "Set custom backup file name": "Itakda ang custom na backup na pangalan ng file", - "Settings": "Mga Setting", - "Share": "Ibahagi", "Share WingetUI": "Ibahagi ang UniGetUI", - "Share anonymous usage data": "Ibahagi ang hindi kilalang data ng paggamit", - "Share this package": "Ibahagi ang package na ito", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Kung babaguhin mo ang mga setting ng seguridad, kakailanganin mong buksan muli ang bundle para magkabisa ang mga pagbabago.", "Show UniGetUI on the system tray": "Ipakita ang UniGetUI sa system tray", - "Show UniGetUI's version and build number on the titlebar.": "Ipakita ang bersyon ng UniGetUI sa title bar", - "Show WingetUI": "Ipakita ng UniGetUI", "Show a notification when an installation fails": "Magpakita ng notification kapag nabigo ang pag-install", "Show a notification when an installation finishes successfully": "Magpakita ng notification kapag matagumpay na natapos ang pag-install", - "Show a notification when an operation fails": "Magpakita ng notification kapag nabigo ang isang operasyon", - "Show a notification when an operation finishes successfully": "Magpakita ng notification kapag matagumpay na natapos ang isang operasyon", - "Show a notification when there are available updates": "Magpakita ng notification kapag may mga available na update", - "Show a silent notification when an operation is running": "Magpakita ng tahimik na notification kapag tumatakbo ang isang operasyon", "Show details": "Ipakita ang mga detalye", - "Show in explorer": "Ipakita sa explorer", "Show info about the package on the Updates tab": "Ipakita ang impormasyon tungkol sa package sa tab ng Mga Update", "Show missing translation strings": "Ipakita ang mga nawawalang string ng pagsasalin", - "Show notifications on different events": "Ipakita ang mga abiso sa iba't ibang mga kaganapan", "Show package details": "Ipakita ang mga detalye ng package", - "Show package icons on package lists": "Ipakita ang mga icon ng package sa mga listahan ng package", - "Show similar packages": "Magkatulad na mga package", "Show the live output": "Ipakita ang live na output", - "Size": "Laki", "Skip": "Laktawan", - "Skip hash check": "Laktawan ang pagsusuri ng hash", - "Skip hash checks": "Laktawan ang mga pagsusuri ng hash", - "Skip integrity checks": "Laktawan ang mga pagsusuri sa integridad", - "Skip minor updates for this package": "Laktawan ang mga minor na update para sa package na ito", "Skip the hash check when installing the selected packages": "Laktawan ang pagsusuri ng hash kapag ini-install ang mga napiling package", "Skip the hash check when updating the selected packages": "Laktawan ang pagsusuri ng hash kapag ina-update ang mga napiling package", - "Skip this version": "Laktawan ang bersyon na ito", - "Software Updates": "Mga Software Update", - "Something went wrong": "Nagkaroon ng problema", - "Something went wrong while launching the updater.": "Nagkaroon ng problema habang pinapatakbo ang updater.", - "Source": "Source", - "Source URL:": "URL ng Source:", - "Source added successfully": "Matagumpay na naidagdag ang source", "Source addition failed": "Nabigo ang pagdaragdag ng source", - "Source name:": "Pangalan ng source:", "Source removal failed": "Nabigo ang pag-alis ng source", - "Source removed successfully": "Matagumpay na naalis ang source", "Source:": "Source:", - "Sources": "Mga Source", "Start": "Magsimula", "Starting daemons...": "Nagsisimula ang mga daemon...", - "Starting operation...": "Sinisimulan ang operasyon...", "Startup options": "Mga pagpipilian sa startup", "Status": "Katayuan", "Stuck here? Skip initialization": "Natigil dito? Laktawan ang pagsisimula", - "Success!": "Matagumpay!", "Suport the developer": "Suportahan ang developer", "Support me": "Suportahan ako", "Support the developer": "Suportahan ang developer", "Systems are now ready to go!": "Ang mga system ay nakahanda na!", - "Telemetry": "Telemetry", - "Text": "Text", "Text file": "File ng text", - "Thank you ❤": "Salamat ❤", - "Thank you \uD83D\uDE09": "Salamat \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Ang Rust package manager.
Naglalaman ng: Mga Rust na library at program na nakasulat sa Rust", - "The backup will NOT include any binary file nor any program's saved data.": "HINDI isasama sa backup ang anumang binary file o anumang naka-save na data ng program.", - "The backup will be performed after login.": "Ang backup ay isasagawa pagkatapos mag-login.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Kasama sa backup ang kumpletong listahan ng mga naka-install na package at ang kanilang mga opsyon sa pag-install. Mase-save din ang mga binalewalang update at nilaktawan na bersyon.", - "The bundle was created successfully on {0}": "Matagumpay na nalikha ang bundle noong {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Mukhang di-wasto ang bundle na sinusubukan mong i-load. Pakisuri ang file at subukang muli.", + "Thank you 😉": "Salamat 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Ang checksum ng installer ay hindi tumutugma sa inaasahang halaga, at ang pagiging tunay ng installer ay hindi mabe-verify. Kung pinagkakatiwalaan mo ang tagapaglathala, {0} muli laktawan ng package ang pagsusuri ng hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Ang klasikong manager ng package para sa Windows. Makikita mo ang lahat doon.
Naglalaman ng: Pangkalahatang Software", - "The cloud backup completed successfully.": "Matagumpay na nakumpleto ang cloud backup.", - "The cloud backup has been loaded successfully.": "Matagumpay na na-load ang cloud backup.", - "The current bundle has no packages. Add some packages to get started": "Ang kasalukuyang bundle ay walang mga package. Magdagdag ng ilang mga package upang makapagsimula", - "The executable file for {0} was not found": "Ang executable na file para sa {0} ay hindi nahanap", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Ang mga sumusunod na opsyon ay ilalapat bilang default sa tuwing ang isang {0} na package ay na-install, na-upgrade o na-uninstall.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Ang mga sumusunod na package ay ie-export sa isang JSON file. Walang data ng user o binary ang mase-save.", "The following packages are going to be installed on your system.": "Ang mga sumusunod na package ay mai-install sa iyong system.", - "The following settings may pose a security risk, hence they are disabled by default.": "Ang mga sumusunod na setting ay maaaring magdulot ng panganib sa seguridad, kaya hindi pinagana ang mga ito bilang default.", - "The following settings will be applied each time this package is installed, updated or removed.": "Ilalapat ang mga sumusunod na setting sa tuwing mai-install, maa-update o maalis ang package na ito.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Ilalapat ang mga sumusunod na setting sa tuwing mai-install, maa-update o maalis ang package na ito. Awtomatiko silang mase-save.", "The icons and screenshots are maintained by users like you!": "Ang mga icon at screenshot ay pinapanatili ng mga user na katulad mo!", - "The installation script saved to {0}": "Ang script ng pag-install ay na-save sa {0}", - "The installer authenticity could not be verified.": "Hindi ma-verify ang pagiging tunay ng installer.", "The installer has an invalid checksum": "Ang installer ay may di-wastong checksum", "The installer hash does not match the expected value.": "Ang hash ng installer ay hindi tumutugma sa inaasahang halaga.", - "The local icon cache currently takes {0} MB": "Ang cache ng lokal na icon ay kasalukuyang nasa {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Ang pangunahing layunin ng proyektong ito ay lumikha ng isang madaling gamitin na UI para sa pinakakaraniwang CLI package manager para sa Windows, gaya ng Winget at Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Ang package na \"{0}\" ay hindi nahanap sa package manager na \"{1}\"", - "The package bundle could not be created due to an error.": "Hindi magawa ang package bundle dahil sa isang error.", - "The package bundle is not valid": "Ang package bundle ay hindi wasto", - "The package manager \"{0}\" is disabled": "Ang manager ng package na \"{0}\" ay naka-disable", - "The package manager \"{0}\" was not found": "Ang manager ng package na \"{0}\" ay hindi nahanap", "The package {0} from {1} was not found.": "Ang package na {0} mula sa {1} ay hindi nahanap.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Ang mga package na nakalista dito ay hindi isasaalang-alang kapag tumitingin ng mga update. I-double-click ang mga ito o i-click ang button sa kanilang kanan upang ihinto ang pagbalewala sa kanilang mga update.", "The selected packages have been blacklisted": "Ang mga napiling package ay nai-blacklist", - "The settings will list, in their descriptions, the potential security issues they may have.": "Ililista ng mga setting, sa kanilang mga paglalarawan, ang mga potensyal na isyu sa seguridad na maaaring mayroon sila.", - "The size of the backup is estimated to be less than 1MB.": "Ang laki ng backup ay tinatantya na mas mababa sa 1MB.", - "The source {source} was added to {manager} successfully": "Ang source {source} ay matagumpay na naidagdag sa {manager}.", - "The source {source} was removed from {manager} successfully": "Matagumpay na naalis ang source {source} mula sa {manager}.", - "The system tray icon must be enabled in order for notifications to work": "Dapat na pinagana ang icon ng system tray upang gumana ang mga notification", - "The update process has been aborted.": "Na-abort ang proseso ng pag-update.", - "The update process will start after closing UniGetUI": "Magsisimula ang proseso ng pag-update pagkatapos isara ang UniGetUI", "The update will be installed upon closing WingetUI": "Ang update ay mai-install sa pagsasara ng UniGetUI", "The update will not continue.": "Hindi matutuloy ang update.", "The user has canceled {0}, that was a requirement for {1} to be run": "Kinansela ng user ang {0}, iyon ay kinakailangan para sa {1} na patakbuhin", - "There are no new UniGetUI versions to be installed": "Walang mga bagong bersyon ng UniGetUI na mai-install", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "May mga patuloy na operasyon. Ang paghinto sa UniGetUI ay maaaring maging sanhi ng pagkabigo sa kanila. Gusto mo bang magpatuloy?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Mayroong ilang magagandang video sa YouTube na nagpapakita ng UniGetUI at mga kakayahan nito. Maaari kang matuto ng mga kapaki-pakinabang na trick at tip!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Mayroong dalawang pangunahing dahilan upang hindi patakbuhin ang UniGetUI bilang administrator: \nAng una ay ang Scoop package manager ay maaaring magdulot ng mga problema sa ilang mga command kapag tumakbo nang may mga karapatan ng administrator. \nAng pangalawa ay ang pagpapatakbo ng UniGetUI bilang administrator ay nangangahulugan na ang anumang package na iyong ida-download ay tatakbo bilang administrator (at ito ay hindi ligtas). \nTandaan na kung kailangan mong mag-install ng isang partikular na package bilang administrator, maaari mong palaging i-right-click ang item -> I-install/I-update/I-uninstall bilang administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Mayroong error sa configuration ng package manager na \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Mayroong kasalukuyang pag-install. Kung isasara mo ang UniGetUI, maaaring mabigo ang pag-install at magkaroon ng mga hindi inaasahang resulta. Gusto mo pa bang umalis sa UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Ito ang mga program na namamahala sa pag-install, pag-update at pag-alis ng mga package.", - "Third-party licenses": "Mga lisensya ng third-party", "This could represent a security risk.": "Ito ay maaaring kumakatawan sa isang panganib sa seguridad.", - "This is not recommended.": "Hindi ito inirerekomenda.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ito ay malamang na dahil sa ang katunayan na ang package na ipinadala sa iyo ay inalis, o na-publish sa isang package manager na hindi mo pinagana. Ang natanggap na ID ay {0}", "This is the default choice.": "Ito ang default na pagpipilian.", - "This may help if WinGet packages are not shown": "Maaaring makatulong ito kung hindi ipinapakita ang mga package ng WinGet", - "This may help if no packages are listed": "Maaaring makatulong ito kung walang nakalistang mga package", - "This may take a minute or two": "Maaaring tumagal ito ng isang minuto o dalawa", - "This operation is running interactively.": "Interactive na tumatakbo ang operasyong ito.", - "This operation is running with administrator privileges.": "Ang operasyong ito ay tumatakbo nang may mga pribilehiyo ng administrator.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ang opsyon na ito ay MAGDUDULOT ng mga isyu. Ang anumang operasyon na hindi kayang i-elevate ang sarili ay MABIGO. Ang pag-install/pag-update/pag-uninstall bilang administrator ay HINDI GAGANA.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ang package bundle na ito ay may ilang mga setting na potensyal na mapanganib, at maaaring balewalain bilang default.", "This package can be updated": "Maaaring ma-update ang package na ito", "This package can be updated to version {0}": "Maaaring ma-update ang package na ito sa bersyon {0}", - "This package can be upgraded to version {0}": "Maaaring i-upgrade ang package na ito sa bersyon {0}", - "This package cannot be installed from an elevated context.": "Hindi ma-install ang package na ito mula sa isang na-elevate na konteksto.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ang package na ito ay walang mga screenshot o nawawala ang icon? Mag-ambag sa UniGetUI sa pamamagitan ng pagdaragdag ng mga nawawalang icon at screenshot sa aming bukas, pampublikong database.", - "This package is already installed": "Naka-install na ang package na ito", - "This package is being processed": "Pinoproseso ang package na ito", - "This package is not available": "Hindi available ang package na ito", - "This package is on the queue": "Ang package na ito ay nasa queue", "This process is running with administrator privileges": "Ang prosesong ito ay tumatakbo na may mga pribilehiyo ng administrator", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ang proyektong ito ay walang koneksyon sa opisyal na {0} na proyekto — ito ay ganap na hindi opisyal.", "This setting is disabled": "Naka-disable ang setting na ito", "This wizard will help you configure and customize WingetUI!": "Tutulungan ka ng wizard na ito na i-configure at i-customize ang UniGetUI!", "Toggle search filters pane": "I-toggle ang pane ng mga filter sa paghahanap", - "Translators": "Mga tagasalin", - "Try to kill the processes that refuse to close when requested to": "Subukang patayin ang mga prosesong tumatangging magsara kapag hiniling", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ang pag-on nito ay nagbibigay-daan sa pagbabago ng executable file na ginagamit para makipag-ugnayan sa mga package manager. Bagama't pinapayagan nito ang mas pinong pag-customize ng iyong mga proseso sa pag-install, maaari rin itong mapanganib", "Type here the name and the URL of the source you want to add, separed by a space.": "I-type dito ang pangalan at ang URL ng source na gusto mong idagdag, na pinaghihiwalay ng espasyo.", "Unable to find package": "Hindi mahanap ang package", "Unable to load informarion": "Hindi ma-load ang impormasyon", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "Kinokolekta ng UniGetUI ang hindi kilalang data ng paggamit upang mapabuti ang karanasan ng user.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Kinokolekta ng UniGetUI ang hindi kilalang data ng paggamit na may tanging layunin ng pag-unawa at pagpapabuti ng karanasan ng user.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Nakakita ang UniGetUI ng bagong desktop shortcut na maaaring awtomatikong tanggalin.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Natukoy ng UniGetUI ang mga sumusunod na desktop shortcut na maaaring awtomatikong alisin sa mga pag-upgrade sa hinaharap", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Nakakita ang UniGetUI ng {0} bagong desktop shortcut na maaaring awtomatikong tanggalin.", - "UniGetUI is being updated...": "Ina-update ang UniGetUI...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Ang UniGetUI ay hindi nauugnay sa alinman sa mga compatible na package manager. Ang UniGetUI ay isang independiyenteng proyekto.", - "UniGetUI on the background and system tray": "UniGetUI sa background at system tray", - "UniGetUI or some of its components are missing or corrupt.": "Ang UniGetUI o ang ilan sa mga bahagi nito ay nawawala o na-corrupt.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "Kinakailangan ng UniGetUI ang {0} upang gumana, ngunit hindi ito nahanap sa iyong system.", - "UniGetUI startup page:": "Startup page ng UniGetUI:", - "UniGetUI updater": "Taga-update ng UniGetUI", - "UniGetUI version {0} is being downloaded.": "Dina-download ang bersyon ng UniGetUI {0}.", - "UniGetUI {0} is ready to be installed.": "Handa nang i-install ang UniGetUI {0}.", - "Uninstall": "I-uninstall", - "Uninstall Scoop (and its packages)": "I-uninstall ang Scoop (at ang mga package nito)", "Uninstall and more": "I-uninstall at iba pa", - "Uninstall and remove data": "I-uninstall at alisin ang data", - "Uninstall as administrator": "I-uninstall bilang administrator", "Uninstall canceled by the user!": "Kinansela ng user ang pag-uninstall!", - "Uninstall failed": "Nabigo ang pag-uninstall", - "Uninstall options": "Mga opsyon sa pag-uninstall", - "Uninstall package": "I-uninstall ang package", - "Uninstall package, then reinstall it": "I-uninstall ang package, pagkatapos ay i-reinstall ito", - "Uninstall package, then update it": "I-uninstall ang package, pagkatapos ay i-update ito", - "Uninstall previous versions when updated": "I-uninstall ang mga nakaraang bersyon kapag na-update", - "Uninstall selected packages": "I-uninstall ang mga napiling package", - "Uninstall selection": "Napiling i-uninstall", - "Uninstall succeeded": "Nagtagumpay ang pag-uninstall", "Uninstall the selected packages with administrator privileges": "I-uninstall ang mga napiling package na may mga pribilehiyo ng administrator", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Ang mga naa-uninstall na package na may pinagmulang nakalista bilang \"{0}\" ay hindi na-publish sa anumang package manager, kaya walang impormasyong magagamit upang ipakita ang tungkol sa mga ito.", - "Unknown": "Hindi kilala", - "Unknown size": "Hindi kilalang laki", - "Unset or unknown": "Hindi nakatakda o hindi alam", - "Up to date": "Napapanahon", - "Update": "I-update", - "Update WingetUI automatically": "Awtomatikong i-update ang UniGetUI", - "Update all": "I-update lahat", "Update and more": "Update at iba pa", - "Update as administrator": "I-update bilang administrator", - "Update check frequency, automatically install updates, etc.": "I-update ang dalas ng pagsusuri, awtomatikong mag-install ng mga update, atbp.", - "Update checking": "Sinisuri ang update", "Update date": "Petsa ng update", - "Update failed": "Nabigo ang pag-update", "Update found!": "Nahanap ang update!", - "Update now": "I-update ngayon", - "Update options": "Mga opsyon sa pag-update", "Update package indexes on launch": "I-update ang mga package index sa paglulunsad", "Update packages automatically": "Awtomatikong i-update ang mga package", "Update selected packages": "I-update ang mga napiling package", "Update selected packages with administrator privileges": "I-update ang mga napiling package na may mga pribilehiyo ng administrator", - "Update selection": "Napiling i-update", - "Update succeeded": "Nagtagumpay ang pag-update", - "Update to version {0}": "Update sa bersyon {0}", - "Update to {0} available": "Available ang update sa {0}.", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Awtomatikong i-update ang Git portfiles ng vcpkg (nangangailangan ng naka-install ang Git)", "Updates": "Mga update", "Updates available!": "Available ang Mga Update!", - "Updates for this package are ignored": "Binabalewala ang mga update para sa package na ito", - "Updates found!": "Nahanap ang mga update!", "Updates preferences": "Mga kagustuhan sa pag-update", "Updating WingetUI": "Ina-update ang UniGetUI", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Gamitin ang Legacy bundle na WinGet sa halip na PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Gumamit ng custom na icon at URL ng database ng screenshot", "Use bundled WinGet instead of PowerShell CMDlets": "Gumamit ng naka-bundle na WinGet sa halip na PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Gumamit ng naka-bundle na WinGet sa halip na system WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Gamitin ang na-install na GSudo sa halip ng UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Gamitin ang naka-install na GSudo sa halip na ang naka-bundle", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Gumamit ng legacy na UniGetUI Elevator (maaaring makatulong kung nagkakaroon ng mga isyu sa UniGetUI Elevator)", - "Use system Chocolatey": "Gamitin ang system na Chocolatey", "Use system Chocolatey (Needs a restart)": "Gamitin ang system na Chocolatey (Kailangan ng restart)", "Use system Winget (Needs a restart)": "Gamitin ang system Winget (Kailangan ng restart)", "Use system Winget (System language must be set to english)": "Gamitin ang WinGet (Dapat itakda ang wika ng system sa Ingles)", "Use the WinGet COM API to fetch packages": "Gamitin ang WinGet COM API para kumuha ng mga package", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Gamitin ang WinGet PowerShell Module sa halip na ang WinGet COM API", - "Useful links": "Mga kapaki-pakinabang na link", "User": "User", - "User interface preferences": "Mga kagustuhan sa interface ng user", "User | Local": "User | Lokal", - "Username": "Username", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Ang paggamit ng UniGetUI ay nagpapahiwatig ng pagtanggap ng GNU Lesser General Public License v2.1 License", - "Using WingetUI implies the acceptation of the MIT License": "Ang paggamit ng UniGetUI ay nagpapahiwatig ng pagtanggap ng MIT License", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Hindi nahanap ang root ng vcpkg. Mangyaring tukuyin ang %VCPKG_ROOT% environment variable o tukuyin ito mula sa Mga Setting ng UniGetUI", "Vcpkg was not found on your system.": "Hindi nahanap ang Vcpkg sa iyong system.", - "Verbose": "Verbose", - "Version": "Bersyon", - "Version to install:": "Bersyon na i-install:", - "Version:": "Bersyon:", - "View GitHub Profile": "Tingnan ang GitHub Profile", "View WingetUI on GitHub": "Tingnan ang UniGetUI sa GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Tingnan ang source code ng UniGetUI. Mula doon, maaari kang mag-ulat ng mga bug o magmungkahi ng mga feature, o kahit na direktang mag-ambag sa proyekto ng UniGetUI", - "View mode:": "Mode sa pag-view:", - "View on UniGetUI": "Tignan sa UniGetUI", - "View page on browser": "Tingnan ang page sa browser", - "View {0} logs": "Tingnan ang {0} (na) log", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Hintaying makakonekta ang device sa internet bago subukang gawin ang mga gawain na nangangailangan ng koneksyon sa internet.", "Waiting for other installations to finish...": "Naghihintay para matapos ang iba pang pag-install...", "Waiting for {0} to complete...": "Hinihintay na makumpleto ang {0}...", - "Warning": "Babala", - "Warning!": "Babala!", - "We are checking for updates.": "Sinusuri namin ang mga update.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Hindi namin mai-load ang detalyadong impormasyon tungkol sa package na ito, dahil hindi ito nakita sa alinman sa iyong mga source ng package.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Hindi namin mai-load ang detalyadong impormasyon tungkol sa package na ito, dahil hindi ito na-install mula sa isang available na package manager.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Hindi namin magawa ang {action} sa {package}. Pakisubukang muli mamaya. I-click ang \"{showDetails}\" upang makuha ang mga log mula sa installer.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Hindi namin magawa ang {action} sa {package}. Pakisubukang muli mamaya. I-click ang \"{showDetails}\" upang makuha ang mga log mula sa uninstaller.", "We couldn't find any package": "Wala kaming mahanap na kahit anong package", "Welcome to WingetUI": "Maligayang pagdating sa UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Kapag batch ang pag-install ng mga package mula sa isang bundle, i-install din ang mga na-install na mga package", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kapag may nakitang mga bagong shortcut, awtomatikong tanggalin ang mga ito sa halip na ipakita ang dialog na ito.", - "Which backup do you want to open?": "Anong backup ang gusto mong buksan?", "Which package managers do you want to use?": "Aling mga package manager ang gusto mong gamitin?", "Which source do you want to add?": "Aling source ang gusto mong idagdag?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Habang ang Winget ay maaaring gamitin sa loob ng UniGetUI, ang UniGetUI ay maaaring gamitin sa iba pang mga package manager, na maaaring nakalilito. Noong nakaraan, ang UniGetUI ay idinisenyo upang gumana lamang sa Winget, ngunit ito ay hindi na totoo, at samakatuwid ang UniGetUI ay hindi kumakatawan sa kung ano ang layunin ng proyektong ito.", - "WinGet could not be repaired": "Hindi ma-repair ang WinGet", - "WinGet malfunction detected": "May nakitang malfunction ng WinGet", - "WinGet was repaired successfully": "Matagumpay na naayos ang WinGet", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetI - Ang lahat ay napapanahon", "WingetUI - {0} updates are available": "UniGetUI - {0} (na) update ay available", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Homepage ng UniGetUI", "WingetUI Homepage - Share this link!": "Homepage ng UniGetUI - Ibahagi ang link na ito!", - "WingetUI License": "Lisensya ng UniGetUI", - "WingetUI Log": "Log ng UniGetUI", - "WingetUI Repository": "Repository ng UniGetUI", - "WingetUI Settings": "Mga Setting ng UniGetUI", "WingetUI Settings File": "Settings File ng UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Ginagamit ng UniGetUI ang mga sumusunod na library. Kung wala sila, hindi magiging posible ang UniGetUI.", - "WingetUI Version {0}": "Bersyon ng UniGetUI {0}", "WingetUI autostart behaviour, application launch settings": "Gawain ng UniGetUI sa pag-autostart, mga setting ng paglunsad ng aplikasyon", "WingetUI can check if your software has available updates, and install them automatically if you want to": "Maaaring suriin ng UniGetUI kung may available na mga update ang iyong software, at awtomatikong i-install ang mga ito kung gusto mo", - "WingetUI display language:": "Ipinapakitang wika ng UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Ang UniGetUI ay pinatakbo bilang administrator, na hindi inirerekomenda. Kapag nagpapatakbo ng UniGetUI bilang administrator, BAWAT operasyon na inilunsad mula sa UniGetUI ay magkakaroon ng mga pribilehiyo ng administrator. Magagamit mo pa rin ang program, ngunit lubos naming inirerekomenda na huwag patakbuhin ang UniGetUI na may mga pribilehiyo ng administrator.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "Ang UniGetUI ay isinalin sa higit sa 40 mga wika salamat sa mga boluntaryong tagasalin. Salamat \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "Ang UniGetUI ay hindi naisalin gamit ang machine translation! Ang mga sumusunod na user ay namamahala sa mga pagsasalin:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "Ang UniGetUI ay isang aplikasyon na nagpapadali sa pamamahala ng iyong software, sa pamamagitan ng pagbibigay ng isahang graphical na interface para sa iyong mga command-line package manager.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "Ang UniGetUI ay pinalitan ng pangalan upang bigyang-diin ang pagkakaiba sa pagitan ng UniGetUI (ang interface na ginagamit mo ngayon) at WinGet (isang package manager na binuo ng Microsoft kung saan hindi ako nauugnay)", "WingetUI is being updated. When finished, WingetUI will restart itself": "Ina-update ang UniGetUI. Kapag natapos na, ang UniGetUI ay magre-restart ", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "Ang UniGetUI ay libre, at ito ay magiging libre magpakailanman. Walang mga ad, walang credit card, walang premium na bersyon. 100% libre, magpakailanman.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "Magpapakita ang UniGetUI ng UAC prompt sa tuwing nangangailangan ang isang package ng elevation upang mai-install.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "Malapit nang pangalanan ang WingetUI na {newname}. Hindi ito kumakatawan sa anumang pagbabago sa aplikasyon. Ako (ang developer) ay magpapatuloy sa pagbuo ng proyektong ito tulad ng ginagawa ko ngayon, ngunit sa ilalim ng ibang pangalan.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "Hindi magiging posible ang UniGetUI kung wala ang tulong ng aming mahal na mga kontribyutor. Tingnan ang kanilang mga profile sa GitHub, hindi magiging posible ang UniGetUI kung wala sila!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "Hindi magiging posible ang UniGetUI kung wala ang tulong ng mga kontribyutor. Salamat sa inyong lahat \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "Handa nang i-install ang UniGetUI {0}.", - "Write here the process names here, separated by commas (,)": "Isulat dito ang mga pangalan ng mga proseso dito, pinaghihiwalay ng kuwit (,)", - "Yes": "Oo", - "You are logged in as {0} (@{1})": "Naka-log in ka bilang {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Maaari mong baguhin ang gawi na ito sa mga setting ng seguridad ng UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Maaari mong tukuyin ang mga command na patatakbuhin bago o pagkatapos ma-install, ma-update o ma-uninstall ang package na ito. Tatakbo ang mga ito sa command prompt, kaya gagana rito ang mga CMD script.", - "You have currently version {0} installed": "Kasalukuyan kang naka-install na bersyon {0}.", - "You have installed WingetUI Version {0}": "Naka-install ang Bersyon ng UniGetUI {0}", - "You may lose unsaved data": "Maaari kang mawalan ng hindi na-save na data", - "You may need to install {pm} in order to use it with WingetUI.": "Maaaring kailanganin mong i-install ang {pm} upang magamit ito sa UniGetUI.", "You may restart your computer later if you wish": "Maaari mong i-restart ang iyong computer sa ibang pagkakataon kung gusto mo", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Isang beses ka lang ipo-prompt, at ibibigay ang mga karapatan ng administrator sa mga package na humihiling sa kanila.", "You will be prompted only once, and every future installation will be elevated automatically.": "Isang beses ka lang ipo-prompt, at ang bawat pag-install sa hinaharap ay awtomatikong i-elevate.", - "You will likely need to interact with the installer.": "Malamang na kakailanganin mong makipag-iteract sa installer.", - "[RAN AS ADMINISTRATOR]": "PINATAKBO BILANG ADMINISTRATOR", "buy me a coffee": "bilhan mo ako ng kape", - "extracted": "na-extract na", - "feature": "katangian", "formerly WingetUI": "dating WingetUI", "homepage": "website", "install": "i-install", "installation": "pag-install", - "installed": "na-install na", - "installing": "nag-iinstall", - "library": "library", - "mandatory": "kinakailangan", - "option": "opsyon", - "optional": "opsyonal", "uninstall": "i-uninstall", "uninstallation": "nag-uninstall", "uninstalled": "na-uninstall na", - "uninstalling": "nag-uninstall", "update(noun)": "mag-update", "update(verb)": "i-update", "updated": "na-update na", - "updating": "nag-a-update", - "version {0}": "bersyon {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Kasalukuyang naka-lock ang mga opsyon sa pag-install ng {0} dahil sinusunod ng {0} ang mga default na opsyon sa pag-install.", "{0} Uninstallation": "Nag-uninstall ang {0}", "{0} aborted": "Na-abort ang {0}", "{0} can be updated": "Maaaring ma-update ang {0}.", - "{0} can be updated to version {1}": "Maaaring ma-update ang {0} sa bersyon {1}", - "{0} days": "{0} na araw", - "{0} desktop shortcuts created": "{0} (na) desktop shortcut ang nagawa", "{0} failed": "Nabigo ang {0}", - "{0} has been installed successfully.": "Matagumpay na na-install ang {0}.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "Matagumpay na na-install ang {0}. Inirerekomenda na i-restart ang UniGetUI upang matapos ang pag-install", "{0} has failed, that was a requirement for {1} to be run": "Ang {0} ay nabigo, iyon ay isang kinakailangan para sa {1} na patakbuhin", - "{0} homepage": "Homepage ng {0}", - "{0} hours": "{0} (na) oras", "{0} installation": "Pag-install ng {0}", - "{0} installation options": "Mga opsyon sa pag-install ng {0}", - "{0} installer is being downloaded": "Ang {0} installer ay dina-download", - "{0} is being installed": "Ini-install ang {0}", - "{0} is being uninstalled": "Ina-uninstall ang {0}", "{0} is being updated": "Ang {0} ay ina-update", - "{0} is being updated to version {1}": "Ang {0} ay ina-update sa bersyon {1}", - "{0} is disabled": "{0} ay naka-disable", - "{0} minutes": "{0} (na) minuto", "{0} months": "{0} (na) buwan", - "{0} packages are being updated": "{0} (na) package ay ina-update", - "{0} packages can be updated": "Maaaring ma-update ang {0} (na) mga package", "{0} packages found": "{0} (na) package ang nahanap", "{0} packages were found": "{0} (na) package ang nahanap", - "{0} packages were found, {1} of which match the specified filters.": "{0} (na) package ang nahanap, {1} kung saan tumutugma sa tinukoy na mga filter.", - "{0} selected": "{0} na napili", - "{0} settings": "mga setting ng {0}", - "{0} status": "Katayuan ng {0}", "{0} succeeded": "Nagtagumpay ang {0}.", "{0} update": "{0} na update", - "{0} updates are available": "{0} (na) mga update ay available", "{0} was {1} successfully!": "Matagumpay na naging {1} ang {0}!", "{0} weeks": "{0} (na) linggo", "{0} years": "{0} (na) taon", "{0} {1} failed": "Nabigo ang {0} {1}", - "{package} Installation": "Pag-install ng {package}", - "{package} Uninstall": "Pag-uninstall ng {package}", - "{package} Update": "Pag-update ng {package}", - "{package} could not be installed": "Hindi ma-install ang {package}", - "{package} could not be uninstalled": "Hindi ma-uninstall ang {package}", - "{package} could not be updated": "Hindi ma-update ang {package}", "{package} installation failed": "Nabigo ang pag-install ng {package}", - "{package} installer could not be downloaded": "Hindi ma-download ang installer ng {package}", - "{package} installer download": "Pag-download ng installer ng {package}", - "{package} installer was downloaded successfully": "Matagumpay na na-download ang installer ng {package}", "{package} uninstall failed": "Nabigo ang pag-uninstall ng {package}", "{package} update failed": "Nabigo ang pag-update ng {package}", "{package} update failed. Click here for more details.": "Nabigo ang pag-update ng {package}. Mag-click dito para sa higit pang mga detalye.", - "{package} was installed successfully": "Matagumpay na na-install ang {package}", - "{package} was uninstalled successfully": "Matagumpay na na-uninstall ang {package}", - "{package} was updated successfully": "Matagumpay na na-update ang {package}", - "{pcName} installed packages": "Mga naka-install na package ng {pcName}", "{pm} could not be found": "Hindi mahanap ang {pm}", "{pm} found: {state}": "{pm} natagpuan: {state}", - "{pm} is disabled": "{pm} ay naka-disable", - "{pm} is enabled and ready to go": "{pm} ay naka-enable at handa na", "{pm} package manager specific preferences": "Mga partikular na kagustuhan sa package manager ng {pm}", "{pm} preferences": "Mga kagustuhan ng {pm}", - "{pm} version:": "Bersyon ng {pm}:", - "{pm} was not found!": "Hindi mahanap ang {pm}!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Kumusta, ang pangalan ko ay Martí, at ako ang developer ng UniGetUI. Ang UniGetUI ay ganap na ginawa sa aking libreng oras!", + "Thank you ❤": "Salamat ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ang proyektong ito ay walang koneksyon sa opisyal na {0} na proyekto — ito ay ganap na hindi opisyal." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fr.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fr.json index b9c2c5aa72..bc896241f8 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fr.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_fr.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Opération en cours", + "Please wait...": "Veuillez patienter...", + "Success!": "Succès !", + "Failed": "Échec", + "An error occurred while processing this package": "Une erreur s'est produite lors du traitement du paquet", + "Log in to enable cloud backup": "Connectez-vous pour activer la sauvegarde dans le cloud", + "Backup Failed": "La sauvegarde a échoué", + "Downloading backup...": "Téléchargement de la sauvegarde...", + "An update was found!": "Une mise à jour a été trouvée !", + "{0} can be updated to version {1}": "{0} peut être mis à jour vers la version {1}", + "Updates found!": "Mises à jour trouvées !", + "{0} packages can be updated": "{0} paquets peuvent être mis à jour", + "You have currently version {0} installed": "Vous avez actuellement la version {0} installée", + "Desktop shortcut created": "Raccourci sur le bureau créé", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI a détecté un nouveau raccourci sur le bureau qui peut être supprimé automatiquement.", + "{0} desktop shortcuts created": "{0} raccourci(s) sur le bureau créé(s)", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI a détecté {0} nouveau(x) raccourci(s) sur le bureau pouvant être supprimé(s) automatiquement.", + "Are you sure?": "Êtes-vous sûr ?", + "Do you really want to uninstall {0}?": "Voulez-vous vraiment désinstaller {0} ?", + "Do you really want to uninstall the following {0} packages?": "Voulez-vous vraiment désinstaller les {0} paquets suivants ?", + "No": "Non", + "Yes": "Oui", + "View on UniGetUI": "Voir sur UniGetUI", + "Update": "Mettre à jour", + "Open UniGetUI": "Ouvrir UniGetUI", + "Update all": "Tout mettre à jour", + "Update now": "Mettre à jour maintenant", + "This package is on the queue": "Ce paquet est dans la fil d'attente", + "installing": "installation en cours", + "updating": "Mise à jour en cours", + "uninstalling": "désinstallation en cours", + "installed": "installé", + "Retry": "Réessayer", + "Install": "Installer", + "Uninstall": "Désinstaller", + "Open": "Ouvrir", + "Operation profile:": "Profil de l'opération :", + "Follow the default options when installing, upgrading or uninstalling this package": "Suivez les options par défaut lors de l'installation, de la mise à niveau ou de la désinstallation de ce logiciel.", + "The following settings will be applied each time this package is installed, updated or removed.": "Les paramètres suivants seront appliqués à chaque fois que ce paquet sera installé, mis à jour ou supprimé.", + "Version to install:": "Version à installer :", + "Architecture to install:": "Architecture à installer :", + "Installation scope:": "Portée de l'installation", + "Install location:": "Emplacement d'installation :", + "Select": "Sélectionner", + "Reset": "Réinitialiser", + "Custom install arguments:": "Arguments d'installation personnalisés :", + "Custom update arguments:": "Arguments de mise à jour personnalisés :", + "Custom uninstall arguments:": "Arguments de désinstallation personnalisés :", + "Pre-install command:": "Commande de pré-installation :", + "Post-install command:": "Commande de post-installation :", + "Abort install if pre-install command fails": "Abandonner l'installation si la commande de pré-installation échoue", + "Pre-update command:": "Commande de pré-mise à jour :", + "Post-update command:": "Commande de post-mise à jour :", + "Abort update if pre-update command fails": "Abandonner la mise à jour si la commande de pré-mise à jour échoue", + "Pre-uninstall command:": "Commande de pré-désinstallation :", + "Post-uninstall command:": "Commande de post-désinstallation :", + "Abort uninstall if pre-uninstall command fails": "Abandonner la désinstallation si la commande de pré-désinstallation échoue", + "Command-line to run:": "Ligne de commande à exécuter :", + "Save and close": "Enregistrer et fermer", + "Run as admin": "Exécuter en tant qu'administrateur", + "Interactive installation": "Installation interactive", + "Skip hash check": "Passer la vérification du hachage", + "Uninstall previous versions when updated": "Désinstaller les versions précédentes lors de la mise à jour", + "Skip minor updates for this package": "Ignorer les mises à jour mineures pour ce paquet", + "Automatically update this package": "Mettre à jour automatiquement ce package", + "{0} installation options": "Options d'installation de {0}", + "Latest": "Dernière", + "PreRelease": "Préversion", + "Default": "Par défaut", + "Manage ignored updates": "Gérer les mises à jour ignorées", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Les paquets listés ici ne seront pas pris en compte lors de la vérification des mises à jour. Double-cliquez dessus ou cliquez sur le bouton à leur droite pour ne plus ignorer leurs mises à jour.", + "Reset list": "Réinitialiser la liste", + "Package Name": "Nom du paquet", + "Package ID": "ID du paquet", + "Ignored version": "Version ignorée", + "New version": "Nouvelle version", + "Source": "Source", + "All versions": "Toutes les versions", + "Unknown": "Inconnu", + "Up to date": "À jour", + "Cancel": "Annuler", + "Administrator privileges": "Privilèges d'administrateur", + "This operation is running with administrator privileges.": "Cette opération est exécutée avec les privilèges d'administrateur.", + "Interactive operation": "Fonctionnement interactif", + "This operation is running interactively.": "Cette opération s'exécute de manière interactive.", + "You will likely need to interact with the installer.": "Vous devrez probablement interagir avec le programme d'installation.", + "Integrity checks skipped": "Contrôles d'intégrité ignorés", + "Proceed at your own risk.": "Procédez à vos propres risques.", + "Close": "Fermer", + "Loading...": "Chargement...", + "Installer SHA256": "SHA256 de l'installateur", + "Homepage": "Page d'accueil", + "Author": "Auteur", + "Publisher": "Éditeur", + "License": "Licence", + "Manifest": "Manifeste", + "Installer Type": "Type d'installateur", + "Size": "Taille", + "Installer URL": "URL de l'installateur", + "Last updated:": "Dernière date de mise à jour :", + "Release notes URL": "URL des notes de version", + "Package details": "Détails du paquet", + "Dependencies:": "Dépendances :", + "Release notes": "Notes de publication", + "Version": "Version", + "Install as administrator": "Installer en tant qu'administrateur", + "Update to version {0}": "Mettre à jour vers la version {0}", + "Installed Version": "Version installée", + "Update as administrator": "Mettre à jour en tant qu'administrateur", + "Interactive update": "Mise à jour interactive", + "Uninstall as administrator": "Désinstaller en tant qu'administrateur", + "Interactive uninstall": "Désinstallation interactive", + "Uninstall and remove data": "Désinstaller et supprimer les données", + "Not available": "Non disponible", + "Installer SHA512": "SHA512 de l'installateur", + "Unknown size": "Taille inconnue", + "No dependencies specified": "Aucune dépendance spécifiée", + "mandatory": "obligatoire", + "optional": "optionnel", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} est prêt à être installé.", + "The update process will start after closing UniGetUI": "Le processus de mise à jour démarrera après la fermeture d'UniGetUI", + "Share anonymous usage data": "Partager les données d'utilisation anonymes", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI recueille des données d'utilisation anonymes afin d'améliorer l'expérience utilisateur.", + "Accept": "Accepter", + "You have installed WingetUI Version {0}": "Vous avez installé WingetUI Version {0}", + "Disclaimer": "Avertissement", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI n'est lié à aucun des gestionnaires de paquets compatibles. UniGetUI est un projet indépendant.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI n'aurait pas été possible sans l'aide des contributeurs. Merci à tous 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI utilise les bibliothèques suivantes. Sans elles, WingetUI n'aurait pas pu exister.", + "{0} homepage": "Page d'accueil de {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI a été traduit dans plus de 40 langues grâce aux traducteurs bénévoles. Merci 🤝", + "Verbose": "Verbose", + "1 - Errors": "1 - Erreurs", + "2 - Warnings": "2 - Avertissements", + "3 - Information (less)": "3 - Information (moins)", + "4 - Information (more)": "4 - Information (plus)", + "5 - information (debug)": "5 - Information (débogage)", + "Warning": "Avertissement", + "The following settings may pose a security risk, hence they are disabled by default.": "Les paramètres suivants peuvent présenter un risque pour la sécurité, c'est pourquoi ils sont désactivés par défaut.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activez les paramètres ci-dessous SI ET SEULEMENT SI vous comprenez parfaitement ce qu'ils font, ainsi que les implications et les dangers qu'ils peuvent impliquer.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Les paramètres énumèrent, dans leur description, les problèmes de sécurité potentiels qu'ils peuvent présenter.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "La sauvegarde inclura la liste complète des paquets installés, ainsi que leurs options d'installation. Les mises à jour et versions ignorées seront également sauvegardées.", + "The backup will NOT include any binary file nor any program's saved data.": "La sauvegarde n'inclura PAS de fichier binaire ni de données sauvegardées par un programme.", + "The size of the backup is estimated to be less than 1MB.": "La taille de la sauvegarde est estimée à moins de 1 Mo.", + "The backup will be performed after login.": "La sauvegarde sera exécutée après la connexion.", + "{pcName} installed packages": "Paquets installés sur {pcName}", + "Current status: Not logged in": "Statut actuel : Non connecté", + "You are logged in as {0} (@{1})": "Vous êtes connecté en tant que {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Super ! Les sauvegardes seront téléchargées dans un Gist privé de votre compte.", + "Select backup": "Sélectionner la sauvegarde", + "WingetUI Settings": "Paramètres de WingetUI", + "Allow pre-release versions": "Autoriser les pré-versions", + "Apply": "Appliquer", + "Go to UniGetUI security settings": "Aller dans les paramètres de sécurité d'UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Les options suivantes seront appliquées par défaut chaque fois qu'un paquet {0} est installé, mis à niveau ou désinstallé.", + "Package's default": "Valeur par défaut du paquet", + "Install location can't be changed for {0} packages": "L'emplacement d'installation ne peut pas être modifié pour {0} paquets", + "The local icon cache currently takes {0} MB": "Le cache des icônes occupe actuellement {0} Mo", + "Username": "Nom d'utilisateur", + "Password": "Mot de passe", + "Credentials": "Informations d'identification", + "Partially": "Partiellement", + "Package manager": "Gestionnaire de paquets", + "Compatible with proxy": "Compatible avec le proxy", + "Compatible with authentication": "Compatible avec l'authentification", + "Proxy compatibility table": "Tableau de compatibilité des proxys", + "{0} settings": "Réglages de {0}", + "{0} status": "Statut de {0} ", + "Default installation options for {0} packages": "Options d'installation par défaut pour {0} paquets", + "Expand version": "Afficher la version", + "The executable file for {0} was not found": "Le fichier exécutable de {0} n'a pas été trouvé", + "{pm} is disabled": "{pm} est désactivé", + "Enable it to install packages from {pm}.": "Activer ceci pour installer les paquets depuis {pm}.", + "{pm} is enabled and ready to go": "{pm} est activé et prêt à être utilisé", + "{pm} version:": "Version de {pm} :", + "{pm} was not found!": "{pm} n'a pas été trouvé !", + "You may need to install {pm} in order to use it with WingetUI.": "Il est possible que vous ayez besoin d'installer {pm} pour pouvoir l'utiliser avec WingetUI.", + "Scoop Installer - WingetUI": "Installateur de Scoop - WingetUI", + "Scoop Uninstaller - WingetUI": "Déinstallateur de Scoop - WingetUI", + "Clearing Scoop cache - WingetUI": "Vidage du cache de Scoop - WingetUI", + "Restart UniGetUI": "Redémarrer UniGetUI", + "Manage {0} sources": "Gérer les sources {0}", + "Add source": "Ajouter une source", + "Add": "Ajouter", + "Other": "Autre", + "1 day": "1 jour", + "{0} days": "{0} jours", + "{0} minutes": "{0} minutes", + "1 hour": "1 heure", + "{0} hours": "{0} heures", + "1 week": "1 semaine", + "WingetUI Version {0}": "WingetUI Version {0}", + "Search for packages": "Rechercher des paquets", + "Local": "Local", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} paquets ont été trouvés, {1} d'entre eux correspond·ent aux filtres spécifiés.", + "{0} selected": "{0} sélectionné", + "(Last checked: {0})": "(Dernière vérification : {0})", + "Enabled": "Activé", + "Disabled": "Désactivé", + "More info": "Plus d'informations", + "Log in with GitHub to enable cloud package backup.": "Connectez-vous à GitHub pour activer la sauvegarde des paquets dans le cloud.", + "More details": "Plus de détails", + "Log in": "Connexion", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Si vous avez activé la sauvegarde dans le cloud, il sera sauvegardé en tant que Gist GitHub sur ce compte.", + "Log out": "Déconnexion", + "About": "À propos", + "Third-party licenses": "Licences tiers", + "Contributors": "Contributeurs", + "Translators": "Traducteurs", + "Manage shortcuts": "Gérer les raccourcis", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI a détecté les raccourcis sur le bureau suivants qui peuvent être supprimés automatiquement lors de futures mises à jours", + "Do you really want to reset this list? This action cannot be reverted.": "Voulez-vous vraiment réinitialiser cette liste ? Cette action ne peut pas être annulée.", + "Remove from list": "Supprimer de la liste", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Lorsque de nouveaux raccourcis sont détectés, supprimez-les automatiquement au lieu d'afficher cette boîte de dialogue.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI recueille des données d'utilisation anonymes dans le seul but de comprendre et d'améliorer l'expérience utilisateur.", + "More details about the shared data and how it will be processed": "Plus de détails sur les données partagées et la manière dont elles seront traitées", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Acceptez-vous que UniGetUI recueille et envoie des statistiques d'utilisation anonymes, dans le seul but de comprendre et d'améliorer l'expérience utilisateur ?", + "Decline": "Refuser", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Aucune information personnelle n'est collectée ni envoyée, et les données collectées sont anonymisées, de sorte qu'il est impossible de remonter jusqu'à vous.", + "About WingetUI": "À propos de WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI est une application qui vous permet de gérer vos logiciels plus facilement, en fournissant une interface graphique tout-en-un pour vos gestionnaires de paquets en ligne de commandes.", + "Useful links": "Liens utiles", + "Report an issue or submit a feature request": "Signaler un problème ou soumettre une demande de fonctionnalité", + "View GitHub Profile": "Voir le profil GitHub", + "WingetUI License": "Licence de WingetUI", + "Using WingetUI implies the acceptation of the MIT License": "Utiliser WingetUI implique l'acceptation de la licence MIT (MIT License)", + "Become a translator": "Devenir un traducteur", + "View page on browser": "Voir la page dans le navigateur", + "Copy to clipboard": "Copier dans le presse-papiers", + "Export to a file": "Exporter dans un fichier", + "Log level:": "Niveau de journalisation :", + "Reload log": "Recharger les journaux", + "Text": "Texte", + "Change how operations request administrator rights": "Modifier la façon dont les opérations demandent des droits d'administrateur", + "Restrictions on package operations": "Restrictions sur les opérations sur les paquets", + "Restrictions on package managers": "Restrictions sur les gestionnaires de paquets", + "Restrictions when importing package bundles": "Restrictions lors de l'importation de lots de paquets", + "Ask for administrator privileges once for each batch of operations": "Demander les privilèges d'administrateur une seule fois pour chaque lot d'opérations", + "Ask only once for administrator privileges": "Ne demander qu'une seule fois les privilèges d'administrateur", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Interdire toute forme d'élévation via UniGetUI Elevator ou GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Cette option ENTRAINERA des problèmes. Toute opération incapable de s'élever elle-même échouera. L'installation/mise à jour/désinstallation en tant qu'administrateur NE FONCTIONNE PAS.", + "Allow custom command-line arguments": "Autoriser les arguments de ligne de commande personnalisés", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Les arguments de ligne de commande personnalisés peuvent modifier la manière dont les programmes sont installés, mis à jour ou désinstallés, d'une manière qu'UniGetUI ne peut pas contrôler. Leur utilisation peut endommager les paquets. Soyez prudent.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Autoriser l'exécution de commandes personnalisées avant et après l'installation", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Les commandes de pré-installation et de post-installation seront exécutées avant et après l'installation, la mise à niveau ou la désinstallation d'un paquet. Attention : elles peuvent endommager des éléments si elles ne sont pas utilisées avec précaution.", + "Allow changing the paths for package manager executables": "Permettre de modifier les chemins d'accès aux exécutables du gestionnaire de paquets", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activer cette option permet de modifier le fichier exécutable utilisé pour interagir avec les gestionnaires de paquets. Bien que cela permette une personnalisation plus fine de vos processus d'installation, cela peut également s'avérer dangereux", + "Allow importing custom command-line arguments when importing packages from a bundle": "Autoriser l'importation d'arguments de ligne de commande personnalisés lors de l'importation de packages à partir d'un bundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Des arguments de ligne de commande mal formés peuvent endommager les paquets, voire permettre à un acteur malveillant d'obtenir une exécution privilégiée. Par conséquent, l'importation d'arguments de ligne de commande personnalisés est désactivée par défaut.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permettre l'importation de commandes de pré-installation et de post-installation personnalisées lors de l'importation de paquets par lot", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Les commandes pré et post-installation peuvent avoir des conséquences néfastes sur votre appareil, si elles sont conçues pour cela. Importer les commandes d'un bundle peut être très dangereux, sauf si vous faites confiance à la source de ce bundle.", + "Administrator rights and other dangerous settings": "Droits d'administrateur et autres paramètres dangereux", + "Package backup": "Sauvegarde du paquet", + "Cloud package backup": "Sauvegarde des paquets dans le cloud", + "Local package backup": "Sauvegarde locale des paquets", + "Local backup advanced options": "Options avancées de la sauvegarde locale", + "Log in with GitHub": "Se connecter avec GitHub", + "Log out from GitHub": "Se déconnecter de GitHub", + "Periodically perform a cloud backup of the installed packages": "Effectuer périodiquement une sauvegarde dans le cloud des paquets installés", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "La sauvegarde dans le cloud utilise une Gist GitHub privée pour stocker la liste des paquets installés.", + "Perform a cloud backup now": "Effectuer une sauvegarde dans le cloud maintenant", + "Backup": "Sauvegarder", + "Restore a backup from the cloud": "Restaurer une sauvegarde à partir du cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Commencer le processus de sélection d'une sauvegarde dans le cloud et examiner les paquets à restaurer.", + "Periodically perform a local backup of the installed packages": "Effectuer une sauvegarde locale périodique des paquets installés.", + "Perform a local backup now": "Effectuer une sauvegarde locale maintenant", + "Change backup output directory": "Modifier le répertoire de la sauvegarde", + "Set a custom backup file name": "Définir un nom de fichier de sauvegarde personnalisé", + "Leave empty for default": "Laisser vide pour utiliser la valeur par défaut", + "Add a timestamp to the backup file names": "Ajouter un horodatage aux noms des fichiers de sauvegarde", + "Backup and Restore": "Sauvegarde et restauration", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Activer l'API en arrière-plan (Widgets et Partage WingetUI, port 7058) ", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Attendez que l'appareil soit connecté à Internet avant d'effectuer des tâches nécessitant une connexion à Internet", + "Disable the 1-minute timeout for package-related operations": "Désactiver le délai d'attente de 1 minute pour les opérations liées aux paquets", + "Use installed GSudo instead of UniGetUI Elevator": "Utiliser GSudo (si installé) à la place du UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Utiliser une base de données d'icônes et de captures d'écran personnalisées", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activation des optimisations de l'utilisation du CPU en arrière-plan (voir Pull Request #3278)", + "Perform integrity checks at startup": "Effectuer des contrôles d'intégrité au démarrage", + "When batch installing packages from a bundle, install also packages that are already installed": "Lors de l'installation de paquets par lot, réinstaller les paquets déjà installés", + "Experimental settings and developer options": "Paramètres expérimentaux et options pour les développeurs", + "Show UniGetUI's version and build number on the titlebar.": "Afficher la version d'UniGetUI dans la barre de titre", + "Language": "Langue", + "UniGetUI updater": "Mise à jour d'UniGetUI", + "Telemetry": "Télémétrie", + "Manage UniGetUI settings": "Gérer les paramètres d'UniGetUI", + "Related settings": "Paramètres associés", + "Update WingetUI automatically": "Mettre à jour WingetUI automatiquement", + "Check for updates": "Vérifier les mises à jour", + "Install prerelease versions of UniGetUI": "Installer les préversions d'UniGetUI", + "Manage telemetry settings": "Gérer les paramètres de télémétrie", + "Manage": "Gérer", + "Import settings from a local file": "Importer les paramètres depuis un fichier local", + "Import": "Importer", + "Export settings to a local file": "Exporter les paramètres dans un fichier local", + "Export": "Exporter", + "Reset WingetUI": "Réinitialiser UniGetUI", + "Reset UniGetUI": "Réinitialiser UniGetUI", + "User interface preferences": "Paramètres de l'interface utilisateur", + "Application theme, startup page, package icons, clear successful installs automatically": "Thème de l'application, page de démarrage, icônes des paquets, nettoyage automatique des installations réussies", + "General preferences": "Paramètres généraux", + "WingetUI display language:": "Langue d'affichage de WingetUI :", + "Is your language missing or incomplete?": "Votre langue est-elle manquante ou incomplète ?", + "Appearance": "Apparence", + "UniGetUI on the background and system tray": "UniGetUI en arrière-plan et dans la barre des tâches", + "Package lists": "Listes de paquets", + "Close UniGetUI to the system tray": "Fermer UniGetUI dans la barre d'état système", + "Show package icons on package lists": "Afficher les icônes des paquets dans la liste des paquets", + "Clear cache": "Vider le cache", + "Select upgradable packages by default": "Sélectionner les paquets à mettre à jour par défaut", + "Light": "Clair", + "Dark": "Sombre", + "Follow system color scheme": "Synchroniser avec le thème du système", + "Application theme:": "Thème de l'application :", + "Discover Packages": "Découvrir des paquets", + "Software Updates": "Mises à jour", + "Installed Packages": "Paquets installés", + "Package Bundles": "Lots de paquets", + "Settings": "Paramètres", + "UniGetUI startup page:": "Page de démarrage d'UniGetUI :", + "Proxy settings": "Paramètres du proxy", + "Other settings": "Autres paramètres", + "Connect the internet using a custom proxy": "Se connecter à Internet à l'aide d'un proxy personnalisé", + "Please note that not all package managers may fully support this feature": "Veuillez noter que tous les gestionnaires de paquets ne prennent pas toujours en charge cette fonctionnalité", + "Proxy URL": "URL du proxy", + "Enter proxy URL here": "Entrez l'URL du proxy ici", + "Package manager preferences": "Gestionnaires de paquets", + "Ready": "Prêt", + "Not found": "Non trouvé", + "Notification preferences": "Préférences de notification", + "Notification types": "Types de notification", + "The system tray icon must be enabled in order for notifications to work": "L'icône de la barre d'état système doit être activée pour que les notifications fonctionnent", + "Enable WingetUI notifications": "Activer les notifications de WingetUI", + "Show a notification when there are available updates": "Afficher une notification quand des mises à jour sont disponibles", + "Show a silent notification when an operation is running": "Afficher une notification silencieuse lorsqu'une opération est en cours", + "Show a notification when an operation fails": "Afficher une notification lorsqu'une opération échoue", + "Show a notification when an operation finishes successfully": "Afficher une notification lorsqu'une opération se termine avec succès", + "Concurrency and execution": "Concurrence et exécution", + "Automatic desktop shortcut remover": "Suppression automatique des raccourcis sur le bureau", + "Clear successful operations from the operation list after a 5 second delay": "Effacer les opérations réussies de la liste des opérations après un délai de 5 secondes", + "Download operations are not affected by this setting": "Les opérations de téléchargement ne sont pas affectées par ce paramètre", + "Try to kill the processes that refuse to close when requested to": "Essayer de tuer les processus qui refusent de se fermer lorsqu'on le leur demande.", + "You may lose unsaved data": "Vous risquez de perdre des données non enregistrées", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Demander la suppression des raccourcis sur le bureau créés lors d'une installation ou d'une mise à jour", + "Package update preferences": "Préférences de mise à jour des paquets", + "Update check frequency, automatically install updates, etc.": "Fréquence de vérification des mises à jour, installation automatique des mises à jour, etc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Réduire les invites UAC, élever les installations par défaut, déverrouiller certaines fonctionnalités dangereuses, etc.", + "Package operation preferences": "Préférences de fonctionnement des paquets", + "Enable {pm}": "Activer {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Vous ne trouvez pas le fichier que vous cherchez ? Assurez-vous qu'il a été ajouté au chemin d'accès.", + "For security reasons, changing the executable file is disabled by default": "Pour des raisons de sécurité, la modification du fichier exécutable est désactivée par défaut.", + "Change this": "Modifier ceci", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Sélectionnez l'exécutable à utiliser. La liste suivante répertorie les exécutables trouvés par UniGetUI", + "Current executable file:": "Fichier exécutable actuel :", + "Ignore packages from {pm} when showing a notification about updates": "Ignorer les paquets de {pm} lors de l'affichage d'une notification de mise à jour", + "View {0} logs": "Voir les journaux de {0}", + "Advanced options": "Options avancées", + "Reset WinGet": "Réinitialiser WinGet", + "This may help if no packages are listed": "ceci peut aider si aucun paquet n'est listé", + "Force install location parameter when updating packages with custom locations": "Forcer le paramètre d'emplacement d'installation lors de la mise à jour des packages avec des emplacements personnalisés", + "Use bundled WinGet instead of system WinGet": "Utiliser WinGet intégré au lieu de WinGet du système", + "This may help if WinGet packages are not shown": "ceci peut aider si les paquets de WinGet n'apparaissent pas", + "Install Scoop": "Installer Scoop", + "Uninstall Scoop (and its packages)": "Désinstaller Scoop (et ses paquets)", + "Run cleanup and clear cache": "Exécuter un nettoyage et vider le cache", + "Run": "Exécuter", + "Enable Scoop cleanup on launch": "Activer le nettoyage de Scoop au démarrage", + "Use system Chocolatey": "Utiliser Chocolatey du système", + "Default vcpkg triplet": "Triplet vcpkg par défaut", + "Language, theme and other miscellaneous preferences": "Langue, thème et autres préférences diverses", + "Show notifications on different events": "Afficher des notifications sur différents événements", + "Change how UniGetUI checks and installs available updates for your packages": "Modifier comment UniGetUI vérifie et installe les mises à jour disponibles pour vos paquets", + "Automatically save a list of all your installed packages to easily restore them.": "Enregistrer automatiquement une liste de tous les paquets installés pour les restaurer facilement", + "Enable and disable package managers, change default install options, etc.": "Activer et désactiver les gestionnaires de paquets, modifier les options d'installation par défaut, etc.", + "Internet connection settings": "Paramètres de connexion Internet", + "Proxy settings, etc.": "Paramètres du proxy, etc.", + "Beta features and other options that shouldn't be touched": "Fonctionnalités bêta et autres options qui ne devraient pas être modifiées", + "Update checking": "Vérification des mises à jour", + "Automatic updates": "Mises à jour automatiques", + "Check for package updates periodically": "Vérifier les mises à jour des paquets périodiquement", + "Check for updates every:": "Vérifier les mises à jour toutes les :", + "Install available updates automatically": "Installer automatiquement les mises à jour disponibles", + "Do not automatically install updates when the network connection is metered": "Ne pas installer automatiquement les mises à jour lorsque la connexion réseau est mesurée", + "Do not automatically install updates when the device runs on battery": "Ne pas installer automatiquement les mises à jour lorsque l'appareil fonctionne sur batterie", + "Do not automatically install updates when the battery saver is on": "Ne pas installer automatiquement les mises à jour lorsque l'économiseur de batterie est activé", + "Change how UniGetUI handles install, update and uninstall operations.": "Modifier la façon dont UniGetUI gère les opérations d'installation, de mise à jour et de désinstallation.", + "Package Managers": "Gestionnaires de paquets", + "More": "Plus", + "WingetUI Log": "Journaux de WingetUI", + "Package Manager logs": "Journaux du gestionnaire de paquets", + "Operation history": "Historique des opérations", + "Help": "Aide", + "Order by:": "Trier par :", + "Name": "Nom", + "Id": "ID", + "Ascendant": "Ascendant", + "Descendant": "Descendant", + "View mode:": "Mode d'affichage :", + "Filters": "Filtres", + "Sources": "Sources", + "Search for packages to start": "Rechercher des paquets pour démarrer", + "Select all": "Tout sélectionner", + "Clear selection": "Effacer la sélection", + "Instant search": "Recherche instantanée", + "Distinguish between uppercase and lowercase": "Faire la distinction entre les majuscules et les minuscules", + "Ignore special characters": "Ignorer les caractères spéciaux", + "Search mode": "Mode de recherche", + "Both": "Les deux", + "Exact match": "Correspondance exacte", + "Show similar packages": "Afficher des paquets similaires", + "No results were found matching the input criteria": "Aucun résultat correspondant aux critères n'a été trouvé", + "No packages were found": "Aucun paquet n'a été trouvé", + "Loading packages": "Chargement des paquets", + "Skip integrity checks": "Passer les vérifications d'intégrité", + "Download selected installers": "Télécharger les installeurs sélectionnés", + "Install selection": "Installer la sélection", + "Install options": "Options d'installation", + "Share": "Partager", + "Add selection to bundle": "Ajouter la sélection à un lot", + "Download installer": "Télécharger l'installateur", + "Share this package": "Partager ce paquet", + "Uninstall selection": "Désinstaller la sélection", + "Uninstall options": "Options de désinstallation", + "Ignore selected packages": "Ignorer les paquets sélectionnés", + "Open install location": "Ouvrir l'emplacement d'installation", + "Reinstall package": "Réinstaller le paquet", + "Uninstall package, then reinstall it": "Désinstaller le paquet, puis le réinstaller", + "Ignore updates for this package": "Ignorer les mises à jour pour ce paquet", + "Do not ignore updates for this package anymore": "Ne plus ignorer les mises à jour de ce paquet", + "Add packages or open an existing package bundle": "Ajouter des paquets ou ouvrir un lot de paquets existant", + "Add packages to start": "Ajouter des paquets pour commencer", + "The current bundle has no packages. Add some packages to get started": "Le lot actuel ne contient aucun paquet. Ajoutez quelques paquets pour commencer", + "New": "Nouveau", + "Save as": "Enregistrer sous", + "Remove selection from bundle": "Retirer la sélection du lot", + "Skip hash checks": "Passer les vérifications du hachage", + "The package bundle is not valid": "Le lot de paquets n'est pas valide", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Le lot que vous essayez de charger semble être invalide. Veuillez vérifier le fichier et réessayer.", + "Package bundle": "Lot de paquets", + "Could not create bundle": "Impossible de créer un lot", + "The package bundle could not be created due to an error.": "Le lot de paquets n'a pas pu être créé en raison d'une erreur", + "Bundle security report": "Rapport de sécurité du lot", + "Hooray! No updates were found.": "Félicitations ! Toutes vos applications sont à jour !", + "Everything is up to date": "Tout est à jour", + "Uninstall selected packages": "Désinstaller les paquets sélectionnés", + "Update selection": "Mettre à jour la sélection", + "Update options": "Options de mise à jour", + "Uninstall package, then update it": "Désinstaller le paquet, puis le mettre à jour", + "Uninstall package": "Désinstaller le paquet", + "Skip this version": "Ignorer cette version", + "Pause updates for": "Suspendre les mises à jour pour", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Le gestionnaire de paquets de Rust.
Contient : Bibliothèques Rust et programmes écrits en Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Le gestionnaire de paquets classique pour Windows. Vous y trouverez tout.
Contient : Logiciels généraux", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un dépôt plein d'outils et d'exécutables conçus pour l'écosystème Microsoft .NET.
Contient : Outils et scripts liés à .NET", + "NuPkg (zipped manifest)": "NuPkg (manifeste compressé)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Le gestionnaire de paquets de Node JS. Plein de bibliothèques et d'autres utilitaires qui tournent autour du monde de JavaScript.
Contient : Bibliothèques JavaScript Node et autres utilitaires associés", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Le gestionnaire de bibliothèques de Python. Plein de bibliothèques Python et d'autres utilitaires liés à Python.
Contient : Bibliothèques Python et autres utilitaires associés", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Le gestionnaire de paquets de PowerShell. Bibliothèques et scripts pour étendre les capacités de PowerShell.
Contient : Modules, Scripts, Cmdlets\n", + "extracted": "extrait", + "Scoop package": "Paquet Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Excellent dépôt d'utilitaires peu connus mais utiles et d'autres paquets intéressants.
Contient : Utilitaires, Programmes en ligne de commande, Logiciels généraux (bucket extras requis)", + "library": "bibliothèque", + "feature": "fonctionnalité", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un gestionnaire populaire de bibliothèques C/C++. Plein de bibliothèques C/C++ et d'autres utilitaires liés à C/C++.
Contient : Bibliothèques C/C++ et utilitaires liés", + "option": "option", + "This package cannot be installed from an elevated context.": "Ce paquet ne peut pas être installé avec une élévation de privilèges d'administrateur.", + "Please run UniGetUI as a regular user and try again.": "Veuillez exécuter UniGetUI en tant qu'utilisateur standard et réessayer.", + "Please check the installation options for this package and try again": "Veuillez vérifier les options d'installation de ce paquet et réessayer", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Le gestionnaire de paquets officiel de Microsoft. Rempli de paquets bien connus et vérifiés.
Contient : Logiciels généraux, Applications du Microsoft Store.", + "Local PC": "PC local", + "Android Subsystem": "Sous-système Android", + "Operation on queue (position {0})...": "Opération dans la file d'attente (position {0})...", + "Click here for more details": "Cliquez ici pour plus de détails", + "Operation canceled by user": "Opération annulée par l'utilisateur", + "Starting operation...": "Démarrage de l'opération...", + "{package} installer download": "Téléchargement du programme d'installation de {package}", + "{0} installer is being downloaded": "Le programme d'installation {0} est en cours de téléchargement", + "Download succeeded": "Téléchargement réussi", + "{package} installer was downloaded successfully": "Le programme d'installation de {package} a été téléchargé avec succès", + "Download failed": "Téléchargement échoué", + "{package} installer could not be downloaded": "Le programme d'installation de {package} n'a pas pu être téléchargé", + "{package} Installation": "Installation de {package}", + "{0} is being installed": "{0} est en cours d'installation", + "Installation succeeded": "Installation réussie", + "{package} was installed successfully": "{package} a été installé avec succès", + "Installation failed": "Échec de l'installation", + "{package} could not be installed": "{package} n'a pas pu être installé", + "{package} Update": "Mise à jour de {package}", + "{0} is being updated to version {1}": "{0} est en cours de mise à jour vers la version {1}", + "Update succeeded": "Mise à jour réussie", + "{package} was updated successfully": "{package} a été mis à jour avec succès", + "Update failed": "Échec de la mise à jour", + "{package} could not be updated": "{package} n'a pas pu être mis à jour", + "{package} Uninstall": "Désinstallation de {package}", + "{0} is being uninstalled": "{0} est en cours de désinstallation", + "Uninstall succeeded": "Désinstallation réussie", + "{package} was uninstalled successfully": "{package} a été désinstallé avec succès", + "Uninstall failed": "Échec de la désinstallation", + "{package} could not be uninstalled": "{package} n'a pas pu être désinstallé", + "Adding source {source}": "Ajouter la source {source}", + "Adding source {source} to {manager}": "Ajouter la source {source} à {manager}", + "Source added successfully": "Source ajoutée avec succès", + "The source {source} was added to {manager} successfully": "La source {source} a été ajouté à {manager} avec succès", + "Could not add source": "Impossible d'ajouter une source", + "Could not add source {source} to {manager}": "Impossible d'ajouter la source {source} à {manager}", + "Removing source {source}": "Suppression de la source {source}", + "Removing source {source} from {manager}": "Suppression de la source {source} de {manager}", + "Source removed successfully": "Source supprimée avec succès", + "The source {source} was removed from {manager} successfully": "La source {source} a été supprimé de {manager} avec succès", + "Could not remove source": "Impossible de supprimer la source", + "Could not remove source {source} from {manager}": "Impossible de supprimer la source {source} de {manager}", + "The package manager \"{0}\" was not found": "Le gestionnaire de paquets \"{0}\" n'a pas été trouvé", + "The package manager \"{0}\" is disabled": "Le gestionnaire de paquets \"{0}\" est désactivé", + "There is an error with the configuration of the package manager \"{0}\"": "Il y a une erreur avec la configuration du gestionnaire de paquets \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Le paquet \"{0}\" n'a pas été trouvé dans le gestionnaire de paquets \"{1}\"", + "{0} is disabled": "{0} est désactivé(e)", + "Something went wrong": "Quelque chose ne s'est pas passé comme prévu", + "An interal error occurred. Please view the log for further details.": "Une erreur interne s'est produite. Veuillez consulter les journaux pour plus de détails.", + "No applicable installer was found for the package {0}": "Aucun programme d'installation applicable n'a été trouvé pour le paquet {0}", + "We are checking for updates.": "Nous vérifions les mises à jour.", + "Please wait": "Veuillez patienter", + "UniGetUI version {0} is being downloaded.": "La version {0} d'UniGetUI est en cours de téléchargement.", + "This may take a minute or two": "Cela peut prendre une minute ou deux", + "The installer authenticity could not be verified.": "L'authenticité de l'installateur n'a pas pu être vérifiée.", + "The update process has been aborted.": "Le processus de mise à jour a été interrompu.", + "Great! You are on the latest version.": "Génial ! Vous utilisez la dernière version.", + "There are no new UniGetUI versions to be installed": "Il n'y a pas de nouvelle version d'UniGetUI à installer.", + "An error occurred when checking for updates: ": "Une erreur s'est produite lors de la vérification des mises à jour :", + "UniGetUI is being updated...": "UniGetUI est en cours de mise à jour...", + "Something went wrong while launching the updater.": "Un problème s'est produit lors du lancement de l'outil de mise à jour.", + "Please try again later": "Veuillez réessayer plus tard", + "Integrity checks will not be performed during this operation": "Les contrôles d'intégrité ne seront pas effectués pendant cette opération", + "This is not recommended.": "Ceci n'est pas recommandé.", + "Run now": "Lancer maintenant", + "Run next": "Lancer le prochain", + "Run last": "Lancer le dernier", + "Retry as administrator": "Réessayer en tant qu'administrateur", + "Retry interactively": "Réessayer de manière interactive", + "Retry skipping integrity checks": "Réessayer en ignorant les contrôles d'intégrité", + "Installation options": "Options d'installation", + "Show in explorer": "Afficher dans l'explorateur", + "This package is already installed": "Ce paquet est déjà installé", + "This package can be upgraded to version {0}": "Ce paquet peut être mis à jour vers la version {0}", + "Updates for this package are ignored": "Les mises à jour pour ce paquet sont ignorées", + "This package is being processed": "Ce paquet est en cours de traitement", + "This package is not available": "Ce paquet n'est pas disponible", + "Select the source you want to add:": "Sélectionner la source que vous voulez ajouter :", + "Source name:": "Nom de la source :", + "Source URL:": "URL source :", + "An error occurred": "Une erreur s'est produite", + "An error occurred when adding the source: ": "Une erreur s'est produite lors de l'ajout de la source :", + "Package management made easy": "Gestion des paquets facilitée", + "version {0}": "version {0}", + "[RAN AS ADMINISTRATOR]": "EXÉCUTÉ EN TANT QU'ADMINISTRATEUR", + "Portable mode": "Mode portable", + "DEBUG BUILD": "VERSION DE DÉBOGAGE", + "Available Updates": "Mises à jour disponibles", + "Show WingetUI": "Afficher WingetUI", + "Quit": "Quitter", + "Attention required": "Attention requise", + "Restart required": "Redémarrage requis", + "1 update is available": "1 mise à jour est disponible", + "{0} updates are available": "{0} mises à jour sont disponibles", + "WingetUI Homepage": "Page d'accueil de WingetUI", + "WingetUI Repository": "Dépôt de WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Ici vous pouvez changer le comportement d'UniGetUI en ce qui concerne les raccourcis suivants. En cochant un raccourci, UniGetUI le supprimera s'il est créé lors d'une prochaine mise à jour. Si vous ne le cochez pas, cela conservera le raccourci intact.", + "Manual scan": "Analyse manuelle", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Les raccourcis existants sur votre bureau seront analysés et vous devrez choisir ceux qui doivent être conservés et ceux qui doivent être supprimés.", + "Continue": "Continuer", + "Delete?": "Supprimer ?", + "Missing dependency": "Dépendance manquante", + "Not right now": "Pas maintenant", + "Install {0}": "Installer {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI à besoin de {0} pour fonctionner, mais il n'a pas été trouvé sur votre système.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Cliquez sur Installer pour commencer le processus d'installation. Si vous passez l'installation, UniGetUI risque de ne pas fonctionner comme prévu.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Autrement, vous pouvez également installer {0} en exécutant la commande suivante dans une invite Windows PowerShell :", + "Do not show this dialog again for {0}": "Ne plus afficher cette boîte de dialogue pour {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Veuillez patienter pendant l'installation de {0}. Une fenêtre noire peut s'afficher. Veuillez patienter jusqu'à ce qu'elle se ferme.", + "{0} has been installed successfully.": "{0} a été installé avec succès", + "Please click on \"Continue\" to continue": "Veuillez cliquer sur \"Continuer\" pour continuer", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} a été installé avec succès. Il est recommandé de redémarrer UniGetUI pour terminer l'installation.", + "Restart later": "Redémarrer plus tard", + "An error occurred:": "Une erreur s'est produite :", + "I understand": "Je comprends", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI a été exécuté en tant qu'administrateur, ce qui n'est pas recommandé. Lorsque WingetUI est exécuté en tant qu'administrateur, TOUTES les opérations lancées depuis WingetUI auront des privilèges d'administrateur. Vous pouvez toujours utiliser le programme, mais nous recommandons fortement de ne pas exécuter WingetUI avec les privilèges d'administrateur.", + "WinGet was repaired successfully": "WinGet a été réparé avec succès", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Il est recommandé de redémarrer UniGetUI après que WinGet a été réparé", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTE : Ce programme de dépannage peut être désactivé depuis les paramètres d'UniGetUI, dans la section WinGet", + "Restart": "Redémarrer", + "WinGet could not be repaired": "WinGet n'a pas pu être réparé", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Une problème inattendu s'est produit lors de la tentative de réparation de WinGet. Veuillez réessayer plus tard.", + "Are you sure you want to delete all shortcuts?": "Êtes-vous sûr de vouloir supprimer tous les raccourcis ?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Tout nouveau raccourci créé lors d'une installation ou d'une mise à jour sera automatiquement supprimé, au lieu d'afficher une demande de confirmation la première fois qu'il est détecté.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Tout raccourci créé ou modifié en dehors d'UniGetUI sera ignoré. Vous pourrez les ajouter via le bouton {0} pour les ajouter.", + "Are you really sure you want to enable this feature?": "Êtes-vous vraiment sûr de vouloir activer cette fonction ?", + "No new shortcuts were found during the scan.": "Aucun nouveau raccourci n'a été trouvé au cours de l'analyse.", + "How to add packages to a bundle": "Comment ajouter des paquets à un lot", + "In order to add packages to a bundle, you will need to: ": "Pour ajouter des paquets à un lot, vous devez : ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Naviguez jusqu'à la page \"{0}\" ou \"{1}\" .", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Localisez le(s) paquet(s) que vous souhaitez ajouter au lot et cochez leur case la plus à gauche.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Lorsque les paquets que vous souhaitez ajouter au lot sont sélectionnés, recherchez et cliquez sur l'option \"{0}\" dans la barre d'outils.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vos paquets auront été ajoutés au lot. Vous pouvez continuer à ajouter des paquets ou exporter le lot.", + "Which backup do you want to open?": "Quelle sauvegarde voulez-vous ouvrir ?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Sélectionnez la sauvegarde que vous souhaitez ouvrir. Plus tard, vous pourrez revoir les paquets/programmes que vous souhaitez restaurer.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Il y a des opérations en cours. Quitter WingetUI pourrait les faire échouer. Voulez-vous continuer ?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ou certains de ses composants sont manquants ou corrompus.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Il est fortement recommandé de réinstaller UniGetUI pour remédier à la situation.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Consultez les journaux UniGetUI pour obtenir plus de détails sur les fichiers concernés.", + "Integrity checks can be disabled from the Experimental Settings": "Les contrôles d'intégrité peuvent être désactivés à partir des paramètres expérimentaux", + "Repair UniGetUI": "Réparer UniGetUI", + "Live output": "Sortie en temps réel", + "Package not found": "Paquet introuvable", + "An error occurred when attempting to show the package with Id {0}": "Une erreur s'est produite lors de la tentative d'afficher le paquet avec l'ID {0}", + "Package": "Paquet", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ce lot de paquets contient des paramètres potentiellement dangereux qui peuvent être ignorés par défaut.", + "Entries that show in YELLOW will be IGNORED.": "Les entrées qui apparaissent en JAUNE seront IGNORÉES.", + "Entries that show in RED will be IMPORTED.": "Les entrées qui apparaissent en ROUGE seront IMPORTÉES.", + "You can change this behavior on UniGetUI security settings.": "Vous pouvez modifier ce comportement dans les paramètres de sécurité d'UniGetUI.", + "Open UniGetUI security settings": "Ouvrir les paramètres de sécurité d'UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Si vous modifiez les paramètres de sécurité, vous devrez ouvrir à nouveau le lot pour que les modifications soient prises en compte.", + "Details of the report:": "Détails du rapport :", "\"{0}\" is a local package and can't be shared": "\"{0}\" est un paquet local et ne peut pas être partagé", + "Are you sure you want to create a new package bundle? ": "Êtes-vous sûr de vouloir créer un nouveau lot de paquets ?", + "Any unsaved changes will be lost": "Toute modification non enregistrée sera perdue", + "Warning!": "Attention !", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Pour des raisons de sécurité, les arguments de ligne de commande personnalisés sont désactivés par défaut. Allez dans les paramètres de sécurité d'UniGetUI pour changer cela.", + "Change default options": "Modifier les options par défaut", + "Ignore future updates for this package": "Ignorer les futures mises à jour pour ce paquet", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Pour des raisons de sécurité, les scripts de pré-opération et de post-opération sont désactivés par défaut. Allez dans les paramètres de sécurité d'UniGetUI pour changer cela.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Vous pouvez définir les commandes qui seront exécutées avant ou après l'installation, la mise à jour ou la désinstallation de ce paquet. Elles seront exécutées dans une invite de commande, de sorte que les scripts CMD fonctionneront ici.", + "Change this and unlock": "Modifier ceci et déverrouiller", + "{0} Install options are currently locked because {0} follows the default install options.": "Les options d'installation de {0} sont actuellement bloquées parce que {0} suit les options d'installation par défaut.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Sélectionnez les processus qui doivent être fermés avant l'installation, la mise à jour ou la désinstallation de ce paquet.", + "Write here the process names here, separated by commas (,)": "Saisissez ici les noms des processus, séparés par des virgules (,)", + "Unset or unknown": "Non défini ou inconnu", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Consultez la sortie de la ligne de commande ou référez-vous à l'historique des opérations pour plus d'informations sur le problème.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ce paquet n'a pas de capture d'écran ou l'icône est manquante ? Contribuez à WingetUI en ajoutant les icônes manquantes et les captures d'écran à notre base de données ouverte et publique.", + "Become a contributor": "Devenir un contributeur", + "Save": "Enregistrer", + "Update to {0} available": "Mise à jour vers {0} disponible", + "Reinstall": "Réinstaller", + "Installer not available": "L'installateur n'est pas disponible", + "Version:": "Version :", + "Performing backup, please wait...": "Sauvegarde en cours, veuillez patienter...", + "An error occurred while logging in: ": "Une erreur s'est produite lors de la connexion :", + "Fetching available backups...": "Recherche des sauvegardes disponibles...", + "Done!": "Terminé !", + "The cloud backup has been loaded successfully.": "La sauvegarde dans le cloud a été chargée avec succès.", + "An error occurred while loading a backup: ": "Une erreur s'est produite lors du chargement d'une sauvegarde :", + "Backing up packages to GitHub Gist...": "Sauvegarde des paquets sur GitHub Gist...", + "Backup Successful": "La sauvegarde a réussi", + "The cloud backup completed successfully.": "La sauvegarde dans le cloud s'est terminée avec succès.", + "Could not back up packages to GitHub Gist: ": "Impossible de sauvegarder les paquets sur GitHub Gist :", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Il n'est pas garanti que les informations d'identification fournies seront stockées en toute sécurité. Vous pouvez donc tout aussi bien ne pas utiliser les informations d'identification de votre compte bancaire.", + "Enable the automatic WinGet troubleshooter": "Activer le dépannage automatique de WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Activation d'un dépanneur WinGet [expérimental] amélioré", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Ajouter les mises à jour qui échouent avec un message « aucune mise à jour applicable trouvée » à la liste des mises à jour ignorées.", + "Restart WingetUI to fully apply changes": "Redémarrer WingetUI pour appliquer les changements", + "Restart WingetUI": "Redémarrer WingetUI", + "Invalid selection": "Sélection invalide", + "No package was selected": "Aucun package n'a été sélectionné", + "More than 1 package was selected": "Plus d'un package a été sélectionné", + "List": "Liste", + "Grid": "Grille", + "Icons": "Icônes", "\"{0}\" is a local package and does not have available details": "\"{0}\" est un paquet local et n'a pas de détails disponibles.", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" est un paquet local et n'est pas compatible avec cette fonctionnalité", - "(Last checked: {0})": "(Dernière vérification : {0})", + "WinGet malfunction detected": "Dysfonctionnement de WinGet détecté", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Il semblerait que WinGet ne fonctionne pas correctement. Voulez-vous essayer de réparer WinGet ?", + "Repair WinGet": "Réparer WinGet", + "Create .ps1 script": "Créer un script .ps1", + "Add packages to bundle": "Ajouter des paquets au lot", + "Preparing packages, please wait...": "Préparation des paquets, veuillez patienter...", + "Loading packages, please wait...": "Chargement des paquets, veuillez patienter...", + "Saving packages, please wait...": "Enregistrement des paquets, veuillez patienter...", + "The bundle was created successfully on {0}": "Le lot a été créé avec succès sur {0}", + "Install script": "Script d'installation", + "The installation script saved to {0}": "Le script d'installation enregistré dans {0}", + "An error occurred while attempting to create an installation script:": "Une erreur s'est produite lors de la création d'un script d'installation :", + "{0} packages are being updated": "{0} paquets sont en cours de mise à jour", + "Error": "Erreur", + "Log in failed: ": "Échec de la connexion :", + "Log out failed: ": "Échec de la déconnexion :", + "Package backup settings": "Paramètres de sauvegarde des paquets", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Numéro {0} dans la file d'attente)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "Evans Costa, Rémi Guerrero, @W1L7dev, BreatFR, @PikPakPik, @Entropiness", "0 packages found": "Aucun paquet trouvé", "0 updates found": "Aucune mise à jour trouvée", - "1 - Errors": "1 - Erreurs", - "1 day": "1 jour", - "1 hour": "1 heure", "1 month": "1 mois", "1 package was found": "1 paquet a été trouvé", - "1 update is available": "1 mise à jour est disponible", - "1 week": "1 semaine", "1 year": "1 an", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Naviguez jusqu'à la page \"{0}\" ou \"{1}\" .", - "2 - Warnings": "2 - Avertissements", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Localisez le(s) paquet(s) que vous souhaitez ajouter au lot et cochez leur case la plus à gauche.", - "3 - Information (less)": "3 - Information (moins)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Lorsque les paquets que vous souhaitez ajouter au lot sont sélectionnés, recherchez et cliquez sur l'option \"{0}\" dans la barre d'outils.", - "4 - Information (more)": "4 - Information (plus)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vos paquets auront été ajoutés au lot. Vous pouvez continuer à ajouter des paquets ou exporter le lot.", - "5 - information (debug)": "5 - Information (débogage)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un gestionnaire populaire de bibliothèques C/C++. Plein de bibliothèques C/C++ et d'autres utilitaires liés à C/C++.
Contient : Bibliothèques C/C++ et utilitaires liés", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un dépôt plein d'outils et d'exécutables conçus pour l'écosystème Microsoft .NET.
Contient : Outils et scripts liés à .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Un dépôt plein d'outils conçus avec l'écosystème Microsoft .NET.
Contient : Outils liés à .NET", "A restart is required": "Un redémarrage est requis", - "Abort install if pre-install command fails": "Abandonner l'installation si la commande de pré-installation échoue", - "Abort uninstall if pre-uninstall command fails": "Abandonner la désinstallation si la commande de pré-désinstallation échoue", - "Abort update if pre-update command fails": "Abandonner la mise à jour si la commande de pré-mise à jour échoue", - "About": "À propos", "About Qt6": "À propos de Qt6", - "About WingetUI": "À propos de WingetUI", "About WingetUI version {0}": "À propos de WingetUI version {0}", "About the dev": "À propos du développeur", - "Accept": "Accepter", "Action when double-clicking packages, hide successful installations": "Action lors du double-clic sur les paquets, cacher les installations réussies", - "Add": "Ajouter", "Add a source to {0}": "Ajouter une source à {0}", - "Add a timestamp to the backup file names": "Ajouter un horodatage aux noms des fichiers de sauvegarde", "Add a timestamp to the backup files": "Ajouter un horodatage aux fichiers de sauvegarde", "Add packages or open an existing bundle": "Ajouter des paquets ou ouvrir un lot existant", - "Add packages or open an existing package bundle": "Ajouter des paquets ou ouvrir un lot de paquets existant", - "Add packages to bundle": "Ajouter des paquets au lot", - "Add packages to start": "Ajouter des paquets pour commencer", - "Add selection to bundle": "Ajouter la sélection à un lot", - "Add source": "Ajouter une source", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Ajouter les mises à jour qui échouent avec un message « aucune mise à jour applicable trouvée » à la liste des mises à jour ignorées.", - "Adding source {source}": "Ajouter la source {source}", - "Adding source {source} to {manager}": "Ajouter la source {source} à {manager}", "Addition succeeded": "Ajouté avec succès", - "Administrator privileges": "Privilèges d'administrateur", "Administrator privileges preferences": "Paramètres des droits d'administrateur", "Administrator rights": "Droits d'administrateur", - "Administrator rights and other dangerous settings": "Droits d'administrateur et autres paramètres dangereux", - "Advanced options": "Options avancées", "All files": "Tous les fichiers", - "All versions": "Toutes les versions", - "Allow changing the paths for package manager executables": "Permettre de modifier les chemins d'accès aux exécutables du gestionnaire de paquets", - "Allow custom command-line arguments": "Autoriser les arguments de ligne de commande personnalisés", - "Allow importing custom command-line arguments when importing packages from a bundle": "Autoriser l'importation d'arguments de ligne de commande personnalisés lors de l'importation de packages à partir d'un bundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permettre l'importation de commandes de pré-installation et de post-installation personnalisées lors de l'importation de paquets par lot", "Allow package operations to be performed in parallel": "Autoriser l'exécution en parallèle des opérations sur les paquets", "Allow parallel installs (NOT RECOMMENDED)": "Autoriser les installations parallèles (NON RECOMMANDÉ) ", - "Allow pre-release versions": "Autoriser les pré-versions", "Allow {pm} operations to be performed in parallel": "Autoriser les opérations de {pm} à s'exécuter en parallèle", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Autrement, vous pouvez également installer {0} en exécutant la commande suivante dans une invite Windows PowerShell :", "Always elevate {pm} installations by default": "Toujours élever les installations {pm} par défaut", "Always run {pm} operations with administrator rights": "Toujours exécuter les opérations de {pm} avec les droits d'administrateur", - "An error occurred": "Une erreur s'est produite", - "An error occurred when adding the source: ": "Une erreur s'est produite lors de l'ajout de la source :", - "An error occurred when attempting to show the package with Id {0}": "Une erreur s'est produite lors de la tentative d'afficher le paquet avec l'ID {0}", - "An error occurred when checking for updates: ": "Une erreur s'est produite lors de la vérification des mises à jour :", - "An error occurred while attempting to create an installation script:": "Une erreur s'est produite lors de la création d'un script d'installation :", - "An error occurred while loading a backup: ": "Une erreur s'est produite lors du chargement d'une sauvegarde :", - "An error occurred while logging in: ": "Une erreur s'est produite lors de la connexion :", - "An error occurred while processing this package": "Une erreur s'est produite lors du traitement du paquet", - "An error occurred:": "Une erreur s'est produite :", - "An interal error occurred. Please view the log for further details.": "Une erreur interne s'est produite. Veuillez consulter les journaux pour plus de détails.", "An unexpected error occurred:": "Une erreur inattendue s'est produite :", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Une problème inattendu s'est produit lors de la tentative de réparation de WinGet. Veuillez réessayer plus tard.", - "An update was found!": "Une mise à jour a été trouvée !", - "Android Subsystem": "Sous-système Android", "Another source": "Autre source", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Tout nouveau raccourci créé lors d'une installation ou d'une mise à jour sera automatiquement supprimé, au lieu d'afficher une demande de confirmation la première fois qu'il est détecté.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Tout raccourci créé ou modifié en dehors d'UniGetUI sera ignoré. Vous pourrez les ajouter via le bouton {0} pour les ajouter.", - "Any unsaved changes will be lost": "Toute modification non enregistrée sera perdue", "App Name": "Nom de l'application", - "Appearance": "Apparence", - "Application theme, startup page, package icons, clear successful installs automatically": "Thème de l'application, page de démarrage, icônes des paquets, nettoyage automatique des installations réussies", - "Application theme:": "Thème de l'application :", - "Apply": "Appliquer", - "Architecture to install:": "Architecture à installer :", "Are these screenshots wron or blurry?": "Ces captures d'écran sont-elles fausses ou floues ?", - "Are you really sure you want to enable this feature?": "Êtes-vous vraiment sûr de vouloir activer cette fonction ?", - "Are you sure you want to create a new package bundle? ": "Êtes-vous sûr de vouloir créer un nouveau lot de paquets ?", - "Are you sure you want to delete all shortcuts?": "Êtes-vous sûr de vouloir supprimer tous les raccourcis ?", - "Are you sure?": "Êtes-vous sûr ?", - "Ascendant": "Ascendant", - "Ask for administrator privileges once for each batch of operations": "Demander les privilèges d'administrateur une seule fois pour chaque lot d'opérations", "Ask for administrator rights when required": "Demander les droits d'administrateur lorsque c'est nécessaire", "Ask once or always for administrator rights, elevate installations by default": "Demander une fois ou à chaque fois pour les droits d'administrateur, élever les installations par défaut", - "Ask only once for administrator privileges": "Ne demander qu'une seule fois les privilèges d'administrateur", "Ask only once for administrator privileges (not recommended)": "Demander seulement une fois pour les privilèges d'administrateur (non recommandé)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Demander la suppression des raccourcis sur le bureau créés lors d'une installation ou d'une mise à jour", - "Attention required": "Attention requise", "Authenticate to the proxy with an user and a password": "S'authentifier auprès du proxy avec un utilisateur et un mot de passe", - "Author": "Auteur", - "Automatic desktop shortcut remover": "Suppression automatique des raccourcis sur le bureau", - "Automatic updates": "Mises à jour automatiques", - "Automatically save a list of all your installed packages to easily restore them.": "Enregistrer automatiquement une liste de tous les paquets installés pour les restaurer facilement", "Automatically save a list of your installed packages on your computer.": "Enregistrer automatiquement une liste de vos paquets installés sur votre ordinateur.", - "Automatically update this package": "Mettre à jour automatiquement ce package", "Autostart WingetUI in the notifications area": "Démarrer automatiquement WingetUI dans la zone de notification", - "Available Updates": "Mises à jour disponibles", "Available updates: {0}": "Mises à jour disponibles : {0}", "Available updates: {0}, not finished yet...": "Mises à jour disponibles : {0}, pas encore terminé...", - "Backing up packages to GitHub Gist...": "Sauvegarde des paquets sur GitHub Gist...", - "Backup": "Sauvegarder", - "Backup Failed": "La sauvegarde a échoué", - "Backup Successful": "La sauvegarde a réussi", - "Backup and Restore": "Sauvegarde et restauration", "Backup installed packages": "Sauvegarder les paquets installés", "Backup location": "Emplacement de la sauvegarde", - "Become a contributor": "Devenir un contributeur", - "Become a translator": "Devenir un traducteur", - "Begin the process to select a cloud backup and review which packages to restore": "Commencer le processus de sélection d'une sauvegarde dans le cloud et examiner les paquets à restaurer.", - "Beta features and other options that shouldn't be touched": "Fonctionnalités bêta et autres options qui ne devraient pas être modifiées", - "Both": "Les deux", - "Bundle security report": "Rapport de sécurité du lot", "But here are other things you can do to learn about WingetUI even more:": "Mais voici d'autres choses que vous pouvez faire pour en savoir encore plus sur UniGetUI :", "By toggling a package manager off, you will no longer be able to see or update its packages.": "En désactivant un gestionnaire de paquets, vous ne pourrez plus voir ou mettre à jour ses paquets.", "Cache administrator rights and elevate installers by default": "Mettre en cache les droits d'administrateur et élever les installateurs par défaut", "Cache administrator rights, but elevate installers only when required": "Mettre en cache les droits d'administrateur, mais élever les installateurs seulement quand c'est nécessaire", "Cache was reset successfully!": "Le cache a été réinitialisé avec succès !", "Can't {0} {1}": "Impossible de {0} {1}", - "Cancel": "Annuler", "Cancel all operations": "Annuler toutes les opérations", - "Change backup output directory": "Modifier le répertoire de la sauvegarde", - "Change default options": "Modifier les options par défaut", - "Change how UniGetUI checks and installs available updates for your packages": "Modifier comment UniGetUI vérifie et installe les mises à jour disponibles pour vos paquets", - "Change how UniGetUI handles install, update and uninstall operations.": "Modifier la façon dont UniGetUI gère les opérations d'installation, de mise à jour et de désinstallation.", "Change how UniGetUI installs packages, and checks and installs available updates": "Modifier la façon dont UniGetUI installe les paquets, vérifie et installe les mises à jour disponibles", - "Change how operations request administrator rights": "Modifier la façon dont les opérations demandent des droits d'administrateur", "Change install location": "Changer l'emplacement d'installation", - "Change this": "Modifier ceci", - "Change this and unlock": "Modifier ceci et déverrouiller", - "Check for package updates periodically": "Vérifier les mises à jour des paquets périodiquement", - "Check for updates": "Vérifier les mises à jour", - "Check for updates every:": "Vérifier les mises à jour toutes les :", "Check for updates periodically": "Vérifier les mises à jour périodiquement", "Check for updates regularly, and ask me what to do when updates are found.": "Vérifier les mises à jour régulièrement, et me demander quoi faire lorsque des mises à jour sont trouvées.", "Check for updates regularly, and automatically install available ones.": "Vérifier les mises à jour régulièrement, et installer automatiquement celles disponibles.", @@ -159,805 +741,283 @@ "Checking for updates...": "Vérification des mises à jour...", "Checking found instace(s)...": "Vérification des instances trouvées...", "Choose how many operations shouls be performed in parallel": "Choisir le nombre d'opérations à effectuer en parallèle", - "Clear cache": "Vider le cache", "Clear finished operations": "Effacer les opérations terminées", - "Clear selection": "Effacer la sélection", "Clear successful operations": "Nettoyer les opérations réussies", - "Clear successful operations from the operation list after a 5 second delay": "Effacer les opérations réussies de la liste des opérations après un délai de 5 secondes", "Clear the local icon cache": "Vider le cache des icônes", - "Clearing Scoop cache - WingetUI": "Vidage du cache de Scoop - WingetUI", "Clearing Scoop cache...": "Nettoyage du cache de Scoop...", - "Click here for more details": "Cliquez ici pour plus de détails", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Cliquez sur Installer pour commencer le processus d'installation. Si vous passez l'installation, UniGetUI risque de ne pas fonctionner comme prévu.", - "Close": "Fermer", - "Close UniGetUI to the system tray": "Fermer UniGetUI dans la barre d'état système", "Close WingetUI to the notification area": "Fermer WingetUI dans la zone de notification", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "La sauvegarde dans le cloud utilise une Gist GitHub privée pour stocker la liste des paquets installés.", - "Cloud package backup": "Sauvegarde des paquets dans le cloud", "Command-line Output": "Sortie de la ligne de commande", - "Command-line to run:": "Ligne de commande à exécuter :", "Compare query against": "Comparer la requête avec", - "Compatible with authentication": "Compatible avec l'authentification", - "Compatible with proxy": "Compatible avec le proxy", "Component Information": "Informations sur les composants", - "Concurrency and execution": "Concurrence et exécution", - "Connect the internet using a custom proxy": "Se connecter à Internet à l'aide d'un proxy personnalisé", - "Continue": "Continuer", "Contribute to the icon and screenshot repository": "Contribuer au dépôt d'icônes et de captures d'écran", - "Contributors": "Contributeurs", "Copy": "Copier", - "Copy to clipboard": "Copier dans le presse-papiers", - "Could not add source": "Impossible d'ajouter une source", - "Could not add source {source} to {manager}": "Impossible d'ajouter la source {source} à {manager}", - "Could not back up packages to GitHub Gist: ": "Impossible de sauvegarder les paquets sur GitHub Gist :", - "Could not create bundle": "Impossible de créer un lot", "Could not load announcements - ": "Impossible de charger les annonces - ", "Could not load announcements - HTTP status code is $CODE": "Impossible de charger les annonces - Le code de statut HTTP est $CODE", - "Could not remove source": "Impossible de supprimer la source", - "Could not remove source {source} from {manager}": "Impossible de supprimer la source {source} de {manager}", "Could not remove {source} from {manager}": "Impossible de supprimer {source} depuis {manager}", - "Create .ps1 script": "Créer un script .ps1", - "Credentials": "Informations d'identification", "Current Version": "Version actuelle", - "Current executable file:": "Fichier exécutable actuel :", - "Current status: Not logged in": "Statut actuel : Non connecté", "Current user": "Utilisateur actuel", "Custom arguments:": "Arguments personnalisés :", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Les arguments de ligne de commande personnalisés peuvent modifier la manière dont les programmes sont installés, mis à jour ou désinstallés, d'une manière qu'UniGetUI ne peut pas contrôler. Leur utilisation peut endommager les paquets. Soyez prudent.", "Custom command-line arguments:": "Arguments personnalisés de la ligne de commande :", - "Custom install arguments:": "Arguments d'installation personnalisés :", - "Custom uninstall arguments:": "Arguments de désinstallation personnalisés :", - "Custom update arguments:": "Arguments de mise à jour personnalisés :", "Customize WingetUI - for hackers and advanced users only": "Customiser WingetUI - pour les hackers et les utilisateurs avancés seulement", - "DEBUG BUILD": "VERSION DE DÉBOGAGE", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "AVERTISSEMENT : NOUS NE SOMMES PAS RESPONSABLES DES PAQUETS TÉLÉCHARGÉS. VEUILLEZ VOUS ASSURER DE N'INSTALLER QUE DES LOGICIELS FIABLES.", - "Dark": "Sombre", - "Decline": "Refuser", - "Default": "Par défaut", - "Default installation options for {0} packages": "Options d'installation par défaut pour {0} paquets", "Default preferences - suitable for regular users": "Paramètres par défaut - adaptés aux utilisateurs réguliers", - "Default vcpkg triplet": "Triplet vcpkg par défaut", - "Delete?": "Supprimer ?", - "Dependencies:": "Dépendances :", - "Descendant": "Descendant", "Description:": "Description :", - "Desktop shortcut created": "Raccourci sur le bureau créé", - "Details of the report:": "Détails du rapport :", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Développer est difficile, et cette application est gratuite. Mais si vous avez aimé l'application, vous pouvez toujours m'acheter un café :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installer directement en double-cliquant sur un élement dans l'onglet \"{discoveryTab}\" (au lieu d'afficher les infos du paquet)", "Disable new share API (port 7058)": "Désactiver la nouvelle API de partage (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Désactiver le délai d'attente de 1 minute pour les opérations liées aux paquets", - "Disabled": "Désactivé", - "Disclaimer": "Avertissement", - "Discover Packages": "Découvrir des paquets", "Discover packages": "Découvrir les paquets", "Distinguish between\nuppercase and lowercase": "Faire la distinction entre les majuscules et les minuscules", - "Distinguish between uppercase and lowercase": "Faire la distinction entre les majuscules et les minuscules", "Do NOT check for updates": "Ne PAS vérifier les mises à jour", "Do an interactive install for the selected packages": "Effectuer une installation interactive pour les paquets sélectionnés", "Do an interactive uninstall for the selected packages": "Effectuer une désinstallation interactive pour les paquets sélectionnés", "Do an interactive update for the selected packages": "Effectuer une mise à jour interactive pour les paquets sélectionnés", - "Do not automatically install updates when the battery saver is on": "Ne pas installer automatiquement les mises à jour lorsque l'économiseur de batterie est activé", - "Do not automatically install updates when the device runs on battery": "Ne pas installer automatiquement les mises à jour lorsque l'appareil fonctionne sur batterie", - "Do not automatically install updates when the network connection is metered": "Ne pas installer automatiquement les mises à jour lorsque la connexion réseau est mesurée", "Do not download new app translations from GitHub automatically": "Ne pas télécharger automatiquement les nouvelles traductions de l'application depuis GitHub", - "Do not ignore updates for this package anymore": "Ne plus ignorer les mises à jour de ce paquet", "Do not remove successful operations from the list automatically": "Ne pas supprimer automatiquement de la liste les opérations réussies", - "Do not show this dialog again for {0}": "Ne plus afficher cette boîte de dialogue pour {0}", "Do not update package indexes on launch": "Ne pas mettre à jour les index des paquets au démarrage", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Acceptez-vous que UniGetUI recueille et envoie des statistiques d'utilisation anonymes, dans le seul but de comprendre et d'améliorer l'expérience utilisateur ?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Vous trouvez WingetUI utile ? Si vous le pouvez, vous pouvez soutenir mon travail, afin que je puisse continuer à faire de WingetUI le gestionnaire de paquets avec interface graphique ultime.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Vous trouvez WingetUI utile ? Vous voulez soutenir le développeur ? Si c'est le cas, vous pouvez {0}, ça aide beaucoup !", - "Do you really want to reset this list? This action cannot be reverted.": "Voulez-vous vraiment réinitialiser cette liste ? Cette action ne peut pas être annulée.", - "Do you really want to uninstall the following {0} packages?": "Voulez-vous vraiment désinstaller les {0} paquets suivants ?", "Do you really want to uninstall {0} packages?": "Voulez-vous vraiment désinstaller {0} paquets ?", - "Do you really want to uninstall {0}?": "Voulez-vous vraiment désinstaller {0} ?", "Do you want to restart your computer now?": "Voulez-vous redémarrer votre ordinateur maintenant ?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Vous souhaitez traduire WingetUI dans votre langue ? Découvrez comment contribuer ICI !", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Vous ne souhaitez pas faire de don ? Pas de soucis, vous pouvez toujours partager WingetUI avec vos amis. Faites passer le mot à propos de WingetUI.", "Donate": "Faire un don", - "Done!": "Terminé !", - "Download failed": "Téléchargement échoué", - "Download installer": "Télécharger l'installateur", - "Download operations are not affected by this setting": "Les opérations de téléchargement ne sont pas affectées par ce paramètre", - "Download selected installers": "Télécharger les installeurs sélectionnés", - "Download succeeded": "Téléchargement réussi", "Download updated language files from GitHub automatically": "Télécharger automatiquement les fichiers de langue mis à jour depuis GitHub", - "Downloading": "Téléchargement en cours", - "Downloading backup...": "Téléchargement de la sauvegarde...", - "Downloading installer for {package}": "Téléchargement de l'installateur pour {package}", - "Downloading package metadata...": "Téléchargement des métadonnées du paquet...", - "Enable Scoop cleanup on launch": "Activer le nettoyage de Scoop au démarrage", - "Enable WingetUI notifications": "Activer les notifications de WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Activation d'un dépanneur WinGet [expérimental] amélioré", - "Enable and disable package managers, change default install options, etc.": "Activer et désactiver les gestionnaires de paquets, modifier les options d'installation par défaut, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activation des optimisations de l'utilisation du CPU en arrière-plan (voir Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Activer l'API en arrière-plan (Widgets et Partage WingetUI, port 7058) ", - "Enable it to install packages from {pm}.": "Activer ceci pour installer les paquets depuis {pm}.", - "Enable the automatic WinGet troubleshooter": "Activer le dépannage automatique de WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Activer la nouvelle élévation de privilèges UAC d'UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Activer le nouveau gestionnaire d'entrée de processus (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activez les paramètres ci-dessous SI ET SEULEMENT SI vous comprenez parfaitement ce qu'ils font, ainsi que les implications et les dangers qu'ils peuvent impliquer.", - "Enable {pm}": "Activer {pm}", - "Enabled": "Activé", - "Enter proxy URL here": "Entrez l'URL du proxy ici", - "Entries that show in RED will be IMPORTED.": "Les entrées qui apparaissent en ROUGE seront IMPORTÉES.", - "Entries that show in YELLOW will be IGNORED.": "Les entrées qui apparaissent en JAUNE seront IGNORÉES.", - "Error": "Erreur", - "Everything is up to date": "Tout est à jour", - "Exact match": "Correspondance exacte", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Les raccourcis existants sur votre bureau seront analysés et vous devrez choisir ceux qui doivent être conservés et ceux qui doivent être supprimés.", - "Expand version": "Afficher la version", - "Experimental settings and developer options": "Paramètres expérimentaux et options pour les développeurs", - "Export": "Exporter", + "Downloading": "Téléchargement en cours", + "Downloading installer for {package}": "Téléchargement de l'installateur pour {package}", + "Downloading package metadata...": "Téléchargement des métadonnées du paquet...", + "Enable the new UniGetUI-Branded UAC Elevator": "Activer la nouvelle élévation de privilèges UAC d'UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Activer le nouveau gestionnaire d'entrée de processus (StdIn automated closer)", "Export log as a file": "Exporter les journaux dans un fichier", "Export packages": "Exporter des paquets", "Export selected packages to a file": "Exporter les paquets sélectionnés dans un fichier", - "Export settings to a local file": "Exporter les paramètres dans un fichier local", - "Export to a file": "Exporter dans un fichier", - "Failed": "Échec", - "Fetching available backups...": "Recherche des sauvegardes disponibles...", "Fetching latest announcements, please wait...": "Récupération des dernières annonces, veuillez patienter...", - "Filters": "Filtres", "Finish": "Terminer", - "Follow system color scheme": "Synchroniser avec le thème du système", - "Follow the default options when installing, upgrading or uninstalling this package": "Suivez les options par défaut lors de l'installation, de la mise à niveau ou de la désinstallation de ce logiciel.", - "For security reasons, changing the executable file is disabled by default": "Pour des raisons de sécurité, la modification du fichier exécutable est désactivée par défaut.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Pour des raisons de sécurité, les arguments de ligne de commande personnalisés sont désactivés par défaut. Allez dans les paramètres de sécurité d'UniGetUI pour changer cela.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Pour des raisons de sécurité, les scripts de pré-opération et de post-opération sont désactivés par défaut. Allez dans les paramètres de sécurité d'UniGetUI pour changer cela.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Forcer l'usage de la version compilée ARM de WinGet (SEULEMENT POUR LES SYSTÈMES ARM64)", - "Force install location parameter when updating packages with custom locations": "Forcer le paramètre d'emplacement d'installation lors de la mise à jour des packages avec des emplacements personnalisés", "Formerly known as WingetUI": "Anciennement WingetUI", "Found": "Trouvé", "Found packages: ": "Paquets trouvés :", "Found packages: {0}": "Paquets trouvés : {0}", "Found packages: {0}, not finished yet...": "Paquets trouvés : {0}, pas encore terminé...", - "General preferences": "Paramètres généraux", "GitHub profile": "Profil GitHub", "Global": "Global", - "Go to UniGetUI security settings": "Aller dans les paramètres de sécurité d'UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Excellent dépôt d'utilitaires peu connus mais utiles et d'autres paquets intéressants.
Contient : Utilitaires, Programmes en ligne de commande, Logiciels généraux (bucket extras requis)", - "Great! You are on the latest version.": "Génial ! Vous utilisez la dernière version.", - "Grid": "Grille", - "Help": "Aide", "Help and documentation": "Aide et documentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Ici vous pouvez changer le comportement d'UniGetUI en ce qui concerne les raccourcis suivants. En cochant un raccourci, UniGetUI le supprimera s'il est créé lors d'une prochaine mise à jour. Si vous ne le cochez pas, cela conservera le raccourci intact.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Salut, mon nom est Martí, et je suis le développeur de WingetUI. WingetUI a été entièrement réalisé durant mon temps libre !", "Hide details": "Masquer les détails", - "Homepage": "Page d'accueil", - "Hooray! No updates were found.": "Félicitations ! Toutes vos applications sont à jour !", "How should installations that require administrator privileges be treated?": "Comment doivent être traitées les installations qui requièrent des privilèges d'administrateur ?", - "How to add packages to a bundle": "Comment ajouter des paquets à un lot", - "I understand": "Je comprends", - "Icons": "Icônes", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Si vous avez activé la sauvegarde dans le cloud, il sera sauvegardé en tant que Gist GitHub sur ce compte.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Autoriser l'exécution de commandes personnalisées avant et après l'installation", - "Ignore future updates for this package": "Ignorer les futures mises à jour pour ce paquet", - "Ignore packages from {pm} when showing a notification about updates": "Ignorer les paquets de {pm} lors de l'affichage d'une notification de mise à jour", - "Ignore selected packages": "Ignorer les paquets sélectionnés", - "Ignore special characters": "Ignorer les caractères spéciaux", "Ignore updates for the selected packages": "Ignorer les mises à jour pour les paquets sélectionnés", - "Ignore updates for this package": "Ignorer les mises à jour pour ce paquet", "Ignored updates": "Mises à jour ignorées", - "Ignored version": "Version ignorée", - "Import": "Importer", "Import packages": "Importer des paquets", "Import packages from a file": "Importer des paquets depuis un fichier", - "Import settings from a local file": "Importer les paramètres depuis un fichier local", - "In order to add packages to a bundle, you will need to: ": "Pour ajouter des paquets à un lot, vous devez : ", "Initializing WingetUI...": "Initialisation de WingetUI...", - "Install": "Installer", - "Install Scoop": "Installer Scoop", "Install and more": "Installer et plus", "Install and update preferences": "Installation et mise à jour des préférences", - "Install as administrator": "Installer en tant qu'administrateur", - "Install available updates automatically": "Installer automatiquement les mises à jour disponibles", - "Install location can't be changed for {0} packages": "L'emplacement d'installation ne peut pas être modifié pour {0} paquets", - "Install location:": "Emplacement d'installation :", - "Install options": "Options d'installation", "Install packages from a file": "Installer des paquets depuis un fichier", - "Install prerelease versions of UniGetUI": "Installer les préversions d'UniGetUI", - "Install script": "Script d'installation", "Install selected packages": "Installer les paquets sélectionnés ", "Install selected packages with administrator privileges": "Installer les paquets sélectionnés avec les privilèges d'administrateur", - "Install selection": "Installer la sélection", "Install the latest prerelease version": "Installer la dernière version préliminaire", "Install updates automatically": "Installer les mises à jour automatiquement", - "Install {0}": "Installer {0}", "Installation canceled by the user!": "Installation annulée par l'utilisateur !", - "Installation failed": "Échec de l'installation", - "Installation options": "Options d'installation", - "Installation scope:": "Portée de l'installation", - "Installation succeeded": "Installation réussie", - "Installed Packages": "Paquets installés", - "Installed Version": "Version installée", "Installed packages": "Paquets installés", - "Installer SHA256": "SHA256 de l'installateur", - "Installer SHA512": "SHA512 de l'installateur", - "Installer Type": "Type d'installateur", - "Installer URL": "URL de l'installateur", - "Installer not available": "L'installateur n'est pas disponible", "Instance {0} responded, quitting...": "L'instance {0} répondu, fermeture...", - "Instant search": "Recherche instantanée", - "Integrity checks can be disabled from the Experimental Settings": "Les contrôles d'intégrité peuvent être désactivés à partir des paramètres expérimentaux", - "Integrity checks skipped": "Contrôles d'intégrité ignorés", - "Integrity checks will not be performed during this operation": "Les contrôles d'intégrité ne seront pas effectués pendant cette opération", - "Interactive installation": "Installation interactive", - "Interactive operation": "Fonctionnement interactif", - "Interactive uninstall": "Désinstallation interactive", - "Interactive update": "Mise à jour interactive", - "Internet connection settings": "Paramètres de connexion Internet", - "Invalid selection": "Sélection invalide", "Is this package missing the icon?": "Manque-t-il une icône pour ce paquet ?", - "Is your language missing or incomplete?": "Votre langue est-elle manquante ou incomplète ?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Il n'est pas garanti que les informations d'identification fournies seront stockées en toute sécurité. Vous pouvez donc tout aussi bien ne pas utiliser les informations d'identification de votre compte bancaire.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Il est recommandé de redémarrer UniGetUI après que WinGet a été réparé", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Il est fortement recommandé de réinstaller UniGetUI pour remédier à la situation.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Il semblerait que WinGet ne fonctionne pas correctement. Voulez-vous essayer de réparer WinGet ?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Il semblerait que vous ayez exécuté WingetUI en tant qu'administrateur, ce qui n'est pas recommandé. Vous pouvez toujours utiliser le programme, mais nous recommandons fortement de ne pas exécuter WingetUI avec les privilèges d'administrateur. Cliquez sur \"{showDetails}\" pour en savoir plus.", - "Language": "Langue", - "Language, theme and other miscellaneous preferences": "Langue, thème et autres préférences diverses", - "Last updated:": "Dernière date de mise à jour :", - "Latest": "Dernière", "Latest Version": "Dernière version", "Latest Version:": "Dernière version :", "Latest details...": "Derniers détails...", "Launching subprocess...": "Lancement des processus en arrière-plan...", - "Leave empty for default": "Laisser vide pour utiliser la valeur par défaut", - "License": "Licence", "Licenses": "Licences", - "Light": "Clair", - "List": "Liste", "Live command-line output": "Sortie de la ligne de commande en temps réel", - "Live output": "Sortie en temps réel", "Loading UI components...": "Chargement des composants de l'interface utilisateur...", "Loading WingetUI...": "Chargement de WingetUI...", - "Loading packages": "Chargement des paquets", - "Loading packages, please wait...": "Chargement des paquets, veuillez patienter...", - "Loading...": "Chargement...", - "Local": "Local", - "Local PC": "PC local", - "Local backup advanced options": "Options avancées de la sauvegarde locale", "Local machine": "Machine locale", - "Local package backup": "Sauvegarde locale des paquets", "Locating {pm}...": "Localisation de {pm} ...", - "Log in": "Connexion", - "Log in failed: ": "Échec de la connexion :", - "Log in to enable cloud backup": "Connectez-vous pour activer la sauvegarde dans le cloud", - "Log in with GitHub": "Se connecter avec GitHub", - "Log in with GitHub to enable cloud package backup.": "Connectez-vous à GitHub pour activer la sauvegarde des paquets dans le cloud.", - "Log level:": "Niveau de journalisation :", - "Log out": "Déconnexion", - "Log out failed: ": "Échec de la déconnexion :", - "Log out from GitHub": "Se déconnecter de GitHub", "Looking for packages...": "Recherche de paquets ...", "Machine | Global": "Machine | Globale", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Des arguments de ligne de commande mal formés peuvent endommager les paquets, voire permettre à un acteur malveillant d'obtenir une exécution privilégiée. Par conséquent, l'importation d'arguments de ligne de commande personnalisés est désactivée par défaut.", - "Manage": "Gérer", - "Manage UniGetUI settings": "Gérer les paramètres d'UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Gérer le comportement de démarrage automatique de UniGetUI depuis les paramètres de l'application", "Manage ignored packages": "Gérer les paquets ignorés", - "Manage ignored updates": "Gérer les mises à jour ignorées", - "Manage shortcuts": "Gérer les raccourcis", - "Manage telemetry settings": "Gérer les paramètres de télémétrie", - "Manage {0} sources": "Gérer les sources {0}", - "Manifest": "Manifeste", "Manifests": "Manifestes", - "Manual scan": "Analyse manuelle", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Le gestionnaire de paquets officiel de Microsoft. Rempli de paquets bien connus et vérifiés.
Contient : Logiciels généraux, Applications du Microsoft Store.", - "Missing dependency": "Dépendance manquante", - "More": "Plus", - "More details": "Plus de détails", - "More details about the shared data and how it will be processed": "Plus de détails sur les données partagées et la manière dont elles seront traitées", - "More info": "Plus d'informations", - "More than 1 package was selected": "Plus d'un package a été sélectionné", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTE : Ce programme de dépannage peut être désactivé depuis les paramètres d'UniGetUI, dans la section WinGet", - "Name": "Nom", - "New": "Nouveau", "New Version": "Nouvelle version", "New bundle": "Nouveau lot", - "New version": "Nouvelle version", - "Nice! Backups will be uploaded to a private gist on your account": "Super ! Les sauvegardes seront téléchargées dans un Gist privé de votre compte.", - "No": "Non", - "No applicable installer was found for the package {0}": "Aucun programme d'installation applicable n'a été trouvé pour le paquet {0}", - "No dependencies specified": "Aucune dépendance spécifiée", - "No new shortcuts were found during the scan.": "Aucun nouveau raccourci n'a été trouvé au cours de l'analyse.", - "No package was selected": "Aucun package n'a été sélectionné", "No packages found": "Aucun paquet trouvé", "No packages found matching the input criteria": "Aucun paquet trouvé correspondant aux critères", "No packages have been added yet": "Aucun paquet n'a encore été ajouté", "No packages selected": "Aucun paquet sélectionné", - "No packages were found": "Aucun paquet n'a été trouvé", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Aucune information personnelle n'est collectée ni envoyée, et les données collectées sont anonymisées, de sorte qu'il est impossible de remonter jusqu'à vous.", - "No results were found matching the input criteria": "Aucun résultat correspondant aux critères n'a été trouvé", "No sources found": "Aucune source trouvée", "No sources were found": "Aucune source n'a été trouvée", "No updates are available": "Aucune mise à jour n'est disponible", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Le gestionnaire de paquets de Node JS. Plein de bibliothèques et d'autres utilitaires qui tournent autour du monde de JavaScript.
Contient : Bibliothèques JavaScript Node et autres utilitaires associés", - "Not available": "Non disponible", - "Not finding the file you are looking for? Make sure it has been added to path.": "Vous ne trouvez pas le fichier que vous cherchez ? Assurez-vous qu'il a été ajouté au chemin d'accès.", - "Not found": "Non trouvé", - "Not right now": "Pas maintenant", "Notes:": "Notes :", - "Notification preferences": "Préférences de notification", "Notification tray options": "Options de notification", - "Notification types": "Types de notification", - "NuPkg (zipped manifest)": "NuPkg (manifeste compressé)", - "OK": "OK", "Ok": "Ok", - "Open": "Ouvrir", "Open GitHub": "Ouvrir GitHub", - "Open UniGetUI": "Ouvrir UniGetUI", - "Open UniGetUI security settings": "Ouvrir les paramètres de sécurité d'UniGetUI", "Open WingetUI": "Ouvrir WingetUI", "Open backup location": "Ouvrir l'emplacement de sauvegarde ", "Open existing bundle": "Ouvrir un lot existant...", - "Open install location": "Ouvrir l'emplacement d'installation", "Open the welcome wizard": "Ouvrir l'assistant de bienvenue", - "Operation canceled by user": "Opération annulée par l'utilisateur", "Operation cancelled": "Opération annulée", - "Operation history": "Historique des opérations", - "Operation in progress": "Opération en cours", - "Operation on queue (position {0})...": "Opération dans la file d'attente (position {0})...", - "Operation profile:": "Profil de l'opération :", "Options saved": "Options enregistrées", - "Order by:": "Trier par :", - "Other": "Autre", - "Other settings": "Autres paramètres", - "Package": "Paquet", - "Package Bundles": "Lots de paquets", - "Package ID": "ID du paquet", "Package Manager": "Gestionnaires de paquets", - "Package Manager logs": "Journaux du gestionnaire de paquets", - "Package Managers": "Gestionnaires de paquets", - "Package Name": "Nom du paquet", - "Package backup": "Sauvegarde du paquet", - "Package backup settings": "Paramètres de sauvegarde des paquets", - "Package bundle": "Lot de paquets", - "Package details": "Détails du paquet", - "Package lists": "Listes de paquets", - "Package management made easy": "Gestion des paquets facilitée", - "Package manager": "Gestionnaire de paquets", - "Package manager preferences": "Gestionnaires de paquets", "Package managers": "Gestionnaires de paquets", - "Package not found": "Paquet introuvable", - "Package operation preferences": "Préférences de fonctionnement des paquets", - "Package update preferences": "Préférences de mise à jour des paquets", "Package {name} from {manager}": "Paquet {name} de {manager} ", - "Package's default": "Valeur par défaut du paquet", "Packages": "Paquets", "Packages found: {0}": "Paquets trouvés : {0}", - "Partially": "Partiellement", - "Password": "Mot de passe", "Paste a valid URL to the database": "Coller une URL valide dans la base de données", - "Pause updates for": "Suspendre les mises à jour pour", "Perform a backup now": "Effectuer une sauvegarde maintenant", - "Perform a cloud backup now": "Effectuer une sauvegarde dans le cloud maintenant", - "Perform a local backup now": "Effectuer une sauvegarde locale maintenant", - "Perform integrity checks at startup": "Effectuer des contrôles d'intégrité au démarrage", - "Performing backup, please wait...": "Sauvegarde en cours, veuillez patienter...", "Periodically perform a backup of the installed packages": "Effectuer périodiquement une sauvegarde des paquets installés", - "Periodically perform a cloud backup of the installed packages": "Effectuer périodiquement une sauvegarde dans le cloud des paquets installés", - "Periodically perform a local backup of the installed packages": "Effectuer une sauvegarde locale périodique des paquets installés.", - "Please check the installation options for this package and try again": "Veuillez vérifier les options d'installation de ce paquet et réessayer", - "Please click on \"Continue\" to continue": "Veuillez cliquer sur \"Continuer\" pour continuer", "Please enter at least 3 characters": "Veuillez entrer au moins 3 caractères", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Veuillez noter que certains paquets peuvent ne pas être installables, en raison des gestionnaires de paquets qui sont activés sur cette machine.", - "Please note that not all package managers may fully support this feature": "Veuillez noter que tous les gestionnaires de paquets ne prennent pas toujours en charge cette fonctionnalité", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Veuillez noter que les paquets provenant de certaines sources peuvent ne pas être exportables. Ils ont été grisés et ne seront pas exportés.", - "Please run UniGetUI as a regular user and try again.": "Veuillez exécuter UniGetUI en tant qu'utilisateur standard et réessayer.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Consultez la sortie de la ligne de commande ou référez-vous à l'historique des opérations pour plus d'informations sur le problème.", "Please select how you want to configure WingetUI": "Veuillez sélectionner comment vous souhaitez configurer WingetUI", - "Please try again later": "Veuillez réessayer plus tard", "Please type at least two characters": "Veuillez taper au moins deux caractères", - "Please wait": "Veuillez patienter", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Veuillez patienter pendant l'installation de {0}. Une fenêtre noire peut s'afficher. Veuillez patienter jusqu'à ce qu'elle se ferme.", - "Please wait...": "Veuillez patienter...", "Portable": "Portable", - "Portable mode": "Mode portable", - "Post-install command:": "Commande de post-installation :", - "Post-uninstall command:": "Commande de post-désinstallation :", - "Post-update command:": "Commande de post-mise à jour :", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Le gestionnaire de paquets de PowerShell. Bibliothèques et scripts pour étendre les capacités de PowerShell.
Contient : Modules, Scripts, Cmdlets\n", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Les commandes pré et post-installation peuvent avoir des conséquences néfastes sur votre appareil, si elles sont conçues pour cela. Importer les commandes d'un bundle peut être très dangereux, sauf si vous faites confiance à la source de ce bundle.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Les commandes de pré-installation et de post-installation seront exécutées avant et après l'installation, la mise à niveau ou la désinstallation d'un paquet. Attention : elles peuvent endommager des éléments si elles ne sont pas utilisées avec précaution.", - "Pre-install command:": "Commande de pré-installation :", - "Pre-uninstall command:": "Commande de pré-désinstallation :", - "Pre-update command:": "Commande de pré-mise à jour :", - "PreRelease": "Préversion", - "Preparing packages, please wait...": "Préparation des paquets, veuillez patienter...", - "Proceed at your own risk.": "Procédez à vos propres risques.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Interdire toute forme d'élévation via UniGetUI Elevator ou GSudo", - "Proxy URL": "URL du proxy", - "Proxy compatibility table": "Tableau de compatibilité des proxys", - "Proxy settings": "Paramètres du proxy", - "Proxy settings, etc.": "Paramètres du proxy, etc.", "Publication date:": "Date de publication :", - "Publisher": "Éditeur", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Le gestionnaire de bibliothèques de Python. Plein de bibliothèques Python et d'autres utilitaires liés à Python.
Contient : Bibliothèques Python et autres utilitaires associés", - "Quit": "Quitter", "Quit WingetUI": "Quitter WingetUI", - "Ready": "Prêt", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Réduire les invites UAC, élever les installations par défaut, déverrouiller certaines fonctionnalités dangereuses, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Consultez les journaux UniGetUI pour obtenir plus de détails sur les fichiers concernés.", - "Reinstall": "Réinstaller", - "Reinstall package": "Réinstaller le paquet", - "Related settings": "Paramètres associés", - "Release notes": "Notes de publication", - "Release notes URL": "URL des notes de version", "Release notes URL:": "URL des notes de version :", "Release notes:": "Notes de version :", "Reload": "Recharger", - "Reload log": "Recharger les journaux", "Removal failed": "Échec de la suppression", "Removal succeeded": "Suppression réussie", - "Remove from list": "Supprimer de la liste", "Remove permanent data": "Supprimer les données permanentes", - "Remove selection from bundle": "Retirer la sélection du lot", "Remove successful installs/uninstalls/updates from the installation list": "Supprimer les installations/désinstallations/mises à jour réussies de la liste d'installation", - "Removing source {source}": "Suppression de la source {source}", - "Removing source {source} from {manager}": "Suppression de la source {source} de {manager}", - "Repair UniGetUI": "Réparer UniGetUI", - "Repair WinGet": "Réparer WinGet", - "Report an issue or submit a feature request": "Signaler un problème ou soumettre une demande de fonctionnalité", "Repository": "Dépôt", - "Reset": "Réinitialiser", "Reset Scoop's global app cache": "Réinitialiser le cache global des applications de Scoop", - "Reset UniGetUI": "Réinitialiser UniGetUI", - "Reset WinGet": "Réinitialiser WinGet", "Reset Winget sources (might help if no packages are listed)": "Réinitialiser les sources WinGet (peut aider si aucun paquet n'est listé)", - "Reset WingetUI": "Réinitialiser UniGetUI", "Reset WingetUI and its preferences": "Réinitialiser UniGetUI et ses préférences", "Reset WingetUI icon and screenshot cache": "Réinitialiser le cache des icônes et des captures d'écran de UniGetUI", - "Reset list": "Réinitialiser la liste", "Resetting Winget sources - WingetUI": "Réinitialisation des sources de WinGet - WingetUI", - "Restart": "Redémarrer", - "Restart UniGetUI": "Redémarrer UniGetUI", - "Restart WingetUI": "Redémarrer WingetUI", - "Restart WingetUI to fully apply changes": "Redémarrer WingetUI pour appliquer les changements", - "Restart later": "Redémarrer plus tard", "Restart now": "Redémarrer maintenant", - "Restart required": "Redémarrage requis", - "Restart your PC to finish installation": "Redémarrez votre PC pour terminer l'installation", - "Restart your computer to finish the installation": "Redémarrer votre ordinateur pour terminer l'installation", - "Restore a backup from the cloud": "Restaurer une sauvegarde à partir du cloud", - "Restrictions on package managers": "Restrictions sur les gestionnaires de paquets", - "Restrictions on package operations": "Restrictions sur les opérations sur les paquets", - "Restrictions when importing package bundles": "Restrictions lors de l'importation de lots de paquets", - "Retry": "Réessayer", - "Retry as administrator": "Réessayer en tant qu'administrateur", - "Retry failed operations": "Réessayer les opérations qui ont échoué", - "Retry interactively": "Réessayer de manière interactive", - "Retry skipping integrity checks": "Réessayer en ignorant les contrôles d'intégrité", - "Retrying, please wait...": "Nouvelle tentative, veuillez patienter...", - "Return to top": "Retourner en haut", - "Run": "Exécuter", - "Run as admin": "Exécuter en tant qu'administrateur", - "Run cleanup and clear cache": "Exécuter un nettoyage et vider le cache", - "Run last": "Lancer le dernier", - "Run next": "Lancer le prochain", - "Run now": "Lancer maintenant", + "Restart your PC to finish installation": "Redémarrez votre PC pour terminer l'installation", + "Restart your computer to finish the installation": "Redémarrer votre ordinateur pour terminer l'installation", + "Retry failed operations": "Réessayer les opérations qui ont échoué", + "Retrying, please wait...": "Nouvelle tentative, veuillez patienter...", + "Return to top": "Retourner en haut", "Running the installer...": "Exécution du programme d'installation...", "Running the uninstaller...": "Exécution du programme de désinstallation...", "Running the updater...": "Exécution du programme de mise à jour...", - "Save": "Enregistrer", "Save File": "Enregistrer le fichier", - "Save and close": "Enregistrer et fermer", - "Save as": "Enregistrer sous", "Save bundle as": "Enregistrer le lot sous...", "Save now": "Enregistrer maintenant", - "Saving packages, please wait...": "Enregistrement des paquets, veuillez patienter...", - "Scoop Installer - WingetUI": "Installateur de Scoop - WingetUI", - "Scoop Uninstaller - WingetUI": "Déinstallateur de Scoop - WingetUI", - "Scoop package": "Paquet Scoop", "Search": "Recherche", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Rechercher des logiciels de bureau, m'avertir lorsque des mises à jour sont disponibles et ne pas faire de choses de geeks. Je ne veux pas que WingetUI soit trop compliqué, je veux juste un simple magasin de logiciels.", - "Search for packages": "Rechercher des paquets", - "Search for packages to start": "Rechercher des paquets pour démarrer", - "Search mode": "Mode de recherche", "Search on available updates": "Rechercher des mises à jour disponibles", "Search on your software": "Rechercher votre logiciel", "Searching for installed packages...": "Recherche des paquets installés en cours...", "Searching for packages...": "Recherche de paquets en cours...", "Searching for updates...": "Recherche de mises à jour en cours...", - "Select": "Sélectionner", "Select \"{item}\" to add your custom bucket": "Sélectionnez \"{item}\" pour ajouter votre bucket personnalisé", "Select a folder": "Sélectionner un dossier", - "Select all": "Tout sélectionner", "Select all packages": "Sélectionner tous les paquets", - "Select backup": "Sélectionner la sauvegarde", "Select only if you know what you are doing.": "Sélectionnez seulement si vous savez ce que vous faites.", "Select package file": "Sélectionner le fichier du paquet", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Sélectionnez la sauvegarde que vous souhaitez ouvrir. Plus tard, vous pourrez revoir les paquets/programmes que vous souhaitez restaurer.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Sélectionnez l'exécutable à utiliser. La liste suivante répertorie les exécutables trouvés par UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Sélectionnez les processus qui doivent être fermés avant l'installation, la mise à jour ou la désinstallation de ce paquet.", - "Select the source you want to add:": "Sélectionner la source que vous voulez ajouter :", - "Select upgradable packages by default": "Sélectionner les paquets à mettre à jour par défaut", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Sélectionner quels gestionnaires de paquets à utiliser ({0}), configurer comment les paquets sont installés, gérer le fonctionnement des droits d'administrateur, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake envoyé. En attente de la réponse de l'instance... ({0}%)", - "Set a custom backup file name": "Définir un nom de fichier de sauvegarde personnalisé", "Set custom backup file name": "Définir un nom de fichier de sauvegarde personnalisé", - "Settings": "Paramètres", - "Share": "Partager", "Share WingetUI": "Partager WingetUI", - "Share anonymous usage data": "Partager les données d'utilisation anonymes", - "Share this package": "Partager ce paquet", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Si vous modifiez les paramètres de sécurité, vous devrez ouvrir à nouveau le lot pour que les modifications soient prises en compte.", "Show UniGetUI on the system tray": "Afficher UniGetUI dans la zone de notification", - "Show UniGetUI's version and build number on the titlebar.": "Afficher la version d'UniGetUI dans la barre de titre", - "Show WingetUI": "Afficher WingetUI", "Show a notification when an installation fails": "Afficher une notification quand une installation échoue", "Show a notification when an installation finishes successfully": "Afficher une notification quand une installation se termine avec succès", - "Show a notification when an operation fails": "Afficher une notification lorsqu'une opération échoue", - "Show a notification when an operation finishes successfully": "Afficher une notification lorsqu'une opération se termine avec succès", - "Show a notification when there are available updates": "Afficher une notification quand des mises à jour sont disponibles", - "Show a silent notification when an operation is running": "Afficher une notification silencieuse lorsqu'une opération est en cours", "Show details": "Afficher les détails", - "Show in explorer": "Afficher dans l'explorateur", "Show info about the package on the Updates tab": "Afficher les informations du paquet sur l'onglet Mises à jour", "Show missing translation strings": "Afficher les traductions manquantes", - "Show notifications on different events": "Afficher des notifications sur différents événements", "Show package details": "Afficher les détails du paquet", - "Show package icons on package lists": "Afficher les icônes des paquets dans la liste des paquets", - "Show similar packages": "Afficher des paquets similaires", "Show the live output": "Afficher la sortie en temps réel", - "Size": "Taille", "Skip": "Passer", - "Skip hash check": "Passer la vérification du hachage", - "Skip hash checks": "Passer les vérifications du hachage", - "Skip integrity checks": "Passer les vérifications d'intégrité", - "Skip minor updates for this package": "Ignorer les mises à jour mineures pour ce paquet", "Skip the hash check when installing the selected packages": "Passer la vérification du hachage lors de l'installation des paquets sélectionnés", "Skip the hash check when updating the selected packages": "Passer la vérification du hachage lors de la mise à jour des paquets sélectionnés", - "Skip this version": "Ignorer cette version", - "Software Updates": "Mises à jour", - "Something went wrong": "Quelque chose ne s'est pas passé comme prévu", - "Something went wrong while launching the updater.": "Un problème s'est produit lors du lancement de l'outil de mise à jour.", - "Source": "Source", - "Source URL:": "URL source :", - "Source added successfully": "Source ajoutée avec succès", "Source addition failed": "L'ajout de la source à échoué", - "Source name:": "Nom de la source :", "Source removal failed": "La suppression de la source a échouée", - "Source removed successfully": "Source supprimée avec succès", "Source:": "Source :", - "Sources": "Sources", "Start": "Démarrer", "Starting daemons...": "Démarrage des démons...", - "Starting operation...": "Démarrage de l'opération...", "Startup options": "Options de démarrage", "Status": "Statut", "Stuck here? Skip initialization": "Bloqué ici ? Passer l'initialisation", - "Success!": "Succès !", "Suport the developer": "Soutenir le développeur", "Support me": "Me soutenir", "Support the developer": "Soutenir le développeur", "Systems are now ready to go!": "Les systèmes sont maintenant prêts à fonctionner !", - "Telemetry": "Télémétrie", - "Text": "Texte", "Text file": "Fichier texte", - "Thank you ❤": "Merci ❤", - "Thank you \uD83D\uDE09": "Merci \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Le gestionnaire de paquets de Rust.
Contient : Bibliothèques Rust et programmes écrits en Rust", - "The backup will NOT include any binary file nor any program's saved data.": "La sauvegarde n'inclura PAS de fichier binaire ni de données sauvegardées par un programme.", - "The backup will be performed after login.": "La sauvegarde sera exécutée après la connexion.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "La sauvegarde inclura la liste complète des paquets installés, ainsi que leurs options d'installation. Les mises à jour et versions ignorées seront également sauvegardées.", - "The bundle was created successfully on {0}": "Le lot a été créé avec succès sur {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Le lot que vous essayez de charger semble être invalide. Veuillez vérifier le fichier et réessayer.", + "Thank you 😉": "Merci 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Le checksum de l'installateur ne coïncide pas avec la valeur attendue, et l'authenticité de l'installateur ne peut pas être vérifiée. Si vous faites confiance à l'éditeur, {0} le paquet passera à nouveau la vérification du hachage. ", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Le gestionnaire de paquets classique pour Windows. Vous y trouverez tout.
Contient : Logiciels généraux", - "The cloud backup completed successfully.": "La sauvegarde dans le cloud s'est terminée avec succès.", - "The cloud backup has been loaded successfully.": "La sauvegarde dans le cloud a été chargée avec succès.", - "The current bundle has no packages. Add some packages to get started": "Le lot actuel ne contient aucun paquet. Ajoutez quelques paquets pour commencer", - "The executable file for {0} was not found": "Le fichier exécutable de {0} n'a pas été trouvé", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Les options suivantes seront appliquées par défaut chaque fois qu'un paquet {0} est installé, mis à niveau ou désinstallé.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Les paquets suivants vont être exportés dans un fichier JSON. Aucune donnée utilisateur ou fichier binaire ne sera enregistré.", "The following packages are going to be installed on your system.": "Les paquets suivants vont être installés sur votre système.", - "The following settings may pose a security risk, hence they are disabled by default.": "Les paramètres suivants peuvent présenter un risque pour la sécurité, c'est pourquoi ils sont désactivés par défaut.", - "The following settings will be applied each time this package is installed, updated or removed.": "Les paramètres suivants seront appliqués à chaque fois que ce paquet sera installé, mis à jour ou supprimé.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Les paramètres suivants seront appliqués chaque fois que ce paquet sera installé, mis à jour ou supprimé. Ils seront enregistrés automatiquement.", "The icons and screenshots are maintained by users like you!": "Les icônes et les captures d'écran sont maintenues par des utilisateurs tout comme vous !", - "The installation script saved to {0}": "Le script d'installation enregistré dans {0}", - "The installer authenticity could not be verified.": "L'authenticité de l'installateur n'a pas pu être vérifiée.", "The installer has an invalid checksum": "Le programme d'installation a une somme de contrôle invalide", "The installer hash does not match the expected value.": "Le hachage de l'installateur ne correspond pas à la valeur attendue.", - "The local icon cache currently takes {0} MB": "Le cache des icônes occupe actuellement {0} Mo", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Le but principal de ce projet est de créer une interface utilisateur intuitive pour gérer les gestionnaires de paquets en ligne de commande les plus populaires pour Windows, tel que WinGet et Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Le paquet \"{0}\" n'a pas été trouvé dans le gestionnaire de paquets \"{1}\"", - "The package bundle could not be created due to an error.": "Le lot de paquets n'a pas pu être créé en raison d'une erreur", - "The package bundle is not valid": "Le lot de paquets n'est pas valide", - "The package manager \"{0}\" is disabled": "Le gestionnaire de paquets \"{0}\" est désactivé", - "The package manager \"{0}\" was not found": "Le gestionnaire de paquets \"{0}\" n'a pas été trouvé", "The package {0} from {1} was not found.": "Le paquet {0} de {1} n'a pas été trouvé.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Les paquets listés ici ne seront pas pris en compte lors de la vérification des mises à jour. Double-cliquez dessus ou cliquez sur le bouton à leur droite pour ne plus ignorer leurs mises à jour.", "The selected packages have been blacklisted": "Les paquets sélectionnés ont été ajoutés à la liste noire", - "The settings will list, in their descriptions, the potential security issues they may have.": "Les paramètres énumèrent, dans leur description, les problèmes de sécurité potentiels qu'ils peuvent présenter.", - "The size of the backup is estimated to be less than 1MB.": "La taille de la sauvegarde est estimée à moins de 1 Mo.", - "The source {source} was added to {manager} successfully": "La source {source} a été ajouté à {manager} avec succès", - "The source {source} was removed from {manager} successfully": "La source {source} a été supprimé de {manager} avec succès", - "The system tray icon must be enabled in order for notifications to work": "L'icône de la barre d'état système doit être activée pour que les notifications fonctionnent", - "The update process has been aborted.": "Le processus de mise à jour a été interrompu.", - "The update process will start after closing UniGetUI": "Le processus de mise à jour démarrera après la fermeture d'UniGetUI", "The update will be installed upon closing WingetUI": "La mise à jour sera installée à la fermeture de WingetUI", "The update will not continue.": "La mise à jour ne sera pas poursuivie.", "The user has canceled {0}, that was a requirement for {1} to be run": "L'utilisateur a annulé {0}, qui était nécessaire à l'exécution de {1}", - "There are no new UniGetUI versions to be installed": "Il n'y a pas de nouvelle version d'UniGetUI à installer.", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Il y a des opérations en cours. Quitter WingetUI pourrait les faire échouer. Voulez-vous continuer ?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Il existe d'excellentes vidéos sur YouTube qui présentent WingetUI et ses capacités. Vous pourrez apprendre des trucs et des astuces utiles !", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Il y a deux principales raisons de ne pas exécuter WingetUI en tant qu'administrateur :\nLa première est que le gestionnaire de paquets Scoop peut causer des problèmes avec certaines commandes quand il est exécuté en tant qu'administrateur.\nLa seconde est qu'exécuter WingetUI en tant qu'administrateur signifie que n'importe quel paquet que vous téléchargez sera exécuté en tant qu'administrateur (et ce n'est pas sécurisé).\nRappelez-vous que si vous avez besoin d'installer un paquet spécifique en tant qu'administrateur, vous pouvez toujours faire un clic droit sur l'élément -> Installer/Mettre à jour/Désinstaller en tant qu'administrateur.", - "There is an error with the configuration of the package manager \"{0}\"": "Il y a une erreur avec la configuration du gestionnaire de paquets \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Une installation est en cours. Si vous fermez WingetUI, celle-ci peut échouer et avoir des résultats inattendus. Voulez-vous fermer WingetUI malgré tout ?", "They are the programs in charge of installing, updating and removing packages.": "Ce sont les programmes en charge de l'installation, de la mise à jour et de la désinstallation des paquets.", - "Third-party licenses": "Licences tiers", "This could represent a security risk.": "Cela pourrait représenter un risque de sécurité.", - "This is not recommended.": "Ceci n'est pas recommandé.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ceci est probablement dû au fait que le paquet qui vous a été envoyé a été supprimé, ou publié sur un gestionnaire de paquets que vous n'avez pas d'activé. L'ID reçu est {0}", "This is the default choice.": "Il s'agit du choix par défaut.", - "This may help if WinGet packages are not shown": "ceci peut aider si les paquets de WinGet n'apparaissent pas", - "This may help if no packages are listed": "ceci peut aider si aucun paquet n'est listé", - "This may take a minute or two": "Cela peut prendre une minute ou deux", - "This operation is running interactively.": "Cette opération s'exécute de manière interactive.", - "This operation is running with administrator privileges.": "Cette opération est exécutée avec les privilèges d'administrateur.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Cette option ENTRAINERA des problèmes. Toute opération incapable de s'élever elle-même échouera. L'installation/mise à jour/désinstallation en tant qu'administrateur NE FONCTIONNE PAS.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ce lot de paquets contient des paramètres potentiellement dangereux qui peuvent être ignorés par défaut.", "This package can be updated": "Ce paquet peut être mis à jour", "This package can be updated to version {0}": "Ce paquet peut être mis à jour vers la version {0}", - "This package can be upgraded to version {0}": "Ce paquet peut être mis à jour vers la version {0}", - "This package cannot be installed from an elevated context.": "Ce paquet ne peut pas être installé avec une élévation de privilèges d'administrateur.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ce paquet n'a pas de capture d'écran ou l'icône est manquante ? Contribuez à WingetUI en ajoutant les icônes manquantes et les captures d'écran à notre base de données ouverte et publique.", - "This package is already installed": "Ce paquet est déjà installé", - "This package is being processed": "Ce paquet est en cours de traitement", - "This package is not available": "Ce paquet n'est pas disponible", - "This package is on the queue": "Ce paquet est dans la fil d'attente", "This process is running with administrator privileges": "Ce processus est exécuté avec les privilèges d'administrateur", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ce projet n'a aucun lien avec le projet officiel {0} — c'est complètement non officiel.", "This setting is disabled": "Ce paramètre est désactivé", "This wizard will help you configure and customize WingetUI!": "Cet assistant vous aidera à configurer et à customiser WingetUI !", "Toggle search filters pane": "Afficher/masquer le volet des filtres de recherche", - "Translators": "Traducteurs", - "Try to kill the processes that refuse to close when requested to": "Essayer de tuer les processus qui refusent de se fermer lorsqu'on le leur demande.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activer cette option permet de modifier le fichier exécutable utilisé pour interagir avec les gestionnaires de paquets. Bien que cela permette une personnalisation plus fine de vos processus d'installation, cela peut également s'avérer dangereux", "Type here the name and the URL of the source you want to add, separed by a space.": "Tapez ici le nom et l'URL de la source que vous souhaitez ajouter, séparés par un espace.", "Unable to find package": "Impossible de trouver le paquet", "Unable to load informarion": "Impossible de charger les informations", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI recueille des données d'utilisation anonymes afin d'améliorer l'expérience utilisateur.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI recueille des données d'utilisation anonymes dans le seul but de comprendre et d'améliorer l'expérience utilisateur.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI a détecté un nouveau raccourci sur le bureau qui peut être supprimé automatiquement.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI a détecté les raccourcis sur le bureau suivants qui peuvent être supprimés automatiquement lors de futures mises à jours", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI a détecté {0} nouveau(x) raccourci(s) sur le bureau pouvant être supprimé(s) automatiquement.", - "UniGetUI is being updated...": "UniGetUI est en cours de mise à jour...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI n'est lié à aucun des gestionnaires de paquets compatibles. UniGetUI est un projet indépendant.", - "UniGetUI on the background and system tray": "UniGetUI en arrière-plan et dans la barre des tâches", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ou certains de ses composants sont manquants ou corrompus.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI à besoin de {0} pour fonctionner, mais il n'a pas été trouvé sur votre système.", - "UniGetUI startup page:": "Page de démarrage d'UniGetUI :", - "UniGetUI updater": "Mise à jour d'UniGetUI", - "UniGetUI version {0} is being downloaded.": "La version {0} d'UniGetUI est en cours de téléchargement.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} est prêt à être installé.", - "Uninstall": "Désinstaller", - "Uninstall Scoop (and its packages)": "Désinstaller Scoop (et ses paquets)", "Uninstall and more": "Désinstaller et plus", - "Uninstall and remove data": "Désinstaller et supprimer les données", - "Uninstall as administrator": "Désinstaller en tant qu'administrateur", "Uninstall canceled by the user!": "Désinstallation annulée par l'utilisateur !", - "Uninstall failed": "Échec de la désinstallation", - "Uninstall options": "Options de désinstallation", - "Uninstall package": "Désinstaller le paquet", - "Uninstall package, then reinstall it": "Désinstaller le paquet, puis le réinstaller", - "Uninstall package, then update it": "Désinstaller le paquet, puis le mettre à jour", - "Uninstall previous versions when updated": "Désinstaller les versions précédentes lors de la mise à jour", - "Uninstall selected packages": "Désinstaller les paquets sélectionnés", - "Uninstall selection": "Désinstaller la sélection", - "Uninstall succeeded": "Désinstallation réussie", "Uninstall the selected packages with administrator privileges": "Désinstaller les paquets sélectionnés avec les privilèges d'administrateur", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Les paquets désinstallables avec l'origine listé comme \"{0}\" ne sont publiés sur aucun gestionnaire de paquets, donc il n'y a pas d'information disponible à leur sujet.", - "Unknown": "Inconnu", - "Unknown size": "Taille inconnue", - "Unset or unknown": "Non défini ou inconnu", - "Up to date": "À jour", - "Update": "Mettre à jour", - "Update WingetUI automatically": "Mettre à jour WingetUI automatiquement", - "Update all": "Tout mettre à jour", "Update and more": "Mettre à jour et plus", - "Update as administrator": "Mettre à jour en tant qu'administrateur", - "Update check frequency, automatically install updates, etc.": "Fréquence de vérification des mises à jour, installation automatique des mises à jour, etc.", - "Update checking": "Vérification des mises à jour", "Update date": "Date de mise à jour", - "Update failed": "Échec de la mise à jour", "Update found!": "Mise à jour trouvée !", - "Update now": "Mettre à jour maintenant", - "Update options": "Options de mise à jour", "Update package indexes on launch": "Mettre à jour les index des paquets au lancement", "Update packages automatically": "Mettre à jour les paquets automatiquement", "Update selected packages": "Mettre à jour les paquets sélectionnés", "Update selected packages with administrator privileges": "Mettre à jour les paquets sélectionnés avec les privilèges d'administrateur", - "Update selection": "Mettre à jour la sélection", - "Update succeeded": "Mise à jour réussie", - "Update to version {0}": "Mettre à jour vers la version {0}", - "Update to {0} available": "Mise à jour vers {0} disponible", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Mettre à jour automatiquement les portfiles Git de vcpkg (Git doit être installé)", "Updates": "Mises à jour", "Updates available!": "Mises à jour disponibles !", - "Updates for this package are ignored": "Les mises à jour pour ce paquet sont ignorées", - "Updates found!": "Mises à jour trouvées !", "Updates preferences": "Préférences de mises à jour", "Updating WingetUI": "Mise à jour de WingetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Utiliser l'ancien WinGet fourni au lieu de cmdlets PowerShell", - "Use a custom icon and screenshot database URL": "Utiliser une base de données d'icônes et de captures d'écran personnalisées", "Use bundled WinGet instead of PowerShell CMDlets": "Utiliser WinGet fourni au lieu de cmdlets PowerShell", - "Use bundled WinGet instead of system WinGet": "Utiliser WinGet intégré au lieu de WinGet du système", - "Use installed GSudo instead of UniGetUI Elevator": "Utiliser GSudo (si installé) à la place du UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Utiliser GSudo installé au lieu de celui fourni", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Utilisez l'ancienne version d'UniGetUI Elevator (désactive la prise en charge d'AdminByRequest).", - "Use system Chocolatey": "Utiliser Chocolatey du système", "Use system Chocolatey (Needs a restart)": "Utiliser Chocolatey du système (nécessite un redémarrage)", "Use system Winget (Needs a restart)": "Utiliser WinGet du système (nécessite un redémarrage)", "Use system Winget (System language must be set to english)": "Utiliser WinGet du système (La langue du système doit être l'anglais)", "Use the WinGet COM API to fetch packages": "Utiliser l'API COM de WinGet pour récupérer des paquets", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Utiliser le module PowerShell WinGet au lieu de l'API COM WinGet", - "Useful links": "Liens utiles", "User": "Utilisateur", - "User interface preferences": "Paramètres de l'interface utilisateur", "User | Local": "Utilisateur | Local", - "Username": "Nom d'utilisateur", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "L'utilisation de Winget implique l'acceptation de la licence GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Utiliser WingetUI implique l'acceptation de la licence MIT (MIT License)", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Le chemin racine de vcpkg n'a pas été trouvé. Veuillez définir la variable d'environnement %VCPKG_ROOT% ou définissez la dans les paramètres d'UniGetUI", "Vcpkg was not found on your system.": "Vcpkg n'a pas été trouvé sur votre système.", - "Verbose": "Verbose", - "Version": "Version", - "Version to install:": "Version à installer :", - "Version:": "Version :", - "View GitHub Profile": "Voir le profil GitHub", "View WingetUI on GitHub": "Voir WingetUI sur GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Voir le code source de UniGetUI. De là, vous pouvez signaler des bugs ou suggérer des fonctionnalités, ou même contribuer directement au projet UniGetUI.", - "View mode:": "Mode d'affichage :", - "View on UniGetUI": "Voir sur UniGetUI", - "View page on browser": "Voir la page dans le navigateur", - "View {0} logs": "Voir les journaux de {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Attendez que l'appareil soit connecté à Internet avant d'effectuer des tâches nécessitant une connexion à Internet", "Waiting for other installations to finish...": "En attente d'autres installations pour terminer...", "Waiting for {0} to complete...": "Attente de la fin de {0}...", - "Warning": "Avertissement", - "Warning!": "Attention !", - "We are checking for updates.": "Nous vérifions les mises à jour.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Nous n'avons pas pu charger les informations détaillées de ce paquet, parce qu'elles n'ont été trouvées dans aucune de vos sources de paquets.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Nous n'avons pas pu charger les informations détaillées de ce paquet, parce qu'il n'a pas été installé depuis un gestionnaire de paquets disponible.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nous n'avons pas pu {action} {package}. Veuillez réessayer plus tard. Cliquez sur \"{showDetails}\" pour obtenir les journaux de l'installateur.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nous n'avons pas pu {action} {package}. Veuillez réessayer plus tard. Cliquez sur \"{showDetails}\" pour obtenir les journaux du désinstallateur.", "We couldn't find any package": "Nous n'avons trouvé aucun paquet", "Welcome to WingetUI": "Bienvenue dans WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Lors de l'installation de paquets par lot, réinstaller les paquets déjà installés", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Lorsque de nouveaux raccourcis sont détectés, supprimez-les automatiquement au lieu d'afficher cette boîte de dialogue.", - "Which backup do you want to open?": "Quelle sauvegarde voulez-vous ouvrir ?", "Which package managers do you want to use?": "Quels gestionnaires de paquets souhaitez-vous utiliser ?", "Which source do you want to add?": "Quelle source voulez-vous ajouter ?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Alors que WinGet peut être utilisé avec WingetUI, WingetUI peut être utilisé avec d'autres gestionnaires de paquets, ce qui peut porter à confusion. WingetUI a été conçu pour fonctionner seulement avec WinGet, mais ce n'est plus le cas à présent, et par conséquent WingetUI ne représente pas ce que ce projet vise à devenir.", - "WinGet could not be repaired": "WinGet n'a pas pu être réparé", - "WinGet malfunction detected": "Dysfonctionnement de WinGet détecté", - "WinGet was repaired successfully": "WinGet a été réparé avec succès", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Tout est à jour", "WingetUI - {0} updates are available": "WingetUI - {0} mises à jour sont disponibles", "WingetUI - {0} {1}": "WingetUI - {1} de {0}", - "WingetUI Homepage": "Page d'accueil de WingetUI", "WingetUI Homepage - Share this link!": "Page d'accueil de WingetUI - Partagez ce lien !", - "WingetUI License": "Licence de WingetUI", - "WingetUI Log": "Journaux de WingetUI", - "WingetUI Repository": "Dépôt de WingetUI", - "WingetUI Settings": "Paramètres de WingetUI", "WingetUI Settings File": "Fichier de configuration de WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI utilise les bibliothèques suivantes. Sans elles, WingetUI n'aurait pas pu exister.", - "WingetUI Version {0}": "WingetUI Version {0}", "WingetUI autostart behaviour, application launch settings": "Comportement du démarrage automatique de WingetUI, paramètres de lancement de l'application", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI peut vérifier si votre logiciel a des mises à jour disponibles, et les installer automatiquement si vous le voulez", - "WingetUI display language:": "Langue d'affichage de WingetUI :", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI a été exécuté en tant qu'administrateur, ce qui n'est pas recommandé. Lorsque WingetUI est exécuté en tant qu'administrateur, TOUTES les opérations lancées depuis WingetUI auront des privilèges d'administrateur. Vous pouvez toujours utiliser le programme, mais nous recommandons fortement de ne pas exécuter WingetUI avec les privilèges d'administrateur.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI a été traduit dans plus de 40 langues grâce aux traducteurs bénévoles. Merci \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI n'a pas été traduit automatiquement. Les utilisateurs suivants ont été en charge des traductions :", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI est une application qui vous permet de gérer vos logiciels plus facilement, en fournissant une interface graphique tout-en-un pour vos gestionnaires de paquets en ligne de commandes.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI est renommé pour souligner la différence entre WingetUI (l'interface que vous utilisez actuellement) et WinGet (un gestionnaire de paquet développé par Microsoft avec lequel je n'ai aucun lien)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI est en cours de mise à jour. Une fois celle-ci finie, WingetUI redémarrera automatiquement", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI est gratuit, et le sera pour toujours. Aucune publicité, pas de carte de crédit, pas de version premium. 100% gratuit, pour toujours.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI affichera une invite UAC à chaque fois qu'un paquet nécessitera une élévation pour être installé.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI sera prochainement nommé {newname}. Cela ne représentera aucun changement dans l'application. Moi (le développeur), je poursuivrai le développement de ce projet comme je le fais actuellement, mais sous un autre nom.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI n'aurait pas été possible sans l'aide de nos chers contributeurs. Consultez leur profil GitHub, WingetUI ne serait pas possible sans eux !", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "WingetUI n'aurait pas été possible sans l'aide des contributeurs. Merci à tous \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "WingetUI {0} est prêt à être installé.", - "Write here the process names here, separated by commas (,)": "Saisissez ici les noms des processus, séparés par des virgules (,)", - "Yes": "Oui", - "You are logged in as {0} (@{1})": "Vous êtes connecté en tant que {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Vous pouvez modifier ce comportement dans les paramètres de sécurité d'UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Vous pouvez définir les commandes qui seront exécutées avant ou après l'installation, la mise à jour ou la désinstallation de ce paquet. Elles seront exécutées dans une invite de commande, de sorte que les scripts CMD fonctionneront ici.", - "You have currently version {0} installed": "Vous avez actuellement la version {0} installée", - "You have installed WingetUI Version {0}": "Vous avez installé WingetUI Version {0}", - "You may lose unsaved data": "Vous risquez de perdre des données non enregistrées", - "You may need to install {pm} in order to use it with WingetUI.": "Il est possible que vous ayez besoin d'installer {pm} pour pouvoir l'utiliser avec WingetUI.", "You may restart your computer later if you wish": "Vous pouvez redémarrer votre ordinateur plus tard si vous le souhaitez", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Vous ne serez invité à le faire qu'une seule fois, et les droits d'administrateur seront accordés aux paquets qui les demandent.", "You will be prompted only once, and every future installation will be elevated automatically.": "Vous ne serez invité à le faire qu'une seule fois, et toutes les installations futures seront élevées automatiquement.", - "You will likely need to interact with the installer.": "Vous devrez probablement interagir avec le programme d'installation.", - "[RAN AS ADMINISTRATOR]": "EXÉCUTÉ EN TANT QU'ADMINISTRATEUR", "buy me a coffee": "m'offrir un café", - "extracted": "extrait", - "feature": "fonctionnalité", "formerly WingetUI": "anciennement WingetUI", "homepage": "page d'accueil", "install": "installer", "installation": "installation", - "installed": "installé", - "installing": "installation en cours", - "library": "bibliothèque", - "mandatory": "obligatoire", - "option": "option", - "optional": "optionnel", "uninstall": "désinstaller", "uninstallation": "Désinstallation", "uninstalled": "désinstallé", - "uninstalling": "désinstallation en cours", "update(noun)": "mise à jour", "update(verb)": "mettre à jour", "updated": "mis à jour", - "updating": "Mise à jour en cours", - "version {0}": "version {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Les options d'installation de {0} sont actuellement bloquées parce que {0} suit les options d'installation par défaut.", "{0} Uninstallation": "Désinstallation de {0}", "{0} aborted": "{0} interrompue", "{0} can be updated": "{0} peut être mis à jour", - "{0} can be updated to version {1}": "{0} peut être mis à jour vers la version {1}", - "{0} days": "{0} jours", - "{0} desktop shortcuts created": "{0} raccourci(s) sur le bureau créé(s)", "{0} failed": "{0} a échoué", - "{0} has been installed successfully.": "{0} a été installé avec succès", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} a été installé avec succès. Il est recommandé de redémarrer UniGetUI pour terminer l'installation.", "{0} has failed, that was a requirement for {1} to be run": "{0} a échoué, c'était une condition pour que {1} soit exécuté", - "{0} homepage": "Page d'accueil de {0}", - "{0} hours": "{0} heures", "{0} installation": "Installation de {0}", - "{0} installation options": "Options d'installation de {0}", - "{0} installer is being downloaded": "Le programme d'installation {0} est en cours de téléchargement", - "{0} is being installed": "{0} est en cours d'installation", - "{0} is being uninstalled": "{0} est en cours de désinstallation", "{0} is being updated": "{0} est en cours de mise à jour", - "{0} is being updated to version {1}": "{0} est en cours de mise à jour vers la version {1}", - "{0} is disabled": "{0} est désactivé(e)", - "{0} minutes": "{0} minutes", "{0} months": "{0} mois", - "{0} packages are being updated": "{0} paquets sont en cours de mise à jour", - "{0} packages can be updated": "{0} paquets peuvent être mis à jour", "{0} packages found": "{0} paquets trouvés", "{0} packages were found": "{0} paquets ont été trouvés", - "{0} packages were found, {1} of which match the specified filters.": "{0} paquets ont été trouvés, {1} d'entre eux correspond·ent aux filtres spécifiés.", - "{0} selected": "{0} sélectionné", - "{0} settings": "Réglages de {0}", - "{0} status": "Statut de {0} ", "{0} succeeded": "{0} réussie", "{0} update": "Mise à jour de {0}", - "{0} updates are available": "{0} mises à jour sont disponibles", "{0} was {1} successfully!": "{0} a été {1} avec succès !", "{0} weeks": "{0} semaines", "{0} years": "{0} ans", "{0} {1} failed": "{0} {1} a échoué", - "{package} Installation": "Installation de {package}", - "{package} Uninstall": "Désinstallation de {package}", - "{package} Update": "Mise à jour de {package}", - "{package} could not be installed": "{package} n'a pas pu être installé", - "{package} could not be uninstalled": "{package} n'a pas pu être désinstallé", - "{package} could not be updated": "{package} n'a pas pu être mis à jour", "{package} installation failed": "L'installation de {package} a échoué", - "{package} installer could not be downloaded": "Le programme d'installation de {package} n'a pas pu être téléchargé", - "{package} installer download": "Téléchargement du programme d'installation de {package}", - "{package} installer was downloaded successfully": "Le programme d'installation de {package} a été téléchargé avec succès", "{package} uninstall failed": "La désinstallation de {package} a échoué", "{package} update failed": "La mise à jour de {package} a échoué", "{package} update failed. Click here for more details.": "La mise à jour de {package} a échoué. Cliquez ici pour plus de détails.", - "{package} was installed successfully": "{package} a été installé avec succès", - "{package} was uninstalled successfully": "{package} a été désinstallé avec succès", - "{package} was updated successfully": "{package} a été mis à jour avec succès", - "{pcName} installed packages": "Paquets installés sur {pcName}", "{pm} could not be found": "{pm} n'a pas pu être trouvé", "{pm} found: {state}": "{pm} a trouvé : {state}", - "{pm} is disabled": "{pm} est désactivé", - "{pm} is enabled and ready to go": "{pm} est activé et prêt à être utilisé", "{pm} package manager specific preferences": "Paramètres spécifiques au gestionnaire de paquets {pm}", "{pm} preferences": "Paramètres de {pm}", - "{pm} version:": "Version de {pm} :", - "{pm} was not found!": "{pm} n'a pas été trouvé !" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Salut, mon nom est Martí, et je suis le développeur de WingetUI. WingetUI a été entièrement réalisé durant mon temps libre !", + "Thank you ❤": "Merci ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ce projet n'a aucun lien avec le projet officiel {0} — c'est complètement non officiel." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gl.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gl.json index eba4ea2b40..c220edf243 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gl.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gl.json @@ -1,1074 +1,1075 @@ { - "\"{0}\" is a local package and can't be shared": null, - "\"{0}\" is a local package and does not have available details": null, - "\"{0}\" is a local package and is not compatible with this feature": null, - "(Last checked: {0})": null, - "(Number {0} in the queue)": null, - "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": null, - "0 packages found": null, - "0 updates found": null, - "1 - Errors": null, - "1 day": null, - "1 hour": null, - "1 month": null, - "1 package was found": null, - "1 update is available": null, - "1 week": null, - "1 year": null, - "1. Navigate to the \"{0}\" or \"{1}\" page.": null, - "2 - Warnings": null, - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": null, - "3 - Information (less)": null, - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": null, - "4 - Information (more)": null, - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": null, - "5 - information (debug)": null, - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": null, - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": null, - "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": null, - "A restart is required": null, - "Abort install if pre-install command fails": null, - "Abort uninstall if pre-uninstall command fails": null, - "Abort update if pre-update command fails": null, - "About": null, - "About Qt6": null, - "About WingetUI": null, - "About WingetUI version {0}": null, - "About the dev": null, - "Accept": null, - "Action when double-clicking packages, hide successful installations": null, - "Add": null, - "Add a source to {0}": null, - "Add a timestamp to the backup file names": null, - "Add a timestamp to the backup files": null, - "Add packages or open an existing bundle": null, - "Add packages or open an existing package bundle": null, - "Add packages to bundle": null, - "Add packages to start": null, - "Add selection to bundle": null, - "Add source": null, - "Add updates that fail with a 'no applicable update found' to the ignored updates list": null, - "Adding source {source}": null, - "Adding source {source} to {manager}": null, - "Addition succeeded": null, - "Administrator privileges": null, - "Administrator privileges preferences": null, - "Administrator rights": null, - "Administrator rights and other dangerous settings": null, - "Advanced options": null, - "All files": null, - "All versions": null, - "Allow changing the paths for package manager executables": null, - "Allow custom command-line arguments": null, - "Allow importing custom command-line arguments when importing packages from a bundle": null, - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": null, - "Allow package operations to be performed in parallel": null, - "Allow parallel installs (NOT RECOMMENDED)": null, - "Allow pre-release versions": null, - "Allow {pm} operations to be performed in parallel": null, - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": null, - "Always elevate {pm} installations by default": null, - "Always run {pm} operations with administrator rights": null, - "An error occurred": null, - "An error occurred when adding the source: ": null, - "An error occurred when attempting to show the package with Id {0}": null, - "An error occurred when checking for updates: ": null, - "An error occurred while attempting to create an installation script:": null, - "An error occurred while loading a backup: ": null, - "An error occurred while logging in: ": null, - "An error occurred while processing this package": null, - "An error occurred:": null, - "An interal error occurred. Please view the log for further details.": null, - "An unexpected error occurred:": null, - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": null, - "An update was found!": null, - "Android Subsystem": null, - "Another source": null, - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": null, - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": null, - "Any unsaved changes will be lost": null, - "App Name": null, - "Appearance": null, - "Application theme, startup page, package icons, clear successful installs automatically": null, - "Application theme:": null, - "Apply": null, - "Architecture to install:": null, - "Are these screenshots wron or blurry?": null, - "Are you really sure you want to enable this feature?": null, - "Are you sure you want to create a new package bundle? ": null, - "Are you sure you want to delete all shortcuts?": null, - "Are you sure?": null, - "Ascendant": null, - "Ask for administrator privileges once for each batch of operations": null, - "Ask for administrator rights when required": null, - "Ask once or always for administrator rights, elevate installations by default": null, - "Ask only once for administrator privileges": null, - "Ask only once for administrator privileges (not recommended)": null, - "Ask to delete desktop shortcuts created during an install or upgrade.": null, - "Attention required": null, - "Authenticate to the proxy with an user and a password": null, - "Author": null, - "Automatic desktop shortcut remover": null, - "Automatic updates": null, - "Automatically save a list of all your installed packages to easily restore them.": null, - "Automatically save a list of your installed packages on your computer.": null, - "Automatically update this package": null, - "Autostart WingetUI in the notifications area": null, - "Available Updates": null, - "Available updates: {0}": null, - "Available updates: {0}, not finished yet...": null, - "Backing up packages to GitHub Gist...": null, - "Backup": null, - "Backup Failed": null, - "Backup Successful": null, - "Backup and Restore": null, - "Backup installed packages": null, - "Backup location": null, - "Become a contributor": null, - "Become a translator": null, - "Begin the process to select a cloud backup and review which packages to restore": null, - "Beta features and other options that shouldn't be touched": null, - "Both": null, - "Bundle security report": null, - "But here are other things you can do to learn about WingetUI even more:": null, - "By toggling a package manager off, you will no longer be able to see or update its packages.": null, - "Cache administrator rights and elevate installers by default": null, - "Cache administrator rights, but elevate installers only when required": null, - "Cache was reset successfully!": null, - "Can't {0} {1}": null, - "Cancel": null, - "Cancel all operations": null, - "Change backup output directory": null, - "Change default options": null, - "Change how UniGetUI checks and installs available updates for your packages": null, - "Change how UniGetUI handles install, update and uninstall operations.": null, - "Change how UniGetUI installs packages, and checks and installs available updates": null, - "Change how operations request administrator rights": null, - "Change install location": null, - "Change this": null, - "Change this and unlock": null, - "Check for package updates periodically": null, - "Check for updates": null, - "Check for updates every:": null, - "Check for updates periodically": null, - "Check for updates regularly, and ask me what to do when updates are found.": null, - "Check for updates regularly, and automatically install available ones.": null, - "Check out my {0} and my {1}!": null, - "Check out some WingetUI overviews": null, - "Checking for other running instances...": null, - "Checking for updates...": null, - "Checking found instace(s)...": null, - "Choose how many operations shouls be performed in parallel": null, - "Clear cache": null, - "Clear finished operations": null, - "Clear selection": null, - "Clear successful operations": null, - "Clear successful operations from the operation list after a 5 second delay": null, - "Clear the local icon cache": null, - "Clearing Scoop cache - WingetUI": null, - "Clearing Scoop cache...": null, - "Click here for more details": null, - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": null, - "Close": null, - "Close UniGetUI to the system tray": null, - "Close WingetUI to the notification area": null, - "Cloud backup uses a private GitHub Gist to store a list of installed packages": null, - "Cloud package backup": null, - "Command-line Output": null, - "Command-line to run:": null, - "Compare query against": null, - "Compatible with authentication": null, - "Compatible with proxy": null, - "Component Information": null, - "Concurrency and execution": null, - "Connect the internet using a custom proxy": null, - "Continue": null, - "Contribute to the icon and screenshot repository": null, - "Contributors": null, - "Copy": null, - "Copy to clipboard": null, - "Could not add source": null, - "Could not add source {source} to {manager}": null, - "Could not back up packages to GitHub Gist: ": null, - "Could not create bundle": null, - "Could not load announcements - ": null, - "Could not load announcements - HTTP status code is $CODE": null, - "Could not remove source": null, - "Could not remove source {source} from {manager}": null, - "Could not remove {source} from {manager}": null, - "Create .ps1 script": null, - "Credentials": null, - "Current Version": null, - "Current executable file:": null, - "Current status: Not logged in": null, - "Current user": null, - "Custom arguments:": null, - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": null, - "Custom command-line arguments:": null, - "Custom install arguments:": null, - "Custom uninstall arguments:": null, - "Custom update arguments:": null, - "Customize WingetUI - for hackers and advanced users only": null, - "DEBUG BUILD": null, - "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": null, - "Dark": null, - "Decline": null, - "Default": null, - "Default installation options for {0} packages": null, - "Default preferences - suitable for regular users": null, - "Default vcpkg triplet": null, - "Delete?": null, - "Dependencies:": null, - "Descendant": null, - "Description:": null, - "Desktop shortcut created": null, - "Details of the report:": null, - "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": null, - "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": null, - "Disable new share API (port 7058)": null, - "Disable the 1-minute timeout for package-related operations": null, - "Disabled": null, - "Disclaimer": null, - "Discover Packages": null, - "Discover packages": null, - "Distinguish between\nuppercase and lowercase": null, - "Distinguish between uppercase and lowercase": null, - "Do NOT check for updates": null, - "Do an interactive install for the selected packages": null, - "Do an interactive uninstall for the selected packages": null, - "Do an interactive update for the selected packages": null, - "Do not automatically install updates when the battery saver is on": null, - "Do not automatically install updates when the device runs on battery": null, - "Do not automatically install updates when the network connection is metered": null, - "Do not download new app translations from GitHub automatically": null, - "Do not ignore updates for this package anymore": null, - "Do not remove successful operations from the list automatically": null, - "Do not show this dialog again for {0}": null, - "Do not update package indexes on launch": null, - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": null, - "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": null, - "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": null, - "Do you really want to reset this list? This action cannot be reverted.": null, - "Do you really want to uninstall the following {0} packages?": null, - "Do you really want to uninstall {0} packages?": null, - "Do you really want to uninstall {0}?": null, - "Do you want to restart your computer now?": null, - "Do you want to translate WingetUI to your language? See how to contribute HERE!": null, - "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": null, - "Donate": null, - "Done!": null, - "Download failed": null, - "Download installer": null, - "Download operations are not affected by this setting": null, - "Download selected installers": null, - "Download succeeded": null, - "Download updated language files from GitHub automatically": null, - "Downloading": null, - "Downloading backup...": null, - "Downloading installer for {package}": null, - "Downloading package metadata...": null, - "Enable Scoop cleanup on launch": null, - "Enable WingetUI notifications": null, - "Enable an [experimental] improved WinGet troubleshooter": null, - "Enable and disable package managers, change default install options, etc.": null, - "Enable background CPU Usage optimizations (see Pull Request #3278)": null, - "Enable background api (WingetUI Widgets and Sharing, port 7058)": null, - "Enable it to install packages from {pm}.": null, - "Enable the automatic WinGet troubleshooter": null, - "Enable the new UniGetUI-Branded UAC Elevator": null, - "Enable the new process input handler (StdIn automated closer)": null, - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": null, - "Enable {pm}": null, - "Enabled": null, - "Enter proxy URL here": null, - "Entries that show in RED will be IMPORTED.": null, - "Entries that show in YELLOW will be IGNORED.": null, - "Error": null, - "Everything is up to date": null, - "Exact match": null, - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": null, - "Expand version": null, - "Experimental settings and developer options": null, - "Export": null, - "Export log as a file": null, - "Export packages": null, - "Export selected packages to a file": null, - "Export settings to a local file": null, - "Export to a file": null, - "Failed": null, - "Fetching available backups...": null, - "Fetching latest announcements, please wait...": null, - "Filters": null, - "Finish": null, - "Follow system color scheme": null, - "Follow the default options when installing, upgrading or uninstalling this package": null, - "For security reasons, changing the executable file is disabled by default": null, - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": null, - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": null, - "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": null, - "Force install location parameter when updating packages with custom locations": null, - "Formerly known as WingetUI": null, - "Found": null, - "Found packages: ": null, - "Found packages: {0}": null, - "Found packages: {0}, not finished yet...": null, - "General preferences": null, - "GitHub profile": null, - "Global": null, - "Go to UniGetUI security settings": null, - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": null, - "Great! You are on the latest version.": null, - "Grid": null, - "Help": null, - "Help and documentation": null, - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": null, - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": null, - "Hide details": null, - "Homepage": null, - "Hooray! No updates were found.": null, - "How should installations that require administrator privileges be treated?": null, - "How to add packages to a bundle": null, - "I understand": null, - "Icons": null, - "Id": null, - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": null, - "Ignore custom pre-install and post-install commands when importing packages from a bundle": null, - "Ignore future updates for this package": null, - "Ignore packages from {pm} when showing a notification about updates": null, - "Ignore selected packages": null, - "Ignore special characters": null, - "Ignore updates for the selected packages": null, - "Ignore updates for this package": null, - "Ignored updates": null, - "Ignored version": null, - "Import": null, - "Import packages": null, - "Import packages from a file": null, - "Import settings from a local file": null, - "In order to add packages to a bundle, you will need to: ": null, - "Initializing WingetUI...": null, - "Install": null, - "Install Scoop": null, - "Install and more": null, - "Install and update preferences": null, - "Install as administrator": null, - "Install available updates automatically": null, - "Install location can't be changed for {0} packages": null, - "Install location:": null, - "Install options": null, - "Install packages from a file": null, - "Install prerelease versions of UniGetUI": null, - "Install script": null, - "Install selected packages": null, - "Install selected packages with administrator privileges": null, - "Install selection": null, - "Install the latest prerelease version": null, - "Install updates automatically": null, - "Install {0}": null, - "Installation canceled by the user!": null, - "Installation failed": null, - "Installation options": null, - "Installation scope:": null, - "Installation succeeded": null, - "Installed Packages": null, - "Installed Version": null, - "Installed packages": null, - "Installer SHA256": null, - "Installer SHA512": null, - "Installer Type": null, - "Installer URL": null, - "Installer not available": null, - "Instance {0} responded, quitting...": null, - "Instant search": null, - "Integrity checks can be disabled from the Experimental Settings": null, - "Integrity checks skipped": null, - "Integrity checks will not be performed during this operation": null, - "Interactive installation": null, - "Interactive operation": null, - "Interactive uninstall": null, - "Interactive update": null, - "Internet connection settings": null, - "Invalid selection": null, - "Is this package missing the icon?": null, - "Is your language missing or incomplete?": null, - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": null, - "It is recommended to restart UniGetUI after WinGet has been repaired": null, - "It is strongly recommended to reinstall UniGetUI to adress the situation.": null, - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": null, - "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": null, - "Language": null, - "Language, theme and other miscellaneous preferences": null, - "Last updated:": null, - "Latest": null, - "Latest Version": null, - "Latest Version:": null, - "Latest details...": null, - "Launching subprocess...": null, - "Leave empty for default": null, - "License": null, - "Licenses": null, - "Light": null, - "List": null, - "Live command-line output": null, - "Live output": null, - "Loading UI components...": null, - "Loading WingetUI...": null, - "Loading packages": null, - "Loading packages, please wait...": null, - "Loading...": null, - "Local": null, - "Local PC": null, - "Local backup advanced options": null, - "Local machine": null, - "Local package backup": null, - "Locating {pm}...": null, - "Log in": null, - "Log in failed: ": null, - "Log in to enable cloud backup": null, - "Log in with GitHub": null, - "Log in with GitHub to enable cloud package backup.": null, - "Log level:": null, - "Log out": null, - "Log out failed: ": null, - "Log out from GitHub": null, - "Looking for packages...": null, - "Machine | Global": null, - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": null, - "Manage": null, - "Manage UniGetUI settings": null, - "Manage WingetUI autostart behaviour from the Settings app": null, - "Manage ignored packages": null, - "Manage ignored updates": null, - "Manage shortcuts": null, - "Manage telemetry settings": null, - "Manage {0} sources": null, - "Manifest": null, - "Manifests": null, - "Manual scan": null, - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": null, - "Missing dependency": null, - "More": null, - "More details": null, - "More details about the shared data and how it will be processed": null, - "More info": null, - "More than 1 package was selected": null, - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": null, - "Name": null, - "New": null, - "New Version": null, - "New bundle": null, - "New version": null, - "Nice! Backups will be uploaded to a private gist on your account": null, - "No": null, - "No applicable installer was found for the package {0}": null, - "No dependencies specified": null, - "No new shortcuts were found during the scan.": null, - "No package was selected": null, - "No packages found": null, - "No packages found matching the input criteria": null, - "No packages have been added yet": null, - "No packages selected": null, - "No packages were found": null, - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": null, - "No results were found matching the input criteria": null, - "No sources found": null, - "No sources were found": null, - "No updates are available": null, - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": null, - "Not available": null, - "Not finding the file you are looking for? Make sure it has been added to path.": null, - "Not found": null, - "Not right now": null, - "Notes:": null, - "Notification preferences": null, - "Notification tray options": null, - "Notification types": null, - "NuPkg (zipped manifest)": null, - "OK": null, - "Ok": null, - "Open": null, - "Open GitHub": null, - "Open UniGetUI": null, - "Open UniGetUI security settings": null, - "Open WingetUI": null, - "Open backup location": null, - "Open existing bundle": null, - "Open install location": null, - "Open the welcome wizard": null, - "Operation canceled by user": null, - "Operation cancelled": null, - "Operation history": null, - "Operation in progress": null, - "Operation on queue (position {0})...": null, - "Operation profile:": null, - "Options saved": null, - "Order by:": null, - "Other": null, - "Other settings": null, - "Package": null, - "Package Bundles": null, - "Package ID": null, - "Package Manager": null, - "Package Manager logs": null, - "Package Managers": null, - "Package Name": null, - "Package backup": null, - "Package backup settings": null, - "Package bundle": null, - "Package details": null, - "Package lists": null, - "Package management made easy": null, - "Package manager": null, - "Package manager preferences": null, - "Package managers": null, - "Package not found": null, - "Package operation preferences": null, - "Package update preferences": null, - "Package {name} from {manager}": null, - "Package's default": null, - "Packages": null, - "Packages found: {0}": null, - "Partially": null, - "Password": null, - "Paste a valid URL to the database": null, - "Pause updates for": null, - "Perform a backup now": null, - "Perform a cloud backup now": null, - "Perform a local backup now": null, - "Perform integrity checks at startup": null, - "Performing backup, please wait...": null, - "Periodically perform a backup of the installed packages": null, - "Periodically perform a cloud backup of the installed packages": null, - "Periodically perform a local backup of the installed packages": null, - "Please check the installation options for this package and try again": null, - "Please click on \"Continue\" to continue": null, - "Please enter at least 3 characters": null, - "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": null, - "Please note that not all package managers may fully support this feature": null, - "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": null, - "Please run UniGetUI as a regular user and try again.": null, - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": null, - "Please select how you want to configure WingetUI": null, - "Please try again later": null, - "Please type at least two characters": null, - "Please wait": null, - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": null, - "Please wait...": null, - "Portable": null, - "Portable mode": null, - "Post-install command:": null, - "Post-uninstall command:": null, - "Post-update command:": null, - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": null, - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": null, - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": null, - "Pre-install command:": null, - "Pre-uninstall command:": null, - "Pre-update command:": null, - "PreRelease": null, - "Preparing packages, please wait...": null, - "Proceed at your own risk.": null, - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": null, - "Proxy URL": null, - "Proxy compatibility table": null, - "Proxy settings": null, - "Proxy settings, etc.": null, - "Publication date:": null, - "Publisher": null, - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": null, - "Quit": null, - "Quit WingetUI": null, - "Ready": null, - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": null, - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": null, - "Reinstall": null, - "Reinstall package": null, - "Related settings": null, - "Release notes": null, - "Release notes URL": null, - "Release notes URL:": null, - "Release notes:": null, - "Reload": null, - "Reload log": null, - "Removal failed": null, - "Removal succeeded": null, - "Remove from list": null, - "Remove permanent data": null, - "Remove selection from bundle": null, - "Remove successful installs/uninstalls/updates from the installation list": null, - "Removing source {source}": null, - "Removing source {source} from {manager}": null, - "Repair UniGetUI": null, - "Repair WinGet": null, - "Report an issue or submit a feature request": null, - "Repository": null, - "Reset": null, - "Reset Scoop's global app cache": null, - "Reset UniGetUI": null, - "Reset WinGet": null, - "Reset Winget sources (might help if no packages are listed)": null, - "Reset WingetUI": null, - "Reset WingetUI and its preferences": null, - "Reset WingetUI icon and screenshot cache": null, - "Reset list": null, - "Resetting Winget sources - WingetUI": null, - "Restart": null, - "Restart UniGetUI": null, - "Restart WingetUI": null, - "Restart WingetUI to fully apply changes": null, - "Restart later": null, - "Restart now": null, - "Restart required": null, - "Restart your PC to finish installation": null, - "Restart your computer to finish the installation": null, - "Restore a backup from the cloud": null, - "Restrictions on package managers": null, - "Restrictions on package operations": null, - "Restrictions when importing package bundles": null, - "Retry": null, - "Retry as administrator": null, - "Retry failed operations": null, - "Retry interactively": null, - "Retry skipping integrity checks": null, - "Retrying, please wait...": null, - "Return to top": null, - "Run": null, - "Run as admin": null, - "Run cleanup and clear cache": null, - "Run last": null, - "Run next": null, - "Run now": null, - "Running the installer...": null, - "Running the uninstaller...": null, - "Running the updater...": null, - "Save": null, - "Save File": null, - "Save and close": null, - "Save as": null, - "Save bundle as": null, - "Save now": null, - "Saving packages, please wait...": null, - "Scoop Installer - WingetUI": null, - "Scoop Uninstaller - WingetUI": null, - "Scoop package": null, - "Search": null, - "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": null, - "Search for packages": null, - "Search for packages to start": null, - "Search mode": null, - "Search on available updates": null, - "Search on your software": null, - "Searching for installed packages...": null, - "Searching for packages...": null, - "Searching for updates...": null, - "Select": null, - "Select \"{item}\" to add your custom bucket": null, - "Select a folder": null, - "Select all": null, - "Select all packages": null, - "Select backup": null, - "Select only if you know what you are doing.": null, - "Select package file": null, - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": null, - "Select the executable to be used. The following list shows the executables found by UniGetUI": null, - "Select the processes that should be closed before this package is installed, updated or uninstalled.": null, - "Select the source you want to add:": null, - "Select upgradable packages by default": null, - "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": null, - "Sent handshake. Waiting for instance listener's answer... ({0}%)": null, - "Set a custom backup file name": null, - "Set custom backup file name": null, - "Settings": null, - "Share": null, - "Share WingetUI": null, - "Share anonymous usage data": null, - "Share this package": null, - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": null, - "Show UniGetUI on the system tray": null, - "Show UniGetUI's version and build number on the titlebar.": null, - "Show WingetUI": null, - "Show a notification when an installation fails": null, - "Show a notification when an installation finishes successfully": null, - "Show a notification when an operation fails": null, - "Show a notification when an operation finishes successfully": null, - "Show a notification when there are available updates": null, - "Show a silent notification when an operation is running": null, - "Show details": null, - "Show in explorer": null, - "Show info about the package on the Updates tab": null, - "Show missing translation strings": null, - "Show notifications on different events": null, - "Show package details": null, - "Show package icons on package lists": null, - "Show similar packages": null, - "Show the live output": null, - "Size": null, - "Skip": null, - "Skip hash check": null, - "Skip hash checks": null, - "Skip integrity checks": null, - "Skip minor updates for this package": null, - "Skip the hash check when installing the selected packages": null, - "Skip the hash check when updating the selected packages": null, - "Skip this version": null, - "Software Updates": null, - "Something went wrong": null, - "Something went wrong while launching the updater.": null, - "Source": null, - "Source URL:": null, - "Source added successfully": null, - "Source addition failed": null, - "Source name:": null, - "Source removal failed": null, - "Source removed successfully": null, - "Source:": null, - "Sources": null, - "Start": null, - "Starting daemons...": null, - "Starting operation...": null, - "Startup options": null, - "Status": null, - "Stuck here? Skip initialization": null, - "Success!": null, - "Suport the developer": null, - "Support me": null, - "Support the developer": null, - "Systems are now ready to go!": null, - "Telemetry": null, - "Text": null, - "Text file": null, - "Thank you ❤": null, - "Thank you \uD83D\uDE09": null, - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": null, - "The backup will NOT include any binary file nor any program's saved data.": null, - "The backup will be performed after login.": null, - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": null, - "The bundle was created successfully on {0}": null, - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": null, - "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": null, - "The classical package manager for windows. You'll find everything there.
Contains: General Software": null, - "The cloud backup completed successfully.": null, - "The cloud backup has been loaded successfully.": null, - "The current bundle has no packages. Add some packages to get started": null, - "The executable file for {0} was not found": null, - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": null, - "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": null, - "The following packages are going to be installed on your system.": null, - "The following settings may pose a security risk, hence they are disabled by default.": null, - "The following settings will be applied each time this package is installed, updated or removed.": null, - "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": null, - "The icons and screenshots are maintained by users like you!": null, - "The installation script saved to {0}": null, - "The installer authenticity could not be verified.": null, - "The installer has an invalid checksum": null, - "The installer hash does not match the expected value.": null, - "The local icon cache currently takes {0} MB": null, - "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": null, - "The package \"{0}\" was not found on the package manager \"{1}\"": null, - "The package bundle could not be created due to an error.": null, - "The package bundle is not valid": null, - "The package manager \"{0}\" is disabled": null, - "The package manager \"{0}\" was not found": null, - "The package {0} from {1} was not found.": null, - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": null, - "The selected packages have been blacklisted": null, - "The settings will list, in their descriptions, the potential security issues they may have.": null, - "The size of the backup is estimated to be less than 1MB.": null, - "The source {source} was added to {manager} successfully": null, - "The source {source} was removed from {manager} successfully": null, - "The system tray icon must be enabled in order for notifications to work": null, - "The update process has been aborted.": null, - "The update process will start after closing UniGetUI": null, - "The update will be installed upon closing WingetUI": null, - "The update will not continue.": null, - "The user has canceled {0}, that was a requirement for {1} to be run": null, - "There are no new UniGetUI versions to be installed": null, - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": null, - "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": null, - "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": null, - "There is an error with the configuration of the package manager \"{0}\"": null, - "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": null, - "They are the programs in charge of installing, updating and removing packages.": null, - "Third-party licenses": null, - "This could represent a security risk.": null, - "This is not recommended.": null, - "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": null, - "This is the default choice.": null, - "This may help if WinGet packages are not shown": null, - "This may help if no packages are listed": null, - "This may take a minute or two": null, - "This operation is running interactively.": null, - "This operation is running with administrator privileges.": null, - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": null, - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": null, - "This package can be updated": null, - "This package can be updated to version {0}": null, - "This package can be upgraded to version {0}": null, - "This package cannot be installed from an elevated context.": null, - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": null, - "This package is already installed": null, - "This package is being processed": null, - "This package is not available": null, - "This package is on the queue": null, - "This process is running with administrator privileges": null, - "This project has no connection with the official {0} project — it's completely unofficial.": null, - "This setting is disabled": null, - "This wizard will help you configure and customize WingetUI!": null, - "Toggle search filters pane": null, - "Translators": null, - "Try to kill the processes that refuse to close when requested to": null, - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": null, - "Type here the name and the URL of the source you want to add, separed by a space.": null, - "Unable to find package": null, - "Unable to load informarion": null, - "UniGetUI collects anonymous usage data in order to improve the user experience.": null, - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": null, - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": null, - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": null, - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": null, - "UniGetUI is being updated...": null, - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": null, - "UniGetUI on the background and system tray": null, - "UniGetUI or some of its components are missing or corrupt.": null, - "UniGetUI requires {0} to operate, but it was not found on your system.": null, - "UniGetUI startup page:": null, - "UniGetUI updater": null, - "UniGetUI version {0} is being downloaded.": null, - "UniGetUI {0} is ready to be installed.": null, - "Uninstall": null, - "Uninstall Scoop (and its packages)": null, - "Uninstall and more": null, - "Uninstall and remove data": null, - "Uninstall as administrator": null, - "Uninstall canceled by the user!": null, - "Uninstall failed": null, - "Uninstall options": null, - "Uninstall package": null, - "Uninstall package, then reinstall it": null, - "Uninstall package, then update it": null, - "Uninstall previous versions when updated": null, - "Uninstall selected packages": null, - "Uninstall selection": null, - "Uninstall succeeded": null, - "Uninstall the selected packages with administrator privileges": null, - "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": null, - "Unknown": null, - "Unknown size": null, - "Unset or unknown": null, - "Up to date": null, - "Update": null, - "Update WingetUI automatically": null, - "Update all": null, - "Update and more": null, - "Update as administrator": null, - "Update check frequency, automatically install updates, etc.": null, - "Update checking": null, - "Update date": null, - "Update failed": null, - "Update found!": null, - "Update now": null, - "Update options": null, - "Update package indexes on launch": null, - "Update packages automatically": null, - "Update selected packages": null, - "Update selected packages with administrator privileges": null, - "Update selection": null, - "Update succeeded": null, - "Update to version {0}": null, - "Update to {0} available": null, - "Update vcpkg's Git portfiles automatically (requires Git installed)": null, - "Updates": null, - "Updates available!": null, - "Updates for this package are ignored": null, - "Updates found!": null, - "Updates preferences": null, - "Updating WingetUI": null, - "Url": null, - "Use Legacy bundled WinGet instead of PowerShell CMDLets": null, - "Use a custom icon and screenshot database URL": null, - "Use bundled WinGet instead of PowerShell CMDlets": null, - "Use bundled WinGet instead of system WinGet": null, - "Use installed GSudo instead of UniGetUI Elevator": null, - "Use installed GSudo instead of the bundled one": null, - "Use legacy UniGetUI Elevator (disable AdminByRequest support)": null, - "Use system Chocolatey": null, - "Use system Chocolatey (Needs a restart)": null, - "Use system Winget (Needs a restart)": null, - "Use system Winget (System language must be set to english)": null, - "Use the WinGet COM API to fetch packages": null, - "Use the WinGet PowerShell Module instead of the WinGet COM API": null, - "Useful links": null, - "User": null, - "User interface preferences": null, - "User | Local": null, - "Username": null, - "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": null, - "Using WingetUI implies the acceptation of the MIT License": null, - "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": null, - "Vcpkg was not found on your system.": null, - "Verbose": null, - "Version": null, - "Version to install:": null, - "Version:": null, - "View GitHub Profile": null, - "View WingetUI on GitHub": null, - "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": null, - "View mode:": null, - "View on UniGetUI": null, - "View page on browser": null, - "View {0} logs": null, - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": null, - "Waiting for other installations to finish...": null, - "Waiting for {0} to complete...": null, - "Warning": null, - "Warning!": null, - "We are checking for updates.": null, - "We could not load detailed information about this package, because it was not found in any of your package sources": null, - "We could not load detailed information about this package, because it was not installed from an available package manager.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": null, - "We couldn't find any package": null, - "Welcome to WingetUI": null, - "When batch installing packages from a bundle, install also packages that are already installed": null, - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": null, - "Which backup do you want to open?": null, - "Which package managers do you want to use?": null, - "Which source do you want to add?": null, - "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": null, - "WinGet could not be repaired": null, - "WinGet malfunction detected": null, - "WinGet was repaired successfully": null, - "WingetUI": null, - "WingetUI - Everything is up to date": null, - "WingetUI - {0} updates are available": null, - "WingetUI - {0} {1}": null, - "WingetUI Homepage": null, - "WingetUI Homepage - Share this link!": null, - "WingetUI License": null, - "WingetUI Log": null, - "WingetUI Repository": null, - "WingetUI Settings": null, - "WingetUI Settings File": null, - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI Version {0}": null, - "WingetUI autostart behaviour, application launch settings": null, - "WingetUI can check if your software has available updates, and install them automatically if you want to": null, - "WingetUI display language:": null, - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": null, - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": null, - "WingetUI has not been machine translated. The following users have been in charge of the translations:": null, - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": null, - "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": null, - "WingetUI is being updated. When finished, WingetUI will restart itself": null, - "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": null, - "WingetUI log": null, - "WingetUI tray application preferences": null, - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI version {0} is being downloaded.": null, - "WingetUI will become {newname} soon!": null, - "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": null, - "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": null, - "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": null, - "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": null, - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": null, - "WingetUI {0} is ready to be installed.": null, - "Write here the process names here, separated by commas (,)": null, - "Yes": null, - "You are logged in as {0} (@{1})": null, - "You can change this behavior on UniGetUI security settings.": null, - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": null, - "You have currently version {0} installed": null, - "You have installed WingetUI Version {0}": null, - "You may lose unsaved data": null, - "You may need to install {pm} in order to use it with WingetUI.": null, - "You may restart your computer later if you wish": null, - "You will be prompted only once, and administrator rights will be granted to packages that request them.": null, - "You will be prompted only once, and every future installation will be elevated automatically.": null, - "You will likely need to interact with the installer.": null, - "[RAN AS ADMINISTRATOR]": null, - "buy me a coffee": null, - "extracted": null, - "feature": null, - "formerly WingetUI": null, - "homepage": null, - "install": null, - "installation": null, - "installed": null, - "installing": null, - "library": null, - "mandatory": null, - "option": null, - "optional": null, - "uninstall": null, - "uninstallation": null, - "uninstalled": null, - "uninstalling": null, - "update(noun)": null, - "update(verb)": null, - "updated": null, - "updating": null, - "version {0}": null, - "{0} Install options are currently locked because {0} follows the default install options.": null, - "{0} Uninstallation": null, - "{0} aborted": null, - "{0} can be updated": null, - "{0} can be updated to version {1}": null, - "{0} days": null, - "{0} desktop shortcuts created": null, - "{0} failed": null, - "{0} has been installed successfully.": null, - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": null, - "{0} has failed, that was a requirement for {1} to be run": null, - "{0} homepage": null, - "{0} hours": null, - "{0} installation": null, - "{0} installation options": null, - "{0} installer is being downloaded": null, - "{0} is being installed": null, - "{0} is being uninstalled": null, - "{0} is being updated": null, - "{0} is being updated to version {1}": null, - "{0} is disabled": null, - "{0} minutes": null, - "{0} months": null, - "{0} packages are being updated": null, - "{0} packages can be updated": null, - "{0} packages found": null, - "{0} packages were found": null, - "{0} packages were found, {1} of which match the specified filters.": null, - "{0} selected": null, - "{0} settings": null, - "{0} status": null, - "{0} succeeded": null, - "{0} update": null, - "{0} updates are available": null, - "{0} was {1} successfully!": null, - "{0} weeks": null, - "{0} years": null, - "{0} {1} failed": null, - "{package} Installation": null, - "{package} Uninstall": null, - "{package} Update": null, - "{package} could not be installed": null, - "{package} could not be uninstalled": null, - "{package} could not be updated": null, - "{package} installation failed": null, - "{package} installer could not be downloaded": null, - "{package} installer download": null, - "{package} installer was downloaded successfully": null, - "{package} uninstall failed": null, - "{package} update failed": null, - "{package} update failed. Click here for more details.": null, - "{package} was installed successfully": null, - "{package} was uninstalled successfully": null, - "{package} was updated successfully": null, - "{pcName} installed packages": null, - "{pm} could not be found": null, - "{pm} found: {state}": null, - "{pm} is disabled": null, - "{pm} is enabled and ready to go": null, - "{pm} package manager specific preferences": null, - "{pm} preferences": null, - "{pm} version:": null, - "{pm} was not found!": null -} \ No newline at end of file + "Operation in progress": "", + "Please wait...": "", + "Success!": "", + "Failed": "", + "An error occurred while processing this package": "", + "Log in to enable cloud backup": "", + "Backup Failed": "", + "Downloading backup...": "", + "An update was found!": "", + "{0} can be updated to version {1}": "", + "Updates found!": "", + "{0} packages can be updated": "", + "You have currently version {0} installed": "", + "Desktop shortcut created": "", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "", + "{0} desktop shortcuts created": "", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "", + "Are you sure?": "", + "Do you really want to uninstall {0}?": "", + "Do you really want to uninstall the following {0} packages?": "", + "No": "", + "Yes": "", + "View on UniGetUI": "", + "Update": "", + "Open UniGetUI": "", + "Update all": "", + "Update now": "", + "This package is on the queue": "", + "installing": "", + "updating": "", + "uninstalling": "", + "installed": "", + "Retry": "", + "Install": "", + "Uninstall": "", + "Open": "", + "Operation profile:": "", + "Follow the default options when installing, upgrading or uninstalling this package": "", + "The following settings will be applied each time this package is installed, updated or removed.": "", + "Version to install:": "", + "Architecture to install:": "", + "Installation scope:": "", + "Install location:": "", + "Select": "", + "Reset": "", + "Custom install arguments:": "", + "Custom update arguments:": "", + "Custom uninstall arguments:": "", + "Pre-install command:": "", + "Post-install command:": "", + "Abort install if pre-install command fails": "", + "Pre-update command:": "", + "Post-update command:": "", + "Abort update if pre-update command fails": "", + "Pre-uninstall command:": "", + "Post-uninstall command:": "", + "Abort uninstall if pre-uninstall command fails": "", + "Command-line to run:": "", + "Save and close": "", + "Run as admin": "", + "Interactive installation": "", + "Skip hash check": "", + "Uninstall previous versions when updated": "", + "Skip minor updates for this package": "", + "Automatically update this package": "", + "{0} installation options": "", + "Latest": "", + "PreRelease": "", + "Default": "", + "Manage ignored updates": "", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "", + "Reset list": "", + "Package Name": "", + "Package ID": "", + "Ignored version": "", + "New version": "", + "Source": "", + "All versions": "", + "Unknown": "", + "Up to date": "", + "Cancel": "", + "Administrator privileges": "", + "This operation is running with administrator privileges.": "", + "Interactive operation": "", + "This operation is running interactively.": "", + "You will likely need to interact with the installer.": "", + "Integrity checks skipped": "", + "Proceed at your own risk.": "", + "Close": "", + "Loading...": "", + "Installer SHA256": "", + "Homepage": "", + "Author": "", + "Publisher": "", + "License": "", + "Manifest": "", + "Installer Type": "", + "Size": "", + "Installer URL": "", + "Last updated:": "", + "Release notes URL": "", + "Package details": "", + "Dependencies:": "", + "Release notes": "", + "Version": "", + "Install as administrator": "", + "Update to version {0}": "", + "Installed Version": "", + "Update as administrator": "", + "Interactive update": "", + "Uninstall as administrator": "", + "Interactive uninstall": "", + "Uninstall and remove data": "", + "Not available": "", + "Installer SHA512": "", + "Unknown size": "", + "No dependencies specified": "", + "mandatory": "", + "optional": "", + "UniGetUI {0} is ready to be installed.": "", + "The update process will start after closing UniGetUI": "", + "Share anonymous usage data": "", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "", + "Accept": "", + "You have installed WingetUI Version {0}": "", + "Disclaimer": "", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "{0} homepage": "", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "", + "Verbose": "", + "1 - Errors": "", + "2 - Warnings": "", + "3 - Information (less)": "", + "4 - Information (more)": "", + "5 - information (debug)": "", + "Warning": "", + "The following settings may pose a security risk, hence they are disabled by default.": "", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "", + "The settings will list, in their descriptions, the potential security issues they may have.": "", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "", + "The backup will NOT include any binary file nor any program's saved data.": "", + "The size of the backup is estimated to be less than 1MB.": "", + "The backup will be performed after login.": "", + "{pcName} installed packages": "", + "Current status: Not logged in": "", + "You are logged in as {0} (@{1})": "", + "Nice! Backups will be uploaded to a private gist on your account": "", + "Select backup": "", + "WingetUI Settings": "", + "Allow pre-release versions": "", + "Apply": "", + "Go to UniGetUI security settings": "", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "", + "Package's default": "", + "Install location can't be changed for {0} packages": "", + "The local icon cache currently takes {0} MB": "", + "Username": "", + "Password": "", + "Credentials": "", + "Partially": "", + "Package manager": "", + "Compatible with proxy": "", + "Compatible with authentication": "", + "Proxy compatibility table": "", + "{0} settings": "", + "{0} status": "", + "Default installation options for {0} packages": "", + "Expand version": "", + "The executable file for {0} was not found": "", + "{pm} is disabled": "", + "Enable it to install packages from {pm}.": "", + "{pm} is enabled and ready to go": "", + "{pm} version:": "", + "{pm} was not found!": "", + "You may need to install {pm} in order to use it with WingetUI.": "", + "Scoop Installer - WingetUI": "", + "Scoop Uninstaller - WingetUI": "", + "Clearing Scoop cache - WingetUI": "", + "Restart UniGetUI": "", + "Manage {0} sources": "", + "Add source": "", + "Add": "", + "Other": "", + "1 day": "", + "{0} days": "", + "{0} minutes": "", + "1 hour": "", + "{0} hours": "", + "1 week": "", + "WingetUI Version {0}": "", + "Search for packages": "", + "Local": "", + "OK": "", + "{0} packages were found, {1} of which match the specified filters.": "", + "{0} selected": "", + "(Last checked: {0})": "", + "Enabled": "", + "Disabled": "", + "More info": "", + "Log in with GitHub to enable cloud package backup.": "", + "More details": "", + "Log in": "", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "", + "Log out": "", + "About": "", + "Third-party licenses": "", + "Contributors": "", + "Translators": "", + "Manage shortcuts": "", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "", + "Do you really want to reset this list? This action cannot be reverted.": "", + "Remove from list": "", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "", + "More details about the shared data and how it will be processed": "", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "", + "Decline": "", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "", + "About WingetUI": "", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "", + "Useful links": "", + "Report an issue or submit a feature request": "", + "View GitHub Profile": "", + "WingetUI License": "", + "Using WingetUI implies the acceptation of the MIT License": "", + "Become a translator": "", + "View page on browser": "", + "Copy to clipboard": "", + "Export to a file": "", + "Log level:": "", + "Reload log": "", + "Text": "", + "Change how operations request administrator rights": "", + "Restrictions on package operations": "", + "Restrictions on package managers": "", + "Restrictions when importing package bundles": "", + "Ask for administrator privileges once for each batch of operations": "", + "Ask only once for administrator privileges": "", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "", + "Allow custom command-line arguments": "", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "", + "Allow changing the paths for package manager executables": "", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "", + "Allow importing custom command-line arguments when importing packages from a bundle": "", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "", + "Administrator rights and other dangerous settings": "", + "Package backup": "", + "Cloud package backup": "", + "Local package backup": "", + "Local backup advanced options": "", + "Log in with GitHub": "", + "Log out from GitHub": "", + "Periodically perform a cloud backup of the installed packages": "", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "", + "Perform a cloud backup now": "", + "Backup": "", + "Restore a backup from the cloud": "", + "Begin the process to select a cloud backup and review which packages to restore": "", + "Periodically perform a local backup of the installed packages": "", + "Perform a local backup now": "", + "Change backup output directory": "", + "Set a custom backup file name": "", + "Leave empty for default": "", + "Add a timestamp to the backup file names": "", + "Backup and Restore": "", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "", + "Disable the 1-minute timeout for package-related operations": "", + "Use installed GSudo instead of UniGetUI Elevator": "", + "Use a custom icon and screenshot database URL": "", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "", + "Perform integrity checks at startup": "", + "When batch installing packages from a bundle, install also packages that are already installed": "", + "Experimental settings and developer options": "", + "Show UniGetUI's version and build number on the titlebar.": "", + "Language": "", + "UniGetUI updater": "", + "Telemetry": "", + "Manage UniGetUI settings": "", + "Related settings": "", + "Update WingetUI automatically": "", + "Check for updates": "", + "Install prerelease versions of UniGetUI": "", + "Manage telemetry settings": "", + "Manage": "", + "Import settings from a local file": "", + "Import": "", + "Export settings to a local file": "", + "Export": "", + "Reset WingetUI": "", + "Reset UniGetUI": "", + "User interface preferences": "", + "Application theme, startup page, package icons, clear successful installs automatically": "", + "General preferences": "", + "WingetUI display language:": "", + "Is your language missing or incomplete?": "", + "Appearance": "", + "UniGetUI on the background and system tray": "", + "Package lists": "", + "Close UniGetUI to the system tray": "", + "Show package icons on package lists": "", + "Clear cache": "", + "Select upgradable packages by default": "", + "Light": "", + "Dark": "", + "Follow system color scheme": "", + "Application theme:": "", + "Discover Packages": "", + "Software Updates": "", + "Installed Packages": "", + "Package Bundles": "", + "Settings": "", + "UniGetUI startup page:": "", + "Proxy settings": "", + "Other settings": "", + "Connect the internet using a custom proxy": "", + "Please note that not all package managers may fully support this feature": "", + "Proxy URL": "", + "Enter proxy URL here": "", + "Package manager preferences": "", + "Ready": "", + "Not found": "", + "Notification preferences": "", + "Notification types": "", + "The system tray icon must be enabled in order for notifications to work": "", + "Enable WingetUI notifications": "", + "Show a notification when there are available updates": "", + "Show a silent notification when an operation is running": "", + "Show a notification when an operation fails": "", + "Show a notification when an operation finishes successfully": "", + "Concurrency and execution": "", + "Automatic desktop shortcut remover": "", + "Clear successful operations from the operation list after a 5 second delay": "", + "Download operations are not affected by this setting": "", + "Try to kill the processes that refuse to close when requested to": "", + "You may lose unsaved data": "", + "Ask to delete desktop shortcuts created during an install or upgrade.": "", + "Package update preferences": "", + "Update check frequency, automatically install updates, etc.": "", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "", + "Package operation preferences": "", + "Enable {pm}": "", + "Not finding the file you are looking for? Make sure it has been added to path.": "", + "For security reasons, changing the executable file is disabled by default": "", + "Change this": "", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "", + "Current executable file:": "", + "Ignore packages from {pm} when showing a notification about updates": "", + "View {0} logs": "", + "Advanced options": "", + "Reset WinGet": "", + "This may help if no packages are listed": "", + "Force install location parameter when updating packages with custom locations": "", + "Use bundled WinGet instead of system WinGet": "", + "This may help if WinGet packages are not shown": "", + "Install Scoop": "", + "Uninstall Scoop (and its packages)": "", + "Run cleanup and clear cache": "", + "Run": "", + "Enable Scoop cleanup on launch": "", + "Use system Chocolatey": "", + "Default vcpkg triplet": "", + "Language, theme and other miscellaneous preferences": "", + "Show notifications on different events": "", + "Change how UniGetUI checks and installs available updates for your packages": "", + "Automatically save a list of all your installed packages to easily restore them.": "", + "Enable and disable package managers, change default install options, etc.": "", + "Internet connection settings": "", + "Proxy settings, etc.": "", + "Beta features and other options that shouldn't be touched": "", + "Update checking": "", + "Automatic updates": "", + "Check for package updates periodically": "", + "Check for updates every:": "", + "Install available updates automatically": "", + "Do not automatically install updates when the network connection is metered": "", + "Do not automatically install updates when the device runs on battery": "", + "Do not automatically install updates when the battery saver is on": "", + "Change how UniGetUI handles install, update and uninstall operations.": "", + "Package Managers": "", + "More": "", + "WingetUI Log": "", + "Package Manager logs": "", + "Operation history": "", + "Help": "", + "Order by:": "", + "Name": "", + "Id": "", + "Ascendant": "", + "Descendant": "", + "View mode:": "", + "Filters": "", + "Sources": "", + "Search for packages to start": "", + "Select all": "", + "Clear selection": "", + "Instant search": "", + "Distinguish between uppercase and lowercase": "", + "Ignore special characters": "", + "Search mode": "", + "Both": "", + "Exact match": "", + "Show similar packages": "", + "No results were found matching the input criteria": "", + "No packages were found": "", + "Loading packages": "", + "Skip integrity checks": "", + "Download selected installers": "", + "Install selection": "", + "Install options": "", + "Share": "", + "Add selection to bundle": "", + "Download installer": "", + "Share this package": "", + "Uninstall selection": "", + "Uninstall options": "", + "Ignore selected packages": "", + "Open install location": "", + "Reinstall package": "", + "Uninstall package, then reinstall it": "", + "Ignore updates for this package": "", + "Do not ignore updates for this package anymore": "", + "Add packages or open an existing package bundle": "", + "Add packages to start": "", + "The current bundle has no packages. Add some packages to get started": "", + "New": "", + "Save as": "", + "Remove selection from bundle": "", + "Skip hash checks": "", + "The package bundle is not valid": "", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "", + "Package bundle": "", + "Could not create bundle": "", + "The package bundle could not be created due to an error.": "", + "Bundle security report": "", + "Hooray! No updates were found.": "", + "Everything is up to date": "", + "Uninstall selected packages": "", + "Update selection": "", + "Update options": "", + "Uninstall package, then update it": "", + "Uninstall package": "", + "Skip this version": "", + "Pause updates for": "", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "", + "NuPkg (zipped manifest)": "", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "", + "extracted": "", + "Scoop package": "", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "", + "library": "", + "feature": "", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "", + "option": "", + "This package cannot be installed from an elevated context.": "", + "Please run UniGetUI as a regular user and try again.": "", + "Please check the installation options for this package and try again": "", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "", + "Local PC": "", + "Android Subsystem": "", + "Operation on queue (position {0})...": "", + "Click here for more details": "", + "Operation canceled by user": "", + "Starting operation...": "", + "{package} installer download": "", + "{0} installer is being downloaded": "", + "Download succeeded": "", + "{package} installer was downloaded successfully": "", + "Download failed": "", + "{package} installer could not be downloaded": "", + "{package} Installation": "", + "{0} is being installed": "", + "Installation succeeded": "", + "{package} was installed successfully": "", + "Installation failed": "", + "{package} could not be installed": "", + "{package} Update": "", + "{0} is being updated to version {1}": "", + "Update succeeded": "", + "{package} was updated successfully": "", + "Update failed": "", + "{package} could not be updated": "", + "{package} Uninstall": "", + "{0} is being uninstalled": "", + "Uninstall succeeded": "", + "{package} was uninstalled successfully": "", + "Uninstall failed": "", + "{package} could not be uninstalled": "", + "Adding source {source}": "", + "Adding source {source} to {manager}": "", + "Source added successfully": "", + "The source {source} was added to {manager} successfully": "", + "Could not add source": "", + "Could not add source {source} to {manager}": "", + "Removing source {source}": "", + "Removing source {source} from {manager}": "", + "Source removed successfully": "", + "The source {source} was removed from {manager} successfully": "", + "Could not remove source": "", + "Could not remove source {source} from {manager}": "", + "The package manager \"{0}\" was not found": "", + "The package manager \"{0}\" is disabled": "", + "There is an error with the configuration of the package manager \"{0}\"": "", + "The package \"{0}\" was not found on the package manager \"{1}\"": "", + "{0} is disabled": "", + "Something went wrong": "", + "An interal error occurred. Please view the log for further details.": "", + "No applicable installer was found for the package {0}": "", + "We are checking for updates.": "", + "Please wait": "", + "UniGetUI version {0} is being downloaded.": "", + "This may take a minute or two": "", + "The installer authenticity could not be verified.": "", + "The update process has been aborted.": "", + "Great! You are on the latest version.": "", + "There are no new UniGetUI versions to be installed": "", + "An error occurred when checking for updates: ": "", + "UniGetUI is being updated...": "", + "Something went wrong while launching the updater.": "", + "Please try again later": "", + "Integrity checks will not be performed during this operation": "", + "This is not recommended.": "", + "Run now": "", + "Run next": "", + "Run last": "", + "Retry as administrator": "", + "Retry interactively": "", + "Retry skipping integrity checks": "", + "Installation options": "", + "Show in explorer": "", + "This package is already installed": "", + "This package can be upgraded to version {0}": "", + "Updates for this package are ignored": "", + "This package is being processed": "", + "This package is not available": "", + "Select the source you want to add:": "", + "Source name:": "", + "Source URL:": "", + "An error occurred": "", + "An error occurred when adding the source: ": "", + "Package management made easy": "", + "version {0}": "", + "[RAN AS ADMINISTRATOR]": "", + "Portable mode": "", + "DEBUG BUILD": "", + "Available Updates": "", + "Show WingetUI": "", + "Quit": "", + "Attention required": "", + "Restart required": "", + "1 update is available": "", + "{0} updates are available": "", + "WingetUI Homepage": "", + "WingetUI Repository": "", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "", + "Manual scan": "", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "", + "Continue": "", + "Delete?": "", + "Missing dependency": "", + "Not right now": "", + "Install {0}": "", + "UniGetUI requires {0} to operate, but it was not found on your system.": "", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "", + "Do not show this dialog again for {0}": "", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "", + "{0} has been installed successfully.": "", + "Please click on \"Continue\" to continue": "", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "", + "Restart later": "", + "An error occurred:": "", + "I understand": "", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "", + "WinGet was repaired successfully": "", + "It is recommended to restart UniGetUI after WinGet has been repaired": "", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "", + "Restart": "", + "WinGet could not be repaired": "", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "", + "Are you sure you want to delete all shortcuts?": "", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "", + "Are you really sure you want to enable this feature?": "", + "No new shortcuts were found during the scan.": "", + "How to add packages to a bundle": "", + "In order to add packages to a bundle, you will need to: ": "", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "", + "Which backup do you want to open?": "", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "", + "UniGetUI or some of its components are missing or corrupt.": "", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "", + "Integrity checks can be disabled from the Experimental Settings": "", + "Repair UniGetUI": "", + "Live output": "", + "Package not found": "", + "An error occurred when attempting to show the package with Id {0}": "", + "Package": "", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "", + "Entries that show in YELLOW will be IGNORED.": "", + "Entries that show in RED will be IMPORTED.": "", + "You can change this behavior on UniGetUI security settings.": "", + "Open UniGetUI security settings": "", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "", + "Details of the report:": "", + "\"{0}\" is a local package and can't be shared": "", + "Are you sure you want to create a new package bundle? ": "", + "Any unsaved changes will be lost": "", + "Warning!": "", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "", + "Change default options": "", + "Ignore future updates for this package": "", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "", + "Change this and unlock": "", + "{0} Install options are currently locked because {0} follows the default install options.": "", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "", + "Write here the process names here, separated by commas (,)": "", + "Unset or unknown": "", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "", + "Become a contributor": "", + "Save": "", + "Update to {0} available": "", + "Reinstall": "", + "Installer not available": "", + "Version:": "", + "Performing backup, please wait...": "", + "An error occurred while logging in: ": "", + "Fetching available backups...": "", + "Done!": "", + "The cloud backup has been loaded successfully.": "", + "An error occurred while loading a backup: ": "", + "Backing up packages to GitHub Gist...": "", + "Backup Successful": "", + "The cloud backup completed successfully.": "", + "Could not back up packages to GitHub Gist: ": "", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "", + "Enable the automatic WinGet troubleshooter": "", + "Enable an [experimental] improved WinGet troubleshooter": "", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "", + "Restart WingetUI to fully apply changes": "", + "Restart WingetUI": "", + "Invalid selection": "", + "No package was selected": "", + "More than 1 package was selected": "", + "List": "", + "Grid": "", + "Icons": "", + "\"{0}\" is a local package and does not have available details": "", + "\"{0}\" is a local package and is not compatible with this feature": "", + "WinGet malfunction detected": "", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "", + "Repair WinGet": "", + "Create .ps1 script": "", + "Add packages to bundle": "", + "Preparing packages, please wait...": "", + "Loading packages, please wait...": "", + "Saving packages, please wait...": "", + "The bundle was created successfully on {0}": "", + "Install script": "", + "The installation script saved to {0}": "", + "An error occurred while attempting to create an installation script:": "", + "{0} packages are being updated": "", + "Error": "", + "Log in failed: ": "", + "Log out failed: ": "", + "Package backup settings": "", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", + "(Number {0} in the queue)": "", + "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "", + "0 packages found": "", + "0 updates found": "", + "1 month": "", + "1 package was found": "", + "1 year": "", + "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "", + "A restart is required": "", + "About Qt6": "", + "About WingetUI version {0}": "", + "About the dev": "", + "Action when double-clicking packages, hide successful installations": "", + "Add a source to {0}": "", + "Add a timestamp to the backup files": "", + "Add packages or open an existing bundle": "", + "Addition succeeded": "", + "Administrator privileges preferences": "", + "Administrator rights": "", + "All files": "", + "Allow package operations to be performed in parallel": "", + "Allow parallel installs (NOT RECOMMENDED)": "", + "Allow {pm} operations to be performed in parallel": "", + "Always elevate {pm} installations by default": "", + "Always run {pm} operations with administrator rights": "", + "An unexpected error occurred:": "", + "Another source": "", + "App Name": "", + "Are these screenshots wron or blurry?": "", + "Ask for administrator rights when required": "", + "Ask once or always for administrator rights, elevate installations by default": "", + "Ask only once for administrator privileges (not recommended)": "", + "Authenticate to the proxy with an user and a password": "", + "Automatically save a list of your installed packages on your computer.": "", + "Autostart WingetUI in the notifications area": "", + "Available updates: {0}": "", + "Available updates: {0}, not finished yet...": "", + "Backup installed packages": "", + "Backup location": "", + "But here are other things you can do to learn about WingetUI even more:": "", + "By toggling a package manager off, you will no longer be able to see or update its packages.": "", + "Cache administrator rights and elevate installers by default": "", + "Cache administrator rights, but elevate installers only when required": "", + "Cache was reset successfully!": "", + "Can't {0} {1}": "", + "Cancel all operations": "", + "Change how UniGetUI installs packages, and checks and installs available updates": "", + "Change install location": "", + "Check for updates periodically": "", + "Check for updates regularly, and ask me what to do when updates are found.": "", + "Check for updates regularly, and automatically install available ones.": "", + "Check out my {0} and my {1}!": "", + "Check out some WingetUI overviews": "", + "Checking for other running instances...": "", + "Checking for updates...": "", + "Checking found instace(s)...": "", + "Choose how many operations shouls be performed in parallel": "", + "Clear finished operations": "", + "Clear successful operations": "", + "Clear the local icon cache": "", + "Clearing Scoop cache...": "", + "Close WingetUI to the notification area": "", + "Command-line Output": "", + "Compare query against": "", + "Component Information": "", + "Contribute to the icon and screenshot repository": "", + "Copy": "", + "Could not load announcements - ": "", + "Could not load announcements - HTTP status code is $CODE": "", + "Could not remove {source} from {manager}": "", + "Current Version": "", + "Current user": "", + "Custom arguments:": "", + "Custom command-line arguments:": "", + "Customize WingetUI - for hackers and advanced users only": "", + "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "", + "Default preferences - suitable for regular users": "", + "Description:": "", + "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "", + "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "", + "Disable new share API (port 7058)": "", + "Discover packages": "", + "Distinguish between\nuppercase and lowercase": "", + "Do NOT check for updates": "", + "Do an interactive install for the selected packages": "", + "Do an interactive uninstall for the selected packages": "", + "Do an interactive update for the selected packages": "", + "Do not download new app translations from GitHub automatically": "", + "Do not remove successful operations from the list automatically": "", + "Do not update package indexes on launch": "", + "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "", + "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "", + "Do you really want to uninstall {0} packages?": "", + "Do you want to restart your computer now?": "", + "Do you want to translate WingetUI to your language? See how to contribute HERE!": "", + "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "", + "Donate": "", + "Download updated language files from GitHub automatically": "", + "Downloading": "", + "Downloading installer for {package}": "", + "Downloading package metadata...": "", + "Enable the new UniGetUI-Branded UAC Elevator": "", + "Enable the new process input handler (StdIn automated closer)": "", + "Export log as a file": "", + "Export packages": "", + "Export selected packages to a file": "", + "Fetching latest announcements, please wait...": "", + "Finish": "", + "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "", + "Formerly known as WingetUI": "", + "Found": "", + "Found packages: ": "", + "Found packages: {0}": "", + "Found packages: {0}, not finished yet...": "", + "GitHub profile": "", + "Global": "", + "Help and documentation": "", + "Hide details": "", + "How should installations that require administrator privileges be treated?": "", + "Ignore updates for the selected packages": "", + "Ignored updates": "", + "Import packages": "", + "Import packages from a file": "", + "Initializing WingetUI...": "", + "Install and more": "", + "Install and update preferences": "", + "Install packages from a file": "", + "Install selected packages": "", + "Install selected packages with administrator privileges": "", + "Install the latest prerelease version": "", + "Install updates automatically": "", + "Installation canceled by the user!": "", + "Installed packages": "", + "Instance {0} responded, quitting...": "", + "Is this package missing the icon?": "", + "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "", + "Latest Version": "", + "Latest Version:": "", + "Latest details...": "", + "Launching subprocess...": "", + "Licenses": "", + "Live command-line output": "", + "Loading UI components...": "", + "Loading WingetUI...": "", + "Local machine": "", + "Locating {pm}...": "", + "Looking for packages...": "", + "Machine | Global": "", + "Manage WingetUI autostart behaviour from the Settings app": "", + "Manage ignored packages": "", + "Manifests": "", + "New Version": "", + "New bundle": "", + "No packages found": "", + "No packages found matching the input criteria": "", + "No packages have been added yet": "", + "No packages selected": "", + "No sources found": "", + "No sources were found": "", + "No updates are available": "", + "Notes:": "", + "Notification tray options": "", + "Ok": "", + "Open GitHub": "", + "Open WingetUI": "", + "Open backup location": "", + "Open existing bundle": "", + "Open the welcome wizard": "", + "Operation cancelled": "", + "Options saved": "", + "Package Manager": "", + "Package managers": "", + "Package {name} from {manager}": "", + "Packages": "", + "Packages found: {0}": "", + "Paste a valid URL to the database": "", + "Perform a backup now": "", + "Periodically perform a backup of the installed packages": "", + "Please enter at least 3 characters": "", + "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "", + "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "", + "Please select how you want to configure WingetUI": "", + "Please type at least two characters": "", + "Portable": "", + "Publication date:": "", + "Quit WingetUI": "", + "Release notes URL:": "", + "Release notes:": "", + "Reload": "", + "Removal failed": "", + "Removal succeeded": "", + "Remove permanent data": "", + "Remove successful installs/uninstalls/updates from the installation list": "", + "Repository": "", + "Reset Scoop's global app cache": "", + "Reset Winget sources (might help if no packages are listed)": "", + "Reset WingetUI and its preferences": "", + "Reset WingetUI icon and screenshot cache": "", + "Resetting Winget sources - WingetUI": "", + "Restart now": "", + "Restart your PC to finish installation": "", + "Restart your computer to finish the installation": "", + "Retry failed operations": "", + "Retrying, please wait...": "", + "Return to top": "", + "Running the installer...": "", + "Running the uninstaller...": "", + "Running the updater...": "", + "Save File": "", + "Save bundle as": "", + "Save now": "", + "Search": "", + "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "", + "Search on available updates": "", + "Search on your software": "", + "Searching for installed packages...": "", + "Searching for packages...": "", + "Searching for updates...": "", + "Select \"{item}\" to add your custom bucket": "", + "Select a folder": "", + "Select all packages": "", + "Select only if you know what you are doing.": "", + "Select package file": "", + "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "", + "Sent handshake. Waiting for instance listener's answer... ({0}%)": "", + "Set custom backup file name": "", + "Share WingetUI": "", + "Show UniGetUI on the system tray": "", + "Show a notification when an installation fails": "", + "Show a notification when an installation finishes successfully": "", + "Show details": "", + "Show info about the package on the Updates tab": "", + "Show missing translation strings": "", + "Show package details": "", + "Show the live output": "", + "Skip": "", + "Skip the hash check when installing the selected packages": "", + "Skip the hash check when updating the selected packages": "", + "Source addition failed": "", + "Source removal failed": "", + "Source:": "", + "Start": "", + "Starting daemons...": "", + "Startup options": "", + "Status": "", + "Stuck here? Skip initialization": "", + "Suport the developer": "", + "Support me": "", + "Support the developer": "", + "Systems are now ready to go!": "", + "Text file": "", + "Thank you 😉": "", + "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "", + "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "", + "The following packages are going to be installed on your system.": "", + "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "", + "The icons and screenshots are maintained by users like you!": "", + "The installer has an invalid checksum": "", + "The installer hash does not match the expected value.": "", + "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "", + "The package {0} from {1} was not found.": "", + "The selected packages have been blacklisted": "", + "The update will be installed upon closing WingetUI": "", + "The update will not continue.": "", + "The user has canceled {0}, that was a requirement for {1} to be run": "", + "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "", + "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "", + "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "", + "They are the programs in charge of installing, updating and removing packages.": "", + "This could represent a security risk.": "", + "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "", + "This is the default choice.": "", + "This package can be updated": "", + "This package can be updated to version {0}": "", + "This process is running with administrator privileges": "", + "This setting is disabled": "", + "This wizard will help you configure and customize WingetUI!": "", + "Toggle search filters pane": "", + "Type here the name and the URL of the source you want to add, separed by a space.": "", + "Unable to find package": "", + "Unable to load informarion": "", + "Uninstall and more": "", + "Uninstall canceled by the user!": "", + "Uninstall the selected packages with administrator privileges": "", + "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "", + "Update and more": "", + "Update date": "", + "Update found!": "", + "Update package indexes on launch": "", + "Update packages automatically": "", + "Update selected packages": "", + "Update selected packages with administrator privileges": "", + "Update vcpkg's Git portfiles automatically (requires Git installed)": "", + "Updates": "", + "Updates available!": "", + "Updates preferences": "", + "Updating WingetUI": "", + "Url": "", + "Use Legacy bundled WinGet instead of PowerShell CMDLets": "", + "Use bundled WinGet instead of PowerShell CMDlets": "", + "Use installed GSudo instead of the bundled one": "", + "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "", + "Use system Chocolatey (Needs a restart)": "", + "Use system Winget (Needs a restart)": "", + "Use system Winget (System language must be set to english)": "", + "Use the WinGet COM API to fetch packages": "", + "Use the WinGet PowerShell Module instead of the WinGet COM API": "", + "User": "", + "User | Local": "", + "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "", + "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "", + "Vcpkg was not found on your system.": "", + "View WingetUI on GitHub": "", + "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "", + "Waiting for other installations to finish...": "", + "Waiting for {0} to complete...": "", + "We could not load detailed information about this package, because it was not found in any of your package sources": "", + "We could not load detailed information about this package, because it was not installed from an available package manager.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "", + "We couldn't find any package": "", + "Welcome to WingetUI": "", + "Which package managers do you want to use?": "", + "Which source do you want to add?": "", + "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "", + "WingetUI": "", + "WingetUI - Everything is up to date": "", + "WingetUI - {0} updates are available": "", + "WingetUI - {0} {1}": "", + "WingetUI Homepage - Share this link!": "", + "WingetUI Settings File": "", + "WingetUI autostart behaviour, application launch settings": "", + "WingetUI can check if your software has available updates, and install them automatically if you want to": "", + "WingetUI has not been machine translated. The following users have been in charge of the translations:": "", + "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "", + "WingetUI is being updated. When finished, WingetUI will restart itself": "", + "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "", + "WingetUI log": "", + "WingetUI tray application preferences": "", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "WingetUI version {0} is being downloaded.": "", + "WingetUI will become {newname} soon!": "", + "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "", + "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "", + "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "", + "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "", + "WingetUI {0} is ready to be installed.": "", + "You may restart your computer later if you wish": "", + "You will be prompted only once, and administrator rights will be granted to packages that request them.": "", + "You will be prompted only once, and every future installation will be elevated automatically.": "", + "buy me a coffee": "", + "formerly WingetUI": "", + "homepage": "", + "install": "", + "installation": "", + "uninstall": "", + "uninstallation": "", + "uninstalled": "", + "update(noun)": "", + "update(verb)": "", + "updated": "", + "{0} Uninstallation": "", + "{0} aborted": "", + "{0} can be updated": "", + "{0} failed": "", + "{0} has failed, that was a requirement for {1} to be run": "", + "{0} installation": "", + "{0} is being updated": "", + "{0} months": "", + "{0} packages found": "", + "{0} packages were found": "", + "{0} succeeded": "", + "{0} update": "", + "{0} was {1} successfully!": "", + "{0} weeks": "", + "{0} years": "", + "{0} {1} failed": "", + "{package} installation failed": "", + "{package} uninstall failed": "", + "{package} update failed": "", + "{package} update failed. Click here for more details.": "", + "{pm} could not be found": "", + "{pm} found: {state}": "", + "{pm} package manager specific preferences": "", + "{pm} preferences": "", + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "", + "Thank you ❤": "", + "This project has no connection with the official {0} project — it's completely unofficial.": "" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gu.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gu.json index c03d80c06d..c8ea5e58a3 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gu.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_gu.json @@ -1,155 +1,737 @@ { + "Operation in progress": "operation ચાલુ છે", + "Please wait...": "કૃપા કરીને રાહ જુઓ...", + "Success!": "સફળતા!", + "Failed": "નિષ્ફળ", + "An error occurred while processing this package": "આ પેકેજની પ્રક્રિયા કરતી વખતે એક ભૂલ આવી", + "Log in to enable cloud backup": "cloud backup સક્રિય કરવા માટે Log in કરો", + "Backup Failed": "બેકઅપ નિષ્ફળ ગયું", + "Downloading backup...": "બેકઅપ download થઈ રહી છે...", + "An update was found!": "અપડેટ મળ્યું!", + "{0} can be updated to version {1}": "{0} ને version {1} સુધી update કરી શકાય છે", + "Updates found!": "Updates મળ્યા!", + "{0} packages can be updated": "{0} packages update થઈ શકે છે", + "You have currently version {0} installed": "તમારા પાસે હાલમાં version {0} install છે", + "Desktop shortcut created": "Desktop shortcut બનાવાયો", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI એ એક નવી desktop shortcut શોધી છે જેને આપમેળે delete કરી શકાય છે.", + "{0} desktop shortcuts created": "{0} desktop shortcuts બનાવાઈ", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI એ {0} નવી desktop shortcuts શોધી છે જેને આપમેળે delete કરી શકાય છે.", + "Are you sure?": "શું તમને ખાતરી છે?", + "Do you really want to uninstall {0}?": "શું તમે ખરેખર {0} uninstall કરવા માંગો છો?", + "Do you really want to uninstall the following {0} packages?": "શું તમે ખરેખર નીચેના {0} packages uninstall કરવા માંગો છો?", + "No": "ના", + "Yes": "હા", + "View on UniGetUI": "UniGetUI પર જુઓ", + "Update": "અપડેટ", + "Open UniGetUI": "UniGetUI ખોલો", + "Update all": "બધું update કરો", + "Update now": "હવે update કરો", + "This package is on the queue": "આ package queue માં છે", + "installing": "install થઈ રહ્યું છે", + "updating": "update થઈ રહ્યું છે", + "uninstalling": "uninstall થઈ રહ્યું છે", + "installed": "install થયું", + "Retry": "ફરી પ્રયાસ કરો", + "Install": "સ્થાપિત કરો", + "Uninstall": "અનઇન્સ્ટોલ કરો", + "Open": "ખોલો", + "Operation profile:": "પ્રક્રિયા પ્રોફાઇલ:", + "Follow the default options when installing, upgrading or uninstalling this package": "આ package install, upgrade અથવા uninstall કરતી વખતે ડિફૉલ્ટ options અનુસરો", + "The following settings will be applied each time this package is installed, updated or removed.": "દર વખતે આ package install, update અથવા remove થાય ત્યારે નીચેની settings લાગુ થશે.", + "Version to install:": "install કરવાની version:", + "Architecture to install:": "સ્થાપનાની સંરચના", + "Installation scope:": "સ્થાપન વિસ્તાર:", + "Install location:": "સ્થાપન સ્થાન:", + "Select": "પસંદ કરો", + "Reset": "Reset કરો", + "Custom install arguments:": "custom install arguments:", + "Custom update arguments:": "custom update arguments:", + "Custom uninstall arguments:": "custom uninstall arguments:", + "Pre-install command:": "સ્થાપન પહેલાંનો આદેશ:", + "Post-install command:": "સ્થાપન પછીનો આદેશ:", + "Abort install if pre-install command fails": "pre-install command નિષ્ફળ જાય તો સ્થાપન રદ કરો", + "Pre-update command:": "અપડેટ પહેલાંનો આદેશ:", + "Post-update command:": "અપડેટ પછીનો આદેશ:", + "Abort update if pre-update command fails": "pre-update command નિષ્ફળ જાય તો અપડેટ રદ કરો", + "Pre-uninstall command:": "અનઇન્સ્ટોલ પહેલાંનો આદેશ:", + "Post-uninstall command:": "અનઇન્સ્ટોલ પછીનો આદેશ:", + "Abort uninstall if pre-uninstall command fails": "pre-uninstall command નિષ્ફળ જાય તો uninstall રદ કરો", + "Command-line to run:": "ચાલાવવાનો command-line:", + "Save and close": "સાચવો અને બંધ કરો", + "Run as admin": "admin તરીકે ચલાવો", + "Interactive installation": "પરસ્પરક્રિયાત્મક સ્થાપન", + "Skip hash check": "hash check છોડો", + "Uninstall previous versions when updated": "update થયા પછી અગાઉની versions uninstall કરો", + "Skip minor updates for this package": "આ package માટે minor updates છોડો", + "Automatically update this package": "આ પેકેજ આપમેળે અપડેટ કરો", + "{0} installation options": "{0} સ્થાપન વિકલ્પો", + "Latest": "તાજેતરનું", + "PreRelease": "પૂર્વ-પ્રકાશન", + "Default": "ડિફૉલ્ટ", + "Manage ignored updates": "ignored updates સંચાલન કરો", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "અહીં સૂચિબદ્ધ packages ને updates તપાસતી વખતે ધ્યાનમાં લેવામાં આવશે નહીં. તેમના updates ને ignore કરવાનું બંધ કરવા માટે packages પર double-click કરો અથવા તેમની જમણી બાજુના button પર click કરો.", + "Reset list": "યાદી reset કરો", + "Package Name": "પેકેજ નામ", + "Package ID": "પેકેજ ID", + "Ignored version": "ignored આવૃત્તિ", + "New version": "નવી આવૃત્તિ", + "Source": "સ્ત્રોત", + "All versions": "બધી આવૃત્તિઓ", + "Unknown": "અજ્ઞાત", + "Up to date": "તાજું", + "Cancel": "રદ્દ", + "Administrator privileges": "સંચાલક વિશેષાધિકારો", + "This operation is running with administrator privileges.": "આ operation administrator privileges સાથે ચાલી રહી છે.", + "Interactive operation": "પરસ્પરક્રિયાત્મક પ્રક્રિયા", + "This operation is running interactively.": "આ operation interactive રીતે ચાલી રહી છે.", + "You will likely need to interact with the installer.": "તમને સંભવિત રીતે installer સાથે interact કરવાની જરૂર પડશે.", + "Integrity checks skipped": "Integrity checks skip કરવામાં આવી", + "Proceed at your own risk.": "તમારા જોખમે આગળ વધો.", + "Close": "બંધ કરો", + "Loading...": "load થઈ રહ્યું છે...", + "Installer SHA256": "સ્થાપક SHA256", + "Homepage": "મુખ્ય પૃષ્ઠ", + "Author": "લેખક", + "Publisher": "પ્રકાશક", + "License": "લાઇસન્સ", + "Manifest": "મેનિફેસ્ટ", + "Installer Type": "સ્થાપક પ્રકાર", + "Size": "કદ", + "Installer URL": "સ્થાપક URL", + "Last updated:": "છેલ્લે update થયું:", + "Release notes URL": "પ્રકાશન નોંધો URL", + "Package details": "પેકેજ વિગતો", + "Dependencies:": "નિર્ભરતાઓ:", + "Release notes": "પ્રકાશન નોંધો", + "Version": "આવૃત્તિ", + "Install as administrator": "administrator તરીકે install કરો", + "Update to version {0}": "version {0} સુધી update કરો", + "Installed Version": "Installed આવૃત્તિ", + "Update as administrator": "administrator તરીકે update કરો", + "Interactive update": "પરસ્પરક્રિયાત્મક update", + "Uninstall as administrator": "administrator તરીકે uninstall કરો", + "Interactive uninstall": "પરસ્પરક્રિયાત્મક uninstall", + "Uninstall and remove data": "uninstall કરો અને data દૂર કરો", + "Not available": "ઉપલબ્ધ નથી", + "Installer SHA512": "સ્થાપક SHA512", + "Unknown size": "અજ્ઞાત કદ", + "No dependencies specified": "કોઈ dependencies નિર્ધારિત નથી", + "mandatory": "ફરજિયાત", + "optional": "વૈકલ્પિક", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} install કરવા માટે તૈયાર છે.", + "The update process will start after closing UniGetUI": "UniGetUI બંધ થયા પછી update process શરૂ થશે", + "Share anonymous usage data": "anonymous usage data share કરો", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI user experience સુધારવા માટે anonymous usage data એકત્રિત કરે છે.", + "Accept": "સ્વીકારો", + "You have installed WingetUI Version {0}": "તમે UniGetUI Version {0} install કર્યું છે", + "Disclaimer": "અસ્વીકાર", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI નો કોઈપણ compatible package managers સાથે સંબંધ નથી. UniGetUI એક સ્વતંત્ર project છે.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors ની મદદ વગર UniGetUI શક્ય ન હોત. તમે સૌનો આભાર 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI નીચેની libraries નો ઉપયોગ કરે છે. તેમના વગર UniGetUI શક્ય ન હોત.", + "{0} homepage": "{0} મુખ્ય પૃષ્ઠ", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "સ્વયંસેવક translators ના કારણે UniGetUI નો અનુવાદ 40 થી વધુ ભાષાઓમાં થયો છે. આભાર 🤝", + "Verbose": "વિગતવાર", + "1 - Errors": "1 - ભૂલો", + "2 - Warnings": "2 - ચેતવણીઓ", + "3 - Information (less)": "3 - માહિતી (ઓછી)", + "4 - Information (more)": "4 - માહિતી (વધુ)", + "5 - information (debug)": "5 - માહિતી (debug)", + "Warning": "ચેતવણી", + "The following settings may pose a security risk, hence they are disabled by default.": "નીચેની settings security risk ઉભો કરી શકે છે, તેથી તે ડિફૉલ્ટ રીતે નિષ્ક્રિય છે.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "નીચે આપેલી settings માત્ર ત્યારે જ સક્રિય કરો જો તમે તેઓ શું કરે છે તે સંપૂર્ણપણે સમજો છો અને તેમાં કયા અસરો હોઈ શકે છે.", + "The settings will list, in their descriptions, the potential security issues they may have.": "settings તેમની descriptions માં સંભવિત security issues ની યાદી બતાવશે.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup માં installed packages અને તેમની installation options ની સંપૂર્ણ યાદી શામેલ હશે. ignored updates અને skipped versions પણ સાચવવામાં આવશે.", + "The backup will NOT include any binary file nor any program's saved data.": "backup માં કોઈ binary file અથવા કોઈ program નું saved data શામેલ નહીં હોય.", + "The size of the backup is estimated to be less than 1MB.": "backup નું કદ 1MB થી ઓછું હોવાનો અંદાજ છે.", + "The backup will be performed after login.": "backup login પછી કરવામાં આવશે.", + "{pcName} installed packages": "{pcName} પર installed packages", + "Current status: Not logged in": "વર્તમાન સ્થિતિ: login થયેલ નથી", + "You are logged in as {0} (@{1})": "તમે {0} (@{1}) તરીકે logged in છો", + "Nice! Backups will be uploaded to a private gist on your account": "સરસ! backups તમારા account પર private gist માં upload થશે", + "Select backup": "backup પસંદ કરો", + "WingetUI Settings": "UniGetUI સેટિંગ્સ", + "Allow pre-release versions": "pre-release આવૃત્તિઓને મંજૂરી આપો", + "Apply": "લાગુ કરો", + "Go to UniGetUI security settings": "UniGetUI security settings માં જાઓ", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "દર વખતે {0} package install, upgrade અથવા uninstall થાય ત્યારે નીચેના options ડિફૉલ્ટ રીતે લાગુ થશે.", + "Package's default": "Package નું default", + "Install location can't be changed for {0} packages": "{0} packages માટે install location બદલી શકાતું નથી", + "The local icon cache currently takes {0} MB": "local icon cache હાલમાં {0} MB લે છે", + "Username": "વપરાશકર્તા નામ", + "Password": "પાસવર્ડ", + "Credentials": "પ્રમાણપત્રો", + "Partially": "આંશિક રીતે", + "Package manager": "પેકેજ મેનેજર", + "Compatible with proxy": "proxy સાથે સુસંગત", + "Compatible with authentication": "authentication સાથે સુસંગત", + "Proxy compatibility table": "પ્રોક્સી સુસંગતતા કોષ્ટક", + "{0} settings": "{0} સેટિંગ્સ", + "{0} status": "{0} સ્થિતિ", + "Default installation options for {0} packages": "{0} packages માટે ડિફૉલ્ટ installation options", + "Expand version": "આવૃત્તિ વિસ્તૃત કરો", + "The executable file for {0} was not found": "{0} માટે executable file મળી નથી", + "{pm} is disabled": "{pm} નિષ્ક્રિય છે", + "Enable it to install packages from {pm}.": "તેને {pm} માંથી packages install કરવા માટે સક્રિય કરો.", + "{pm} is enabled and ready to go": "{pm} સક્રિય છે અને તૈયાર છે", + "{pm} version:": "{pm} આવૃત્તિ:", + "{pm} was not found!": "{pm} મળ્યું નથી!", + "You may need to install {pm} in order to use it with WingetUI.": "WingetUI સાથે તેનો ઉપયોગ કરવા માટે તમને {pm} install કરવાની જરૂર પડી શકે છે.", + "Scoop Installer - WingetUI": "Scoop સ્થાપક - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop અનઇન્સ્ટોલર - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop cache સાફ થઈ રહી છે - UniGetUI", + "Restart UniGetUI": "UniGetUI restart કરો", + "Manage {0} sources": "{0} sources સંચાલન કરો", + "Add source": "સ્ત્રોત ઉમેરો", + "Add": "ઉમેરો", + "Other": "અન્ય", + "1 day": "૧ દિવસ", + "{0} days": "{0} દિવસ", + "{0} minutes": "{0} મિનિટ", + "1 hour": "૧ કલાક", + "{0} hours": "{0} કલાક", + "1 week": "૧ અઠવાડિયું", + "WingetUI Version {0}": "UniGetUI આવૃત્તિ {0}", + "Search for packages": "packages શોધો", + "Local": "સ્થાનિક", + "OK": "ઠીક છે", + "{0} packages were found, {1} of which match the specified filters.": "{1} packages મળ્યા, જેમાંથી {0} નિર્દિષ્ટ filters સાથે મેળ ખાતા હતા.", + "{0} selected": "{0} પસંદ થયું", + "(Last checked: {0})": "(છેલ્લે ચકાસાયેલ: {0})", + "Enabled": "સક્રિય", + "Disabled": "નિષ્ક્રિય", + "More info": "વધુ માહિતી", + "Log in with GitHub to enable cloud package backup.": "cloud package backup સક્રિય કરવા માટે GitHub સાથે Log in કરો.", + "More details": "વધુ વિગતો", + "Log in": "Log in કરો", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "જો તમે cloud backup સક્રિય કર્યું હોય, તો તે આ account પર GitHub Gist તરીકે સાચવવામાં આવશે", + "Log out": "Log out કરો", + "About": "વિશે", + "Third-party licenses": "તૃતીય-પક્ષ લાઇસન્સ", + "Contributors": "યોગદાનકારો", + "Translators": "અનુવાદકો", + "Manage shortcuts": "shortcuts સંચાલન કરો", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI એ નીચેની desktop shortcuts શોધી છે જેને future upgrades દરમિયાન આપમેળે દૂર કરી શકાય છે", + "Do you really want to reset this list? This action cannot be reverted.": "શું તમે ખરેખર આ list reset કરવા માંગો છો? આ action પાછું ફેરવી શકાતું નથી.", + "Remove from list": "યાદીમાંથી દૂર કરો", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "નવી shortcuts શોધાય ત્યારે આ dialog બતાવવાને બદલે તેને આપમેળે delete કરો.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI user experience ને સમજવા અને સુધારવા માટેના એકમાત્ર હેતુથી anonymous usage data એકત્રિત કરે છે.", + "More details about the shared data and how it will be processed": "શેર કરેલા data વિશે અને તેને કેવી રીતે process કરવામાં આવશે તે વિશે વધુ વિગતો", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "UniGetUI વપરાશકર્તા અનુભવને સમજવા અને સુધારવા માટે માત્ર anonymous usage statistics એકત્ર કરે છે અને મોકલે છે, તે તમે સ્વીકારો છો?", + "Decline": "નકારો", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "કોઈ વ્યક્તિગત માહિતી એકત્રિત કે મોકલવામાં આવતી નથી, અને એકત્રિત data અનામી બનાવવામાં આવે છે, તેથી તેને તમારી સુધી trace કરી શકાતું નથી.", + "About WingetUI": "WingetUI વિશે", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI એક application છે જે તમારા command-line package managers માટે all-in-one graphical interface આપી તમારા software ને મેનેજ કરવાનું સરળ બનાવે છે.", + "Useful links": "ઉપયોગી links", + "Report an issue or submit a feature request": "issue report કરો અથવા feature request મોકલો", + "View GitHub Profile": "GitHub Profile જુઓ", + "WingetUI License": "UniGetUI લાઇસન્સ", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI નો ઉપયોગ કરવાથી MIT License સ્વીકાર્ય ગણાશે", + "Become a translator": "અનુવાદક બનો", + "View page on browser": "browser માં page જુઓ", + "Copy to clipboard": "clipboard પર નકલ કરો", + "Export to a file": "ફાઇલમાં નિકાસ કરો", + "Log level:": "log level:", + "Reload log": "log ફરી load કરો", + "Text": "લખાણ", + "Change how operations request administrator rights": "પ્રક્રિયાઓ સંચાલક અધિકારો કેવી રીતે માંગે છે તે બદલો", + "Restrictions on package operations": "package operations પર પ્રતિબંધો", + "Restrictions on package managers": "package managers પર પ્રતિબંધો", + "Restrictions when importing package bundles": "package bundles import કરતી વખતે પ્રતિબંધો", + "Ask for administrator privileges once for each batch of operations": "દરેક બેચની કામગીરી માટે એકવાર સંચાલક વિશેષાધિકારો માટે પૂછો", + "Ask only once for administrator privileges": "સંચાલક વિશેષાધિકારો માટે ફક્ત એકવાર પૂછો", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator અથવા GSudo દ્વારા કોઈપણ પ્રકારના Elevation પર પ્રતિબંધ મૂકો", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "આ option ચોક્કસ સમસ્યાઓ ઊભી કરશે. જે operation પોતે elevate ન થઈ શકે તે નિષ્ફળ જશે. Install/update/uninstall as administrator કામ નહીં કરે.", + "Allow custom command-line arguments": "કસ્ટમ command-line arguments ને મંજૂરી આપો", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "custom command-line arguments એ રીતે ફેરફાર કરી શકે છે કે જેમાં programs install, upgrade અથવા uninstall થાય છે, અને UniGetUI તેને નિયંત્રિત કરી શકતું નથી. custom command-lines નો ઉપયોગ packages ને બગાડી શકે છે. સાવચેત આગળ વધો.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "bundle માંથી packages import કરતી વખતે custom pre-install અને post-install commands ચલાવવાની મંજૂરી આપો", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre અને post install commands package install, upgrade અથવા uninstall થાય તે પહેલાં અને પછી ચલાવવામાં આવશે. સાવચેત રહો, કારણ કે કાળજીપૂર્વક ઉપયોગ ન કરવામાં આવે તો તે વસ્તુઓ બગાડી શકે છે", + "Allow changing the paths for package manager executables": "પેકેજ મેનેજર executables ના path બદલવાની મંજૂરી આપો", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "આને ચાલુ કરવાથી package managers સાથે કામ કરવા માટે વપરાતી executable file બદલી શકાય છે. આ તમારા install processes ને વધુ સૂક્ષ્મ રીતે customize કરવાની મંજૂરી આપે છે, પરંતુ તે જોખમી પણ હોઈ શકે છે", + "Allow importing custom command-line arguments when importing packages from a bundle": "બંડલમાંથી પેકેજ આયાત કરતી વખતે કસ્ટમ command-line arguments આયાત કરવાની મંજૂરી આપો", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "ખોટા command-line arguments packages ને બગાડી શકે છે, અથવા કોઈ દુર્ભાવનાપૂર્ણ actor ને privileged execution આપી શકે છે. તેથી custom command-line arguments આયાત કરવું ડિફૉલ્ટ રીતે નિષ્ક્રિય છે.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "બંડલમાંથી પેકેજ આયાત કરતી વખતે કસ્ટમ pre-install અને post-install commands આયાત કરવાની મંજૂરી આપો", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre અને post install commands તમારા device સાથે ખૂબ નુકસાનકારક કામો કરી શકે છે, જો તે એ હેતુ માટે બનાવવામાં આવ્યા હોય. bundle માંથી commands import કરવું ખૂબ જોખમી હોઈ શકે છે, જ્યાં સુધી તમે તે package bundle ના source પર trust ન કરો", + "Administrator rights and other dangerous settings": "સંચાલક અધિકારો અને અન્ય જોખમભર્યા settings", + "Package backup": "પેકેજ બેકઅપ", + "Cloud package backup": "cloud package backup", + "Local package backup": "સ્થાનિક package backup", + "Local backup advanced options": "સ્થાનિક backup advanced options", + "Log in with GitHub": "GitHub સાથે Log in કરો", + "Log out from GitHub": "GitHub માંથી Log out કરો", + "Periodically perform a cloud backup of the installed packages": "નિયમિત અંતરે installed packages નો cloud backup કરો", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "cloud backup સ્થાપિત પેકેજોની સૂચિ સંગ્રહવા માટે ખાનગી GitHub Gist નો ઉપયોગ કરે છે", + "Perform a cloud backup now": "હમણાં cloud backup કરો", + "Backup": "બેકઅપ", + "Restore a backup from the cloud": "cloud માંથી backup પુનઃસ્થાપિત કરો", + "Begin the process to select a cloud backup and review which packages to restore": "cloud backup પસંદ કરવા અને કયા પેકેજોને પુનઃસ્થાપિત કરવા તે સમીક્ષા કરવાની પ્રક્રિયા શરૂ કરો", + "Periodically perform a local backup of the installed packages": "નિયમિત અંતરે installed packages નો local backup કરો", + "Perform a local backup now": "હમણાં local backup કરો", + "Change backup output directory": "બેકઅપ output directory બદલો", + "Set a custom backup file name": "custom backup file name સેટ કરો", + "Leave empty for default": "ડિફૉલ્ટ માટે ખાલી રાખો", + "Add a timestamp to the backup file names": "બેકઅપ ફાઇલ નામોમાં ટાઇમસ્ટેમ્પ ઉમેરો", + "Backup and Restore": "બેકઅપ અને પુનઃસ્થાપન", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background API સક્રિય કરો (UniGetUI Widgets અને Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet connectivity જરૂરી હોય તેવી tasks કરવાનો પ્રયાસ કરતા પહેલાં device internet સાથે જોડાય ત્યાં સુધી રાહ જુઓ.", + "Disable the 1-minute timeout for package-related operations": "package સંબંધિત operations માટે 1-minute timeout નિષ્ક્રિય કરો", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator ની બદલે installed GSudo વાપરો", + "Use a custom icon and screenshot database URL": "custom icon અને screenshot database URL વાપરો", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU usage optimizations સક્રિય કરો (Pull Request #3278 જુઓ)", + "Perform integrity checks at startup": "startup સમયે integrity checks કરો", + "When batch installing packages from a bundle, install also packages that are already installed": "bundle માંથી batch install કરતી વખતે પહેલેથી install થયેલા packages પણ install કરો", + "Experimental settings and developer options": "પરીક્ષણાત્મક settings અને developer options", + "Show UniGetUI's version and build number on the titlebar.": "titlebar પર UniGetUI નું version અને build number બતાવો.", + "Language": "ભાષા", + "UniGetUI updater": "UniGetUI અપડેટર", + "Telemetry": "ટેલિમેટ્રી", + "Manage UniGetUI settings": "UniGetUI settings સંચાલન કરો", + "Related settings": "સંબંધિત settings", + "Update WingetUI automatically": "UniGetUI ને આપમેળે update કરો", + "Check for updates": "અપડેટ્સ માટે તપાસો", + "Install prerelease versions of UniGetUI": "UniGetUI ની prerelease આવૃત્તિઓ install કરો", + "Manage telemetry settings": "telemetry settings સંચાલન કરો", + "Manage": "સંચાલન કરો", + "Import settings from a local file": "સ્થાનિક ફાઇલમાંથી settings આયાત કરો", + "Import": "આયાત કરો", + "Export settings to a local file": "settings ને સ્થાનિક ફાઇલમાં નિકાસ કરો", + "Export": "નિકાસ કરો", + "Reset WingetUI": "UniGetUI reset કરો", + "Reset UniGetUI": "UniGetUI reset કરો", + "User interface preferences": "વપરાશકર્તા ઇન્ટરફેસ પસંદગીઓ", + "Application theme, startup page, package icons, clear successful installs automatically": "એપ્લિકેશન થીમ, startup page, package icons, સફળ સ્થાપનો આપમેળે સાફ કરો", + "General preferences": "સામાન્ય પસંદગીઓ", + "WingetUI display language:": "UniGetUI દર્શાવવાની ભાષા:", + "Is your language missing or incomplete?": "શું તમારી ભાષા ખૂટે છે અથવા અધૂરી છે?", + "Appearance": "દેખાવ", + "UniGetUI on the background and system tray": "background અને system tray માં UniGetUI", + "Package lists": "પેકેજ યાદીઓ", + "Close UniGetUI to the system tray": "UniGetUI ને system tray માં બંધ કરો", + "Show package icons on package lists": "package lists માં package icons બતાવો", + "Clear cache": "cache સાફ કરો", + "Select upgradable packages by default": "ડિફૉલ્ટ રીતે upgradable packages પસંદ કરો", + "Light": "હળવું", + "Dark": "અંધારું", + "Follow system color scheme": "system color scheme અનુસરો", + "Application theme:": "એપ્લિકેશન થીમ:", + "Discover Packages": "પેકેજો શોધો", + "Software Updates": "સોફ્ટવેર અપડેટ્સ", + "Installed Packages": "સ્થાપિત પેકેજો", + "Package Bundles": "પેકેજ બંડલ્સ", + "Settings": "સેટિંગ્સ", + "UniGetUI startup page:": "UniGetUI પ્રારંભ પાનું:", + "Proxy settings": "પ્રોક્સી સેટિંગ્સ", + "Other settings": "અન્ય settings", + "Connect the internet using a custom proxy": "કસ્ટમ proxy નો ઉપયોગ કરીને ઇન્ટરનેટ સાથે જોડાઓ", + "Please note that not all package managers may fully support this feature": "કૃપા કરીને નોંધો કે બધા package managers આ feature ને સંપૂર્ણપણે support ન કરતાં હોય શકે", + "Proxy URL": "પ્રોક્સી URL", + "Enter proxy URL here": "અહીં proxy URL દાખલ કરો", + "Package manager preferences": "Package manager preferences", + "Ready": "તૈયાર", + "Not found": "મળ્યું નથી", + "Notification preferences": "સૂચના પસંદગીઓ", + "Notification types": "સૂચનાના પ્રકારો", + "The system tray icon must be enabled in order for notifications to work": "notifications કામ કરે તે માટે system tray icon સક્રિય હોવો જરૂરી છે", + "Enable WingetUI notifications": "UniGetUI notifications સક્રિય કરો", + "Show a notification when there are available updates": "ઉપલબ્ધ updates હોય ત્યારે notification બતાવો", + "Show a silent notification when an operation is running": "operation ચાલી રહી હોય ત્યારે silent notification બતાવો", + "Show a notification when an operation fails": "operation નિષ્ફળ જાય ત્યારે notification બતાવો", + "Show a notification when an operation finishes successfully": "operation સફળતાપૂર્વક પૂર્ણ થાય ત્યારે notification બતાવો", + "Concurrency and execution": "સમકાલીનતા અને અમલીકરણ", + "Automatic desktop shortcut remover": "આપમેળે desktop shortcut દૂર કરનાર", + "Clear successful operations from the operation list after a 5 second delay": "5 સેકંડના વિલંબ પછી કામગીરી સૂચિમાંથી સફળ કામગીરી સાફ કરો", + "Download operations are not affected by this setting": "આ setting થી download operations અસરગ્રસ્ત થતા નથી", + "Try to kill the processes that refuse to close when requested to": "જ્યારે બંધ કરવા કહેવામાં આવે ત્યારે બંધ થવાથી ઇનકાર કરતી processes ને kill કરવાનો પ્રયાસ કરો", + "You may lose unsaved data": "તમે unsaved data ગુમાવી શકો છો", + "Ask to delete desktop shortcuts created during an install or upgrade.": "સ્થાપન અથવા upgrade દરમિયાન બનેલા desktop shortcuts કાઢવા માટે પૂછો.", + "Package update preferences": "પેકેજ અપડેટ પસંદગીઓ", + "Update check frequency, automatically install updates, etc.": "update તપાસવાની આવર્તન, updates આપમેળે install કરો, વગેરે.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts ઓછા કરો, installations ને ડિફૉલ્ટ તરીકે elevate કરો, ચોક્કસ જોખમી features unlock કરો, વગેરે.", + "Package operation preferences": "પેકેજ પ્રક્રિયા પસંદગીઓ", + "Enable {pm}": "{pm} સક્રિય કરો", + "Not finding the file you are looking for? Make sure it has been added to path.": "તમે શોધી રહ્યા છો તેવી file મળતી નથી? ખાતરી કરો કે તે path માં ઉમેરાઈ છે.", + "For security reasons, changing the executable file is disabled by default": "સુરક્ષા કારણોસર, executable file બદલવું મૂળભૂત રીતે નિષ્ક્રિય છે", + "Change this": "આ બદલો", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "ઉપયોગ કરવાની executable પસંદ કરો. નીચેની યાદી UniGetUI દ્વારા મળેલી executables બતાવે છે", + "Current executable file:": "વર્તમાન executable ફાઇલ:", + "Ignore packages from {pm} when showing a notification about updates": "updates અંગે notification બતાવતી વખતે {pm} ના packages ignore કરો", + "View {0} logs": "{0} logs જુઓ", + "Advanced options": "ઉન્નત વિકલ્પો", + "Reset WinGet": "WinGet reset કરો", + "This may help if no packages are listed": "જો કોઈ packages સૂચિબદ્ધ ન હોય તો આ મદદરૂપ થઈ શકે છે", + "Force install location parameter when updating packages with custom locations": "custom locations સાથે packages update કરતી વખતે install location parameter force કરો", + "Use bundled WinGet instead of system WinGet": "system WinGet ની બદલે bundled WinGet વાપરો", + "This may help if WinGet packages are not shown": "જો WinGet packages બતાતા ન હોય તો આ મદદરૂપ થઈ શકે છે", + "Install Scoop": "Scoop install કરો", + "Uninstall Scoop (and its packages)": "Scoop (અને તેના packages) uninstall કરો", + "Run cleanup and clear cache": "cleanup ચલાવો અને cache સાફ કરો", + "Run": "ચલાવો", + "Enable Scoop cleanup on launch": "launch વખતે Scoop cleanup સક્રિય કરો", + "Use system Chocolatey": "system Chocolatey વાપરો", + "Default vcpkg triplet": "ડિફૉલ્ટ vcpkg triplet", + "Language, theme and other miscellaneous preferences": "ભાષા, theme અને અન્ય વિવિધ preferences", + "Show notifications on different events": "વિવિધ ઘટનાઓ પર notifications બતાવો", + "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI તમારા પેકેજો માટે ઉપલબ્ધ અપડેટ્સ કેવી રીતે તપાસે અને સ્થાપિત કરે છે તે બદલો", + "Automatically save a list of all your installed packages to easily restore them.": "તેઓને સરળતાથી પુન:સંગ્રહ કરવા માટે તમારા બધા સ્થાપિત થયેલ પેકેજોની યાદીને આપમેળે સંગ્રહો.", + "Enable and disable package managers, change default install options, etc.": "પેકેજ મેનેજર સક્રિય અને નિષ્ક્રિય કરો, ડિફૉલ્ટ install options બદલો, વગેરે.", + "Internet connection settings": "ઇન્ટરનેટ જોડાણ settings", + "Proxy settings, etc.": "Proxy settings, વગેરે.", + "Beta features and other options that shouldn't be touched": "beta features અને અન્ય વિકલ્પો જેને સ્પર્શવા ન જોઈએ", + "Update checking": "update તપાસ", + "Automatic updates": "આપમેળે અપડેટ્સ", + "Check for package updates periodically": "પેકેજ અપડેટ્સ સમયાંતરે તપાસો", + "Check for updates every:": "દરેક વખતે અપડેટ્સ માટે તપાસો:", + "Install available updates automatically": "ઉપલબ્ધ updates આપમેળે install કરો", + "Do not automatically install updates when the network connection is metered": "network connection metered હોય ત્યારે updates આપમેળે install કરશો નહીં", + "Do not automatically install updates when the device runs on battery": "device battery પર ચાલી રહ્યું હોય ત્યારે updates આપમેળે install કરશો નહીં", + "Do not automatically install updates when the battery saver is on": "battery saver ચાલુ હોય ત્યારે updates આપમેળે install કરશો નહીં", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI install, update અને uninstall પ્રક્રિયાઓને કેવી રીતે સંભાળે છે તે બદલો.", + "Package Managers": "પેકેજ મેનેજર્સ", + "More": "વધુ", + "WingetUI Log": "UniGetUI લોગ", + "Package Manager logs": "પેકેજ મેનેજર logs", + "Operation history": "operation history", + "Help": "મદદ", + "Order by:": "આ મુજબ ક્રમબદ્ધ કરો:", + "Name": "નામ", + "Id": "ઓળખ", + "Ascendant": "આરોહી", + "Descendant": "ઉતરતા ક્રમમાં", + "View mode:": "દેખાવ સ્થિતિ:", + "Filters": "filters", + "Sources": "સ્ત્રોતો", + "Search for packages to start": "શરૂ કરવા માટે packages શોધો", + "Select all": "બધું પસંદ કરો", + "Clear selection": "પસંદગી સાફ કરો", + "Instant search": "તાત્કાલિક search", + "Distinguish between uppercase and lowercase": "uppercase અને lowercase વચ્ચેનો ફરક ઓળખો", + "Ignore special characters": "વિશેષ અક્ષરો ignore કરો", + "Search mode": "શોધ સ્થિતિ", + "Both": "બંને", + "Exact match": "સટીક match", + "Show similar packages": "સમાન packages બતાવો", + "No results were found matching the input criteria": "input criteria સાથે મેળ ખાતા કોઈ પરિણામો મળ્યા નથી", + "No packages were found": "કોઈ packages મળ્યા નથી", + "Loading packages": "packages load થઈ રહ્યા છે", + "Skip integrity checks": "integrity checks છોડો", + "Download selected installers": "પસંદ કરેલા installers download કરો", + "Install selection": "selection install કરો", + "Install options": "સ્થાપન વિકલ્પો", + "Share": "Share કરો", + "Add selection to bundle": "બંડલમાં પસંદગી ઉમેરો", + "Download installer": "installer download કરો", + "Share this package": "આ package share કરો", + "Uninstall selection": "selection uninstall કરો", + "Uninstall options": "અનઇન્સ્ટોલ વિકલ્પો", + "Ignore selected packages": "પસંદ કરેલા packages ignore કરો", + "Open install location": "install location ખોલો", + "Reinstall package": "package ફરી install કરો", + "Uninstall package, then reinstall it": "package uninstall કરો, પછી તેને ફરી install કરો", + "Ignore updates for this package": "આ package માટે updates ignore કરો", + "Do not ignore updates for this package anymore": "આ package માટે updates હવે આગળથી ignore કરશો નહીં", + "Add packages or open an existing package bundle": "પેકેજ ઉમેરો અથવા અસ્તિત્વમાં રહેલ પેકેજ બંડલ ખોલો", + "Add packages to start": "શરૂ કરવા માટે પેકેજ ઉમેરો", + "The current bundle has no packages. Add some packages to get started": "હાલના bundle માં કોઈ packages નથી. શરૂઆત કરવા માટે થોડાં packages ઉમેરો", + "New": "નવું", + "Save as": "આ રીતે સાચવો", + "Remove selection from bundle": "bundle માંથી selection દૂર કરો", + "Skip hash checks": "hash checks છોડો", + "The package bundle is not valid": "package bundle માન્ય નથી", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "તમે load કરવાનો પ્રયાસ કરી રહ્યા છો તે bundle અમાન્ય લાગે છે. કૃપા કરીને file તપાસો અને ફરી પ્રયાસ કરો.", + "Package bundle": "પેકેજ બંડલ", + "Could not create bundle": "બંડલ બનાવી શકાયું નહીં", + "The package bundle could not be created due to an error.": "ભૂલને કારણે package bundle બનાવી શકાયું નથી.", + "Bundle security report": "બંડલ સુરક્ષા અહેવાલ", + "Hooray! No updates were found.": "શાનદાર! કોઈ updates મળ્યા નથી.", + "Everything is up to date": "બધું update છે", + "Uninstall selected packages": "પસંદ કરેલા packages uninstall કરો", + "Update selection": "selection update કરો", + "Update options": "અપડેટ વિકલ્પો", + "Uninstall package, then update it": "package uninstall કરો, પછી તેને update કરો", + "Uninstall package": "package uninstall કરો", + "Skip this version": "આ આવૃત્તિ છોડો", + "Pause updates for": "આ સમય માટે updates pause કરો", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust package manager.
સમાવે છે: Rust libraries અને Rust માં લખાયેલા programs", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows માટેનો પરંપરાગત package manager. તમને ત્યાં બધું મળશે.
સમાવે છે: General Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "માઇક્રોસોફ્ટના ડોટ નેટ ઇકોસિસ્ટમને ધ્યાનમાં રાખીને રચાયેલ સાધનો અને એક્ઝેક્યુટેબલ્સથી ભરેલો ભંડાર.
સમાવે છે: .NET સંબંધિત સાધનો અને સ્ક્રિપ્ટો", + "NuPkg (zipped manifest)": "NuPkg (ઝિપ કરેલ મેનિફેસ્ટ)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS નો package manager. javascript દુનિયામાં ફરતી libraries અને અન્ય utilities થી ભરેલો
સમાવે છે: Node javascript libraries અને અન્ય સંબંધિત utilities", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python નો library manager. python libraries અને અન્ય python સંબંધિત utilities થી ભરેલો
સમાવે છે: Python libraries અને સંબંધિત utilities", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell નો package manager. PowerShell ક્ષમતાઓ વધારવા માટે libraries અને scripts શોધો
સમાવે છે: Modules, Scripts, Cmdlets", + "extracted": "extract થયું", + "Scoop package": "Scoop પેકેજ", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "અજાણી પરંતુ ઉપયોગી utilities અને અન્ય રસપ્રદ packages નું ઉત્તમ repository.
સમાવે છે: Utilities, Command-line programs, General Software (extras bucket આવશ્યક)", + "library": "લાઇબ્રેરી", + "feature": "સુવિધા", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "લોકપ્રિય C/C++ લાઇબ્રેરી મેનેજર. C/C++ લાઇબ્રેરીઓ અને અન્ય C/C++ સંબંધિત utilities થી ભરેલો
સમાવે છે: C/C++ લાઇબ્રેરીઓ અને સંબંધિત utilities", + "option": "વિકલ્પ", + "This package cannot be installed from an elevated context.": "આ package elevated context માંથી install થઈ શકતું નથી.", + "Please run UniGetUI as a regular user and try again.": "કૃપા કરીને UniGetUI ને regular user તરીકે ચલાવો અને ફરી પ્રયાસ કરો.", + "Please check the installation options for this package and try again": "આ package માટે installation options તપાસો અને ફરી પ્રયાસ કરો", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft નો સત્તાવાર package manager. જાણીતા અને verified packages થી ભરેલો
સમાવે છે: General Software, Microsoft Store apps", + "Local PC": "સ્થાનિક PC", + "Android Subsystem": "એન્ડ્રોઇડ સબસિસ્ટમ", + "Operation on queue (position {0})...": "queue માં operation (position {0})...", + "Click here for more details": "વધુ વિગતો માટે અહીં ક્લિક કરો", + "Operation canceled by user": "user દ્વારા operation રદ કરવામાં આવ્યું", + "Starting operation...": "operation શરૂ થઈ રહી છે...", + "{package} installer download": "{package} સ્થાપક ડાઉનલોડ", + "{0} installer is being downloaded": "{0} installer download થઈ રહ્યો છે", + "Download succeeded": "Download સફળ થયું", + "{package} installer was downloaded successfully": "{package} installer સફળતાપૂર્વક download થયો", + "Download failed": "Download નિષ્ફળ ગયું", + "{package} installer could not be downloaded": "{package} installer download થઈ શક્યો નથી", + "{package} Installation": "{package} સ્થાપન", + "{0} is being installed": "{0} install થઈ રહ્યું છે", + "Installation succeeded": "Installation સફળ થઈ", + "{package} was installed successfully": "{package} સફળતાપૂર્વક install થયું", + "Installation failed": "Installation નિષ્ફળ ગઈ", + "{package} could not be installed": "{package} install થઈ શક્યું નથી", + "{package} Update": "{package} અપડેટ", + "{0} is being updated to version {1}": "{0} version {1} સુધી update થઈ રહ્યું છે", + "Update succeeded": "Update સફળ થયું", + "{package} was updated successfully": "{package} સફળતાપૂર્વક update થયું", + "Update failed": "Update નિષ્ફળ ગયું", + "{package} could not be updated": "{package} update થઈ શક્યું નથી", + "{package} Uninstall": "{package} અનઇન્સ્ટોલ", + "{0} is being uninstalled": "{0} uninstall થઈ રહ્યું છે", + "Uninstall succeeded": "uninstall સફળ થયું", + "{package} was uninstalled successfully": "{package} સફળતાપૂર્વક uninstall થયું", + "Uninstall failed": "uninstall નિષ્ફળ ગયું", + "{package} could not be uninstalled": "{package} uninstall થઈ શક્યું નથી", + "Adding source {source}": "સ્ત્રોત {source} ઉમેરાઈ રહ્યો છે", + "Adding source {source} to {manager}": "{manager} માં સ્ત્રોત {source} ઉમેરાઈ રહ્યો છે", + "Source added successfully": "Source સફળતાપૂર્વક ઉમેરાયો", + "The source {source} was added to {manager} successfully": "source {source} સફળતાપૂર્વક {manager} માં ઉમેરાયો", + "Could not add source": "સ્ત્રોત ઉમેરવામાં આવ્યો નહીં", + "Could not add source {source} to {manager}": "{manager} માં {source} સ્ત્રોત ઉમેરવામાં આવ્યો નહીં", + "Removing source {source}": "source {source} દૂર કરી રહ્યા છીએ", + "Removing source {source} from {manager}": "{manager} માંથી source {source} દૂર કરી રહ્યા છીએ", + "Source removed successfully": "Source સફળતાપૂર્વક દૂર થયો", + "The source {source} was removed from {manager} successfully": "source {source} સફળતાપૂર્વક {manager} માંથી દૂર થયો", + "Could not remove source": "સ્ત્રોત દૂર કરી શકાયો નહીં", + "Could not remove source {source} from {manager}": "{manager} માંથી {source} સ્ત્રોત દૂર કરી શકાયો નહીં", + "The package manager \"{0}\" was not found": "package manager \"{0}\" મળ્યો નથી", + "The package manager \"{0}\" is disabled": "package manager \"{0}\" નિષ્ક્રિય છે", + "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" ની configuration માં ભૂલ છે", + "The package \"{0}\" was not found on the package manager \"{1}\"": "package manager \"{1}\" પર package \"{0}\" મળ્યું નથી", + "{0} is disabled": "{0} નિષ્ક્રિય છે", + "Something went wrong": "કંઈક ખોટું થયું", + "An interal error occurred. Please view the log for further details.": "આંતરીક ભૂલ આવી. વધુ વિગતો માટે કૃપા કરીને લોગ જુઓ.", + "No applicable installer was found for the package {0}": "package {0} માટે કોઈ યોગ્ય installer મળ્યો નથી", + "We are checking for updates.": "અમે updates તપાસી રહ્યા છીએ.", + "Please wait": "કૃપા કરીને રાહ જુઓ", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} download થઈ રહ્યું છે.", + "This may take a minute or two": "આમાં એક-બે મિનિટ લાગી શકે છે", + "The installer authenticity could not be verified.": "installer ની authenticity ચકાસી શકાઈ નથી.", + "The update process has been aborted.": "update process બંધ કરી દેવાઈ છે.", + "Great! You are on the latest version.": "બહુ સારું! તમે તાજેતરની આવૃત્તિ પર છો.", + "There are no new UniGetUI versions to be installed": "install કરવા માટે UniGetUI ની કોઈ નવી versions નથી", + "An error occurred when checking for updates: ": "અપડેટ્સ માટે તપાસ કરતી વખતે એક ભૂલ આવી:", + "UniGetUI is being updated...": "UniGetUI update થઈ રહ્યું છે...", + "Something went wrong while launching the updater.": "updater launch કરતી વખતે કંઈક ખોટું થયું.", + "Please try again later": "કૃપા કરીને પછી ફરી પ્રયાસ કરો", + "Integrity checks will not be performed during this operation": "આ operation દરમિયાન Integrity checks કરવામાં આવશે નહીં", + "This is not recommended.": "આ ભલામણ કરેલું નથી.", + "Run now": "હમણાં ચલાવો", + "Run next": "આગળ ચલાવો", + "Run last": "છેલ્લે ચલાવો", + "Retry as administrator": "administrator તરીકે ફરી પ્રયાસ કરો", + "Retry interactively": "interactive રીતે ફરી પ્રયાસ કરો", + "Retry skipping integrity checks": "integrity checks skip કરીને ફરી પ્રયાસ કરો", + "Installation options": "સ્થાપન વિકલ્પો", + "Show in explorer": "explorer માં બતાવો", + "This package is already installed": "આ package પહેલેથી install છે", + "This package can be upgraded to version {0}": "આ package ને version {0} સુધી upgrade કરી શકાય છે", + "Updates for this package are ignored": "આ package માટેના updates ignore કરવામાં આવ્યા છે", + "This package is being processed": "આ package process થઈ રહ્યું છે", + "This package is not available": "આ package ઉપલબ્ધ નથી", + "Select the source you want to add:": "તમે ઉમેરવા માંગતા source ને પસંદ કરો:", + "Source name:": "સ્ત્રોત નામ:", + "Source URL:": "સ્ત્રોત URL:", + "An error occurred": "એક ભૂલ થઈ છે", + "An error occurred when adding the source: ": "સ્ત્રોત ઉમેરતી વખતે એક ભૂલ આવી:", + "Package management made easy": "Package management સરળ બનાવ્યું", + "version {0}": "આવૃત્તિ {0}", + "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR તરીકે ચલાવવામાં આવ્યું]", + "Portable mode": "પોર્ટેબલ મોડ\n", + "DEBUG BUILD": "DEBUG build", + "Available Updates": "ઉપલબ્ધ સુધારાઓ", + "Show WingetUI": "UniGetUI બતાવો", + "Quit": "બહાર નીકળો", + "Attention required": "ધ્યાન જરૂરી", + "Restart required": "Restart જરૂરી છે", + "1 update is available": "1 અપડેટ ઉપલબ્ધ છે", + "{0} updates are available": "{0} updates ઉપલબ્ધ છે", + "WingetUI Homepage": "UniGetUI મુખ્ય પૃષ્ઠ", + "WingetUI Repository": "UniGetUI રિપોઝિટરી", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "અહીં તમે નીચેની shortcuts અંગે UniGetUI નું વર્તન બદલી શકો છો. shortcut ને check કરવાથી જો તે future upgrade દરમિયાન બને તો UniGetUI તેને delete કરશે. તેને uncheck કરવાથી shortcut યથાવત રહેશે", + "Manual scan": "હાથથી scan", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "તમારા desktop પરની હાલની shortcuts scan કરવામાં આવશે, અને તમે કઈ રાખવી અને કઈ દૂર કરવી તે પસંદ કરવું પડશે.", + "Continue": "આગળ વધો", + "Delete?": "કાઢી નાખવું?", + "Missing dependency": "dependency ખૂટે છે", + "Not right now": "હમણાં નહીં", + "Install {0}": "{0} install કરો", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ને કામ કરવા માટે {0} જરૂરી છે, પરંતુ તે તમારા system પર મળ્યું નથી.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "સ્થાપન પ્રક્રિયા શરૂ કરવા માટે Install પર ક્લિક કરો. જો તમે સ્થાપન ટાળો, તો UniGetUI અપેક્ષા મુજબ કામ ન કરે.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "વૈકલ્પિક રીતે, તમે Windows PowerShell prompt માં નીચેનો command ચલાવીને {0} સ્થાપિત કરી શકો છો:", + "Do not show this dialog again for {0}": "{0} માટે આ dialog ફરીથી બતાવશો નહીં", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} install થઈ રહ્યું હોય ત્યારે કૃપા કરીને રાહ જુઓ. કાળી window દેખાઈ શકે છે. તે બંધ થાય ત્યાં સુધી રાહ જુઓ.", + "{0} has been installed successfully.": "{0} સફળતાપૂર્વક install થયું છે.", + "Please click on \"Continue\" to continue": "આગળ વધવા માટે \"Continue\" પર ક્લિક કરો", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} સફળતાપૂર્વક install થયું છે. installation પૂર્ણ કરવા માટે UniGetUI restart કરવાની ભલામણ કરવામાં આવે છે", + "Restart later": "પછી restart કરો", + "An error occurred:": "ભૂલ આવી:", + "I understand": "હું સમજું છું", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ને administrator તરીકે ચલાવવામાં આવ્યું છે, જે ભલામણ કરેલું નથી. UniGetUI ને administrator તરીકે ચલાવતાં, UniGetUI માંથી શરૂ થતી EVERY operation administrator privileges સાથે ચાલશે. તમે હજુ પણ program નો ઉપયોગ કરી શકો છો, પરંતુ UniGetUI ને administrator privileges સાથે ન ચલાવવાની અમારી મજબૂત ભલામણ છે.", + "WinGet was repaired successfully": "WinGet સફળતાપૂર્વક repair થયું", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet repair થયા પછી UniGetUI restart કરવાની ભલામણ થાય છે", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "નોંધ: આ troubleshooter ને UniGetUI Settings ના WinGet વિભાગમાંથી નિષ્ક્રિય કરી શકાય છે", + "Restart": "Restart કરો", + "WinGet could not be repaired": "WinGet repair થઈ શક્યું નથી", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet સમારકામ કરવાનો પ્રયાસ કરતી વખતે અનપેક્ષિત સમસ્યા આવી. કૃપા કરીને પછી ફરી પ્રયાસ કરો", + "Are you sure you want to delete all shortcuts?": "શું તમે બધા shortcuts કાઢી નાખવા માંગો છો?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "સ્થાપન અથવા અપડેટ પ્રક્રિયા દરમ્યાન બનેલા નવા shortcuts પહેલી વાર શોધાય ત્યારે પુષ્ટિ prompt બતાવવાના બદલે આપમેળે કાઢી નાખવામાં આવશે.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI બહાર બનાવેલા અથવા ફેરફાર કરેલા shortcuts અવગણવામાં આવશે. તમે તેમને {0} બટન દ્વારા ઉમેરી શકશો.", + "Are you really sure you want to enable this feature?": "શું તમે આ સુવિધા સક્રિય કરવા માટે ખરેખર નિશ્ચિત છો?", + "No new shortcuts were found during the scan.": "scan દરમિયાન કોઈ નવી shortcuts મળી નથી.", + "How to add packages to a bundle": "bundle માં packages કેવી રીતે ઉમેરવા", + "In order to add packages to a bundle, you will need to: ": "bundle માં packages ઉમેરવા માટે, તમને આવું કરવું પડશે: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" અથવા \"{1}\" પૃષ્ઠ પર જાઓ.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. બંડલમાં ઉમેરવા માંગતા પેકેજ(ઓ) શોધો અને તેમનો ડાબી બાજુનો checkbox પસંદ કરો.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. જ્યારે બંડલમાં ઉમેરવાના પેકેજ પસંદ થઈ જાય, ત્યારે toolbar પર \"{0}\" વિકલ્પ શોધીને ક્લિક કરો.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. તમારા પેકેજો બંડલમાં ઉમેરાઈ જશે. તમે વધુ પેકેજ ઉમેરતા રહી શકો છો અથવા બંડલને નિકાસ કરી શકો છો.", + "Which backup do you want to open?": "તમે કયો backup ખોલવા માંગો છો?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "તમે ખોલવા માંગતા backup ને પસંદ કરો. પછી તમે કયા packages install કરવા છે તે સમીક્ષા કરી શકશો.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "operations ચાલુ છે. UniGetUI બંધ કરવાથી તે નિષ્ફળ જઈ શકે છે. શું તમે આગળ વધવા માંગો છો?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI અથવા તેના કેટલાક components ખૂટે છે અથવા બગડેલા છે.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "આ પરિસ્થિતિને સુધારવા માટે UniGetUI ને ફરી install કરવાની મજબૂત ભલામણ થાય છે.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "અસરગ્રસ્ત file(s) વિશે વધુ વિગતો મેળવવા માટે UniGetUI Logs જુઓ", + "Integrity checks can be disabled from the Experimental Settings": "Integrity checks ને Experimental Settings માંથી નિષ્ક્રિય કરી શકાય છે", + "Repair UniGetUI": "UniGetUI repair કરો", + "Live output": "live output", + "Package not found": "Package મળ્યું નથી", + "An error occurred when attempting to show the package with Id {0}": "Id {0} ધરાવતા પેકેજ બતાવવાના પ્રયાસ દરમિયાન ભૂલ આવી", + "Package": "પેકેજ", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "આ package bundle માં કેટલીક settings હતી જે સંભવિત રીતે જોખમી છે, અને ડિફૉલ્ટ રીતે તેને અવગણવામાં આવી શકે છે.", + "Entries that show in YELLOW will be IGNORED.": "YELLOW માં દેખાતી entries IGNORED થશે.", + "Entries that show in RED will be IMPORTED.": "RED માં દેખાતી entries IMPORTED થશે.", + "You can change this behavior on UniGetUI security settings.": "તમે આ વર્તન UniGetUI security settings માં બદલી શકો છો.", + "Open UniGetUI security settings": "UniGetUI security settings ખોલો", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "જો તમે security settings માં ફેરફાર કરો, તો બદલાવો લાગુ થવા માટે તમને bundle ફરી ખોલવું પડશે.", + "Details of the report:": "રિપોર્ટની વિગતો:", "\"{0}\" is a local package and can't be shared": "\"{0}\" સ્થાનિક પેકેજ છે અને તેને શેર કરી શકાતું નથી", + "Are you sure you want to create a new package bundle? ": "શું તમે નવું પેકેજ બંડલ બનાવવું છે તેની ખાતરી છે? ", + "Any unsaved changes will be lost": "સાચવાયેલા નથી એવા બધા ફેરફારો ગુમાશે", + "Warning!": "ચેતવણી!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "સુરક્ષા કારણોસર, custom command-line arguments મૂળભૂત રીતે નિષ્ક્રિય છે. આ બદલવા માટે UniGetUI security settings માં જાઓ. ", + "Change default options": "મૂળભૂત વિકલ્પો બદલો", + "Ignore future updates for this package": "આ package માટે ભવિષ્યના updates ignore કરો", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "સુરક્ષા કારણોસર, pre-operation અને post-operation scripts મૂળભૂત રીતે નિષ્ક્રિય છે. આ બદલવા માટે UniGetUI security settings માં જાઓ. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "આ package install, update અથવા uninstall થાય તે પહેલાં અથવા પછી ચલાવવાની commands તમે નિર્ધારિત કરી શકો છો. તે command prompt પર ચાલશે, તેથી CMD scripts અહીં કામ કરશે.", + "Change this and unlock": "આ બદલો અને unlock કરો", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} ના Install options હાલમાં lock છે કારણ કે {0} ડિફૉલ્ટ install options અનુસરે છે.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "આ package install, update અથવા uninstall થાય તે પહેલાં બંધ કરવાના processes પસંદ કરો.", + "Write here the process names here, separated by commas (,)": "અહીં process names comma (,) વડે અલગ કરીને લખો", + "Unset or unknown": "unset અથવા અજ્ઞાત", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "સમસ્યા વિશે વધુ માહિતી માટે Command-line Output જુઓ અથવા Operation History નો સંદર્ભ લો.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "આ package માં screenshots નથી કે icon ખૂટે છે? અમારી ખુલ્લી જાહેર database માં ખૂટતા icons અને screenshots ઉમેરીને UniGetUI માં યોગદાન આપો.", + "Become a contributor": "ફાળો આપનાર બનો", + "Save": "સાચવો", + "Update to {0} available": "{0} માટે update ઉપલબ્ધ છે", + "Reinstall": "ફરી install કરો", + "Installer not available": "Installer ઉપલબ્ધ નથી", + "Version:": "આવૃત્તિ:", + "Performing backup, please wait...": "backup થઈ રહ્યું છે, કૃપા કરીને રાહ જુઓ...", + "An error occurred while logging in: ": "લોગિન કરતી વખતે ભૂલ આવી: ", + "Fetching available backups...": "ઉપલબ્ધ backups લાવી રહ્યા છીએ...", + "Done!": "પૂર્ણ થયું!", + "The cloud backup has been loaded successfully.": "cloud backup સફળતાપૂર્વક load થયું છે.", + "An error occurred while loading a backup: ": "બેકઅપ લોડ કરતી વખતે ભૂલ આવી: ", + "Backing up packages to GitHub Gist...": "પેકેજો GitHub Gist પર બેકઅપ થઈ રહ્યા છે...", + "Backup Successful": "બેકઅપ સફળ થયું", + "The cloud backup completed successfully.": "cloud backup સફળતાપૂર્વક પૂર્ણ થયું.", + "Could not back up packages to GitHub Gist: ": "પેકેજોને GitHub Gist પર બેકઅપ કરી શક્યા નહીં: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "આપેલ credentials સુરક્ષિત રીતે store થશે તેની કોઈ ખાતરી નથી, તેથી તમારા bank account ના credentials નો ઉપયોગ ન કરવો વધુ સારું છે", + "Enable the automatic WinGet troubleshooter": "આપમેળે WinGet troubleshooter સક્રિય કરો", + "Enable an [experimental] improved WinGet troubleshooter": "[experimental] સુધારેલ WinGet troubleshooter સક્રિય કરો", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' થી નિષ્ફળ ગયેલા અપડેટ્સને અવગણાયેલા અપડેટ્સની યાદીમાં ઉમેરો", + "Restart WingetUI to fully apply changes": "બદલાવો સંપૂર્ણપણે લાગુ કરવા માટે UniGetUI restart કરો", + "Restart WingetUI": "UniGetUI restart કરો", + "Invalid selection": "અમાન્ય selection", + "No package was selected": "કોઈ package પસંદ કરવામાં આવ્યો નથી", + "More than 1 package was selected": "1 કરતાં વધુ package પસંદ કરવામાં આવ્યા હતા", + "List": "યાદી", + "Grid": "ગ્રિડ", + "Icons": "આઇકન્સ", "\"{0}\" is a local package and does not have available details": "\"{0}\" સ્થાનિક પેકેજ છે અને તેની વિગતો ઉપલબ્ધ નથી", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" સ્થાનિક પેકેજ છે અને આ સુવિધા સાથે સુસંગત નથી", - "(Last checked: {0})": "(છેલ્લે ચકાસાયેલ: {0})", + "WinGet malfunction detected": "WinGet માં ખામી મળી", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "લાગે છે કે WinGet યોગ્ય રીતે કામ કરતું નથી. શું તમે WinGet repair કરવાનો પ્રયાસ કરવા માંગો છો?", + "Repair WinGet": "WinGet repair કરો", + "Create .ps1 script": ".ps1 script બનાવો", + "Add packages to bundle": "બંડલમાં પેકેજ ઉમેરો", + "Preparing packages, please wait...": "packages તૈયાર થઈ રહ્યા છે, કૃપા કરીને રાહ જુઓ...", + "Loading packages, please wait...": "packages load થઈ રહ્યા છે, કૃપા કરીને રાહ જુઓ...", + "Saving packages, please wait...": "packages સાચવી રહ્યા છીએ, કૃપા કરીને રાહ જુઓ...", + "The bundle was created successfully on {0}": "bundle સફળતાપૂર્વક {0} પર બનાવાયું", + "Install script": "સ્થાપન script", + "The installation script saved to {0}": "installation script {0} માં સાચવાઈ", + "An error occurred while attempting to create an installation script:": "સ્થાપન script બનાવવાના પ્રયાસ દરમિયાન ભૂલ આવી:", + "{0} packages are being updated": "{0} packages update થઈ રહ્યા છે", + "Error": "ભૂલ", + "Log in failed: ": "Log in નિષ્ફળ: ", + "Log out failed: ": "Log out નિષ્ફળ: ", + "Package backup settings": "પેકેજ બેકઅપ સેટિંગ્સ", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(કતારમાં નંબર {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "GitHub Copilot", "0 packages found": "કોઈ પેકેજ મળ્યા નથી", "0 updates found": "કોઈ અપડેટ્સ મળ્યા નથી", - "1 - Errors": "1 - ભૂલો", - "1 day": "૧ દિવસ", - "1 hour": "૧ કલાક", "1 month": "૧ મહિનો", "1 package was found": "1 પેકેજ મળી આવ્યું હતું", - "1 update is available": "1 અપડેટ ઉપલબ્ધ છે", - "1 week": "૧ અઠવાડિયું", "1 year": "૧ વર્ષ", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" અથવા \"{1}\" પૃષ્ઠ પર જાઓ.", - "2 - Warnings": "2 - ચેતવણીઓ", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. બંડલમાં ઉમેરવા માંગતા પેકેજ(ઓ) શોધો અને તેમનો ડાબી બાજુનો checkbox પસંદ કરો.", - "3 - Information (less)": "3 - માહિતી (ઓછી)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. જ્યારે બંડલમાં ઉમેરવાના પેકેજ પસંદ થઈ જાય, ત્યારે toolbar પર \"{0}\" વિકલ્પ શોધીને ક્લિક કરો.", - "4 - Information (more)": "4 - માહિતી (વધુ)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. તમારા પેકેજો બંડલમાં ઉમેરાઈ જશે. તમે વધુ પેકેજ ઉમેરતા રહી શકો છો અથવા બંડલને નિકાસ કરી શકો છો.", - "5 - information (debug)": "5 - માહિતી (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "લોકપ્રિય C/C++ લાઇબ્રેરી મેનેજર. C/C++ લાઇબ્રેરીઓ અને અન્ય C/C++ સંબંધિત utilities થી ભરેલો
સમાવે છે: C/C++ લાઇબ્રેરીઓ અને સંબંધિત utilities", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "માઇક્રોસોફ્ટના ડોટ નેટ ઇકોસિસ્ટમને ધ્યાનમાં રાખીને રચાયેલ સાધનો અને એક્ઝેક્યુટેબલ્સથી ભરેલો ભંડાર.
સમાવે છે: .NET સંબંધિત સાધનો અને સ્ક્રિપ્ટો", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "માઇક્રોસોફ્ટના ડોટ નેટ ઇકોસિસ્ટમને ધ્યાનમાં રાખીને રચાયેલ સાધનથી ભરેલો રિપોઝિટરી.
સમાવે છે: .NET સંબંધિત સાધનો", "A restart is required": "પુન:શરૂ કરવાની જરૂર છે", - "Abort install if pre-install command fails": "pre-install command નિષ્ફળ જાય તો સ્થાપન રદ કરો", - "Abort uninstall if pre-uninstall command fails": "pre-uninstall command નિષ્ફળ જાય તો uninstall રદ કરો", - "Abort update if pre-update command fails": "pre-update command નિષ્ફળ જાય તો અપડેટ રદ કરો", - "About": "વિશે", "About Qt6": "Qt6 વિશે", - "About WingetUI": "WingetUI વિશે", "About WingetUI version {0}": "wingetUI આવૃત્તિ {0} વિશે", "About the dev": "વિકાસકર્તા વિશે", - "Accept": "સ્વીકારો", "Action when double-clicking packages, hide successful installations": "પેકેજો પર ડબલ-ક્લિક કરતી વખતે ક્રિયા, સફળ સ્થાપનો છુપાવો", - "Add": "ઉમેરો", "Add a source to {0}": "{0} માં સ્ત્રોત ઉમેરો", - "Add a timestamp to the backup file names": "બેકઅપ ફાઇલ નામોમાં ટાઇમસ્ટેમ્પ ઉમેરો", "Add a timestamp to the backup files": "બેકઅપ ફાઇલોમાં ટાઇમસ્ટેમ્પ ઉમેરો", "Add packages or open an existing bundle": "પેકેજોને ઉમેરો અથવા હાલનાં બંડલને ખોલો", - "Add packages or open an existing package bundle": "પેકેજ ઉમેરો અથવા અસ્તિત્વમાં રહેલ પેકેજ બંડલ ખોલો", - "Add packages to bundle": "બંડલમાં પેકેજ ઉમેરો", - "Add packages to start": "શરૂ કરવા માટે પેકેજ ઉમેરો", - "Add selection to bundle": "બંડલમાં પસંદગી ઉમેરો", - "Add source": "સ્ત્રોત ઉમેરો", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' થી નિષ્ફળ ગયેલા અપડેટ્સને અવગણાયેલા અપડેટ્સની યાદીમાં ઉમેરો", - "Adding source {source}": "સ્ત્રોત {source} ઉમેરાઈ રહ્યો છે", - "Adding source {source} to {manager}": "{manager} માં સ્ત્રોત {source} ઉમેરાઈ રહ્યો છે", "Addition succeeded": "ઉમેરો સફળ થયો", - "Administrator privileges": "સંચાલક વિશેષાધિકારો", "Administrator privileges preferences": "સંચાલક વિશેષાધિકાર પસંદગીઓ", "Administrator rights": "સંચાલક અધિકારો", - "Administrator rights and other dangerous settings": "સંચાલક અધિકારો અને અન્ય જોખમભર્યા settings", - "Advanced options": "ઉન્નત વિકલ્પો", "All files": "બધી ફાઇલો", - "All versions": "બધી આવૃત્તિઓ", - "Allow changing the paths for package manager executables": "પેકેજ મેનેજર executables ના path બદલવાની મંજૂરી આપો", - "Allow custom command-line arguments": "કસ્ટમ command-line arguments ને મંજૂરી આપો", - "Allow importing custom command-line arguments when importing packages from a bundle": "બંડલમાંથી પેકેજ આયાત કરતી વખતે કસ્ટમ command-line arguments આયાત કરવાની મંજૂરી આપો", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "બંડલમાંથી પેકેજ આયાત કરતી વખતે કસ્ટમ pre-install અને post-install commands આયાત કરવાની મંજૂરી આપો", "Allow package operations to be performed in parallel": "પેકેજ કામગીરી સમકાલીન રીતે કરવાની મંજૂરી આપો", "Allow parallel installs (NOT RECOMMENDED)": "સમાંતર સ્થાપનોને પરવાનગી આપો (આગ્રહણીય નથી)", - "Allow pre-release versions": "pre-release આવૃત્તિઓને મંજૂરી આપો", "Allow {pm} operations to be performed in parallel": "સમાંતર રીતે {pm} કામગીરી કરવાની મંજૂરી આપો", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "વૈકલ્પિક રીતે, તમે Windows PowerShell prompt માં નીચેનો command ચલાવીને {0} સ્થાપિત કરી શકો છો:", "Always elevate {pm} installations by default": "{pm} સ્થાપનોને મૂળભૂત રીતે હંમેશા ઉન્નત કરો", "Always run {pm} operations with administrator rights": "{pm} પ્રક્રિયાઓ હંમેશા સંચાલક અધિકારો સાથે ચલાવો", - "An error occurred": "એક ભૂલ થઈ છે", - "An error occurred when adding the source: ": "સ્ત્રોત ઉમેરતી વખતે એક ભૂલ આવી:", - "An error occurred when attempting to show the package with Id {0}": "Id {0} ધરાવતા પેકેજ બતાવવાના પ્રયાસ દરમિયાન ભૂલ આવી", - "An error occurred when checking for updates: ": "અપડેટ્સ માટે તપાસ કરતી વખતે એક ભૂલ આવી:", - "An error occurred while attempting to create an installation script:": "સ્થાપન script બનાવવાના પ્રયાસ દરમિયાન ભૂલ આવી:", - "An error occurred while loading a backup: ": "બેકઅપ લોડ કરતી વખતે ભૂલ આવી: ", - "An error occurred while logging in: ": "લોગિન કરતી વખતે ભૂલ આવી: ", - "An error occurred while processing this package": "આ પેકેજની પ્રક્રિયા કરતી વખતે એક ભૂલ આવી", - "An error occurred:": "ભૂલ આવી:", - "An interal error occurred. Please view the log for further details.": "આંતરીક ભૂલ આવી. વધુ વિગતો માટે કૃપા કરીને લોગ જુઓ.", "An unexpected error occurred:": "એક અનપેક્ષિત ભૂલ આવી:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet સમારકામ કરવાનો પ્રયાસ કરતી વખતે અનપેક્ષિત સમસ્યા આવી. કૃપા કરીને પછી ફરી પ્રયાસ કરો", - "An update was found!": "અપડેટ મળ્યું!", - "Android Subsystem": "એન્ડ્રોઇડ સબસિસ્ટમ", "Another source": "અન્ય સ્ત્રોત", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "સ્થાપન અથવા અપડેટ પ્રક્રિયા દરમ્યાન બનેલા નવા shortcuts પહેલી વાર શોધાય ત્યારે પુષ્ટિ prompt બતાવવાના બદલે આપમેળે કાઢી નાખવામાં આવશે.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI બહાર બનાવેલા અથવા ફેરફાર કરેલા shortcuts અવગણવામાં આવશે. તમે તેમને {0} બટન દ્વારા ઉમેરી શકશો.", - "Any unsaved changes will be lost": "સાચવાયેલા નથી એવા બધા ફેરફારો ગુમાશે", "App Name": "'એપ' નામ", - "Appearance": "દેખાવ", - "Application theme, startup page, package icons, clear successful installs automatically": "એપ્લિકેશન થીમ, startup page, package icons, સફળ સ્થાપનો આપમેળે સાફ કરો", - "Application theme:": "એપ્લિકેશન થીમ:", - "Apply": "લાગુ કરો", - "Architecture to install:": "સ્થાપનાની સંરચના", "Are these screenshots wron or blurry?": "શું આ સ્ક્રીનશૉટ્સ ખોટા છે કે ઝાંખા છે?", - "Are you really sure you want to enable this feature?": "શું તમે આ સુવિધા સક્રિય કરવા માટે ખરેખર નિશ્ચિત છો?", - "Are you sure you want to create a new package bundle? ": "શું તમે નવું પેકેજ બંડલ બનાવવું છે તેની ખાતરી છે? ", - "Are you sure you want to delete all shortcuts?": "શું તમે બધા shortcuts કાઢી નાખવા માંગો છો?", - "Are you sure?": "શું તમને ખાતરી છે?", - "Ascendant": "આરોહી", - "Ask for administrator privileges once for each batch of operations": "દરેક બેચની કામગીરી માટે એકવાર સંચાલક વિશેષાધિકારો માટે પૂછો", "Ask for administrator rights when required": "જ્યારે જરૂરી હોય ત્યારે સંચાલક અધિકારો માટે પૂછો", "Ask once or always for administrator rights, elevate installations by default": "એકવાર અથવા હંમેશા સંચાલક અધિકારો માટે પૂછો, મૂળભૂત રીતે સ્થાપનોને ઉન્નત કરો", - "Ask only once for administrator privileges": "સંચાલક વિશેષાધિકારો માટે ફક્ત એકવાર પૂછો", "Ask only once for administrator privileges (not recommended)": "સંચાલક વિશેષાધિકારો માટે ફક્ત એક જ વાર પૂછો (અગ્રહણીય નથી)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "સ્થાપન અથવા upgrade દરમિયાન બનેલા desktop shortcuts કાઢવા માટે પૂછો.", - "Attention required": "ધ્યાન જરૂરી", "Authenticate to the proxy with an user and a password": "proxy માટે વપરાશકર્તા અને પાસવર્ડ સાથે પ્રમાણિત કરો", - "Author": "લેખક", - "Automatic desktop shortcut remover": "આપમેળે desktop shortcut દૂર કરનાર", - "Automatic updates": "આપમેળે અપડેટ્સ", - "Automatically save a list of all your installed packages to easily restore them.": "તેઓને સરળતાથી પુન:સંગ્રહ કરવા માટે તમારા બધા સ્થાપિત થયેલ પેકેજોની યાદીને આપમેળે સંગ્રહો.", "Automatically save a list of your installed packages on your computer.": "તમારા કમ્પ્યૂટર પર તમારાં સ્થાપિત થયેલ પેકેજોની યાદીને આપમેળે સંગ્રહો.", - "Automatically update this package": "આ પેકેજ આપમેળે અપડેટ કરો", "Autostart WingetUI in the notifications area": "સૂચનાઓ વિસ્તારમાં WingetUI આપોઆપ શરૂ કરો", - "Available Updates": "ઉપલબ્ધ સુધારાઓ", "Available updates: {0}": "ઉપલબ્ધ સુધારાઓ: {0}", "Available updates: {0}, not finished yet...": "ઉપલબ્ધ સુધારાઓ: {0}, હજુ સમાપ્ત થયેલ નથી...", - "Backing up packages to GitHub Gist...": "પેકેજો GitHub Gist પર બેકઅપ થઈ રહ્યા છે...", - "Backup": "બેકઅપ", - "Backup Failed": "બેકઅપ નિષ્ફળ ગયું", - "Backup Successful": "બેકઅપ સફળ થયું", - "Backup and Restore": "બેકઅપ અને પુનઃસ્થાપન", "Backup installed packages": "સ્થાપિત થયેલ પેકેજોનું બેકઅપ કરો", "Backup location": "બેકઅપ સ્થાન", - "Become a contributor": "ફાળો આપનાર બનો", - "Become a translator": "અનુવાદક બનો", - "Begin the process to select a cloud backup and review which packages to restore": "cloud backup પસંદ કરવા અને કયા પેકેજોને પુનઃસ્થાપિત કરવા તે સમીક્ષા કરવાની પ્રક્રિયા શરૂ કરો", - "Beta features and other options that shouldn't be touched": "beta features અને અન્ય વિકલ્પો જેને સ્પર્શવા ન જોઈએ", - "Both": "બંને", - "Bundle security report": "બંડલ સુરક્ષા અહેવાલ", "But here are other things you can do to learn about WingetUI even more:": "પરંતુ અહીં અન્ય વસ્તુઓ છે જે તમે વિંગેટયુઆઈ વિશે વધુ જાણવા માટે કરી શકો:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "પેકેજ મેનેજરને બંધ કરતાં, તમે તેના પેકેજો જોઈ અથવા અપડેટ કરી શકશો નહીં.", "Cache administrator rights and elevate installers by default": "સંચાલક અધિકારો cache કરો અને installers ને મૂળભૂત રીતે elevate કરો", "Cache administrator rights, but elevate installers only when required": "સંચાલક અધિકારો cache કરો, પરંતુ જરૂરી હોય ત્યારે જ installers ને elevate કરો", "Cache was reset successfully!": "cache સફળતાપૂર્વક reset થયું!", "Can't {0} {1}": "{0} {1} શકતા નથી", - "Cancel": "રદ્દ", "Cancel all operations": "બધી કામગીરી રદ કરો", - "Change backup output directory": "બેકઅપ output directory બદલો", - "Change default options": "મૂળભૂત વિકલ્પો બદલો", - "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI તમારા પેકેજો માટે ઉપલબ્ધ અપડેટ્સ કેવી રીતે તપાસે અને સ્થાપિત કરે છે તે બદલો", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI install, update અને uninstall પ્રક્રિયાઓને કેવી રીતે સંભાળે છે તે બદલો.", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI પેકેજો કેવી રીતે સ્થાપિત કરે છે, અને ઉપલબ્ધ અપડેટ્સ કેવી રીતે તપાસે અને સ્થાપિત કરે છે તે બદલો", - "Change how operations request administrator rights": "પ્રક્રિયાઓ સંચાલક અધિકારો કેવી રીતે માંગે છે તે બદલો", "Change install location": "સ્થાપન સ્થાન બદલો", - "Change this": "આ બદલો", - "Change this and unlock": "આ બદલો અને unlock કરો", - "Check for package updates periodically": "પેકેજ અપડેટ્સ સમયાંતરે તપાસો", - "Check for updates": "અપડેટ્સ માટે તપાસો", - "Check for updates every:": "દરેક વખતે અપડેટ્સ માટે તપાસો:", "Check for updates periodically": "સમયાંતરે updates માટે તપાસો", "Check for updates regularly, and ask me what to do when updates are found.": "અપડેટ્સ નિયમિત રીતે તપાસો, અને અપડેટ્સ મળે ત્યારે શું કરવું તે મારી પાસે પૂછો.", "Check for updates regularly, and automatically install available ones.": "અપડેટ્સ નિયમિત રીતે તપાસો અને ઉપલબ્ધ હોય તે આપમેળે સ્થાપિત કરો.", @@ -159,916 +741,335 @@ "Checking for updates...": "અપડેટ્સ માટે તપાસી રહ્યા છીએ...", "Checking found instace(s)...": "મળેલા instance(ઓ) તપાસી રહ્યા છીએ...", "Choose how many operations shouls be performed in parallel": "એકસાથે કેટલી કામગીરી થવી જોઈએ તે પસંદ કરો", - "Clear cache": "cache સાફ કરો", "Clear finished operations": "પૂર્ણ થયેલી કામગીરી સાફ કરો", - "Clear selection": "પસંદગી સાફ કરો", "Clear successful operations": "સફળ કામગીરી સાફ કરો", - "Clear successful operations from the operation list after a 5 second delay": "5 સેકંડના વિલંબ પછી કામગીરી સૂચિમાંથી સફળ કામગીરી સાફ કરો", "Clear the local icon cache": "સ્થાનિક icon cache સાફ કરો", - "Clearing Scoop cache - WingetUI": "Scoop cache સાફ થઈ રહી છે - UniGetUI", "Clearing Scoop cache...": "Scoop cache સાફ થઈ રહી છે...", - "Click here for more details": "વધુ વિગતો માટે અહીં ક્લિક કરો", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "સ્થાપન પ્રક્રિયા શરૂ કરવા માટે Install પર ક્લિક કરો. જો તમે સ્થાપન ટાળો, તો UniGetUI અપેક્ષા મુજબ કામ ન કરે.", - "Close": "બંધ કરો", - "Close UniGetUI to the system tray": "UniGetUI ને system tray માં બંધ કરો", "Close WingetUI to the notification area": "UniGetUI ને notification area માં બંધ કરો", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "cloud backup સ્થાપિત પેકેજોની સૂચિ સંગ્રહવા માટે ખાનગી GitHub Gist નો ઉપયોગ કરે છે", - "Cloud package backup": "cloud package backup", "Command-line Output": "command-line output", - "Command-line to run:": "ચાલાવવાનો command-line:", "Compare query against": "query ની સામે સરખાવો", - "Compatible with authentication": "authentication સાથે સુસંગત", - "Compatible with proxy": "proxy સાથે સુસંગત", "Component Information": "ઘટક માહિતી", - "Concurrency and execution": "સમકાલીનતા અને અમલીકરણ", - "Connect the internet using a custom proxy": "કસ્ટમ proxy નો ઉપયોગ કરીને ઇન્ટરનેટ સાથે જોડાઓ", - "Continue": "આગળ વધો", "Contribute to the icon and screenshot repository": "icon અને screenshot repository માં યોગદાન આપો", - "Contributors": "યોગદાનકારો", "Copy": "નકલ કરો", - "Copy to clipboard": "clipboard પર નકલ કરો", - "Could not add source": "સ્ત્રોત ઉમેરવામાં આવ્યો નહીં", - "Could not add source {source} to {manager}": "{manager} માં {source} સ્ત્રોત ઉમેરવામાં આવ્યો નહીં", - "Could not back up packages to GitHub Gist: ": "પેકેજોને GitHub Gist પર બેકઅપ કરી શક્યા નહીં: ", - "Could not create bundle": "બંડલ બનાવી શકાયું નહીં", "Could not load announcements - ": "announcements લોડ થઈ શક્યાં નહીં - ", "Could not load announcements - HTTP status code is $CODE": "announcements લોડ થઈ શક્યાં નહીં - HTTP status code $CODE છે", - "Could not remove source": "સ્ત્રોત દૂર કરી શકાયો નહીં", - "Could not remove source {source} from {manager}": "{manager} માંથી {source} સ્ત્રોત દૂર કરી શકાયો નહીં", "Could not remove {source} from {manager}": "{manager} માંથી {source} દૂર કરી શકાયો નહીં", - "Create .ps1 script": ".ps1 script બનાવો", - "Credentials": "પ્રમાણપત્રો", "Current Version": "વર્તમાન આવૃત્તિ", - "Current executable file:": "વર્તમાન executable ફાઇલ:", - "Current status: Not logged in": "વર્તમાન સ્થિતિ: login થયેલ નથી", "Current user": "વર્તમાન વપરાશકર્તા", "Custom arguments:": "custom arguments:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "custom command-line arguments એ રીતે ફેરફાર કરી શકે છે કે જેમાં programs install, upgrade અથવા uninstall થાય છે, અને UniGetUI તેને નિયંત્રિત કરી શકતું નથી. custom command-lines નો ઉપયોગ packages ને બગાડી શકે છે. સાવચેત આગળ વધો.", "Custom command-line arguments:": "custom command-line arguments:", - "Custom install arguments:": "custom install arguments:", - "Custom uninstall arguments:": "custom uninstall arguments:", - "Custom update arguments:": "custom update arguments:", "Customize WingetUI - for hackers and advanced users only": "WingetUI ને કસ્ટમાઇઝ કરો - માત્ર hackers અને advanced users માટે", - "DEBUG BUILD": "DEBUG build", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "અસ્વીકાર: download કરેલા packages માટે અમે જવાબદાર નથી. કૃપા કરીને માત્ર વિશ્વસનીય software જ install કરો.", - "Dark": "અંધારું", - "Decline": "નકારો", - "Default": "ડિફૉલ્ટ", - "Default installation options for {0} packages": "{0} packages માટે ડિફૉલ્ટ installation options", "Default preferences - suitable for regular users": "ડિફૉલ્ટ preferences - સામાન્ય વપરાશકર્તાઓ માટે યોગ્ય", - "Default vcpkg triplet": "ડિફૉલ્ટ vcpkg triplet", - "Delete?": "કાઢી નાખવું?", - "Dependencies:": "નિર્ભરતાઓ:", - "Descendant": "ઉતરતા ક્રમમાં", "Description:": "વર્ણન:", - "Desktop shortcut created": "Desktop shortcut બનાવાયો", - "Details of the report:": "રિપોર્ટની વિગતો:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "વિકાસ કરવું મુશ્કેલ છે, અને આ application મફત છે. પરંતુ જો તમને application ગમ્યું હોય, તો તમે હંમેશા buy me a coffee કરી શકો છો :) ", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" tab પર item ને double-click કરતી વખતે package info બતાવવાને બદલે સીધું install કરો", "Disable new share API (port 7058)": "નવી share API (port 7058) ને નિષ્ક્રિય કરો", - "Disable the 1-minute timeout for package-related operations": "package સંબંધિત operations માટે 1-minute timeout નિષ્ક્રિય કરો", - "Disabled": "નિષ્ક્રિય", - "Disclaimer": "અસ્વીકાર", - "Discover Packages": "પેકેજો શોધો", "Discover packages": "packages શોધો", "Distinguish between\nuppercase and lowercase": "uppercase અને lowercase વચ્ચેનો ફરક ઓળખો", - "Distinguish between uppercase and lowercase": "uppercase અને lowercase વચ્ચેનો ફરક ઓળખો", "Do NOT check for updates": "updates માટે તપાસશો નહીં", "Do an interactive install for the selected packages": "પસંદ કરેલા packages માટે interactive install કરો", "Do an interactive uninstall for the selected packages": "પસંદ કરેલા packages માટે interactive uninstall કરો", "Do an interactive update for the selected packages": "પસંદ કરેલા packages માટે interactive update કરો", - "Do not automatically install updates when the battery saver is on": "battery saver ચાલુ હોય ત્યારે updates આપમેળે install કરશો નહીં", - "Do not automatically install updates when the device runs on battery": "device battery પર ચાલી રહ્યું હોય ત્યારે updates આપમેળે install કરશો નહીં", - "Do not automatically install updates when the network connection is metered": "network connection metered હોય ત્યારે updates આપમેળે install કરશો નહીં", "Do not download new app translations from GitHub automatically": "GitHub માંથી નવી app translations આપમેળે download કરશો નહીં", - "Do not ignore updates for this package anymore": "આ package માટે updates હવે આગળથી ignore કરશો નહીં", "Do not remove successful operations from the list automatically": "સફળ operations ને યાદીમાંથી આપમેળે દૂર કરશો નહીં", - "Do not show this dialog again for {0}": "{0} માટે આ dialog ફરીથી બતાવશો નહીં", "Do not update package indexes on launch": "launch વખતે package indexes update કરશો નહીં", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "UniGetUI વપરાશકર્તા અનુભવને સમજવા અને સુધારવા માટે માત્ર anonymous usage statistics એકત્ર કરે છે અને મોકલે છે, તે તમે સ્વીકારો છો?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "WingetUI તમને ઉપયોગી લાગે છે? જો શક્ય હોય, તો તમે મારા કાર્યને support કરવા માગશો, જેથી હું WingetUI ને ઉત્તમ package managing interface તરીકે આગળ વધારી શકું.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "WingetUI તમને ઉપયોગી લાગે છે? તમે developer ને support કરવા માંગો છો? જો હા, તો તમે {0} કરી શકો છો, તે ઘણું મદદરૂપ બને છે!", - "Do you really want to reset this list? This action cannot be reverted.": "શું તમે ખરેખર આ list reset કરવા માંગો છો? આ action પાછું ફેરવી શકાતું નથી.", - "Do you really want to uninstall the following {0} packages?": "શું તમે ખરેખર નીચેના {0} packages uninstall કરવા માંગો છો?", "Do you really want to uninstall {0} packages?": "શું તમે ખરેખર {0} packages uninstall કરવા માંગો છો?", - "Do you really want to uninstall {0}?": "શું તમે ખરેખર {0} uninstall કરવા માંગો છો?", "Do you want to restart your computer now?": "શું તમે હવે તમારું computer restart કરવા માંગો છો?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "શું તમે WingetUI ને તમારી ભાષામાં અનુવાદિત કરવા માંગો છો? કેવી રીતે contribute કરવું તે અહીં! જુઓ", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "દાન આપવાની ઇચ્છા નથી? ચિંતા નહીં, તમે હંમેશા WingetUI તમારા મિત્રોને share કરી શકો છો. WingetUI વિશે પ્રચાર કરો.", "Donate": "દાન કરો", - "Done!": "પૂર્ણ થયું!", - "Download failed": "Download નિષ્ફળ ગયું", - "Download installer": "installer download કરો", - "Download operations are not affected by this setting": "આ setting થી download operations અસરગ્રસ્ત થતા નથી", - "Download selected installers": "પસંદ કરેલા installers download કરો", - "Download succeeded": "Download સફળ થયું", "Download updated language files from GitHub automatically": "GitHub માંથી automatically અપડેટેડ language files download કરો", "Downloading": "Download થઈ રહી છે", - "Downloading backup...": "બેકઅપ download થઈ રહી છે...", "Downloading installer for {package}": "{package} માટે installer download થઈ રહી છે", "Downloading package metadata...": "પેકેજ metadata download થઈ રહી છે...", - "Enable Scoop cleanup on launch": "launch વખતે Scoop cleanup સક્રિય કરો", - "Enable WingetUI notifications": "UniGetUI notifications સક્રિય કરો", - "Enable an [experimental] improved WinGet troubleshooter": "[experimental] સુધારેલ WinGet troubleshooter સક્રિય કરો", - "Enable and disable package managers, change default install options, etc.": "પેકેજ મેનેજર સક્રિય અને નિષ્ક્રિય કરો, ડિફૉલ્ટ install options બદલો, વગેરે.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU usage optimizations સક્રિય કરો (Pull Request #3278 જુઓ)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background API સક્રિય કરો (UniGetUI Widgets અને Sharing, port 7058)", - "Enable it to install packages from {pm}.": "તેને {pm} માંથી packages install કરવા માટે સક્રિય કરો.", - "Enable the automatic WinGet troubleshooter": "આપમેળે WinGet troubleshooter સક્રિય કરો", "Enable the new UniGetUI-Branded UAC Elevator": "નવો UniGetUI-Branded UAC Elevator સક્રિય કરો", "Enable the new process input handler (StdIn automated closer)": "નવો process input handler સક્રિય કરો (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "નીચે આપેલી settings માત્ર ત્યારે જ સક્રિય કરો જો તમે તેઓ શું કરે છે તે સંપૂર્ણપણે સમજો છો અને તેમાં કયા અસરો હોઈ શકે છે.", - "Enable {pm}": "{pm} સક્રિય કરો", - "Enabled": "સક્રિય", - "Enter proxy URL here": "અહીં proxy URL દાખલ કરો", - "Entries that show in RED will be IMPORTED.": "RED માં દેખાતી entries IMPORTED થશે.", - "Entries that show in YELLOW will be IGNORED.": "YELLOW માં દેખાતી entries IGNORED થશે.", - "Error": "ભૂલ", - "Everything is up to date": "બધું update છે", - "Exact match": "સટીક match", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "તમારા desktop પરની હાલની shortcuts scan કરવામાં આવશે, અને તમે કઈ રાખવી અને કઈ દૂર કરવી તે પસંદ કરવું પડશે.", - "Expand version": "આવૃત્તિ વિસ્તૃત કરો", - "Experimental settings and developer options": "પરીક્ષણાત્મક settings અને developer options", - "Export": "નિકાસ કરો", - "Export log as a file": "log ને ફાઇલ તરીકે નિકાસ કરો", - "Export packages": "packages નિકાસ કરો", - "Export selected packages to a file": "પસંદ કરેલા packages ને ફાઇલમાં નિકાસ કરો", - "Export settings to a local file": "settings ને સ્થાનિક ફાઇલમાં નિકાસ કરો", - "Export to a file": "ફાઇલમાં નિકાસ કરો", - "Failed": "નિષ્ફળ", - "Fetching available backups...": "ઉપલબ્ધ backups લાવી રહ્યા છીએ...", + "Export log as a file": "log ને ફાઇલ તરીકે નિકાસ કરો", + "Export packages": "packages નિકાસ કરો", + "Export selected packages to a file": "પસંદ કરેલા packages ને ફાઇલમાં નિકાસ કરો", "Fetching latest announcements, please wait...": "તાજેતરના announcements લાવી રહ્યા છીએ, કૃપા કરીને રાહ જુઓ...", - "Filters": "filters", "Finish": "સમાપ્ત કરો", - "Follow system color scheme": "system color scheme અનુસરો", - "Follow the default options when installing, upgrading or uninstalling this package": "આ package install, upgrade અથવા uninstall કરતી વખતે ડિફૉલ્ટ options અનુસરો", - "For security reasons, changing the executable file is disabled by default": "સુરક્ષા કારણોસર, executable file બદલવું મૂળભૂત રીતે નિષ્ક્રિય છે", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "સુરક્ષા કારણોસર, custom command-line arguments મૂળભૂત રીતે નિષ્ક્રિય છે. આ બદલવા માટે UniGetUI security settings માં જાઓ. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "સુરક્ષા કારણોસર, pre-operation અને post-operation scripts મૂળભૂત રીતે નિષ્ક્રિય છે. આ બદલવા માટે UniGetUI security settings માં જાઓ. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM compiled winget આવૃત્તિ force કરો (માત્ર ARM64 SYSTEMS માટે)", - "Force install location parameter when updating packages with custom locations": "custom locations સાથે packages update કરતી વખતે install location parameter force કરો", "Formerly known as WingetUI": "આગળ WingetUI તરીકે ઓળખાતું હતું", "Found": "મળ્યું", "Found packages: ": "packages મળ્યા: ", "Found packages: {0}": "packages મળ્યા: {0}", "Found packages: {0}, not finished yet...": "packages મળ્યા: {0}, હજી સમાપ્ત નથી...", - "General preferences": "સામાન્ય પસંદગીઓ", "GitHub profile": "GitHub પ્રોફાઇલ", "Global": "વૈશ્વિક", - "Go to UniGetUI security settings": "UniGetUI security settings માં જાઓ", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "અજાણી પરંતુ ઉપયોગી utilities અને અન્ય રસપ્રદ packages નું ઉત્તમ repository.
સમાવે છે: Utilities, Command-line programs, General Software (extras bucket આવશ્યક)", - "Great! You are on the latest version.": "બહુ સારું! તમે તાજેતરની આવૃત્તિ પર છો.", - "Grid": "ગ્રિડ", - "Help": "મદદ", "Help and documentation": "મદદ અને documentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "અહીં તમે નીચેની shortcuts અંગે UniGetUI નું વર્તન બદલી શકો છો. shortcut ને check કરવાથી જો તે future upgrade દરમિયાન બને તો UniGetUI તેને delete કરશે. તેને uncheck કરવાથી shortcut યથાવત રહેશે", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "હાય, મારું નામ Martí છે, અને હું WingetUI નો developer છું. WingetUI સંપૂર્ણપણે મારા ફ્રી સમયમાં બનાવાયું છે!", "Hide details": "વિગતો છુપાવો", - "Homepage": "મુખ્ય પૃષ્ઠ", - "homepage": "વેબસાઇટ", - "Hooray! No updates were found.": "શાનદાર! કોઈ updates મળ્યા નથી.", "How should installations that require administrator privileges be treated?": "administrator privileges જરૂરી હોય તેવી installations ને કેવી રીતે હેન્ડલ કરવી જોઈએ?", - "How to add packages to a bundle": "bundle માં packages કેવી રીતે ઉમેરવા", - "I understand": "હું સમજું છું", - "Icons": "આઇકન્સ", - "Id": "ઓળખ", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "જો તમે cloud backup સક્રિય કર્યું હોય, તો તે આ account પર GitHub Gist તરીકે સાચવવામાં આવશે", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "bundle માંથી packages import કરતી વખતે custom pre-install અને post-install commands ચલાવવાની મંજૂરી આપો", - "Ignore future updates for this package": "આ package માટે ભવિષ્યના updates ignore કરો", - "Ignore packages from {pm} when showing a notification about updates": "updates અંગે notification બતાવતી વખતે {pm} ના packages ignore કરો", - "Ignore selected packages": "પસંદ કરેલા packages ignore કરો", - "Ignore special characters": "વિશેષ અક્ષરો ignore કરો", "Ignore updates for the selected packages": "પસંદ કરેલા packages માટે updates ignore કરો", - "Ignore updates for this package": "આ package માટે updates ignore કરો", "Ignored updates": "ignored updates", - "Ignored version": "ignored આવૃત્તિ", - "Import": "આયાત કરો", "Import packages": "packages આયાત કરો", "Import packages from a file": "ફાઇલમાંથી packages આયાત કરો", - "Import settings from a local file": "સ્થાનિક ફાઇલમાંથી settings આયાત કરો", - "In order to add packages to a bundle, you will need to: ": "bundle માં packages ઉમેરવા માટે, તમને આવું કરવું પડશે: ", "Initializing WingetUI...": "UniGetUI initialize થઈ રહી છે...", - "Install": "સ્થાપિત કરો", - "install": "સ્થાપિત કરો", - "Install Scoop": "Scoop install કરો", "Install and more": "Install અને વધુ", "Install and update preferences": "Install અને update preferences", - "Install as administrator": "administrator તરીકે install કરો", - "Install available updates automatically": "ઉપલબ્ધ updates આપમેળે install કરો", - "Install location can't be changed for {0} packages": "{0} packages માટે install location બદલી શકાતું નથી", - "Install location:": "સ્થાપન સ્થાન:", - "Install options": "સ્થાપન વિકલ્પો", "Install packages from a file": "ફાઇલમાંથી packages install કરો", - "Install prerelease versions of UniGetUI": "UniGetUI ની prerelease આવૃત્તિઓ install કરો", - "Install script": "સ્થાપન script", "Install selected packages": "પસંદ કરેલા packages install કરો", "Install selected packages with administrator privileges": "administrator privileges સાથે પસંદ કરેલા packages install કરો", - "Install selection": "selection install કરો", "Install the latest prerelease version": "તાજેતરની prerelease આવૃત્તિ install કરો", "Install updates automatically": "updates આપમેળે install કરો", - "Install {0}": "{0} install કરો", "Installation canceled by the user!": "user દ્વારા installation રદ કરવામાં આવી!", - "Installation failed": "Installation નિષ્ફળ ગઈ", - "Installation options": "સ્થાપન વિકલ્પો", - "Installation scope:": "સ્થાપન વિસ્તાર:", - "Installation succeeded": "Installation સફળ થઈ", - "Installed Packages": "સ્થાપિત પેકેજો", "Installed packages": "સ્થાપિત packages", - "Installed Version": "Installed આવૃત્તિ", - "Installer SHA256": "સ્થાપક SHA256", - "Installer SHA512": "સ્થાપક SHA512", - "Installer Type": "સ્થાપક પ્રકાર", - "Installer URL": "સ્થાપક URL", - "Installer not available": "Installer ઉપલબ્ધ નથી", "Instance {0} responded, quitting...": "Instance {0} એ પ્રતિસાદ આપ્યો, બહાર નીકળી રહ્યા છીએ...", - "Instant search": "તાત્કાલિક search", - "Integrity checks can be disabled from the Experimental Settings": "Integrity checks ને Experimental Settings માંથી નિષ્ક્રિય કરી શકાય છે", - "Integrity checks skipped": "Integrity checks skip કરવામાં આવી", - "Integrity checks will not be performed during this operation": "આ operation દરમિયાન Integrity checks કરવામાં આવશે નહીં", - "Interactive installation": "પરસ્પરક્રિયાત્મક સ્થાપન", - "Interactive operation": "પરસ્પરક્રિયાત્મક પ્રક્રિયા", - "Interactive uninstall": "પરસ્પરક્રિયાત્મક uninstall", - "Interactive update": "પરસ્પરક્રિયાત્મક update", - "Internet connection settings": "ઇન્ટરનેટ જોડાણ settings", - "Invalid selection": "અમાન્ય selection", "Is this package missing the icon?": "શું આ package માં icon ખૂટે છે?", - "Is your language missing or incomplete?": "શું તમારી ભાષા ખૂટે છે અથવા અધૂરી છે?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "આપેલ credentials સુરક્ષિત રીતે store થશે તેની કોઈ ખાતરી નથી, તેથી તમારા bank account ના credentials નો ઉપયોગ ન કરવો વધુ સારું છે", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet repair થયા પછી UniGetUI restart કરવાની ભલામણ થાય છે", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "આ પરિસ્થિતિને સુધારવા માટે UniGetUI ને ફરી install કરવાની મજબૂત ભલામણ થાય છે.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "લાગે છે કે WinGet યોગ્ય રીતે કામ કરતું નથી. શું તમે WinGet repair કરવાનો પ્રયાસ કરવા માંગો છો?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "લાગે છે કે તમે UniGetUI ને administrator તરીકે ચલાવ્યું છે, જે ભલામણ કરેલું નથી. તમે હજી પણ program નો ઉપયોગ કરી શકો છો, પરંતુ અમે UniGetUI ને administrator privileges સાથે ન ચલાવવાની મજબૂત ભલામણ કરીએ છીએ. શા માટે તે જોવા માટે \"{showDetails}\" પર ક્લિક કરો.", - "Language": "ભાષા", - "Language, theme and other miscellaneous preferences": "ભાષા, theme અને અન્ય વિવિધ preferences", - "Last updated:": "છેલ્લે update થયું:", - "Latest": "તાજેતરનું", "Latest Version": "તાજેતરની આવૃત્તિ", "Latest Version:": "તાજેતરની આવૃત્તિ:", "Latest details...": "તાજેતરની વિગતો...", "Launching subprocess...": "subprocess launch કરી રહ્યા છીએ...", - "Leave empty for default": "ડિફૉલ્ટ માટે ખાલી રાખો", - "License": "લાઇસન્સ", "Licenses": "લાઇસન્સો", - "Light": "હળવું", - "List": "યાદી", "Live command-line output": "live command-line output", - "Live output": "live output", "Loading UI components...": "UI components load થઈ રહ્યા છે...", "Loading WingetUI...": "UniGetUI load થઈ રહી છે...", - "Loading packages": "packages load થઈ રહ્યા છે", - "Loading packages, please wait...": "packages load થઈ રહ્યા છે, કૃપા કરીને રાહ જુઓ...", - "Loading...": "load થઈ રહ્યું છે...", - "Local": "સ્થાનિક", - "Local PC": "સ્થાનિક PC", - "Local backup advanced options": "સ્થાનિક backup advanced options", "Local machine": "સ્થાનિક machine", - "Local package backup": "સ્થાનિક package backup", "Locating {pm}...": "{pm} શોધી રહ્યા છીએ...", - "Log in": "Log in કરો", - "Log in failed: ": "Log in નિષ્ફળ: ", - "Log in to enable cloud backup": "cloud backup સક્રિય કરવા માટે Log in કરો", - "Log in with GitHub": "GitHub સાથે Log in કરો", - "Log in with GitHub to enable cloud package backup.": "cloud package backup સક્રિય કરવા માટે GitHub સાથે Log in કરો.", - "Log level:": "log level:", - "Log out": "Log out કરો", - "Log out failed: ": "Log out નિષ્ફળ: ", - "Log out from GitHub": "GitHub માંથી Log out કરો", "Looking for packages...": "packages શોધી રહ્યા છીએ...", "Machine | Global": "Machine | વૈશ્વિક", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "ખોટા command-line arguments packages ને બગાડી શકે છે, અથવા કોઈ દુર્ભાવનાપૂર્ણ actor ને privileged execution આપી શકે છે. તેથી custom command-line arguments આયાત કરવું ડિફૉલ્ટ રીતે નિષ્ક્રિય છે.", - "Manage": "સંચાલન કરો", - "Manage UniGetUI settings": "UniGetUI settings સંચાલન કરો", "Manage WingetUI autostart behaviour from the Settings app": "Settings app માંથી UniGetUI autostart વર્તન સંચાલન કરો", "Manage ignored packages": "ignored packages સંચાલન કરો", - "Manage ignored updates": "ignored updates સંચાલન કરો", - "Manage shortcuts": "shortcuts સંચાલન કરો", - "Manage telemetry settings": "telemetry settings સંચાલન કરો", - "Manage {0} sources": "{0} sources સંચાલન કરો", - "Manifest": "મેનિફેસ્ટ", "Manifests": "મેનિફેસ્ટ્સ", - "Manual scan": "હાથથી scan", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft નો સત્તાવાર package manager. જાણીતા અને verified packages થી ભરેલો
સમાવે છે: General Software, Microsoft Store apps", - "Missing dependency": "dependency ખૂટે છે", - "More": "વધુ", - "More details": "વધુ વિગતો", - "More details about the shared data and how it will be processed": "શેર કરેલા data વિશે અને તેને કેવી રીતે process કરવામાં આવશે તે વિશે વધુ વિગતો", - "More info": "વધુ માહિતી", - "More than 1 package was selected": "1 કરતાં વધુ package પસંદ કરવામાં આવ્યા હતા", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "નોંધ: આ troubleshooter ને UniGetUI Settings ના WinGet વિભાગમાંથી નિષ્ક્રિય કરી શકાય છે", - "Name": "નામ", - "New": "નવું", "New Version": "નવી આવૃત્તિ", - "New version": "નવી આવૃત્તિ", "New bundle": "નવું bundle", - "Nice! Backups will be uploaded to a private gist on your account": "સરસ! backups તમારા account પર private gist માં upload થશે", - "No": "ના", - "No applicable installer was found for the package {0}": "package {0} માટે કોઈ યોગ્ય installer મળ્યો નથી", - "No dependencies specified": "કોઈ dependencies નિર્ધારિત નથી", - "No new shortcuts were found during the scan.": "scan દરમિયાન કોઈ નવી shortcuts મળી નથી.", - "No package was selected": "કોઈ package પસંદ કરવામાં આવ્યો નથી", "No packages found": "કોઈ packages મળ્યા નથી", "No packages found matching the input criteria": "input criteria સાથે મેળ ખાતા કોઈ packages મળ્યા નથી", "No packages have been added yet": "હજુ સુધી કોઈ packages ઉમેરવામાં આવ્યા નથી", "No packages selected": "કોઈ packages પસંદ કરવામાં આવ્યા નથી", - "No packages were found": "કોઈ packages મળ્યા નથી", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "કોઈ વ્યક્તિગત માહિતી એકત્રિત કે મોકલવામાં આવતી નથી, અને એકત્રિત data અનામી બનાવવામાં આવે છે, તેથી તેને તમારી સુધી trace કરી શકાતું નથી.", - "No results were found matching the input criteria": "input criteria સાથે મેળ ખાતા કોઈ પરિણામો મળ્યા નથી", "No sources found": "કોઈ sources મળ્યા નથી", "No sources were found": "કોઈ sources મળ્યા નથી", "No updates are available": "કોઈ updates ઉપલબ્ધ નથી", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS નો package manager. javascript દુનિયામાં ફરતી libraries અને અન્ય utilities થી ભરેલો
સમાવે છે: Node javascript libraries અને અન્ય સંબંધિત utilities", - "Not available": "ઉપલબ્ધ નથી", - "Not finding the file you are looking for? Make sure it has been added to path.": "તમે શોધી રહ્યા છો તેવી file મળતી નથી? ખાતરી કરો કે તે path માં ઉમેરાઈ છે.", - "Not found": "મળ્યું નથી", - "Not right now": "હમણાં નહીં", "Notes:": "નોંધો:", - "Notification preferences": "સૂચના પસંદગીઓ", "Notification tray options": "સૂચના ટ્રે વિકલ્પો", - "Notification types": "સૂચનાના પ્રકારો", - "NuPkg (zipped manifest)": "NuPkg (ઝિપ કરેલ મેનિફેસ્ટ)", - "OK": "ઠીક છે", "Ok": "ઠીક છે", - "Open": "ખોલો", "Open GitHub": "GitHub ખોલો", - "Open UniGetUI": "UniGetUI ખોલો", - "Open UniGetUI security settings": "UniGetUI security settings ખોલો", "Open WingetUI": "UniGetUI ખોલો", "Open backup location": "backup location ખોલો", "Open existing bundle": "હાલનું bundle ખોલો", - "Open install location": "install location ખોલો", "Open the welcome wizard": "welcome wizard ખોલો", - "Operation canceled by user": "user દ્વારા operation રદ કરવામાં આવ્યું", "Operation cancelled": "operation રદ થયું", - "Operation history": "operation history", - "Operation in progress": "operation ચાલુ છે", - "Operation on queue (position {0})...": "queue માં operation (position {0})...", - "Operation profile:": "પ્રક્રિયા પ્રોફાઇલ:", "Options saved": "options સાચવાયા", - "Order by:": "આ મુજબ ક્રમબદ્ધ કરો:", - "Other": "અન્ય", - "Other settings": "અન્ય settings", - "Package": "પેકેજ", - "Package Bundles": "પેકેજ બંડલ્સ", - "Package ID": "પેકેજ ID", "Package Manager": "પેકેજ મેનેજર", - "Package manager": "પેકેજ મેનેજર", - "Package Manager logs": "પેકેજ મેનેજર logs", - "Package Managers": "પેકેજ મેનેજર્સ", "Package managers": "પેકેજ મેનેજર્સ", - "Package Name": "પેકેજ નામ", - "Package backup": "પેકેજ બેકઅપ", - "Package backup settings": "પેકેજ બેકઅપ સેટિંગ્સ", - "Package bundle": "પેકેજ બંડલ", - "Package details": "પેકેજ વિગતો", - "Package lists": "પેકેજ યાદીઓ", - "Package management made easy": "Package management સરળ બનાવ્યું", - "Package manager preferences": "Package manager preferences", - "Package not found": "Package મળ્યું નથી", - "Package operation preferences": "પેકેજ પ્રક્રિયા પસંદગીઓ", - "Package update preferences": "પેકેજ અપડેટ પસંદગીઓ", "Package {name} from {manager}": "{manager} માંથી package {name}", - "Package's default": "Package નું default", "Packages": "પેકેજો", "Packages found: {0}": "મળેલા packages: {0}", - "Partially": "આંશિક રીતે", - "Password": "પાસવર્ડ", "Paste a valid URL to the database": "database માં માન્ય URL paste કરો", - "Pause updates for": "આ સમય માટે updates pause કરો", "Perform a backup now": "હમણાં backup કરો", - "Perform a cloud backup now": "હમણાં cloud backup કરો", - "Perform a local backup now": "હમણાં local backup કરો", - "Perform integrity checks at startup": "startup સમયે integrity checks કરો", - "Performing backup, please wait...": "backup થઈ રહ્યું છે, કૃપા કરીને રાહ જુઓ...", "Periodically perform a backup of the installed packages": "નિયમિત અંતરે installed packages નો backup કરો", - "Periodically perform a cloud backup of the installed packages": "નિયમિત અંતરે installed packages નો cloud backup કરો", - "Periodically perform a local backup of the installed packages": "નિયમિત અંતરે installed packages નો local backup કરો", - "Please check the installation options for this package and try again": "આ package માટે installation options તપાસો અને ફરી પ્રયાસ કરો", - "Please click on \"Continue\" to continue": "આગળ વધવા માટે \"Continue\" પર ક્લિક કરો", "Please enter at least 3 characters": "કૃપા કરીને ઓછામાં ઓછા 3 અક્ષરો દાખલ કરો", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "કૃપા કરીને નોંધો કે આ machine પર સક્રિય package managers ને કારણે કેટલાક packages install ન થઈ શકે.", - "Please note that not all package managers may fully support this feature": "કૃપા કરીને નોંધો કે બધા package managers આ feature ને સંપૂર્ણપણે support ન કરતાં હોય શકે", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "કૃપા કરીને નોંધો કે ચોક્કસ sources ના packages export ન થઈ શકે. તેમને grey out કરવામાં આવ્યા છે અને export નહીં થાય.", - "Please run UniGetUI as a regular user and try again.": "કૃપા કરીને UniGetUI ને regular user તરીકે ચલાવો અને ફરી પ્રયાસ કરો.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "સમસ્યા વિશે વધુ માહિતી માટે Command-line Output જુઓ અથવા Operation History નો સંદર્ભ લો.", "Please select how you want to configure WingetUI": "કૃપા કરીને WingetUI ને કેવી રીતે configure કરવું છે તે પસંદ કરો", - "Please try again later": "કૃપા કરીને પછી ફરી પ્રયાસ કરો", "Please type at least two characters": "કૃપા કરીને ઓછામાં ઓછા બે અક્ષરો type કરો", - "Please wait": "કૃપા કરીને રાહ જુઓ", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} install થઈ રહ્યું હોય ત્યારે કૃપા કરીને રાહ જુઓ. કાળી window દેખાઈ શકે છે. તે બંધ થાય ત્યાં સુધી રાહ જુઓ.", - "Please wait...": "કૃપા કરીને રાહ જુઓ...", "Portable": "પોર્ટેબલ", - "Portable mode": "પોર્ટેબલ મોડ\n", - "Post-install command:": "સ્થાપન પછીનો આદેશ:", - "Post-uninstall command:": "અનઇન્સ્ટોલ પછીનો આદેશ:", - "Post-update command:": "અપડેટ પછીનો આદેશ:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell નો package manager. PowerShell ક્ષમતાઓ વધારવા માટે libraries અને scripts શોધો
સમાવે છે: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre અને post install commands તમારા device સાથે ખૂબ નુકસાનકારક કામો કરી શકે છે, જો તે એ હેતુ માટે બનાવવામાં આવ્યા હોય. bundle માંથી commands import કરવું ખૂબ જોખમી હોઈ શકે છે, જ્યાં સુધી તમે તે package bundle ના source પર trust ન કરો", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre અને post install commands package install, upgrade અથવા uninstall થાય તે પહેલાં અને પછી ચલાવવામાં આવશે. સાવચેત રહો, કારણ કે કાળજીપૂર્વક ઉપયોગ ન કરવામાં આવે તો તે વસ્તુઓ બગાડી શકે છે", - "Pre-install command:": "સ્થાપન પહેલાંનો આદેશ:", - "Pre-uninstall command:": "અનઇન્સ્ટોલ પહેલાંનો આદેશ:", - "Pre-update command:": "અપડેટ પહેલાંનો આદેશ:", - "PreRelease": "પૂર્વ-પ્રકાશન", - "Preparing packages, please wait...": "packages તૈયાર થઈ રહ્યા છે, કૃપા કરીને રાહ જુઓ...", - "Proceed at your own risk.": "તમારા જોખમે આગળ વધો.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator અથવા GSudo દ્વારા કોઈપણ પ્રકારના Elevation પર પ્રતિબંધ મૂકો", - "Proxy URL": "પ્રોક્સી URL", - "Proxy compatibility table": "પ્રોક્સી સુસંગતતા કોષ્ટક", - "Proxy settings": "પ્રોક્સી સેટિંગ્સ", - "Proxy settings, etc.": "Proxy settings, વગેરે.", "Publication date:": "પ્રકાશન તારીખ:", - "Publisher": "પ્રકાશક", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python નો library manager. python libraries અને અન્ય python સંબંધિત utilities થી ભરેલો
સમાવે છે: Python libraries અને સંબંધિત utilities", - "Quit": "બહાર નીકળો", "Quit WingetUI": "UniGetUI બંધ કરો", - "Ready": "તૈયાર", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts ઓછા કરો, installations ને ડિફૉલ્ટ તરીકે elevate કરો, ચોક્કસ જોખમી features unlock કરો, વગેરે.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "અસરગ્રસ્ત file(s) વિશે વધુ વિગતો મેળવવા માટે UniGetUI Logs જુઓ", - "Reinstall": "ફરી install કરો", - "Reinstall package": "package ફરી install કરો", - "Related settings": "સંબંધિત settings", - "Release notes": "પ્રકાશન નોંધો", - "Release notes URL": "પ્રકાશન નોંધો URL", "Release notes URL:": "પ્રકાશન નોંધો URL:", "Release notes:": "પ્રકાશન નોંધો:", "Reload": "ફરી load કરો", - "Reload log": "log ફરી load કરો", "Removal failed": "દૂર કરવું નિષ્ફળ ગયું", "Removal succeeded": "દૂર કરવું સફળ થયું", - "Remove from list": "યાદીમાંથી દૂર કરો", "Remove permanent data": "કાયમી data દૂર કરો", - "Remove selection from bundle": "bundle માંથી selection દૂર કરો", "Remove successful installs/uninstalls/updates from the installation list": "installation યાદીમાંથી સફળ installs/uninstalls/updates દૂર કરો", - "Removing source {source}": "source {source} દૂર કરી રહ્યા છીએ", - "Removing source {source} from {manager}": "{manager} માંથી source {source} દૂર કરી રહ્યા છીએ", - "Repair UniGetUI": "UniGetUI repair કરો", - "Repair WinGet": "WinGet repair કરો", - "Report an issue or submit a feature request": "issue report કરો અથવા feature request મોકલો", "Repository": "રિપોઝિટરી", - "Reset": "Reset કરો", "Reset Scoop's global app cache": "Scoop નું global app cache reset કરો", - "Reset UniGetUI": "UniGetUI reset કરો", - "Reset WinGet": "WinGet reset કરો", "Reset Winget sources (might help if no packages are listed)": "WinGet sources reset કરો (જો કોઈ packages યાદીમાં ન હોય તો મદદ મળી શકે)", - "Reset WingetUI": "UniGetUI reset કરો", "Reset WingetUI and its preferences": "UniGetUI અને તેની preferences reset કરો", "Reset WingetUI icon and screenshot cache": "UniGetUI icon અને screenshot cache reset કરો", - "Reset list": "યાદી reset કરો", "Resetting Winget sources - WingetUI": "WinGet sources reset થઈ રહ્યા છે - UniGetUI", - "Restart": "Restart કરો", - "Restart UniGetUI": "UniGetUI restart કરો", - "Restart WingetUI": "UniGetUI restart કરો", - "Restart WingetUI to fully apply changes": "બદલાવો સંપૂર્ણપણે લાગુ કરવા માટે UniGetUI restart કરો", - "Restart later": "પછી restart કરો", "Restart now": "હવે restart કરો", - "Restart required": "Restart જરૂરી છે", "Restart your PC to finish installation": "installation પૂર્ણ કરવા માટે તમારો PC restart કરો", "Restart your computer to finish the installation": "installation પૂર્ણ કરવા માટે તમારું computer restart કરો", - "Restore a backup from the cloud": "cloud માંથી backup પુનઃસ્થાપિત કરો", - "Restrictions on package managers": "package managers પર પ્રતિબંધો", - "Restrictions on package operations": "package operations પર પ્રતિબંધો", - "Restrictions when importing package bundles": "package bundles import કરતી વખતે પ્રતિબંધો", - "Retry": "ફરી પ્રયાસ કરો", - "Retry as administrator": "administrator તરીકે ફરી પ્રયાસ કરો", "Retry failed operations": "નિષ્ફળ operations ફરી પ્રયાસ કરો", - "Retry interactively": "interactive રીતે ફરી પ્રયાસ કરો", - "Retry skipping integrity checks": "integrity checks skip કરીને ફરી પ્રયાસ કરો", "Retrying, please wait...": "ફરી પ્રયાસ કરી રહ્યા છીએ, કૃપા કરીને રાહ જુઓ...", "Return to top": "ટોચ પર પાછા જાઓ", - "Run": "ચલાવો", - "Run as admin": "admin તરીકે ચલાવો", - "Run cleanup and clear cache": "cleanup ચલાવો અને cache સાફ કરો", - "Run last": "છેલ્લે ચલાવો", - "Run next": "આગળ ચલાવો", - "Run now": "હમણાં ચલાવો", "Running the installer...": "installer ચાલી રહ્યો છે...", "Running the uninstaller...": "uninstaller ચાલી રહ્યો છે...", "Running the updater...": "updater ચાલી રહ્યો છે...", - "Save": "સાચવો", "Save File": "File સાચવો", - "Save and close": "સાચવો અને બંધ કરો", - "Save as": "આ રીતે સાચવો", - "Save bundle as": "bundle આ રીતે સાચવો", - "Save now": "હમણાં સાચવો", - "Saving packages, please wait...": "packages સાચવી રહ્યા છીએ, કૃપા કરીને રાહ જુઓ...", - "Scoop Installer - WingetUI": "Scoop સ્થાપક - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop અનઇન્સ્ટોલર - UniGetUI", - "Scoop package": "Scoop પેકેજ", + "Save bundle as": "bundle આ રીતે સાચવો", + "Save now": "હમણાં સાચવો", "Search": "શોધો", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "desktop software શોધો, updates ઉપલબ્ધ હોય ત્યારે મને ચેતવો અને વધુ જટિલ કામો ન કરો. મને WingetUI ને વધુ જટિલ બનાવવું નથી, મને ફક્ત એક સરળ software store જોઈએ છે", - "Search for packages": "packages શોધો", - "Search for packages to start": "શરૂ કરવા માટે packages શોધો", - "Search mode": "શોધ સ્થિતિ", "Search on available updates": "ઉપલબ્ધ updates માં શોધો", "Search on your software": "તમારા software માં શોધો", "Searching for installed packages...": "installed packages શોધી રહ્યા છીએ...", "Searching for packages...": "packages શોધી રહ્યા છીએ...", "Searching for updates...": "updates શોધી રહ્યા છીએ...", - "Select": "પસંદ કરો", "Select \"{item}\" to add your custom bucket": "તમારો custom bucket ઉમેરવા માટે \"{item}\" પસંદ કરો", "Select a folder": "ફોલ્ડર પસંદ કરો", - "Select all": "બધું પસંદ કરો", "Select all packages": "બધા packages પસંદ કરો", - "Select backup": "backup પસંદ કરો", "Select only if you know what you are doing.": "માત્ર જો તમને ખબર હોય કે તમે શું કરી રહ્યા છો ત્યારે જ પસંદ કરો.", "Select package file": "package file પસંદ કરો", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "તમે ખોલવા માંગતા backup ને પસંદ કરો. પછી તમે કયા packages install કરવા છે તે સમીક્ષા કરી શકશો.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "ઉપયોગ કરવાની executable પસંદ કરો. નીચેની યાદી UniGetUI દ્વારા મળેલી executables બતાવે છે", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "આ package install, update અથવા uninstall થાય તે પહેલાં બંધ કરવાના processes પસંદ કરો.", - "Select the source you want to add:": "તમે ઉમેરવા માંગતા source ને પસંદ કરો:", - "Select upgradable packages by default": "ડિફૉલ્ટ રીતે upgradable packages પસંદ કરો", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "કયા package managers નો ઉપયોગ કરવો ({0}), packages કેવી રીતે install થાય તે configure કરવું, administrator rights કેવી રીતે હેન્ડલ થાય તે મેનેજ કરવું, વગેરે પસંદ કરો.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake મોકલ્યો. instance listener ના જવાબની રાહ જોઈ રહ્યા છીએ... ({0}%)", - "Set a custom backup file name": "custom backup file name સેટ કરો", "Set custom backup file name": "custom backup file name સેટ કરો", - "Settings": "સેટિંગ્સ", - "Share": "Share કરો", "Share WingetUI": "UniGetUI share કરો", - "Share anonymous usage data": "anonymous usage data share કરો", - "Share this package": "આ package share કરો", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "જો તમે security settings માં ફેરફાર કરો, તો બદલાવો લાગુ થવા માટે તમને bundle ફરી ખોલવું પડશે.", "Show UniGetUI on the system tray": "UniGetUI ને system tray પર બતાવો", - "Show UniGetUI's version and build number on the titlebar.": "titlebar પર UniGetUI નું version અને build number બતાવો.", - "Show WingetUI": "UniGetUI બતાવો", "Show a notification when an installation fails": "installation નિષ્ફળ જાય ત્યારે notification બતાવો", "Show a notification when an installation finishes successfully": "installation સફળતાપૂર્વક પૂર્ણ થાય ત્યારે notification બતાવો", - "Show a notification when an operation fails": "operation નિષ્ફળ જાય ત્યારે notification બતાવો", - "Show a notification when an operation finishes successfully": "operation સફળતાપૂર્વક પૂર્ણ થાય ત્યારે notification બતાવો", - "Show a notification when there are available updates": "ઉપલબ્ધ updates હોય ત્યારે notification બતાવો", - "Show a silent notification when an operation is running": "operation ચાલી રહી હોય ત્યારે silent notification બતાવો", "Show details": "વિગતો બતાવો", - "Show in explorer": "explorer માં બતાવો", "Show info about the package on the Updates tab": "Updates tab પર package વિશેની માહિતી બતાવો", "Show missing translation strings": "ગુમ translation strings બતાવો", - "Show notifications on different events": "વિવિધ ઘટનાઓ પર notifications બતાવો", "Show package details": "package વિગતો બતાવો", - "Show package icons on package lists": "package lists માં package icons બતાવો", - "Show similar packages": "સમાન packages બતાવો", "Show the live output": "live output બતાવો", - "Size": "કદ", "Skip": "છોડી દો", - "Skip hash check": "hash check છોડો", - "Skip hash checks": "hash checks છોડો", - "Skip integrity checks": "integrity checks છોડો", - "Skip minor updates for this package": "આ package માટે minor updates છોડો", "Skip the hash check when installing the selected packages": "પસંદ કરેલા packages install કરતી વખતે hash check છોડો", "Skip the hash check when updating the selected packages": "પસંદ કરેલા packages update કરતી વખતે hash check છોડો", - "Skip this version": "આ આવૃત્તિ છોડો", - "Software Updates": "સોફ્ટવેર અપડેટ્સ", - "Something went wrong": "કંઈક ખોટું થયું", - "Something went wrong while launching the updater.": "updater launch કરતી વખતે કંઈક ખોટું થયું.", - "Source": "સ્ત્રોત", - "Source URL:": "સ્ત્રોત URL:", - "Source added successfully": "Source સફળતાપૂર્વક ઉમેરાયો", "Source addition failed": "Source ઉમેરવું નિષ્ફળ ગયું", - "Source name:": "સ્ત્રોત નામ:", "Source removal failed": "Source દૂર કરવું નિષ્ફળ ગયું", - "Source removed successfully": "Source સફળતાપૂર્વક દૂર થયો", "Source:": "સ્ત્રોત:", - "Sources": "સ્ત્રોતો", "Start": "શરૂ કરો", "Starting daemons...": "daemons શરૂ થઈ રહ્યા છે...", - "Starting operation...": "operation શરૂ થઈ રહી છે...", "Startup options": "પ્રારંભ વિકલ્પો", "Status": "સ્થિતિ", "Stuck here? Skip initialization": "અહીં અટવાઈ ગયા? initialization છોડો", - "Success!": "સફળતા!", "Suport the developer": "developer ને support કરો", "Support me": "મને support કરો", "Support the developer": "developer ને support કરો", "Systems are now ready to go!": "systems હવે તૈયાર છે!", - "Telemetry": "ટેલિમેટ્રી", - "Text": "લખાણ", "Text file": "લખાણ ફાઇલ", - "Thank you ❤": "આભાર ❤", "Thank you 😉": "આભાર 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust package manager.
સમાવે છે: Rust libraries અને Rust માં લખાયેલા programs", - "The backup will NOT include any binary file nor any program's saved data.": "backup માં કોઈ binary file અથવા કોઈ program નું saved data શામેલ નહીં હોય.", - "The backup will be performed after login.": "backup login પછી કરવામાં આવશે.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup માં installed packages અને તેમની installation options ની સંપૂર્ણ યાદી શામેલ હશે. ignored updates અને skipped versions પણ સાચવવામાં આવશે.", - "The bundle was created successfully on {0}": "bundle સફળતાપૂર્વક {0} પર બનાવાયું", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "તમે load કરવાનો પ્રયાસ કરી રહ્યા છો તે bundle અમાન્ય લાગે છે. કૃપા કરીને file તપાસો અને ફરી પ્રયાસ કરો.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "installer નો checksum અપેક્ષિત value સાથે મેળ ખાતો નથી, અને installer ની authenticity ચકાસી શકાતી નથી. જો તમે publisher પર trust કરો છો, તો hash check છોડીને package ને ફરી {0} કરો.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows માટેનો પરંપરાગત package manager. તમને ત્યાં બધું મળશે.
સમાવે છે: General Software", - "The cloud backup completed successfully.": "cloud backup સફળતાપૂર્વક પૂર્ણ થયું.", - "The cloud backup has been loaded successfully.": "cloud backup સફળતાપૂર્વક load થયું છે.", - "The current bundle has no packages. Add some packages to get started": "હાલના bundle માં કોઈ packages નથી. શરૂઆત કરવા માટે થોડાં packages ઉમેરો", - "The executable file for {0} was not found": "{0} માટે executable file મળી નથી", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "દર વખતે {0} package install, upgrade અથવા uninstall થાય ત્યારે નીચેના options ડિફૉલ્ટ રીતે લાગુ થશે.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "નીચેના packages JSON file માં export થવાના છે. કોઈ user data અથવા binaries સાચવવામાં નહીં આવે.", "The following packages are going to be installed on your system.": "નીચેના packages તમારા system પર install થવાના છે.", - "The following settings may pose a security risk, hence they are disabled by default.": "નીચેની settings security risk ઉભો કરી શકે છે, તેથી તે ડિફૉલ્ટ રીતે નિષ્ક્રિય છે.", - "The following settings will be applied each time this package is installed, updated or removed.": "દર વખતે આ package install, update અથવા remove થાય ત્યારે નીચેની settings લાગુ થશે.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "દર વખતે આ package install, update અથવા remove થાય ત્યારે નીચેની settings લાગુ થશે. તે આપમેળે સાચવાશે.", "The icons and screenshots are maintained by users like you!": "icons અને screenshots તમારા જેવા users જ જાળવે છે!", - "The installation script saved to {0}": "installation script {0} માં સાચવાઈ", - "The installer authenticity could not be verified.": "installer ની authenticity ચકાસી શકાઈ નથી.", "The installer has an invalid checksum": "installer નો checksum અમાન્ય છે", "The installer hash does not match the expected value.": "installer નો hash અપેક્ષિત value સાથે મેળ ખાતો નથી.", - "The local icon cache currently takes {0} MB": "local icon cache હાલમાં {0} MB લે છે", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "આ project નો મુખ્ય હેતુ Windows માટેના સામાન્ય CLI package managers, જેમ કે Winget અને Scoop, ને મેનેજ કરવા માટે એક intuitive UI બનાવવાનો છે.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "package manager \"{1}\" પર package \"{0}\" મળ્યું નથી", - "The package bundle could not be created due to an error.": "ભૂલને કારણે package bundle બનાવી શકાયું નથી.", - "The package bundle is not valid": "package bundle માન્ય નથી", - "The package manager \"{0}\" is disabled": "package manager \"{0}\" નિષ્ક્રિય છે", - "The package manager \"{0}\" was not found": "package manager \"{0}\" મળ્યો નથી", "The package {0} from {1} was not found.": "{1} માંથી package {0} મળ્યો નથી.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "અહીં સૂચિબદ્ધ packages ને updates તપાસતી વખતે ધ્યાનમાં લેવામાં આવશે નહીં. તેમના updates ને ignore કરવાનું બંધ કરવા માટે packages પર double-click કરો અથવા તેમની જમણી બાજુના button પર click કરો.", "The selected packages have been blacklisted": "પસંદ કરેલા packages blacklist કરવામાં આવ્યા છે", - "The settings will list, in their descriptions, the potential security issues they may have.": "settings તેમની descriptions માં સંભવિત security issues ની યાદી બતાવશે.", - "The size of the backup is estimated to be less than 1MB.": "backup નું કદ 1MB થી ઓછું હોવાનો અંદાજ છે.", - "The source {source} was added to {manager} successfully": "source {source} સફળતાપૂર્વક {manager} માં ઉમેરાયો", - "The source {source} was removed from {manager} successfully": "source {source} સફળતાપૂર્વક {manager} માંથી દૂર થયો", - "The system tray icon must be enabled in order for notifications to work": "notifications કામ કરે તે માટે system tray icon સક્રિય હોવો જરૂરી છે", - "The update process has been aborted.": "update process બંધ કરી દેવાઈ છે.", - "The update process will start after closing UniGetUI": "UniGetUI બંધ થયા પછી update process શરૂ થશે", "The update will be installed upon closing WingetUI": "UniGetUI બંધ કરતાં update install થશે", "The update will not continue.": "update આગળ ચાલુ નહીં રહે.", "The user has canceled {0}, that was a requirement for {1} to be run": "user એ {0} રદ કર્યું, અને {1} ચલાવવા માટે તે જરૂરી હતું", - "There are no new UniGetUI versions to be installed": "install કરવા માટે UniGetUI ની કોઈ નવી versions નથી", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "operations ચાલુ છે. UniGetUI બંધ કરવાથી તે નિષ્ફળ જઈ શકે છે. શું તમે આગળ વધવા માંગો છો?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube પર કેટલાક ઉત્તમ videos છે જે UniGetUI અને તેની capabilities બતાવે છે. તમે ઉપયોગી tips અને tricks શીખી શકો છો!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI ને administrator તરીકે ન ચલાવવાના બે મુખ્ય કારણો છે:\nપહેલું કારણ એ છે કે Scoop package manager administrator rights સાથે ચલાવાય ત્યારે કેટલીક commands સાથે સમસ્યાઓ પેદા કરી શકે છે.\nબીજું કારણ એ છે કે UniGetUI ને administrator તરીકે ચલાવવાનો અર્થ એ છે કે તમે download કરેલો કોઈપણ package administrator તરીકે જ ચાલશે (અને તે સુરક્ષિત નથી).\nયાદ રાખો કે જો તમને કોઈ ચોક્કસ package ને administrator તરીકે install કરવો હોય, તો તમે હંમેશા item પર right-click કરીને -> Install/Update/Uninstall as administrator પસંદ કરી શકો છો.", - "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" ની configuration માં ભૂલ છે", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "installation ચાલુ છે. જો તમે UniGetUI બંધ કરો, તો installation નિષ્ફળ જઈ શકે છે અને અનપેક્ષિત પરિણામો આવી શકે છે. શું તમે હજુ પણ UniGetUI બંધ કરવા માંગો છો?", "They are the programs in charge of installing, updating and removing packages.": "તે programs છે જે packages install, update અને remove કરવા માટે જવાબદાર છે.", - "Third-party licenses": "તૃતીય-પક્ષ લાઇસન્સ", "This could represent a security risk.": "આ security risk હોઈ શકે છે.", - "This is not recommended.": "આ ભલામણ કરેલું નથી.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "આ કદાચ તે માટે છે કે તમને મોકલાયેલ package દૂર કરવામાં આવ્યો હતો, અથવા તે એવા package manager પર publish થયો હતો જેને તમે સક્રિય કર્યો નથી. પ્રાપ્ત થયેલ ID {0} છે", "This is the default choice.": "આ default choice છે.", - "This may help if WinGet packages are not shown": "જો WinGet packages બતાતા ન હોય તો આ મદદરૂપ થઈ શકે છે", - "This may help if no packages are listed": "જો કોઈ packages સૂચિબદ્ધ ન હોય તો આ મદદરૂપ થઈ શકે છે", - "This may take a minute or two": "આમાં એક-બે મિનિટ લાગી શકે છે", - "This operation is running interactively.": "આ operation interactive રીતે ચાલી રહી છે.", - "This operation is running with administrator privileges.": "આ operation administrator privileges સાથે ચાલી રહી છે.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "આ option ચોક્કસ સમસ્યાઓ ઊભી કરશે. જે operation પોતે elevate ન થઈ શકે તે નિષ્ફળ જશે. Install/update/uninstall as administrator કામ નહીં કરે.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "આ package bundle માં કેટલીક settings હતી જે સંભવિત રીતે જોખમી છે, અને ડિફૉલ્ટ રીતે તેને અવગણવામાં આવી શકે છે.", "This package can be updated": "આ package update થઈ શકે છે", "This package can be updated to version {0}": "આ package ને version {0} સુધી update કરી શકાય છે", - "This package can be upgraded to version {0}": "આ package ને version {0} સુધી upgrade કરી શકાય છે", - "This package cannot be installed from an elevated context.": "આ package elevated context માંથી install થઈ શકતું નથી.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "આ package માં screenshots નથી કે icon ખૂટે છે? અમારી ખુલ્લી જાહેર database માં ખૂટતા icons અને screenshots ઉમેરીને UniGetUI માં યોગદાન આપો.", - "This package is already installed": "આ package પહેલેથી install છે", - "This package is being processed": "આ package process થઈ રહ્યું છે", - "This package is not available": "આ package ઉપલબ્ધ નથી", - "This package is on the queue": "આ package queue માં છે", "This process is running with administrator privileges": "આ process administrator privileges સાથે ચાલી રહી છે", - "This project has no connection with the official {0} project — it's completely unofficial.": "આ project નો official {0} project સાથે કોઈ સંબંધ નથી — આ સંપૂર્ણપણે અનૌપચારિક છે.", "This setting is disabled": "આ setting નિષ્ક્રિય છે", "This wizard will help you configure and customize WingetUI!": "આ wizard તમને UniGetUI ને configure અને customize કરવામાં મદદ કરશે!", "Toggle search filters pane": "search filters pane toggle કરો", - "Translators": "અનુવાદકો", - "Try to kill the processes that refuse to close when requested to": "જ્યારે બંધ કરવા કહેવામાં આવે ત્યારે બંધ થવાથી ઇનકાર કરતી processes ને kill કરવાનો પ્રયાસ કરો", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "આને ચાલુ કરવાથી package managers સાથે કામ કરવા માટે વપરાતી executable file બદલી શકાય છે. આ તમારા install processes ને વધુ સૂક્ષ્મ રીતે customize કરવાની મંજૂરી આપે છે, પરંતુ તે જોખમી પણ હોઈ શકે છે", "Type here the name and the URL of the source you want to add, separed by a space.": "તમે ઉમેરવા માંગતા source નું name અને URL અહીં લખો, જેને space થી અલગ કરવામાં આવ્યું હોય.", "Unable to find package": "package શોધી શક્યા નથી", "Unable to load informarion": "માહિતી load કરી શક્યા નથી", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI user experience સુધારવા માટે anonymous usage data એકત્રિત કરે છે.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI user experience ને સમજવા અને સુધારવા માટેના એકમાત્ર હેતુથી anonymous usage data એકત્રિત કરે છે.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI એ એક નવી desktop shortcut શોધી છે જેને આપમેળે delete કરી શકાય છે.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI એ નીચેની desktop shortcuts શોધી છે જેને future upgrades દરમિયાન આપમેળે દૂર કરી શકાય છે", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI એ {0} નવી desktop shortcuts શોધી છે જેને આપમેળે delete કરી શકાય છે.", - "UniGetUI is being updated...": "UniGetUI update થઈ રહ્યું છે...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI નો કોઈપણ compatible package managers સાથે સંબંધ નથી. UniGetUI એક સ્વતંત્ર project છે.", - "UniGetUI on the background and system tray": "background અને system tray માં UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI અથવા તેના કેટલાક components ખૂટે છે અથવા બગડેલા છે.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ને કામ કરવા માટે {0} જરૂરી છે, પરંતુ તે તમારા system પર મળ્યું નથી.", - "UniGetUI startup page:": "UniGetUI પ્રારંભ પાનું:", - "UniGetUI updater": "UniGetUI અપડેટર", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} download થઈ રહ્યું છે.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} install કરવા માટે તૈયાર છે.", - "Uninstall": "અનઇન્સ્ટોલ કરો", - "uninstall": "અનઇન્સ્ટોલ કરો", - "Uninstall Scoop (and its packages)": "Scoop (અને તેના packages) uninstall કરો", "Uninstall and more": "Uninstall અને વધુ", - "Uninstall and remove data": "uninstall કરો અને data દૂર કરો", - "Uninstall as administrator": "administrator તરીકે uninstall કરો", "Uninstall canceled by the user!": "user દ્વારા uninstall રદ કરવામાં આવ્યું!", - "Uninstall failed": "uninstall નિષ્ફળ ગયું", - "Uninstall options": "અનઇન્સ્ટોલ વિકલ્પો", - "Uninstall package": "package uninstall કરો", - "Uninstall package, then reinstall it": "package uninstall કરો, પછી તેને ફરી install કરો", - "Uninstall package, then update it": "package uninstall કરો, પછી તેને update કરો", - "Uninstall previous versions when updated": "update થયા પછી અગાઉની versions uninstall કરો", - "Uninstall selected packages": "પસંદ કરેલા packages uninstall કરો", - "Uninstall selection": "selection uninstall કરો", - "Uninstall succeeded": "uninstall સફળ થયું", "Uninstall the selected packages with administrator privileges": "administrator privileges સાથે પસંદ કરેલા packages uninstall કરો", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "જે uninstallable packages નું origin \"{0}\" તરીકે સૂચિબદ્ધ છે તે કોઈપણ package manager પર publish થયા નથી, તેથી તેમના વિશે બતાવવા માટે કોઈ માહિતી ઉપલબ્ધ નથી.", - "Unknown": "અજ્ઞાત", - "Unknown size": "અજ્ઞાત કદ", - "Unset or unknown": "unset અથવા અજ્ઞાત", - "Up to date": "તાજું", - "Update": "અપડેટ", - "Update WingetUI automatically": "UniGetUI ને આપમેળે update કરો", - "Update all": "બધું update કરો", "Update and more": "Update અને વધુ", - "Update as administrator": "administrator તરીકે update કરો", - "Update check frequency, automatically install updates, etc.": "update તપાસવાની આવર્તન, updates આપમેળે install કરો, વગેરે.", - "Update checking": "update તપાસ", "Update date": "update તારીખ", - "Update failed": "Update નિષ્ફળ ગયું", "Update found!": "Update મળ્યું!", - "Update now": "હવે update કરો", - "Update options": "અપડેટ વિકલ્પો", "Update package indexes on launch": "launch પર package indexes update કરો", "Update packages automatically": "packages આપમેળે update કરો", "Update selected packages": "પસંદ કરેલા packages update કરો", "Update selected packages with administrator privileges": "administrator privileges સાથે પસંદ કરેલા packages update કરો", - "Update selection": "selection update કરો", - "Update succeeded": "Update સફળ થયું", - "Update to version {0}": "version {0} સુધી update કરો", - "Update to {0} available": "{0} માટે update ઉપલબ્ધ છે", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg ના Git portfiles આપમેળે update કરો (Git install થયેલું હોવું જરૂરી છે)", "Updates": "અપડેટ્સ", "Updates available!": "Updates ઉપલબ્ધ છે!", - "Updates for this package are ignored": "આ package માટેના updates ignore કરવામાં આવ્યા છે", - "Updates found!": "Updates મળ્યા!", "Updates preferences": "અપડેટ પસંદગીઓ", "Updating WingetUI": "UniGetUI update થઈ રહ્યું છે", "Url": "URL સરનામું", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets ની બદલે Legacy bundled WinGet વાપરો", - "Use a custom icon and screenshot database URL": "custom icon અને screenshot database URL વાપરો", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets ની બદલે bundled WinGet વાપરો", - "Use bundled WinGet instead of system WinGet": "system WinGet ની બદલે bundled WinGet વાપરો", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator ની બદલે installed GSudo વાપરો", "Use installed GSudo instead of the bundled one": "bundled ના બદલે installed GSudo વાપરો", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "legacy UniGetUI Elevator વાપરો (AdminByRequest support અક્ષમ કરો)", - "Use system Chocolatey": "system Chocolatey વાપરો", "Use system Chocolatey (Needs a restart)": "system Chocolatey વાપરો (restart જરૂરી છે)", "Use system Winget (Needs a restart)": "system WinGet વાપરો (restart જરૂરી છે)", "Use system Winget (System language must be set to english)": "system WinGet વાપરો (system language English હોવી જરૂરી છે)", "Use the WinGet COM API to fetch packages": "packages મેળવવા માટે WinGet COM API વાપરો", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API ની બદલે WinGet PowerShell Module વાપરો", - "Useful links": "ઉપયોગી links", "User": "વપરાશકર્તા", - "User interface preferences": "વપરાશકર્તા ઇન્ટરફેસ પસંદગીઓ", "User | Local": "વપરાશકર્તા | સ્થાનિક", - "Username": "વપરાશકર્તા નામ", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI નો ઉપયોગ કરવાથી GNU Lesser General Public License v2.1 License સ્વીકાર્ય ગણાશે", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI નો ઉપયોગ કરવાથી MIT License સ્વીકાર્ય ગણાશે", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root મળ્યું નથી. કૃપા કરીને %VCPKG_ROOT% environment variable નિર્ધારિત કરો અથવા UniGetUI Settings માંથી સેટ કરો", "Vcpkg was not found on your system.": "તમારા system પર Vcpkg મળ્યું નથી.", - "Verbose": "વિગતવાર", - "Version": "આવૃત્તિ", - "Version to install:": "install કરવાની version:", - "Version:": "આવૃત્તિ:", - "View GitHub Profile": "GitHub Profile જુઓ", "View WingetUI on GitHub": "GitHub પર UniGetUI જુઓ", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI નો source code જુઓ. ત્યાંથી તમે bugs report કરી શકો છો, features સૂચવી શકો છો, અથવા સીધા UniGetUI Project માં યોગદાન આપી શકો છો", - "View mode:": "દેખાવ સ્થિતિ:", - "View on UniGetUI": "UniGetUI પર જુઓ", - "View page on browser": "browser માં page જુઓ", - "View {0} logs": "{0} logs જુઓ", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet connectivity જરૂરી હોય તેવી tasks કરવાનો પ્રયાસ કરતા પહેલાં device internet સાથે જોડાય ત્યાં સુધી રાહ જુઓ.", "Waiting for other installations to finish...": "અન્ય installations પૂર્ણ થાય તેની રાહ જોઈ રહ્યા છીએ...", "Waiting for {0} to complete...": "{0} પૂર્ણ થાય તેની રાહ જોઈ રહ્યા છીએ...", - "Warning": "ચેતવણી", - "Warning!": "ચેતવણી!", - "We are checking for updates.": "અમે updates તપાસી રહ્યા છીએ.", "We could not load detailed information about this package, because it was not found in any of your package sources": "આ package વિશે વિગતવાર માહિતી load કરી શકાઈ નથી, કારણ કે તે તમારા કોઈપણ package sources માં મળ્યું નથી", "We could not load detailed information about this package, because it was not installed from an available package manager.": "આ package વિશે વિગતવાર માહિતી load કરી શકાઈ નથી, કારણ કે તે ઉપલબ્ધ package manager માંથી install થયું નથી.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "અમે {action} {package} કરી શક્યા નથી. કૃપા કરીને પછી ફરી પ્રયત્ન કરો. installer માંથી logs મેળવવા માટે \"{showDetails}\" પર click કરો.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "અમે {action} {package} કરી શક્યા નથી. કૃપા કરીને પછી ફરી પ્રયત્ન કરો. uninstaller માંથી logs મેળવવા માટે \"{showDetails}\" પર click કરો.", "We couldn't find any package": "અમે કોઈ package શોધી શક્યા નથી", "Welcome to WingetUI": "UniGetUI માં આપનું સ્વાગત છે", - "When batch installing packages from a bundle, install also packages that are already installed": "bundle માંથી batch install કરતી વખતે પહેલેથી install થયેલા packages પણ install કરો", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "નવી shortcuts શોધાય ત્યારે આ dialog બતાવવાને બદલે તેને આપમેળે delete કરો.", - "Which backup do you want to open?": "તમે કયો backup ખોલવા માંગો છો?", "Which package managers do you want to use?": "તમે કયા package managers નો ઉપયોગ કરવા માંગો છો?", "Which source do you want to add?": "તમે કયો source ઉમેરવા માંગો છો?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "જ્યારે WinGet નો ઉપયોગ UniGetUI માં થઈ શકે છે, ત્યારે UniGetUI નો ઉપયોગ અન્ય package managers સાથે પણ થઈ શકે છે, જે ગૂંચવણભર્યું થઈ શકે છે. ભૂતકાળમાં WingetUI માત્ર Winget સાથે કામ કરવા માટે ડિઝાઇન થયું હતું, પરંતુ હવે એવું નથી, અને તેથી WingetUI હવે આ project શું બનવા માંગે છે તેનો યોગ્ય પ્રતિનિધિત્વ કરતું નથી.", - "WinGet could not be repaired": "WinGet repair થઈ શક્યું નથી", - "WinGet malfunction detected": "WinGet માં ખામી મળી", - "WinGet was repaired successfully": "WinGet સફળતાપૂર્વક repair થયું", "WingetUI": "UniGetUI એપ", "WingetUI - Everything is up to date": "UniGetUI - બધું તાજું છે", "WingetUI - {0} updates are available": "UniGetUI - {0} updates ઉપલબ્ધ છે", "WingetUI - {0} {1}": "UniGetUI - {0} {1} સ્થિતિ", - "WingetUI Homepage": "UniGetUI મુખ્ય પૃષ્ઠ", "WingetUI Homepage - Share this link!": "UniGetUI Homepage - આ link share કરો!", - "WingetUI License": "UniGetUI લાઇસન્સ", - "WingetUI Log": "UniGetUI લોગ", - "WingetUI log": "UniGetUI લોગ", - "WingetUI Repository": "UniGetUI રિપોઝિટરી", - "WingetUI Settings": "UniGetUI સેટિંગ્સ", "WingetUI Settings File": "UniGetUI સેટિંગ્સ ફાઇલ", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI નીચેની libraries નો ઉપયોગ કરે છે. તેમના વગર UniGetUI શક્ય ન હોત.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI નીચેની libraries નો ઉપયોગ કરે છે. તેમના વગર UniGetUI શક્ય ન હોત.", - "WingetUI Version {0}": "UniGetUI આવૃત્તિ {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostart વર્તન, એપ્લિકેશન પ્રારંભ સેટિંગ્સ", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI તપાસી શકે છે કે તમારા software માટે updates ઉપલબ્ધ છે કે નહીં, અને તમે ઇચ્છો તો તેને આપમેળે install કરી શકે છે", - "WingetUI display language:": "UniGetUI દર્શાવવાની ભાષા:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ને administrator તરીકે ચલાવવામાં આવ્યું છે, જે ભલામણ કરેલું નથી. UniGetUI ને administrator તરીકે ચલાવતાં, UniGetUI માંથી શરૂ થતી EVERY operation administrator privileges સાથે ચાલશે. તમે હજુ પણ program નો ઉપયોગ કરી શકો છો, પરંતુ UniGetUI ને administrator privileges સાથે ન ચલાવવાની અમારી મજબૂત ભલામણ છે.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "સ્વયંસેવક translators ના કારણે UniGetUI નો અનુવાદ 40 થી વધુ ભાષાઓમાં થયો છે. આભાર 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI નો machine translation કરવામાં આવ્યો નથી. નીચેના users અનુવાદ માટે જવાબદાર રહ્યા છે:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI એક application છે જે તમારા command-line package managers માટે all-in-one graphical interface આપી તમારા software ને મેનેજ કરવાનું સરળ બનાવે છે.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI નું નામ બદલવામાં આવી રહ્યું છે જેથી UniGetUI (જે interface તમે હાલ ઉપયોગ કરી રહ્યા છો) અને Winget (Microsoft દ્વારા વિકસિત package manager, જેના સાથે મારો કોઈ સંબંધ નથી) વચ્ચેનો ફરક વધુ સ્પષ્ટ થાય", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI update થઈ રહ્યું છે. પૂર્ણ થયા પછી UniGetUI પોતે restart થશે", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI મફત છે, અને હંમેશા મફત રહેશે. કોઈ ads નહીં, કોઈ credit card નહીં, કોઈ premium version નહીં. 100% મફત, હંમેશા માટે.", + "WingetUI log": "UniGetUI લોગ", "WingetUI tray application preferences": "UniGetUI tray એપ્લિકેશન પસંદગીઓ", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI નીચેની libraries નો ઉપયોગ કરે છે. તેમના વગર UniGetUI શક્ય ન હોત.", "WingetUI version {0} is being downloaded.": "UniGetUI version {0} download થઈ રહ્યું છે.", "WingetUI will become {newname} soon!": "WingetUI ટૂંક સમયમાં {newname} બનશે!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI નિયમિત રીતે updates તપાસશે નહીં. launch સમયે તેઓ હજુ પણ તપાસવામાં આવશે, પરંતુ તમને તેની ચેતવણી આપવામાં નહીં આવે.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "દર વખતે package ને install કરવા elevation જરૂરી હોય ત્યારે UniGetUI UAC prompt બતાવશે.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI નું ટૂંક સમયમાં નામ {newname} થશે. આ application માં કોઈ ફેરફાર દર્શાવતું નથી. હું (developer) આ project નું development હાલ જેમ કરું છું તેમ જ ચાલુ રાખીશ, પરંતુ અલગ નામ હેઠળ.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "અમારા પ્રિય contributors ની મદદ વગર UniGetUI શક્ય ન હોત. તેમના GitHub profiles જુઓ, તેમના વગર UniGetUI શક્ય ન હોત!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors ની મદદ વગર UniGetUI શક્ય ન હોત. તમે સૌનો આભાર 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} install કરવા માટે તૈયાર છે.", - "Write here the process names here, separated by commas (,)": "અહીં process names comma (,) વડે અલગ કરીને લખો", - "Yes": "હા", - "You are logged in as {0} (@{1})": "તમે {0} (@{1}) તરીકે logged in છો", - "You can change this behavior on UniGetUI security settings.": "તમે આ વર્તન UniGetUI security settings માં બદલી શકો છો.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "આ package install, update અથવા uninstall થાય તે પહેલાં અથવા પછી ચલાવવાની commands તમે નિર્ધારિત કરી શકો છો. તે command prompt પર ચાલશે, તેથી CMD scripts અહીં કામ કરશે.", - "You have currently version {0} installed": "તમારા પાસે હાલમાં version {0} install છે", - "You have installed WingetUI Version {0}": "તમે UniGetUI Version {0} install કર્યું છે", - "You may lose unsaved data": "તમે unsaved data ગુમાવી શકો છો", - "You may need to install {pm} in order to use it with WingetUI.": "WingetUI સાથે તેનો ઉપયોગ કરવા માટે તમને {pm} install કરવાની જરૂર પડી શકે છે.", "You may restart your computer later if you wish": "જો તમે ઇચ્છો તો પછીથી તમારું computer restart કરી શકો છો", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "તમને માત્ર એક જ વાર prompt કરવામાં આવશે, અને જે packages administrator rights માગે છે તેમને તે આપવામાં આવશે.", "You will be prompted only once, and every future installation will be elevated automatically.": "તમને માત્ર એક જ વાર prompt કરવામાં આવશે, અને ભવિષ્યની દરેક installation આપમેળે elevate થશે.", - "You will likely need to interact with the installer.": "તમને સંભવિત રીતે installer સાથે interact કરવાની જરૂર પડશે.", - "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR તરીકે ચલાવવામાં આવ્યું]", "buy me a coffee": "મને coffee ખરીદો", - "extracted": "extract થયું", - "feature": "સુવિધા", "formerly WingetUI": "પહેલાં WingetUI", + "homepage": "વેબસાઇટ", + "install": "સ્થાપિત કરો", "installation": "સ્થાપન", - "installed": "install થયું", - "installing": "install થઈ રહ્યું છે", - "library": "લાઇબ્રેરી", - "mandatory": "ફરજિયાત", - "option": "વિકલ્પ", - "optional": "વૈકલ્પિક", + "uninstall": "અનઇન્સ્ટોલ કરો", "uninstallation": "અનઇન્સ્ટોલ પ્રક્રિયા", "uninstalled": "uninstall થયું", - "uninstalling": "uninstall થઈ રહ્યું છે", "update(noun)": "અપડેટ", "update(verb)": "અપડેટ કરો", "updated": "update થયું", - "updating": "update થઈ રહ્યું છે", - "version {0}": "આવૃત્તિ {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} ના Install options હાલમાં lock છે કારણ કે {0} ડિફૉલ્ટ install options અનુસરે છે.", "{0} Uninstallation": "{0} અનઇન્સ્ટોલ પ્રક્રિયા", "{0} aborted": "{0} રદ થયું", "{0} can be updated": "{0} update થઈ શકે છે", - "{0} can be updated to version {1}": "{0} ને version {1} સુધી update કરી શકાય છે", - "{0} days": "{0} દિવસ", - "{0} desktop shortcuts created": "{0} desktop shortcuts બનાવાઈ", "{0} failed": "{0} નિષ્ફળ ગયું", - "{0} has been installed successfully.": "{0} સફળતાપૂર્વક install થયું છે.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} સફળતાપૂર્વક install થયું છે. installation પૂર્ણ કરવા માટે UniGetUI restart કરવાની ભલામણ કરવામાં આવે છે", "{0} has failed, that was a requirement for {1} to be run": "{0} નિષ્ફળ ગયું, અને {1} ચલાવવા માટે તે જરૂરી હતું", - "{0} homepage": "{0} મુખ્ય પૃષ્ઠ", - "{0} hours": "{0} કલાક", "{0} installation": "{0} સ્થાપન", - "{0} installation options": "{0} સ્થાપન વિકલ્પો", - "{0} installer is being downloaded": "{0} installer download થઈ રહ્યો છે", - "{0} is being installed": "{0} install થઈ રહ્યું છે", - "{0} is being uninstalled": "{0} uninstall થઈ રહ્યું છે", "{0} is being updated": "{0} update થઈ રહ્યું છે", - "{0} is being updated to version {1}": "{0} version {1} સુધી update થઈ રહ્યું છે", - "{0} is disabled": "{0} નિષ્ક્રિય છે", - "{0} minutes": "{0} મિનિટ", "{0} months": "{0} મહિના", - "{0} packages are being updated": "{0} packages update થઈ રહ્યા છે", - "{0} packages can be updated": "{0} packages update થઈ શકે છે", "{0} packages found": "{0} packages મળ્યા", "{0} packages were found": "{0} packages મળ્યા", - "{0} packages were found, {1} of which match the specified filters.": "{1} packages મળ્યા, જેમાંથી {0} નિર્દિષ્ટ filters સાથે મેળ ખાતા હતા.", - "{0} selected": "{0} પસંદ થયું", - "{0} settings": "{0} સેટિંગ્સ", - "{0} status": "{0} સ્થિતિ", "{0} succeeded": "{0} સફળ થયું", "{0} update": "{0} અપડેટ", - "{0} updates are available": "{0} updates ઉપલબ્ધ છે", "{0} was {1} successfully!": "{0} સફળતાપૂર્વક {1} થયું!", "{0} weeks": "{0} અઠવાડિયા", "{0} years": "{0} વર્ષ", "{0} {1} failed": "{0} {1} નિષ્ફળ ગયું", - "{package} Installation": "{package} સ્થાપન", - "{package} Uninstall": "{package} અનઇન્સ્ટોલ", - "{package} Update": "{package} અપડેટ", - "{package} could not be installed": "{package} install થઈ શક્યું નથી", - "{package} could not be uninstalled": "{package} uninstall થઈ શક્યું નથી", - "{package} could not be updated": "{package} update થઈ શક્યું નથી", "{package} installation failed": "{package} installation નિષ્ફળ ગઈ", - "{package} installer could not be downloaded": "{package} installer download થઈ શક્યો નથી", - "{package} installer download": "{package} સ્થાપક ડાઉનલોડ", - "{package} installer was downloaded successfully": "{package} installer સફળતાપૂર્વક download થયો", "{package} uninstall failed": "{package} uninstall નિષ્ફળ ગયું", "{package} update failed": "{package} update નિષ્ફળ ગયું", "{package} update failed. Click here for more details.": "{package} update નિષ્ફળ ગયું. વધુ વિગતો માટે અહીં click કરો.", - "{package} was installed successfully": "{package} સફળતાપૂર્વક install થયું", - "{package} was uninstalled successfully": "{package} સફળતાપૂર્વક uninstall થયું", - "{package} was updated successfully": "{package} સફળતાપૂર્વક update થયું", - "{pcName} installed packages": "{pcName} પર installed packages", "{pm} could not be found": "{pm} મળ્યું નથી", "{pm} found: {state}": "{pm} મળ્યું: {state}", - "{pm} is disabled": "{pm} નિષ્ક્રિય છે", - "{pm} is enabled and ready to go": "{pm} સક્રિય છે અને તૈયાર છે", "{pm} package manager specific preferences": "{pm} પેકેજ મેનેજર સંબંધિત પસંદગીઓ", "{pm} preferences": "{pm} પસંદગીઓ", - "{pm} version:": "{pm} આવૃત્તિ:", - "{pm} was not found!": "{pm} મળ્યું નથી!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "હાય, મારું નામ Martí છે, અને હું WingetUI નો developer છું. WingetUI સંપૂર્ણપણે મારા ફ્રી સમયમાં બનાવાયું છે!", + "Thank you ❤": "આભાર ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "આ project નો official {0} project સાથે કોઈ સંબંધ નથી — આ સંપૂર્ણપણે અનૌપચારિક છે." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_he.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_he.json index 9b71c179bb..cd03a783b7 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_he.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_he.json @@ -1,155 +1,737 @@ { + "Operation in progress": "הפעולה בעיצומה", + "Please wait...": "המתן בבקשה...", + "Success!": "הצליח!", + "Failed": "שגיאה", + "An error occurred while processing this package": "אירעה שגיאה במהלך עיבוד החבילה הזו", + "Log in to enable cloud backup": "התחבר כדי להפעיל גיבוי ענן", + "Backup Failed": "הגיבוי נכשל", + "Downloading backup...": "מוריד גיבוי...", + "An update was found!": "נמצא עדכון!", + "{0} can be updated to version {1}": "ניתן לעדכן את {0} לגרסה {1}", + "Updates found!": "נמצאו עדכונים!", + "{0} packages can be updated": "עדכון זמין עבור {0} חבילות", + "You have currently version {0} installed": "כרגע מותקנת גרסה {0}", + "Desktop shortcut created": "נוצר קיצור דרך בשולחן העבודה", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI זיהה קיצור דרך חדש בשולחן העבודה שניתן למחוק אוטומטית.", + "{0} desktop shortcuts created": "נוצרו {0} קיצורי דרך בשולחן העבודה", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI זיהה {0} קיצורי דרך חדשים בשולחן העבודה שניתן למחוק אוטומטית.", + "Are you sure?": "האם אתה בטוח?", + "Do you really want to uninstall {0}?": "האם אתה בטוח שאתה רוצה להסיר את {0}?", + "Do you really want to uninstall the following {0} packages?": "האם אתה באמת רוצה להסיר את ההתקנה של {0} החבילות הבאות?", + "No": "לא", + "Yes": "כן", + "View on UniGetUI": "הצג ב-UniGetUI", + "Update": "עדכון", + "Open UniGetUI": "פתח את UniGetUI", + "Update all": "עדכן הכל", + "Update now": "עדכן כעת", + "This package is on the queue": "החבילה הזו נמצאת בתור", + "installing": "מתקין", + "updating": "מעדכן", + "uninstalling": "מסיר התקנה", + "installed": "מותקנת", + "Retry": "נסה שוב", + "Install": "התקן", + "Uninstall": "הסר", + "Open": "פתח", + "Operation profile:": "פרופיל פעולה:", + "Follow the default options when installing, upgrading or uninstalling this package": "עקוב אחר האפשרויות ברירת המחדל בעת התקנה, שדרוג או הסרת התקנה של חבילה זו", + "The following settings will be applied each time this package is installed, updated or removed.": "ההגדרות הבאות יחולו בכל פעם שהחבילה הזו תותקן, תעודכן או תוסר.", + "Version to install:": "גרסה להתקנה:", + "Architecture to install:": "ארכיטקטורה להתקנה: ", + "Installation scope:": "היקף התקנה:", + "Install location:": "מיקום ההתקנה:", + "Select": "בחר", + "Reset": "אפס", + "Custom install arguments:": "ארגומנטים מותאמים להתקנה:", + "Custom update arguments:": "ארגומנטים מותאמים לעדכון:", + "Custom uninstall arguments:": "ארגומנטים מותאמים להסרת התקנה:", + "Pre-install command:": "פקודת טרום-התקנה:", + "Post-install command:": "פקודת פוסט-התקנה:", + "Abort install if pre-install command fails": "בטל התקנה אם פקודת טרום-התקנה נכשלת", + "Pre-update command:": "פקודת טרום-עדכון:", + "Post-update command:": "פקודת פוסט-עדכון:", + "Abort update if pre-update command fails": "בטל עדכון אם פקודת טרום-עדכון נכשלת", + "Pre-uninstall command:": "פקודת טרום-הסרה:", + "Post-uninstall command:": "פקודת פוסט-הסרה:", + "Abort uninstall if pre-uninstall command fails": "בטל הסרת התקנה אם פקודת טרום-הסרה נכשלת", + "Command-line to run:": "פקודה להרצה:", + "Save and close": "שמור וסגור", + "Run as admin": "הפעל כמנהל מערכת", + "Interactive installation": "התקנה אינטראקטיבית", + "Skip hash check": "דלג על בדיקת הגיבוב", + "Uninstall previous versions when updated": "הסר גרסאות קודמות בעדכון", + "Skip minor updates for this package": "דלג על עדכונים מינוריים עבור חבילה זו", + "Automatically update this package": "עדכן חבילה זו באופן אוטומטי", + "{0} installation options": "{0} אפשרויות התקנה", + "Latest": "עדכנית ביותר", + "PreRelease": "טרום שחרור", + "Default": "ברירת מחדל", + "Manage ignored updates": "נהל עדכונים שהמערכת מתעלמת מהם", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "החבילות המפורטות כאן לא יילקחו בחשבון בעת ​​בדיקת עדכונים. לחץ עליהם פעמיים או לחץ על הכפתור בצד ימין שלהם כדי להפסיק להתעלם מהעדכונים שלהם.", + "Reset list": "אפס רשימה", + "Package Name": "שם החבילה", + "Package ID": "מזהה החבילה", + "Ignored version": "גרסה חסומה", + "New version": "גרסה חדשה", + "Source": "מקור", + "All versions": "כל הגירסאות", + "Unknown": "לא ידוע", + "Up to date": "מעודכן", + "Cancel": "ביטול", + "Administrator privileges": "הרשאות מנהל", + "This operation is running with administrator privileges.": "פעולה זו פועלת עם הרשאות מנהל מערכת.", + "Interactive operation": "הפעלה אינטראקטיבית", + "This operation is running interactively.": "פעולה זו פועלת באינטראקטיביות.", + "You will likely need to interact with the installer.": "כנראה שתצטרך לבצע פעולות עם המתקין.", + "Integrity checks skipped": "בדיקות תקינות דוולגו", + "Proceed at your own risk.": "המשך על אחריותך בלבד.", + "Close": "סגירה", + "Loading...": "טוען...", + "Installer SHA256": "התקנה SHA256", + "Homepage": "דף הבית", + "Author": "מחבר", + "Publisher": "מפרסם", + "License": "רישיון", + "Manifest": "מניפסט", + "Installer Type": "סוג תוכנת התקנה", + "Size": "גודל", + "Installer URL": "כתובת האתר של המתקין", + "Last updated:": "עודכן לאחרונה:", + "Release notes URL": "כתובת האתר של הערות גרסה", + "Package details": "פרטי החבילה", + "Dependencies:": "תלויות:", + "Release notes": "הערות שחרור", + "Version": "גרסה", + "Install as administrator": "התקן כמנהל מערכת", + "Update to version {0}": "עדכן לגרסה {0}", + "Installed Version": "גרסה מותקנת", + "Update as administrator": "עדכן כמנהל", + "Interactive update": "עדכון אינטרקטיבי", + "Uninstall as administrator": "הסר כמנהל מערכת", + "Interactive uninstall": "הסרת התקנה אינטראקטיבית", + "Uninstall and remove data": "הסר התקנה והסר נתונים", + "Not available": "לא זמין", + "Installer SHA512": "התקנה SHA512", + "Unknown size": "גודל לא ידוע", + "No dependencies specified": "לא צוינו תלויות", + "mandatory": "חובה", + "optional": "אופציונלי", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} מוכן להתקנה.", + "The update process will start after closing UniGetUI": "תהליך העדכון יתחיל לאחר סגירת UniGetUI", + "Share anonymous usage data": "שתף נתוני שימוש אנונימיים", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI אוסף נתוני שימוש אנונימיים על מנת לשפר את חוויית המשתמש.", + "Accept": "מאשר", + "You have installed WingetUI Version {0}": "התקנת את גירסת WingetUI {0}", + "Disclaimer": "כתב ויתור", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI אינו קשור לאף אחד ממנהלי החבילות התואמות. UniGetUI הוא פרויקט עצמאי.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI לא היה קורה ללא עזרת התורמים. תודה לכולכם 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI משתמש בספריות הבאות. בלעדיהם, WingetUI לא היה אפשרי.", + "{0} homepage": "דף הבית של {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI תורגם ליותר מ-40 שפות הודות למתרגמים המתנדבים. תודה לך 🤝", + "Verbose": "מפורט", + "1 - Errors": "1 - שגיאות", + "2 - Warnings": "2 - התראות", + "3 - Information (less)": "3 - מידע (מקוצר)", + "4 - Information (more)": "4 - מידע (מורחב)", + "5 - information (debug)": "5 - מידע (דיבאג)", + "Warning": "אזהרה", + "The following settings may pose a security risk, hence they are disabled by default.": "ההגדרות הבאות עשויות להיות סיכון אבטחה, ולכן הן מושבתות כברירת מחדל.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "אפשר את ההגדרות למטה רק אם אתה מבין בהחלט מה הן עושות והמשמעויות שהן עלולות להיות להן.", + "The settings will list, in their descriptions, the potential security issues they may have.": "ההגדרות יוצגו בתיאור שלהן בבעיות הביטחוניות הפוטנציאליות שלהן.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "הגיבוי יכלול את הרשימה המלאה של החבילות המותקנות ואפשרויות ההתקנה שלהן. גם עדכונים שהתעלמו מהם וגרסאות שדילגתם יישמרו.", + "The backup will NOT include any binary file nor any program's saved data.": "הגיבוי לא יכלול שום קובץ בינארי או נתונים שנשמרו של כל תוכנה.", + "The size of the backup is estimated to be less than 1MB.": "גודל הגיבוי מוערך בפחות מ-1MB.", + "The backup will be performed after login.": "הגיבוי יתבצע לאחר הכניסה.", + "{pcName} installed packages": "חבילות מותקנות של {pcName}", + "Current status: Not logged in": "מצב נוכחי: לא מחובר", + "You are logged in as {0} (@{1})": "אתה מחובר כ-{0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "נהדר! גיבויים יועלו לגיסט פרטי בחשבון שלך", + "Select backup": "בחר גיבוי", + "WingetUI Settings": "הגדרות של WingetUI", + "Allow pre-release versions": "אפשר גירסאות קדם-הפצה", + "Apply": "החל", + "Go to UniGetUI security settings": "עבור אל הגדרות האבטחה של UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "האפשרויות הבאות יחולו כברירת מחדל בכל פעם שחבילה {0} מותקנת, משודרגת או מוסרת.", + "Package's default": "ברירת מחדל של חבילה", + "Install location can't be changed for {0} packages": "מיקום ההתקנה אינו יכול להשתנות עבור חבילות {0}", + "The local icon cache currently takes {0} MB": "מטמון הסמלים המקומי תופס כעת {0} MB", + "Username": "שם-משתמש", + "Password": "סיסמה", + "Credentials": "פרטי התחברות", + "Partially": "באופן חלקי", + "Package manager": "מנהל החבילה", + "Compatible with proxy": "תואם לפרוקסי", + "Compatible with authentication": "תואם לאימות", + "Proxy compatibility table": "טבלת תאימות פרוקסי", + "{0} settings": "הגדרות {0}", + "{0} status": "סטטוס {0}", + "Default installation options for {0} packages": "אפשרויות התקנה ברירת מחדל עבור חבילות {0}", + "Expand version": "מידע גרסה", + "The executable file for {0} was not found": "לא נמצא קובץ ההפעלה עבור {0}", + "{pm} is disabled": "{pm} מושבת", + "Enable it to install packages from {pm}.": "אפשר אותו להתקין חבילות מ-{pm}.", + "{pm} is enabled and ready to go": "{pm} מופעל ומוכן להפעלה", + "{pm} version:": "{pm} גרסה:", + "{pm} was not found!": "{pm} לא נמצא!", + "You may need to install {pm} in order to use it with WingetUI.": "ייתכן שתצטרך להתקין את {pm} כדי להשתמש בו עם WingetUI.", + "Scoop Installer - WingetUI": "מתקין סקופ - WingetUI", + "Scoop Uninstaller - WingetUI": "מסיר Scoop – WingetUI", + "Clearing Scoop cache - WingetUI": "ניקוי מטמון Scoop - WingetUI", + "Restart UniGetUI": "הפעל מחדש את UniGetUI", + "Manage {0} sources": "נהל {0} מקורות", + "Add source": "הוסף מקור", + "Add": "הוסף", + "Other": "אחר", + "1 day": "יום אחד", + "{0} days": "{0} ימים", + "{0} minutes": "{0} דקות", + "1 hour": "שעה אחת", + "{0} hours": "{0} שעות", + "1 week": "שבוע אחד", + "WingetUI Version {0}": "WingetUI גרסה {0}", + "Search for packages": "חפש חבילות", + "Local": "מקומי", + "OK": "אישור", + "{0} packages were found, {1} of which match the specified filters.": "נמצאו {0} חבילות, {1} מהן תואמות למסננים שצוינו.", + "{0} selected": "נבחר{0} ", + "(Last checked: {0})": "(נבדק לאחרונה: {0})", + "Enabled": "מופעל", + "Disabled": "מושבת", + "More info": "מידע נוסף", + "Log in with GitHub to enable cloud package backup.": "התחבר עם GitHub כדי להפעיל גיבוי חבילות ענן.", + "More details": "פרטים נוספים", + "Log in": "כניסה", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "אם הפעלת גיבוי בענן, הוא יישמר כ-GitHub Gist בחשבון זה", + "Log out": "התנתק", + "About": "אודות", + "Third-party licenses": "רישיונות צד שלישי", + "Contributors": "תורמים", + "Translators": "מתרגמים", + "Manage shortcuts": "נהל קיצורי דרך", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI זיהה את קיצורי הדרך הבאים שניתן להסיר אוטומטית בעדכונים עתידיים", + "Do you really want to reset this list? This action cannot be reverted.": "האם אתה בטוח שברצונך לאפס רשימה זו? פעולה זו אינה ניתנת לביטול.", + "Remove from list": "הסר מהרשימה", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "כאשר מתגלים קיצורי דרך חדשים, הם יימחקו אוטומטית במקום להציג תיבת דו-שיח זו.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI אוסף נתוני שימוש אנונימיים אך ורק לצורך הבנת חוויית המשתמש ושיפורה.", + "More details about the shared data and how it will be processed": "פרטים נוספים על הנתונים המשותפים ואופן עיבודם", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "האם אתה מסכים ש-UniGetUI יאסוף וישלח נתוני שימוש אנונימיים, אך ורק לצורך הבנת חוויית המשתמש ושיפורה?", + "Decline": "דחה", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "מידע אישי לא נאסף או נשלח, והנתונים שנאספים הם אנונימיים, ואינם מקושרים אליך.", + "About WingetUI": "אודות WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI הוא יישום שמקל על ניהול התוכנה שלך, על ידי מתן ממשק גרפי הכל-באחד עבור מנהלי חבילות שורת הפקודה שלך.", + "Useful links": "קישורים שימושיים", + "Report an issue or submit a feature request": "דווח על בעיה או שלח בקשה לתכונה", + "View GitHub Profile": "הצג את פרופיל GitHub", + "WingetUI License": "רישיון WingetUI", + "Using WingetUI implies the acceptation of the MIT License": "שימוש ב-WingetUI מרמז על קבלת רישיון MIT", + "Become a translator": "הפוך למתרגם", + "View page on browser": "צפה בדף בדפדפן", + "Copy to clipboard": "העתק ללוח", + "Export to a file": "יצא לקובץ", + "Log level:": "רמת יומן:", + "Reload log": "טען מחדש קובץ יומן רישום", + "Text": "טֶקסט", + "Change how operations request administrator rights": "שינוי האופן שבו פעולות מבקשות הרשאות מנהל מערכת", + "Restrictions on package operations": "הגבלות על פעולות חבילה", + "Restrictions on package managers": "הגבלות על מנהלי חבילות", + "Restrictions when importing package bundles": "הגבלות בעת ייבוא צרורות חבילות", + "Ask for administrator privileges once for each batch of operations": "בקש הרשאות מנהל פעם אחת עבור כל אצווה של פעולות", + "Ask only once for administrator privileges": "בקש פעם אחת בלבד הרשאות מנהל מערכת", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "אסור על כל סוג של הרמה דרך UniGetUI Elevator או GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "אפשרות זו תגרום לבעיות. כל פעולה שאינה מסוגלת להרימנה עצמה תיכשל. התקנה/עדכון/הסרה כמנהל מערכת לא יפעלו.", + "Allow custom command-line arguments": "אפשר ארגומנטים מותאמים אישית של שורת הפקודה\n", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "ארגומנטים מותאמים אישית של שורת הפקודה יכולים לשנות את הדרך שבה התוכנים מותקנים, מתעדכנים או מוסרים, באופן ש-UniGetUI אינו יכול לשלוט. שימוש בשורות פקודה מותאמות אישית עלול לגרום נזק לחבילות. יש לפעול בזהירות.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "אפשר להפעיל פקודות מותאמות אישית לפני ואחרי ההתקנה בעת ייבוא חבילות מצרור", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "פקודות טרום ופוסט התקנה ירוצו לפני ואחרי חבילה מותקנת, מתעדכנת או מוסרת. שים לב שהן עלולות לשבור דברים אלא אם משתמשים בהן בזהירות", + "Allow changing the paths for package manager executables": "אפשר שינוי נתיבים לקבצי הפעלה של מנהלי חבילות", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "הדלקה של זה מאפשרת שינוי קובץ ההפעלה המשמש לביצוע עם מנהלי חבילות. בעוד זה מאפשר התאמת אישית פרטנית יותר לתהליכי ההתקנה שלך, זה עלול גם להיות מסוכן", + "Allow importing custom command-line arguments when importing packages from a bundle": "אפשר ייבוא ארגומנטים מותאמים אישית של שורת הפקודה בעת ייבוא חבילות מצרור", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "ארגומנטים שגויים של שורת פקודה יכולים לשבור חבילות או אפילו לאפשר לגורם זדוני לקבל ביצוע מוגבה. לכן, ייבוא ארגומנטים מותאמים אישית של שורת פקודה מושבת כברירת מחדל", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "אפשר ייבוא פקודות טרום-התקנה ופוסט-התקנה מותאמות אישית בעת ייבוא חבילות מצרור", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "פקודות טרום ואחרי התקנה יכולות לעשות דברים רעים מאוד למכשיר שלך, אם הן תוכננו לעשות זאת. זה יכול להיות מאוד מסוכן לייבא את הפקודות מצרור, אלא אם אתה סומך על מקור הצרור.", + "Administrator rights and other dangerous settings": "הרשאות מנהל והגדרות מסוכנות אחרות", + "Package backup": "גיבוי חבילות", + "Cloud package backup": "גיבוי חבילות בענן", + "Local package backup": "גיבוי חבילות מקומי", + "Local backup advanced options": "אפשרויות מתקדמות לגיבוי מקומי", + "Log in with GitHub": "התחבר באמצעות GitHub", + "Log out from GitHub": "התנתק מ-GitHub", + "Periodically perform a cloud backup of the installed packages": "בצע מעת לעת גיבוי ענן של החבילות המותקנות", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "גיבוי בענן משתמש ב-GitHub Gist פרטי כדי לאחסן רשימה של חבילות מותקנות", + "Perform a cloud backup now": "בצע גיבוי ענן כעת", + "Backup": "גיבוי", + "Restore a backup from the cloud": "שחזר גיבוי מהענן", + "Begin the process to select a cloud backup and review which packages to restore": "התחל בתהליך לבחירת גיבוי ענן ובדוק אילו חבילות לשחזר", + "Periodically perform a local backup of the installed packages": "בצע מעת לעת גיבוי מקומי של החבילות המותקנות", + "Perform a local backup now": "בצע גיבוי מקומי כעת", + "Change backup output directory": "שנה את ספריית פלט הגיבוי", + "Set a custom backup file name": "הגדר שם קובץ גיבוי מותאם אישית", + "Leave empty for default": "השאר ריק לברירת המחדל", + "Add a timestamp to the backup file names": "הוסף חותמת זמן לשמות קבצי הגיבוי", + "Backup and Restore": "גיבוי ושחזור", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "אפשר API רקע (WingetUI Widgets and Sharing, פורט 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "המתן לחיבור המכשיר לאינטרנט לפני ניסיון לבצע משימות הדורשות חיבור לרשת.", + "Disable the 1-minute timeout for package-related operations": "השבת את מגבלת הזמן של דקה אחת לפעולות הקשורות לחבילות", + "Use installed GSudo instead of UniGetUI Elevator": "השתמש ב-GSudo המותקן במקום UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "השתמש בסמל מותאם אישית ובכתובת אתר של מסד נתונים צילומי מסך", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "הפעל אופטימיזציות רקע לשימוש ב-CPU (ראה Pull Request #3278)", + "Perform integrity checks at startup": "בצע בדיקות תקינות בעת ההפעלה", + "When batch installing packages from a bundle, install also packages that are already installed": "בעת התקנה בכמות גדולה של חבילות מצרור, התקן גם חבילות שכבר מותקנות", + "Experimental settings and developer options": "הגדרות ניסיוניות ואפשרויות למפתחים ", + "Show UniGetUI's version and build number on the titlebar.": "הצג את גרסת UniGetUI בשורת הכותרת", + "Language": "שפה", + "UniGetUI updater": "עדכון UniGetUI", + "Telemetry": "טלמטריה", + "Manage UniGetUI settings": "נהל הגדרות UniGetUI", + "Related settings": "הגדרות קשורות", + "Update WingetUI automatically": "עדכן את WingetUI באופן אוטומטי", + "Check for updates": "בדוק עדכונים", + "Install prerelease versions of UniGetUI": "התקן גרסאות קדם של UniGetUI", + "Manage telemetry settings": "נהל הגדרות טלמטריה", + "Manage": "ניהול", + "Import settings from a local file": "יבא הגדרות מקובץ מקומי", + "Import": "יבא", + "Export settings to a local file": "יצא הגדרות לקובץ מקומי", + "Export": "יצא", + "Reset WingetUI": "אפס את WingetUI", + "Reset UniGetUI": "אפס את UniGetUI", + "User interface preferences": "העדפות ממשק משתמש", + "Application theme, startup page, package icons, clear successful installs automatically": "ערכת נושא, דף פתיחה, סמלי חבילות, ניקוי התקנות מוצלחות באופן אוטומטי", + "General preferences": "העדפות כלליות", + "WingetUI display language:": "שפת התצוגה של WingetUI:", + "Is your language missing or incomplete?": "האם השפה שלך חסרה או לא שלמה?", + "Appearance": "מראה ותחושה", + "UniGetUI on the background and system tray": "UniGetUI ברקע ובמגש המערכת", + "Package lists": "רשימות חבילות", + "Close UniGetUI to the system tray": "מזער את UniGetUI למגש המערכת", + "Show package icons on package lists": "הצג סמלי חבילות ברשימות חבילות", + "Clear cache": "נקה מטמון", + "Select upgradable packages by default": "בחר חבילות הניתנות לשדרוג כברירת מחדל", + "Light": "בהיר", + "Dark": "כהה", + "Follow system color scheme": "עקוב אחר צבעי המערכת", + "Application theme:": "ערכת נושא:", + "Discover Packages": "גלה חבילות", + "Software Updates": "עדכוני תוכנה", + "Installed Packages": "חבילות מותקנות", + "Package Bundles": "צרורות חבילות", + "Settings": "הגדרות", + "UniGetUI startup page:": "דף הפתיחה של UniGetUI:", + "Proxy settings": "הגדרות Proxy", + "Other settings": "הגדרות אחרות", + "Connect the internet using a custom proxy": "התחבר לאינטרנט באמצעות Proxy מותאם אישית", + "Please note that not all package managers may fully support this feature": "שימו לב שלא כל מנהלי החבילות עשויים לתמוך בתכונה זו באופן מלא", + "Proxy URL": "כתובת Proxy", + "Enter proxy URL here": "הזן כאן כתובת URL של Proxy", + "Package manager preferences": "העדפות של מנהל החבילות", + "Ready": "מוכן", + "Not found": "לא נמצא", + "Notification preferences": "העדפות הודעות", + "Notification types": "סוגי התראות", + "The system tray icon must be enabled in order for notifications to work": "יש להפעיל את סמל המגש כדי שההתראות יעבדו", + "Enable WingetUI notifications": "אפשר הודעות של WingetUI", + "Show a notification when there are available updates": "הצג התראה כאשר ישנם עדכונים זמינים", + "Show a silent notification when an operation is running": "הצג התראה שקטה כאשר פעולה מתבצעת", + "Show a notification when an operation fails": "הצג התראה כאשר פעולה נכשלת ", + "Show a notification when an operation finishes successfully": "הצג התראה כאשר פעולה מסתיימת בהצלחה", + "Concurrency and execution": "מקביליות וביצוע", + "Automatic desktop shortcut remover": "מסיר קיצורי דרך אוטומטי", + "Clear successful operations from the operation list after a 5 second delay": "נקה פעולות שהצליחו מרשימת הפעולות לאחר השהייה של 5 שניות", + "Download operations are not affected by this setting": "פעולות הורדה אינן מושפעות מהגדרה זו", + "Try to kill the processes that refuse to close when requested to": "נסה להרג את התהליכים המסרבים להיסגר כאשר נדרש מהם", + "You may lose unsaved data": "אתה עלול לאבד נתונים שלא נשמרו", + "Ask to delete desktop shortcuts created during an install or upgrade.": "בקש למחוק קיצורי דרך שנוצרו בשולחן העבודה במהלך התקנה או עדכון.", + "Package update preferences": "העדפות עדכון חבילה", + "Update check frequency, automatically install updates, etc.": "תדירות בדיקת עדכונים, התקנה אוטומטית של עדכונים ועוד.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "הפחת הודעות UAC, הרף התקנות כברירת מחדל, בטל נעילה של תכונות מסוכנות מסוימות וכו'.", + "Package operation preferences": "העדפות פעולת החבילה", + "Enable {pm}": "אפשר {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "לא מוצא את הקובץ שאתה מחפש? וודא שהוא נוסף לנתיב.", + "For security reasons, changing the executable file is disabled by default": "מסיבות אבטחה, שינוי קובץ ההפעלה מושבת כברירת מחדל", + "Change this": "שנה זאת", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "בחר את קובץ ההפעלה שיש להשתמש בו. הרשימה הבאה מציגה את קבצי ההפעלה שנמצאו על ידי UniGetUI", + "Current executable file:": "קובץ ההפעלה הנוכחי:", + "Ignore packages from {pm} when showing a notification about updates": "התעלם מחבילות מ-{pm} בעת הצגת התראה על עדכונים", + "View {0} logs": "הצג לוגים של {0}", + "Advanced options": "אפשרויות מתקדמות", + "Reset WinGet": "אפס את WinGet", + "This may help if no packages are listed": "פעולה זו עשויה לעזור אם אין חבילות שמופיעות", + "Force install location parameter when updating packages with custom locations": "אכוף את פרמטר מיקום ההתקנה בעת עדכון חבילות עם מיקומים מותאמים אישית", + "Use bundled WinGet instead of system WinGet": "השתמש בגרסת WinGet הארוזה במקום גרסת ה-WinGet של המערכת", + "This may help if WinGet packages are not shown": "זה אמור לעזור אם חבילות WinGet לא מוצגות", + "Install Scoop": "התקן Scoop", + "Uninstall Scoop (and its packages)": "הסר את Scoop (ואת החבילות שלו)", + "Run cleanup and clear cache": "הפעל ניקוי ונקה מטמון", + "Run": "הרץ", + "Enable Scoop cleanup on launch": "אפשר ניקוי Scoop בעליה", + "Use system Chocolatey": "השתמש במערכת Chocolatey", + "Default vcpkg triplet": "הגדרת ברירת מחדל של vcpkg triplet", + "Language, theme and other miscellaneous preferences": "שפה, ערכת נושא והעדפות שונות אחרות", + "Show notifications on different events": "הצג התראות על אירועים שונים", + "Change how UniGetUI checks and installs available updates for your packages": "שנה את האופן שבו UniGetUI בודק ומתקין עדכונים זמינים עבור החבילות שלך", + "Automatically save a list of all your installed packages to easily restore them.": "שמור אוטומטית רשימה של כל החבילות המותקנות שלך כדי לשחזר אותן בקלות.", + "Enable and disable package managers, change default install options, etc.": "אפשר או השבת מנהלי חבילות, שנה אפשרויות התקנה ברירת מחדל וכו'.", + "Internet connection settings": "הגדרות חיבור לאינטרנט", + "Proxy settings, etc.": "הגדרות Proxy, ועוד.", + "Beta features and other options that shouldn't be touched": "תכונות בטא ואפשרויות אחרות שאסור לגעת בהן", + "Update checking": "בדיקת עדכונים", + "Automatic updates": "עדכונים אוטומטיים", + "Check for package updates periodically": "חפש עדכונים לחבילה מעת לעת", + "Check for updates every:": "חפש עדכונים כל:", + "Install available updates automatically": "התקן עדכונים זמינים באופן אוטומטי", + "Do not automatically install updates when the network connection is metered": "אל תתקין עדכונים באופן אוטומטי כאשר חיבור הרשת מוגדר כמוגבל", + "Do not automatically install updates when the device runs on battery": "אל תתקין עדכונים באופן אוטומטי כאשר המכשיר פועל על סוללה", + "Do not automatically install updates when the battery saver is on": "אל תתקין עדכונים באופן אוטומטי כאשר חיסכון בסוללה מופעל", + "Change how UniGetUI handles install, update and uninstall operations.": "שנה את האופן שבו UniGetUI מטפל בפעולות התקנה, עדכון והסרה.", + "Package Managers": "מנהלי החבילה", + "More": "עוד", + "WingetUI Log": "WingetUI יומן", + "Package Manager logs": "קבצי יומן רישום של מנהל החבילות", + "Operation history": "הסטוריית פעולות", + "Help": "עזרה", + "Order by:": "מיין לפי:", + "Name": "שם", + "Id": "מזהה", + "Ascendant": "בסדר עולה", + "Descendant": "בסדר יורד", + "View mode:": "מצב תצוגה:", + "Filters": "מסננים", + "Sources": "מקורות", + "Search for packages to start": "חפש חבילות כדי להתחיל", + "Select all": "בחר הכל", + "Clear selection": "ניקוי בחירה", + "Instant search": "חיפוש מיידי", + "Distinguish between uppercase and lowercase": "הבחנה בין אותיות רישיות לאותיות קטנות", + "Ignore special characters": "התעלם מתווים מיוחדים", + "Search mode": "מצב חיפוש", + "Both": "שניהם", + "Exact match": "התאמה מדוייקת", + "Show similar packages": "הצג חבילות דומות", + "No results were found matching the input criteria": "לא נמצאו תוצאות התואמות את קריטריוני הקלט", + "No packages were found": "לא נמצאו חבילות", + "Loading packages": "טוען חבילות", + "Skip integrity checks": "דלג על בדיקות תקינות", + "Download selected installers": "הורד מתקינים נבחרים", + "Install selection": "בחירת התקנה", + "Install options": "אפשרויות התקנה", + "Share": "שתף", + "Add selection to bundle": "הוסף בחירה לצרור", + "Download installer": "הורד את תוכנית ההתקנה", + "Share this package": "שתף חבילה זו", + "Uninstall selection": "בחירת הסרה", + "Uninstall options": "אפשרויות הסרה", + "Ignore selected packages": "התעלם מהחבילות המסומנות", + "Open install location": "פתח מיקום התקנה", + "Reinstall package": "התקן מחדש את החבילה", + "Uninstall package, then reinstall it": "הסר את החבילה ולאחר מכן התקן אותה מחדש", + "Ignore updates for this package": "התעלם מעדכונים עבור חבילה זו", + "Do not ignore updates for this package anymore": "אל תתעלם יותר מעדכונים עבור חבילה זו", + "Add packages or open an existing package bundle": "הוסף חבילות או פתח צרור חבילות קיים", + "Add packages to start": "הוסף חבילות כדי להתחיל", + "The current bundle has no packages. Add some packages to get started": "הצרור הנוכחי ריק. הוסף חבילות כדי להתחיל", + "New": "חדש", + "Save as": "שמור בשם", + "Remove selection from bundle": "הסר את הבחירה מהצרור", + "Skip hash checks": "דלג על בדיקות גיבוב", + "The package bundle is not valid": "צרור החבילות אינו תקף", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "הצרור שאתה מנסה לטעון נראה לא תקין. בדוק את הקובץ ונסה שוב.", + "Package bundle": "צרור חבילות", + "Could not create bundle": "לא ניתן ליצור צרור חבילות", + "The package bundle could not be created due to an error.": "לא ניתן היה ליצור את צרור החבילות עקב שגיאה.", + "Bundle security report": "דוח אבטחה לצרור", + "Hooray! No updates were found.": "הידד! לא נמצאו עדכונים!", + "Everything is up to date": "הכל מעודכן", + "Uninstall selected packages": "הסר את החבילות המסומנות", + "Update selection": "עדכון בחירות", + "Update options": "אפשרויות עדכון", + "Uninstall package, then update it": "הסר את החבילה ולאחר מכן עדכן אותה", + "Uninstall package": "הסר חבילה", + "Skip this version": "דלג על גרסה זו", + "Pause updates for": "השהה עדכונים ל-", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "מנהל החבילות של Rust.
מכיל: ספריות Rust ותוכנות שנכתבו ב-Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "מנהל החבילות הקלאסי עבור Windows. תמצא שם הכל.
מכיל: תוכנה כללית", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "מאגר מלא של כלים וקובצי הפעלה שתוכננו מתוך מחשבה על מערכת האקולוגית .NET של Microsoft.
מכיל: כלים וסקריפטים הקשורים ל-.NET", + "NuPkg (zipped manifest)": "NuPkg (מניפסט מכווץ)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "מנהל החבילות של Node JS. מלא ספריות וכלי עזר אחרים המקיפים את עולם javascript.
מכיל: ספריות Node JS וכלי עזר קשורים אחרים\n", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "מנהל הספרייה של Python. ספריות Python רבות וכלי עזר אחרים הקשורים ל- Python
מכיל: ספריות Python וכלי עזר קשורים", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "מנהל החבילות של PowerShell. מצא ספריות וסקריפטים כדי להרחיב את יכולות PowerShell
מכיל: מודולים, סקריפטים, Cmdlets", + "extracted": "מחולץ", + "Scoop package": "חבילת Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "מאגר נהדר של כלי עזר לא ידועים אך שימושיים וחבילות מעניינות אחרות.
מכיל: כלי עזר, תוכניות שורת פקודה, תוכנה כללית (נדרשת דלי תוספות)", + "library": "ספרייה", + "feature": "תכונה", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "מנהל חבילות פופולרי עבור ספריות C/C++. כולל ספריות C/C++ וכלים נוספים הקשורים ל-C/C++
מכיל: ספריות C/C++ וכלים נלווים", + "option": "אפשרות", + "This package cannot be installed from an elevated context.": "לא ניתן להתקין חבילה זו מתוך הקשר מוגבה.", + "Please run UniGetUI as a regular user and try again.": "הפעל את UniGetUI כמשתמש רגיל ונסה שוב.", + "Please check the installation options for this package and try again": "בדוק את אפשרויות ההתקנה של חבילה זו ונסה שוב", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "מנהל החבילות הרשמי של מיקרוסופט. מלא בחבילות ידועות ומאומתות
מכיל: תוכנה כללית, אפליקציות Microsoft Store", + "Local PC": "PC מקומי", + "Android Subsystem": "תת-מערכת אנדרואיד", + "Operation on queue (position {0})...": "פעולה בתור (מיקום {0})...", + "Click here for more details": "לחץ כאן למידע נוסף", + "Operation canceled by user": "הפעולה בוטלה על ידי המשתמש", + "Starting operation...": "מתחיל פעולה...", + "{package} installer download": "הורדת מתקין {package}", + "{0} installer is being downloaded": "המתקין של {0} מורד כעת", + "Download succeeded": "ההורדה הצליחה", + "{package} installer was downloaded successfully": "המתקין של {package} הורד בהצלחה", + "Download failed": "ההורדה נכשלה", + "{package} installer could not be downloaded": "לא ניתן להוריד את המתקין של {package}", + "{package} Installation": "{package} התקנה", + "{0} is being installed": "{0} מותקן כעת", + "Installation succeeded": "ההתקנה הצליחה", + "{package} was installed successfully": "{package} הותקן בהצלחה", + "Installation failed": "ההתקנה נכשלה", + "{package} could not be installed": "לא ניתן היה להתקין את {package}", + "{package} Update": "{package} עדכון", + "{0} is being updated to version {1}": "{0} מתעדכן לגרסה {1}", + "Update succeeded": "העדכון הצליח", + "{package} was updated successfully": "{package} עודכן בהצלחה", + "Update failed": "עדכון נכשל", + "{package} could not be updated": "לא ניתן היה לעדכן את {package}", + "{package} Uninstall": "{package} הסרת ההתקנה", + "{0} is being uninstalled": "{0} מוסר כעת", + "Uninstall succeeded": "הסרת ההתקנה הצליחה", + "{package} was uninstalled successfully": "ההתקנה של {package} הוסרה בהצלחה", + "Uninstall failed": "הסרת ההתקנה נכשלה", + "{package} could not be uninstalled": "לא ניתן היה להסיר את ההתקנה של {package}", + "Adding source {source}": "מוסיף מקור {source}", + "Adding source {source} to {manager}": "מוסיף מקור {source} ל-{manager}", + "Source added successfully": "המקור נוסף בהצלחה", + "The source {source} was added to {manager} successfully": "המקור {source} נוסף ל-{manager} בהצלחה", + "Could not add source": "לא ניתן להוסיף מקור", + "Could not add source {source} to {manager}": "לא ניתן להוסיף את המקור {source} ל-{manager}", + "Removing source {source}": "מסיר מקור {source}", + "Removing source {source} from {manager}": "מסיר את המקור {source} מ-{manager}", + "Source removed successfully": "המקור הוסר בהצלחה", + "The source {source} was removed from {manager} successfully": "המקור {source} הוסר מ-{manager} בהצלחה", + "Could not remove source": "לא ניתן להסיר מקור", + "Could not remove source {source} from {manager}": "לא ניתן להסיר את המקור {source} מ-{manager}", + "The package manager \"{0}\" was not found": "מנהל החבילות \"{0}\" לא נמצא", + "The package manager \"{0}\" is disabled": "מנהל החבילות \"{0}\" מושבת", + "There is an error with the configuration of the package manager \"{0}\"": "יש שגיאה בהגדרות של מנהל החבילות \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "החבילה \"{0}\" לא נמצאה במנהל החבילות \"{1}\"", + "{0} is disabled": "{0} בלתי אפשרי", + "Something went wrong": "משהו השתבש", + "An interal error occurred. Please view the log for further details.": "אירעה שגיאה פנימית. אנא עיין ביומן לפרטים נוספים.", + "No applicable installer was found for the package {0}": "לא נמצא מתקין מתאים עבור החבילה {0}", + "We are checking for updates.": "אנו בודקים אם קיימים עדכונים.", + "Please wait": "המתן בבקשה", + "UniGetUI version {0} is being downloaded.": "UniGetUI גרסה {0} מורדת כעת.", + "This may take a minute or two": "זה עשוי לקחת דקה או שתיים", + "The installer authenticity could not be verified.": "לא ניתן לאמת את אותנטיות המתקין.", + "The update process has been aborted.": "תהליך העדכון בוטל.", + "Great! You are on the latest version.": "מעולה! אתה משתמש בגרסה העדכנית ביותר.", + "There are no new UniGetUI versions to be installed": "אין גרסאות חדשות של UniGetUI להתקנה", + "An error occurred when checking for updates: ": "אירעה שגיאה בעת בדיקת עדכונים:", + "UniGetUI is being updated...": "UniGetUI מתעדכן...", + "Something went wrong while launching the updater.": "משהו השתבש בעת הפעלת המעדכן.", + "Please try again later": "נסה שוב מאוחר יותר", + "Integrity checks will not be performed during this operation": "בדיקות תקינות לא יתבצעו במהלך פעולה זו", + "This is not recommended.": "אין זה מומלץ.", + "Run now": "הפעל כעת", + "Run next": "הפעל הבא", + "Run last": "הפעל אחרון", + "Retry as administrator": "נסה שוב כמנהל מערכת", + "Retry interactively": "נסה שוב באינטראקטיביות", + "Retry skipping integrity checks": "נסה שוב תוך דילוג על בדיקות תקינות", + "Installation options": "אפשרויות התקנה", + "Show in explorer": "הצג בסייר", + "This package is already installed": "חבילה זו כבר מותקנת", + "This package can be upgraded to version {0}": "חבילה זו ניתנת לשדרוג לגרסה {0}", + "Updates for this package are ignored": "עדכונים עבור חבילה זו נחסמו", + "This package is being processed": "חבילה זו נמצאת בעיבוד", + "This package is not available": "חבילה זו אינה זמינה", + "Select the source you want to add:": "בחר את המקור שברצונך להוסיף:", + "Source name:": "שם המקור:", + "Source URL:": "כתובת אתר מקור:", + "An error occurred": "אירעה שגיאה", + "An error occurred when adding the source: ": "אירעה שגיאה בעת הוספת המקור:", + "Package management made easy": "ניהול חבילות בקלות", + "version {0}": "גרסה {0}", + "[RAN AS ADMINISTRATOR]": "[רץ כמנהל]", + "Portable mode": "מצב נייד", + "DEBUG BUILD": "גירסת ניפוי שגיאות", + "Available Updates": "עדכונים זמינים", + "Show WingetUI": "הצג את WingetUI", + "Quit": "צא", + "Attention required": "נדרשת תשומת לב", + "Restart required": "נדרשת הפעלה מחדש", + "1 update is available": "1 עדכון קיים", + "{0} updates are available": "{0} עדכונים זמינים", + "WingetUI Homepage": "דף הבית של WingetUI", + "WingetUI Repository": "מאגר WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "כאן תוכל לשנות את אופן הפעולה של UniGetUI בנוגע לקיצורי הדרך הבאים. סימון קיצור דרך יגרום ל-UniGetUI למחוק אותו אם ייווצר בעתיד בעדכון. ביטול הסימון ישמור עליו ללא שינוי.", + "Manual scan": "סריקה ידנית", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "קיצורי הדרך הקיימים בשולחן העבודה שלך ייסרקו, ותצטרך לבחור אילו לשמור ואילו להסיר.", + "Continue": "המשך", + "Delete?": "למחוק?", + "Missing dependency": "חבילת תלות חסרה", + "Not right now": "לא כעת", + "Install {0}": "התקן {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI דורש את {0} כדי לפעול, אך לא נמצא במערכת שלך.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "לחץ על התקן כדי להתחיל את תהליך ההתקנה. אם תדלג על ההתקנה, יתכן ש-, UniGetUI לא יעבוד כראוי. ", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "לחלופין, אתה יכול גם להתקין {0} על ידי הפעלת הפקודה הבאה ב- Windows PowerShell:", + "Do not show this dialog again for {0}": "אל תציג חלון זה שוב עבור {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "נא להמתין בזמן ש-{0} מותקן. ייתכן שיופיע חלון שחור. יש להמתין עד לסגירתו.", + "{0} has been installed successfully.": "{0} הותקן בהצלחה.", + "Please click on \"Continue\" to continue": "אנא לחץ על \"המשך\" כדי להמשיך", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} הותקן בהצלחה. מומלץ להפעיל מחדש את UniGetUI כדי להשלים את ההתקנה", + "Restart later": "הפעל מחדש מאוחר יותר", + "An error occurred:": "אירעה שגיאה:", + "I understand": "אני מבין", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI הופעל כמנהל, וזה לא מומלץ. בעת הפעלת WingetUI כמנהל מערכת, לכל פעולה שתושק מ-WingetUI תהיה הרשאות מנהל. אתה עדיין יכול להשתמש בתוכנית, אך אנו ממליצים בחום לא להפעיל את WingetUI עם הרשאות מנהל.", + "WinGet was repaired successfully": "WinGet תוקן בהצלחה", + "It is recommended to restart UniGetUI after WinGet has been repaired": "מומלץ להפעיל מחדש את UniGetUI לאחר תיקון WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "הערה: ניתן להשבית את פתרון הבעיות הזה מהגדרות UniGetUI, בסעיף WinGet", + "Restart": "הפעל מחדש", + "WinGet could not be repaired": "לא ניתן היה לתקן את WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "התרחשה בעיה בלתי צפויה בעת ניסיון לתקן את WinGet. אנא נסה שוב מאוחר יותר", + "Are you sure you want to delete all shortcuts?": "האם אתה בטוח שברצונך למחוק את כל קיצורי הדרך?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "כל קיצור דרך חדש שיווצר במהלך התקנה או עדכון יימחק אוטומטית, במקום להציג הודעת אישור בפעם הראשונה שהוא מזוהה.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "כל קיצור דרך שנוצר או נערך מחוץ ל-UniGetUI ייבדל. תוכל להוסיף אותם באמצעות כפתור {0}.", + "Are you really sure you want to enable this feature?": "האם אתה בטוח שברצונך להפעיל תכונה זו?", + "No new shortcuts were found during the scan.": "לא נמצאו קיצורי דרך חדשים במהלך הסריקה.", + "How to add packages to a bundle": "כיצד להוסיף חבילות לצרור", + "In order to add packages to a bundle, you will need to: ": "כדי להוסיף חבילות לצרור, עליך:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. עבור אל הדף \"{0}\" או \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. אתר את החבילה/ות שברצונך להוסיף לצרור ובחר את תיבת הסימון השמאלית ביותר שלהן.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. לאחר שבחרת את החבילות שברצונך להוסיף לצרור, אתר ולחץ על האפשרות \"{0}\" בסרגל הכלים.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. החבילות שלך נוספו לצרור. תוכל להמשיך להוסיף חבילות או לייצא את הצרור.", + "Which backup do you want to open?": "איזה גיבוי אתה רוצה לפתוח?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "בחר את הגיבוי שאתה רוצה לפתוח. מאוחר יותר, תוכל לבדוק אילו חבילות אתה רוצה להתקין.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "יש פעולות שוטפות. יציאה מ-WingetUI עלולה לגרום להם להיכשל. האם אתה רוצה להמשיך?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI או חלק מרכיביו חסרים או פגומים.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "מומלץ בחום להתקין מחדש את UniGetUI כדי לטפל בסיטואציה.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "עיין ביומני הרישום של UniGetUI כדי לקבל פרטים נוספים בנוגע לקבצים המושפעים", + "Integrity checks can be disabled from the Experimental Settings": "בדיקות תקינות יכולות להיות מושבתות מהגדרות הניסיוניות", + "Repair UniGetUI": "תקן את UniGetUI", + "Live output": "פלט זמן אמת", + "Package not found": "החבילה לא נמצאה", + "An error occurred when attempting to show the package with Id {0}": "אירעה שגיאה בעת ניסיון להציג את החבילה עם מזהה {0}", + "Package": "חבילה", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "צרור החבילות של חבילה זו הכיל הגדרות שעשויות להיות מסוכנות, ואולי יתעלמה ממנו כברירת מחדל.", + "Entries that show in YELLOW will be IGNORED.": "ערכים שמוצגים בצהוב יתעלמו.", + "Entries that show in RED will be IMPORTED.": "ערכים שמוצגים באדום ייובאו.", + "You can change this behavior on UniGetUI security settings.": "אתה יכול לשנות התנהגות זו בהגדרות האבטחה של UniGetUI.", + "Open UniGetUI security settings": "פתח הגדרות אבטחה של UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "אם תשנה את הגדרות האבטחה, תצטרך לפתוח את הצרור מחדש כדי שהשינויים ייכנסו לתוקף.", + "Details of the report:": "פרטי הדוח:", "\"{0}\" is a local package and can't be shared": "\"{0}\" היא חבילה מקומית ולא ניתן לשתף אותה", + "Are you sure you want to create a new package bundle? ": "האם אתה בטוח שברצונך ליצור צרור חבילות חדש?", + "Any unsaved changes will be lost": "כל שינוי שלא יישמר יתבטל", + "Warning!": "אזהרה!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "מסיבות אבטחה, ארגומנטים מותאמים אישית של שורת הפקודה מושבתים כברירת מחדל. עבור אל הגדרות האבטחה של UniGetUI כדי לשנות זאת.", + "Change default options": "שנה אפשרויות ברירת מחדל", + "Ignore future updates for this package": "התעלם מעדכוני תכונות לחבילה זו", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "מסיבות אבטחה, סקריפטים של לפני פעולה ואחרי פעולה מושבתים כברירת מחדל. עבור אל הגדרות האבטחה של UniGetUI כדי לשנות זאת.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "אתה יכול להגדיר פקודות שירוצו לפני או אחרי התקנה, עדכון או הסרה של חבילה זו. הן תרוצנה בשורת פקודה, כך ש-scripts של CMD יעבדו כאן.", + "Change this and unlock": "שנה זאת ובטל נעילה", + "{0} Install options are currently locked because {0} follows the default install options.": "אפשרויות התקנה של {0} נעלוות כרגע כי {0} עוקב אחר אפשרויות התקנה ברירת מחדל.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "בחר את התהליכים שיש לסגור לפני החבילה מותקנת, מתעדכנת או מוסרת.", + "Write here the process names here, separated by commas (,)": "כתוב כאן את שמות התהליכים, מופרדים בפסיקים (,)", + "Unset or unknown": "לא מוגדר או לא ידוע", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "אנא עיין בפלט שורת הפקודה או עיין בהסטוריית המבצעים למידע נוסף על הבעיה.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "לחבילה הזו אין צילומי מסך או שחסר לו הסמל? תרום ל-WingetUI על ידי הוספת הסמלים וצילומי המסך החסרים למסד הנתונים הפתוח והציבורי שלנו.", + "Become a contributor": "הפוך לתורם", + "Save": "שמור", + "Update to {0} available": "עדכון לגרסה{0} זמין", + "Reinstall": "התקן מחדש", + "Installer not available": "תוכנית ההתקנה אינה זמינה", + "Version:": "גרסה:", + "Performing backup, please wait...": "מבצע גיבוי, אנא המתן...", + "An error occurred while logging in: ": "אירעה שגיאה במהלך הכניסה:", + "Fetching available backups...": "מושך גיבויים זמינים...", + "Done!": "הסתיים!", + "The cloud backup has been loaded successfully.": "גיבוי הענן נטען בהצלחה.", + "An error occurred while loading a backup: ": "אירעה שגיאה במהלך טעינת גיבוי:", + "Backing up packages to GitHub Gist...": "גיבוי חבילות ל-GitHub Gist...", + "Backup Successful": "הגיבוי הצליח", + "The cloud backup completed successfully.": "גיבוי הענן הושלם בהצלחה.", + "Could not back up packages to GitHub Gist: ": "לא היתה אפשרות לגבות חבילות ב- GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "לא מובטח שהפרטים שסיפקת יאוחסנו בצורה בטוחה, לכן עדיף שלא תשתמש בפרטי החשבון הבנקאי שלך", + "Enable the automatic WinGet troubleshooter": "הפעל את פותר הבעיות האוטומטי של WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "הפעל פתרון בעיות משופר [ניסיוני] עבור WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "הוסף עדכונים שנכשלים עם 'לא נמצא עדכון מתאים' לרשימת העדכונים שהמערכת תתעלם מהם", + "Restart WingetUI to fully apply changes": "הפעל מחדש את WingetUI כדי להחיל שינויים באופן מלא", + "Restart WingetUI": "הפעל מחדש את WingetUI", + "Invalid selection": "בחירה לא חוקית", + "No package was selected": "לא נבחרה חבילה", + "More than 1 package was selected": "נבחרה יותר מחבילה אחת", + "List": "רשימה", + "Grid": "רשת", + "Icons": "סמלים", "\"{0}\" is a local package and does not have available details": "\"{0}\" היא חבילה מקומית, ואין לה פרטים זמינים", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" היא חבילה מקומית, ואינה תואמת לתכונה זו", - "(Last checked: {0})": "(נבדק לאחרונה: {0})", + "WinGet malfunction detected": "זוהתה תקלה ב-WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "נראה ש-WinGet אינו פועל כראוי. האם ברצונך לנסות לתקן את WinGet?", + "Repair WinGet": "תקן את WinGet", + "Create .ps1 script": "צור קובץ Script של .ps1\n", + "Add packages to bundle": "הוסף חבילות לצרור", + "Preparing packages, please wait...": "מכין חבילות, אנא המתן...", + "Loading packages, please wait...": "טוען חבילות, אנא המתן...", + "Saving packages, please wait...": "שומר חבילות, אנא המתן...", + "The bundle was created successfully on {0}": "הצרור נוצר בהצלחה ב-{0}", + "Install script": "Script התקנה", + "The installation script saved to {0}": "קובץ ה-Script של ההתקנה נשמר ל-{0}", + "An error occurred while attempting to create an installation script:": "אירעה שגיאה בעת ניסיון ליצור קובץ Script להתקנה:", + "{0} packages are being updated": "מעדכן {0} חבילות", + "Error": "שגיאה", + "Log in failed: ": "הכניסה נכשלה:", + "Log out failed: ": "היציאה נכשלה:", + "Package backup settings": "הגדרות גיבוי חבילות", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(מספר {0} בתור)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "Oryan Hassidim, @maximunited", "0 packages found": "לא נמצאו חבילות", "0 updates found": "לא נמצאו עדכונים", - "1 - Errors": "1 - שגיאות", - "1 day": "יום אחד", - "1 hour": "שעה אחת", "1 month": "חודש אחד", "1 package was found": "נמצאה חבילה אחת", - "1 update is available": "1 עדכון קיים", - "1 week": "שבוע אחד", "1 year": "שנה אחת", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. עבור אל הדף \"{0}\" או \"{1}\".", - "2 - Warnings": "2 - התראות", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. אתר את החבילה/ות שברצונך להוסיף לצרור ובחר את תיבת הסימון השמאלית ביותר שלהן.", - "3 - Information (less)": "3 - מידע (מקוצר)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. לאחר שבחרת את החבילות שברצונך להוסיף לצרור, אתר ולחץ על האפשרות \"{0}\" בסרגל הכלים.", - "4 - Information (more)": "4 - מידע (מורחב)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. החבילות שלך נוספו לצרור. תוכל להמשיך להוסיף חבילות או לייצא את הצרור.", - "5 - information (debug)": "5 - מידע (דיבאג)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "מנהל חבילות פופולרי עבור ספריות C/C++. כולל ספריות C/C++ וכלים נוספים הקשורים ל-C/C++
מכיל: ספריות C/C++ וכלים נלווים", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "מאגר מלא של כלים וקובצי הפעלה שתוכננו מתוך מחשבה על מערכת האקולוגית .NET של Microsoft.
מכיל: כלים וסקריפטים הקשורים ל-.NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "מאגר מלא בכלים שתוכננו מתוך מחשבה על המערכת האקולוגית .NET של Microsoft.
מכיל: כלים הקשורים ל-.NET", "A restart is required": "נדרשת הפעלה מחדש", - "Abort install if pre-install command fails": "בטל התקנה אם פקודת טרום-התקנה נכשלת", - "Abort uninstall if pre-uninstall command fails": "בטל הסרת התקנה אם פקודת טרום-הסרה נכשלת", - "Abort update if pre-update command fails": "בטל עדכון אם פקודת טרום-עדכון נכשלת", - "About": "אודות", "About Qt6": "אודות Qt6", - "About WingetUI": "אודות WingetUI", "About WingetUI version {0}": "אודות גרסת WingetUI {0}", "About the dev": "אודות המפתח", - "Accept": "מאשר", "Action when double-clicking packages, hide successful installations": "פעולה בלחיצה כפולה על חבילה, הסתר התקנות שבוצעו בהצלחה", - "Add": "הוסף", "Add a source to {0}": "הוסף מקור ל- {0}", - "Add a timestamp to the backup file names": "הוסף חותמת זמן לשמות קבצי הגיבוי", "Add a timestamp to the backup files": "הוסף חותמת זמן לקבצי הגיבוי", "Add packages or open an existing bundle": "הוסף חבילות או פתח צרור קיים", - "Add packages or open an existing package bundle": "הוסף חבילות או פתח צרור חבילות קיים", - "Add packages to bundle": "הוסף חבילות לצרור", - "Add packages to start": "הוסף חבילות כדי להתחיל", - "Add selection to bundle": "הוסף בחירה לצרור", - "Add source": "הוסף מקור", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "הוסף עדכונים שנכשלים עם 'לא נמצא עדכון מתאים' לרשימת העדכונים שהמערכת תתעלם מהם", - "Adding source {source}": "מוסיף מקור {source}", - "Adding source {source} to {manager}": "מוסיף מקור {source} ל-{manager}", "Addition succeeded": "הוספה מוצלחת", - "Administrator privileges": "הרשאות מנהל", "Administrator privileges preferences": "העדפות עבור הרשאות מנהל", "Administrator rights": "הרשאות מנהל מערכת", - "Administrator rights and other dangerous settings": "הרשאות מנהל והגדרות מסוכנות אחרות", - "Advanced options": "אפשרויות מתקדמות", "All files": "כל הקבצים", - "All versions": "כל הגירסאות", - "Allow changing the paths for package manager executables": "אפשר שינוי נתיבים לקבצי הפעלה של מנהלי חבילות", - "Allow custom command-line arguments": "אפשר ארגומנטים מותאמים אישית של שורת הפקודה\n", - "Allow importing custom command-line arguments when importing packages from a bundle": "אפשר ייבוא ארגומנטים מותאמים אישית של שורת הפקודה בעת ייבוא חבילות מצרור", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "אפשר ייבוא פקודות טרום-התקנה ופוסט-התקנה מותאמות אישית בעת ייבוא חבילות מצרור", "Allow package operations to be performed in parallel": "אפשר לבצע פעולות חבילה במקביל", "Allow parallel installs (NOT RECOMMENDED)": "אפשר התקנות במקביל (לא מומלץ)", - "Allow pre-release versions": "אפשר גירסאות קדם-הפצה", "Allow {pm} operations to be performed in parallel": "אפשר לבצע פעולות של {pm} במקביל", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "לחלופין, אתה יכול גם להתקין {0} על ידי הפעלת הפקודה הבאה ב- Windows PowerShell:", "Always elevate {pm} installations by default": "התקן תמיד {pm} כברירת מחדל", "Always run {pm} operations with administrator rights": "הפעל תמיד {pm} פעולות עם זכויות מנהל", - "An error occurred": "אירעה שגיאה", - "An error occurred when adding the source: ": "אירעה שגיאה בעת הוספת המקור:", - "An error occurred when attempting to show the package with Id {0}": "אירעה שגיאה בעת ניסיון להציג את החבילה עם מזהה {0}", - "An error occurred when checking for updates: ": "אירעה שגיאה בעת בדיקת עדכונים:", - "An error occurred while attempting to create an installation script:": "אירעה שגיאה בעת ניסיון ליצור קובץ Script להתקנה:", - "An error occurred while loading a backup: ": "אירעה שגיאה במהלך טעינת גיבוי:", - "An error occurred while logging in: ": "אירעה שגיאה במהלך הכניסה:", - "An error occurred while processing this package": "אירעה שגיאה במהלך עיבוד החבילה הזו", - "An error occurred:": "אירעה שגיאה:", - "An interal error occurred. Please view the log for further details.": "אירעה שגיאה פנימית. אנא עיין ביומן לפרטים נוספים.", "An unexpected error occurred:": "שגיאה לא צפויה התרחשה:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "התרחשה בעיה בלתי צפויה בעת ניסיון לתקן את WinGet. אנא נסה שוב מאוחר יותר", - "An update was found!": "נמצא עדכון!", - "Android Subsystem": "תת-מערכת אנדרואיד", "Another source": "מקור נוסף", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "כל קיצור דרך חדש שיווצר במהלך התקנה או עדכון יימחק אוטומטית, במקום להציג הודעת אישור בפעם הראשונה שהוא מזוהה.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "כל קיצור דרך שנוצר או נערך מחוץ ל-UniGetUI ייבדל. תוכל להוסיף אותם באמצעות כפתור {0}.", - "Any unsaved changes will be lost": "כל שינוי שלא יישמר יתבטל", "App Name": "שם אפליקציה", - "Appearance": "מראה ותחושה", - "Application theme, startup page, package icons, clear successful installs automatically": "ערכת נושא, דף פתיחה, סמלי חבילות, ניקוי התקנות מוצלחות באופן אוטומטי", - "Application theme:": "ערכת נושא:", - "Apply": "החל", - "Architecture to install:": "ארכיטקטורה להתקנה: ", "Are these screenshots wron or blurry?": "האם תמונות המסך האלה שגויות או מטושטשות?", - "Are you really sure you want to enable this feature?": "האם אתה בטוח שברצונך להפעיל תכונה זו?", - "Are you sure you want to create a new package bundle? ": "האם אתה בטוח שברצונך ליצור צרור חבילות חדש?", - "Are you sure you want to delete all shortcuts?": "האם אתה בטוח שברצונך למחוק את כל קיצורי הדרך?", - "Are you sure?": "האם אתה בטוח?", - "Ascendant": "בסדר עולה", - "Ask for administrator privileges once for each batch of operations": "בקש הרשאות מנהל פעם אחת עבור כל אצווה של פעולות", "Ask for administrator rights when required": "בקש הרשאות מנהל כשהן נדרשות", "Ask once or always for administrator rights, elevate installations by default": "בקש הרשאות מנהל פעם אחת או תמיד, הרץ התקנות כמנהל כברירת מחדל", - "Ask only once for administrator privileges": "בקש פעם אחת בלבד הרשאות מנהל מערכת", "Ask only once for administrator privileges (not recommended)": "בקש הרשאות מנהל רק פעם אחת (לא מומלץ)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "בקש למחוק קיצורי דרך שנוצרו בשולחן העבודה במהלך התקנה או עדכון.", - "Attention required": "נדרשת תשומת לב", "Authenticate to the proxy with an user and a password": "אימות מול הProxy באמצעות שם משתמש וסיסמה", - "Author": "מחבר", - "Automatic desktop shortcut remover": "מסיר קיצורי דרך אוטומטי", - "Automatic updates": "עדכונים אוטומטיים", - "Automatically save a list of all your installed packages to easily restore them.": "שמור אוטומטית רשימה של כל החבילות המותקנות שלך כדי לשחזר אותן בקלות.", "Automatically save a list of your installed packages on your computer.": "שמור אוטומטית רשימה של החבילות המותקנות במחשב שלך.", - "Automatically update this package": "עדכן חבילה זו באופן אוטומטי", "Autostart WingetUI in the notifications area": "הפעל אוטומטית את WingetUI אל מגש המערכת", - "Available Updates": "עדכונים זמינים", "Available updates: {0}": "עדכונים זמינים: {0}", "Available updates: {0}, not finished yet...": "עדכונים זמינים: {0}, טרם הושלמו...", - "Backing up packages to GitHub Gist...": "גיבוי חבילות ל-GitHub Gist...", - "Backup": "גיבוי", - "Backup Failed": "הגיבוי נכשל", - "Backup Successful": "הגיבוי הצליח", - "Backup and Restore": "גיבוי ושחזור", "Backup installed packages": "גבה חבילות מותקנות", "Backup location": "מיקום הגיבוי", - "Become a contributor": "הפוך לתורם", - "Become a translator": "הפוך למתרגם", - "Begin the process to select a cloud backup and review which packages to restore": "התחל בתהליך לבחירת גיבוי ענן ובדוק אילו חבילות לשחזר", - "Beta features and other options that shouldn't be touched": "תכונות בטא ואפשרויות אחרות שאסור לגעת בהן", - "Both": "שניהם", - "Bundle security report": "דוח אבטחה לצרור", "But here are other things you can do to learn about WingetUI even more:": "אבל אלה עוד דברים שאפשר לעשות כדי ללמוד אפילו יותר על WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "על ידי כיבוי של מנהל חבילות, לא תוכל עוד לראות או לעדכן את החבילות שלו.", "Cache administrator rights and elevate installers by default": "שמור הרשאות מנהל ושדרג תוכניות התקנה כברירת מחדל", "Cache administrator rights, but elevate installers only when required": "שמור הרשאות מנהל אך שדרג תוכניות התקנה רק כאשר נדרש", "Cache was reset successfully!": "זיכרון מטמון אופס בהצלחה!", "Can't {0} {1}": "לא מתאפשר {0} {1}", - "Cancel": "ביטול", "Cancel all operations": "בטל את כל הפעולות", - "Change backup output directory": "שנה את ספריית פלט הגיבוי", - "Change default options": "שנה אפשרויות ברירת מחדל", - "Change how UniGetUI checks and installs available updates for your packages": "שנה את האופן שבו UniGetUI בודק ומתקין עדכונים זמינים עבור החבילות שלך", - "Change how UniGetUI handles install, update and uninstall operations.": "שנה את האופן שבו UniGetUI מטפל בפעולות התקנה, עדכון והסרה.", "Change how UniGetUI installs packages, and checks and installs available updates": "שנה כיצד UniGetUI מתקין חבילות, בודק ומתקין עדכונים זמינים", - "Change how operations request administrator rights": "שינוי האופן שבו פעולות מבקשות הרשאות מנהל מערכת", "Change install location": "שנה את מיקום ההתקנה", - "Change this": "שנה זאת", - "Change this and unlock": "שנה זאת ובטל נעילה", - "Check for package updates periodically": "חפש עדכונים לחבילה מעת לעת", - "Check for updates": "בדוק עדכונים", - "Check for updates every:": "חפש עדכונים כל:", "Check for updates periodically": "חפש עדכונים מעת לעת", "Check for updates regularly, and ask me what to do when updates are found.": "חפש באופן קבוע אם יש עדכונים, ושאל אותי מה לעשות כאשר נמצאים עדכונים.", "Check for updates regularly, and automatically install available ones.": "חפש באופן קבוע אם יש עדכונים, והתקן באופן אוטומטי עדכונים זמינים.", @@ -159,805 +741,283 @@ "Checking for updates...": "מחפש עדכונים...", "Checking found instace(s)...": "בודק מופע/ים שנמצאו...", "Choose how many operations shouls be performed in parallel": "בחר כמה פעולות יתבצעו במקביל", - "Clear cache": "נקה מטמון", "Clear finished operations": "נקה פעולות שהושלמו", - "Clear selection": "ניקוי בחירה", "Clear successful operations": "נקה פעולות שהצליחו", - "Clear successful operations from the operation list after a 5 second delay": "נקה פעולות שהצליחו מרשימת הפעולות לאחר השהייה של 5 שניות", "Clear the local icon cache": "נקה את מטמון הסמלים המקומי", - "Clearing Scoop cache - WingetUI": "ניקוי מטמון Scoop - WingetUI", "Clearing Scoop cache...": "מנקה זיכרון מטמון של Scoop...", - "Click here for more details": "לחץ כאן למידע נוסף", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "לחץ על התקן כדי להתחיל את תהליך ההתקנה. אם תדלג על ההתקנה, יתכן ש-, UniGetUI לא יעבוד כראוי. ", - "Close": "סגירה", - "Close UniGetUI to the system tray": "מזער את UniGetUI למגש המערכת", "Close WingetUI to the notification area": "סגור את WingetUI למרכז ההודעות", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "גיבוי בענן משתמש ב-GitHub Gist פרטי כדי לאחסן רשימה של חבילות מותקנות", - "Cloud package backup": "גיבוי חבילות בענן", "Command-line Output": "פלט שורת הפקודה", - "Command-line to run:": "פקודה להרצה:", "Compare query against": "השווה שאילתה ל", - "Compatible with authentication": "תואם לאימות", - "Compatible with proxy": "תואם לפרוקסי", "Component Information": "מידע רכיב", - "Concurrency and execution": "מקביליות וביצוע", - "Connect the internet using a custom proxy": "התחבר לאינטרנט באמצעות Proxy מותאם אישית", - "Continue": "המשך", "Contribute to the icon and screenshot repository": "תרום למאגר הסמלים וצילומי מסך", - "Contributors": "תורמים", "Copy": "העתק", - "Copy to clipboard": "העתק ללוח", - "Could not add source": "לא ניתן להוסיף מקור", - "Could not add source {source} to {manager}": "לא ניתן להוסיף את המקור {source} ל-{manager}", - "Could not back up packages to GitHub Gist: ": "לא היתה אפשרות לגבות חבילות ב- GitHub Gist: ", - "Could not create bundle": "לא ניתן ליצור צרור חבילות", "Could not load announcements - ": "לא ניתן לטעון הודעות -", "Could not load announcements - HTTP status code is $CODE": "לא ניתן לטעון הודעות - קוד סטטוס HTTP הוא $CODE", - "Could not remove source": "לא ניתן להסיר מקור", - "Could not remove source {source} from {manager}": "לא ניתן להסיר את המקור {source} מ-{manager}", "Could not remove {source} from {manager}": "לא ניתן להסיר את {source} מתוך {manager}", - "Create .ps1 script": "צור קובץ Script של .ps1\n", - "Credentials": "פרטי התחברות", "Current Version": "גרסה נוכחית", - "Current executable file:": "קובץ ההפעלה הנוכחי:", - "Current status: Not logged in": "מצב נוכחי: לא מחובר", "Current user": "משתמש נוכחי", "Custom arguments:": "ארגומנטים מותאמים אישית:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "ארגומנטים מותאמים אישית של שורת הפקודה יכולים לשנות את הדרך שבה התוכנים מותקנים, מתעדכנים או מוסרים, באופן ש-UniGetUI אינו יכול לשלוט. שימוש בשורות פקודה מותאמות אישית עלול לגרום נזק לחבילות. יש לפעול בזהירות.", "Custom command-line arguments:": "אגרומנטים מותאמים אישית של שורת הפקודה:", - "Custom install arguments:": "ארגומנטים מותאמים להתקנה:", - "Custom uninstall arguments:": "ארגומנטים מותאמים להסרת התקנה:", - "Custom update arguments:": "ארגומנטים מותאמים לעדכון:", "Customize WingetUI - for hackers and advanced users only": "התאם אישית את WingetUI - להאקרים ומשתמשים מתקדמים בלבד", - "DEBUG BUILD": "גירסת ניפוי שגיאות", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "כתב ויתור: איננו אחראים לחבילות שהורדו. אנא הקפד להתקין רק תוכנה מהימנה.", - "Dark": "כהה", - "Decline": "דחה", - "Default": "ברירת מחדל", - "Default installation options for {0} packages": "אפשרויות התקנה ברירת מחדל עבור חבילות {0}", "Default preferences - suitable for regular users": "הגדרות ברירת מחדל - מתאים למשתמשים רגילים", - "Default vcpkg triplet": "הגדרת ברירת מחדל של vcpkg triplet", - "Delete?": "למחוק?", - "Dependencies:": "תלויות:", - "Descendant": "בסדר יורד", "Description:": "תיאור:", - "Desktop shortcut created": "נוצר קיצור דרך בשולחן העבודה", - "Details of the report:": "פרטי הדוח:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "פיתוח זה קשה, והתוכנה הזאת חינמית. אבל אם אהבת תמיד תוכל לקנות לי קפה :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "התקנה ישירה בעת לחיצה כפולה על פריט בכרטיסייה \"{discoveryTab}\" (במקום להציג את פרטי החבילה)", "Disable new share API (port 7058)": "השבת ממשק API חדש לשיתוף (פורט 7058)", - "Disable the 1-minute timeout for package-related operations": "השבת את מגבלת הזמן של דקה אחת לפעולות הקשורות לחבילות", - "Disabled": "מושבת", - "Disclaimer": "כתב ויתור", - "Discover Packages": "גלה חבילות", "Discover packages": "גלה חבילות", "Distinguish between\nuppercase and lowercase": "הבחנה בין אותיות רישיות לאותיות קטנות", - "Distinguish between uppercase and lowercase": "הבחנה בין אותיות רישיות לאותיות קטנות", "Do NOT check for updates": "אל תחפש עדכונים", "Do an interactive install for the selected packages": "בצע התקנה אינטראקטיבית עבור החבילות המסומנות", "Do an interactive uninstall for the selected packages": "בצע הסרת התקנה אינטראקטיבית עבור החבילות המסומנות", "Do an interactive update for the selected packages": "בצע עדכון אינטרקטיבי עבור החבילות המסומנות", - "Do not automatically install updates when the battery saver is on": "אל תתקין עדכונים באופן אוטומטי כאשר חיסכון בסוללה מופעל", - "Do not automatically install updates when the device runs on battery": "אל תתקין עדכונים באופן אוטומטי כאשר המכשיר פועל על סוללה", - "Do not automatically install updates when the network connection is metered": "אל תתקין עדכונים באופן אוטומטי כאשר חיבור הרשת מוגדר כמוגבל", "Do not download new app translations from GitHub automatically": "אל תוריד תרגומים לחדשים של יישום באופן אוטומטי", - "Do not ignore updates for this package anymore": "אל תתעלם יותר מעדכונים עבור חבילה זו", "Do not remove successful operations from the list automatically": "אל תסיר פעולות מוצלחות מהרשימה באופן אוטומטי", - "Do not show this dialog again for {0}": "אל תציג חלון זה שוב עבור {0}", "Do not update package indexes on launch": "אל תעדכן אינדקסים של חבילות בעת ההשקה", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "האם אתה מסכים ש-UniGetUI יאסוף וישלח נתוני שימוש אנונימיים, אך ורק לצורך הבנת חוויית המשתמש ושיפורה?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "האם אתה מוצא את WingetUI שימושי? אם אתה יכול, אולי תרצה לתמוך בעבודה שלי, כדי שאוכל להמשיך להפוך את WingetUI לממשק ניהול החבילות האולטימטיבי.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "אתה חושב ש-WingetUI שימושי? רוצה לתמוך במפתח? אם כן, אתה יכול {0}, זה עוזר המון!", - "Do you really want to reset this list? This action cannot be reverted.": "האם אתה בטוח שברצונך לאפס רשימה זו? פעולה זו אינה ניתנת לביטול.", - "Do you really want to uninstall the following {0} packages?": "האם אתה באמת רוצה להסיר את ההתקנה של {0} החבילות הבאות?", "Do you really want to uninstall {0} packages?": "האם אתה בטוח שאתה רוצה להסיר {0} חבילות?", - "Do you really want to uninstall {0}?": "האם אתה בטוח שאתה רוצה להסיר את {0}?", "Do you want to restart your computer now?": "האם אתה רוצה להפעיל מחדש את המכשיר?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "האם אתה רוצה לתרגם את WingetUI לשפה שלך? ראה איך ניתן לעשות זאת HERE!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "לא בא לך לתרום? אל תדאג, אתה תמיד יכול לשתף את WingetUI עם החברים שלך. הפיצו את הבשורה על WingetUI.", "Donate": "תרום", - "Done!": "הסתיים!", - "Download failed": "ההורדה נכשלה", - "Download installer": "הורד את תוכנית ההתקנה", - "Download operations are not affected by this setting": "פעולות הורדה אינן מושפעות מהגדרה זו", - "Download selected installers": "הורד מתקינים נבחרים", - "Download succeeded": "ההורדה הצליחה", "Download updated language files from GitHub automatically": "הורד קבצי שפה מעודכנים מ-GitHub באופן אוטומטי", - "Downloading": "מוריד", - "Downloading backup...": "מוריד גיבוי...", - "Downloading installer for {package}": "מוריד מתקין עבור {package}", - "Downloading package metadata...": "מוריד מידע על חבילה...", - "Enable Scoop cleanup on launch": "אפשר ניקוי Scoop בעליה", - "Enable WingetUI notifications": "אפשר הודעות של WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "הפעל פתרון בעיות משופר [ניסיוני] עבור WinGet", - "Enable and disable package managers, change default install options, etc.": "אפשר או השבת מנהלי חבילות, שנה אפשרויות התקנה ברירת מחדל וכו'.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "הפעל אופטימיזציות רקע לשימוש ב-CPU (ראה Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "אפשר API רקע (WingetUI Widgets and Sharing, פורט 7058)", - "Enable it to install packages from {pm}.": "אפשר אותו להתקין חבילות מ-{pm}.", - "Enable the automatic WinGet troubleshooter": "הפעל את פותר הבעיות האוטומטי של WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "הפעל את מעלית ה-UAC החדשה של UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "אפשר את מנהל קלט התהליך החדש (סוגר מדור קודם של StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "אפשר את ההגדרות למטה רק אם אתה מבין בהחלט מה הן עושות והמשמעויות שהן עלולות להיות להן.", - "Enable {pm}": "אפשר {pm}", - "Enabled": "מופעל", - "Enter proxy URL here": "הזן כאן כתובת URL של Proxy", - "Entries that show in RED will be IMPORTED.": "ערכים שמוצגים באדום ייובאו.", - "Entries that show in YELLOW will be IGNORED.": "ערכים שמוצגים בצהוב יתעלמו.", - "Error": "שגיאה", - "Everything is up to date": "הכל מעודכן", - "Exact match": "התאמה מדוייקת", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "קיצורי הדרך הקיימים בשולחן העבודה שלך ייסרקו, ותצטרך לבחור אילו לשמור ואילו להסיר.", - "Expand version": "מידע גרסה", - "Experimental settings and developer options": "הגדרות ניסיוניות ואפשרויות למפתחים ", - "Export": "יצא", + "Downloading": "מוריד", + "Downloading installer for {package}": "מוריד מתקין עבור {package}", + "Downloading package metadata...": "מוריד מידע על חבילה...", + "Enable the new UniGetUI-Branded UAC Elevator": "הפעל את מעלית ה-UAC החדשה של UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "אפשר את מנהל קלט התהליך החדש (סוגר מדור קודם של StdIn)", "Export log as a file": "יצא קבצי יומן רישום כקובץ", "Export packages": "יצא חבילות", "Export selected packages to a file": "יצא חבילות מסומנות לקובץ", - "Export settings to a local file": "יצא הגדרות לקובץ מקומי", - "Export to a file": "יצא לקובץ", - "Failed": "שגיאה", - "Fetching available backups...": "מושך גיבויים זמינים...", "Fetching latest announcements, please wait...": "מביא את ההכרזות האחרונות, אנא המתן...", - "Filters": "מסננים", "Finish": "סיים", - "Follow system color scheme": "עקוב אחר צבעי המערכת", - "Follow the default options when installing, upgrading or uninstalling this package": "עקוב אחר האפשרויות ברירת המחדל בעת התקנה, שדרוג או הסרת התקנה של חבילה זו", - "For security reasons, changing the executable file is disabled by default": "מסיבות אבטחה, שינוי קובץ ההפעלה מושבת כברירת מחדל", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "מסיבות אבטחה, ארגומנטים מותאמים אישית של שורת הפקודה מושבתים כברירת מחדל. עבור אל הגדרות האבטחה של UniGetUI כדי לשנות זאת.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "מסיבות אבטחה, סקריפטים של לפני פעולה ואחרי פעולה מושבתים כברירת מחדל. עבור אל הגדרות האבטחה של UniGetUI כדי לשנות זאת.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "אכוף גרסת winget מקומפלת ל-ARM (עבור מערכות ARM64 בלבד)", - "Force install location parameter when updating packages with custom locations": "אכוף את פרמטר מיקום ההתקנה בעת עדכון חבילות עם מיקומים מותאמים אישית", "Formerly known as WingetUI": "ידוע בעבר בשם WingetUI", "Found": "נמצא", "Found packages: ": "נמצאו חבילות:", "Found packages: {0}": "חבילות שנמצאו: {0}", "Found packages: {0}, not finished yet...": "חבילות שנמצאו: {0}, טרם הושלמו...", - "General preferences": "העדפות כלליות", "GitHub profile": "פרופיל GitHub", "Global": "גלובלי", - "Go to UniGetUI security settings": "עבור אל הגדרות האבטחה של UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "מאגר נהדר של כלי עזר לא ידועים אך שימושיים וחבילות מעניינות אחרות.
מכיל: כלי עזר, תוכניות שורת פקודה, תוכנה כללית (נדרשת דלי תוספות)", - "Great! You are on the latest version.": "מעולה! אתה משתמש בגרסה העדכנית ביותר.", - "Grid": "רשת", - "Help": "עזרה", "Help and documentation": "עזרה ותיעוד", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "כאן תוכל לשנות את אופן הפעולה של UniGetUI בנוגע לקיצורי הדרך הבאים. סימון קיצור דרך יגרום ל-UniGetUI למחוק אותו אם ייווצר בעתיד בעדכון. ביטול הסימון ישמור עליו ללא שינוי.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "היי, שמי Martí, ואני המפתח של WingetUI. WingetUI נוצר כולו בזמני הפנוי!", "Hide details": "הסתר פרטים", - "Homepage": "דף הבית", - "Hooray! No updates were found.": "הידד! לא נמצאו עדכונים!", "How should installations that require administrator privileges be treated?": "כיצד יש להתייחס להתקנות הדורשות הרשאות מנהל?", - "How to add packages to a bundle": "כיצד להוסיף חבילות לצרור", - "I understand": "אני מבין", - "Icons": "סמלים", - "Id": "מזהה", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "אם הפעלת גיבוי בענן, הוא יישמר כ-GitHub Gist בחשבון זה", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "אפשר להפעיל פקודות מותאמות אישית לפני ואחרי ההתקנה בעת ייבוא חבילות מצרור", - "Ignore future updates for this package": "התעלם מעדכוני תכונות לחבילה זו", - "Ignore packages from {pm} when showing a notification about updates": "התעלם מחבילות מ-{pm} בעת הצגת התראה על עדכונים", - "Ignore selected packages": "התעלם מהחבילות המסומנות", - "Ignore special characters": "התעלם מתווים מיוחדים", "Ignore updates for the selected packages": "התעלם מעדכונים עבור החבילות המסומנות", - "Ignore updates for this package": "התעלם מעדכונים עבור חבילה זו", "Ignored updates": "עדכונים חסומים", - "Ignored version": "גרסה חסומה", - "Import": "יבא", "Import packages": "יבא חבילות", "Import packages from a file": "יבא חבילות מקובץ", - "Import settings from a local file": "יבא הגדרות מקובץ מקומי", - "In order to add packages to a bundle, you will need to: ": "כדי להוסיף חבילות לצרור, עליך:", "Initializing WingetUI...": "מאתחל את WingetUI...", - "Install": "התקן", - "Install Scoop": "התקן Scoop", "Install and more": "התקנה, ועוד", "Install and update preferences": "התקן והעדף הגדרות", - "Install as administrator": "התקן כמנהל מערכת", - "Install available updates automatically": "התקן עדכונים זמינים באופן אוטומטי", - "Install location can't be changed for {0} packages": "מיקום ההתקנה אינו יכול להשתנות עבור חבילות {0}", - "Install location:": "מיקום ההתקנה:", - "Install options": "אפשרויות התקנה", "Install packages from a file": "התקן חבילות מקובץ", - "Install prerelease versions of UniGetUI": "התקן גרסאות קדם של UniGetUI", - "Install script": "Script התקנה", "Install selected packages": "התקן חבילות מסומנות", "Install selected packages with administrator privileges": "התקן חבילות מסומנות עם הרשאות מנהל מערכת", - "Install selection": "בחירת התקנה", "Install the latest prerelease version": "התקן את גרסת ההפצה העדכנית ביותר", "Install updates automatically": "התקן עדכונים באופן אוטומטי", - "Install {0}": "התקן {0}", "Installation canceled by the user!": "התקנה בוטלה על ידי המשתמש!", - "Installation failed": "ההתקנה נכשלה", - "Installation options": "אפשרויות התקנה", - "Installation scope:": "היקף התקנה:", - "Installation succeeded": "ההתקנה הצליחה", - "Installed Packages": "חבילות מותקנות", - "Installed Version": "גרסה מותקנת", "Installed packages": "חבילות מותקנות", - "Installer SHA256": "התקנה SHA256", - "Installer SHA512": "התקנה SHA512", - "Installer Type": "סוג תוכנת התקנה", - "Installer URL": "כתובת האתר של המתקין", - "Installer not available": "תוכנית ההתקנה אינה זמינה", "Instance {0} responded, quitting...": "מופע {0} הגיב, יוצא...", - "Instant search": "חיפוש מיידי", - "Integrity checks can be disabled from the Experimental Settings": "בדיקות תקינות יכולות להיות מושבתות מהגדרות הניסיוניות", - "Integrity checks skipped": "בדיקות תקינות דוולגו", - "Integrity checks will not be performed during this operation": "בדיקות תקינות לא יתבצעו במהלך פעולה זו", - "Interactive installation": "התקנה אינטראקטיבית", - "Interactive operation": "הפעלה אינטראקטיבית", - "Interactive uninstall": "הסרת התקנה אינטראקטיבית", - "Interactive update": "עדכון אינטרקטיבי", - "Internet connection settings": "הגדרות חיבור לאינטרנט", - "Invalid selection": "בחירה לא חוקית", "Is this package missing the icon?": "האם לחבילה זו חסר סמל?", - "Is your language missing or incomplete?": "האם השפה שלך חסרה או לא שלמה?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "לא מובטח שהפרטים שסיפקת יאוחסנו בצורה בטוחה, לכן עדיף שלא תשתמש בפרטי החשבון הבנקאי שלך", - "It is recommended to restart UniGetUI after WinGet has been repaired": "מומלץ להפעיל מחדש את UniGetUI לאחר תיקון WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "מומלץ בחום להתקין מחדש את UniGetUI כדי לטפל בסיטואציה.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "נראה ש-WinGet אינו פועל כראוי. האם ברצונך לנסות לתקן את WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "נראה שהפעלת את WingetUI כמנהל מערכת, דבר שאינו מומלץ. אתה עדיין יכול להשתמש בתוכנית, אבל אנחנו מאוד ממליצים לא להפעיל WingetUI עם הרשאות מנהל. לחץ על \"{showDetails}\" כדי לראות מדוע.", - "Language": "שפה", - "Language, theme and other miscellaneous preferences": "שפה, ערכת נושא והעדפות שונות אחרות", - "Last updated:": "עודכן לאחרונה:", - "Latest": "עדכנית ביותר", "Latest Version": "גרסה עדכנית ביותר", "Latest Version:": "גרסה עדכנית ביותר:", "Latest details...": "פרטים עדכניים ביותר...", "Launching subprocess...": "מפעיל תהליך משנה...", - "Leave empty for default": "השאר ריק לברירת המחדל", - "License": "רישיון", "Licenses": "רישיונות", - "Light": "בהיר", - "List": "רשימה", "Live command-line output": "פלט שורת פקודה חי", - "Live output": "פלט זמן אמת", "Loading UI components...": "טוען רכיבי UI...", "Loading WingetUI...": "טוען את WingetUI...", - "Loading packages": "טוען חבילות", - "Loading packages, please wait...": "טוען חבילות, אנא המתן...", - "Loading...": "טוען...", - "Local": "מקומי", - "Local PC": "PC מקומי", - "Local backup advanced options": "אפשרויות מתקדמות לגיבוי מקומי", "Local machine": "מכשיר מקומי", - "Local package backup": "גיבוי חבילות מקומי", "Locating {pm}...": "מאתר את {pm}...", - "Log in": "כניסה", - "Log in failed: ": "הכניסה נכשלה:", - "Log in to enable cloud backup": "התחבר כדי להפעיל גיבוי ענן", - "Log in with GitHub": "התחבר באמצעות GitHub", - "Log in with GitHub to enable cloud package backup.": "התחבר עם GitHub כדי להפעיל גיבוי חבילות ענן.", - "Log level:": "רמת יומן:", - "Log out": "התנתק", - "Log out failed: ": "היציאה נכשלה:", - "Log out from GitHub": "התנתק מ-GitHub", "Looking for packages...": "מחפש חבילות...", "Machine | Global": "מכונה | גלובלי", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "ארגומנטים שגויים של שורת פקודה יכולים לשבור חבילות או אפילו לאפשר לגורם זדוני לקבל ביצוע מוגבה. לכן, ייבוא ארגומנטים מותאמים אישית של שורת פקודה מושבת כברירת מחדל", - "Manage": "ניהול", - "Manage UniGetUI settings": "נהל הגדרות UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "נהל את התנהגות ההפעלה האוטומטית של WingetUI מאפליקציית ההגדרות", "Manage ignored packages": "נהל חבילות חסומות", - "Manage ignored updates": "נהל עדכונים שהמערכת מתעלמת מהם", - "Manage shortcuts": "נהל קיצורי דרך", - "Manage telemetry settings": "נהל הגדרות טלמטריה", - "Manage {0} sources": "נהל {0} מקורות", - "Manifest": "מניפסט", "Manifests": "מניפסטים", - "Manual scan": "סריקה ידנית", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "מנהל החבילות הרשמי של מיקרוסופט. מלא בחבילות ידועות ומאומתות
מכיל: תוכנה כללית, אפליקציות Microsoft Store", - "Missing dependency": "חבילת תלות חסרה", - "More": "עוד", - "More details": "פרטים נוספים", - "More details about the shared data and how it will be processed": "פרטים נוספים על הנתונים המשותפים ואופן עיבודם", - "More info": "מידע נוסף", - "More than 1 package was selected": "נבחרה יותר מחבילה אחת", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "הערה: ניתן להשבית את פתרון הבעיות הזה מהגדרות UniGetUI, בסעיף WinGet", - "Name": "שם", - "New": "חדש", "New Version": "גרסה חדשה", "New bundle": "צרור חדש", - "New version": "גרסה חדשה", - "Nice! Backups will be uploaded to a private gist on your account": "נהדר! גיבויים יועלו לגיסט פרטי בחשבון שלך", - "No": "לא", - "No applicable installer was found for the package {0}": "לא נמצא מתקין מתאים עבור החבילה {0}", - "No dependencies specified": "לא צוינו תלויות", - "No new shortcuts were found during the scan.": "לא נמצאו קיצורי דרך חדשים במהלך הסריקה.", - "No package was selected": "לא נבחרה חבילה", "No packages found": "לא נמצאו חבילות", "No packages found matching the input criteria": "לא נמצאו חבילות התואמות לקריטריוני הקלט", "No packages have been added yet": "עדיין לא נוספו חבילות", "No packages selected": "לא סומנו חבילות", - "No packages were found": "לא נמצאו חבילות", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "מידע אישי לא נאסף או נשלח, והנתונים שנאספים הם אנונימיים, ואינם מקושרים אליך.", - "No results were found matching the input criteria": "לא נמצאו תוצאות התואמות את קריטריוני הקלט", "No sources found": "לא נמצאו מקורות", "No sources were found": "לא נמצאו מקורות", "No updates are available": "אין עדכונים זמינים", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "מנהל החבילות של Node JS. מלא ספריות וכלי עזר אחרים המקיפים את עולם javascript.
מכיל: ספריות Node JS וכלי עזר קשורים אחרים\n", - "Not available": "לא זמין", - "Not finding the file you are looking for? Make sure it has been added to path.": "לא מוצא את הקובץ שאתה מחפש? וודא שהוא נוסף לנתיב.", - "Not found": "לא נמצא", - "Not right now": "לא כעת", "Notes:": "הערות:", - "Notification preferences": "העדפות הודעות", "Notification tray options": "אפשרויות מגש ההודעות", - "Notification types": "סוגי התראות", - "NuPkg (zipped manifest)": "NuPkg (מניפסט מכווץ)", - "OK": "אישור", "Ok": "אישור", - "Open": "פתח", "Open GitHub": "פתח את GitHub", - "Open UniGetUI": "פתח את UniGetUI", - "Open UniGetUI security settings": "פתח הגדרות אבטחה של UniGetUI", "Open WingetUI": "פתח את WingetUI", "Open backup location": "פתח את מיקום הגיבוי", "Open existing bundle": "פתח את הצרור הקיים", - "Open install location": "פתח מיקום התקנה", "Open the welcome wizard": "פתח את אשף הפתיחה", - "Operation canceled by user": "הפעולה בוטלה על ידי המשתמש", "Operation cancelled": "הפעולה בוטלה", - "Operation history": "הסטוריית פעולות", - "Operation in progress": "הפעולה בעיצומה", - "Operation on queue (position {0})...": "פעולה בתור (מיקום {0})...", - "Operation profile:": "פרופיל פעולה:", "Options saved": "אפשרויות נשמרו", - "Order by:": "מיין לפי:", - "Other": "אחר", - "Other settings": "הגדרות אחרות", - "Package": "חבילה", - "Package Bundles": "צרורות חבילות", - "Package ID": "מזהה החבילה", "Package Manager": "מנהל החבילה", - "Package Manager logs": "קבצי יומן רישום של מנהל החבילות", - "Package Managers": "מנהלי החבילה", - "Package Name": "שם החבילה", - "Package backup": "גיבוי חבילות", - "Package backup settings": "הגדרות גיבוי חבילות", - "Package bundle": "צרור חבילות", - "Package details": "פרטי החבילה", - "Package lists": "רשימות חבילות", - "Package management made easy": "ניהול חבילות בקלות", - "Package manager": "מנהל החבילה", - "Package manager preferences": "העדפות של מנהל החבילות", "Package managers": "מנהלי חבילות", - "Package not found": "החבילה לא נמצאה", - "Package operation preferences": "העדפות פעולת החבילה", - "Package update preferences": "העדפות עדכון חבילה", "Package {name} from {manager}": "חבילה {name} מתוך {manager}", - "Package's default": "ברירת מחדל של חבילה", "Packages": "חבילות", "Packages found: {0}": "נמצאו חבילות: {0}", - "Partially": "באופן חלקי", - "Password": "סיסמה", "Paste a valid URL to the database": "הדבק כתובת אתר חוקית למסד הנתונים", - "Pause updates for": "השהה עדכונים ל-", "Perform a backup now": "בצע גיבוי כעת", - "Perform a cloud backup now": "בצע גיבוי ענן כעת", - "Perform a local backup now": "בצע גיבוי מקומי כעת", - "Perform integrity checks at startup": "בצע בדיקות תקינות בעת ההפעלה", - "Performing backup, please wait...": "מבצע גיבוי, אנא המתן...", "Periodically perform a backup of the installed packages": "בצע מעת לעת גיבוי של החבילות המותקנות", - "Periodically perform a cloud backup of the installed packages": "בצע מעת לעת גיבוי ענן של החבילות המותקנות", - "Periodically perform a local backup of the installed packages": "בצע מעת לעת גיבוי מקומי של החבילות המותקנות", - "Please check the installation options for this package and try again": "בדוק את אפשרויות ההתקנה של חבילה זו ונסה שוב", - "Please click on \"Continue\" to continue": "אנא לחץ על \"המשך\" כדי להמשיך", "Please enter at least 3 characters": "נא להזין לפחות 3 תווים", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "שים לב שייתכן שחבילות מסוימות לא יהיו ניתנות להתקנה, עקב מנהלי החבילות הזמינים במחשב זה.", - "Please note that not all package managers may fully support this feature": "שימו לב שלא כל מנהלי החבילות עשויים לתמוך בתכונה זו באופן מלא", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "שים לב כי ייתכן שלא ניתן לייצא חבילות ממקורות מסוימים. הן הוצגו באפור ולא ייוצאו.", - "Please run UniGetUI as a regular user and try again.": "הפעל את UniGetUI כמשתמש רגיל ונסה שוב.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "אנא עיין בפלט שורת הפקודה או עיין בהסטוריית המבצעים למידע נוסף על הבעיה.", "Please select how you want to configure WingetUI": "בחר כיצד ברצונך להגדיר את WingetUI", - "Please try again later": "נסה שוב מאוחר יותר", "Please type at least two characters": "הקלד לפחות שני תווים", - "Please wait": "המתן בבקשה", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "נא להמתין בזמן ש-{0} מותקן. ייתכן שיופיע חלון שחור. יש להמתין עד לסגירתו.", - "Please wait...": "המתן בבקשה...", "Portable": "נייד", - "Portable mode": "מצב נייד", - "Post-install command:": "פקודת פוסט-התקנה:", - "Post-uninstall command:": "פקודת פוסט-הסרה:", - "Post-update command:": "פקודת פוסט-עדכון:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "מנהל החבילות של PowerShell. מצא ספריות וסקריפטים כדי להרחיב את יכולות PowerShell
מכיל: מודולים, סקריפטים, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "פקודות טרום ואחרי התקנה יכולות לעשות דברים רעים מאוד למכשיר שלך, אם הן תוכננו לעשות זאת. זה יכול להיות מאוד מסוכן לייבא את הפקודות מצרור, אלא אם אתה סומך על מקור הצרור.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "פקודות טרום ופוסט התקנה ירוצו לפני ואחרי חבילה מותקנת, מתעדכנת או מוסרת. שים לב שהן עלולות לשבור דברים אלא אם משתמשים בהן בזהירות", - "Pre-install command:": "פקודת טרום-התקנה:", - "Pre-uninstall command:": "פקודת טרום-הסרה:", - "Pre-update command:": "פקודת טרום-עדכון:", - "PreRelease": "טרום שחרור", - "Preparing packages, please wait...": "מכין חבילות, אנא המתן...", - "Proceed at your own risk.": "המשך על אחריותך בלבד.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "אסור על כל סוג של הרמה דרך UniGetUI Elevator או GSudo", - "Proxy URL": "כתובת Proxy", - "Proxy compatibility table": "טבלת תאימות פרוקסי", - "Proxy settings": "הגדרות Proxy", - "Proxy settings, etc.": "הגדרות Proxy, ועוד.", "Publication date:": "תאריך פרסום:", - "Publisher": "מפרסם", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "מנהל הספרייה של Python. ספריות Python רבות וכלי עזר אחרים הקשורים ל- Python
מכיל: ספריות Python וכלי עזר קשורים", - "Quit": "צא", "Quit WingetUI": "צא מ-WingetUI", - "Ready": "מוכן", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "הפחת הודעות UAC, הרף התקנות כברירת מחדל, בטל נעילה של תכונות מסוכנות מסוימות וכו'.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "עיין ביומני הרישום של UniGetUI כדי לקבל פרטים נוספים בנוגע לקבצים המושפעים", - "Reinstall": "התקן מחדש", - "Reinstall package": "התקן מחדש את החבילה", - "Related settings": "הגדרות קשורות", - "Release notes": "הערות שחרור", - "Release notes URL": "כתובת האתר של הערות גרסה", "Release notes URL:": "כתובת האתר של הערות גרסה:", "Release notes:": "הערות גרסה", "Reload": "טען מחדש", - "Reload log": "טען מחדש קובץ יומן רישום", "Removal failed": "ההסרה נכשלה", "Removal succeeded": "ההסרה הצליחה", - "Remove from list": "הסר מהרשימה", "Remove permanent data": "הסר נתונים קבועים", - "Remove selection from bundle": "הסר את הבחירה מהצרור", "Remove successful installs/uninstalls/updates from the installation list": "הסרת התקנות/הסרת התקנה/עדכונים מוצלחים מרשימת ההתקנה", - "Removing source {source}": "מסיר מקור {source}", - "Removing source {source} from {manager}": "מסיר את המקור {source} מ-{manager}", - "Repair UniGetUI": "תקן את UniGetUI", - "Repair WinGet": "תקן את WinGet", - "Report an issue or submit a feature request": "דווח על בעיה או שלח בקשה לתכונה", "Repository": "מאגר", - "Reset": "אפס", "Reset Scoop's global app cache": "אפס את מטמון האפליקציות הגלובלי של Scoop", - "Reset UniGetUI": "אפס את UniGetUI", - "Reset WinGet": "אפס את WinGet", "Reset Winget sources (might help if no packages are listed)": "אפס את מקורות Winget (יכול לעזור אם לא רשומות חבילות)", - "Reset WingetUI": "אפס את WingetUI", "Reset WingetUI and its preferences": "אפס את WingetUI ואת ההעדפות", "Reset WingetUI icon and screenshot cache": "אפס את מטמון הסמלים וצילומי המסך של WingetUI ", - "Reset list": "אפס רשימה", "Resetting Winget sources - WingetUI": "אפס את מקורות Winget - WingetUI", - "Restart": "הפעל מחדש", - "Restart UniGetUI": "הפעל מחדש את UniGetUI", - "Restart WingetUI": "הפעל מחדש את WingetUI", - "Restart WingetUI to fully apply changes": "הפעל מחדש את WingetUI כדי להחיל שינויים באופן מלא", - "Restart later": "הפעל מחדש מאוחר יותר", "Restart now": "הפעל מחדש עכשיו", - "Restart required": "נדרשת הפעלה מחדש", - "Restart your PC to finish installation": "הפעל מחדש את המחשב שלך על מנת להשלים את ההתקנה", - "Restart your computer to finish the installation": "הפעל מחדש את המחשב שלך על מנת להשלים את ההתקנה", - "Restore a backup from the cloud": "שחזר גיבוי מהענן", - "Restrictions on package managers": "הגבלות על מנהלי חבילות", - "Restrictions on package operations": "הגבלות על פעולות חבילה", - "Restrictions when importing package bundles": "הגבלות בעת ייבוא צרורות חבילות", - "Retry": "נסה שוב", - "Retry as administrator": "נסה שוב כמנהל מערכת", - "Retry failed operations": "נסה שוב פעולות שנכשלו", - "Retry interactively": "נסה שוב באינטראקטיביות", - "Retry skipping integrity checks": "נסה שוב תוך דילוג על בדיקות תקינות", - "Retrying, please wait...": "מנסה שוב, אנא המתן...", - "Return to top": "חזור למעלה", - "Run": "הרץ", - "Run as admin": "הפעל כמנהל מערכת", - "Run cleanup and clear cache": "הפעל ניקוי ונקה מטמון", - "Run last": "הפעל אחרון", - "Run next": "הפעל הבא", - "Run now": "הפעל כעת", + "Restart your PC to finish installation": "הפעל מחדש את המחשב שלך על מנת להשלים את ההתקנה", + "Restart your computer to finish the installation": "הפעל מחדש את המחשב שלך על מנת להשלים את ההתקנה", + "Retry failed operations": "נסה שוב פעולות שנכשלו", + "Retrying, please wait...": "מנסה שוב, אנא המתן...", + "Return to top": "חזור למעלה", "Running the installer...": "מריץ את ההתקנה...", "Running the uninstaller...": "מריץ את הסרת ההתקנה...", "Running the updater...": "מריץ את העדכון...", - "Save": "שמור", "Save File": "שמור קובץ", - "Save and close": "שמור וסגור", - "Save as": "שמור בשם", "Save bundle as": "שמור צרור בשם", "Save now": "שמור עכשיו", - "Saving packages, please wait...": "שומר חבילות, אנא המתן...", - "Scoop Installer - WingetUI": "מתקין סקופ - WingetUI", - "Scoop Uninstaller - WingetUI": "מסיר Scoop – WingetUI", - "Scoop package": "חבילת Scoop", "Search": "חַפֵּש", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "חפש תוכנת שולחן עבודה, הזהר אותי כאשר עדכונים זמינים ואל תעשה דברים חנוניים. אני לא רוצה ש-WingetUI תסבך יתר על המידה, אני רק רוצה חנות אפליקציות פשוטה", - "Search for packages": "חפש חבילות", - "Search for packages to start": "חפש חבילות כדי להתחיל", - "Search mode": "מצב חיפוש", "Search on available updates": "חפש עדכונים זמינים", "Search on your software": "חפש ביישומים שלך", "Searching for installed packages...": "מחפש חבילות מותקנות...", "Searching for packages...": "מחפש חבילות...", "Searching for updates...": "מחפש עדכונים...", - "Select": "בחר", "Select \"{item}\" to add your custom bucket": "בחר \"{item}\" כדי להוסיף את הדלי המותאם אישית שלך", "Select a folder": "בחר תיקיה", - "Select all": "בחר הכל", "Select all packages": "בחר את כל החבילות", - "Select backup": "בחר גיבוי", "Select only if you know what you are doing.": "בחר רק אם אתה יודע מה אתה עושה.", "Select package file": "בחר קובץ חבילה", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "בחר את הגיבוי שאתה רוצה לפתוח. מאוחר יותר, תוכל לבדוק אילו חבילות אתה רוצה להתקין.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "בחר את קובץ ההפעלה שיש להשתמש בו. הרשימה הבאה מציגה את קבצי ההפעלה שנמצאו על ידי UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "בחר את התהליכים שיש לסגור לפני החבילה מותקנת, מתעדכנת או מוסרת.", - "Select the source you want to add:": "בחר את המקור שברצונך להוסיף:", - "Select upgradable packages by default": "בחר חבילות הניתנות לשדרוג כברירת מחדל", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "בחר באילו מנהלי חבילות להשתמש ({0}), הגדר את אופן התקנת החבילות, נהל את אופן הטיפול בזכויות מנהל מערכת וכו'.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "שלח לחיצת יד. ממתין למשל לתשובת המאזין... ({0}%)", - "Set a custom backup file name": "הגדר שם קובץ גיבוי מותאם אישית", "Set custom backup file name": "הגדר שם קובץ גיבוי מותאם אישית", - "Settings": "הגדרות", - "Share": "שתף", "Share WingetUI": "שתף את WingetUI", - "Share anonymous usage data": "שתף נתוני שימוש אנונימיים", - "Share this package": "שתף חבילה זו", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "אם תשנה את הגדרות האבטחה, תצטרך לפתוח את הצרור מחדש כדי שהשינויים ייכנסו לתוקף.", "Show UniGetUI on the system tray": "הצג את UniGetUI במגש המערכת", - "Show UniGetUI's version and build number on the titlebar.": "הצג את גרסת UniGetUI בשורת הכותרת", - "Show WingetUI": "הצג את WingetUI", "Show a notification when an installation fails": "הצג התראה כאשר התקנה נכשלת", "Show a notification when an installation finishes successfully": "הצג התראה כאשר התקנה מושלמת בהצלחה", - "Show a notification when an operation fails": "הצג התראה כאשר פעולה נכשלת ", - "Show a notification when an operation finishes successfully": "הצג התראה כאשר פעולה מסתיימת בהצלחה", - "Show a notification when there are available updates": "הצג התראה כאשר ישנם עדכונים זמינים", - "Show a silent notification when an operation is running": "הצג התראה שקטה כאשר פעולה מתבצעת", "Show details": "הצג פרטים", - "Show in explorer": "הצג בסייר", "Show info about the package on the Updates tab": "הצג מידע אודות החבילה בכרטיסיית העדכונים", "Show missing translation strings": "הצג מחרוזות תרגום חסרות", - "Show notifications on different events": "הצג התראות על אירועים שונים", "Show package details": "הצג פרטי חבילה", - "Show package icons on package lists": "הצג סמלי חבילות ברשימות חבילות", - "Show similar packages": "הצג חבילות דומות", "Show the live output": "הצג זמן אמת", - "Size": "גודל", "Skip": "דלג", - "Skip hash check": "דלג על בדיקת הגיבוב", - "Skip hash checks": "דלג על בדיקות גיבוב", - "Skip integrity checks": "דלג על בדיקות תקינות", - "Skip minor updates for this package": "דלג על עדכונים מינוריים עבור חבילה זו", "Skip the hash check when installing the selected packages": "דלג על בדיקת הגיבוב בעת התקנת החבילות שנבחרו", "Skip the hash check when updating the selected packages": "דלג על בדיקת הגיבוב בעת עדכון החבילות שנבחרו", - "Skip this version": "דלג על גרסה זו", - "Software Updates": "עדכוני תוכנה", - "Something went wrong": "משהו השתבש", - "Something went wrong while launching the updater.": "משהו השתבש בעת הפעלת המעדכן.", - "Source": "מקור", - "Source URL:": "כתובת אתר מקור:", - "Source added successfully": "המקור נוסף בהצלחה", "Source addition failed": "הוספת המקור נכשלה", - "Source name:": "שם המקור:", "Source removal failed": "הסרת המקור נכשלה", - "Source removed successfully": "המקור הוסר בהצלחה", "Source:": "מקור:", - "Sources": "מקורות", "Start": "התחל", "Starting daemons...": "מתחיל דמונים...", - "Starting operation...": "מתחיל פעולה...", "Startup options": "אפשרויות אתחול", "Status": "סטטוס", "Stuck here? Skip initialization": "תקוע כאן? דלג על אתחול", - "Success!": "הצליח!", "Suport the developer": "תמוך במְפַתֵּחַ", "Support me": "תמוך בי", "Support the developer": "תמכו במפתח", "Systems are now ready to go!": "המערכות מוכנות כעת להפעלה!", - "Telemetry": "טלמטריה", - "Text": "טֶקסט", "Text file": "קובץ טקסט", - "Thank you ❤": "תודה לך ❤", - "Thank you \uD83D\uDE09": "תודה לך \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "מנהל החבילות של Rust.
מכיל: ספריות Rust ותוכנות שנכתבו ב-Rust", - "The backup will NOT include any binary file nor any program's saved data.": "הגיבוי לא יכלול שום קובץ בינארי או נתונים שנשמרו של כל תוכנה.", - "The backup will be performed after login.": "הגיבוי יתבצע לאחר הכניסה.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "הגיבוי יכלול את הרשימה המלאה של החבילות המותקנות ואפשרויות ההתקנה שלהן. גם עדכונים שהתעלמו מהם וגרסאות שדילגתם יישמרו.", - "The bundle was created successfully on {0}": "הצרור נוצר בהצלחה ב-{0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "הצרור שאתה מנסה לטעון נראה לא תקין. בדוק את הקובץ ונסה שוב.", + "Thank you 😉": "תודה לך 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "סכום הבדיקה של המתקין אינו עולה בקנה אחד עם הערך הצפוי, ולא ניתן לאמת את האותנטיות של המתקין. אם אתה סומך על המפרסם, {0} החבילה מדלג שוב על בדיקת ה-hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "מנהל החבילות הקלאסי עבור Windows. תמצא שם הכל.
מכיל: תוכנה כללית", - "The cloud backup completed successfully.": "גיבוי הענן הושלם בהצלחה.", - "The cloud backup has been loaded successfully.": "גיבוי הענן נטען בהצלחה.", - "The current bundle has no packages. Add some packages to get started": "הצרור הנוכחי ריק. הוסף חבילות כדי להתחיל", - "The executable file for {0} was not found": "לא נמצא קובץ ההפעלה עבור {0}", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "האפשרויות הבאות יחולו כברירת מחדל בכל פעם שחבילה {0} מותקנת, משודרגת או מוסרת.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "החבילות הבאות ייוצאו לקובץ JSON. נתוני משתמש או קבצים בינאריים לא יישמרו.", "The following packages are going to be installed on your system.": "החבילות הבאות עומדות להיות מותקנות על המערכת שלך.", - "The following settings may pose a security risk, hence they are disabled by default.": "ההגדרות הבאות עשויות להיות סיכון אבטחה, ולכן הן מושבתות כברירת מחדל.", - "The following settings will be applied each time this package is installed, updated or removed.": "ההגדרות הבאות יחולו בכל פעם שהחבילה הזו תותקן, תעודכן או תוסר.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "ההגדרות הבאות יחולו בכל פעם שהחבילה הזו תותקן, תעודכן או תוסר. הן יישמרו אוטומטית.", "The icons and screenshots are maintained by users like you!": "הסמלים וצילומי המסך מתוחזקים על ידי משתמשים כמוך!", - "The installation script saved to {0}": "קובץ ה-Script של ההתקנה נשמר ל-{0}", - "The installer authenticity could not be verified.": "לא ניתן לאמת את אותנטיות המתקין.", "The installer has an invalid checksum": "למתקין יש סכום ביקורת (checksum) לא תקין", "The installer hash does not match the expected value.": "ה-hash של המתקין אינו תואם לערך הצפוי.", - "The local icon cache currently takes {0} MB": "מטמון הסמלים המקומי תופס כעת {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "המטרה העיקרית של פרויקט זה היא ליצור ממשק משתמש אינטואיטיבי עבור מנהלי חבילות CLI הנפוצים ביותר עבור Windows, כגון Winget ו-Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "החבילה \"{0}\" לא נמצאה במנהל החבילות \"{1}\"", - "The package bundle could not be created due to an error.": "לא ניתן היה ליצור את צרור החבילות עקב שגיאה.", - "The package bundle is not valid": "צרור החבילות אינו תקף", - "The package manager \"{0}\" is disabled": "מנהל החבילות \"{0}\" מושבת", - "The package manager \"{0}\" was not found": "מנהל החבילות \"{0}\" לא נמצא", "The package {0} from {1} was not found.": "החבילה {0} מ-{1} לא נמצאה.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "החבילות המפורטות כאן לא יילקחו בחשבון בעת ​​בדיקת עדכונים. לחץ עליהם פעמיים או לחץ על הכפתור בצד ימין שלהם כדי להפסיק להתעלם מהעדכונים שלהם.", "The selected packages have been blacklisted": "החבילות שנבחרו הוכנסו לרשימה השחורה", - "The settings will list, in their descriptions, the potential security issues they may have.": "ההגדרות יוצגו בתיאור שלהן בבעיות הביטחוניות הפוטנציאליות שלהן.", - "The size of the backup is estimated to be less than 1MB.": "גודל הגיבוי מוערך בפחות מ-1MB.", - "The source {source} was added to {manager} successfully": "המקור {source} נוסף ל-{manager} בהצלחה", - "The source {source} was removed from {manager} successfully": "המקור {source} הוסר מ-{manager} בהצלחה", - "The system tray icon must be enabled in order for notifications to work": "יש להפעיל את סמל המגש כדי שההתראות יעבדו", - "The update process has been aborted.": "תהליך העדכון בוטל.", - "The update process will start after closing UniGetUI": "תהליך העדכון יתחיל לאחר סגירת UniGetUI", "The update will be installed upon closing WingetUI": "העדכון יותקן עם סגירת WingetUI", "The update will not continue.": "העדכון לא ימשיך.", "The user has canceled {0}, that was a requirement for {1} to be run": "המשתמש ביטל את {0}, שהיה דרוש להפעלת {1}", - "There are no new UniGetUI versions to be installed": "אין גרסאות חדשות של UniGetUI להתקנה", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "יש פעולות שוטפות. יציאה מ-WingetUI עלולה לגרום להם להיכשל. האם אתה רוצה להמשיך?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "יש כמה סרטונים מעולים ביוטיוב שמציגים את WingetUI ואת היכולות שלו. אתה יכול ללמוד טריקים וטיפים שימושיים!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "ישנן שתי סיבות עיקריות לא להפעיל את WingetUI כמנהל: הראשונה היא שמנהל החבילות של Scoop עלול לגרום לבעיות עם פקודות מסוימות כאשר הוא פועל עם זכויות מנהל. השני הוא שהפעלת WingetUI כמנהל מערכת פירושה שכל חבילה שתורד תופעל כמנהל (וזה לא בטוח). זכור שאם אתה צריך להתקין חבילה מסוימת כמנהל, אתה תמיד יכול ללחוץ לחיצה ימנית על הפריט -> התקן/עדכן/הסר כמנהל.", - "There is an error with the configuration of the package manager \"{0}\"": "יש שגיאה בהגדרות של מנהל החבילות \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "יש התקנה שמתבצעת כעת. אם תסגור את WingetUI, ההתקנה עלולה להיכשל ולגרום לתוצאות בלתי צפויות. האם אתה עדיין רוצה לצאת מ-WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "הן התוכניות האחראיות על התקנה, עדכון והסרה של חבילות.", - "Third-party licenses": "רישיונות צד שלישי", "This could represent a security risk.": "זה יכול לייצג סיכון ביטחוני.", - "This is not recommended.": "אין זה מומלץ.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "זה כנראה נובע מהעובדה שהחבילה שנשלחת הוסרה, או פורסמה במנהל חבילות שלא הפעלת. המזהה שהתקבל הוא {0}", "This is the default choice.": "זוהי ברירת המחדל.", - "This may help if WinGet packages are not shown": "זה אמור לעזור אם חבילות WinGet לא מוצגות", - "This may help if no packages are listed": "פעולה זו עשויה לעזור אם אין חבילות שמופיעות", - "This may take a minute or two": "זה עשוי לקחת דקה או שתיים", - "This operation is running interactively.": "פעולה זו פועלת באינטראקטיביות.", - "This operation is running with administrator privileges.": "פעולה זו פועלת עם הרשאות מנהל מערכת.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "אפשרות זו תגרום לבעיות. כל פעולה שאינה מסוגלת להרימנה עצמה תיכשל. התקנה/עדכון/הסרה כמנהל מערכת לא יפעלו.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "צרור החבילות של חבילה זו הכיל הגדרות שעשויות להיות מסוכנות, ואולי יתעלמה ממנו כברירת מחדל.", "This package can be updated": "ניתן לעדכן את החבילה הזו", "This package can be updated to version {0}": "ניתן לעדכן חבילה זו לגרסה {0}", - "This package can be upgraded to version {0}": "חבילה זו ניתנת לשדרוג לגרסה {0}", - "This package cannot be installed from an elevated context.": "לא ניתן להתקין חבילה זו מתוך הקשר מוגבה.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "לחבילה הזו אין צילומי מסך או שחסר לו הסמל? תרום ל-WingetUI על ידי הוספת הסמלים וצילומי המסך החסרים למסד הנתונים הפתוח והציבורי שלנו.", - "This package is already installed": "חבילה זו כבר מותקנת", - "This package is being processed": "חבילה זו נמצאת בעיבוד", - "This package is not available": "חבילה זו אינה זמינה", - "This package is on the queue": "החבילה הזו נמצאת בתור", "This process is running with administrator privileges": "תהליך זה פועל עם הרשאות מנהל", - "This project has no connection with the official {0} project — it's completely unofficial.": "לפרויקט זה אין קשר לפרויקט הרשמי של {0} - הוא לא רשמי לחלוטין.", "This setting is disabled": "הגדרה זו מושבתת", "This wizard will help you configure and customize WingetUI!": "אשף זה יעזור לך לקבוע תצורה ולהתאים אישית את WingetUI!", "Toggle search filters pane": "החלף את חלונית מסנני החיפוש", - "Translators": "מתרגמים", - "Try to kill the processes that refuse to close when requested to": "נסה להרג את התהליכים המסרבים להיסגר כאשר נדרש מהם", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "הדלקה של זה מאפשרת שינוי קובץ ההפעלה המשמש לביצוע עם מנהלי חבילות. בעוד זה מאפשר התאמת אישית פרטנית יותר לתהליכי ההתקנה שלך, זה עלול גם להיות מסוכן", "Type here the name and the URL of the source you want to add, separed by a space.": "הקלד כאן את השם ואת כתובת האתר של המקור שברצונך להוסיף, מופרדים ברווח.", "Unable to find package": "לא מצליח למצוא חבילה", "Unable to load informarion": "לא ניתן לטעון מידע", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI אוסף נתוני שימוש אנונימיים על מנת לשפר את חוויית המשתמש.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI אוסף נתוני שימוש אנונימיים אך ורק לצורך הבנת חוויית המשתמש ושיפורה.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI זיהה קיצור דרך חדש בשולחן העבודה שניתן למחוק אוטומטית.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI זיהה את קיצורי הדרך הבאים שניתן להסיר אוטומטית בעדכונים עתידיים", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI זיהה {0} קיצורי דרך חדשים בשולחן העבודה שניתן למחוק אוטומטית.", - "UniGetUI is being updated...": "UniGetUI מתעדכן...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI אינו קשור לאף אחד ממנהלי החבילות התואמות. UniGetUI הוא פרויקט עצמאי.", - "UniGetUI on the background and system tray": "UniGetUI ברקע ובמגש המערכת", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI או חלק מרכיביו חסרים או פגומים.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI דורש את {0} כדי לפעול, אך לא נמצא במערכת שלך.", - "UniGetUI startup page:": "דף הפתיחה של UniGetUI:", - "UniGetUI updater": "עדכון UniGetUI", - "UniGetUI version {0} is being downloaded.": "UniGetUI גרסה {0} מורדת כעת.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} מוכן להתקנה.", - "Uninstall": "הסר", - "Uninstall Scoop (and its packages)": "הסר את Scoop (ואת החבילות שלו)", "Uninstall and more": "הסרת התקנה ועוד", - "Uninstall and remove data": "הסר התקנה והסר נתונים", - "Uninstall as administrator": "הסר כמנהל מערכת", "Uninstall canceled by the user!": "הסרת ההתקנה בוטלה על ידי המשתמש!", - "Uninstall failed": "הסרת ההתקנה נכשלה", - "Uninstall options": "אפשרויות הסרה", - "Uninstall package": "הסר חבילה", - "Uninstall package, then reinstall it": "הסר את החבילה ולאחר מכן התקן אותה מחדש", - "Uninstall package, then update it": "הסר את החבילה ולאחר מכן עדכן אותה", - "Uninstall previous versions when updated": "הסר גרסאות קודמות בעדכון", - "Uninstall selected packages": "הסר את החבילות המסומנות", - "Uninstall selection": "בחירת הסרה", - "Uninstall succeeded": "הסרת ההתקנה הצליחה", "Uninstall the selected packages with administrator privileges": "הסר את התקנת החבילות שנבחרו עם הרשאות מנהל", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "חבילות הניתנות להסרה עם המקור הרשום כ\"{0}\" אינן מתפרסמות בשום מנהל חבילות, כך שאין מידע זמין להצגה עליהן.", - "Unknown": "לא ידוע", - "Unknown size": "גודל לא ידוע", - "Unset or unknown": "לא מוגדר או לא ידוע", - "Up to date": "מעודכן", - "Update": "עדכון", - "Update WingetUI automatically": "עדכן את WingetUI באופן אוטומטי", - "Update all": "עדכן הכל", "Update and more": "עדכון ועוד", - "Update as administrator": "עדכן כמנהל", - "Update check frequency, automatically install updates, etc.": "תדירות בדיקת עדכונים, התקנה אוטומטית של עדכונים ועוד.", - "Update checking": "בדיקת עדכונים", "Update date": "תאריך עדכון", - "Update failed": "עדכון נכשל", "Update found!": "נמצא עדכון!", - "Update now": "עדכן כעת", - "Update options": "אפשרויות עדכון", "Update package indexes on launch": "עדכן את אינדקסי החבילות בעת ההרצה", "Update packages automatically": "עדכן חבילות באופן אוטומטי", "Update selected packages": "עדכן את החבילות המסומנות", "Update selected packages with administrator privileges": "עדכן את החבילות המסומנות עם הרשאות מנהל מערכת", - "Update selection": "עדכון בחירות", - "Update succeeded": "העדכון הצליח", - "Update to version {0}": "עדכן לגרסה {0}", - "Update to {0} available": "עדכון לגרסה{0} זמין", "Update vcpkg's Git portfiles automatically (requires Git installed)": "עדכן את קובצי הפורט של vcpkg באופן אוטומטי (דורש התקנת Git)", "Updates": "עדכונים", "Updates available!": "עדכונים זמינים!", - "Updates for this package are ignored": "עדכונים עבור חבילה זו נחסמו", - "Updates found!": "נמצאו עדכונים!", "Updates preferences": "העדפות עדכונים", "Updating WingetUI": "עדכון WingetUI", "Url": "כתובת אתר", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "השתמש ב-WinGet מאגד מדור קודם במקום ב- PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "השתמש בסמל מותאם אישית ובכתובת אתר של מסד נתונים צילומי מסך", "Use bundled WinGet instead of PowerShell CMDlets": "השתמש ב-WinGet המצורף במקום ב-PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "השתמש בגרסת WinGet הארוזה במקום גרסת ה-WinGet של המערכת", - "Use installed GSudo instead of UniGetUI Elevator": "השתמש ב-GSudo המותקן במקום UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "השתמש ב-GSudo המותקן במקום המצורף (דורש הפעלה מחדש של האפליקציה)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "השתמש ב-UniGetUI Elevator מדור קודם (השבת תמיכת AdminByRequest)", - "Use system Chocolatey": "השתמש במערכת Chocolatey", "Use system Chocolatey (Needs a restart)": "השתמש ב- Chocolatey של המערכת (דורש הפעלה מחדש)", "Use system Winget (Needs a restart)": "השתמש ב- Winget של המערכת (דורש הפעלה מחדש)", "Use system Winget (System language must be set to english)": "השתמש ב-Winget של המערכת (שפת המערכת חייבת להיות אנגלית)", "Use the WinGet COM API to fetch packages": "השתמש ב-WinGet COM API כדי להביא חבילות", "Use the WinGet PowerShell Module instead of the WinGet COM API": "השתמש במודול ה-WinGet של PowerShell במקום בממשק הרשת של WinGet", - "Useful links": "קישורים שימושיים", "User": "משתמש", - "User interface preferences": "העדפות ממשק משתמש", "User | Local": "משתמש | מקומי", - "Username": "שם-משתמש", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "השימוש ב-WingetUI מרמז על קבלת רישיון GNU Lesser General Public License v2.1 License", - "Using WingetUI implies the acceptation of the MIT License": "שימוש ב-WingetUI מרמז על קבלת רישיון MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "לא נמצא נתיב השורש של vcpkg. הגדר את משתנה הסביבה %VCPKG_ROOT% או הגדר אותו מהגדרות UniGetUI", "Vcpkg was not found on your system.": "vcpkg לא נמצא במערכת שלך.", - "Verbose": "מפורט", - "Version": "גרסה", - "Version to install:": "גרסה להתקנה:", - "Version:": "גרסה:", - "View GitHub Profile": "הצג את פרופיל GitHub", "View WingetUI on GitHub": "הצג את WingetUI ב- GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "הצג את קוד המקור של WingetUI. משם, אתה יכול לדווח על באגים או להציע תכונות, או אפילו לתרום ישירות לפרויקט WingetUI", - "View mode:": "מצב תצוגה:", - "View on UniGetUI": "הצג ב-UniGetUI", - "View page on browser": "צפה בדף בדפדפן", - "View {0} logs": "הצג לוגים של {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "המתן לחיבור המכשיר לאינטרנט לפני ניסיון לבצע משימות הדורשות חיבור לרשת.", "Waiting for other installations to finish...": "ממתין לסיום התקנות אחרות...", "Waiting for {0} to complete...": "ממתין להשלמת {0}...", - "Warning": "אזהרה", - "Warning!": "אזהרה!", - "We are checking for updates.": "אנו בודקים אם קיימים עדכונים.", "We could not load detailed information about this package, because it was not found in any of your package sources": "לא יכולנו לטעון מידע מפורט על חבילה זו, מכיוון שהיא לא נמצאת באף אחד ממקורות החבילה שלך.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "לא היתה לנו אפשרות לטעון מידע מפורט אודות חבילה זו, מכיוון שהיא לא הותקנה ממנהל חבילות זמין.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "איננו יכולים לבצע {action} ל-{package}. נסה שוב מאוחר יותר. לחץ על \"{showDetails}\" כדי לצפות ביומן הרישום של ההתקנה.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "איננו יכולים לבצע {action} ל-{package}. נסה שוב מאוחר יותר. לחץ על \"{showDetails}\" כדי לצפות ביומן הרישום של הסרת ההתקנה.", "We couldn't find any package": "לא מצאנו שום חבילה", "Welcome to WingetUI": "ברוכים הבאים ל-WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "בעת התקנה בכמות גדולה של חבילות מצרור, התקן גם חבילות שכבר מותקנות", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "כאשר מתגלים קיצורי דרך חדשים, הם יימחקו אוטומטית במקום להציג תיבת דו-שיח זו.", - "Which backup do you want to open?": "איזה גיבוי אתה רוצה לפתוח?", "Which package managers do you want to use?": "באילו מנהלי חבילות ברצונך להשתמש?", "Which source do you want to add?": "איזה מקור אתה רוצה להוסיף?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "בעוד שניתן להשתמש ב-Winget בתוך WingetUI, ניתן להשתמש ב-WingetUI עם מנהלי חבילות אחרים, מה שעלול לבלבל. בעבר, WingetUI תוכנן לעבוד רק עם Winget, אבל זה לא נכון יותר, ולכן WingetUI לא מייצג את מה שהפרויקט הזה שואף להפוך.", - "WinGet could not be repaired": "לא ניתן היה לתקן את WinGet", - "WinGet malfunction detected": "זוהתה תקלה ב-WinGet", - "WinGet was repaired successfully": "WinGet תוקן בהצלחה", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - הכל מעודכן", "WingetUI - {0} updates are available": "WingetUI - {0} עדכונים זמינים", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "דף הבית של WingetUI", "WingetUI Homepage - Share this link!": "דף הבית של WingetUI - שתף את הקישור הזה!", - "WingetUI License": "רישיון WingetUI", - "WingetUI Log": "WingetUI יומן", - "WingetUI Repository": "מאגר WingetUI", - "WingetUI Settings": "הגדרות של WingetUI", "WingetUI Settings File": "קובץ ההגדרות של WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI משתמש בספריות הבאות. בלעדיהם, WingetUI לא היה אפשרי.", - "WingetUI Version {0}": "WingetUI גרסה {0}", "WingetUI autostart behaviour, application launch settings": "התנהגות הפעלה אוטומטית של WingetUI, הגדרות ההפעלה של WingetUI ", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI יכול לבדוק אם לתוכנה שלך יש עדכונים זמינים, ולהתקין אותם באופן אוטומטי אם תרצה בכך", - "WingetUI display language:": "שפת התצוגה של WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI הופעל כמנהל, וזה לא מומלץ. בעת הפעלת WingetUI כמנהל מערכת, לכל פעולה שתושק מ-WingetUI תהיה הרשאות מנהל. אתה עדיין יכול להשתמש בתוכנית, אך אנו ממליצים בחום לא להפעיל את WingetUI עם הרשאות מנהל.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI תורגם ליותר מ-40 שפות הודות למתרגמים המתנדבים. תודה לך \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI לא תורגם בתרגום מכונה! המשתמשים הבאים היו אחראים על התרגומים:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI הוא יישום שמקל על ניהול התוכנה שלך, על ידי מתן ממשק גרפי הכל-באחד עבור מנהלי חבילות שורת הפקודה שלך.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "שם WingetUI משתנה על מנת להדגיש את ההבדל בין WingetUI (הממשק שבו אתה משתמש כרגע) ל-Winget (מנהל חבילות שפותח על ידי מיקרוסופט שאינני קשור אליו)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI מתעדכן. בסיום, WingetUI יפעיל את עצמו מחדש", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI הוא בחינם, והוא יהיה בחינם לנצח. ללא פרסומות, ללא כרטיס אשראי, ללא גרסת פרימיום. 100% חינם, לנצח.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI יציג הנחית UAC בכל פעם שחבילה דורשת הרשאות התקנה גבוהות.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI ייקרא בקרוב {newname}. זה לא ייצג שום שינוי באפליקציה. אני (המפתח) אמשיך בפיתוח הפרויקט הזה כפי שאני עושה כרגע, אבל בשם אחר.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI לא היה אפשרי ללא העזרה של התורמים היקרים שלנו. בדוק את פרופילי GitHub שלהם, WingetUI לא היה אפשרי בלעדיהם!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "WingetUI לא היה קורה ללא עזרת התורמים. תודה לכולכם \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "WingetUI {0} מוכן להתקנה.", - "Write here the process names here, separated by commas (,)": "כתוב כאן את שמות התהליכים, מופרדים בפסיקים (,)", - "Yes": "כן", - "You are logged in as {0} (@{1})": "אתה מחובר כ-{0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "אתה יכול לשנות התנהגות זו בהגדרות האבטחה של UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "אתה יכול להגדיר פקודות שירוצו לפני או אחרי התקנה, עדכון או הסרה של חבילה זו. הן תרוצנה בשורת פקודה, כך ש-scripts של CMD יעבדו כאן.", - "You have currently version {0} installed": "כרגע מותקנת גרסה {0}", - "You have installed WingetUI Version {0}": "התקנת את גירסת WingetUI {0}", - "You may lose unsaved data": "אתה עלול לאבד נתונים שלא נשמרו", - "You may need to install {pm} in order to use it with WingetUI.": "ייתכן שתצטרך להתקין את {pm} כדי להשתמש בו עם WingetUI.", "You may restart your computer later if you wish": "תוכל להפעיל מחדש את המחשב מאוחר יותר אם תרצה בכך", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "תתבקש פעם אחת בלבד, וזכויות מנהל מערכת יוענקו לחבילות המבקשות אותן.", "You will be prompted only once, and every future installation will be elevated automatically.": "תתבקש רק פעם אחת, וזכויות מנהל יינתנו לחבילות שיבקשו אותן.", - "You will likely need to interact with the installer.": "כנראה שתצטרך לבצע פעולות עם המתקין.", - "[RAN AS ADMINISTRATOR]": "[רץ כמנהל]", "buy me a coffee": "קנו לי קפה", - "extracted": "מחולץ", - "feature": "תכונה", "formerly WingetUI": "לשעבר WingetUI", "homepage": "דף הבית", "install": "התקן", "installation": "התקנה", - "installed": "מותקנת", - "installing": "מתקין", - "library": "ספרייה", - "mandatory": "חובה", - "option": "אפשרות", - "optional": "אופציונלי", "uninstall": "הסר התקנה", "uninstallation": "הסרת התקנה", "uninstalled": "הוסר", - "uninstalling": "מסיר התקנה", "update(noun)": "עדכון", "update(verb)": "עדכן", "updated": "עודכן", - "updating": "מעדכן", - "version {0}": "גרסה {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "אפשרויות התקנה של {0} נעלוות כרגע כי {0} עוקב אחר אפשרויות התקנה ברירת מחדל.", "{0} Uninstallation": "הסרה של {0}", "{0} aborted": "{0} בוטלה", "{0} can be updated": "אפשר לעדכן את {0}", - "{0} can be updated to version {1}": "ניתן לעדכן את {0} לגרסה {1}", - "{0} days": "{0} ימים", - "{0} desktop shortcuts created": "נוצרו {0} קיצורי דרך בשולחן העבודה", "{0} failed": "{0} נכשל", - "{0} has been installed successfully.": "{0} הותקן בהצלחה.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} הותקן בהצלחה. מומלץ להפעיל מחדש את UniGetUI כדי להשלים את ההתקנה", "{0} has failed, that was a requirement for {1} to be run": "{0} נכשל, והוא היה דרוש להפעלת {1}", - "{0} homepage": "דף הבית של {0}", - "{0} hours": "{0} שעות", "{0} installation": "התקנה של {0}", - "{0} installation options": "{0} אפשרויות התקנה", - "{0} installer is being downloaded": "המתקין של {0} מורד כעת", - "{0} is being installed": "{0} מותקן כעת", - "{0} is being uninstalled": "{0} מוסר כעת", "{0} is being updated": "מעדכן את {0}", - "{0} is being updated to version {1}": "{0} מתעדכן לגרסה {1}", - "{0} is disabled": "{0} בלתי אפשרי", - "{0} minutes": "{0} דקות", "{0} months": "{0} חודשים", - "{0} packages are being updated": "מעדכן {0} חבילות", - "{0} packages can be updated": "עדכון זמין עבור {0} חבילות", "{0} packages found": "נמצאו {0} חבילות", "{0} packages were found": "נמצאו {0} חבילות", - "{0} packages were found, {1} of which match the specified filters.": "נמצאו {0} חבילות, {1} מהן תואמות למסננים שצוינו.", - "{0} selected": "נבחר{0} ", - "{0} settings": "הגדרות {0}", - "{0} status": "סטטוס {0}", "{0} succeeded": "{0} הצליח/ה", "{0} update": "עדכון של {0}", - "{0} updates are available": "{0} עדכונים זמינים", "{0} was {1} successfully!": "{0} היה {1} בהצלחה!", "{0} weeks": "{0} שבועות", "{0} years": "{0} שנים", "{0} {1} failed": "נכשל {0} {1}", - "{package} Installation": "{package} התקנה", - "{package} Uninstall": "{package} הסרת ההתקנה", - "{package} Update": "{package} עדכון", - "{package} could not be installed": "לא ניתן היה להתקין את {package}", - "{package} could not be uninstalled": "לא ניתן היה להסיר את ההתקנה של {package}", - "{package} could not be updated": "לא ניתן היה לעדכן את {package}", "{package} installation failed": "התקנת {package} נכשלה", - "{package} installer could not be downloaded": "לא ניתן להוריד את המתקין של {package}", - "{package} installer download": "הורדת מתקין {package}", - "{package} installer was downloaded successfully": "המתקין של {package} הורד בהצלחה", "{package} uninstall failed": "הסרת ההתקנה של {package} נכשלה", "{package} update failed": "עדכון {package} נכשל", "{package} update failed. Click here for more details.": "עדכון {package} נכשל. לחץ כאן לפרטים נוספים.", - "{package} was installed successfully": "{package} הותקן בהצלחה", - "{package} was uninstalled successfully": "ההתקנה של {package} הוסרה בהצלחה", - "{package} was updated successfully": "{package} עודכן בהצלחה", - "{pcName} installed packages": "חבילות מותקנות של {pcName}", "{pm} could not be found": "לא ניתן למצוא את {pm}", "{pm} found: {state}": "{pm} נמצאו: {state}", - "{pm} is disabled": "{pm} מושבת", - "{pm} is enabled and ready to go": "{pm} מופעל ומוכן להפעלה", "{pm} package manager specific preferences": "הגדרות ספציפיות למנהל החבילות {pm}", "{pm} preferences": "העדפות {pm}", - "{pm} version:": "{pm} גרסה:", - "{pm} was not found!": "{pm} לא נמצא!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "היי, שמי Martí, ואני המפתח של WingetUI. WingetUI נוצר כולו בזמני הפנוי!", + "Thank you ❤": "תודה לך ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "לפרויקט זה אין קשר לפרויקט הרשמי של {0} - הוא לא רשמי לחלוטין." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hi.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hi.json index 4a81932dcb..fa5f35e996 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hi.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hi.json @@ -1,155 +1,737 @@ { + "Operation in progress": "ऑपरेशन प्रगति पर है", + "Please wait...": "कृपया प्रतीक्षा करें...", + "Success!": "सफलता!", + "Failed": "असफल", + "An error occurred while processing this package": "इस पैकेज को प्रोसेस करते समय एक एरर आया", + "Log in to enable cloud backup": "क्लाउड बैकअप चालू करने के लिए लॉग इन करें", + "Backup Failed": "बैकअप विफल", + "Downloading backup...": "बैकअप डाउनलोड हो रहा है...", + "An update was found!": "एक अपडेट मिला!", + "{0} can be updated to version {1}": "{0} को संस्करण {1} तक अपडेट किया जा सकता है", + "Updates found!": "अपडेट मिले!", + "{0} packages can be updated": "{0} संकुल अद्यतन किया जा सकता है", + "You have currently version {0} installed": "आपके पास वर्तमान में संस्करण {0} इंस्टॉल है", + "Desktop shortcut created": "डेस्कटॉप शॉर्टकट बनाया गया", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "यूनीगेटयूआई ने एक नया डेस्कटॉप शॉर्टकट डिटेक्ट किया है जिसे ऑटोमैटिकली डिलीट किया जा सकता है।", + "{0} desktop shortcuts created": "{0} डेस्कटॉप शॉर्टकट बनाए गए", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "यूनीगेटयूआई ने पता लगाया है {0} नए डेस्कटॉप शॉर्टकट जिन्हें अपने आप डिलीट किया जा सकता है।", + "Are you sure?": "क्या आप निश्चित हैं?", + "Do you really want to uninstall {0}?": "क्या आप वाकई {0} की स्थापना रद्द करना चाहते हैं?", + "Do you really want to uninstall the following {0} packages?": "क्या आप सच में नीचे दिए गए {0} संकुल को अनइंस्टॉल करना चाहते हैं?", + "No": "नहीं", + "Yes": "हाँ", + "View on UniGetUI": "यूनीगेटयूआई पर देखें", + "Update": "अपडेट", + "Open UniGetUI": "यूनीगेटयूआई खोलें", + "Update all": "सभी अपडेट करें", + "Update now": "अब अपडेट करें", + "This package is on the queue": "यह संकुल पंक्ति में है।", + "installing": "स्थापना", + "updating": "अपडेट किया जा रहा है", + "uninstalling": "स्थापना रद्द हो रही है", + "installed": "स्थापित", + "Retry": "पुन: प्रयास करें", + "Install": "स्थापित करें", + "Uninstall": "स्थापना रद्द करें", + "Open": "खोलें", + "Operation profile:": "ऑपरेशन प्रोफ़ाइल:", + "Follow the default options when installing, upgrading or uninstalling this package": "इस पैकेज को इंस्टॉल, अपग्रेड या अनइंस्टॉल करते समय डिफ़ॉल्ट ऑप्शन को फ़ॉलो करें", + "The following settings will be applied each time this package is installed, updated or removed.": "हर बार जब यह पैकेज इंस्टॉल, अपडेट या हटाया जाएगा, तो ये सेटिंग्स लागू होंगी।", + "Version to install:": "संस्करण स्थापित करने के लिए:", + "Architecture to install:": "स्थापित करने के लिए वास्तुकला:", + "Installation scope:": "स्थापना गुंजाइश:", + "Install location:": "इंस्टॉल करने की जगह:", + "Select": "चुनें", + "Reset": "रीसेट", + "Custom install arguments:": "कस्टम इंस्टॉल तर्क:", + "Custom update arguments:": "कस्टम अपडेट तर्क:", + "Custom uninstall arguments:": "कस्टम अनइंस्टॉल तर्क:", + "Pre-install command:": "पूर्व-स्थापना आदेश:", + "Post-install command:": "स्थापना के बाद आदेश:", + "Abort install if pre-install command fails": "यदि पूर्व-इंस्टॉल आदेश विफल हो जाए तो इंस्टॉलेशन निरस्त करें", + "Pre-update command:": "पूर्व-अद्यतन आदेश:", + "Post-update command:": "अद्यतन के बाद आदेश:", + "Abort update if pre-update command fails": "यदि पूर्व-अद्यतन आदेश विफल हो जाए तो अद्यतन निरस्त करें", + "Pre-uninstall command:": "पूर्व-अनइंस्टॉल आदेश:", + "Post-uninstall command:": "अनइंस्टॉल के बाद आदेश:", + "Abort uninstall if pre-uninstall command fails": "यदि पूर्व-अनइंस्टॉल आदेश विफल हो जाए तो अनइंस्टॉल निरस्त करें", + "Command-line to run:": "चलाने के लिए कमांड-लाइन:", + "Save and close": "बचा लें और बंद करें", + "Run as admin": "\nप्रशासक के रूप में चलाएँ", + "Interactive installation": "इंटरएक्टिव स्थापना", + "Skip hash check": "हैश चैक छोड़ दें", + "Uninstall previous versions when updated": "अपडेट होने पर पिछले वर्शन को अनइंस्टॉल करें।", + "Skip minor updates for this package": "इस संकुल के लिए छोटे अपडेट छोड़ें", + "Automatically update this package": "इस पैकेज को स्वचालित रूप से अपडेट करें", + "{0} installation options": "{0} इंस्टॉलेशन विकल्प", + "Latest": "नवीनतम", + "PreRelease": "प्री-रिलीज़", + "Default": " पूर्व निर्धारित मूल्य", + "Manage ignored updates": "उपेक्षित अपडेट प्रबंधित करें", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "अद्यतनों के लिए जाँच करते समय यहाँ सूचीबद्ध पैकेजों को ध्यान में नहीं रखा जाएगा। उनके अद्यतनों को नज़रअंदाज़ करना बंद करने के लिए उन पर डबल-क्लिक करें या उनकी दाईं ओर स्थित बटन क्लिक करें।", + "Reset list": "सूची रीसेट करें", + "Package Name": "पैकेज का नाम", + "Package ID": "पैकेज आईडी", + "Ignored version": "उपेक्षित संस्करण", + "New version": "नया संस्करण", + "Source": "स्रोत", + "All versions": "सभी संस्करण", + "Unknown": "अज्ञात", + "Up to date": "अप टू डेट", + "Cancel": "रद्द करें", + "Administrator privileges": "\nप्रशासक के विशेषाधिकार", + "This operation is running with administrator privileges.": "यह ऑपरेशन एडमिनिस्ट्रेटर प्रिविलेज के साथ चल रहा है।", + "Interactive operation": "इंटरैक्टिव संचालन", + "This operation is running interactively.": "यह ऑपरेशन इंटरैक्टिव तरीके से चल रहा है।", + "You will likely need to interact with the installer.": "संभवतः आपको इंस्टॉलर के साथ इंटरैक्ट करना पड़ेगा।", + "Integrity checks skipped": "अखंडता जांच छोड़ दी गई", + "Proceed at your own risk.": "अपने जोख़िम पर आगे बढ़ें।", + "Close": "बंद करें", + "Loading...": "\nलोड हो रहा है...", + "Installer SHA256": "इंस्टॉलर SHA256", + "Homepage": "\nहोमपेज", + "Author": "\nलेखक", + "Publisher": "प्रचारक", + "License": "लाइसेंस", + "Manifest": "मैनिफेस्ट", + "Installer Type": "इंस्टॉलर प्रकार", + "Size": "आकार", + "Installer URL": "इंस्टॉलर यू आर एल", + "Last updated:": "आखरी अपडेट:", + "Release notes URL": "रिलीज़ नोट्स URL", + "Package details": "पैकेज के ब्यौरे", + "Dependencies:": "निर्भरताएँ:", + "Release notes": "रिलीज नोट्स", + "Version": "संस्करण", + "Install as administrator": "प्रशासक के रूप में स्थापना करें", + "Update to version {0}": "संस्करण {0} को अपडेट करें", + "Installed Version": "स्थापित संस्करण", + "Update as administrator": "प्रशासक के रूप में अपडेट करें", + "Interactive update": "इंटरएक्टिव अपडेट", + "Uninstall as administrator": "प्रशासक के रूप में स्थापना रद्द करें", + "Interactive uninstall": "इंटरएक्टिव स्थापना रद्द", + "Uninstall and remove data": "अनइंस्टॉल करें और डेटा हटाएं", + "Not available": "उपलब्ध नहीं है", + "Installer SHA512": "इंस्टॉलर SHA512", + "Unknown size": "अज्ञात आकार", + "No dependencies specified": "कोई निर्भरता निर्दिष्ट नहीं", + "mandatory": "अनिवार्य", + "optional": "वैकल्पिक", + "UniGetUI {0} is ready to be installed.": "यूनीगेटयूआई {0} इंस्टॉल होने के लिए तैयार है।", + "The update process will start after closing UniGetUI": "यूनीगेटयूआई बंद करने के बाद अपडेट प्रोसेस शुरू हो जाएगा।", + "Share anonymous usage data": "अनाम उपयोग डेटा साझा करें", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "यूनीगेटयूआई यूज़र एक्सपीरियंस को बेहतर बनाने के लिए गुमनाम यूसेज डेटा इकट्ठा करता है।", + "Accept": "स्वीकार", + "You have installed WingetUI Version {0}": "आपने UniGetUI संस्करण {0} इंस्टॉल किया है", + "Disclaimer": "अस्वीकरण", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "यूनीगेटयूआई किसी भी कम्पैटिबल पैकेज संकुल से जुड़ा नहीं है। यूनीगेटयूआई एक इंडिपेंडेंट प्रोजेक्ट है।", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "योगदानकर्ताओं की मदद के बिना UniGetUI संभव नहीं होता। आप सभी का धन्यवाद 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI निम्नलिखित लाइब्रेरीज़ का उपयोग करता है। इनके बिना UniGetUI संभव नहीं होता।", + "{0} homepage": "{0} होमपेज", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "स्वयंसेवी अनुवादकों की बदौलत UniGetUI का 40 से अधिक भाषाओं में अनुवाद किया गया है। धन्यवाद 🤝", + "Verbose": "वाचाल", + "1 - Errors": "1 - त्रुटि", + "2 - Warnings": "2 - चेतावनियाँ", + "3 - Information (less)": "3 - जानकारी (कमतर)", + "4 - Information (more)": "4 - जानकारी (अधिक)", + "5 - information (debug)": "5 - जानकारी (डिबग)", + "Warning": "चेतावनी", + "The following settings may pose a security risk, hence they are disabled by default.": "नीचे दी गई सेटिंग्स से सिक्योरिटी रिस्क हो सकता है, इसलिए वे डिफ़ॉल्ट रूप से डिसेबल हैं।", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "नीचे दी गई सेटिंग्स को तभी चालू करें जब आप पूरी तरह से समझते हों कि वे क्या करती हैं, और उनसे क्या असर और खतरे हो सकते हैं।", + "The settings will list, in their descriptions, the potential security issues they may have.": "सेटिंग्स अपनी जानकारी में उन संभावित सुरक्षा समस्याओं को बताएंगी जो उनमें हो सकती हैं।", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "बैकअप में इंस्टॉल किए गए पैकेज और उनके इंस्टॉलेशन ऑप्शन की पूरी लिस्ट होगी। इग्नोर किए गए अपडेट और स्किप किए गए वर्शन भी सेव हो जाएंगे।", + "The backup will NOT include any binary file nor any program's saved data.": "बैकअप में कोई बाइनरी फ़ाइल या किसी प्रोग्राम का सेव किया गया डेटा शामिल नहीं होगा।", + "The size of the backup is estimated to be less than 1MB.": "बैकअप का साइज़ 1 एमबी से कम होने का अनुमान है।", + "The backup will be performed after login.": "लॉगिन के बाद बैकअप किया जाएगा।", + "{pcName} installed packages": "{pcName} पर इंस्टॉल किए गए पैकेज", + "Current status: Not logged in": "अभी की स्थिति: लॉग इन नहीं है", + "You are logged in as {0} (@{1})": "आप {0} (@{1}) के रूप में लॉग इन हैं", + "Nice! Backups will be uploaded to a private gist on your account": "बढ़िया! बैकअप आपके अकाउंट पर एक प्राइवेट गिस्‍ट में अपलोड हो जाएंगे", + "Select backup": "बैकअप चुनें", + "WingetUI Settings": "UniGetUI की सेटिंग", + "Allow pre-release versions": "प्री-रिलीज़ वर्शन की अनुमति दें", + "Apply": "आवेदन करना", + "Go to UniGetUI security settings": "यूनीगेटयूआई सिक्योरिटी सेटिंग्स पर जाएं", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "हर बार एक {0} संकुल इंस्टॉल, अपग्रेड या अनइंस्टॉल होने पर ये ऑप्शन डिफ़ॉल्ट रूप से लागू हो जाएंगे", + "Package's default": "संकुल का डिफ़ॉल्ट", + "Install location can't be changed for {0} packages": "इंस्टॉल की जगह नहीं बदली जा सकती {0} पैकेजों के लिए", + "The local icon cache currently takes {0} MB": "लोकल आइकन कैश अभी {0} एमबी लेता है", + "Username": "यूज़रनेम", + "Password": "पासवर्ड", + "Credentials": "साख", + "Partially": "आंशिक रूप से", + "Package manager": "संकुल प्रबंधक", + "Compatible with proxy": "प्रॉक्सी के साथ संगत", + "Compatible with authentication": "प्रमाणीकरण के साथ संगत", + "Proxy compatibility table": "प्रॉक्सी संगतता तालिका", + "{0} settings": "{0} सेटिंग्स", + "{0} status": "{0} स्थिति", + "Default installation options for {0} packages": "डिफ़ॉल्ट इंस्टॉलेशन {0} संकुल के लिए विकल्प", + "Expand version": "संस्करण का विस्तार करें", + "The executable file for {0} was not found": "{0} के लिए एक्ज़ीक्यूटेबल फ़ाइल नहीं मिला था", + "{pm} is disabled": "{pm} अक्षम है", + "Enable it to install packages from {pm}.": "इसे पैकेज इंस्टॉल करने के लिए इनेबल करें {pm}", + "{pm} is enabled and ready to go": "{pm} सक्षम है और उपयोग के लिए तैयार है", + "{pm} version:": "{pm} संस्करण:", + "{pm} was not found!": "{pm} नहीं मिला!", + "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI के साथ इसका उपयोग करने के लिए आपको {pm} इंस्टॉल करना पड़ सकता है।", + "Scoop Installer - WingetUI": "स्कूप इंस्टॉलर - यूनीगेटयूआई", + "Scoop Uninstaller - WingetUI": "स्कूप अनइंस्टालर - यूनीगेटयूआई", + "Clearing Scoop cache - WingetUI": "स्कूप कैश साफ़ करना - यूनीगेटयूआई", + "Restart UniGetUI": "यूनीगेटयूआई पुनःआरंभ करें", + "Manage {0} sources": "{0} स्रोतों का प्रबंधन करें", + "Add source": "स्रोत जोड़ें", + "Add": "जोड़ो", + "Other": "अन्य", + "1 day": "1 दिन", + "{0} days": "{0} दिन", + "{0} minutes": "{0} मिनट", + "1 hour": "1 घंटा", + "{0} hours": "{0} घंटे", + "1 week": "1 सप्ताह", + "WingetUI Version {0}": "UniGetUI संस्करण {0}", + "Search for packages": "पैकेज खोजें", + "Local": "स्थानीय", + "OK": "ठीक", + "{0} packages were found, {1} of which match the specified filters.": "{0} पैकेज मिले, जिनमें से {1} निर्दिष्ट फ़िल्टरों से मेल खाते हैं।", + "{0} selected": "{0} चुना गया", + "(Last checked: {0})": "(अंतिम बार जांचा गया: {0})", + "Enabled": "सक्षम", + "Disabled": "अक्षम", + "More info": "और जानकारी", + "Log in with GitHub to enable cloud package backup.": "क्लाउड पैकेज बैकअप चालू करने के लिए गिटहब से लॉग इन करें।", + "More details": "अधिक जानकारी", + "Log in": "लॉग इन करें", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "अगर आपने क्लाउड बैकअप चालू किया है, तो यह इस अकाउंट पर गिटहब सार के तौर पर सेव हो जाएगा।", + "Log out": "लॉग आउट", + "About": "के बारे में", + "Third-party licenses": "तृतीय-पक्ष लाइसेंस", + "Contributors": "\nयोगदानकर्ता", + "Translators": "\nअनुवादक", + "Manage shortcuts": "शॉर्टकट प्रबंधित करें", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "यूनीगेटयूआई ने निम्नलिखित डेस्कटॉप शॉर्टकट का पता लगाया है जिन्हें भविष्य के अपग्रेड में अपने आप हटाया जा सकता है।", + "Do you really want to reset this list? This action cannot be reverted.": "क्या आप सच में इस लिस्ट को रीसेट करना चाहते हैं? यह एक्शन वापस नहीं किया जा सकता।", + "Remove from list": "सूची से हटाएँ", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "जब नए शॉर्टकट डिटेक्ट हों, तो यह डायलॉग दिखाने के बजाय उन्हें अपने आप डिलीट कर दें।", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "यूनीगेटयूआई यूज़र एक्सपीरियंस को समझने और बेहतर बनाने के एकमात्र मकसद से गुमनाम यूसेज डेटा इकट्ठा करता है।", + "More details about the shared data and how it will be processed": "शेयर किए गए डेटा और उसे कैसे प्रोसेस किया जाएगा, इसके बारे में ज़्यादा जानकारी", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "क्या आप मानते हैं कि यूनीगेटयूआई सिर्फ़ यूज़र एक्सपीरियंस को समझने और बेहतर बनाने के मकसद से, बिना नाम बताए इस्तेमाल के आंकड़े इकट्ठा करता है और भेजता है?", + "Decline": "अस्वीकार", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "कोई भी पर्सनल जानकारी इकट्ठा या भेजी नहीं जाती है, और इकट्ठा किया गया डेटा गुमनाम रहता है, इसलिए इसे आप तक वापस नहीं लाया जा सकता।", + "About WingetUI": "WingetUI के बारे में", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI एक ऐसा अनुप्रयोग है जो आपके कमांड-लाइन पैकेज मैनेजरों के लिए ऑल-इन-वन ग्राफिकल इंटरफ़ेस देकर आपके सॉफ़्टवेयर को प्रबंधित करना आसान बनाता है।", + "Useful links": "उपयोगी लिंक", + "Report an issue or submit a feature request": "किसी समस्या की रिपोर्ट करें या सुविधा का अनुरोध सबमिट करें", + "View GitHub Profile": "गिटहब प्रोफ़ाइल देखें", + "WingetUI License": "यूनीगेटयूआई लाइसेंस", + "Using WingetUI implies the acceptation of the MIT License": "यूनीगेटयूआई का इस्तेमाल करने का मतलब है MIT लाइसेंस को स्वीकार करना।", + "Become a translator": "अनुवादक बनें", + "View page on browser": "पेज को ब्राउज़र में देखें", + "Copy to clipboard": "क्लिपबोर्ड पर प्रतिलिपि करें", + "Export to a file": "फ़ाइल में निर्यात करें", + "Log level:": "लॉग स्तर:", + "Reload log": "लॉग पुनः लोड करें", + "Text": "लेखन", + "Change how operations request administrator rights": "ऑपरेशन एडमिनिस्ट्रेटर अधिकारों का अनुरोध कैसे करते हैं, इसे बदलें", + "Restrictions on package operations": "संकुल संचालन पर प्रतिबंध", + "Restrictions on package managers": "संकुल प्रबंधकों पर प्रतिबंध", + "Restrictions when importing package bundles": "संकुल बंडल आयात करते समय प्रतिबंध", + "Ask for administrator privileges once for each batch of operations": "हर ऑपरेशन के बैच के लिए एक बार एडमिनिस्ट्रेटर प्रिविलेज मांगें", + "Ask only once for administrator privileges": "एडमिनिस्ट्रेटर प्रिविलेज के लिए सिर्फ़ एक बार पूछें", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "यूनीगेटयूआई एलेवेटर या जीसुडो के माध्यम से किसी भी प्रकार के उन्नयन पर रोक लगाएं", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "इस ऑप्शन से दिक्कतें आएंगी। कोई भी ऑपरेशन जो खुद को एलिवेट नहीं कर पाएगा, वह फेल हो जाएगा। एडमिनिस्ट्रेटर के तौर पर इंस्टॉल/अपडेट/अनइंस्टॉल काम नहीं करेगा।", + "Allow custom command-line arguments": "कस्टम कमांड-लाइन तर्कों की अनुमति दें", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "कस्टम कमांड-लाइन आर्गुमेंट प्रोग्राम को इंस्टॉल, अपग्रेड या अनइंस्टॉल करने का तरीका बदल सकते हैं, जिसे यूनीगेटयूआई कंट्रोल नहीं कर सकता। कस्टम कमांड-लाइन इस्तेमाल करने से पैकेज खराब हो सकते हैं। सावधानी से आगे बढ़ें।", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "बंडल से पैकेज इंपोर्ट करते समय कस्टम प्री-इंस्टॉल और पोस्ट-इंस्टॉल कमांड चलाने की अनुमति दें", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "प्री और पोस्ट इंस्टॉल कमांड किसी पैकेज के इंस्टॉल, अपग्रेड या अनइंस्टॉल होने से पहले और बाद में चलाए जाएँगे। ध्यान रखें कि अगर सावधानी से इस्तेमाल न किया जाए तो ये चीज़ें खराब कर सकते हैं।", + "Allow changing the paths for package manager executables": "पैकेज प्रबंधक निष्पादनयोग्य के लिए पथ बदलने की अनुमति दें", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "इसे चालू करने से संकुल मैनेजर के साथ इंटरैक्ट करने के लिए इस्तेमाल होने वाली एग्जीक्यूटेबल फ़ाइल को बदलना संभव हो जाता है। हालांकि इससे आपके इंस्टॉल प्रोसेस को ज़्यादा बारीकी से कस्टमाइज़ किया जा सकता है, लेकिन यह खतरनाक भी हो सकता है।", + "Allow importing custom command-line arguments when importing packages from a bundle": "बंडल से पैकेज आयात करते समय कस्टम कमांड-लाइन तर्कों को आयात करने की अनुमति दें", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "खराब कमांड-लाइन आर्गुमेंट पैकेज को तोड़ सकते हैं, या किसी गलत इरादे वाले एक्टर को खास एग्जीक्यूशन पाने की इजाज़त भी दे सकते हैं। इसलिए, कस्टम कमांड-लाइन आर्गुमेंट इंपोर्ट करना डिफ़ॉल्ट रूप से डिसेबल होता है।", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "बंडल से पैकेज आयात करते समय कस्टम प्री-इंस्टॉल और पोस्ट-इंस्टॉल कमांड आयात करने की अनुमति दें", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "प्री और पोस्ट इंस्टॉलेशन कमांड आपके डिवाइस के लिए बहुत खतरनाक हो सकते हैं, अगर उन्हें ऐसा करने के लिए डिज़ाइन किया गया हो। किसी बंडल से कमांड इम्पोर्ट करना बहुत खतरनाक हो सकता है, जब तक कि आपको उस पैकेज बंडल के स्रोत पर भरोसा न हो।", + "Administrator rights and other dangerous settings": "व्यवस्थापक अधिकार और अन्य खतरनाक सेटिंग्स", + "Package backup": "संकुल बैकअप", + "Cloud package backup": "क्लाउड पैकेज बैकअप", + "Local package backup": "स्थानीय पैकेज बैकअप", + "Local backup advanced options": "स्थानीय बैकअप उन्नत विकल्प", + "Log in with GitHub": "गिटहब से लॉग इन करें", + "Log out from GitHub": "गिटहब से लॉग आउट करें", + "Periodically perform a cloud backup of the installed packages": "समय-समय पर स्थापित संकुल का क्लाउड बैकअप लें", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "क्लाउड बैकअप इंस्टॉल किए गए पैकेज की लिस्ट स्टोर करने के लिए एक प्राइवेट गिटहब सार का इस्तेमाल करता है", + "Perform a cloud backup now": "अभी क्लाउड बैकअप करें", + "Backup": "बैकअप", + "Restore a backup from the cloud": "क्लाउड से बैकअप पुनर्स्थापित करें", + "Begin the process to select a cloud backup and review which packages to restore": "क्लाउड बैकअप चुनने का प्रोसेस शुरू करें और देखें कि कौन से पैकेज रिस्टोर करने हैं", + "Periodically perform a local backup of the installed packages": "समय-समय पर स्थापित संकुल का स्थानीय बैकअप लें", + "Perform a local backup now": "अभी स्थानीय बैकअप करें", + "Change backup output directory": "बैकअप आउटपुट डायरेक्टरी बदलें", + "Set a custom backup file name": "एक कस्टम बैकअप फ़ाइल नाम सेट करें", + "Leave empty for default": "डिफ़ॉल्ट के लिए खाली छोड़ दें", + "Add a timestamp to the backup file names": "बैकअप फ़ाइल नामों में टाइमस्टैम्प जोड़ें", + "Backup and Restore": "बैकअप और पुनर्स्थापना", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "बैकग्राउंड एपीआई चालू करें (यूनीगेटयूआई और शेयरिंग के लिए विजेट, पोर्ट 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "इंटरनेट कनेक्टिविटी वाले काम करने से पहले डिवाइस के इंटरनेट से कनेक्ट होने का इंतज़ार करें।", + "Disable the 1-minute timeout for package-related operations": "पैकेज से जुड़े ऑपरेशन के लिए 1-मिनट का टाइमआउट बंद करें", + "Use installed GSudo instead of UniGetUI Elevator": "यूनीगेटयूआई एलिवेटर के बजाय इंस्टॉल किए गए जीसुडो का उपयोग करें", + "Use a custom icon and screenshot database URL": "एक कस्टम आइकन और स्क्रीनशॉट डेटाबेस यूआरएल का उपयोग करें", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "बैकग्राउंड सीपीयू यूसेज ऑप्टिमाइज़ेशन चालू करें (पुल रिक्वेस्ट #3278 देखें)", + "Perform integrity checks at startup": "स्टार्टअप पर अखंडता जांच करें", + "When batch installing packages from a bundle, install also packages that are already installed": "जब किसी बंडल से संकुल बैच में इंस्टॉल कर रहे हों, तो उन संकुल को भी इंस्टॉल करें जो पहले से इंस्टॉल हैं।", + "Experimental settings and developer options": "प्रायोगिक सेटिंग्स और डेवलपर विकल्प", + "Show UniGetUI's version and build number on the titlebar.": "टाइटल बार पर यूनीगेटयूआई वर्शन दिखाएँ", + "Language": "भाषा", + "UniGetUI updater": "यूनिगेटयूआई अपडेटर", + "Telemetry": "टेलीमेटरी", + "Manage UniGetUI settings": "यूनीगेटयूआई सेटिंग्स प्रबंधित करें", + "Related settings": "संबंधित सेटिंग्स", + "Update WingetUI automatically": "WingetUI को स्वचालित रूप से अपडेट करें", + "Check for updates": "अद्यतन के लिए जाँच", + "Install prerelease versions of UniGetUI": "यूनीगेटयूआई के प्री-रिलीज़ वर्शन इंस्टॉल करें", + "Manage telemetry settings": "टेलीमेट्री सेटिंग्स प्रबंधित करें", + "Manage": "प्रबंधित करना", + "Import settings from a local file": "लोकल फ़ाइल से सेटिंग्स इंपोर्ट करें", + "Import": "आयात", + "Export settings to a local file": "सेटिंग्स को लोकल फ़ाइल में एक्सपोर्ट करें", + "Export": "एक्सपोर्ट", + "Reset WingetUI": "यूनीगेटयूआई रीसेट करें", + "Reset UniGetUI": "यूनीगेटयूआई रीसेट करें", + "User interface preferences": "उपयोगकर्ता इंटरफ़ेस प्राथमिकताएँ", + "Application theme, startup page, package icons, clear successful installs automatically": "एप्लिकेशन थीम, स्टार्टअप पेज, पैकेज आइकन, सफल इंस्टॉल को ऑटोमैटिकली क्लियर करें", + "General preferences": "सामान्य प्राथमिकताएं", + "WingetUI display language:": "UniGetUI की प्रदर्शन भाषा", + "Is your language missing or incomplete?": "क्या आपकी भाषा गायब है या अधूरी है?", + "Appearance": "उपस्थिति", + "UniGetUI on the background and system tray": "यूनीगेटयूआई बैकग्राउंड और सिस्टम ट्रे पर है।", + "Package lists": "संकुल सूचियाँ", + "Close UniGetUI to the system tray": "यूनीगेटयूआई को सिस्टम ट्रे में बंद करें", + "Show package icons on package lists": "संकुल लिस्ट पर संकुल आइकन दिखाएँ", + "Clear cache": "कैश को साफ़ करें", + "Select upgradable packages by default": "डिफ़ॉल्ट रूप से अपग्रेड करने योग्य पैकेज चुनें", + "Light": "लाइट", + "Dark": "डार्क", + "Follow system color scheme": "सिस्टम कलर स्कीम का पालन करें", + "Application theme:": "एप्लीकेशन थीम:", + "Discover Packages": "पैकेज खोजें", + "Software Updates": "\nसॉफ्टवेयर अपडेट", + "Installed Packages": "स्थापित पैकेज", + "Package Bundles": "संकुल बंडल", + "Settings": "सेटिंग्स", + "UniGetUI startup page:": "यूनीगेटयूआई स्टार्टअप पेज:", + "Proxy settings": "प्रॉक्सी सेटिंग्स", + "Other settings": "अन्य सेटिंग्स", + "Connect the internet using a custom proxy": "कस्टम प्रॉक्सी का इस्तेमाल करके इंटरनेट कनेक्ट करें", + "Please note that not all package managers may fully support this feature": "कृपया ध्यान दें कि सभी संकुल प्रबंधक इस सुविधा का पूर्णतः समर्थन नहीं कर सकते हैं", + "Proxy URL": "प्रॉक्सी URL", + "Enter proxy URL here": "प्रॉक्सी URL यहां डालें", + "Package manager preferences": "पैकेज प्रबंधक वरीयताएँ", + "Ready": "तैयार", + "Not found": "नहीं मिला", + "Notification preferences": "अधिसूचना प्राथमिकताएँ", + "Notification types": "अधिसूचना प्रकार", + "The system tray icon must be enabled in order for notifications to work": "नोटिफ़िकेशन काम करने के लिए सिस्टम ट्रे आइकन इनेबल होना चाहिए।", + "Enable WingetUI notifications": "WingetUI सूचनाएं सक्षम करें", + "Show a notification when there are available updates": "अपडेट उपलब्ध होने पर सूचना दिखाएं", + "Show a silent notification when an operation is running": "जब कोई ऑपरेशन चल रहा हो तो साइलेंट नोटिफ़िकेशन दिखाएँ", + "Show a notification when an operation fails": "जब कोई ऑपरेशन फेल हो जाए तो नोटिफिकेशन दिखाएं", + "Show a notification when an operation finishes successfully": "जब कोई ऑपरेशन सफलतापूर्वक पूरा हो जाए तो एक नोटिफ़िकेशन दिखाएँ", + "Concurrency and execution": "समवर्तीता और निष्पादन", + "Automatic desktop shortcut remover": "स्वचालित डेस्कटॉप शॉर्टकट रिमूवर ", + "Clear successful operations from the operation list after a 5 second delay": "5 सेकंड की देरी के बाद ऑपरेशन लिस्ट से सफल ऑपरेशन को हटा दें", + "Download operations are not affected by this setting": "इस सेटिंग से डाउनलोड ऑपरेशन पर कोई असर नहीं पड़ता है", + "Try to kill the processes that refuse to close when requested to": "उन प्रोसेस को बंद करने की कोशिश करें जो रिक्वेस्ट करने पर बंद नहीं होते हैं", + "You may lose unsaved data": "आपका बिना सहेजा गया डेटा खो सकता है", + "Ask to delete desktop shortcuts created during an install or upgrade.": "इंस्टॉल या अपग्रेड के दौरान बनाए गए डेस्कटॉप शॉर्टकट को डिलीट करने के लिए कहें।", + "Package update preferences": "संकुल अद्यतन प्राथमिकताएँ", + "Update check frequency, automatically install updates, etc.": "अपडेट चेक करने की फ़्रीक्वेंसी, अपडेट को ऑटोमैटिकली इंस्टॉल करना, वगैरह।", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "यूएसी प्रॉम्प्ट को कम करें, डिफ़ॉल्ट रूप से इंस्टॉलेशन को बढ़ाएं, कुछ खतरनाक सुविधाओं को अनलॉक करें, आदि।", + "Package operation preferences": "संकुल संचालन प्राथमिकताएँ", + "Enable {pm}": "{pm} सक्षम करें", + "Not finding the file you are looking for? Make sure it has been added to path.": "आपको जो फ़ाइल चाहिए वह नहीं मिल रही है? पक्का करें कि वह पाथ में जोड़ दी गई है।", + "For security reasons, changing the executable file is disabled by default": "सुरक्षा कारणों से, एग्जीक्यूटेबल फ़ाइल बदलना डिफ़ॉल्ट रूप से डिसेबल होता है", + "Change this": "इसे बदलें", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "इस्तेमाल करने के लिए एग्जीक्यूटेबल चुनें। नीचे दी गई लिस्ट में यूनीगेटयूआई को मिले एग्जीक्यूटेबल दिखाए गए हैं।", + "Current executable file:": "अभी की एग्जीक्यूटेबल फ़ाइल:", + "Ignore packages from {pm} when showing a notification about updates": "अपडेट के बारे में सूचना दिखाते समय {pm} से पैकेज को अनदेखा करें", + "View {0} logs": "लॉग {0} देखें", + "Advanced options": "उन्नत विकल्प", + "Reset WinGet": "विनगेट रीसेट करें", + "This may help if no packages are listed": "अगर कोई संकुल लिस्ट में नहीं दिख रहा है तो यह मदद कर सकता है।", + "Force install location parameter when updating packages with custom locations": "कस्टम स्थान वाले पैकेज अपडेट करते समय इंस्टॉल लोकेशन पैरामीटर को अनिवार्य करें", + "Use bundled WinGet instead of system WinGet": "सिस्टम विनगेट के बजाय बंडल किया हुआ विनगेट इस्तेमाल करें।", + "This may help if WinGet packages are not shown": "अगर विनगेट संकुल नहीं दिख रहे हैं तो यह मदद कर सकता है।", + "Install Scoop": "स्कूप स्थापित करें", + "Uninstall Scoop (and its packages)": "स्कूप (और उसके पैकेज) की स्थापना रद्द करें", + "Run cleanup and clear cache": "क्लीनअप चलाएं और कैश साफ़ करें", + "Run": "चलाओ", + "Enable Scoop cleanup on launch": "लॉन्च होने पर स्कूप क्लीनअप सक्षम करें", + "Use system Chocolatey": "सिस्टम चॉकलेट्टी का प्रयोग करें", + "Default vcpkg triplet": "डिफ़ॉल्ट वीसीपीकेजी ट्रिपलेट", + "Language, theme and other miscellaneous preferences": "भाषा, थीम और अन्य विविध प्राथमिकताएं", + "Show notifications on different events": "अलग-अलग इवेंट पर नोटिफ़िकेशन दिखाएँ", + "Change how UniGetUI checks and installs available updates for your packages": "यूनीगेटयूआई आपके पैकेज के लिए उपलब्ध अपडेट को कैसे चेक और इंस्टॉल करता है, इसे बदलें", + "Automatically save a list of all your installed packages to easily restore them.": "अपने सभी इंस्टॉल किए गए पैकेज की लिस्ट ऑटोमैटिकली सेव करें ताकि उन्हें आसानी से रिस्टोर किया जा सके।", + "Enable and disable package managers, change default install options, etc.": "पैकेज मैनेजर को चालू और बंद करें, डिफ़ॉल्ट इंस्टॉल ऑप्शन बदलें, वगैरह।", + "Internet connection settings": "इंटरनेट कनेक्शन सेटिंग्स", + "Proxy settings, etc.": "प्रॉक्सी सेटिंग्स, आदि.", + "Beta features and other options that shouldn't be touched": "बीटा सुविधाएँ और अन्य विकल्प जिन्हें छुआ नहीं जाना चाहिए", + "Update checking": "अपडेट की जाँच हो रही है", + "Automatic updates": "स्वचालित अद्यतन", + "Check for package updates periodically": "समय-समय पर पैकेज अपडेट की जांच करें", + "Check for updates every:": "अपडेट की जांच करें हर:", + "Install available updates automatically": "उपलब्ध अपडेट अपने आप इंस्टॉल करें", + "Do not automatically install updates when the network connection is metered": "नेटवर्क कनेक्शन मीटर्ड होने पर अपडेट ऑटोमैटिकली इंस्टॉल न करें", + "Do not automatically install updates when the device runs on battery": "जब डिवाइस बैटरी पर चल रहा हो, तो अपडेट अपने आप इंस्टॉल न करें", + "Do not automatically install updates when the battery saver is on": "बैटरी सेवर चालू होने पर अपडेट अपने आप इंस्टॉल न करें", + "Change how UniGetUI handles install, update and uninstall operations.": "यूनीगेटयूआई इंस्टॉल, अपडेट और अनइंस्टॉल ऑपरेशन को कैसे हैंडल करता है, इसे बदलें।", + "Package Managers": "संकुल प्रबंधकों", + "More": "अधिक", + "WingetUI Log": "यूनीगेटयूआई लॉग", + "Package Manager logs": "संकुल प्रबंधक लॉग", + "Operation history": "ऑपरेशन इतिहास", + "Help": "सहायता", + "Order by:": "आदेश द्वारा:", + "Name": "नाम", + "Id": "पहचान", + "Ascendant": "प्रबल", + "Descendant": "वंशज", + "View mode:": "देखने का तरीका:", + "Filters": "फिल्टर", + "Sources": "स्रोत", + "Search for packages to start": "संकुल खोजना शुरू करें", + "Select all": "सभी चुने", + "Clear selection": "चयन साफ़ करें", + "Instant search": "त्वरित खोज", + "Distinguish between uppercase and lowercase": "अपरकेस और लोअरकेस में अंतर करें", + "Ignore special characters": "विशेष वर्णों को अनदेखा करें", + "Search mode": "खोज मोड", + "Both": "दोनों", + "Exact match": "सटीक मिलन", + "Show similar packages": "समान संकुल दिखाएँ", + "No results were found matching the input criteria": "इनपुट क्राइटेरिया से मैच करते हुए कोई रिज़ल्ट नहीं मिला", + "No packages were found": "कोई पैकेज नहीं मिला", + "Loading packages": "पैकेज लोड करना", + "Skip integrity checks": "अखंडता जांच छोड़ें", + "Download selected installers": "चयनित इंस्टॉलर डाउनलोड करें", + "Install selection": "चयन स्थापित करें", + "Install options": "इंस्टॉल विकल्प", + "Share": "शेयर करना", + "Add selection to bundle": "चयन को बंडल में जोड़ें", + "Download installer": "इंस्टॉलर डाउनलोड करें", + "Share this package": "इस पैकेज को शेयर करें", + "Uninstall selection": "चयन को अनइंस्टॉल करें", + "Uninstall options": "अनइंस्टॉल विकल्प", + "Ignore selected packages": "चयनित पैकेजों पर ध्यान न दें", + "Open install location": "इंस्टॉल स्थान खोलें", + "Reinstall package": "संकुल पुनः स्थापित करें", + "Uninstall package, then reinstall it": "संकुल को अनइंस्टॉल करें, फिर उसे दोबारा इंस्टॉल करें।", + "Ignore updates for this package": "इस पैकेज के अपडेट को नज़रअंदाज़ करें", + "Do not ignore updates for this package anymore": "इस पैकेज के अपडेट को अब और नज़रअंदाज़ न करें", + "Add packages or open an existing package bundle": "पैकेज जोड़ें या मौजूदा पैकेज बंडल खोलें", + "Add packages to start": "पैकेजों को प्रारंभ में जोड़ें", + "The current bundle has no packages. Add some packages to get started": "अभी के बंडल में कोई संकुल नहीं है। शुरू करने के लिए कुछ संकुल जोड़ें", + "New": "नया", + "Save as": "के रूप बचाओ", + "Remove selection from bundle": "बंडल से चयन हटाएँ", + "Skip hash checks": "हैश जाँच छोड़ें", + "The package bundle is not valid": "संकुल बंडल मान्य नहीं है", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "आप जो बंडल लोड करने की कोशिश कर रहे हैं, वह इनवैलिड लग रहा है। कृपया फ़ाइल चेक करें और फिर से कोशिश करें।", + "Package bundle": "संकुल बंडल", + "Could not create bundle": "बंडल नहीं बनाया जा सका", + "The package bundle could not be created due to an error.": "एक एरर के कारण संकुल बंडल नहीं बनाया जा सका।", + "Bundle security report": "बंडल सुरक्षा प्रतिवेदन", + "Hooray! No updates were found.": "\nवाह! कोई अपडेट नहीं मिला!", + "Everything is up to date": "सब कुछ अप टू डेट है", + "Uninstall selected packages": "चुने पैकेज की स्थापना रद्द करें", + "Update selection": "चयन अपडेट करें", + "Update options": "अपडेट विकल्प", + "Uninstall package, then update it": "संकुल को अनइंस्टॉल करें, फिर उसे अपडेट करें।", + "Uninstall package": "\nपैकेज की स्थापना रद्द करें", + "Skip this version": "इस संस्करण को छोड़ दें", + "Pause updates for": "इसके लिए अपडेट रोकें", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "रस्ट संकुल मैनेजर.
निहित: रस्ट लाइब्रेरी और रस्ट में लिखे गए प्रोग्राम", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "विंडोज़ के लिए क्लासिक संकुल मैनेजर. आपको वहां सब कुछ मिलेगा.
निहित: सामान्य सॉफ्टवेयर", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft के .NET पारिस्थितिकी तंत्र को ध्यान में रखकर डिज़ाइन किए गए टूल और एक्ज़ीक्यूटेबल्स से भरा एक संग्रह।\nइसमें शामिल हैं:\n.NET से संबंधित टूल और स्क्रिप्ट", + "NuPkg (zipped manifest)": "NuPkg (ज़िप्ड मैनिफ़ेस्ट)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS का पैकेज मैनेजर। जावास्क्रिप्ट की दुनिया में मौजूद लाइब्रेरी और दूसरी यूटिलिटी से भरा हुआ
में निहित: नोड जावास्क्रिप्ट लाइब्रेरी और अन्य संबंधित उपयोगिताएँ", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "पायथन लाइब्रेरी मैनेजर। पायथन लाइब्रेरीज़ और अन्य पायथन-संबंधित उपयोगिताओं से भरपूर
निहित: पायथन लाइब्रेरी और संबंधित उपयोगिताएँ", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "पावरशेल का पैकेज प्रबंधक। पावरशेल की क्षमताओं का विस्तार करने के लिए लाइब्रेरी और स्क्रिप्ट खोजें
निहित: मॉड्यूल, स्क्रिप्ट, कमांडलेट", + "extracted": "निकाला गया", + "Scoop package": "स्कूप पैकेज", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "अनजान लेकिन काम की यूटिलिटीज़ और दूसरे दिलचस्प पैकेज का शानदार रिपॉजिटरी।
रोकना: यूटिलिटीज़, कमांड-लाइन प्रोग्राम, जनरल सॉफ्टवेयर (एक्स्ट्रा बकेट ज़रूरी है) ", + "library": "लाइब्रेरी", + "feature": "सुविधा", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "एक लोकप्रिय C/C++ लाइब्रेरी मैनेजर। C/C++ लाइब्रेरी और अन्य C/C++-संबंधित उपयोगिताओं से भरपूर।\nइसमें शामिल हैं:\nC/C++ लाइब्रेरी और संबंधित उपयोगिताएँ", + "option": "विकल्प", + "This package cannot be installed from an elevated context.": "इस संकुल को एलिवेटेड कॉन्टेक्स्ट से इंस्टॉल नहीं किया जा सकता।", + "Please run UniGetUI as a regular user and try again.": "कृपया यूनीगेटयूआई को नियमित उपयोगकर्ता के रूप में चलाएँ और पुनः प्रयास करें।", + "Please check the installation options for this package and try again": "कृपया इस संकुल के लिए स्थापना विकल्प जांचें और पुनः प्रयास करें", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "माइक्रोसॉफ्ट का ऑफिशियल पैकेज मैनेजर। जाने-माने और वेरिफाइड पैकेज से भरा हुआ।
में निहित: सामान्य सॉफ़्टवेयर, माइक्रोसॉफ्ट स्टोर ऐप्स", + "Local PC": "स्थानीय पी.सी", + "Android Subsystem": "एंड्रॉइड सबसिस्टम", + "Operation on queue (position {0})...": "कतार पर ऑपरेशन (स्थिति {0})...", + "Click here for more details": "अधिक जानकारी के लिए यहां क्लिक करें", + "Operation canceled by user": "उपयोगकर्ता द्वारा ऑपरेशन रद्द कर दिया गया", + "Starting operation...": "ऑपरेशन शुरू हो रहा है...", + "{package} installer download": "{package} इंस्टॉलर डाउनलोड", + "{0} installer is being downloaded": "{0} इंस्टॉलर डाउनलोड किया जा रहा है", + "Download succeeded": "डाउनलोड सफल रहा", + "{package} installer was downloaded successfully": "{package} इंस्टॉलर सफलतापूर्वक डाउनलोड हो गया", + "Download failed": "डाउनलोड विफल", + "{package} installer could not be downloaded": "{package} इंस्टॉलर डाउनलोड नहीं हो सका", + "{package} Installation": "{package} इंस्टॉलेशन", + "{0} is being installed": "{0} इंस्टॉल किया जा रहा है", + "Installation succeeded": "स्थापना सफल रही", + "{package} was installed successfully": "{package} सफलतापूर्वक इंस्टॉल हो गया", + "Installation failed": "स्थापना विफल", + "{package} could not be installed": "{package} इंस्टॉल नहीं हो सका", + "{package} Update": "{package} अपडेट", + "{0} is being updated to version {1}": "{0} को संस्करण {1} में अपडेट किया जा रहा है", + "Update succeeded": "अपडेट सफल रहा", + "{package} was updated successfully": "{package} सफलतापूर्वक अपडेट हो गया", + "Update failed": "अपडेट विफल रहे", + "{package} could not be updated": "{package} अपडेट नहीं हो सका", + "{package} Uninstall": "{package} अनइंस्टॉल", + "{0} is being uninstalled": "{0} अनइंस्टॉल किया जा रहा है", + "Uninstall succeeded": "अनइंस्टॉल सफल रहा", + "{package} was uninstalled successfully": "{package} सफलतापूर्वक अनइंस्टॉल हो गया", + "Uninstall failed": "अनइंस्टॉल विफल रहा", + "{package} could not be uninstalled": "{package} अनइंस्टॉल नहीं हो सका", + "Adding source {source}": "स्रोत {source} जोड़ा जा रहा है।", + "Adding source {source} to {manager}": "स्रोत {source}{manager}जोड़ना", + "Source added successfully": "स्रोत सफलतापूर्वक जोड़ा गया", + "The source {source} was added to {manager} successfully": "स्रोत {source} को {manager} में जोड़ा गया", + "Could not add source": "स्रोत नहीं जोड़ा जा सका", + "Could not add source {source} to {manager}": "स्रोत नहीं जोड़ा जा सका{source} को {manager} के साथ", + "Removing source {source}": "{source}स्रोत हटाना", + "Removing source {source} from {manager}": "{manager} से {source}स्रोत हटाना", + "Source removed successfully": "स्रोत सफलतापूर्वक हटा दिया गया", + "The source {source} was removed from {manager} successfully": "{manager} से स्रोत {source} को सफलतापूर्वक हटा दिया गया", + "Could not remove source": "स्रोत हटाया नहीं जा सका", + "Could not remove source {source} from {manager}": "स्रोत {source} हटाया नहीं जा सका {manager} से", + "The package manager \"{0}\" was not found": "संकुल प्रबंधक {0} नहीं मिला था", + "The package manager \"{0}\" is disabled": "संकुल प्रबंधक {0} अक्षम है", + "There is an error with the configuration of the package manager \"{0}\"": "संकुल प्रबंधक \"{0}\" के कॉन्फ़िगरेशन में कोई गड़बड़ी है।", + "The package \"{0}\" was not found on the package manager \"{1}\"": "संकुल {0} संकुल पैकेज मैनेजर {1} पर नहीं मिला", + "{0} is disabled": "{0} अक्षम है", + "Something went wrong": "कुछ गलत हो गया", + "An interal error occurred. Please view the log for further details.": "एक आंतरिक त्रुटि हुई। कृपया अधिक जानकारी के लिए लॉग देखें", + "No applicable installer was found for the package {0}": "{0} पैकेज के लिए कोई लागू इंस्टॉलर नहीं मिला", + "We are checking for updates.": "हम अपडेट्स चेक कर रहे हैं।", + "Please wait": "कृपया प्रतीक्षा करें", + "UniGetUI version {0} is being downloaded.": "यूनिगेटयूआई संस्करण {0} डाउनलोड किया जा रहा है।", + "This may take a minute or two": "इसमें एक या दो मिनट लग सकते हैं।", + "The installer authenticity could not be verified.": "इंस्टॉलर की असलियत सत्यापित नहीं की जा सकी।", + "The update process has been aborted.": "अपडेट प्रक्रिया रद्द कर दी गई है।", + "Great! You are on the latest version.": "बहुत बढ़िया! आप लेटेस्ट वर्शन पर हैं।", + "There are no new UniGetUI versions to be installed": "इंस्टॉल करने के लिए कोई नया यूनीगेटयूआई वर्शन उपलब्ध नहीं है।", + "An error occurred when checking for updates: ": "अपडेट चेक करते समय एक एरर आया:", + "UniGetUI is being updated...": "यूनीगेटयूआई अपडेट हो रहा है...", + "Something went wrong while launching the updater.": "अपडेटर लॉन्च करते समय कुछ गलत हो गई।", + "Please try again later": "कृपया बाद में पुन: प्रयास करें", + "Integrity checks will not be performed during this operation": "इस ऑपरेशन के दौरान इंटीग्रिटी चेक नहीं किए जाएंगे", + "This is not recommended.": "इसकी सलाह नहीं दी जाती है।", + "Run now": "अब चलाओ", + "Run next": "अगला भाग चलाएँ", + "Run last": "अन्त में चलाएं", + "Retry as administrator": "व्यवस्थापक के रूप में पुनः प्रयास करें", + "Retry interactively": "सहभागितापूर्ण तरीके से पुनः प्रयास करें", + "Retry skipping integrity checks": "अखंडता जांच को छोड़कर पुनः प्रयास करें", + "Installation options": "स्थापना विकल्प", + "Show in explorer": "एक्सप्लोरर में दिखाएँ", + "This package is already installed": "यह संकुल पहले से ही इंस्टॉल है", + "This package can be upgraded to version {0}": "इस संकुल को {0} वर्जन में अपडेट किया जा सकता है।", + "Updates for this package are ignored": "इस संकुल के लिए अपडेट को अनदेखा किया जाता है।", + "This package is being processed": "यह संकुल पहले से ही प्रसंस्कृत है", + "This package is not available": "यह संकुल उपलब्ध नहीं है", + "Select the source you want to add:": "वह सोर्स चुनें जिसे आप जोड़ना चाहते हैं:", + "Source name:": "स्रोत का नाम:", + "Source URL:": "स्रोत यूआरएल:", + "An error occurred": "एक त्रुटि हुई", + "An error occurred when adding the source: ": "स्रोत जोड़ते समय एक त्रुटि हुई:", + "Package management made easy": "संकुल संचालन आसान हो गया", + "version {0}": "संस्करण {0}", + "[RAN AS ADMINISTRATOR]": "[व्यवस्थापक के रूप में चलाया गया]", + "Portable mode": "पोर्टेबल मोड\n", + "DEBUG BUILD": "डीबग बिल्ड", + "Available Updates": "उपलब्ध अद्यतन", + "Show WingetUI": "WingetUI दिखाएं", + "Quit": "बंद करें", + "Attention required": "ध्यान देने की आवश्यकता", + "Restart required": "पुनरारंभ करना आवश्यक है", + "1 update is available": "1 अपडेट उपलब्ध है", + "{0} updates are available": "{0} अपडेट उपलब्ध हैं", + "WingetUI Homepage": "यूनीगेटयूआई मुखपृष्ठ", + "WingetUI Repository": "UniGetUI रिपॉजिटरी", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "यहां आप नीचे दिए गए शॉर्टकट के बारे में यूनीगेटयूआई का बिहेवियर बदल सकते हैं। किसी शॉर्टकट को चेक करने पर, अगर भविष्य में अपग्रेड पर वह बनता है, तो यूनीगेटयूआई उसे डिलीट कर देगा। इसे अनचेक करने से शॉर्टकट बना रहेगा।", + "Manual scan": "हस्तचालित स्कैन\n", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "आपके डेस्कटॉप पर मौजूद शॉर्टकट स्कैन किए जाएंगे, और आपको चुनना होगा कि कौन से रखने हैं और कौन से हटाने हैं।", + "Continue": "जारी रखना", + "Delete?": "मिटाना?", + "Missing dependency": "गुम निर्भरता", + "Not right now": "अभी नहीं", + "Install {0}": "{0} स्थापित करना", + "UniGetUI requires {0} to operate, but it was not found on your system.": "यूनीगेटयूआई को काम करने के लिए {0} की ज़रूरत है, लेकिन यह आपके सिस्टम पर नहीं मिला।", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "इंस्टॉलेशन प्रोसेस शुरू करने के लिए इंस्टॉल पर क्लिक करें। अगर आप इंस्टॉलेशन स्किप करते हैं, तो यूनीगेटयूआई उम्मीद के मुताबिक काम नहीं कर सकता है।", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "वैकल्पिक रूप से, Windows PowerShell प्रॉम्प्ट में निम्न कमांड चलाकर आप {0} स्थापित कर सकते हैं।", + "Do not show this dialog again for {0}": "इस डायलॉग को दोबारा न दिखाएं {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "कृपया प्रतीक्षा करें जब {0} स्थापित किया जा रहा है। एक काली (या नीली) विंडो दिखाई दे सकती है। कृपया इसके बंद होने तक प्रतीक्षा करें।", + "{0} has been installed successfully.": "{0} सफलतापूर्वक इंस्टॉल हो गया है।", + "Please click on \"Continue\" to continue": "कृपया जारी रखने के लिए \"जारी रखें\" पर क्लिक करें", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} सफलतापूर्वक इंस्टॉल हो गया है। इंस्टॉलेशन पूरा करने के लिए UniGetUI को पुनः प्रारंभ करने की सलाह दी जाती है।", + "Restart later": "बाद में पुनः आरंभ करें", + "An error occurred:": "एक त्रुटि हुई:", + "I understand": "मैं समझता हूँ", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI को व्यवस्थापक के रूप में चलाया गया है, जिसकी अनुशंसा नहीं की जाती। जब UniGetUI को व्यवस्थापक के रूप में चलाया जाता है, तो इससे शुरू की गई हर कार्रवाई को व्यवस्थापक अधिकार मिलते हैं। आप अभी भी प्रोग्राम का उपयोग कर सकते हैं, लेकिन हम ज़ोरदार सलाह देते हैं कि UniGetUI को व्यवस्थापक अधिकारों के साथ न चलाएँ।", + "WinGet was repaired successfully": "विनगेट सफलतापूर्वक मरम्मत की गई", + "It is recommended to restart UniGetUI after WinGet has been repaired": "विनगेट के रिपेयर होने के बाद यूनीगेटयूआई को रीस्टार्ट करने की सलाह दी जाती है।", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "नोट: इस ट्रबलशूटर को विनगेट सेक्शन में यूनीगेटयूआई सेटिंग्स से डिसेबल किया जा सकता है।", + "Restart": "पुनःआरंभ करें", + "WinGet could not be repaired": "विनगेट मरम्मत नहीं की जा सकी", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "विंगेट को ठीक करने की कोशिश करते समय एक अनचाही समस्या आई। कृपया बाद में फिर से कोशिश करें।", + "Are you sure you want to delete all shortcuts?": "क्या आप वाकई सभी शॉर्टकट डिलीट करना चाहते हैं?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "इंस्टॉल या अपडेट ऑपरेशन के दौरान बनाए गए कोई भी नए शॉर्टकट अपने आप डिलीट हो जाएंगे, और पहली बार पता चलने पर कन्फर्मेशन प्रॉम्प्ट नहीं दिखेगा।", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "यूनीगेटयूआई के बाहर बनाए गए या बदले गए किसी भी शॉर्टकट को इग्नोर कर दिया जाएगा। आप उन्हें {0} बटन से जोड़ पाएंगे।", + "Are you really sure you want to enable this feature?": "क्या आप वाकई इस फ़ीचर को चालू करना चाहते हैं?", + "No new shortcuts were found during the scan.": "स्कैन के दौरान कोई नई शॉर्टकट नहीं मिली।", + "How to add packages to a bundle": "बंडल में पैकेज कैसे जोड़ें", + "In order to add packages to a bundle, you will need to: ": "बंडल में पैकेज जोड़ने के लिए, आपको ये करना होगा:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "\"{0}\" या \"{1}\" पेज पर जाएँ", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. उस पैकेज (या पैकेजों) को खोजें जिसे आप बंडल में जोड़ना चाहते हैं, और उनके सबसे बाएँ स्थित चेकबॉक्स को चुनें।", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. जब आप बंडल में जोड़ने के लिए पैकेज चुन लेते हैं, तो टूलबार पर \"{0}\" विकल्प को खोजें और उस पर क्लिक करें।", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. आपके पैकेज बंडल में जोड़ दिए गए हैं। आप पैकेज जोड़ना जारी रख सकते हैं, या बंडल को एक्सपोर्ट कर सकते हैं।", + "Which backup do you want to open?": "आप कौन सा बैकअप खोलना चाहते हैं?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "वह बैकअप चुनें जिसे आप खोलना चाहते हैं। बाद में, आप देख पाएँगे कि आप कौन से पैकेज/प्रोग्राम रिस्टोर करना चाहते हैं।", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "ऑपरेशन चल रहे हैं। यूनीगेटयूआई बंद करने से वे फेल हो सकते हैं। क्या आप जारी रखना चाहते हैं?", + "UniGetUI or some of its components are missing or corrupt.": "यूनीगेटयूआई या इसके कुछ कंपोनेंट गायब हैं या खराब हो गए हैं।", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "इस स्थिति को ठीक करने के लिए यूनीगेटयूआई को फिर से इंस्टॉल करने की सलाह दी जाती है।", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "प्रभावित फ़ाइल(फ़ाइलों) के बारे में अधिक जानकारी प्राप्त करने के लिए यूनीगेटयूआई लॉग देखें", + "Integrity checks can be disabled from the Experimental Settings": "एक्सपेरिमेंटल सेटिंग्स से इंटीग्रिटी चेक को डिसेबल किया जा सकता है", + "Repair UniGetUI": "यूनीगेटयूआई की मरम्मत करें", + "Live output": "लाइव आउटपुट", + "Package not found": "संकुल नहीं मिला", + "An error occurred when attempting to show the package with Id {0}": "आईडी {0} वाले पैकेज को दिखाने का प्रयास करते समय एक त्रुटि हुई", + "Package": "संकुल", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "इस संकुल बंडल में कुछ ऐसी सेटिंग्स थीं जो संभावित रूप से खतरनाक हैं, और जिन्हें डिफ़ॉल्ट रूप से अनदेखा किया जा सकता है।", + "Entries that show in YELLOW will be IGNORED.": "जो एंट्री पीला रंग में दिखेंगी उन्हें अनदेखा कर दिया जाएगा।", + "Entries that show in RED will be IMPORTED.": "जो एंट्री लाल रंग में दिखेंगी, उन्हें आयातित कर दिया जाएगा।", + "You can change this behavior on UniGetUI security settings.": "आप इस व्यवहार को UniGetUI सुरक्षा सेटिंग्स में बदल सकते हैं।", + "Open UniGetUI security settings": "यूनीगेटयूआई सुरक्षा सेटिंग्स खोलें", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "अगर आप सिक्योरिटी सेटिंग्स में बदलाव करते हैं, तो बदलाव लागू होने के लिए आपको बंडल को फिर से खोलना होगा।", + "Details of the report:": "रिपोर्ट का विवरण:", "\"{0}\" is a local package and can't be shared": "\"{0}\" एक स्थानीय पैकेज है और इसे साझा नहीं किया जा सकता", + "Are you sure you want to create a new package bundle? ": "क्या आप वाकई एक नया पैकेज बंडल बनाना चाहते हैं?", + "Any unsaved changes will be lost": "कोई भी बिना सेव किए गए बदलाव खो जाएँगे", + "Warning!": "चेतावनी!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षा कारणों से, कस्टम कमांड-लाइन आर्गुमेंट डिफ़ॉल्ट रूप से डिसेबल होते हैं। इसे बदलने के लिए यूनीगेटयूआई सुरक्षा सेटिंग्स पर जाएं।", + "Change default options": "डिफ़ॉल्ट विकल्प बदलें", + "Ignore future updates for this package": "इस पैकेज के लिए भविष्य के अपडेट पर ध्यान न दें", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षा कारणों से, प्री-ऑपरेशन और पोस्ट-ऑपरेशन स्क्रिप्ट डिफ़ॉल्ट रूप से डिसेबल होती हैं। इसे बदलने के लिए यूनीगेटयूआई सुरक्षा सेटिंग्स पर जाएं।", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "आप उन कमांडों को परिभाषित कर सकते हैं जो इस पैकेज के इंस्टॉल, अपडेट या अनइंस्टॉल होने से पहले या बाद में चलेंगी। उन्हें कमांड प्रॉम्प्ट में चलाया जाएगा, इसलिए CMD स्क्रिप्ट यहाँ काम करेंगी।", + "Change this and unlock": "इसे बदलें और अनलॉक करें", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} इंस्टॉल विकल्प फिलहाल लॉक हैं क्योंकि {0} डिफ़ॉल्ट इंस्टॉल विकल्पों का पालन करता है।", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "उन प्रोसेस को चुनें जिन्हें इस संकुल को इंस्टॉल, अपडेट या अनइंस्टॉल करने से पहले बंद कर देना चाहिए।", + "Write here the process names here, separated by commas (,)": "प्रोसेस के नाम यहां लिखें, उन्हें कॉमा (,) से अलग करें", + "Unset or unknown": "अनसेट या अज्ञात", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "कृपया समस्या के बारे में अधिक जानकारी के लिए कमांड-लाइन आउटपुट देखें या ऑपरेशन इतिहास देखें।", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "इस संकुल में कोई स्क्रीनशॉट नहीं है या आइकन गायब है? हमारे ओपन, पब्लिक डेटाबेस में गायब आइकन और स्क्रीनशॉट जोड़कर यूनीगेटयूआई में योगदान दें।", + "Become a contributor": "योगदानकर्ता बनें", + "Save": "बचाओ", + "Update to {0} available": "{0} में अपडेट उपलब्ध है", + "Reinstall": "पुनर्स्थापित", + "Installer not available": "इंस्टॉलर उपलब्ध नहीं है", + "Version:": "संस्करण:", + "Performing backup, please wait...": "बैकअप किया जा रहा है, कृपया प्रतीक्षा करें...", + "An error occurred while logging in: ": "लॉग इन करते समय एक एरर आया:", + "Fetching available backups...": "उपलब्ध बैकअप लाए जा रहे हैं...", + "Done!": "हो गया!", + "The cloud backup has been loaded successfully.": "क्लाउड बैकअप सफलतापूर्वक लोड हो गया है।", + "An error occurred while loading a backup: ": "बैकअप लोड करते समय एक एरर आया:", + "Backing up packages to GitHub Gist...": "गिटहब सार पर पैकेज का बैकअप ले रहा हूँ...", + "Backup Successful": "बैकअप सफल", + "The cloud backup completed successfully.": "क्लाउड बैकअप सफलतापूर्वक पूरा हो गया।", + "Could not back up packages to GitHub Gist: ": "गिटहब सार पर पैकेज का बैकअप नहीं लिया जा सका:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "इस बात की गारंटी नहीं है कि दिए गए क्रेडेंशियल सुरक्षित रूप से स्टोर किए जाएंगे, इसलिए बेहतर होगा कि आप अपने बैंक अकाउंट के क्रेडेंशियल का इस्तेमाल न करें।", + "Enable the automatic WinGet troubleshooter": "ऑटोमैटिक विनगेट ट्रबलशूटर चालू करें", + "Enable an [experimental] improved WinGet troubleshooter": "एक [एक्सपेरिमेंटल] बेहतर विनगेट ट्रबलशूटर इनेबल करें", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'कोई लागू अद्यतन नहीं मिला' त्रुटि के साथ विफल अद्यतनों को अनदेखे अद्यतन सूची में जोड़ें", + "Restart WingetUI to fully apply changes": "परिवर्तनों को पूरी तरह से लागू करने के लिए यूनीगेटयूआई को पुनःआरंभ करें", + "Restart WingetUI": "WingetUI को पुनरारंभ करें", + "Invalid selection": "अमान्य चयन", + "No package was selected": "कोई पैकेज नहीं चुना गया", + "More than 1 package was selected": "1 से अधिक पैकेज चुने गए", + "List": "सूची", + "Grid": "ग्रिड", + "Icons": "माउस", "\"{0}\" is a local package and does not have available details": "\"{0}\" एक स्थानीय पैकेज है और इसके विवरण उपलब्ध नहीं हैं", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" एक लोकल पैकेज है और इस सुविधा के साथ अनुकूल नहीं है", - "(Last checked: {0})": "(अंतिम बार जांचा गया: {0})", + "WinGet malfunction detected": "विनगेट खराबी का पता चला", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "ऐसा लगता है कि विनगेट ठीक से काम नहीं कर रहा है. क्या आप विनगेट को ठीक करने की कोशिश करना चाहते हैं?", + "Repair WinGet": "विनगेट की मरम्मत करें", + "Create .ps1 script": ".ps1 स्क्रिप्ट बनाएँ", + "Add packages to bundle": "पैकेजों को बंडल में जोड़ें", + "Preparing packages, please wait...": "संकुल तैयार हो रहे हैं, कृपया प्रतीक्षा करें...", + "Loading packages, please wait...": "पैकेज लोड हो रहे हैं, कृपया इंतज़ार करें...", + "Saving packages, please wait...": "संकुल सेव कर रहे हैं, कृपया इंतज़ार करें...", + "The bundle was created successfully on {0}": "बंडल सफलतापूर्वक {0} में बनाया गया", + "Install script": "स्क्रिप्ट स्थापित करें", + "The installation script saved to {0}": "इंस्टॉलेशन स्क्रिप्ट को {0} में सेव किया गया", + "An error occurred while attempting to create an installation script:": "इंस्टॉलेशन स्क्रिप्ट बनाने की कोशिश करते समय एक एरर आया:", + "{0} packages are being updated": "{0} पैकेज अपडेट किए जा रहे हैं", + "Error": "एरर", + "Log in failed: ": "लॉगिन विफल:", + "Log out failed: ": "लॉग आउट विफल:", + "Package backup settings": "संकुल बैकअप सेटिंग्स", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(पंक्ति में संख्या {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@satanarious, @atharva_xoxo, @Ashu-r", "0 packages found": "\n0 पैकेज मिले", "0 updates found": "0 अपडेट मिले", - "1 - Errors": "1 - त्रुटि", - "1 day": "1 दिन", - "1 hour": "1 घंटा", "1 month": "1 महीना", "1 package was found": "1 पैकेज मिला", - "1 update is available": "1 अपडेट उपलब्ध है", - "1 week": "1 सप्ताह", "1 year": "1 साल", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "\"{0}\" या \"{1}\" पेज पर जाएँ", - "2 - Warnings": "2 - चेतावनियाँ", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. उस पैकेज (या पैकेजों) को खोजें जिसे आप बंडल में जोड़ना चाहते हैं, और उनके सबसे बाएँ स्थित चेकबॉक्स को चुनें।", - "3 - Information (less)": "3 - जानकारी (कमतर)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. जब आप बंडल में जोड़ने के लिए पैकेज चुन लेते हैं, तो टूलबार पर \"{0}\" विकल्प को खोजें और उस पर क्लिक करें।", - "4 - Information (more)": "4 - जानकारी (अधिक)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. आपके पैकेज बंडल में जोड़ दिए गए हैं। आप पैकेज जोड़ना जारी रख सकते हैं, या बंडल को एक्सपोर्ट कर सकते हैं।", - "5 - information (debug)": "5 - जानकारी (डिबग)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "एक लोकप्रिय C/C++ लाइब्रेरी मैनेजर। C/C++ लाइब्रेरी और अन्य C/C++-संबंधित उपयोगिताओं से भरपूर।\nइसमें शामिल हैं:\nC/C++ लाइब्रेरी और संबंधित उपयोगिताएँ", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft के .NET पारिस्थितिकी तंत्र को ध्यान में रखकर डिज़ाइन किए गए टूल और एक्ज़ीक्यूटेबल्स से भरा एक संग्रह।\nइसमें शामिल हैं:\n.NET से संबंधित टूल और स्क्रिप्ट", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoft के .NET पारिस्थितिकी तंत्र को ध्यान में रखकर डिज़ाइन किए गए उपकरणों से भरा एक संग्रह।\nइसमें शामिल हैं:\n.NET से संबंधित उपकरण", "A restart is required": "पुनरारंभ करना आवश्यक है", - "Abort install if pre-install command fails": "यदि पूर्व-इंस्टॉल आदेश विफल हो जाए तो इंस्टॉलेशन निरस्त करें", - "Abort uninstall if pre-uninstall command fails": "यदि पूर्व-अनइंस्टॉल आदेश विफल हो जाए तो अनइंस्टॉल निरस्त करें", - "Abort update if pre-update command fails": "यदि पूर्व-अद्यतन आदेश विफल हो जाए तो अद्यतन निरस्त करें", - "About": "के बारे में", "About Qt6": "\nQt6 के बारे में", - "About WingetUI": "WingetUI के बारे में", "About WingetUI version {0}": "WingetUI संस्करण {0} के बारे में", "About the dev": "डेवलपर के बारे में", - "Accept": "स्वीकार", "Action when double-clicking packages, hide successful installations": "संकुल पर डबल-क्लिक करने पर क्रिया, सफल स्थापनाओं को छुपाएं", - "Add": "जोड़ो", "Add a source to {0}": "{0} में एक स्रोत जोड़ें", - "Add a timestamp to the backup file names": "बैकअप फ़ाइल नामों में टाइमस्टैम्प जोड़ें", "Add a timestamp to the backup files": "बैकअप फ़ाइलों में टाइमस्टैम्प जोड़ें", "Add packages or open an existing bundle": "पैकेज जोड़ें या मौजूदा बंडल खोलें", - "Add packages or open an existing package bundle": "पैकेज जोड़ें या मौजूदा पैकेज बंडल खोलें", - "Add packages to bundle": "पैकेजों को बंडल में जोड़ें", - "Add packages to start": "पैकेजों को प्रारंभ में जोड़ें", - "Add selection to bundle": "चयन को बंडल में जोड़ें", - "Add source": "स्रोत जोड़ें", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'कोई लागू अद्यतन नहीं मिला' त्रुटि के साथ विफल अद्यतनों को अनदेखे अद्यतन सूची में जोड़ें", - "Adding source {source}": "स्रोत {source} जोड़ा जा रहा है।", - "Adding source {source} to {manager}": "स्रोत {source}{manager}जोड़ना", "Addition succeeded": "जोड़ सफल रहा।", - "Administrator privileges": "\nप्रशासक के विशेषाधिकार", "Administrator privileges preferences": "व्यवस्थापक विशेषाधिकार प्राथमिकताएँ", "Administrator rights": "व्यवस्थापक अधिकार", - "Administrator rights and other dangerous settings": "व्यवस्थापक अधिकार और अन्य खतरनाक सेटिंग्स", - "Advanced options": "उन्नत विकल्प", "All files": "सभी फ़ाइलें", - "All versions": "सभी संस्करण", - "Allow changing the paths for package manager executables": "पैकेज प्रबंधक निष्पादनयोग्य के लिए पथ बदलने की अनुमति दें", - "Allow custom command-line arguments": "कस्टम कमांड-लाइन तर्कों की अनुमति दें", - "Allow importing custom command-line arguments when importing packages from a bundle": "बंडल से पैकेज आयात करते समय कस्टम कमांड-लाइन तर्कों को आयात करने की अनुमति दें", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "बंडल से पैकेज आयात करते समय कस्टम प्री-इंस्टॉल और पोस्ट-इंस्टॉल कमांड आयात करने की अनुमति दें", "Allow package operations to be performed in parallel": "पैकेज संचालन को समानांतर रूप से निष्पादित करने की अनुमति दें", "Allow parallel installs (NOT RECOMMENDED)": "समानांतर इंस्टॉल की अनुमति दें (अनुशंसित नहीं)", - "Allow pre-release versions": "प्री-रिलीज़ वर्शन की अनुमति दें", "Allow {pm} operations to be performed in parallel": "{pm} कार्यों को समानांतर रूप से करने की अनुमति दें", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "वैकल्पिक रूप से, Windows PowerShell प्रॉम्प्ट में निम्न कमांड चलाकर आप {0} स्थापित कर सकते हैं।", "Always elevate {pm} installations by default": "डिफ़ॉल्ट रूप से हमेशा {pm} इंस्टॉलेशन को उच्च वर्तनी दें", "Always run {pm} operations with administrator rights": "हमेशा एडमिनिस्ट्रेटर राइट्स के साथ {pm} ऑपरेशन चलाएं", - "An error occurred": "एक त्रुटि हुई", - "An error occurred when adding the source: ": "स्रोत जोड़ते समय एक त्रुटि हुई:", - "An error occurred when attempting to show the package with Id {0}": "आईडी {0} वाले पैकेज को दिखाने का प्रयास करते समय एक त्रुटि हुई", - "An error occurred when checking for updates: ": "अपडेट चेक करते समय एक एरर आया:", - "An error occurred while attempting to create an installation script:": "इंस्टॉलेशन स्क्रिप्ट बनाने की कोशिश करते समय एक एरर आया:", - "An error occurred while loading a backup: ": "बैकअप लोड करते समय एक एरर आया:", - "An error occurred while logging in: ": "लॉग इन करते समय एक एरर आया:", - "An error occurred while processing this package": "इस पैकेज को प्रोसेस करते समय एक एरर आया", - "An error occurred:": "एक त्रुटि हुई:", - "An interal error occurred. Please view the log for further details.": "एक आंतरिक त्रुटि हुई। कृपया अधिक जानकारी के लिए लॉग देखें", "An unexpected error occurred:": "एक अप्रत्याशित त्रुटि हुई:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "विंगेट को ठीक करने की कोशिश करते समय एक अनचाही समस्या आई। कृपया बाद में फिर से कोशिश करें।", - "An update was found!": "एक अपडेट मिला!", - "Android Subsystem": "एंड्रॉइड सबसिस्टम", "Another source": "दूसरा स्रोत", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "इंस्टॉल या अपडेट ऑपरेशन के दौरान बनाए गए कोई भी नए शॉर्टकट अपने आप डिलीट हो जाएंगे, और पहली बार पता चलने पर कन्फर्मेशन प्रॉम्प्ट नहीं दिखेगा।", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "यूनीगेटयूआई के बाहर बनाए गए या बदले गए किसी भी शॉर्टकट को इग्नोर कर दिया जाएगा। आप उन्हें {0} बटन से जोड़ पाएंगे।", - "Any unsaved changes will be lost": "कोई भी बिना सेव किए गए बदलाव खो जाएँगे", "App Name": "ऐप का नाम", - "Appearance": "उपस्थिति", - "Application theme, startup page, package icons, clear successful installs automatically": "एप्लिकेशन थीम, स्टार्टअप पेज, पैकेज आइकन, सफल इंस्टॉल को ऑटोमैटिकली क्लियर करें", - "Application theme:": "एप्लीकेशन थीम:", - "Apply": "आवेदन करना", - "Architecture to install:": "स्थापित करने के लिए वास्तुकला:", "Are these screenshots wron or blurry?": "क्या ये स्क्रीनशॉट गलत हैं या धुंधले हैं?", - "Are you really sure you want to enable this feature?": "क्या आप वाकई इस फ़ीचर को चालू करना चाहते हैं?", - "Are you sure you want to create a new package bundle? ": "क्या आप वाकई एक नया पैकेज बंडल बनाना चाहते हैं?", - "Are you sure you want to delete all shortcuts?": "क्या आप वाकई सभी शॉर्टकट डिलीट करना चाहते हैं?", - "Are you sure?": "क्या आप निश्चित हैं?", - "Ascendant": "प्रबल", - "Ask for administrator privileges once for each batch of operations": "हर ऑपरेशन के बैच के लिए एक बार एडमिनिस्ट्रेटर प्रिविलेज मांगें", "Ask for administrator rights when required": "आवश्यकता पड़ने पर व्यवस्थापक अधिकारों के लिए पूछें", "Ask once or always for administrator rights, elevate installations by default": "व्यवस्थापक अधिकारों के लिए एक बार या हमेशा पूछें, डिफ़ॉल्ट रूप से इंस्टॉलेशन को उच्च वर्तनी दें", - "Ask only once for administrator privileges": "एडमिनिस्ट्रेटर प्रिविलेज के लिए सिर्फ़ एक बार पूछें", "Ask only once for administrator privileges (not recommended)": "व्यवस्थापक विशेषाधिकारों के लिए केवल एक बार पूछें (अनुशंसित नहीं)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "इंस्टॉल या अपग्रेड के दौरान बनाए गए डेस्कटॉप शॉर्टकट को डिलीट करने के लिए कहें।", - "Attention required": "ध्यान देने की आवश्यकता", "Authenticate to the proxy with an user and a password": "उपयोगकर्ता और पासवर्ड के साथ प्रॉक्सी को प्रमाणित करें", - "Author": "\nलेखक", - "Automatic desktop shortcut remover": "स्वचालित डेस्कटॉप शॉर्टकट रिमूवर ", - "Automatic updates": "स्वचालित अद्यतन", - "Automatically save a list of all your installed packages to easily restore them.": "अपने सभी इंस्टॉल किए गए पैकेज की लिस्ट ऑटोमैटिकली सेव करें ताकि उन्हें आसानी से रिस्टोर किया जा सके।", "Automatically save a list of your installed packages on your computer.": "अपने कंप्यूटर पर इंस्टॉल किए गए पैकेज की लिस्ट ऑटोमैटिकली सेव करें।", - "Automatically update this package": "इस पैकेज को स्वचालित रूप से अपडेट करें", "Autostart WingetUI in the notifications area": "सूचना क्षेत्र में WingetUI ऑटोस्टार्ट करें", - "Available Updates": "उपलब्ध अद्यतन", "Available updates: {0}": "उपलब्ध अपडेट: {0}", "Available updates: {0}, not finished yet...": "\nउपलब्ध अपडेट: {0}, अभी तक समाप्त नहीं हुआ...", - "Backing up packages to GitHub Gist...": "गिटहब सार पर पैकेज का बैकअप ले रहा हूँ...", - "Backup": "बैकअप", - "Backup Failed": "बैकअप विफल", - "Backup Successful": "बैकअप सफल", - "Backup and Restore": "बैकअप और पुनर्स्थापना", "Backup installed packages": "इंस्टॉल किए गए पैकेज का बैकअप लें", "Backup location": "बैकअप स्थान", - "Become a contributor": "योगदानकर्ता बनें", - "Become a translator": "अनुवादक बनें", - "Begin the process to select a cloud backup and review which packages to restore": "क्लाउड बैकअप चुनने का प्रोसेस शुरू करें और देखें कि कौन से पैकेज रिस्टोर करने हैं", - "Beta features and other options that shouldn't be touched": "बीटा सुविधाएँ और अन्य विकल्प जिन्हें छुआ नहीं जाना चाहिए", - "Both": "दोनों", - "Bundle security report": "बंडल सुरक्षा प्रतिवेदन", "But here are other things you can do to learn about WingetUI even more:": "लेकिन WingetUI के बारे में और जानने के लिए आप यहां कुछ और चीजें कर सकते हैं:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "पैकेज मैनेजर को बंद करने पर, आप उसके पैकेज देख या अपडेट नहीं कर पाएंगे।", "Cache administrator rights and elevate installers by default": "व्यवस्थापक अधिकारों को कैश करें और इंस्टॉलर को डिफ़ॉल्ट रूप से उच्च वर्तनी दें।", "Cache administrator rights, but elevate installers only when required": "व्यवस्थापक अधिकारों को कैश करें, लेकिन इंस्टॉलर को केवल जब आवश्यक हो तभी उच्च वर्तनी दें।", "Cache was reset successfully!": "कैश को सफलतापूर्वक रीसेट कर दिया गया!", "Can't {0} {1}": "{1} {0} नहीं कर सके", - "Cancel": "रद्द करें", "Cancel all operations": "सभी ऑपरेशन रद्द करें", - "Change backup output directory": "बैकअप आउटपुट डायरेक्टरी बदलें", - "Change default options": "डिफ़ॉल्ट विकल्प बदलें", - "Change how UniGetUI checks and installs available updates for your packages": "यूनीगेटयूआई आपके पैकेज के लिए उपलब्ध अपडेट को कैसे चेक और इंस्टॉल करता है, इसे बदलें", - "Change how UniGetUI handles install, update and uninstall operations.": "यूनीगेटयूआई इंस्टॉल, अपडेट और अनइंस्टॉल ऑपरेशन को कैसे हैंडल करता है, इसे बदलें।", "Change how UniGetUI installs packages, and checks and installs available updates": "यूनीगेटयूआई पैकेज इंस्टॉल करने का तरीका बदलें, और उपलब्ध अपडेट चेक और इंस्टॉल करें", - "Change how operations request administrator rights": "ऑपरेशन एडमिनिस्ट्रेटर अधिकारों का अनुरोध कैसे करते हैं, इसे बदलें", "Change install location": "इंस्टॉल स्थान बदलें", - "Change this": "इसे बदलें", - "Change this and unlock": "इसे बदलें और अनलॉक करें", - "Check for package updates periodically": "समय-समय पर पैकेज अपडेट की जांच करें", - "Check for updates": "अद्यतन के लिए जाँच", - "Check for updates every:": "अपडेट की जांच करें हर:", "Check for updates periodically": "अपडेटों के लिए समय-समय पर जाँच करें", "Check for updates regularly, and ask me what to do when updates are found.": "अपडेटों के लिए नियमित रूप से जाँच करें, और मुझसे पूछें कि अपडेट पाए जाने पर मुझे क्या करना चाहिए।", "Check for updates regularly, and automatically install available ones.": "रेगुलर अपडेट चेक करें, और उपलब्ध अपडेट को ऑटोमैटिकली इंस्टॉल करें।", @@ -159,805 +741,283 @@ "Checking for updates...": "अपडेट्स के लिए जांच की जा रही है...", "Checking found instace(s)...": "पाए गए इंस्टेंस की जांच की जा रही है...", "Choose how many operations shouls be performed in parallel": "चुनें कि कितने ऑपरेशन एक साथ किए जाने चाहिए", - "Clear cache": "कैश को साफ़ करें", "Clear finished operations": "समाप्त हो चुके कार्यों को साफ़ करें", - "Clear selection": "चयन साफ़ करें", "Clear successful operations": "सफल ऑपरेशन साफ़ करें", - "Clear successful operations from the operation list after a 5 second delay": "5 सेकंड की देरी के बाद ऑपरेशन लिस्ट से सफल ऑपरेशन को हटा दें", "Clear the local icon cache": "लोकल आइकन कैश साफ़ करें", - "Clearing Scoop cache - WingetUI": "स्कूप कैश साफ़ करना - यूनीगेटयूआई", "Clearing Scoop cache...": "\nस्कूप कैश साफ़ किया जा रहा है...", - "Click here for more details": "अधिक जानकारी के लिए यहां क्लिक करें", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "इंस्टॉलेशन प्रोसेस शुरू करने के लिए इंस्टॉल पर क्लिक करें। अगर आप इंस्टॉलेशन स्किप करते हैं, तो यूनीगेटयूआई उम्मीद के मुताबिक काम नहीं कर सकता है।", - "Close": "बंद करें", - "Close UniGetUI to the system tray": "यूनीगेटयूआई को सिस्टम ट्रे में बंद करें", "Close WingetUI to the notification area": "\nअधिसूचना क्षेत्र में WingetUI बंद करें", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "क्लाउड बैकअप इंस्टॉल किए गए पैकेज की लिस्ट स्टोर करने के लिए एक प्राइवेट गिटहब सार का इस्तेमाल करता है", - "Cloud package backup": "क्लाउड पैकेज बैकअप", "Command-line Output": "कमांड-लाइन आउटपुट", - "Command-line to run:": "चलाने के लिए कमांड-लाइन:", "Compare query against": "क्वेरी की तुलना करें", - "Compatible with authentication": "प्रमाणीकरण के साथ संगत", - "Compatible with proxy": "प्रॉक्सी के साथ संगत", "Component Information": "कॉम्पोनेन्ट की जानकारी", - "Concurrency and execution": "समवर्तीता और निष्पादन", - "Connect the internet using a custom proxy": "कस्टम प्रॉक्सी का इस्तेमाल करके इंटरनेट कनेक्ट करें", - "Continue": "जारी रखना", "Contribute to the icon and screenshot repository": "आइकन और स्क्रीनशॉट रिपॉजिटरी में योगदान करें", - "Contributors": "\nयोगदानकर्ता", "Copy": "प्रतिलिपि", - "Copy to clipboard": "क्लिपबोर्ड पर प्रतिलिपि करें", - "Could not add source": "स्रोत नहीं जोड़ा जा सका", - "Could not add source {source} to {manager}": "स्रोत नहीं जोड़ा जा सका{source} को {manager} के साथ", - "Could not back up packages to GitHub Gist: ": "गिटहब सार पर पैकेज का बैकअप नहीं लिया जा सका:", - "Could not create bundle": "बंडल नहीं बनाया जा सका", "Could not load announcements - ": "अनाउंसमेंट लोड नहीं हो सके -", "Could not load announcements - HTTP status code is $CODE": "अनाउंसमेंट लोड नहीं हो सके - एचटीटीपी स्टेटस कोड $CODE है", - "Could not remove source": "स्रोत हटाया नहीं जा सका", - "Could not remove source {source} from {manager}": "स्रोत {source} हटाया नहीं जा सका {manager} से", "Could not remove {source} from {manager}": "{source} को हटाया नहीं जा सका {manager} से", - "Create .ps1 script": ".ps1 स्क्रिप्ट बनाएँ", - "Credentials": "साख", "Current Version": "वर्तमान संस्करण", - "Current executable file:": "अभी की एग्जीक्यूटेबल फ़ाइल:", - "Current status: Not logged in": "अभी की स्थिति: लॉग इन नहीं है", "Current user": "तात्कालिक प्रयोगकर्ता", "Custom arguments:": "कस्टम तर्क:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "कस्टम कमांड-लाइन आर्गुमेंट प्रोग्राम को इंस्टॉल, अपग्रेड या अनइंस्टॉल करने का तरीका बदल सकते हैं, जिसे यूनीगेटयूआई कंट्रोल नहीं कर सकता। कस्टम कमांड-लाइन इस्तेमाल करने से पैकेज खराब हो सकते हैं। सावधानी से आगे बढ़ें।", "Custom command-line arguments:": "कस्टम आदेश-पंक्ति तर्क:", - "Custom install arguments:": "कस्टम इंस्टॉल तर्क:", - "Custom uninstall arguments:": "कस्टम अनइंस्टॉल तर्क:", - "Custom update arguments:": "कस्टम अपडेट तर्क:", "Customize WingetUI - for hackers and advanced users only": "WingetUI को अनुकूलित करें - केवल हैकर्स और उन्नत उपयोगकर्ताओं के लिए", - "DEBUG BUILD": "डीबग बिल्ड", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "अस्वीकरण: हम डाउनलोड किए गए पैकेजों के लिए ज़िम्मेदार नहीं हैं। कृपया केवल विश्वसनीय सॉफ़्टवेयर इंस्टॉल करना सुनिश्चित करें।", - "Dark": "डार्क", - "Decline": "अस्वीकार", - "Default": " पूर्व निर्धारित मूल्य", - "Default installation options for {0} packages": "डिफ़ॉल्ट इंस्टॉलेशन {0} संकुल के लिए विकल्प", "Default preferences - suitable for regular users": "डिफ़ॉल्ट प्राथमिकताएं - नियमित उपयोगकर्ताओं के लिए उपयुक्त", - "Default vcpkg triplet": "डिफ़ॉल्ट वीसीपीकेजी ट्रिपलेट", - "Delete?": "मिटाना?", - "Dependencies:": "निर्भरताएँ:", - "Descendant": "वंशज", "Description:": "\nविवरण:", - "Desktop shortcut created": "डेस्कटॉप शॉर्टकट बनाया गया", - "Details of the report:": "रिपोर्ट का विवरण:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "विकसित करना कठिन है, और यह एप्लिकेशन निःशुल्क है। लेकिन अगर आपको एप्लिकेशन पसंद आया, तो आप हमेशा मुझे एक कॉफी खरीद सकते हैं :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" टैब पर किसी आइटम पर डबल-क्लिक करने पर सीधे इंस्टॉल करें (पैकेज की जानकारी दिखाने के बजाय) ", "Disable new share API (port 7058)": "\nनया शेयर एपीआई अक्षम करें (पोर्ट 7058)", - "Disable the 1-minute timeout for package-related operations": "पैकेज से जुड़े ऑपरेशन के लिए 1-मिनट का टाइमआउट बंद करें", - "Disabled": "अक्षम", - "Disclaimer": "अस्वीकरण", - "Discover Packages": "पैकेज खोजें", "Discover packages": "पैकेज खोजें", "Distinguish between\nuppercase and lowercase": "अपरकेस और लोअरकेस में अंतर करें", - "Distinguish between uppercase and lowercase": "अपरकेस और लोअरकेस में अंतर करें", "Do NOT check for updates": "अपडेट की जाँच न करें", "Do an interactive install for the selected packages": "चयनित पैकेजों के लिए एक इंटरैक्टिव स्थापना करें", "Do an interactive uninstall for the selected packages": "चयनित पैकेजों के लिए एक इंटरैक्टिव अनइंस्टॉल करें", "Do an interactive update for the selected packages": "चयनित पैकेजों के लिए एक इंटरैक्टिव अपडेट करें", - "Do not automatically install updates when the battery saver is on": "बैटरी सेवर चालू होने पर अपडेट अपने आप इंस्टॉल न करें", - "Do not automatically install updates when the device runs on battery": "जब डिवाइस बैटरी पर चल रहा हो, तो अपडेट अपने आप इंस्टॉल न करें", - "Do not automatically install updates when the network connection is metered": "नेटवर्क कनेक्शन मीटर्ड होने पर अपडेट ऑटोमैटिकली इंस्टॉल न करें", "Do not download new app translations from GitHub automatically": "Github से नए ऐप अनुवाद को स्वचालित रूप से डाउनलोड न करें", - "Do not ignore updates for this package anymore": "इस पैकेज के अपडेट को अब और नज़रअंदाज़ न करें", "Do not remove successful operations from the list automatically": "सफल ऑपरेशन को लिस्ट से ऑटोमैटिकली न हटाएं", - "Do not show this dialog again for {0}": "इस डायलॉग को दोबारा न दिखाएं {0}", "Do not update package indexes on launch": "लॉन्च होने पर पैकेज इंडेक्स अपडेट न करें", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "क्या आप मानते हैं कि यूनीगेटयूआई सिर्फ़ यूज़र एक्सपीरियंस को समझने और बेहतर बनाने के मकसद से, बिना नाम बताए इस्तेमाल के आंकड़े इकट्ठा करता है और भेजता है?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "क्या आपको यूनीगेटयूआई काम का लगता है? अगर हो सके, तो आप मेरे काम में मदद कर सकते हैं, ताकि मैं यूनीगेटयूआई को सबसे अच्छा पैकेज मैनेजिंग इंटरफ़ेस बना सकूँ।", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "क्या आपको WingetUI उपयोगी लगता है? आप डेवलपर का समर्थन करना चाहेंगे? अगर ऐसा है, तो आप {0} कर सकते हैं, इससे बहुत मदद मिलती है!", - "Do you really want to reset this list? This action cannot be reverted.": "क्या आप सच में इस लिस्ट को रीसेट करना चाहते हैं? यह एक्शन वापस नहीं किया जा सकता।", - "Do you really want to uninstall the following {0} packages?": "क्या आप सच में नीचे दिए गए {0} संकुल को अनइंस्टॉल करना चाहते हैं?", "Do you really want to uninstall {0} packages?": "क्या आप वास्तव में {0} पैकेजों की स्थापना रद्द करना चाहते हैं?", - "Do you really want to uninstall {0}?": "क्या आप वाकई {0} की स्थापना रद्द करना चाहते हैं?", "Do you want to restart your computer now?": "क्या आप अपने कंप्यूटर को अभी पुनरारंभ करना चाहते हैं?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "क्या आप अपनी भाषा में WingetUI का अनुवाद करना चाहते हैं? देखें कि कैसे योगदान दिया जाए यहां!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "डोनेट करने का मन नहीं है? चिंता न करें, आप हमेशा यूनीगेटयूआई को अपने दोस्तों के साथ शेयर कर सकते हैं। यूनीगेटयूआई के बारे में सबको बताएं।", "Donate": "दान दें", - "Done!": "हो गया!", - "Download failed": "डाउनलोड विफल", - "Download installer": "इंस्टॉलर डाउनलोड करें", - "Download operations are not affected by this setting": "इस सेटिंग से डाउनलोड ऑपरेशन पर कोई असर नहीं पड़ता है", - "Download selected installers": "चयनित इंस्टॉलर डाउनलोड करें", - "Download succeeded": "डाउनलोड सफल रहा", "Download updated language files from GitHub automatically": "गिटहब से अपडेट की गई भाषा फ़ाइलें अपने आप डाउनलोड करें", - "Downloading": "डाउनलोड", - "Downloading backup...": "बैकअप डाउनलोड हो रहा है...", - "Downloading installer for {package}": "{package} के लिए इंस्टॉलर डाउनलोड हो रहा है", - "Downloading package metadata...": "पैकेज मेटाडेटा डाउनलोड हो रहा है...", - "Enable Scoop cleanup on launch": "लॉन्च होने पर स्कूप क्लीनअप सक्षम करें", - "Enable WingetUI notifications": "WingetUI सूचनाएं सक्षम करें", - "Enable an [experimental] improved WinGet troubleshooter": "एक [एक्सपेरिमेंटल] बेहतर विनगेट ट्रबलशूटर इनेबल करें", - "Enable and disable package managers, change default install options, etc.": "पैकेज मैनेजर को चालू और बंद करें, डिफ़ॉल्ट इंस्टॉल ऑप्शन बदलें, वगैरह।", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "बैकग्राउंड सीपीयू यूसेज ऑप्टिमाइज़ेशन चालू करें (पुल रिक्वेस्ट #3278 देखें)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "बैकग्राउंड एपीआई चालू करें (यूनीगेटयूआई और शेयरिंग के लिए विजेट, पोर्ट 7058)", - "Enable it to install packages from {pm}.": "इसे पैकेज इंस्टॉल करने के लिए इनेबल करें {pm}", - "Enable the automatic WinGet troubleshooter": "ऑटोमैटिक विनगेट ट्रबलशूटर चालू करें", - "Enable the new UniGetUI-Branded UAC Elevator": "नया यूनीगेटयूआई-ब्रांडेड यूएसी एलिवेटर चालू करें", - "Enable the new process input handler (StdIn automated closer)": "नया प्रोसेस इनपुट हैंडलर चालू करें (StdIn ऑटोमेटेड क्लोजर)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "नीचे दी गई सेटिंग्स को तभी चालू करें जब आप पूरी तरह से समझते हों कि वे क्या करती हैं, और उनसे क्या असर और खतरे हो सकते हैं।", - "Enable {pm}": "{pm} सक्षम करें", - "Enabled": "सक्षम", - "Enter proxy URL here": "प्रॉक्सी URL यहां डालें", - "Entries that show in RED will be IMPORTED.": "जो एंट्री लाल रंग में दिखेंगी, उन्हें आयातित कर दिया जाएगा।", - "Entries that show in YELLOW will be IGNORED.": "जो एंट्री पीला रंग में दिखेंगी उन्हें अनदेखा कर दिया जाएगा।", - "Error": "एरर", - "Everything is up to date": "सब कुछ अप टू डेट है", - "Exact match": "सटीक मिलन", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "आपके डेस्कटॉप पर मौजूद शॉर्टकट स्कैन किए जाएंगे, और आपको चुनना होगा कि कौन से रखने हैं और कौन से हटाने हैं।", - "Expand version": "संस्करण का विस्तार करें", - "Experimental settings and developer options": "प्रायोगिक सेटिंग्स और डेवलपर विकल्प", - "Export": "एक्सपोर्ट", + "Downloading": "डाउनलोड", + "Downloading installer for {package}": "{package} के लिए इंस्टॉलर डाउनलोड हो रहा है", + "Downloading package metadata...": "पैकेज मेटाडेटा डाउनलोड हो रहा है...", + "Enable the new UniGetUI-Branded UAC Elevator": "नया यूनीगेटयूआई-ब्रांडेड यूएसी एलिवेटर चालू करें", + "Enable the new process input handler (StdIn automated closer)": "नया प्रोसेस इनपुट हैंडलर चालू करें (StdIn ऑटोमेटेड क्लोजर)", "Export log as a file": "\nफ़ाइल के रूप में लॉग निर्यात करें", "Export packages": "पैकेज एक्सपोर्ट करें", "Export selected packages to a file": "फ़ाइल में चुने पैकेज निर्यात करें", - "Export settings to a local file": "सेटिंग्स को लोकल फ़ाइल में एक्सपोर्ट करें", - "Export to a file": "फ़ाइल में निर्यात करें", - "Failed": "असफल", - "Fetching available backups...": "उपलब्ध बैकअप लाए जा रहे हैं...", "Fetching latest announcements, please wait...": "लेटेस्ट अनाउंसमेंट आ रहे हैं, कृपया इंतज़ार करें...", - "Filters": "फिल्टर", "Finish": "खत्म करें", - "Follow system color scheme": "सिस्टम कलर स्कीम का पालन करें", - "Follow the default options when installing, upgrading or uninstalling this package": "इस पैकेज को इंस्टॉल, अपग्रेड या अनइंस्टॉल करते समय डिफ़ॉल्ट ऑप्शन को फ़ॉलो करें", - "For security reasons, changing the executable file is disabled by default": "सुरक्षा कारणों से, एग्जीक्यूटेबल फ़ाइल बदलना डिफ़ॉल्ट रूप से डिसेबल होता है", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षा कारणों से, कस्टम कमांड-लाइन आर्गुमेंट डिफ़ॉल्ट रूप से डिसेबल होते हैं। इसे बदलने के लिए यूनीगेटयूआई सुरक्षा सेटिंग्स पर जाएं।", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षा कारणों से, प्री-ऑपरेशन और पोस्ट-ऑपरेशन स्क्रिप्ट डिफ़ॉल्ट रूप से डिसेबल होती हैं। इसे बदलने के लिए यूनीगेटयूआई सुरक्षा सेटिंग्स पर जाएं।", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "फोर्स ARM कम्पाइल्ड विंगेट वर्शन (सिर्फ़ ARM64 सिस्टम के लिए)", - "Force install location parameter when updating packages with custom locations": "कस्टम स्थान वाले पैकेज अपडेट करते समय इंस्टॉल लोकेशन पैरामीटर को अनिवार्य करें", "Formerly known as WingetUI": "पहले विंगेटयूआई के नाम से जाना जाता था", "Found": "\nमिले", "Found packages: ": "पैकेज मिले:", "Found packages: {0}": "पैकेज मिले: {0}", "Found packages: {0}, not finished yet...": "\nपैकेज मिले: {0}, अभी पूरा नहीं हुआ...", - "General preferences": "सामान्य प्राथमिकताएं", "GitHub profile": "Github प्रोफाइल", "Global": "वैश्विक", - "Go to UniGetUI security settings": "यूनीगेटयूआई सिक्योरिटी सेटिंग्स पर जाएं", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "अनजान लेकिन काम की यूटिलिटीज़ और दूसरे दिलचस्प पैकेज का शानदार रिपॉजिटरी।
रोकना: यूटिलिटीज़, कमांड-लाइन प्रोग्राम, जनरल सॉफ्टवेयर (एक्स्ट्रा बकेट ज़रूरी है) ", - "Great! You are on the latest version.": "बहुत बढ़िया! आप लेटेस्ट वर्शन पर हैं।", - "Grid": "ग्रिड", - "Help": "सहायता", "Help and documentation": "सहायता और दस्तावेज़ीकरण", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "यहां आप नीचे दिए गए शॉर्टकट के बारे में यूनीगेटयूआई का बिहेवियर बदल सकते हैं। किसी शॉर्टकट को चेक करने पर, अगर भविष्य में अपग्रेड पर वह बनता है, तो यूनीगेटयूआई उसे डिलीट कर देगा। इसे अनचेक करने से शॉर्टकट बना रहेगा।", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "नमस्ते, मेरा नाम मार्टी है, और मैं WingetUI का डेवलपर हूं। विनगेट यू आई पूरी तरह से मेरे खाली समय पर बनाया गया है!", "Hide details": "विवरण छुपायें", - "Homepage": "\nहोमपेज", - "Hooray! No updates were found.": "\nवाह! कोई अपडेट नहीं मिला!", "How should installations that require administrator privileges be treated?": "स्थापनाओं को कैसे व्यवहार करना चाहिए जिनके लिए व्यवस्थापकीय विशेषाधिकारों की आवश्यकता होती है?", - "How to add packages to a bundle": "बंडल में पैकेज कैसे जोड़ें", - "I understand": "मैं समझता हूँ", - "Icons": "माउस", - "Id": "पहचान", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "अगर आपने क्लाउड बैकअप चालू किया है, तो यह इस अकाउंट पर गिटहब सार के तौर पर सेव हो जाएगा।", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "बंडल से पैकेज इंपोर्ट करते समय कस्टम प्री-इंस्टॉल और पोस्ट-इंस्टॉल कमांड चलाने की अनुमति दें", - "Ignore future updates for this package": "इस पैकेज के लिए भविष्य के अपडेट पर ध्यान न दें", - "Ignore packages from {pm} when showing a notification about updates": "अपडेट के बारे में सूचना दिखाते समय {pm} से पैकेज को अनदेखा करें", - "Ignore selected packages": "चयनित पैकेजों पर ध्यान न दें", - "Ignore special characters": "विशेष वर्णों को अनदेखा करें", "Ignore updates for the selected packages": "चयनित पैकेजों के लिए अपडेट पर ध्यान न दें", - "Ignore updates for this package": "इस पैकेज के अपडेट को नज़रअंदाज़ करें", "Ignored updates": "अपडेट पर ध्यान नहीं दिया", - "Ignored version": "उपेक्षित संस्करण", - "Import": "आयात", "Import packages": "संकुल इम्पोर्ट करें", "Import packages from a file": "\nफ़ाइल से पैकेज आयात करें", - "Import settings from a local file": "लोकल फ़ाइल से सेटिंग्स इंपोर्ट करें", - "In order to add packages to a bundle, you will need to: ": "बंडल में पैकेज जोड़ने के लिए, आपको ये करना होगा:", "Initializing WingetUI...": "WingetUI प्रारंभ कर रहा है...", - "Install": "स्थापित करें", - "Install Scoop": "स्कूप स्थापित करें", "Install and more": "इंस्टॉल करें और अधिक", "Install and update preferences": "प्राथमिकताएं इंस्टॉल और अपडेट करें", - "Install as administrator": "प्रशासक के रूप में स्थापना करें", - "Install available updates automatically": "उपलब्ध अपडेट अपने आप इंस्टॉल करें", - "Install location can't be changed for {0} packages": "इंस्टॉल की जगह नहीं बदली जा सकती {0} पैकेजों के लिए", - "Install location:": "इंस्टॉल करने की जगह:", - "Install options": "इंस्टॉल विकल्प", "Install packages from a file": "फ़ाइल से संकुल संस्थापित करें", - "Install prerelease versions of UniGetUI": "यूनीगेटयूआई के प्री-रिलीज़ वर्शन इंस्टॉल करें", - "Install script": "स्क्रिप्ट स्थापित करें", "Install selected packages": "चयनित संकुल स्थापित करें", "Install selected packages with administrator privileges": "व्यवस्थापक विशेषाधिकारों के साथ चयनित पैकेजों को स्थापित करें\n", - "Install selection": "चयन स्थापित करें", "Install the latest prerelease version": "लेटेस्ट प्री-रिलीज़ वर्शन इंस्टॉल करें", "Install updates automatically": "अपडेट को स्वचालित रूप से स्थापित करें", - "Install {0}": "{0} स्थापित करना", "Installation canceled by the user!": "उपयोगकर्ता द्वारा स्थापना रद्द कर दी गई!", - "Installation failed": "स्थापना विफल", - "Installation options": "स्थापना विकल्प", - "Installation scope:": "स्थापना गुंजाइश:", - "Installation succeeded": "स्थापना सफल रही", - "Installed Packages": "स्थापित पैकेज", - "Installed Version": "स्थापित संस्करण", "Installed packages": "इंस्टॉल किए गए पैकेज", - "Installer SHA256": "इंस्टॉलर SHA256", - "Installer SHA512": "इंस्टॉलर SHA512", - "Installer Type": "इंस्टॉलर प्रकार", - "Installer URL": "इंस्टॉलर यू आर एल", - "Installer not available": "इंस्टॉलर उपलब्ध नहीं है", "Instance {0} responded, quitting...": "उदाहरण {0} ने जवाब दिया, छोड़ रहा हूँ...", - "Instant search": "त्वरित खोज", - "Integrity checks can be disabled from the Experimental Settings": "एक्सपेरिमेंटल सेटिंग्स से इंटीग्रिटी चेक को डिसेबल किया जा सकता है", - "Integrity checks skipped": "अखंडता जांच छोड़ दी गई", - "Integrity checks will not be performed during this operation": "इस ऑपरेशन के दौरान इंटीग्रिटी चेक नहीं किए जाएंगे", - "Interactive installation": "इंटरएक्टिव स्थापना", - "Interactive operation": "इंटरैक्टिव संचालन", - "Interactive uninstall": "इंटरएक्टिव स्थापना रद्द", - "Interactive update": "इंटरएक्टिव अपडेट", - "Internet connection settings": "इंटरनेट कनेक्शन सेटिंग्स", - "Invalid selection": "अमान्य चयन", "Is this package missing the icon?": "\nक्या इस पैकेज में आइकन नहीं है?", - "Is your language missing or incomplete?": "क्या आपकी भाषा गायब है या अधूरी है?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "इस बात की गारंटी नहीं है कि दिए गए क्रेडेंशियल सुरक्षित रूप से स्टोर किए जाएंगे, इसलिए बेहतर होगा कि आप अपने बैंक अकाउंट के क्रेडेंशियल का इस्तेमाल न करें।", - "It is recommended to restart UniGetUI after WinGet has been repaired": "विनगेट के रिपेयर होने के बाद यूनीगेटयूआई को रीस्टार्ट करने की सलाह दी जाती है।", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "इस स्थिति को ठीक करने के लिए यूनीगेटयूआई को फिर से इंस्टॉल करने की सलाह दी जाती है।", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "ऐसा लगता है कि विनगेट ठीक से काम नहीं कर रहा है. क्या आप विनगेट को ठीक करने की कोशिश करना चाहते हैं?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "ऐसा लगता है कि आपने WingetUI को व्यवस्थापक के रूप में चलाया, जिसकी अनुशंसा नहीं की जाती है। आप अभी भी प्रोग्राम का उपयोग कर सकते हैं, लेकिन हम अत्यधिक अनुशंसा करते हैं कि व्यवस्थापकीय विशेषाधिकारों के साथ WingetUI न चलाएँ। क्यों देखने के लिए \"{showDetails}\" पर क्लिक करें।", - "Language": "भाषा", - "Language, theme and other miscellaneous preferences": "भाषा, थीम और अन्य विविध प्राथमिकताएं", - "Last updated:": "आखरी अपडेट:", - "Latest": "नवीनतम", "Latest Version": "\nनवीनतम संस्करण", "Latest Version:": "\nनवीनतम संस्करण:", "Latest details...": "\nनवीनतम विवरण...", "Launching subprocess...": "सबप्रोसेस लॉन्च हो रहा है...", - "Leave empty for default": "डिफ़ॉल्ट के लिए खाली छोड़ दें", - "License": "लाइसेंस", "Licenses": "लाइसेंस", - "Light": "लाइट", - "List": "सूची", "Live command-line output": "लाइव कमांड-लाइन आउटपुट", - "Live output": "लाइव आउटपुट", "Loading UI components...": "\nयू आई कॉम्पोनेन्ट लोड हो रहे हैं...", "Loading WingetUI...": "WingetUI लोड हो रहा है...", - "Loading packages": "पैकेज लोड करना", - "Loading packages, please wait...": "पैकेज लोड हो रहे हैं, कृपया इंतज़ार करें...", - "Loading...": "\nलोड हो रहा है...", - "Local": "स्थानीय", - "Local PC": "स्थानीय पी.सी", - "Local backup advanced options": "स्थानीय बैकअप उन्नत विकल्प", "Local machine": "स्थानीय मशीन", - "Local package backup": "स्थानीय पैकेज बैकअप", "Locating {pm}...": "{pm} का पता लगाया जा रहा है...", - "Log in": "लॉग इन करें", - "Log in failed: ": "लॉगिन विफल:", - "Log in to enable cloud backup": "क्लाउड बैकअप चालू करने के लिए लॉग इन करें", - "Log in with GitHub": "गिटहब से लॉग इन करें", - "Log in with GitHub to enable cloud package backup.": "क्लाउड पैकेज बैकअप चालू करने के लिए गिटहब से लॉग इन करें।", - "Log level:": "लॉग स्तर:", - "Log out": "लॉग आउट", - "Log out failed: ": "लॉग आउट विफल:", - "Log out from GitHub": "गिटहब से लॉग आउट करें", "Looking for packages...": "पैकेज ढूंढ रहे हैं...", "Machine | Global": "मशीन | ग्लोबल", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "खराब कमांड-लाइन आर्गुमेंट पैकेज को तोड़ सकते हैं, या किसी गलत इरादे वाले एक्टर को खास एग्जीक्यूशन पाने की इजाज़त भी दे सकते हैं। इसलिए, कस्टम कमांड-लाइन आर्गुमेंट इंपोर्ट करना डिफ़ॉल्ट रूप से डिसेबल होता है।", - "Manage": "प्रबंधित करना", - "Manage UniGetUI settings": "यूनीगेटयूआई सेटिंग्स प्रबंधित करें", "Manage WingetUI autostart behaviour from the Settings app": "सेटिंग्स ऐप से यूनीगेटयूआई ऑटोस्टार्ट बिहेवियर मैनेज करें", "Manage ignored packages": "उपेक्षित पैकेज प्रबंधित करें", - "Manage ignored updates": "उपेक्षित अपडेट प्रबंधित करें", - "Manage shortcuts": "शॉर्टकट प्रबंधित करें", - "Manage telemetry settings": "टेलीमेट्री सेटिंग्स प्रबंधित करें", - "Manage {0} sources": "{0} स्रोतों का प्रबंधन करें", - "Manifest": "मैनिफेस्ट", "Manifests": "प्रकट होता है", - "Manual scan": "हस्तचालित स्कैन\n", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "माइक्रोसॉफ्ट का ऑफिशियल पैकेज मैनेजर। जाने-माने और वेरिफाइड पैकेज से भरा हुआ।
में निहित: सामान्य सॉफ़्टवेयर, माइक्रोसॉफ्ट स्टोर ऐप्स", - "Missing dependency": "गुम निर्भरता", - "More": "अधिक", - "More details": "अधिक जानकारी", - "More details about the shared data and how it will be processed": "शेयर किए गए डेटा और उसे कैसे प्रोसेस किया जाएगा, इसके बारे में ज़्यादा जानकारी", - "More info": "और जानकारी", - "More than 1 package was selected": "1 से अधिक पैकेज चुने गए", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "नोट: इस ट्रबलशूटर को विनगेट सेक्शन में यूनीगेटयूआई सेटिंग्स से डिसेबल किया जा सकता है।", - "Name": "नाम", - "New": "नया", "New Version": "नया संस्करण", "New bundle": "नया बंडल", - "New version": "नया संस्करण", - "Nice! Backups will be uploaded to a private gist on your account": "बढ़िया! बैकअप आपके अकाउंट पर एक प्राइवेट गिस्‍ट में अपलोड हो जाएंगे", - "No": "नहीं", - "No applicable installer was found for the package {0}": "{0} पैकेज के लिए कोई लागू इंस्टॉलर नहीं मिला", - "No dependencies specified": "कोई निर्भरता निर्दिष्ट नहीं", - "No new shortcuts were found during the scan.": "स्कैन के दौरान कोई नई शॉर्टकट नहीं मिली।", - "No package was selected": "कोई पैकेज नहीं चुना गया", "No packages found": "कोई पैकेज नहीं मिला", "No packages found matching the input criteria": "\nइनपुट मानदंड से मेल खाने वाला कोई पैकेज नहीं मिला", "No packages have been added yet": "अभी तक कोई पैकेज नहीं जोड़ा गया है", "No packages selected": "कोई पैकेज नहीं चुना गया", - "No packages were found": "कोई पैकेज नहीं मिला", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "कोई भी पर्सनल जानकारी इकट्ठा या भेजी नहीं जाती है, और इकट्ठा किया गया डेटा गुमनाम रहता है, इसलिए इसे आप तक वापस नहीं लाया जा सकता।", - "No results were found matching the input criteria": "इनपुट क्राइटेरिया से मैच करते हुए कोई रिज़ल्ट नहीं मिला", "No sources found": "कोई स्रोत नहीं मिला", "No sources were found": "कोई स्रोत नहीं मिला", "No updates are available": "कोई अपडेट उपलब्ध नहीं है", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS का पैकेज मैनेजर। जावास्क्रिप्ट की दुनिया में मौजूद लाइब्रेरी और दूसरी यूटिलिटी से भरा हुआ
में निहित: नोड जावास्क्रिप्ट लाइब्रेरी और अन्य संबंधित उपयोगिताएँ", - "Not available": "उपलब्ध नहीं है", - "Not finding the file you are looking for? Make sure it has been added to path.": "आपको जो फ़ाइल चाहिए वह नहीं मिल रही है? पक्का करें कि वह पाथ में जोड़ दी गई है।", - "Not found": "नहीं मिला", - "Not right now": "अभी नहीं", "Notes:": "टिप्पणियाँ:", - "Notification preferences": "अधिसूचना प्राथमिकताएँ", "Notification tray options": "अधिसूचना ट्रे विकल्प", - "Notification types": "अधिसूचना प्रकार", - "NuPkg (zipped manifest)": "NuPkg (ज़िप्ड मैनिफ़ेस्ट)", - "OK": "ठीक", "Ok": "ठीक", - "Open": "खोलें", "Open GitHub": "Github खोलें", - "Open UniGetUI": "यूनीगेटयूआई खोलें", - "Open UniGetUI security settings": "यूनीगेटयूआई सुरक्षा सेटिंग्स खोलें", "Open WingetUI": "यूनीगेटयूआई खोलें", "Open backup location": "बैकअप स्थान खोलें", "Open existing bundle": "मौजूदा बंडल खोलें", - "Open install location": "इंस्टॉल स्थान खोलें", "Open the welcome wizard": "वेलकम विज़ार्ड खोलें", - "Operation canceled by user": "उपयोगकर्ता द्वारा ऑपरेशन रद्द कर दिया गया", "Operation cancelled": "ऑपरेशन रद्द", - "Operation history": "ऑपरेशन इतिहास", - "Operation in progress": "ऑपरेशन प्रगति पर है", - "Operation on queue (position {0})...": "कतार पर ऑपरेशन (स्थिति {0})...", - "Operation profile:": "ऑपरेशन प्रोफ़ाइल:", "Options saved": "विकल्प सेव किये गए", - "Order by:": "आदेश द्वारा:", - "Other": "अन्य", - "Other settings": "अन्य सेटिंग्स", - "Package": "संकुल", - "Package Bundles": "संकुल बंडल", - "Package ID": "पैकेज आईडी", "Package Manager": "संकुल प्रबंधक", - "Package Manager logs": "संकुल प्रबंधक लॉग", - "Package Managers": "संकुल प्रबंधकों", - "Package Name": "पैकेज का नाम", - "Package backup": "संकुल बैकअप", - "Package backup settings": "संकुल बैकअप सेटिंग्स", - "Package bundle": "संकुल बंडल", - "Package details": "पैकेज के ब्यौरे", - "Package lists": "संकुल सूचियाँ", - "Package management made easy": "संकुल संचालन आसान हो गया", - "Package manager": "संकुल प्रबंधक", - "Package manager preferences": "पैकेज प्रबंधक वरीयताएँ", "Package managers": "संकुल प्रबंधकों", - "Package not found": "संकुल नहीं मिला", - "Package operation preferences": "संकुल संचालन प्राथमिकताएँ", - "Package update preferences": "संकुल अद्यतन प्राथमिकताएँ", "Package {name} from {manager}": "{manager} से संकुल {name}", - "Package's default": "संकुल का डिफ़ॉल्ट", "Packages": "पैकेज", "Packages found: {0}": "संकुल मिला: {0}", - "Partially": "आंशिक रूप से", - "Password": "पासवर्ड", "Paste a valid URL to the database": "डेटाबेस में एक मान्य URL चिपकाएँ", - "Pause updates for": "इसके लिए अपडेट रोकें", "Perform a backup now": "अभी बैकअप लें", - "Perform a cloud backup now": "अभी क्लाउड बैकअप करें", - "Perform a local backup now": "अभी स्थानीय बैकअप करें", - "Perform integrity checks at startup": "स्टार्टअप पर अखंडता जांच करें", - "Performing backup, please wait...": "बैकअप किया जा रहा है, कृपया प्रतीक्षा करें...", "Periodically perform a backup of the installed packages": "समय-समय पर स्थापित संकुल का बैकअप करें", - "Periodically perform a cloud backup of the installed packages": "समय-समय पर स्थापित संकुल का क्लाउड बैकअप लें", - "Periodically perform a local backup of the installed packages": "समय-समय पर स्थापित संकुल का स्थानीय बैकअप लें", - "Please check the installation options for this package and try again": "कृपया इस संकुल के लिए स्थापना विकल्प जांचें और पुनः प्रयास करें", - "Please click on \"Continue\" to continue": "कृपया जारी रखने के लिए \"जारी रखें\" पर क्लिक करें", "Please enter at least 3 characters": "कृपया कम से कम 3 अक्षर दर्ज करें", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "कृपया ध्यान दें कि इस मशीन पर सक्षम पैकेज मेनेजर के कारण कुछ पैकेज इंस्टॉल करने योग्य नहीं हो सकते हैं।", - "Please note that not all package managers may fully support this feature": "कृपया ध्यान दें कि सभी संकुल प्रबंधक इस सुविधा का पूर्णतः समर्थन नहीं कर सकते हैं", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "कृपया ध्यान दें कि कुछ स्रोतों से पैकेज एक्सपोर्ट योग्य नहीं हो सकते हैं। उन्हें धूसर कर दिया गया है और एक्सपोर्ट नहीं किया जाएगा।", - "Please run UniGetUI as a regular user and try again.": "कृपया यूनीगेटयूआई को नियमित उपयोगकर्ता के रूप में चलाएँ और पुनः प्रयास करें।", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "कृपया समस्या के बारे में अधिक जानकारी के लिए कमांड-लाइन आउटपुट देखें या ऑपरेशन इतिहास देखें।", "Please select how you want to configure WingetUI": "कृपया चयन करें कि आप WingetUI को कैसे कॉन्फ़िगर करना चाहते हैं", - "Please try again later": "कृपया बाद में पुन: प्रयास करें", "Please type at least two characters": "कृपया कम से कम दो अक्षर लिखें", - "Please wait": "कृपया प्रतीक्षा करें", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "कृपया प्रतीक्षा करें जब {0} स्थापित किया जा रहा है। एक काली (या नीली) विंडो दिखाई दे सकती है। कृपया इसके बंद होने तक प्रतीक्षा करें।", - "Please wait...": "कृपया प्रतीक्षा करें...", "Portable": "पोर्टेबल", - "Portable mode": "पोर्टेबल मोड\n", - "Post-install command:": "स्थापना के बाद आदेश:", - "Post-uninstall command:": "अनइंस्टॉल के बाद आदेश:", - "Post-update command:": "अद्यतन के बाद आदेश:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "पावरशेल का पैकेज प्रबंधक। पावरशेल की क्षमताओं का विस्तार करने के लिए लाइब्रेरी और स्क्रिप्ट खोजें
निहित: मॉड्यूल, स्क्रिप्ट, कमांडलेट", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "प्री और पोस्ट इंस्टॉलेशन कमांड आपके डिवाइस के लिए बहुत खतरनाक हो सकते हैं, अगर उन्हें ऐसा करने के लिए डिज़ाइन किया गया हो। किसी बंडल से कमांड इम्पोर्ट करना बहुत खतरनाक हो सकता है, जब तक कि आपको उस पैकेज बंडल के स्रोत पर भरोसा न हो।", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "प्री और पोस्ट इंस्टॉल कमांड किसी पैकेज के इंस्टॉल, अपग्रेड या अनइंस्टॉल होने से पहले और बाद में चलाए जाएँगे। ध्यान रखें कि अगर सावधानी से इस्तेमाल न किया जाए तो ये चीज़ें खराब कर सकते हैं।", - "Pre-install command:": "पूर्व-स्थापना आदेश:", - "Pre-uninstall command:": "पूर्व-अनइंस्टॉल आदेश:", - "Pre-update command:": "पूर्व-अद्यतन आदेश:", - "PreRelease": "प्री-रिलीज़", - "Preparing packages, please wait...": "संकुल तैयार हो रहे हैं, कृपया प्रतीक्षा करें...", - "Proceed at your own risk.": "अपने जोख़िम पर आगे बढ़ें।", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "यूनीगेटयूआई एलेवेटर या जीसुडो के माध्यम से किसी भी प्रकार के उन्नयन पर रोक लगाएं", - "Proxy URL": "प्रॉक्सी URL", - "Proxy compatibility table": "प्रॉक्सी संगतता तालिका", - "Proxy settings": "प्रॉक्सी सेटिंग्स", - "Proxy settings, etc.": "प्रॉक्सी सेटिंग्स, आदि.", "Publication date:": "प्रकाशन तिथि:", - "Publisher": "प्रचारक", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "पायथन लाइब्रेरी मैनेजर। पायथन लाइब्रेरीज़ और अन्य पायथन-संबंधित उपयोगिताओं से भरपूर
निहित: पायथन लाइब्रेरी और संबंधित उपयोगिताएँ", - "Quit": "बंद करें", "Quit WingetUI": "यूनीगेटयूआई से बाहर निकलें", - "Ready": "तैयार", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "यूएसी प्रॉम्प्ट को कम करें, डिफ़ॉल्ट रूप से इंस्टॉलेशन को बढ़ाएं, कुछ खतरनाक सुविधाओं को अनलॉक करें, आदि।", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "प्रभावित फ़ाइल(फ़ाइलों) के बारे में अधिक जानकारी प्राप्त करने के लिए यूनीगेटयूआई लॉग देखें", - "Reinstall": "पुनर्स्थापित", - "Reinstall package": "संकुल पुनः स्थापित करें", - "Related settings": "संबंधित सेटिंग्स", - "Release notes": "रिलीज नोट्स", - "Release notes URL": "रिलीज़ नोट्स URL", "Release notes URL:": "रिलीज़ नोट यूआरएल:", "Release notes:": "रिलीज नोट्स:", "Reload": "पुनः लोड करें", - "Reload log": "लॉग पुनः लोड करें", "Removal failed": "निष्कासन विफल", "Removal succeeded": "निष्कासन सफल रहा", - "Remove from list": "सूची से हटाएँ", "Remove permanent data": "स्थायी डेटा हटाएं", - "Remove selection from bundle": "बंडल से चयन हटाएँ", "Remove successful installs/uninstalls/updates from the installation list": "स्थापना सूची से सफल स्थापना/स्थापना रद्द/अद्यतन निकालें", - "Removing source {source}": "{source}स्रोत हटाना", - "Removing source {source} from {manager}": "{manager} से {source}स्रोत हटाना", - "Repair UniGetUI": "यूनीगेटयूआई की मरम्मत करें", - "Repair WinGet": "विनगेट की मरम्मत करें", - "Report an issue or submit a feature request": "किसी समस्या की रिपोर्ट करें या सुविधा का अनुरोध सबमिट करें", "Repository": "कोष", - "Reset": "रीसेट", "Reset Scoop's global app cache": "स्कूप के वैश्विक ऐप कैश को रीसेट करें", - "Reset UniGetUI": "यूनीगेटयूआई रीसेट करें", - "Reset WinGet": "विनगेट रीसेट करें", "Reset Winget sources (might help if no packages are listed)": "विंगेट स्रोत रीसेट करें (कोई पैकेज सूचीबद्ध नहीं होने पर मदद मिल सकती है)", - "Reset WingetUI": "यूनीगेटयूआई रीसेट करें", "Reset WingetUI and its preferences": "WingetUI और इसकी प्राथमिकताएं रीसेट करें", "Reset WingetUI icon and screenshot cache": "WingetUI आइकन और स्क्रीनशॉट कैश को रीसेट करें", - "Reset list": "सूची रीसेट करें", "Resetting Winget sources - WingetUI": "विनगेट स्रोतों - यूनीगेटयूआई को रीसेट करना", - "Restart": "पुनःआरंभ करें", - "Restart UniGetUI": "यूनीगेटयूआई पुनःआरंभ करें", - "Restart WingetUI": "WingetUI को पुनरारंभ करें", - "Restart WingetUI to fully apply changes": "परिवर्तनों को पूरी तरह से लागू करने के लिए यूनीगेटयूआई को पुनःआरंभ करें", - "Restart later": "बाद में पुनः आरंभ करें", "Restart now": "अब पुनःचालू करें", - "Restart required": "पुनरारंभ करना आवश्यक है", - "Restart your PC to finish installation": "स्थापना समाप्त करने के लिए अपने कंप्यूटर को पुनरारंभ करें", - "Restart your computer to finish the installation": "स्थापना समाप्त करने के लिए अपने कंप्यूटर को पुनरारंभ करें", - "Restore a backup from the cloud": "क्लाउड से बैकअप पुनर्स्थापित करें", - "Restrictions on package managers": "संकुल प्रबंधकों पर प्रतिबंध", - "Restrictions on package operations": "संकुल संचालन पर प्रतिबंध", - "Restrictions when importing package bundles": "संकुल बंडल आयात करते समय प्रतिबंध", - "Retry": "पुन: प्रयास करें", - "Retry as administrator": "व्यवस्थापक के रूप में पुनः प्रयास करें", - "Retry failed operations": "विफल ऑपरेशनों का पुनः प्रयास करें", - "Retry interactively": "सहभागितापूर्ण तरीके से पुनः प्रयास करें", - "Retry skipping integrity checks": "अखंडता जांच को छोड़कर पुनः प्रयास करें", - "Retrying, please wait...": "पुनः प्रयास किया जा रहा है, कृपया प्रतीक्षा करें...", - "Return to top": "ऊपर लौटें", - "Run": "चलाओ", - "Run as admin": "\nप्रशासक के रूप में चलाएँ", - "Run cleanup and clear cache": "क्लीनअप चलाएं और कैश साफ़ करें", - "Run last": "अन्त में चलाएं", - "Run next": "अगला भाग चलाएँ", - "Run now": "अब चलाओ", + "Restart your PC to finish installation": "स्थापना समाप्त करने के लिए अपने कंप्यूटर को पुनरारंभ करें", + "Restart your computer to finish the installation": "स्थापना समाप्त करने के लिए अपने कंप्यूटर को पुनरारंभ करें", + "Retry failed operations": "विफल ऑपरेशनों का पुनः प्रयास करें", + "Retrying, please wait...": "पुनः प्रयास किया जा रहा है, कृपया प्रतीक्षा करें...", + "Return to top": "ऊपर लौटें", "Running the installer...": "इंस्टॉलर चल रहा है...", "Running the uninstaller...": "अनइंस्टॉलर चल रहा है...", "Running the updater...": "अपडेटर चल रहा है...", - "Save": "बचाओ", "Save File": "फाइल सुरक्षित करें", - "Save and close": "बचा लें और बंद करें", - "Save as": "के रूप बचाओ", "Save bundle as": "के रूप बंडल बचाओ", "Save now": "अब बचा लें", - "Saving packages, please wait...": "संकुल सेव कर रहे हैं, कृपया इंतज़ार करें...", - "Scoop Installer - WingetUI": "स्कूप इंस्टॉलर - यूनीगेटयूआई", - "Scoop Uninstaller - WingetUI": "स्कूप अनइंस्टालर - यूनीगेटयूआई", - "Scoop package": "स्कूप पैकेज", "Search": "खोज", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "डेस्कटॉप सॉफ़्टवेयर के लिए खोजें, अपडेट उपलब्ध होने पर मुझे चेतावनी दें और नीरस चीज़ें न करें। मैं नहीं चाहता कि WingetUI ई जटिल हो जाए, मुझे बस एक साधारण सॉफ़्टवेयर स्टोर चाहिए", - "Search for packages": "पैकेज खोजें", - "Search for packages to start": "संकुल खोजना शुरू करें", - "Search mode": "खोज मोड", "Search on available updates": "उपलब्ध अपडेट पर खोजें", "Search on your software": "अपने सॉफ़्टवेयर पर खोजें", "Searching for installed packages...": "इंस्टॉल किए गए पैकेज खोजे जा रहे हैं...", "Searching for packages...": "\nपैकेज खोजे जा रहे हैं...", "Searching for updates...": "अपडेट खोजे जा रहे हैं...", - "Select": "चुनें", "Select \"{item}\" to add your custom bucket": "अपनी कस्टम बकेट जोड़ने के लिए \"{item}\" चुनें", "Select a folder": "एक फ़ोल्डर चुनें", - "Select all": "सभी चुने", "Select all packages": "सभी पैकेजों का चयन करें", - "Select backup": "बैकअप चुनें", "Select only if you know what you are doing.": "केवल यदि आप जानते हैं कि आप क्या कर रहे हैं चुनें।", "Select package file": "पैकेज फ़ाइल का चयन करें", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "वह बैकअप चुनें जिसे आप खोलना चाहते हैं। बाद में, आप देख पाएँगे कि आप कौन से पैकेज/प्रोग्राम रिस्टोर करना चाहते हैं।", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "इस्तेमाल करने के लिए एग्जीक्यूटेबल चुनें। नीचे दी गई लिस्ट में यूनीगेटयूआई को मिले एग्जीक्यूटेबल दिखाए गए हैं।", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "उन प्रोसेस को चुनें जिन्हें इस संकुल को इंस्टॉल, अपडेट या अनइंस्टॉल करने से पहले बंद कर देना चाहिए।", - "Select the source you want to add:": "वह सोर्स चुनें जिसे आप जोड़ना चाहते हैं:", - "Select upgradable packages by default": "डिफ़ॉल्ट रूप से अपग्रेड करने योग्य पैकेज चुनें", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "चुनें कि कौन से पैकेज मेनेजर का उपयोग करना है ({0}), कॉन्फ़िगर करें कि पैकेज कैसे स्थापित किए जाते हैं, प्रबंधित करें कि व्यवस्थापक अधिकार कैसे प्रबंधित किए जाते हैं, आदि।", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "\nहैंडशेका भेजा। इंस्टेंस के लिए लिसनर के उत्तर की प्रतीक्षा की जा रही है... ({0}%)", - "Set a custom backup file name": "एक कस्टम बैकअप फ़ाइल नाम सेट करें", "Set custom backup file name": "कस्टम बैकअप फ़ाइल नाम सेट करें", - "Settings": "सेटिंग्स", - "Share": "शेयर करना", "Share WingetUI": "यूनीगेटयूआई शेयर करें", - "Share anonymous usage data": "अनाम उपयोग डेटा साझा करें", - "Share this package": "इस पैकेज को शेयर करें", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "अगर आप सिक्योरिटी सेटिंग्स में बदलाव करते हैं, तो बदलाव लागू होने के लिए आपको बंडल को फिर से खोलना होगा।", "Show UniGetUI on the system tray": "सिस्टम ट्रे पर यूनीगेटयूआई दिखाएँ", - "Show UniGetUI's version and build number on the titlebar.": "टाइटल बार पर यूनीगेटयूआई वर्शन दिखाएँ", - "Show WingetUI": "WingetUI दिखाएं", "Show a notification when an installation fails": "स्थापना के विफल होने पर सूचना दिखाएं", "Show a notification when an installation finishes successfully": "स्थापना सफलतापूर्वक पूर्ण होने पर सूचना दिखाएं", - "Show a notification when an operation fails": "जब कोई ऑपरेशन फेल हो जाए तो नोटिफिकेशन दिखाएं", - "Show a notification when an operation finishes successfully": "जब कोई ऑपरेशन सफलतापूर्वक पूरा हो जाए तो एक नोटिफ़िकेशन दिखाएँ", - "Show a notification when there are available updates": "अपडेट उपलब्ध होने पर सूचना दिखाएं", - "Show a silent notification when an operation is running": "जब कोई ऑपरेशन चल रहा हो तो साइलेंट नोटिफ़िकेशन दिखाएँ", "Show details": "\nविवरण दिखाएं", - "Show in explorer": "एक्सप्लोरर में दिखाएँ", "Show info about the package on the Updates tab": "अपडेट टैब पर पैकेज के बारे में जानकारी दिखाएं", "Show missing translation strings": "अनुपलब्ध अनुवाद स्ट्रिंग दिखाएं", - "Show notifications on different events": "अलग-अलग इवेंट पर नोटिफ़िकेशन दिखाएँ", "Show package details": "पैकेज विवरण दिखाएं", - "Show package icons on package lists": "संकुल लिस्ट पर संकुल आइकन दिखाएँ", - "Show similar packages": "समान संकुल दिखाएँ", "Show the live output": "लाइव आउटपुट दिखाएं", - "Size": "आकार", "Skip": "छोड़ें", - "Skip hash check": "हैश चैक छोड़ दें", - "Skip hash checks": "हैश जाँच छोड़ें", - "Skip integrity checks": "अखंडता जांच छोड़ें", - "Skip minor updates for this package": "इस संकुल के लिए छोटे अपडेट छोड़ें", "Skip the hash check when installing the selected packages": "चयनित पैकेजों को स्थापित करते समय हैश चेक छोड़ें", "Skip the hash check when updating the selected packages": "चयनित पैकेजों को अपडेट करते समय हैश चेक छोड़ें", - "Skip this version": "इस संस्करण को छोड़ दें", - "Software Updates": "\nसॉफ्टवेयर अपडेट", - "Something went wrong": "कुछ गलत हो गया", - "Something went wrong while launching the updater.": "अपडेटर लॉन्च करते समय कुछ गलत हो गई।", - "Source": "स्रोत", - "Source URL:": "स्रोत यूआरएल:", - "Source added successfully": "स्रोत सफलतापूर्वक जोड़ा गया", "Source addition failed": "स्रोत जोड़ना विफल रहा", - "Source name:": "स्रोत का नाम:", "Source removal failed": "स्रोत हटाना विफल रहा", - "Source removed successfully": "स्रोत सफलतापूर्वक हटा दिया गया", "Source:": "स्रोत:", - "Sources": "स्रोत", "Start": "शुरू करें", "Starting daemons...": "डेमॉन शुरू करे जा रहे हैं...", - "Starting operation...": "ऑपरेशन शुरू हो रहा है...", "Startup options": "स्टार्टअप विकल्प", "Status": "स्थति", "Stuck here? Skip initialization": "यहाँ फँस गया? आरंभीकरण छोड़ें", - "Success!": "सफलता!", "Suport the developer": "डेवलपर का समर्थन करें", "Support me": "मेरी सहायता करें", "Support the developer": "डेवलपर की सहायता करें", "Systems are now ready to go!": "सिस्टम अब चलने के लिए तैयार हैं!", - "Telemetry": "टेलीमेटरी", - "Text": "लेखन", "Text file": "पाठ फ़ाइल", - "Thank you ❤": "धन्यवाद ❤", - "Thank you \uD83D\uDE09": "धन्यवाद \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "रस्ट संकुल मैनेजर.
निहित: रस्ट लाइब्रेरी और रस्ट में लिखे गए प्रोग्राम", - "The backup will NOT include any binary file nor any program's saved data.": "बैकअप में कोई बाइनरी फ़ाइल या किसी प्रोग्राम का सेव किया गया डेटा शामिल नहीं होगा।", - "The backup will be performed after login.": "लॉगिन के बाद बैकअप किया जाएगा।", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "बैकअप में इंस्टॉल किए गए पैकेज और उनके इंस्टॉलेशन ऑप्शन की पूरी लिस्ट होगी। इग्नोर किए गए अपडेट और स्किप किए गए वर्शन भी सेव हो जाएंगे।", - "The bundle was created successfully on {0}": "बंडल सफलतापूर्वक {0} में बनाया गया", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "आप जो बंडल लोड करने की कोशिश कर रहे हैं, वह इनवैलिड लग रहा है। कृपया फ़ाइल चेक करें और फिर से कोशिश करें।", + "Thank you 😉": "धन्यवाद 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "इंस्टॉलर का चेकसम अपेक्षित मान से मेल नहीं खाता है, और इंस्टॉलर की प्रामाणिकता को सत्यापित नहीं किया जा सकता है। यदि आप प्रकाशक पर भरोसा करते हैं, तो {0} पैकेज फिर से हैश जांच छोड़ देता है।", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "विंडोज़ के लिए क्लासिक संकुल मैनेजर. आपको वहां सब कुछ मिलेगा.
निहित: सामान्य सॉफ्टवेयर", - "The cloud backup completed successfully.": "क्लाउड बैकअप सफलतापूर्वक पूरा हो गया।", - "The cloud backup has been loaded successfully.": "क्लाउड बैकअप सफलतापूर्वक लोड हो गया है।", - "The current bundle has no packages. Add some packages to get started": "अभी के बंडल में कोई संकुल नहीं है। शुरू करने के लिए कुछ संकुल जोड़ें", - "The executable file for {0} was not found": "{0} के लिए एक्ज़ीक्यूटेबल फ़ाइल नहीं मिला था", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "हर बार एक {0} संकुल इंस्टॉल, अपग्रेड या अनइंस्टॉल होने पर ये ऑप्शन डिफ़ॉल्ट रूप से लागू हो जाएंगे", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "निम्नलिखित पैकेजों को JSON फ़ाइल में निर्यात किया जा रहा है। कोई उपयोगकर्ता डेटा या बायनेरिज़ सहेजा नहीं जा रहा है।", "The following packages are going to be installed on your system.": "आपके सिस्टम पर निम्नलिखित पैकेज स्थापित होने जा रहे हैं।", - "The following settings may pose a security risk, hence they are disabled by default.": "नीचे दी गई सेटिंग्स से सिक्योरिटी रिस्क हो सकता है, इसलिए वे डिफ़ॉल्ट रूप से डिसेबल हैं।", - "The following settings will be applied each time this package is installed, updated or removed.": "हर बार जब यह पैकेज इंस्टॉल, अपडेट या हटाया जाएगा, तो ये सेटिंग्स लागू होंगी।", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "हर बार जब यह संकुल इंस्टॉल, अपडेट या हटाया जाएगा, तो ये सेटिंग्स लागू होंगी। वे अपने आप सेव हो जाएंगी।", "The icons and screenshots are maintained by users like you!": "आप जैसे उपयोगकर्ताओं द्वारा आइकन और स्क्रीनशॉट का रखरखाव किया जाता है!", - "The installation script saved to {0}": "इंस्टॉलेशन स्क्रिप्ट को {0} में सेव किया गया", - "The installer authenticity could not be verified.": "इंस्टॉलर की असलियत सत्यापित नहीं की जा सकी।", "The installer has an invalid checksum": "इंस्टॉलर के पास अमान्य चेकसम है", "The installer hash does not match the expected value.": "इंस्टॉलर हैश अपेक्षित वैल्यू से मेल नहीं खाता है।", - "The local icon cache currently takes {0} MB": "लोकल आइकन कैश अभी {0} एमबी लेता है", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "\nइस परियोजना का मुख्य लक्ष्य विंडोज के लिए सबसे आम सीएलआई पैकेज मेनेजर जैसे विनगेट और स्कूप को प्रबंधित करने के लिए एक सहज यूआई बनाना है।", - "The package \"{0}\" was not found on the package manager \"{1}\"": "संकुल {0} संकुल पैकेज मैनेजर {1} पर नहीं मिला", - "The package bundle could not be created due to an error.": "एक एरर के कारण संकुल बंडल नहीं बनाया जा सका।", - "The package bundle is not valid": "संकुल बंडल मान्य नहीं है", - "The package manager \"{0}\" is disabled": "संकुल प्रबंधक {0} अक्षम है", - "The package manager \"{0}\" was not found": "संकुल प्रबंधक {0} नहीं मिला था", "The package {0} from {1} was not found.": "संकुल {1} से संकुल {0} नहीं मिला", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "अद्यतनों के लिए जाँच करते समय यहाँ सूचीबद्ध पैकेजों को ध्यान में नहीं रखा जाएगा। उनके अद्यतनों को नज़रअंदाज़ करना बंद करने के लिए उन पर डबल-क्लिक करें या उनकी दाईं ओर स्थित बटन क्लिक करें।", "The selected packages have been blacklisted": "चुने गए संकुल को ब्लैकलिस्ट कर दिया गया है।", - "The settings will list, in their descriptions, the potential security issues they may have.": "सेटिंग्स अपनी जानकारी में उन संभावित सुरक्षा समस्याओं को बताएंगी जो उनमें हो सकती हैं।", - "The size of the backup is estimated to be less than 1MB.": "बैकअप का साइज़ 1 एमबी से कम होने का अनुमान है।", - "The source {source} was added to {manager} successfully": "स्रोत {source} को {manager} में जोड़ा गया", - "The source {source} was removed from {manager} successfully": "{manager} से स्रोत {source} को सफलतापूर्वक हटा दिया गया", - "The system tray icon must be enabled in order for notifications to work": "नोटिफ़िकेशन काम करने के लिए सिस्टम ट्रे आइकन इनेबल होना चाहिए।", - "The update process has been aborted.": "अपडेट प्रक्रिया रद्द कर दी गई है।", - "The update process will start after closing UniGetUI": "यूनीगेटयूआई बंद करने के बाद अपडेट प्रोसेस शुरू हो जाएगा।", "The update will be installed upon closing WingetUI": "यूनीगेटयूआई बंद करने पर अपडेट इंस्टॉल हो जाएगा।", "The update will not continue.": "अपडेट जारी नहीं रहेगा।", "The user has canceled {0}, that was a requirement for {1} to be run": "यूज़र ने {0} को रद्द कर दिया है, वह {1} को चलाने के लिए एक शर्त थी।", - "There are no new UniGetUI versions to be installed": "इंस्टॉल करने के लिए कोई नया यूनीगेटयूआई वर्शन उपलब्ध नहीं है।", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "ऑपरेशन चल रहे हैं। यूनीगेटयूआई बंद करने से वे फेल हो सकते हैं। क्या आप जारी रखना चाहते हैं?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube पर कुछ बेहतरीन वीडियो हैं जो WingetUI और इसकी क्षमताओं को प्रदर्शित करते हैं। आप उपयोगी ट्रिक्स और टिप्स सीख सकते हैं!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "WingetUI को प्रशासक के रूप में नहीं चलाने के दो मुख्य कारण हैं: पहला यह है कि स्कूप पैकेज मेनेजर प्रशासक अधिकारों के साथ चलने पर कुछ कमांड के साथ समस्या पैदा कर सकता है। दूसरा यह है कि WingetUI को प्रशासक के रूप में चलाने का अर्थ है कि आपके द्वारा डाउनलोड किया जाने वाला कोई भी पैकेज प्रशासक के रूप में चलाया जाएगा (और यह सुरक्षित नहीं है)। याद रखें कि यदि आपको प्रशासक के रूप में एक विशिष्ट पैकेज स्थापित करने की आवश्यकता है, तो आप हमेशा आइटम पर राइट-क्लिक कर सकते हैं -> व्यवस्थापक के रूप में स्थापित/अपडेट/स्थापना रद्द करें।", - "There is an error with the configuration of the package manager \"{0}\"": "संकुल प्रबंधक \"{0}\" के कॉन्फ़िगरेशन में कोई गड़बड़ी है।", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "एक स्थापना प्रगति पर है। यदि आप WingetUI को बंद करते हैं, तो स्थापना विफल हो सकती है और अनपेक्षित परिणाम हो सकते हैं। क्या आप अभी भी विंगेटयूआई छोड़ना चाहते हैं?", "They are the programs in charge of installing, updating and removing packages.": "वे पैकेज को स्थापित करने, अपडेट करने और हटाने के प्रभारी कार्यक्रम हैं।", - "Third-party licenses": "तृतीय-पक्ष लाइसेंस", "This could represent a security risk.": "यह सुरक्षा जोखिम का प्रतिनिधित्व हो सकता है।", - "This is not recommended.": "इसकी सलाह नहीं दी जाती है।", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "यह शायद इस तथ्य के कारण है कि आपके द्वारा भेजा गया पैकेज हटा दिया गया था, या पैकेज मैनेजर पर प्रकाशित किया गया था जिसे आपने सक्षम नहीं किया है। प्राप्त आईडी {0} है", "This is the default choice.": "यह डिफ़ॉल्ट विकल्प है।", - "This may help if WinGet packages are not shown": "अगर विनगेट संकुल नहीं दिख रहे हैं तो यह मदद कर सकता है।", - "This may help if no packages are listed": "अगर कोई संकुल लिस्ट में नहीं दिख रहा है तो यह मदद कर सकता है।", - "This may take a minute or two": "इसमें एक या दो मिनट लग सकते हैं।", - "This operation is running interactively.": "यह ऑपरेशन इंटरैक्टिव तरीके से चल रहा है।", - "This operation is running with administrator privileges.": "यह ऑपरेशन एडमिनिस्ट्रेटर प्रिविलेज के साथ चल रहा है।", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "इस ऑप्शन से दिक्कतें आएंगी। कोई भी ऑपरेशन जो खुद को एलिवेट नहीं कर पाएगा, वह फेल हो जाएगा। एडमिनिस्ट्रेटर के तौर पर इंस्टॉल/अपडेट/अनइंस्टॉल काम नहीं करेगा।", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "इस संकुल बंडल में कुछ ऐसी सेटिंग्स थीं जो संभावित रूप से खतरनाक हैं, और जिन्हें डिफ़ॉल्ट रूप से अनदेखा किया जा सकता है।", "This package can be updated": "इस संकुल को अपडेट किया जा सकता है", "This package can be updated to version {0}": "इस संकुल को {0} वर्जन में अपडेट किया जा सकता है।", - "This package can be upgraded to version {0}": "इस संकुल को {0} वर्जन में अपडेट किया जा सकता है।", - "This package cannot be installed from an elevated context.": "इस संकुल को एलिवेटेड कॉन्टेक्स्ट से इंस्टॉल नहीं किया जा सकता।", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "इस संकुल में कोई स्क्रीनशॉट नहीं है या आइकन गायब है? हमारे ओपन, पब्लिक डेटाबेस में गायब आइकन और स्क्रीनशॉट जोड़कर यूनीगेटयूआई में योगदान दें।", - "This package is already installed": "यह संकुल पहले से ही इंस्टॉल है", - "This package is being processed": "यह संकुल पहले से ही प्रसंस्कृत है", - "This package is not available": "यह संकुल उपलब्ध नहीं है", - "This package is on the queue": "यह संकुल पंक्ति में है।", "This process is running with administrator privileges": "यह प्रक्रिया व्यवस्थापक विशेषाधिकारों के साथ चल रही है", - "This project has no connection with the official {0} project — it's completely unofficial.": "इस प्रोजेक्ट का ऑफिशियल {0} प्रोजेक्ट से कोई कनेक्शन नहीं है — यह पूरी तरह से अनौपचारिक है।", "This setting is disabled": "यह सेटिंग अक्षम है", "This wizard will help you configure and customize WingetUI!": "यह विज़ार्ड आपको WingetUI को कॉन्फ़िगर और कस्टमाइज़ करने में मदद करेगा!", "Toggle search filters pane": "खोज फ़िल्टर फलक टॉगल करें", - "Translators": "\nअनुवादक", - "Try to kill the processes that refuse to close when requested to": "उन प्रोसेस को बंद करने की कोशिश करें जो रिक्वेस्ट करने पर बंद नहीं होते हैं", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "इसे चालू करने से संकुल मैनेजर के साथ इंटरैक्ट करने के लिए इस्तेमाल होने वाली एग्जीक्यूटेबल फ़ाइल को बदलना संभव हो जाता है। हालांकि इससे आपके इंस्टॉल प्रोसेस को ज़्यादा बारीकी से कस्टमाइज़ किया जा सकता है, लेकिन यह खतरनाक भी हो सकता है।", "Type here the name and the URL of the source you want to add, separed by a space.": "जिस स्रोत को आप जोड़ना चाहते हैं, उसका नाम और URL यहाँ टाइप करें, दोनों को स्पेस से अलग करें।", "Unable to find package": "पैकेज नहीं मिल सका", "Unable to load informarion": "सूचना लोड करने में असमर्थ", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "यूनीगेटयूआई यूज़र एक्सपीरियंस को बेहतर बनाने के लिए गुमनाम यूसेज डेटा इकट्ठा करता है।", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "यूनीगेटयूआई यूज़र एक्सपीरियंस को समझने और बेहतर बनाने के एकमात्र मकसद से गुमनाम यूसेज डेटा इकट्ठा करता है।", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "यूनीगेटयूआई ने एक नया डेस्कटॉप शॉर्टकट डिटेक्ट किया है जिसे ऑटोमैटिकली डिलीट किया जा सकता है।", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "यूनीगेटयूआई ने निम्नलिखित डेस्कटॉप शॉर्टकट का पता लगाया है जिन्हें भविष्य के अपग्रेड में अपने आप हटाया जा सकता है।", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "यूनीगेटयूआई ने पता लगाया है {0} नए डेस्कटॉप शॉर्टकट जिन्हें अपने आप डिलीट किया जा सकता है।", - "UniGetUI is being updated...": "यूनीगेटयूआई अपडेट हो रहा है...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "यूनीगेटयूआई किसी भी कम्पैटिबल पैकेज संकुल से जुड़ा नहीं है। यूनीगेटयूआई एक इंडिपेंडेंट प्रोजेक्ट है।", - "UniGetUI on the background and system tray": "यूनीगेटयूआई बैकग्राउंड और सिस्टम ट्रे पर है।", - "UniGetUI or some of its components are missing or corrupt.": "यूनीगेटयूआई या इसके कुछ कंपोनेंट गायब हैं या खराब हो गए हैं।", - "UniGetUI requires {0} to operate, but it was not found on your system.": "यूनीगेटयूआई को काम करने के लिए {0} की ज़रूरत है, लेकिन यह आपके सिस्टम पर नहीं मिला।", - "UniGetUI startup page:": "यूनीगेटयूआई स्टार्टअप पेज:", - "UniGetUI updater": "यूनिगेटयूआई अपडेटर", - "UniGetUI version {0} is being downloaded.": "यूनिगेटयूआई संस्करण {0} डाउनलोड किया जा रहा है।", - "UniGetUI {0} is ready to be installed.": "यूनीगेटयूआई {0} इंस्टॉल होने के लिए तैयार है।", - "Uninstall": "स्थापना रद्द करें", - "Uninstall Scoop (and its packages)": "स्कूप (और उसके पैकेज) की स्थापना रद्द करें", "Uninstall and more": "अनइंस्टॉल करें और भी बहुत कुछ", - "Uninstall and remove data": "अनइंस्टॉल करें और डेटा हटाएं", - "Uninstall as administrator": "प्रशासक के रूप में स्थापना रद्द करें", "Uninstall canceled by the user!": "उपयोगकर्ता द्वारा स्थापना रद्द रोकी गयी!", - "Uninstall failed": "अनइंस्टॉल विफल रहा", - "Uninstall options": "अनइंस्टॉल विकल्प", - "Uninstall package": "\nपैकेज की स्थापना रद्द करें", - "Uninstall package, then reinstall it": "संकुल को अनइंस्टॉल करें, फिर उसे दोबारा इंस्टॉल करें।", - "Uninstall package, then update it": "संकुल को अनइंस्टॉल करें, फिर उसे अपडेट करें।", - "Uninstall previous versions when updated": "अपडेट होने पर पिछले वर्शन को अनइंस्टॉल करें।", - "Uninstall selected packages": "चुने पैकेज की स्थापना रद्द करें", - "Uninstall selection": "चयन को अनइंस्टॉल करें", - "Uninstall succeeded": "अनइंस्टॉल सफल रहा", "Uninstall the selected packages with administrator privileges": "चयनित पैकेजों को व्यवस्थापक विशेषाधिकारों के साथ अनइंस्टॉल करें", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "\"{0}\" के रूप में सूचीबद्ध मूल वाले अनइंस्टॉल करने योग्य पैकेज किसी भी पैकेज प्रबंधक पर प्रकाशित नहीं होते हैं, इसलिए उनके बारे में दिखाने के लिए कोई जानकारी उपलब्ध नहीं है।", - "Unknown": "अज्ञात", - "Unknown size": "अज्ञात आकार", - "Unset or unknown": "अनसेट या अज्ञात", - "Up to date": "अप टू डेट", - "Update": "अपडेट", - "Update WingetUI automatically": "WingetUI को स्वचालित रूप से अपडेट करें", - "Update all": "सभी अपडेट करें", "Update and more": "अपडेट और भी बहुत कुछ", - "Update as administrator": "प्रशासक के रूप में अपडेट करें", - "Update check frequency, automatically install updates, etc.": "अपडेट चेक करने की फ़्रीक्वेंसी, अपडेट को ऑटोमैटिकली इंस्टॉल करना, वगैरह।", - "Update checking": "अपडेट की जाँच हो रही है", "Update date": "डेट अपडेट करें", - "Update failed": "अपडेट विफल रहे", "Update found!": "अपडेट मिला!", - "Update now": "अब अपडेट करें", - "Update options": "अपडेट विकल्प", "Update package indexes on launch": "लॉन्च होने पर संकुल इंडेक्स को अपडेट करें", "Update packages automatically": "संकुल स्वचालित रूप से अद्यतन करें", "Update selected packages": "चयनित पैकेज अपडेट करें", "Update selected packages with administrator privileges": "चयनित पैकेजों को व्यवस्थापिक विशेषाधिकारों के साथ अद्यतन करें", - "Update selection": "चयन अपडेट करें", - "Update succeeded": "अपडेट सफल रहा", - "Update to version {0}": "संस्करण {0} को अपडेट करें", - "Update to {0} available": "{0} में अपडेट उपलब्ध है", "Update vcpkg's Git portfiles automatically (requires Git installed)": "वीसीपकेजी के गिट पोर्टफ़ाइलों को अपने आप अपडेट करें (इसके लिए गिट इंस्टॉल होना ज़रूरी है)", "Updates": "अपडेट", "Updates available!": "अपडेट उपलब्ध!", - "Updates for this package are ignored": "इस संकुल के लिए अपडेट को अनदेखा किया जाता है।", - "Updates found!": "अपडेट मिले!", "Updates preferences": "अपडेट प्राथमिकताएँ", "Updating WingetUI": "UniGetUI को अपडेट कर रहा है", "Url": "यूआरएल", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "पॉवरशेल सीएमडीलेट्स के बजाय लेगेसी बंडल्ड विनगेट का इस्तेमाल करें", - "Use a custom icon and screenshot database URL": "एक कस्टम आइकन और स्क्रीनशॉट डेटाबेस यूआरएल का उपयोग करें", "Use bundled WinGet instead of PowerShell CMDlets": "पॉवरशेल सीएमडीलेट्स के बजाय बंडल किए गए विनगेट का इस्तेमाल करें।", - "Use bundled WinGet instead of system WinGet": "सिस्टम विनगेट के बजाय बंडल किया हुआ विनगेट इस्तेमाल करें।", - "Use installed GSudo instead of UniGetUI Elevator": "यूनीगेटयूआई एलिवेटर के बजाय इंस्टॉल किए गए जीसुडो का उपयोग करें", "Use installed GSudo instead of the bundled one": "बंडल किए गए जीसूडो के बजाय इंस्टॉल किए गए जीसूडो का उपयोग करें (ऐप पुनरारंभ करने की आवश्यकता है)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "लेगेसी यूनीगेटयूआई एलिवेटर का इस्तेमाल करें (अगर यूनीगेटयूआई एलिवेटर में कोई समस्या आ रही है तो यह मददगार हो सकता है)", - "Use system Chocolatey": "सिस्टम चॉकलेट्टी का प्रयोग करें", "Use system Chocolatey (Needs a restart)": "सिस्टम चॉकलेटी का प्रयोग करें (पुनः आरंभ करने की आवश्यकता है)", "Use system Winget (Needs a restart)": "सिस्टम विंगेट का उपयोग करें (पुनरारंभ करने की आवश्यकता है)", "Use system Winget (System language must be set to english)": "विनगेट का उपयोग करें (सिस्टम भाषा अंग्रेजी पर सेट होनी चाहिए)", "Use the WinGet COM API to fetch packages": "पैकेज लाने के लिए विनगेट COM एपीआई का इस्तेमाल करें।", "Use the WinGet PowerShell Module instead of the WinGet COM API": "विनगेट COM एपीआई के बजाय विनगेट पावरशेल मॉड्यूल का इस्तेमाल करें।", - "Useful links": "उपयोगी लिंक", "User": "उपयोगकर्ता", - "User interface preferences": "उपयोगकर्ता इंटरफ़ेस प्राथमिकताएँ", "User | Local": "उपयोगकर्ता | स्थानीय", - "Username": "यूज़रनेम", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "यूनीगेटयूआई का इस्तेमाल करने का मतलब है GNU लेसर जनरल पब्लिक लाइसेंस v2.1 लाइसेंस को स्वीकार करना।", - "Using WingetUI implies the acceptation of the MIT License": "यूनीगेटयूआई का इस्तेमाल करने का मतलब है MIT लाइसेंस को स्वीकार करना।", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "वीसीपीकेजी रूट नहीं मिला। कृपया %वीसीपकेजी_रूट% एनवायरनमेंट वेरिएबल को डिफाइन करें या इसे यूनीगेटयूआई सेटिंग्स से डिफाइन करें।", "Vcpkg was not found on your system.": "वीसीपीकेजी आपके सिस्टम पर नहीं मिला।", - "Verbose": "वाचाल", - "Version": "संस्करण", - "Version to install:": "संस्करण स्थापित करने के लिए:", - "Version:": "संस्करण:", - "View GitHub Profile": "गिटहब प्रोफ़ाइल देखें", "View WingetUI on GitHub": "GitHub पर UniGetUI देखें", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI का सोर्स कोड देखें। वहां से, आप बग की रिपोर्ट कर सकते हैं या सुविधाओं का सुझाव दे सकते हैं, या यहां तक कि UniGetUI प्रोजेक्ट में सीधे योगदान कर सकते हैं", - "View mode:": "देखने का तरीका:", - "View on UniGetUI": "यूनीगेटयूआई पर देखें", - "View page on browser": "पेज को ब्राउज़र में देखें", - "View {0} logs": "लॉग {0} देखें", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "इंटरनेट कनेक्टिविटी वाले काम करने से पहले डिवाइस के इंटरनेट से कनेक्ट होने का इंतज़ार करें।", "Waiting for other installations to finish...": "अन्य स्थापनाओं के समाप्त होने की प्रतीक्षा की जा रही है...", "Waiting for {0} to complete...": "{0} को पूरा करने के लिए इंतजार", - "Warning": "चेतावनी", - "Warning!": "चेतावनी!", - "We are checking for updates.": "हम अपडेट्स चेक कर रहे हैं।", "We could not load detailed information about this package, because it was not found in any of your package sources": "हम इस पैकेज के बारे में विस्तृत जानकारी लोड नहीं कर सके, क्योंकि यह आपके किसी भी पैकेज स्रोत में नहीं मिला था", "We could not load detailed information about this package, because it was not installed from an available package manager.": "हम इस पैकेज के बारे में विस्तृत जानकारी लोड नहीं कर सके, क्योंकि इसे किसी उपलब्ध पैकेज मैनेजर से स्थापित नहीं किया गया था।", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "हम {action} {package} नहीं कर सके। कृपया बाद में पुन: प्रयास करें। इंस्टॉलर से लॉग प्राप्त करने के लिए \"{showDetails}\" पर क्लिक करें।", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "हम {action} {package} नहीं कर सके। कृपया बाद में पुन: प्रयास करें। अनइंस्टॉलर से लॉग प्राप्त करने के लिए \"{showDetails}\" पर क्लिक करें।", "We couldn't find any package": "हमें कोई संकुल नहीं मिला", "Welcome to WingetUI": "UniGetUI में आपका स्वागत है", - "When batch installing packages from a bundle, install also packages that are already installed": "जब किसी बंडल से संकुल बैच में इंस्टॉल कर रहे हों, तो उन संकुल को भी इंस्टॉल करें जो पहले से इंस्टॉल हैं।", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "जब नए शॉर्टकट डिटेक्ट हों, तो यह डायलॉग दिखाने के बजाय उन्हें अपने आप डिलीट कर दें।", - "Which backup do you want to open?": "आप कौन सा बैकअप खोलना चाहते हैं?", "Which package managers do you want to use?": "आप किस पैकेज म,मेनेजर का उपयोग करना चाहते हैं?", "Which source do you want to add?": "आप कौन सा स्रोत जोड़ना चाहते हैं?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "हालांकि विनगेट का इस्तेमाल यूनीगेटयूआई के अंदर किया जा सकता है, लेकिन यूनीगेटयूआई का इस्तेमाल दूसरे संकुल मैनेजर के साथ भी किया जा सकता है, जो कन्फ्यूजिंग हो सकता है। पहले, यूनीगेटयूआई को सिर्फ़ विनगेट के साथ काम करने के लिए डिज़ाइन किया गया था, लेकिन अब ऐसा नहीं है, और इसलिए यूनीगेटयूआई यह नहीं दिखाता कि यह प्रोजेक्ट क्या बनना चाहता है।", - "WinGet could not be repaired": "विनगेट मरम्मत नहीं की जा सकी", - "WinGet malfunction detected": "विनगेट खराबी का पता चला", - "WinGet was repaired successfully": "विनगेट सफलतापूर्वक मरम्मत की गई", "WingetUI": "यूनीगेटयूआई", "WingetUI - Everything is up to date": "UniGetUI - सब कुछ अप टू डेट है", "WingetUI - {0} updates are available": "UniGetUI - {0} अपडेट उपलब्ध हैं", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "यूनीगेटयूआई मुखपृष्ठ", "WingetUI Homepage - Share this link!": "यूनीगेटयूआई मुखपृष्ठ - इस लिंक को शेयर करें!", - "WingetUI License": "यूनीगेटयूआई लाइसेंस", - "WingetUI Log": "यूनीगेटयूआई लॉग", - "WingetUI Repository": "UniGetUI रिपॉजिटरी", - "WingetUI Settings": "UniGetUI की सेटिंग", "WingetUI Settings File": "UniGetUI सेटिंग्स फ़ाइल", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI निम्नलिखित लाइब्रेरीज़ का उपयोग करता है। इनके बिना UniGetUI संभव नहीं होता।", - "WingetUI Version {0}": "UniGetUI संस्करण {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI ऑटोस्टार्ट व्यवहार, एप्लिकेशन लॉन्च सेटिंग्स", "WingetUI can check if your software has available updates, and install them automatically if you want to": "अगर आप चाहें, तो UniGetUI आपके सॉफ़्टवेयर के लिए उपलब्ध अपडेट की जांच कर सकता है और उन्हें अपने आप इंस्टॉल कर सकता है।", - "WingetUI display language:": "UniGetUI की प्रदर्शन भाषा", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI को व्यवस्थापक के रूप में चलाया गया है, जिसकी अनुशंसा नहीं की जाती। जब UniGetUI को व्यवस्थापक के रूप में चलाया जाता है, तो इससे शुरू की गई हर कार्रवाई को व्यवस्थापक अधिकार मिलते हैं। आप अभी भी प्रोग्राम का उपयोग कर सकते हैं, लेकिन हम ज़ोरदार सलाह देते हैं कि UniGetUI को व्यवस्थापक अधिकारों के साथ न चलाएँ।", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "स्वयंसेवी अनुवादकों की बदौलत UniGetUI का 40 से अधिक भाषाओं में अनुवाद किया गया है। धन्यवाद \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI का मशीनी अनुवाद नहीं किया गया है। निम्नलिखित उपयोगकर्ता अनुवादों के प्रभारी रहे हैं:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI एक ऐसा अनुप्रयोग है जो आपके कमांड-लाइन पैकेज मैनेजरों के लिए ऑल-इन-वन ग्राफिकल इंटरफ़ेस देकर आपके सॉफ़्टवेयर को प्रबंधित करना आसान बनाता है।", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI का नाम बदला जा रहा है ताकि UniGetUI (वह इंटरफ़ेस जिसे आप अभी उपयोग कर रहे हैं) और WinGet (माइक्रोसॉफ्ट द्वारा विकसित पैकेज मैनेजर, जिससे मेरा कोई संबंध नहीं है) के बीच अंतर को स्पष्ट किया जा सके।", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI को अपडेट किया जा रहा है। समाप्त होने पर, UniGetUI स्वयं को पुनः आरंभ करेगा", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI मुफ़्त है, और हमेशा मुफ़्त रहेगा। न कोई विज्ञापन, न क्रेडिट कार्ड, न प्रीमियम संस्करण। 100% मुफ़्त, हमेशा के लिए।", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI हर बार एक UAC संकेत दिखाएगा जब किसी पैकेज को स्थापित करने के लिए उन्नयन की आवश्यकता होगी।", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "UniGetUI का नाम जल्द ही {newname} होगा। इससे अनुप्रयोग में कोई बदलाव नहीं होगा। मैं (डेवलपर) इस प्रोजेक्ट का विकास अभी की तरह ही जारी रखूंगा, बस एक अलग नाम के तहत।", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI हमारे प्रिय योगदानकर्ताओं की मदद के बिना संभव नहीं हो पाता। उनकी Github प्रोफ़ाइल देखें, UniGetUI उनके बिना संभव नहीं होताा!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "योगदानकर्ताओं की मदद के बिना UniGetUI संभव नहीं होता। आप सभी का धन्यवाद \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} इंस्टॉल होने के लिए तैयार है।", - "Write here the process names here, separated by commas (,)": "प्रोसेस के नाम यहां लिखें, उन्हें कॉमा (,) से अलग करें", - "Yes": "हाँ", - "You are logged in as {0} (@{1})": "आप {0} (@{1}) के रूप में लॉग इन हैं", - "You can change this behavior on UniGetUI security settings.": "आप इस व्यवहार को UniGetUI सुरक्षा सेटिंग्स में बदल सकते हैं।", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "आप उन कमांडों को परिभाषित कर सकते हैं जो इस पैकेज के इंस्टॉल, अपडेट या अनइंस्टॉल होने से पहले या बाद में चलेंगी। उन्हें कमांड प्रॉम्प्ट में चलाया जाएगा, इसलिए CMD स्क्रिप्ट यहाँ काम करेंगी।", - "You have currently version {0} installed": "आपके पास वर्तमान में संस्करण {0} इंस्टॉल है", - "You have installed WingetUI Version {0}": "आपने UniGetUI संस्करण {0} इंस्टॉल किया है", - "You may lose unsaved data": "आपका बिना सहेजा गया डेटा खो सकता है", - "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI के साथ इसका उपयोग करने के लिए आपको {pm} इंस्टॉल करना पड़ सकता है।", "You may restart your computer later if you wish": "आप चाहें तो अपने कंप्यूटर को बाद में रीस्टार्ट कर सकते हैं", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "आपको केवल एक बार संकेत दिया जाएगा, और व्यवस्थापक अधिकार उन पैकेजों को दिए जाएंगे जो उनका अनुरोध करते हैं।", "You will be prompted only once, and every future installation will be elevated automatically.": "आपको केवल एक बार संकेत दिया जाएगा, और भविष्य की प्रत्येक स्थापना स्वचालित रूप से उन्नत हो जाएगी।", - "You will likely need to interact with the installer.": "संभवतः आपको इंस्टॉलर के साथ इंटरैक्ट करना पड़ेगा।", - "[RAN AS ADMINISTRATOR]": "[व्यवस्थापक के रूप में चलाया गया]", "buy me a coffee": "मेरे लिए एक कॉफी खरीदो", - "extracted": "निकाला गया", - "feature": "सुविधा", "formerly WingetUI": "पहले WingetUI", "homepage": "\nहोमपेज", "install": "स्थापित", "installation": "स्थापना", - "installed": "स्थापित", - "installing": "स्थापना", - "library": "लाइब्रेरी", - "mandatory": "अनिवार्य", - "option": "विकल्प", - "optional": "वैकल्पिक", "uninstall": "स्थापना रद्द", "uninstallation": "स्थापना रद्द", "uninstalled": "स्थापना रद्द हुई", - "uninstalling": "स्थापना रद्द हो रही है", "update(noun)": "अपडेट(संज्ञा)", "update(verb)": "अद्यतन", "updated": "अपडेट किया गया", - "updating": "अपडेट किया जा रहा है", - "version {0}": "संस्करण {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} इंस्टॉल विकल्प फिलहाल लॉक हैं क्योंकि {0} डिफ़ॉल्ट इंस्टॉल विकल्पों का पालन करता है।", "{0} Uninstallation": "{0} स्थापना रद्द", "{0} aborted": "{0} रद्द किया गया", "{0} can be updated": "{0} अद्यतन किया जा सकता है", - "{0} can be updated to version {1}": "{0} को संस्करण {1} तक अपडेट किया जा सकता है", - "{0} days": "{0} दिन", - "{0} desktop shortcuts created": "{0} डेस्कटॉप शॉर्टकट बनाए गए", "{0} failed": "{0} असफल", - "{0} has been installed successfully.": "{0} सफलतापूर्वक इंस्टॉल हो गया है।", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} सफलतापूर्वक इंस्टॉल हो गया है। इंस्टॉलेशन पूरा करने के लिए UniGetUI को पुनः प्रारंभ करने की सलाह दी जाती है।", "{0} has failed, that was a requirement for {1} to be run": "{0} असफल हो गया, और {1} चलाने के लिए यह आवश्यक था", - "{0} homepage": "{0} होमपेज", - "{0} hours": "{0} घंटे", "{0} installation": "\n{0} स्थापना", - "{0} installation options": "{0} इंस्टॉलेशन विकल्प", - "{0} installer is being downloaded": "{0} इंस्टॉलर डाउनलोड किया जा रहा है", - "{0} is being installed": "{0} इंस्टॉल किया जा रहा है", - "{0} is being uninstalled": "{0} अनइंस्टॉल किया जा रहा है", "{0} is being updated": "{0} अपडेट किया जा रहा है", - "{0} is being updated to version {1}": "{0} को संस्करण {1} में अपडेट किया जा रहा है", - "{0} is disabled": "{0} अक्षम है", - "{0} minutes": "{0} मिनट", "{0} months": "{0} महीने", - "{0} packages are being updated": "{0} पैकेज अपडेट किए जा रहे हैं", - "{0} packages can be updated": "{0} संकुल अद्यतन किया जा सकता है", "{0} packages found": "\n{0} पैकेज मिले", "{0} packages were found": "{0} पैकेज मिले", - "{0} packages were found, {1} of which match the specified filters.": "{0} पैकेज मिले, जिनमें से {1} निर्दिष्ट फ़िल्टरों से मेल खाते हैं।", - "{0} selected": "{0} चुना गया", - "{0} settings": "{0} सेटिंग्स", - "{0} status": "{0} स्थिति", "{0} succeeded": "{0} सफल हुआ", "{0} update": "{0} अपडेट करें", - "{0} updates are available": "{0} अपडेट उपलब्ध हैं", "{0} was {1} successfully!": "\n{0} सफलतापूर्वक {1} हुआ!", "{0} weeks": "{0} सप्ताह", "{0} years": "{0} वर्ष", "{0} {1} failed": "{0} {1} असफल रहा", - "{package} Installation": "{package} इंस्टॉलेशन", - "{package} Uninstall": "{package} अनइंस्टॉल", - "{package} Update": "{package} अपडेट", - "{package} could not be installed": "{package} इंस्टॉल नहीं हो सका", - "{package} could not be uninstalled": "{package} अनइंस्टॉल नहीं हो सका", - "{package} could not be updated": "{package} अपडेट नहीं हो सका", "{package} installation failed": "{package} इंस्टॉलेशन विफल रहा", - "{package} installer could not be downloaded": "{package} इंस्टॉलर डाउनलोड नहीं हो सका", - "{package} installer download": "{package} इंस्टॉलर डाउनलोड", - "{package} installer was downloaded successfully": "{package} इंस्टॉलर सफलतापूर्वक डाउनलोड हो गया", "{package} uninstall failed": "{package} अनइंस्टॉल विफल रहा", "{package} update failed": "{package} अपडेट विफल रहा", "{package} update failed. Click here for more details.": "{package} अपडेट विफल रहा। अधिक जानकारी के लिए यहां क्लिक करें।", - "{package} was installed successfully": "{package} सफलतापूर्वक इंस्टॉल हो गया", - "{package} was uninstalled successfully": "{package} सफलतापूर्वक अनइंस्टॉल हो गया", - "{package} was updated successfully": "{package} सफलतापूर्वक अपडेट हो गया", - "{pcName} installed packages": "{pcName} पर इंस्टॉल किए गए पैकेज", "{pm} could not be found": "{pm} नहीं मिला", "{pm} found: {state}": "{pm} मिला: {state}", - "{pm} is disabled": "{pm} अक्षम है", - "{pm} is enabled and ready to go": "{pm} सक्षम है और उपयोग के लिए तैयार है", "{pm} package manager specific preferences": "{pm} पैकेज प्रबंधक विशिष्ट वरीयताएँ", "{pm} preferences": "{pm} वरीयताएँ", - "{pm} version:": "{pm} संस्करण:", - "{pm} was not found!": "{pm} नहीं मिला!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "नमस्ते, मेरा नाम मार्टी है, और मैं WingetUI का डेवलपर हूं। विनगेट यू आई पूरी तरह से मेरे खाली समय पर बनाया गया है!", + "Thank you ❤": "धन्यवाद ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "इस प्रोजेक्ट का ऑफिशियल {0} प्रोजेक्ट से कोई कनेक्शन नहीं है — यह पूरी तरह से अनौपचारिक है।" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hr.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hr.json index 415b307baf..6f10f298fa 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hr.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hr.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operacija u tijeku", + "Please wait...": "Molimo pričekajte...", + "Success!": "Uspjeh!", + "Failed": "Neuspješno", + "An error occurred while processing this package": "Došlo je do pogreške prilikom obrade ovog paketa", + "Log in to enable cloud backup": "Prijavite se da biste omogućili sigurnosno kopiranje u oblak", + "Backup Failed": "Sigurnosno kopiranje nije uspjelo", + "Downloading backup...": "Preuzimanje sigurnosnih kopija...", + "An update was found!": "Pronađeno je ažuriranje!", + "{0} can be updated to version {1}": "{0} može se ažurirati na verziju {1}", + "Updates found!": "Pronađena ažuriranja!", + "{0} packages can be updated": "{0} paketa se može ažurirati", + "You have currently version {0} installed": "Trenutno imate instaliranu verziju {0}", + "Desktop shortcut created": "Stvoren je prečac na radnoj površini", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI je otkrio novi prečac na radnoj površini koji se može automatski izbrisati.", + "{0} desktop shortcuts created": "{0} stvoreni prečaci na radnoj površini", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI je otkrio {0} nove prečace na radnoj površini koji se mogu automatski izbrisati.", + "Are you sure?": "Jeste li sigurni?", + "Do you really want to uninstall {0}?": "Želite li stvarno deinstalirati {0}?", + "Do you really want to uninstall the following {0} packages?": "Želite li zaista deinstalirati sljedeće pakete {0}?", + "No": "Ne", + "Yes": "Da", + "View on UniGetUI": "Pogledajte na UniGetUI-ju", + "Update": "Ažuriraj", + "Open UniGetUI": "Otvori UniGetUI", + "Update all": "Ažuriraj sve", + "Update now": "Ažuriraj sada", + "This package is on the queue": "Ovaj paket je u redu čekanja", + "installing": "instaliranje", + "updating": "ažuriranje", + "uninstalling": "deinstaliranje", + "installed": "instalirano", + "Retry": "Pokušaj ponovo", + "Install": "Instalirati", + "Uninstall": "Deinstaliraj", + "Open": "Otvori", + "Operation profile:": "Profil rada:", + "Follow the default options when installing, upgrading or uninstalling this package": "Slijedite zadane opcije prilikom instalacije, nadogradnje ili de-instalacije ovog paketa", + "The following settings will be applied each time this package is installed, updated or removed.": "Sljedeće postavke bit će primijenjene svaki put kada se ovaj paket instalira, ažurira ili ukloni.", + "Version to install:": "Verzija za instaliranje:", + "Architecture to install:": "Arhitektura za instalaciju:", + "Installation scope:": "Opseg instalacije:", + "Install location:": "Mjesto instalacije:", + "Select": "Odaberi", + "Reset": "Resetiraj", + "Custom install arguments:": "Argumenti prilagođene instalacije:", + "Custom update arguments:": "Argumenti prilagođene nadogradnje:", + "Custom uninstall arguments:": "Prilagođeni argumenti deinstalacije:", + "Pre-install command:": "Naredba pred instalacije:", + "Post-install command:": "Naredba nakon instalacije:", + "Abort install if pre-install command fails": "Prekini instalaciju ukoliko je prilikom pred-instalacijske naredbe došlo do greške", + "Pre-update command:": "Naredba prije ažuriranja:", + "Post-update command:": "Naredba nakon ažuriranja:", + "Abort update if pre-update command fails": "Prekini ažuriranje ukoliko je prilikom naredbe pred ažuriranja došlo do greške", + "Pre-uninstall command:": "Naredba prije de-instalacije:", + "Post-uninstall command:": "Naredba nakon de-instalacije:", + "Abort uninstall if pre-uninstall command fails": "Prekini de-instalaciju ukoliko je prilikom de-instalacijske naredbe došlo do greške", + "Command-line to run:": "Naredbeni redak za pokretanje:", + "Save and close": "Spremi i zatvori", + "Run as admin": "Pokreni kao administrator", + "Interactive installation": "Interaktivna instalacija", + "Skip hash check": "Preskoči provjeru hasha", + "Uninstall previous versions when updated": "Deinstalirajte prethodne verzije nakon ažuriranja", + "Skip minor updates for this package": "Preskoči manja ažuriranja za ovaj paket", + "Automatically update this package": "Automatski ažuriraj ovaj paket", + "{0} installation options": "opcije instalacije {0}", + "Latest": "Najnovije", + "PreRelease": "Pred-izdanje", + "Default": "Zadano", + "Manage ignored updates": "Upravljanje zanemarenim ažuriranjima", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Ovdje navedeni paketi neće biti uzeti u obzir prilikom provjere ažuriranja. Dvaput kliknite na njih ili kliknite gumb s njihove desne strane da prestanete ignorirati njihova ažuriranja.", + "Reset list": "Resetiraj popis", + "Package Name": "Naziv paketa", + "Package ID": "ID paketa", + "Ignored version": "Zanemarena verzija", + "New version": "Nova verzija", + "Source": "Izvor", + "All versions": "Sve verzije", + "Unknown": "Nepoznato", + "Up to date": "Ažurno", + "Cancel": "Odustani", + "Administrator privileges": "Administratorske ovlasti", + "This operation is running with administrator privileges.": "Ova se operacija izvodi s administratorskim ovlastima.", + "Interactive operation": "Interaktivni rad", + "This operation is running interactively.": "Ova operacija se izvodi interaktivno.", + "You will likely need to interact with the installer.": "Vjerojatno ćete morati imati interakciju s instalacijskim programom. ", + "Integrity checks skipped": "Provjere integriteta preskočene", + "Proceed at your own risk.": "Nastavite na vlastitu odgovornost.", + "Close": "Zatvori", + "Loading...": "Učitavanje...", + "Installer SHA256": "Instalacijski program SHA256", + "Homepage": "Početna stranica", + "Author": "Autor", + "Publisher": "Izdavač", + "License": "Licenca", + "Manifest": "Manifest", + "Installer Type": "Vrsta instalacijskog programa", + "Size": "Veličina", + "Installer URL": "URL instalacijskog programa", + "Last updated:": "Zadnje ažuriranje:", + "Release notes URL": "URL napomena o izdanju", + "Package details": "Detalji paketa", + "Dependencies:": "Zavisnosti:", + "Release notes": "Napomene o izdanju", + "Version": "Verzija", + "Install as administrator": "Instalirajte kao administrator", + "Update to version {0}": "Ažurirajte na verziju {0}", + "Installed Version": "Instalirana verzija", + "Update as administrator": "Ažurirajte kao administrator", + "Interactive update": "Interaktivno ažuriranje", + "Uninstall as administrator": "Deinstaliraj kao administrator", + "Interactive uninstall": "Interaktivna de-instalacija", + "Uninstall and remove data": "Deinstalirajte i uklonite podatke", + "Not available": "Nedostupno", + "Installer SHA512": "Instalacijski program SHA512", + "Unknown size": "Nepoznata veličina", + "No dependencies specified": "Nema navedenih zavisnosti", + "mandatory": "obavezno", + "optional": "opcija", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je spreman za instalaciju.", + "The update process will start after closing UniGetUI": "Proces ažuriranja započet će nakon zatvaranja UniGetUI-ja", + "Share anonymous usage data": "Dijelite anonimne podatke o korištenju", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI prikuplja anonimne podatke o korištenju kako bi poboljšao korisničko iskustvo.", + "Accept": "Prihvati", + "You have installed WingetUI Version {0}": "Instalirali ste UniGetUI verziju {0}", + "Disclaimer": "Izjava o odgovornosti", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nije povezan ni s jednim kompatibilnim upraviteljem paketa. UniGetUI je neovisni projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI ne bi bio moguć bez pomoći suradnika. Hvala svima 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI koristi sljedeće biblioteke. Bez njih, UniGetUI ne bi bio moguć.", + "{0} homepage": "{0} početna stranica", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI je preveden na više od 40 jezika zahvaljujući volonterima prevoditeljima. Hvala vam 🤝", + "Verbose": "Opširno", + "1 - Errors": "1 - Greške", + "2 - Warnings": "2 - Upozorenja", + "3 - Information (less)": "3 - Informacije (manje)", + "4 - Information (more)": "4 - Informacije (više)", + "5 - information (debug)": "5 - Informacije (debugiranje)", + "Warning": "Upozorenje", + "The following settings may pose a security risk, hence they are disabled by default.": "Sljedeće postavke mogu predstavljati sigurnosni rizik, stoga su prema zadanim postavkama onemogućene.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Omogućite postavke ispod AKO I SAMO AKO u potpunosti razumijete što rade, te posljedice i opasnosti koje mogu uključivati.", + "The settings will list, in their descriptions, the potential security issues they may have.": "U opisima postavki navedeni su potencijalni sigurnosni problemi koje mogu imati.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sigurnosna kopija će uključivati potpuni popis instaliranih paketa i njihovih opcija instalacije. Ignorirana ažuriranja i preskočene verzije također će biti spremljene.", + "The backup will NOT include any binary file nor any program's saved data.": "Sigurnosna kopija NEĆE sadržavati binarne datoteke niti spremljene podatke programa.", + "The size of the backup is estimated to be less than 1MB.": "Procjenjuje se da je veličina sigurnosne kopije manja od 1 MB.", + "The backup will be performed after login.": "Sigurnosna kopija će se izvršiti nakon prijave.", + "{pcName} installed packages": "{pcName} instalirani paketi", + "Current status: Not logged in": "Trenutni status: Niste prijavljeni", + "You are logged in as {0} (@{1})": "Prijavljeni ste kao {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Odlično! Sigurnosne kopije bit će prenesene u privatni gist na vašem računu.", + "Select backup": "Odaberi sigurnosnu kopiju", + "WingetUI Settings": "WingetUI postavke", + "Allow pre-release versions": "Dozvoli verzije pred-izdanja", + "Apply": "Primjeni", + "Go to UniGetUI security settings": "Idite na sigurnosne postavke UniGetUI-ja", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Sljedeće opcije će se primjenjivati prema zadanim postavkama svaki put kada se {0} paket instalira, nadogradi ili deinstalira.", + "Package's default": "Zadane postavke paketa", + "Install location can't be changed for {0} packages": "Lokacija instalacije ne može se promijeniti za pakete {0}", + "The local icon cache currently takes {0} MB": "Lokalna pred memorija ikona trenutno zauzima {0} MB", + "Username": "Korisničko ime", + "Password": "Lozinka", + "Credentials": "Vjerodajnice", + "Partially": "Djelomično", + "Package manager": "Upravitelj paketima", + "Compatible with proxy": "Kompatibilan s proxy-jem", + "Compatible with authentication": "Kompatibilno s autentifikacijom", + "Proxy compatibility table": "Tablica kompatibilnosti proxyja", + "{0} settings": "{0} postavki", + "{0} status": "status {0}", + "Default installation options for {0} packages": "Zadane mogućnosti instalacije za pakete {0}", + "Expand version": "Proširi verziju", + "The executable file for {0} was not found": "Izvršna datoteka za {0} nije pronađena", + "{pm} is disabled": "{pm} je onemogućen", + "Enable it to install packages from {pm}.": "Omogućite instaliranje paketa iz {pm}", + "{pm} is enabled and ready to go": "{pm} je omogućen i spreman za ići", + "{pm} version:": "{pm} verzija:", + "{pm} was not found!": "{pm} nije pronađen!", + "You may need to install {pm} in order to use it with WingetUI.": "Možda ćete morati instalirati {pm} kako biste ga mogli koristiti s UniGetUI-jem.", + "Scoop Installer - WingetUI": "Instalacijski program Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Program za de-instalaciju Scoop-a - UniGetUI", + "Clearing Scoop cache - WingetUI": "Brisanje Scoop pred-memorije - UniGetUI", + "Restart UniGetUI": "Ponovno pokrenite UniGetUI", + "Manage {0} sources": "Upravljanje {0} izvorima", + "Add source": "Dodaj izvor", + "Add": "Dodaj", + "Other": "Ostalo", + "1 day": "1 dan", + "{0} days": "{0} dana", + "{0} minutes": "{0} minuta", + "1 hour": "1 sat", + "{0} hours": "{0} sati", + "1 week": "1 tjedan", + "WingetUI Version {0}": "UniGetUI verzija {0}", + "Search for packages": "Traži pakete", + "Local": "Lokalno", + "OK": "U redu", + "{0} packages were found, {1} of which match the specified filters.": "Pronađeno je {0} paketa, {1} koji odgovara navedenim filterima.", + "{0} selected": "{0} odabrano", + "(Last checked: {0})": "(Posljednja provjera: {0})", + "Enabled": "Omogućeno", + "Disabled": "Onemogućeno", + "More info": "Više informacija", + "Log in with GitHub to enable cloud package backup.": "Prijavite se putem GitHub-a kako biste omogućili sigurnosnu kopiju paketa u oblaku.", + "More details": "Više detalja", + "Log in": "Prijava", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ako imate omogućenu sigurnosnu kopiju u oblaku, bit će spremljena kao GitHub Gist datoteka na ovom računu.", + "Log out": "Odjava", + "About": "O aplikaciji", + "Third-party licenses": "Licence trećih strana", + "Contributors": "Suradnici", + "Translators": "Prevoditelji", + "Manage shortcuts": "Upravljanje prečicama", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI je otkrio sljedeće prečace na radnoj površini koji se mogu automatski ukloniti prilikom budućih nadogradnji", + "Do you really want to reset this list? This action cannot be reverted.": "Želite li zaista resetirati ovaj popis? Ova se radnja ne može poništiti.", + "Remove from list": "Ukloni s popisa", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kada se otkriju novi prečaci, automatski ih izbriši umjesto prikazivanja ovog dijaloga.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI prikuplja anonimne podatke o korištenju s jedinom svrhom razumijevanja i poboljšanja korisničkog iskustva.", + "More details about the shared data and how it will be processed": "Više detalja o dijeljenim podacima i načinu njihove obrade", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Prihvaćate li da UniGetUI prikuplja i šalje anonimne statistike korištenja, s jedinom svrhom razumijevanja i poboljšanja korisničkog iskustva?", + "Decline": "Odbij", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ne prikupljaju se niti se šalju osobni podaci, a prikupljeni podaci su anonimizirani, tako da se ne mogu koristiti da vas se identificira.", + "About WingetUI": "O UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI je aplikacija koja olakšava upravljanje vašim softverom pružajući sveobuhvatno grafičko sučelje za vaše upravitelje paketa iz naredbenog retka.", + "Useful links": "Korisni linkovi", + "Report an issue or submit a feature request": "Prijavi problem ili pošalji zahtjev za značajku", + "View GitHub Profile": "Pogledajte profil na GitHub-u", + "WingetUI License": "UniGetUI licenca", + "Using WingetUI implies the acceptation of the MIT License": "Korištenjem UniGetUI-ja podrazumijevate prihvaćanje MIT licence", + "Become a translator": "Postanite prevodilac", + "View page on browser": "Pogledajte stranicu u pregledniku", + "Copy to clipboard": "Kopirati u međuspremnik", + "Export to a file": "Izvoz u datoteku", + "Log level:": "Razina zapisnika:", + "Reload log": "Ponovno učitaj dnevnik", + "Text": "Tekst", + "Change how operations request administrator rights": "Promjena načina na koji operacije zahtijevaju administratorska prava", + "Restrictions on package operations": "Ograničenja paketnih operacija", + "Restrictions on package managers": "Ograničenja za upravitelje paketa", + "Restrictions when importing package bundles": "Ograničenja pri uvozu skupova paketa", + "Ask for administrator privileges once for each batch of operations": "Zatražite administratorske ovlasti jednom za svaku grupu operacija", + "Ask only once for administrator privileges": "Samo jednom pitaj za administratorske privilegije", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zabrani bilo kakvu vrstu elevacije putem UniGetUI Elevatora ili GSudo-a", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ova opcija ĆE uzrokovati probleme. Bilo koja operacija koja ne može sama sebe podići NEĆE USPJETI. Instaliranje/ažuriranje/deinstaliranje kao administrator NEĆE RADITI.", + "Allow custom command-line arguments": "Dozvoli prilagođene argumente naredbenog retka", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Prilagođeni argumenti naredbenog retka mogu promijeniti način na koji se programi instaliraju, nadograđuju ili deinstaliraju na način koji UniGetUI ne može kontrolirati. Korištenje prilagođenih naredbenih redaka može oštetiti pakete. Nastavite s oprezom.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Zanemari prilagođene naredbe prije i poslije instalacije pri uvozu paketa iz skupa", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Naredbe prije i poslije instalacije izvršavat će se prije i nakon instalacije, nadogradnje ili de-instalacije paketa. Imajte na umu da mogu uzrokovati probleme ako se ne koriste pažljivo", + "Allow changing the paths for package manager executables": "Dozvoli promjenu putanja za izvršne datoteke upravitelja paketa", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Uključivanjem ove opcije omogućuje se promjena izvršne datoteke koja se koristi za interakciju s upraviteljima paketa. Iako to omogućuje preciznije prilagođavanje vaših instalacijskih procesa, može biti i opasno.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Dopusti uvoz prilagođenih argumenata naredbenog retka prilikom uvoza paketa iz skupova paketa", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Neispravno oblikovani argumenti naredbenog retka mogu oštetiti pakete ili čak omogućiti zlonamjernom akteru da dobije privilegirano izvršavanje. Stoga je uvoz prilagođenih argumenata naredbenog retka onemogućen prema zadanim postavkama", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Dozvoli uvoz prilagođenih argumenata naredbenog retka prilikom uvoza paketa iz skupa paketa", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Naredbe prije i poslije instalacije mogu učiniti vrlo loše stvari vašem uređaju, ako su za to dizajnirane. Uvoz naredbi iz paketa može biti vrlo opasan, osim ako ne vjerujete izvoru tog paketa.", + "Administrator rights and other dangerous settings": "Administratorska prava i ostale opasne postavke", + "Package backup": "Sigurnosna kopija paketa", + "Cloud package backup": "Sigurnosna kopija paketa u oblak", + "Local package backup": "Sigurnosna kopija lokalnog paketa", + "Local backup advanced options": "Napredne opcije lokalnog sigurnosnog kopiranja", + "Log in with GitHub": "Prijava pomoću GitHub-a", + "Log out from GitHub": "Odjava s GitHub-a", + "Periodically perform a cloud backup of the installed packages": "Povremeno napravite sigurnosnu kopiju instaliranih paketa u oblaku ", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Sigurnosna kopija u oblak koristi privatni GitHub Gist za pohranu popisa instaliranih paketa", + "Perform a cloud backup now": "Napravite sigurnosnu kopiju u oblaku odmah", + "Backup": "Sigurnosno kopiranje", + "Restore a backup from the cloud": "Vratite sigurnosnu kopiju iz oblaka", + "Begin the process to select a cloud backup and review which packages to restore": "Započnite postupak odabira sigurnosne kopije u oblaku i pregledajte koje pakete treba vratit", + "Periodically perform a local backup of the installed packages": "Povremeno napravite lokalnu sigurnosnu kopiju instaliranih paketa", + "Perform a local backup now": "Napravite lokalnu sigurnosnu kopiju odmah", + "Change backup output directory": "Promijenite putanju mape za sigurnosne kopije", + "Set a custom backup file name": "Postavite prilagođeni naziv datoteke sigurnosne kopije", + "Leave empty for default": "Ostavite prazno za zadane vrijednosti", + "Add a timestamp to the backup file names": "Dodajte vremensku oznaku nazivima datoteka sigurnosnih kopija", + "Backup and Restore": "Sigurnosno kopiranje i oporavak", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Omogući API u pozadini (Widgeti za UniGetUI i dijeljenje, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Pričekajte da se uređaj poveže s internetom prije nego što pokušate izvršiti zadatke koji zahtijevaju internetsku vezu.", + "Disable the 1-minute timeout for package-related operations": "Onemogućite vremensko ograničenje od 1 minute za operacije povezane s paketima", + "Use installed GSudo instead of UniGetUI Elevator": "Koristite instalirani GSudo umjesto UniGetUI Elevatora", + "Use a custom icon and screenshot database URL": "Koristite prilagođenu ikonu i URL baze podataka snimaka zaslona", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Omogući optimizacije korištenja CPU-a u pozadini (vidi Pull Request #3278)", + "Perform integrity checks at startup": "Izvršite provjere integriteta pri pokretanju", + "When batch installing packages from a bundle, install also packages that are already installed": "Prilikom grupne instalacije paketa iz skupa paketa, instalirajte i pakete koji su već instalirani", + "Experimental settings and developer options": "Eksperimentalne postavke i mogućnosti za programere", + "Show UniGetUI's version and build number on the titlebar.": "Prikaži verziju UniGetUI-ja na naslovnoj traci", + "Language": "Jezik", + "UniGetUI updater": "UniGetUI ažurirač", + "Telemetry": "Telemetrija", + "Manage UniGetUI settings": "Upravljanje postavkama UniGetUI-ja", + "Related settings": "Povezane postavke", + "Update WingetUI automatically": "Ažurirajte WingetUI automatski", + "Check for updates": "Provjeri dostupnost ažuriranja", + "Install prerelease versions of UniGetUI": "Instalirajte pred-izdane verzije UniGetUI-ja", + "Manage telemetry settings": "Upravljanje postavkama telemetrije", + "Manage": "Upravljaj", + "Import settings from a local file": "Uvezi postavke iz lokalne datoteke", + "Import": "Uvoz", + "Export settings to a local file": "Izvezi postavke u lokalnu datoteku", + "Export": "Izvoz", + "Reset WingetUI": "Resetiraj UniGetUI", + "Reset UniGetUI": "Resetiraj UniGetUI", + "User interface preferences": "Postavke korisničkog sučelja", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplikacije, početna stranica, ikone paketa, automatsko brisanje uspješnih instalacija", + "General preferences": "Opće postavke", + "WingetUI display language:": "WingetUI jezik prikaza:", + "Is your language missing or incomplete?": "Nedostaje li vaš jezik ili je nepotpun?", + "Appearance": "Izgled", + "UniGetUI on the background and system tray": "UniGetUI na pozadini i u sistemskoj traci", + "Package lists": "Popis paketa", + "Close UniGetUI to the system tray": "Zatvorite UniGetUI u sistemsku traku", + "Show package icons on package lists": "Prikaži ikone paketa na popisima paketa", + "Clear cache": "Očisti predmemoriju", + "Select upgradable packages by default": "Odaberite nadogradive pakete kao zadane postavke", + "Light": "Svjetlo", + "Dark": "Tamno", + "Follow system color scheme": "Slijedite shemu boja sustava", + "Application theme:": "Tema aplikacije:", + "Discover Packages": "Otkrijte pakete", + "Software Updates": "Ažuriranja softvera", + "Installed Packages": "Instalirani paketi", + "Package Bundles": "Skupovi paketa", + "Settings": "Postavke", + "UniGetUI startup page:": "Početna stranica UniGetUI-ja:", + "Proxy settings": "Postavke proxy-a", + "Other settings": "Ostale postavke", + "Connect the internet using a custom proxy": "Spojite se na internet pomoću prilagođenog proxy-ja", + "Please note that not all package managers may fully support this feature": "Imajte na umu da ne podržavaju svi upravitelji paketa u potpunosti ovu značajku", + "Proxy URL": "URL proxy poslužitelja", + "Enter proxy URL here": "Ovdje unesite proxy URL", + "Package manager preferences": "Postavke upravitelja paketa", + "Ready": "Spremno", + "Not found": "Nije pronađeno", + "Notification preferences": "Postavke obavijesti", + "Notification types": "Vrste obavijesti", + "The system tray icon must be enabled in order for notifications to work": "Ikona u programskoj traci mora biti omogućena da bi obavijesti radile", + "Enable WingetUI notifications": "Omogući WingetUI obavijesti", + "Show a notification when there are available updates": "Prikaži obavijest kada postoje dostupna ažuriranja", + "Show a silent notification when an operation is running": "Prikaži tihu obavijest kada je operacija u tijeku", + "Show a notification when an operation fails": "Prikaži obavijest kada operacija ne uspije", + "Show a notification when an operation finishes successfully": "Prikaži obavijest kada operacija uspješno završi", + "Concurrency and execution": "Podudarnost i izvođenje", + "Automatic desktop shortcut remover": "Automatsko uklanjanje prečica s radne površine", + "Clear successful operations from the operation list after a 5 second delay": "Obriši uspješne operacije s popisa operacija nakon 5 sekundi odgode", + "Download operations are not affected by this setting": "Ova postavka ne utječe na operacije preuzimanja", + "Try to kill the processes that refuse to close when requested to": "Pokušajte ubiti procese koji odbijaju zatvaranje kada se to zatraži", + "You may lose unsaved data": "Možete izgubiti ne spremljene podatke", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Pitaj za brisanje prečaca na radnoj površini stvorenih tijekom instalacije ili nadogradnje.", + "Package update preferences": "Postavke ažuriranja paketa", + "Update check frequency, automatically install updates, etc.": "Učestalost provjere ažuriranja, automatsko instaliranje ažuriranja itd.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Smanjite UAC upite, podignite instalacije prema zadanim postavkama, otključajte određene opasne značajke itd.", + "Package operation preferences": "Postavke rada paketa", + "Enable {pm}": "Omogući {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Ne možete pronaći datoteku koju tražite? Provjerite je li dodana u putanju.", + "For security reasons, changing the executable file is disabled by default": "Iz sigurnosnih razloga, promjena izvršne datoteke je prema zadanim postavkama onemogućena", + "Change this": "Promijeni ovo", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Odaberite program koji želite koristiti. Sljedeći popis prikazuje programe koje je pronašao UniGetUI", + "Current executable file:": "Trenutna izvršna datoteka:", + "Ignore packages from {pm} when showing a notification about updates": "Zanemari pakete iz {pm} prilikom prikazivanja obavijesti o ažuriranjima", + "View {0} logs": "Pregledaj {0} zapisnike", + "Advanced options": "Napredne opcije", + "Reset WinGet": "Resetiraj WinGet", + "This may help if no packages are listed": "Ovo može pomoći ako nisu navedeni paketi", + "Force install location parameter when updating packages with custom locations": "Prisilno koristi parametar lokacije instalacije pri ažuriranju paketa s prilagođenim lokacijama", + "Use bundled WinGet instead of system WinGet": "Koristite WinGet iz paketa umjesto WinGet-a iz sustava", + "This may help if WinGet packages are not shown": "Ovo može pomoći ako se WinGet paketi ne prikazuju", + "Install Scoop": "Instalirajte Scoop", + "Uninstall Scoop (and its packages)": "Deinstaliraj Scoop (i njegove pakete)", + "Run cleanup and clear cache": "Pokreni čišćenje i obriši pred-memoriju", + "Run": "Pokreni", + "Enable Scoop cleanup on launch": "Omogući Scoop čišćenje pri pokretanju", + "Use system Chocolatey": "Koristite sustavov Chocolatey", + "Default vcpkg triplet": "Zadani vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Jezik, tema i ostale razne postavke", + "Show notifications on different events": "Prikaz obavijesti o različitim događajima", + "Change how UniGetUI checks and installs available updates for your packages": "Promijenite način na koji UniGetUI provjerava i instalira dostupna ažuriranja za vaše pakete", + "Automatically save a list of all your installed packages to easily restore them.": "Automatski spremi popis svih instaliranih paketa kako bi ih se lako vratilo.", + "Enable and disable package managers, change default install options, etc.": "Omogućite i onemogućite upravitelje paketa, promijenite zadane opcije instalacije itd.", + "Internet connection settings": "Postavke internetske veze", + "Proxy settings, etc.": "Postavke proxy-a, itd.", + "Beta features and other options that shouldn't be touched": "Beta značajke i druge opcije koje se ne smiju dirati", + "Update checking": "Provjera ažuriranja", + "Automatic updates": "Automatska ažuriranja", + "Check for package updates periodically": "Povremeno provjerite ažuriranja paketa", + "Check for updates every:": "Provjerite ima li ažuriranja svakih:", + "Install available updates automatically": "Automatski instalirajte dostupna ažuriranja", + "Do not automatically install updates when the network connection is metered": "Ne instaliraj automatski ažuriranja kada je mrežna veza ograničena", + "Do not automatically install updates when the device runs on battery": "Ne instaliraj automatski ažuriranja kada uređaj radi na bateriji", + "Do not automatically install updates when the battery saver is on": "Ne instaliraj automatski ažuriranja kada je uključena ušteda baterije", + "Change how UniGetUI handles install, update and uninstall operations.": "Promijenite način na koji UniGetUI odrađuje operacije instalacije, ažuriranja te de-instalacije", + "Package Managers": "Upravitelji paketa", + "More": "Više", + "WingetUI Log": "UniGetUI Zapisnik", + "Package Manager logs": "Dnevnici upravitelja paketa", + "Operation history": "Povijest operacija", + "Help": "Pomoć", + "Order by:": "Poredaj po:", + "Name": "Naziv", + "Id": "ID", + "Ascendant": "Uzlazno", + "Descendant": "Silazno", + "View mode:": "Način prikaza:", + "Filters": "Filteri", + "Sources": "Izvori", + "Search for packages to start": "Za početak, pretražite pakete", + "Select all": "Odaberi sve", + "Clear selection": "Očisti odabir", + "Instant search": "Instant pretraga", + "Distinguish between uppercase and lowercase": "Razlikuj velika i mala slova", + "Ignore special characters": "Zanemari posebne znakove", + "Search mode": "Način traženja", + "Both": "Oboje", + "Exact match": "Točno podudaranje", + "Show similar packages": "Prikaži slične paketa", + "No results were found matching the input criteria": "Nisu pronađeni rezultati koji odgovaraju ulaznim kriterijima", + "No packages were found": "Paketi nisu pronađeni", + "Loading packages": "Učitavanje paketa", + "Skip integrity checks": "Preskoči provjere integriteta", + "Download selected installers": "Preuzmite odabrane programe za instalaciju", + "Install selection": "Instalirajte odabir", + "Install options": "Mogućnosti instalacije", + "Share": "Podijeli", + "Add selection to bundle": "Dodaj odabir u skup paketa", + "Download installer": "Preuzmite instalacijski program", + "Share this package": "Podijelite ovaj paket", + "Uninstall selection": "Odabir de-instalacije", + "Uninstall options": "Opcije de-instalacije", + "Ignore selected packages": "Ignorirajte odabrane pakete", + "Open install location": "Otvori mjesto instalacije", + "Reinstall package": "Ponovno instalirajte paket", + "Uninstall package, then reinstall it": "Deinstalirajte paket, a zatim ga ponovno instalirajte", + "Ignore updates for this package": "Ignorirajte ažuriranja za ovaj paket", + "Do not ignore updates for this package anymore": "Ne ignorirajte više ažuriranja za ovaj paket", + "Add packages or open an existing package bundle": "Dodajte pakete ili otvorite postojeći skup paketa", + "Add packages to start": "Dodajte pakete za početak", + "The current bundle has no packages. Add some packages to get started": "Trenutni skup paketa nema paketa. Dodajte nekoliko paketa za početak.", + "New": "Novo", + "Save as": "Spremi kao", + "Remove selection from bundle": "Ukloni odabir iz paketa", + "Skip hash checks": "Preskoči hash provjere", + "The package bundle is not valid": "Skup paketa nije valjan", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Skup paketa je uspješno kreiran. Čini se da paket koji pokušavate učitati nije valjan. Provjerite datoteku i pokušajte ponovno.", + "Package bundle": "Skupovi paketa", + "Could not create bundle": "Nije moguće izraditi skupa paketa", + "The package bundle could not be created due to an error.": "Skup paketa nije moguće stvoriti zbog pogreške.", + "Bundle security report": "Sigurnosno izvješće skupa paketa", + "Hooray! No updates were found.": "Hura! Nema ažuriranja!", + "Everything is up to date": "Sve je ažurirano", + "Uninstall selected packages": "Deinstaliraj odabrane pakete", + "Update selection": "Ažuriraj odabir", + "Update options": "Opcije ažuriranja", + "Uninstall package, then update it": "Deinstalirajte paket, a zatim ga ažurirajte", + "Uninstall package": "Deinstaliraj paket", + "Skip this version": "Preskoči ovu verziju", + "Pause updates for": "Pauziraj ažuriranja za", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Upravitelj paketa Rust.
Sadrži: Rust biblioteke i programe napisane u Rustu-", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasični upravitelj paketa za Windows. Sve ćete tamo pronaći.
Sadrži: Opći softver", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitorij pun alata i izvršnih programa dizajniran sa Microsoft .NET ekosustavom u ideji.
Sadrži: .NET povezane alate i skripte", + "NuPkg (zipped manifest)": "NuPkg (zipani manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS upravitelj paketa. Pun biblioteka i drugih uslužnih programa koji kruže svijetom Javascripta
Sadrži: Javascript biblioteke i druge srodne uslužne programe", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python upravitelj paketa. Pun python biblioteka i drugih uslužnih programa povezanih s Pythonom
Sadrži: Python biblioteke i srodnih uslužnih programa", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-ov upravitelj paketa. Pronađite biblioteke i skripte za proširenje PowerShell mogućnosti.
Sadrži: Module, Skripte, Cmdlets", + "extracted": "izvučeno", + "Scoop package": "Scoop paket", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Sjajno skladište nepoznatih, ali korisnih uslužnih programa i drugih zanimljivih paketa.
Sadrži: Uslužne programe, programe naredbenog retka, opći softver (potrebno je dodatno spremište)", + "library": "biblioteka", + "feature": "značajka", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Popularni upravitelj biblioteka za C/C++. Puni C/C++ biblioteka i drugih alata povezanih s C/C++.\nSadrži: C/C++ biblioteke i povezane alate.", + "option": "opcija", + "This package cannot be installed from an elevated context.": "Ovaj paket se ne može instalirati iz povišenog konteksta.", + "Please run UniGetUI as a regular user and try again.": "Molimo pokrenite UniGetUI kao običan korisnik i pokušajte ponovno.", + "Please check the installation options for this package and try again": "Molimo provjerite opcije instalacije za ovaj paket i pokušajte ponovno", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftov službeni upravitelj paketa. Pun dobro poznatih i provjerenih paketa
Sadrži: Opći softver, aplikacije Microsoft Storea", + "Local PC": "Lokalno računalo", + "Android Subsystem": "Android podsustav", + "Operation on queue (position {0})...": "Operacija u redu čekanja (pozicija {0})...", + "Click here for more details": "Kliknite ovdje za više detalja", + "Operation canceled by user": "Operaciju je otkazao korisnik", + "Starting operation...": "Pokretanje operacije...", + "{package} installer download": "preuzimanje instalacijskog programa {package}", + "{0} installer is being downloaded": "instalacijski program {0} se preuzima", + "Download succeeded": "Preuzimanje uspješno", + "{package} installer was downloaded successfully": "Instalacijski program {package} je uspješno preuzet", + "Download failed": "Preuzimanje neuspješno", + "{package} installer could not be downloaded": "instalacijski program {package} nije moguće preuzeti", + "{package} Installation": "{package} Instalacija", + "{0} is being installed": "{0} se instalira", + "Installation succeeded": "Uspješna instalacija", + "{package} was installed successfully": "{package} je uspješno instaliran", + "Installation failed": "Instalacija neuspješna", + "{package} could not be installed": "{package} nije moguće instalirati", + "{package} Update": "{package} Ažuriranje", + "{0} is being updated to version {1}": "{0} ažurira se na verziju {1}", + "Update succeeded": "Ažuriranje uspjelo", + "{package} was updated successfully": "{package} je uspješno ažuriran ", + "Update failed": "Ažuriranje nije uspjelo", + "{package} could not be updated": "{package} nije moguće ažurirati", + "{package} Uninstall": "{package} Deinstaliranje", + "{0} is being uninstalled": "{0} se deinstalira", + "Uninstall succeeded": "De-instalacija je uspjela", + "{package} was uninstalled successfully": "{package} je uspješno deinstaliran", + "Uninstall failed": "Deinstalirajte neuspješna", + "{package} could not be uninstalled": "{package} nije moguće deinstalirati", + "Adding source {source}": "Dodavanje izvora {source}", + "Adding source {source} to {manager}": "Dodavanje izvora {source} u {manager}", + "Source added successfully": "Izvor uspješno dodan", + "The source {source} was added to {manager} successfully": "Izvor {source} je uspješno dodan u {manager}", + "Could not add source": "Nije moguće dodati izvor", + "Could not add source {source} to {manager}": "Nije moguće dodavanje izvora {source} u {manager}", + "Removing source {source}": "Uklanjanje izvora {source}", + "Removing source {source} from {manager}": "Uklanjanje izvora {source} iz {manager}", + "Source removed successfully": "Izvor uspješno uklonjen", + "The source {source} was removed from {manager} successfully": "Izvor {source} je uspješno uklonjen iz {manager}", + "Could not remove source": "Nije moguće ukloniti izvor", + "Could not remove source {source} from {manager}": "Nije moguće ukloniti izvor {source} iz {manager}", + "The package manager \"{0}\" was not found": "Upravitelj paketa \"{0}\" nije pronađen", + "The package manager \"{0}\" is disabled": "Upravitelj paketa \"{0}\" je onemogućen", + "There is an error with the configuration of the package manager \"{0}\"": "Došlo je do pogreške u konfiguraciji upravitelja paketa \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket \"{0}\" nije pronađen u upravitelju paketa \"{1}\"", + "{0} is disabled": "{0} je onemogućen", + "Something went wrong": "Nešto nije u redu", + "An interal error occurred. Please view the log for further details.": "Došlo je do interne pogreške. Za više informacija pogledajte zapisnik.", + "No applicable installer was found for the package {0}": "Nije pronađen odgovarajući instalacijski program za paket {0}", + "We are checking for updates.": "Provjeravamo ažuriranja.", + "Please wait": "Molim pričekajte", + "UniGetUI version {0} is being downloaded.": "UniGetUI verzija {0} se preuzima.", + "This may take a minute or two": "Ovo može potrajati minutu ili dvije", + "The installer authenticity could not be verified.": "Autentičnost instalacijskog programa nije mogla biti potvrđena.", + "The update process has been aborted.": "Proces ažuriranja je prekinut.", + "Great! You are on the latest version.": "Odlično! Imate najnoviju verziju.", + "There are no new UniGetUI versions to be installed": "Nema novih verzija UniGetUI-ja za instaliranje", + "An error occurred when checking for updates: ": "Došlo je do pogreške prilikom provjere ažuriranja: ", + "UniGetUI is being updated...": "UniGetUI se ažurira...", + "Something went wrong while launching the updater.": "Došlo je do pogreške prilikom pokretanja ažuriranja.", + "Please try again later": "Molim pokušajte ponovno kasnije", + "Integrity checks will not be performed during this operation": "Provjere integriteta neće se provoditi tijekom ove operacije", + "This is not recommended.": "Ovo se ne preporučuje.", + "Run now": "Pokreni odmah", + "Run next": "Pokreni sljedeće", + "Run last": "Pokreni zadnje", + "Retry as administrator": "Pokušajte ponovno kao administrator", + "Retry interactively": "Pokušaj ponovno interaktivno", + "Retry skipping integrity checks": "Pokušaj ponovno uz preskakanje provjera integriteta", + "Installation options": "Mogućnosti instalacije", + "Show in explorer": "Prikaži u exploreru", + "This package is already installed": "Ovaj paket je već instaliran", + "This package can be upgraded to version {0}": "Ovaj paket se može nadograditi na verziju {0}", + "Updates for this package are ignored": "Ažuriranja za ovaj paket se ignoriraju", + "This package is being processed": "Ovaj paket se obrađuje", + "This package is not available": "Ovaj paket nije dostupan", + "Select the source you want to add:": "Odaberite izvor koji želite dodati:", + "Source name:": "Naziv izvora:", + "Source URL:": "Izvorni URL:", + "An error occurred": "Došlo je do pogreške", + "An error occurred when adding the source: ": "Došlo je do pogreške prilikom dodavanja izvora: ", + "Package management made easy": "Olakšano upravljanje paketima", + "version {0}": "verzija {0}", + "[RAN AS ADMINISTRATOR]": "POKRENUTO KAO ADMINISTRATOR", + "Portable mode": "Prijenosni način rada", + "DEBUG BUILD": "DEBUG VERZIJA", + "Available Updates": "Dostupna ažuriranja", + "Show WingetUI": "Prikaži WingetUI", + "Quit": "Zatvori", + "Attention required": "Potrebna je pažnja", + "Restart required": "Potrebno ponovno pokretanje", + "1 update is available": "Dostupno je 1 ažuriranje", + "{0} updates are available": "{0} ažuriranja je dostupno", + "WingetUI Homepage": "Početna stranica UniGetUI", + "WingetUI Repository": "UniGetUI repozitorij", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Ovdje možete promijeniti ponašanje UniGetUI-ja u vezi sa sljedećim prečacima. Označavanjem prečaca - UniGetUI će ga izbrisati ako se stvori prilikom buduće nadogradnje. Poništavanjem odabira - prečac će ostati netaknut.", + "Manual scan": "Ručno skeniranje", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Postojeći prečaci na vašoj radnoj površini bit će skenirani i morati ćete odabrati koje ćete zadržati, a koje ukloniti.", + "Continue": "Nastavi", + "Delete?": "Obrisati?", + "Missing dependency": "Nedostajuća zavisnost", + "Not right now": "Ne sada", + "Install {0}": "Instaliraj {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI zahtijeva {0} za rad, ali nije pronađen na vašem sustavu.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknite na Instaliraj za početak postupka instalacije. Ako preskočite instalaciju, UniGetUI možda neće raditi kako je očekivano", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativno, {0} možete instalirati i pokretanjem sljedeće naredbe u Windows PowerShell:", + "Do not show this dialog again for {0}": "Ne prikazuj ovaj dijalog ponovno za {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Molim pričekajte dok se {0} instalira. Može se pojaviti crni (ili plavi) prozor. Pričekajte da se zatvori.", + "{0} has been installed successfully.": "{0} je uspješno instaliran.", + "Please click on \"Continue\" to continue": "Molimo kliknite na \"Nastavi\" za nastavak", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} je uspješno instaliran. Preporučuje se ponovno pokretanje UniGetUI-ja kako bi se instalacija dovršila.", + "Restart later": "Ponovno pokretanje kasnije", + "An error occurred:": "Došlo je do pogreške:", + "I understand": "Razumijem", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI je pokrenut kao administrator, što se ne preporučuje. Prilikom pokretanja UniGetUI-ja kao administrator, SVAKA operacija pokrenuta iz UniGetUI-ja imat će administratorske privilegije. Program i dalje možete koristiti, ali toplo preporučujemo da ne pokrećete UniGetUI s administratorskim privilegijama.", + "WinGet was repaired successfully": "WinGet je uspješno popravljen", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Preporučuje se ponovno pokretanje UniGetUI-ja nakon što je WinGet popravljen.", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NAPOMENA: Ovaj alat za rješavanje problema može se onemogućiti u postavkama UniGetUI-ja, u odjeljku WinGet", + "Restart": "Ponovno pokretanje", + "WinGet could not be repaired": "WinGet se nije mogao popraviti", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Došlo je do neočekivanog problema prilikom pokušaja popravka WinGet-a. Pokušajte ponovno kasnije.", + "Are you sure you want to delete all shortcuts?": "Jeste li sigurni da želite izbrisati sve prečace?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Svi novi prečaci stvoreni tijekom instalacije ili ažuriranja bit će automatski izbrisani, bez prikazivanja upita za potvrdu pri prvom otkrivanju.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Svi prečaci kreirani ili izmijenjeni izvan UniGetUI-ja bit će ignorirani. Moći ćete ih dodati putem gumba {0}.", + "Are you really sure you want to enable this feature?": "Jeste li zaista sigurni da želite omogućiti ovu značajku?", + "No new shortcuts were found during the scan.": "Tijekom skeniranja nisu pronađeni novi prečaci.", + "How to add packages to a bundle": "Kako dodati pakete u skup paketa", + "In order to add packages to a bundle, you will need to: ": "Da biste dodali pakete u skup paketa, trebat će vam:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Idite na stranicu \"{0}\" ili \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Pronađite paket(e) koje želite dodati u skup paketa i označite njihov potvrdni okvir krajnje lijevo.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kada su paketi koje želite dodati u skup paketa odabrani, pronađite i kliknite opciju \"{0}\" na alatnoj traci.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaši paketi su dodani u skup paketa. Možete nastaviti dodavati pakete ili izvesti skup paketa.", + "Which backup do you want to open?": "Koju sigurnosnu kopiju želite otvoriti?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Odaberite sigurnosnu kopiju koju želite otvoriti. Kasnije ćete moći pregledati koje pakete/programe želite vratiti.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Postoje operacije u tijeku. Izlazak iz UniGetUI-ja može uzrokovati njihov neuspjeh. Želite li nastaviti?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ili neke njegove komponente nedostaju ili su oštećene.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Preporučuje se ponovna instalacija UniGetUI-ja kako bi se riješila situacija.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Za više detalja o pogođenim datotekama pogledajte UniGetUI zapisnike.", + "Integrity checks can be disabled from the Experimental Settings": "Provjere integriteta mogu se onemogućiti u eksperimentalnim postavkama", + "Repair UniGetUI": "Popravi UniGetUI", + "Live output": "Izlaz u stvarnom vremenu", + "Package not found": "Paket nije pronađen", + "An error occurred when attempting to show the package with Id {0}": "Došlo je do pogreške prilikom pokušaja prikaza paketa s ID-om {0}", + "Package": "Paket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ovaj paketni skup imao je neke postavke koje su potencijalno opasne i mogu se prema zadanim postavkama zanemariti.", + "Entries that show in YELLOW will be IGNORED.": "Unosi koji su označeni ŽUTOM bojom bit će ZANEMARENI.", + "Entries that show in RED will be IMPORTED.": "Unosi koji se prikazuju CRVENOM bojom bit će UVEŽENI.", + "You can change this behavior on UniGetUI security settings.": "Ovo ponašanje možete promijeniti u sigurnosnim postavkama UniGetUI-ja.", + "Open UniGetUI security settings": "Otvorite sigurnosne postavke UniGetUI-ja", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ako promijenite sigurnosne postavke, morat ćete ponovno otvoriti paket da bi promjene stupile na snagu.", + "Details of the report:": "Pojedinosti izvješća:", "\"{0}\" is a local package and can't be shared": "\"{0}\" je lokalni paket i ne može se dijeliti", + "Are you sure you want to create a new package bundle? ": "Jeste li sigurni da želite stvoriti novi skup paketa?", + "Any unsaved changes will be lost": "Sve nespremljene promjene bit će izgubljene", + "Warning!": "Upozorenje!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Iz sigurnosnih razloga, prilagođeni argumenti naredbenog retka su prema zadanim postavkama onemogućeni. Idite u sigurnosne postavke UniGetUI-ja da biste to promijenili.", + "Change default options": "Promijenite zadane opcije", + "Ignore future updates for this package": "Ignorirajte buduća ažuriranja za ovaj paket", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Iz sigurnosnih razloga, skripte prije i poslije operacije su prema zadanim postavkama onemogućene. Idite u sigurnosne postavke UniGetUI-ja da biste to promijenili.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Možete definirati naredbe koje će se izvršavati prije ili nakon instalacije, ažuriranja ili de-instalacije ovog paketa. Izvršavat će se u naredbenom retku, tako da će CMD skripte ovdje raditi.", + "Change this and unlock": "Promijeni ovo te otključaj", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Opcije instalacije su trenutno zaključane jer {0} slijedi zadane opcije instalacije.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Odaberite procese koji bi trebali biti zatvoreni prije instalacije, ažuriranja ili de-instalacije ovog paketa.", + "Write here the process names here, separated by commas (,)": "Ovdje napišite nazive procesa, odvojene zarezima (,)", + "Unset or unknown": "Nepostavljeno ili nepoznato", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Za više informacija o problemu pogledajte izlaz naredbenog retka ili pogledajte povijest operacija.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ovaj paket nema snimki zaslona ili mu nedostaje ikona? Doprinesite UniGetUI-ju dodavanjem ikona i snimaka zaslona koje nedostaju u našu otvorenu, javnu bazu podataka.", + "Become a contributor": "Postanite suradnik", + "Save": "Spremi", + "Update to {0} available": "Dostupno ažuriranje na {0}", + "Reinstall": "Ponovna instalacija", + "Installer not available": "Instalacijski program nedostupan", + "Version:": "Verzija:", + "Performing backup, please wait...": "Izvodi se sigurnosna kopija, pričekajte...", + "An error occurred while logging in: ": "Došlo je do pogreške prilikom prijave:", + "Fetching available backups...": "Dohvaćanje dostupnih sigurnosnih kopija...", + "Done!": "Gotovo!", + "The cloud backup has been loaded successfully.": "Sigurnosna kopija u oblaku uspješno je učitana.", + "An error occurred while loading a backup: ": "Došlo je do pogreške prilikom učitavanja sigurnosne kopije:", + "Backing up packages to GitHub Gist...": "Sigurnosno kopiranje paketa na GitHub Gist...", + "Backup Successful": "Sigurnosno kopiranje uspješno", + "The cloud backup completed successfully.": "Sigurnosna kopija u oblaku uspješno je dovršena.", + "Could not back up packages to GitHub Gist: ": "Nije moguće sigurnosno kopiranje paketa na GitHub Gist...", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nije zajamčeno da će uneseni podaci za prijavu biti sigurno pohranjeni, stoga ne biste trebali koristiti podatke za svoj bankovni račun.", + "Enable the automatic WinGet troubleshooter": "Omogućite automatski alat za rješavanje problema s WinGetom", + "Enable an [experimental] improved WinGet troubleshooter": "Omogući [eksperimentalni] poboljšani alat za rješavanje problema s UniGetUI-om", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Dodajte ažuriranja koja ne uspiju s porukom 'nije pronađeno primjenjivo ažuriranje' na popis zanemarenih ažuriranja.", + "Restart WingetUI to fully apply changes": "Ponovo pokrenite UniGetUI da biste u potpunosti primijenili promjene.", + "Restart WingetUI": "Ponovno pokrenite WingetUI", + "Invalid selection": "Nevažeći odabir", + "No package was selected": "Nijedan paket nije odabran", + "More than 1 package was selected": "Odabrano je više od 1 paketa", + "List": "Popis", + "Grid": "Rešetka", + "Icons": "Ikone", "\"{0}\" is a local package and does not have available details": "\"{0}\" je lokalni paket i nema dostupnih detalja", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" je lokalni paket i nije kompatibilan s ovom značajkom", - "(Last checked: {0})": "(Posljednja provjera: {0})", + "WinGet malfunction detected": "Otkriven kvar WinGet-a", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Djeluje da WinGet ne radi ispravno. Želite li pokušati popraviti WinGet?", + "Repair WinGet": "Popravi WinGet", + "Create .ps1 script": "Izradi .ps1 skriptu", + "Add packages to bundle": "Dodaj pakete u skup paketa", + "Preparing packages, please wait...": "Pripremamo pakete, molimo pričekajte...", + "Loading packages, please wait...": "Učitavanje paketa, molimo pričekajte...", + "Saving packages, please wait...": "Spremanje paketa, molimo pričekajte...", + "The bundle was created successfully on {0}": "Skup paketa je uspješno izrađen na {0}", + "Install script": "Instaliraj skriptu", + "The installation script saved to {0}": "Instalacijska skripta spremljena je u {0}", + "An error occurred while attempting to create an installation script:": "Došlo je do pogreške prilikom pokušaja stvaranja instalacijske skripte:", + "{0} packages are being updated": "{0} paketa se ažurira", + "Error": "Greška", + "Log in failed: ": "Prijava neuspješna:", + "Log out failed: ": "Odjava neuspješna: ", + "Package backup settings": "Postavke sigurnosne kopije paketa", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Broj {0} u redu čekanja)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "Stjepan Treger, @AndrejFeher, Ivan Nuić", "0 packages found": "0 pronađenih paketa", "0 updates found": "0 ažuriranja pronađeno", - "1 - Errors": "1 - Greške", - "1 day": "1 dan", - "1 hour": "1 sat", "1 month": "1 mjesec", "1 package was found": "1 paket pronađen", - "1 update is available": "Dostupno je 1 ažuriranje", - "1 week": "1 tjedan", "1 year": "1 godina", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Idite na stranicu \"{0}\" ili \"{1}\".", - "2 - Warnings": "2 - Upozorenja", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Pronađite paket(e) koje želite dodati u skup paketa i označite njihov potvrdni okvir krajnje lijevo.", - "3 - Information (less)": "3 - Informacije (manje)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kada su paketi koje želite dodati u skup paketa odabrani, pronađite i kliknite opciju \"{0}\" na alatnoj traci.", - "4 - Information (more)": "4 - Informacije (više)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaši paketi su dodani u skup paketa. Možete nastaviti dodavati pakete ili izvesti skup paketa.", - "5 - information (debug)": "5 - Informacije (debugiranje)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Popularni upravitelj biblioteka za C/C++. Puni C/C++ biblioteka i drugih alata povezanih s C/C++.\nSadrži: C/C++ biblioteke i povezane alate.", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitorij pun alata i izvršnih programa dizajniran sa Microsoft .NET ekosustavom u ideji.
Sadrži: .NET povezane alate i skripte", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repozitorij pun alata dizajniranih sa Microsoft .NET ekosustavom u ideji.
Sadrži: .NET alate", "A restart is required": "Potrebno je ponovno pokretanje", - "Abort install if pre-install command fails": "Prekini instalaciju ukoliko je prilikom pred-instalacijske naredbe došlo do greške", - "Abort uninstall if pre-uninstall command fails": "Prekini de-instalaciju ukoliko je prilikom de-instalacijske naredbe došlo do greške", - "Abort update if pre-update command fails": "Prekini ažuriranje ukoliko je prilikom naredbe pred ažuriranja došlo do greške", - "About": "O aplikaciji", "About Qt6": "O Qt6", - "About WingetUI": "O UniGetUI", "About WingetUI version {0}": "O UniGetUI verziji {0}", "About the dev": "O developeru", - "Accept": "Prihvati", "Action when double-clicking packages, hide successful installations": "Radnja pri dvostrukom kliku na pakete, skrivanje uspješnih instalacija", - "Add": "Dodaj", "Add a source to {0}": "Dodaj izvor za {0}", - "Add a timestamp to the backup file names": "Dodajte vremensku oznaku nazivima datoteka sigurnosnih kopija", "Add a timestamp to the backup files": "Dodajte vremensku oznaku datotekama sigurnosnih kopija", "Add packages or open an existing bundle": "Dodajte pakete ili otvorite postojeći skup paketa", - "Add packages or open an existing package bundle": "Dodajte pakete ili otvorite postojeći skup paketa", - "Add packages to bundle": "Dodaj pakete u skup paketa", - "Add packages to start": "Dodajte pakete za početak", - "Add selection to bundle": "Dodaj odabir u skup paketa", - "Add source": "Dodaj izvor", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Dodajte ažuriranja koja ne uspiju s porukom 'nije pronađeno primjenjivo ažuriranje' na popis zanemarenih ažuriranja.", - "Adding source {source}": "Dodavanje izvora {source}", - "Adding source {source} to {manager}": "Dodavanje izvora {source} u {manager}", "Addition succeeded": "Dodavanje uspješno", - "Administrator privileges": "Administratorske ovlasti", "Administrator privileges preferences": "Postavke administratorskih prava", "Administrator rights": "Administratorska prava", - "Administrator rights and other dangerous settings": "Administratorska prava i ostale opasne postavke", - "Advanced options": "Napredne opcije", "All files": "Sve datoteke", - "All versions": "Sve verzije", - "Allow changing the paths for package manager executables": "Dozvoli promjenu putanja za izvršne datoteke upravitelja paketa", - "Allow custom command-line arguments": "Dozvoli prilagođene argumente naredbenog retka", - "Allow importing custom command-line arguments when importing packages from a bundle": "Dopusti uvoz prilagođenih argumenata naredbenog retka prilikom uvoza paketa iz skupova paketa", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Dozvoli uvoz prilagođenih argumenata naredbenog retka prilikom uvoza paketa iz skupa paketa", "Allow package operations to be performed in parallel": "Omogući paralelno izvođenje operacija paketa", "Allow parallel installs (NOT RECOMMENDED)": "Dopusti paralelne instalacije (NE PREPORUČUJE SE)", - "Allow pre-release versions": "Dozvoli verzije pred-izdanja", "Allow {pm} operations to be performed in parallel": "Omogući paralelno izvođenje {pm} operacija", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativno, {0} možete instalirati i pokretanjem sljedeće naredbe u Windows PowerShell:", "Always elevate {pm} installations by default": "Uvijek povisi {pm} instalacije prema zadanim postavkama", "Always run {pm} operations with administrator rights": "Uvijek pokreni {pm} operacije s administratorskim pravima", - "An error occurred": "Došlo je do pogreške", - "An error occurred when adding the source: ": "Došlo je do pogreške prilikom dodavanja izvora: ", - "An error occurred when attempting to show the package with Id {0}": "Došlo je do pogreške prilikom pokušaja prikaza paketa s ID-om {0}", - "An error occurred when checking for updates: ": "Došlo je do pogreške prilikom provjere ažuriranja: ", - "An error occurred while attempting to create an installation script:": "Došlo je do pogreške prilikom pokušaja stvaranja instalacijske skripte:", - "An error occurred while loading a backup: ": "Došlo je do pogreške prilikom učitavanja sigurnosne kopije:", - "An error occurred while logging in: ": "Došlo je do pogreške prilikom prijave:", - "An error occurred while processing this package": "Došlo je do pogreške prilikom obrade ovog paketa", - "An error occurred:": "Došlo je do pogreške:", - "An interal error occurred. Please view the log for further details.": "Došlo je do interne pogreške. Za više informacija pogledajte zapisnik.", "An unexpected error occurred:": "Došlo je do neočekivane pogreške:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Došlo je do neočekivanog problema prilikom pokušaja popravka WinGet-a. Pokušajte ponovno kasnije.", - "An update was found!": "Pronađeno je ažuriranje!", - "Android Subsystem": "Android podsustav", "Another source": "Drugi izvor", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Svi novi prečaci stvoreni tijekom instalacije ili ažuriranja bit će automatski izbrisani, bez prikazivanja upita za potvrdu pri prvom otkrivanju.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Svi prečaci kreirani ili izmijenjeni izvan UniGetUI-ja bit će ignorirani. Moći ćete ih dodati putem gumba {0}.", - "Any unsaved changes will be lost": "Sve nespremljene promjene bit će izgubljene", "App Name": "Naziv aplikacije", - "Appearance": "Izgled", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplikacije, početna stranica, ikone paketa, automatsko brisanje uspješnih instalacija", - "Application theme:": "Tema aplikacije:", - "Apply": "Primjeni", - "Architecture to install:": "Arhitektura za instalaciju:", "Are these screenshots wron or blurry?": "Jesu li ove snimke zaslona pogrešne ili mutne?", - "Are you really sure you want to enable this feature?": "Jeste li zaista sigurni da želite omogućiti ovu značajku?", - "Are you sure you want to create a new package bundle? ": "Jeste li sigurni da želite stvoriti novi skup paketa?", - "Are you sure you want to delete all shortcuts?": "Jeste li sigurni da želite izbrisati sve prečace?", - "Are you sure?": "Jeste li sigurni?", - "Ascendant": "Uzlazno", - "Ask for administrator privileges once for each batch of operations": "Zatražite administratorske ovlasti jednom za svaku grupu operacija", "Ask for administrator rights when required": "Zatražite administratorska prava kada je potrebno", "Ask once or always for administrator rights, elevate installations by default": "Pitaj jednom ili uvijek za administratorska prava, povisite instalacije prema zadanim postavkama", - "Ask only once for administrator privileges": "Samo jednom pitaj za administratorske privilegije", "Ask only once for administrator privileges (not recommended)": "Pitaj samo jednom za administratorske privilegije (ne preporučuje se)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Pitaj za brisanje prečaca na radnoj površini stvorenih tijekom instalacije ili nadogradnje.", - "Attention required": "Potrebna je pažnja", "Authenticate to the proxy with an user and a password": "Autentificirajte se na proxy korisničkim imenom i lozinkom.", - "Author": "Autor", - "Automatic desktop shortcut remover": "Automatsko uklanjanje prečica s radne površine", - "Automatic updates": "Automatska ažuriranja", - "Automatically save a list of all your installed packages to easily restore them.": "Automatski spremi popis svih instaliranih paketa kako bi ih se lako vratilo.", "Automatically save a list of your installed packages on your computer.": "Automatski spremi popis instaliranih paketa na svoje računalo.", - "Automatically update this package": "Automatski ažuriraj ovaj paket", "Autostart WingetUI in the notifications area": "Automatski pokrenite UniGetUI u području obavijesti", - "Available Updates": "Dostupna ažuriranja", "Available updates: {0}": "Dostupna ažuriranja: {0}", "Available updates: {0}, not finished yet...": "Dostupna ažuriranja: {0}, još nisu završena...", - "Backing up packages to GitHub Gist...": "Sigurnosno kopiranje paketa na GitHub Gist...", - "Backup": "Sigurnosno kopiranje", - "Backup Failed": "Sigurnosno kopiranje nije uspjelo", - "Backup Successful": "Sigurnosno kopiranje uspješno", - "Backup and Restore": "Sigurnosno kopiranje i oporavak", "Backup installed packages": "Sigurnosno kopiranje instaliranih paketa", "Backup location": "Mjesto pohrane sigurnosnog kopiranja", - "Become a contributor": "Postanite suradnik", - "Become a translator": "Postanite prevodilac", - "Begin the process to select a cloud backup and review which packages to restore": "Započnite postupak odabira sigurnosne kopije u oblaku i pregledajte koje pakete treba vratit", - "Beta features and other options that shouldn't be touched": "Beta značajke i druge opcije koje se ne smiju dirati", - "Both": "Oboje", - "Bundle security report": "Sigurnosno izvješće skupa paketa", "But here are other things you can do to learn about WingetUI even more:": "Ali evo drugih stvari koje možete učiniti kako biste saznali još više o WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Isključivanjem upravitelja paketa više nećete moći vidjeti ili ažurirati njegove pakete", "Cache administrator rights and elevate installers by default": "Predmemoriraj administratorska prava i povisite programe za instalaciju prema zadanim postavkama", "Cache administrator rights, but elevate installers only when required": "Predmemoriraj administratorska prava, ali povisite programe za instalaciju samo kada je to potrebno", "Cache was reset successfully!": "Predmemorija je uspješno poništena!", "Can't {0} {1}": "Nemoguće {0} {1}", - "Cancel": "Odustani", "Cancel all operations": "Otkaži sve zadatke", - "Change backup output directory": "Promijenite putanju mape za sigurnosne kopije", - "Change default options": "Promijenite zadane opcije", - "Change how UniGetUI checks and installs available updates for your packages": "Promijenite način na koji UniGetUI provjerava i instalira dostupna ažuriranja za vaše pakete", - "Change how UniGetUI handles install, update and uninstall operations.": "Promijenite način na koji UniGetUI odrađuje operacije instalacije, ažuriranja te de-instalacije", "Change how UniGetUI installs packages, and checks and installs available updates": "Promijenite način na koji UniGetUI instalira pakete te provjerava i instalira dostupna ažuriranja", - "Change how operations request administrator rights": "Promjena načina na koji operacije zahtijevaju administratorska prava", "Change install location": "Promijenite mjesto instalacije", - "Change this": "Promijeni ovo", - "Change this and unlock": "Promijeni ovo te otključaj", - "Check for package updates periodically": "Povremeno provjerite ažuriranja paketa", - "Check for updates": "Provjeri dostupnost ažuriranja", - "Check for updates every:": "Provjerite ima li ažuriranja svakih:", "Check for updates periodically": "Povremeno provjeri ima li ažuriranja", "Check for updates regularly, and ask me what to do when updates are found.": "Redovito provjeravaj ažuriranja i pitaj me što učiniti kada se ažuriranja pronađu.", "Check for updates regularly, and automatically install available ones.": "Redovito provjeravajte ažuriranja i automatski instalirajte dostupna.", @@ -159,805 +741,283 @@ "Checking for updates...": "Provjera ažuriranja...", "Checking found instace(s)...": "Provjera pronađenih instanci...", "Choose how many operations shouls be performed in parallel": "Odredite koliko operacija treba izvoditi paralelno", - "Clear cache": "Očisti predmemoriju", "Clear finished operations": "Očisti završene operacije", - "Clear selection": "Očisti odabir", "Clear successful operations": "Očisti uspješne operacije", - "Clear successful operations from the operation list after a 5 second delay": "Obriši uspješne operacije s popisa operacija nakon 5 sekundi odgode", "Clear the local icon cache": "Obrišite lokalnu pred-memoriju ikona", - "Clearing Scoop cache - WingetUI": "Brisanje Scoop pred-memorije - UniGetUI", "Clearing Scoop cache...": "Brisanje predmemorije Scoop...", - "Click here for more details": "Kliknite ovdje za više detalja", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknite na Instaliraj za početak postupka instalacije. Ako preskočite instalaciju, UniGetUI možda neće raditi kako je očekivano", - "Close": "Zatvori", - "Close UniGetUI to the system tray": "Zatvorite UniGetUI u sistemsku traku", "Close WingetUI to the notification area": "Zatvorite WingetUI u području obavijesti", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Sigurnosna kopija u oblak koristi privatni GitHub Gist za pohranu popisa instaliranih paketa", - "Cloud package backup": "Sigurnosna kopija paketa u oblak", "Command-line Output": "Ispis naredbenog retka", - "Command-line to run:": "Naredbeni redak za pokretanje:", "Compare query against": "Usporedi upit s", - "Compatible with authentication": "Kompatibilno s autentifikacijom", - "Compatible with proxy": "Kompatibilan s proxy-jem", "Component Information": "Informacije o komponenti", - "Concurrency and execution": "Podudarnost i izvođenje", - "Connect the internet using a custom proxy": "Spojite se na internet pomoću prilagođenog proxy-ja", - "Continue": "Nastavi", "Contribute to the icon and screenshot repository": "Doprinesite spremištu ikona i snimaka zaslona", - "Contributors": "Suradnici", "Copy": "Kopiraj", - "Copy to clipboard": "Kopirati u međuspremnik", - "Could not add source": "Nije moguće dodati izvor", - "Could not add source {source} to {manager}": "Nije moguće dodavanje izvora {source} u {manager}", - "Could not back up packages to GitHub Gist: ": "Nije moguće sigurnosno kopiranje paketa na GitHub Gist...", - "Could not create bundle": "Nije moguće izraditi skupa paketa", "Could not load announcements - ": "Nije moguće učitati objave -", "Could not load announcements - HTTP status code is $CODE": "Nije moguće učitati obavijesti - HTTP statusni kod je $CODE", - "Could not remove source": "Nije moguće ukloniti izvor", - "Could not remove source {source} from {manager}": "Nije moguće ukloniti izvor {source} iz {manager}", "Could not remove {source} from {manager}": "Nije moguće ukloniti {source} iz {manager}", - "Create .ps1 script": "Izradi .ps1 skriptu", - "Credentials": "Vjerodajnice", "Current Version": "Trenutna verzija", - "Current executable file:": "Trenutna izvršna datoteka:", - "Current status: Not logged in": "Trenutni status: Niste prijavljeni", "Current user": "Trenutni korisnik", "Custom arguments:": "Prilagođeni argumenti:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Prilagođeni argumenti naredbenog retka mogu promijeniti način na koji se programi instaliraju, nadograđuju ili deinstaliraju na način koji UniGetUI ne može kontrolirati. Korištenje prilagođenih naredbenih redaka može oštetiti pakete. Nastavite s oprezom.", "Custom command-line arguments:": "Prilagođeni argumenti naredbenog retka:", - "Custom install arguments:": "Argumenti prilagođene instalacije:", - "Custom uninstall arguments:": "Prilagođeni argumenti deinstalacije:", - "Custom update arguments:": "Argumenti prilagođene nadogradnje:", "Customize WingetUI - for hackers and advanced users only": "Prilagodite UniGetUI - samo za hakere i napredne korisnike", - "DEBUG BUILD": "DEBUG VERZIJA", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ODRICANJE ODGOVORNOSTI: NE SNOSIMO ODGOVORNOST ZA PREUZETE PAKETE. MOLIMO VAS INSTALIRAJTE SAMO POUZDANI SOFTVER.", - "Dark": "Tamno", - "Decline": "Odbij", - "Default": "Zadano", - "Default installation options for {0} packages": "Zadane mogućnosti instalacije za pakete {0}", "Default preferences - suitable for regular users": "Zadane postavke - pogodne za obične korisnike", - "Default vcpkg triplet": "Zadani vcpkg triplet", - "Delete?": "Obrisati?", - "Dependencies:": "Zavisnosti:", - "Descendant": "Silazno", "Description:": "Opis:", - "Details of the report:": "Pojedinosti izvješća:", - "Desktop shortcut created": "Stvoren je prečac na radnoj površini", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Programiranje je teško, ali ova je aplikacija besplatna. Ako vam se svidjela aplikacija, uvijek me možete častiti kavom :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Izravna instalacija dvostrukim klikom na stavku na kartici \"{discoveryTab}\" (umjesto prikazivanja informacija o paketu)", "Disable new share API (port 7058)": "Onemogući API za novo dijeljenje (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Onemogućite vremensko ograničenje od 1 minute za operacije povezane s paketima", - "Disabled": "Onemogućeno", - "Disclaimer": "Izjava o odgovornosti", - "Discover Packages": "Otkrijte pakete", "Discover packages": "Otkrijte pakete", "Distinguish between\nuppercase and lowercase": "Razlikuj između\nvelikih i malih slova", - "Distinguish between uppercase and lowercase": "Razlikuj velika i mala slova", "Do NOT check for updates": "NEMOJ provjeravati ažuriranja", "Do an interactive install for the selected packages": "Izvrši interaktivnu instalaciju za odabrane pakete", "Do an interactive uninstall for the selected packages": "Izvrši interaktivnu deinstalaciju za odabrane pakete", "Do an interactive update for the selected packages": "Izvrši interaktivno ažuriranje za odabrane pakete", - "Do not automatically install updates when the device runs on battery": "Ne instaliraj automatski ažuriranja kada uređaj radi na bateriji", - "Do not automatically install updates when the battery saver is on": "Ne instaliraj automatski ažuriranja kada je uključena ušteda baterije", - "Do not automatically install updates when the network connection is metered": "Ne instaliraj automatski ažuriranja kada je mrežna veza ograničena", "Do not download new app translations from GitHub automatically": "Nemojte automatski preuzimati prijevode novih aplikacija s GitHuba", - "Do not ignore updates for this package anymore": "Ne ignorirajte više ažuriranja za ovaj paket", "Do not remove successful operations from the list automatically": "Ne uklanjaj uspješne operacije automatski s popisa", - "Do not show this dialog again for {0}": "Ne prikazuj ovaj dijalog ponovno za {0}", "Do not update package indexes on launch": "Nemojte ažurirati indekse paketa pri pokretanju", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Prihvaćate li da UniGetUI prikuplja i šalje anonimne statistike korištenja, s jedinom svrhom razumijevanja i poboljšanja korisničkog iskustva?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Smatrate li UniGetUI korisnim? Ako možete, možda biste željeli podržati moj rad kako bih mogao nastaviti razvijati UniGetUI kao vrhunsko sučelje za upravljanje paketima.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Smatrate li UniGetUI korisnim? Želite li podržati programera? Ako je tako, možete {0}, puno pomaže!", - "Do you really want to reset this list? This action cannot be reverted.": "Želite li zaista resetirati ovaj popis? Ova se radnja ne može poništiti.", - "Do you really want to uninstall the following {0} packages?": "Želite li zaista deinstalirati sljedeće pakete {0}?", "Do you really want to uninstall {0} packages?": "Želite li stvarno deinstalirati {0} pakete?", - "Do you really want to uninstall {0}?": "Želite li stvarno deinstalirati {0}?", "Do you want to restart your computer now?": "Želite li sada ponovno pokrenuti računalo?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Želite li prevesti WingetUI na svoj jezik? Pogledajte kako doprinijeti OVDJE!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Ne da vam se donirati? Ne brinite, uvijek možete podijeliti UniGetUI sa svojim prijateljima. Proširite glas o UniGetUI-ju.", "Donate": "Donirajte", - "Done!": "Gotovo!", - "Download failed": "Preuzimanje neuspješno", - "Download installer": "Preuzmite instalacijski program", - "Download operations are not affected by this setting": "Ova postavka ne utječe na operacije preuzimanja", - "Download selected installers": "Preuzmite odabrane programe za instalaciju", - "Download succeeded": "Preuzimanje uspješno", "Download updated language files from GitHub automatically": "Automatski preuzimaj ažurirane jezične datoteke s GitHuba", - "Downloading": "Preuzimanje", - "Downloading backup...": "Preuzimanje sigurnosnih kopija...", - "Downloading installer for {package}": "Preuzimanje instalacijskog programa za {package}", - "Downloading package metadata...": "Preuzimanje metapodataka paketa...", - "Enable Scoop cleanup on launch": "Omogući Scoop čišćenje pri pokretanju", - "Enable WingetUI notifications": "Omogući WingetUI obavijesti", - "Enable an [experimental] improved WinGet troubleshooter": "Omogući [eksperimentalni] poboljšani alat za rješavanje problema s UniGetUI-om", - "Enable and disable package managers, change default install options, etc.": "Omogućite i onemogućite upravitelje paketa, promijenite zadane opcije instalacije itd.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Omogući optimizacije korištenja CPU-a u pozadini (vidi Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Omogući API u pozadini (Widgeti za UniGetUI i dijeljenje, port 7058)", - "Enable it to install packages from {pm}.": "Omogućite instaliranje paketa iz {pm}", - "Enable the automatic WinGet troubleshooter": "Omogućite automatski alat za rješavanje problema s WinGetom", - "Enable the new UniGetUI-Branded UAC Elevator": "Omogućite novi UAC Elevator UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Omogući novi rukovatelj ulaznim procesima (StdIn automatski zatvarač)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Omogućite postavke ispod AKO I SAMO AKO u potpunosti razumijete što rade, te posljedice i opasnosti koje mogu uključivati.", - "Enable {pm}": "Omogući {pm}", - "Enabled": "Omogućeno", - "Enter proxy URL here": "Ovdje unesite proxy URL", - "Entries that show in RED will be IMPORTED.": "Unosi koji se prikazuju CRVENOM bojom bit će UVEŽENI.", - "Entries that show in YELLOW will be IGNORED.": "Unosi koji su označeni ŽUTOM bojom bit će ZANEMARENI.", - "Error": "Greška", - "Everything is up to date": "Sve je ažurirano", - "Exact match": "Točno podudaranje", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Postojeći prečaci na vašoj radnoj površini bit će skenirani i morati ćete odabrati koje ćete zadržati, a koje ukloniti.", - "Expand version": "Proširi verziju", - "Experimental settings and developer options": "Eksperimentalne postavke i mogućnosti za programere", - "Export": "Izvoz", + "Downloading": "Preuzimanje", + "Downloading installer for {package}": "Preuzimanje instalacijskog programa za {package}", + "Downloading package metadata...": "Preuzimanje metapodataka paketa...", + "Enable the new UniGetUI-Branded UAC Elevator": "Omogućite novi UAC Elevator UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Omogući novi rukovatelj ulaznim procesima (StdIn automatski zatvarač)", "Export log as a file": "Izvoz dnevnika u datoteku", "Export packages": "Izvoz paketa", "Export selected packages to a file": "Izvoz odabranih paketa u datoteku", - "Export settings to a local file": "Izvezi postavke u lokalnu datoteku", - "Export to a file": "Izvoz u datoteku", - "Failed": "Neuspješno", - "Fetching available backups...": "Dohvaćanje dostupnih sigurnosnih kopija...", "Fetching latest announcements, please wait...": "Dohvaćanje najnovijih najava, molimo pričekajte...", - "Filters": "Filteri", "Finish": "Završi", - "Follow system color scheme": "Slijedite shemu boja sustava", - "Follow the default options when installing, upgrading or uninstalling this package": "Slijedite zadane opcije prilikom instalacije, nadogradnje ili de-instalacije ovog paketa", - "For security reasons, changing the executable file is disabled by default": "Iz sigurnosnih razloga, promjena izvršne datoteke je prema zadanim postavkama onemogućena", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Iz sigurnosnih razloga, prilagođeni argumenti naredbenog retka su prema zadanim postavkama onemogućeni. Idite u sigurnosne postavke UniGetUI-ja da biste to promijenili.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Iz sigurnosnih razloga, skripte prije i poslije operacije su prema zadanim postavkama onemogućene. Idite u sigurnosne postavke UniGetUI-ja da biste to promijenili.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Prisili ARM kompiliranu verziju winget-a (SAMO ZA ARM64 SUSTAVE)", - "Force install location parameter when updating packages with custom locations": "Prisilno koristi parametar lokacije instalacije pri ažuriranju paketa s prilagođenim lokacijama", "Formerly known as WingetUI": "Prije poznat kao WingetUI", "Found": "Pronađeno", "Found packages: ": "Pronađeni paketi:", "Found packages: {0}": "Pronađeni paketi: {0}", "Found packages: {0}, not finished yet...": "Pronađeni paketi: {0}, još nisu gotovi...", - "General preferences": "Opće postavke", "GitHub profile": "GitHub profil", "Global": "Globalno", - "Go to UniGetUI security settings": "Idite na sigurnosne postavke UniGetUI-ja", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Sjajno skladište nepoznatih, ali korisnih uslužnih programa i drugih zanimljivih paketa.
Sadrži: Uslužne programe, programe naredbenog retka, opći softver (potrebno je dodatno spremište)", - "Great! You are on the latest version.": "Odlično! Imate najnoviju verziju.", - "Grid": "Rešetka", - "Help": "Pomoć", "Help and documentation": "Pomoć i dokumentacija", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Ovdje možete promijeniti ponašanje UniGetUI-ja u vezi sa sljedećim prečacima. Označavanjem prečaca - UniGetUI će ga izbrisati ako se stvori prilikom buduće nadogradnje. Poništavanjem odabira - prečac će ostati netaknut.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Bok, moje ime je Martí i ja sam programer UniGetUI-ja. UniGetUI je u potpunosti napravljen u moje slobodno vrijeme!", "Hide details": "Sakri detalje", - "Homepage": "Početna stranica", - "Hooray! No updates were found.": "Hura! Nema ažuriranja!", "How should installations that require administrator privileges be treated?": "Kako treba postupati s instalacijama koje zahtijevaju administratorske ovlasti?", - "How to add packages to a bundle": "Kako dodati pakete u skup paketa", - "I understand": "Razumijem", - "Icons": "Ikone", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ako imate omogućenu sigurnosnu kopiju u oblaku, bit će spremljena kao GitHub Gist datoteka na ovom računu.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Zanemari prilagođene naredbe prije i poslije instalacije pri uvozu paketa iz skupa", - "Ignore future updates for this package": "Ignorirajte buduća ažuriranja za ovaj paket", - "Ignore packages from {pm} when showing a notification about updates": "Zanemari pakete iz {pm} prilikom prikazivanja obavijesti o ažuriranjima", - "Ignore selected packages": "Ignorirajte odabrane pakete", - "Ignore special characters": "Zanemari posebne znakove", "Ignore updates for the selected packages": "Zanemari ažuriranja za odabrane pakete", - "Ignore updates for this package": "Ignorirajte ažuriranja za ovaj paket", "Ignored updates": "Zanemarena ažuriranja", - "Ignored version": "Zanemarena verzija", - "Import": "Uvoz", "Import packages": "Uvezi pakete", "Import packages from a file": "Uvoz paketa iz datoteke", - "Import settings from a local file": "Uvezi postavke iz lokalne datoteke", - "In order to add packages to a bundle, you will need to: ": "Da biste dodali pakete u skup paketa, trebat će vam:", "Initializing WingetUI...": "Inicijalizacija WingetUI...", - "Install": "Instalirati", - "Install Scoop": "Instalirajte Scoop", "Install and more": "Instaliraj i više", "Install and update preferences": "Instalirajte i ažurirajte postavke", - "Install as administrator": "Instalirajte kao administrator", - "Install available updates automatically": "Automatski instalirajte dostupna ažuriranja", - "Install location can't be changed for {0} packages": "Lokacija instalacije ne može se promijeniti za pakete {0}", - "Install location:": "Mjesto instalacije:", - "Install options": "Mogućnosti instalacije", "Install packages from a file": "Instalirajte pakete iz datoteke", - "Install prerelease versions of UniGetUI": "Instalirajte pred-izdane verzije UniGetUI-ja", - "Install script": "Instaliraj skriptu", "Install selected packages": "Instalirajte odabrane pakete", "Install selected packages with administrator privileges": "Instaliraj odabrane pakete s administratorskim ovlastima", - "Install selection": "Instalirajte odabir", "Install the latest prerelease version": "Instalirajte najnoviju pred-izdanu verziju", "Install updates automatically": "Automatski instaliraj ažuriranja", - "Install {0}": "Instaliraj {0}", "Installation canceled by the user!": "Korisnik je otkazao instalaciju!", - "Installation failed": "Instalacija neuspješna", - "Installation options": "Mogućnosti instalacije", - "Installation scope:": "Opseg instalacije:", - "Installation succeeded": "Uspješna instalacija", - "Installed Packages": "Instalirani paketi", - "Installed Version": "Instalirana verzija", "Installed packages": "Instalirani paketi", - "Installer SHA256": "Instalacijski program SHA256", - "Installer SHA512": "Instalacijski program SHA512", - "Installer Type": "Vrsta instalacijskog programa", - "Installer URL": "URL instalacijskog programa", - "Installer not available": "Instalacijski program nedostupan", "Instance {0} responded, quitting...": "Instanca {0} je odgovorila, odustajanje...", - "Instant search": "Instant pretraga", - "Integrity checks can be disabled from the Experimental Settings": "Provjere integriteta mogu se onemogućiti u eksperimentalnim postavkama", - "Integrity checks skipped": "Provjere integriteta preskočene", - "Integrity checks will not be performed during this operation": "Provjere integriteta neće se provoditi tijekom ove operacije", - "Interactive installation": "Interaktivna instalacija", - "Interactive operation": "Interaktivni rad", - "Interactive uninstall": "Interaktivna de-instalacija", - "Interactive update": "Interaktivno ažuriranje", - "Internet connection settings": "Postavke internetske veze", - "Invalid selection": "Nevažeći odabir", "Is this package missing the icon?": "Nedostaje li ovom paketu ikona?", - "Is your language missing or incomplete?": "Nedostaje li vaš jezik ili je nepotpun?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nije zajamčeno da će uneseni podaci za prijavu biti sigurno pohranjeni, stoga ne biste trebali koristiti podatke za svoj bankovni račun.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Preporučuje se ponovno pokretanje UniGetUI-ja nakon što je WinGet popravljen.", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Preporučuje se ponovna instalacija UniGetUI-ja kako bi se riješila situacija.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Djeluje da WinGet ne radi ispravno. Želite li pokušati popraviti WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Čini se da ste pokrenuli UniGetUI kao administrator, što se ne preporučuje. I dalje možete koristiti program, ali toplo preporučujemo da ne pokrećete UniGetUI s administratorskim ovlastima. Kliknite na \"{showDetails}\" da vidite zašto.", - "Language": "Jezik", - "Language, theme and other miscellaneous preferences": "Jezik, tema i ostale razne postavke", - "Last updated:": "Zadnje ažuriranje:", - "Latest": "Najnovije", "Latest Version": "Najnovija verzija", "Latest Version:": "Najnovija verzija:", "Latest details...": "Najnoviji detalji...", "Launching subprocess...": "Pokretanje pod-procesa...", - "Leave empty for default": "Ostavite prazno za zadane vrijednosti", - "License": "Licenca", "Licenses": "Licence", - "Light": "Svjetlo", - "List": "Popis", "Live command-line output": "Izlaz naredbenog retka u stvarnom vremenu", - "Live output": "Izlaz u stvarnom vremenu", "Loading UI components...": "Učitavanje komponenti korisničkog sučelja...", "Loading WingetUI...": "Učitavanje UniGetUI...", - "Loading packages": "Učitavanje paketa", - "Loading packages, please wait...": "Učitavanje paketa, molimo pričekajte...", - "Loading...": "Učitavanje...", - "Local": "Lokalno", - "Local PC": "Lokalno računalo", - "Local backup advanced options": "Napredne opcije lokalnog sigurnosnog kopiranja", "Local machine": "Lokalni stroj", - "Local package backup": "Sigurnosna kopija lokalnog paketa", "Locating {pm}...": "Traženje {pm}...", - "Log in": "Prijava", - "Log in failed: ": "Prijava neuspješna:", - "Log in to enable cloud backup": "Prijavite se da biste omogućili sigurnosno kopiranje u oblak", - "Log in with GitHub": "Prijava pomoću GitHub-a", - "Log in with GitHub to enable cloud package backup.": "Prijavite se putem GitHub-a kako biste omogućili sigurnosnu kopiju paketa u oblaku.", - "Log level:": "Razina zapisnika:", - "Log out": "Odjava", - "Log out failed: ": "Odjava neuspješna: ", - "Log out from GitHub": "Odjava s GitHub-a", "Looking for packages...": "Traženje paketa...", "Machine | Global": "Stroj | Globalno", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Neispravno oblikovani argumenti naredbenog retka mogu oštetiti pakete ili čak omogućiti zlonamjernom akteru da dobije privilegirano izvršavanje. Stoga je uvoz prilagođenih argumenata naredbenog retka onemogućen prema zadanim postavkama", - "Manage": "Upravljaj", - "Manage UniGetUI settings": "Upravljanje postavkama UniGetUI-ja", "Manage WingetUI autostart behaviour from the Settings app": "Upravljajte ponašanjem automatskog pokretanja UniGetUI-ja iz aplikacije Postavke", "Manage ignored packages": "Upravljanje zanemarenim paketima", - "Manage ignored updates": "Upravljanje zanemarenim ažuriranjima", - "Manage shortcuts": "Upravljanje prečicama", - "Manage telemetry settings": "Upravljanje postavkama telemetrije", - "Manage {0} sources": "Upravljanje {0} izvorima", - "Manifest": "Manifest", "Manifests": "Manifesti", - "Manual scan": "Ručno skeniranje", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftov službeni upravitelj paketa. Pun dobro poznatih i provjerenih paketa
Sadrži: Opći softver, aplikacije Microsoft Storea", - "Missing dependency": "Nedostajuća zavisnost", - "More": "Više", - "More details": "Više detalja", - "More details about the shared data and how it will be processed": "Više detalja o dijeljenim podacima i načinu njihove obrade", - "More info": "Više informacija", - "More than 1 package was selected": "Odabrano je više od 1 paketa", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NAPOMENA: Ovaj alat za rješavanje problema može se onemogućiti u postavkama UniGetUI-ja, u odjeljku WinGet", - "Name": "Naziv", - "New": "Novo", "New Version": "Nova verzija", "New bundle": "Novi skup", - "New version": "Nova verzija", - "Nice! Backups will be uploaded to a private gist on your account": "Odlično! Sigurnosne kopije bit će prenesene u privatni gist na vašem računu.", - "No": "Ne", - "No applicable installer was found for the package {0}": "Nije pronađen odgovarajući instalacijski program za paket {0}", - "No dependencies specified": "Nema navedenih zavisnosti", - "No new shortcuts were found during the scan.": "Tijekom skeniranja nisu pronađeni novi prečaci.", - "No package was selected": "Nijedan paket nije odabran", "No packages found": "Nema pronađenih paketa", "No packages found matching the input criteria": "Nije pronađen nijedan paket koji odgovara kriterijima unosa", "No packages have been added yet": "Još nije dodan nijedan paket", "No packages selected": "Nema odabranih paketa", - "No packages were found": "Paketi nisu pronađeni", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ne prikupljaju se niti se šalju osobni podaci, a prikupljeni podaci su anonimizirani, tako da se ne mogu koristiti da vas se identificira.", - "No results were found matching the input criteria": "Nisu pronađeni rezultati koji odgovaraju ulaznim kriterijima", "No sources found": "Nema pronađenih izvora", "No sources were found": "Nema pronađenih izvora", "No updates are available": "Nema dostupnih ažuriranja", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS upravitelj paketa. Pun biblioteka i drugih uslužnih programa koji kruže svijetom Javascripta
Sadrži: Javascript biblioteke i druge srodne uslužne programe", - "Not available": "Nedostupno", - "Not finding the file you are looking for? Make sure it has been added to path.": "Ne možete pronaći datoteku koju tražite? Provjerite je li dodana u putanju.", - "Not found": "Nije pronađeno", - "Not right now": "Ne sada", "Notes:": "Bilješke:", - "Notification preferences": "Postavke obavijesti", "Notification tray options": "Postavke traka s obavijestima", - "Notification types": "Vrste obavijesti", - "NuPkg (zipped manifest)": "NuPkg (zipani manifest)", - "OK": "U redu", "Ok": "U redu", - "Open": "Otvori", "Open GitHub": "Otvori GitHub", - "Open UniGetUI": "Otvori UniGetUI", - "Open UniGetUI security settings": "Otvorite sigurnosne postavke UniGetUI-ja", "Open WingetUI": "Otvori UniGetUI", "Open backup location": "Otvori lokaciju sigurnosne kopije", "Open existing bundle": "Otvorite postojeći skup paketa", - "Open install location": "Otvori mjesto instalacije", "Open the welcome wizard": "Otvori čarobnjaka dobrodošlice", - "Operation canceled by user": "Operaciju je otkazao korisnik", "Operation cancelled": "Operacija otkazana", - "Operation history": "Povijest operacija", - "Operation in progress": "Operacija u tijeku", - "Operation on queue (position {0})...": "Operacija u redu čekanja (pozicija {0})...", - "Operation profile:": "Profil rada:", "Options saved": "Opcije spremljene", - "Order by:": "Poredaj po:", - "Other": "Ostalo", - "Other settings": "Ostale postavke", - "Package": "Paket", - "Package Bundles": "Skupovi paketa", - "Package ID": "ID paketa", "Package Manager": "Upravitelj paketa", - "Package Manager logs": "Dnevnici upravitelja paketa", - "Package Managers": "Upravitelji paketa", - "Package Name": "Naziv paketa", - "Package backup": "Sigurnosna kopija paketa", - "Package backup settings": "Postavke sigurnosne kopije paketa", - "Package bundle": "Skupovi paketa", - "Package details": "Detalji paketa", - "Package lists": "Popis paketa", - "Package management made easy": "Olakšano upravljanje paketima", - "Package manager": "Upravitelj paketima", - "Package manager preferences": "Postavke upravitelja paketa", "Package managers": "Upravitelji paketa", - "Package not found": "Paket nije pronađen", - "Package operation preferences": "Postavke rada paketa", - "Package update preferences": "Postavke ažuriranja paketa", "Package {name} from {manager}": "Paket {name} od {manager}", - "Package's default": "Zadane postavke paketa", "Packages": "Paketi", "Packages found: {0}": "Pronađeni paketi: {0}", - "Partially": "Djelomično", - "Password": "Lozinka", "Paste a valid URL to the database": "Zalijepite valjani URL do baze podataka", - "Pause updates for": "Pauziraj ažuriranja za", "Perform a backup now": "Napravite sigurnosnu kopiju odmah", - "Perform a cloud backup now": "Napravite sigurnosnu kopiju u oblaku odmah", - "Perform a local backup now": "Napravite lokalnu sigurnosnu kopiju odmah", - "Perform integrity checks at startup": "Izvršite provjere integriteta pri pokretanju", - "Performing backup, please wait...": "Izvodi se sigurnosna kopija, pričekajte...", "Periodically perform a backup of the installed packages": "Povremeno napravite sigurnosnu kopiju instaliranih paketa", - "Periodically perform a cloud backup of the installed packages": "Povremeno napravite sigurnosnu kopiju instaliranih paketa u oblaku ", - "Periodically perform a local backup of the installed packages": "Povremeno napravite lokalnu sigurnosnu kopiju instaliranih paketa", - "Please check the installation options for this package and try again": "Molimo provjerite opcije instalacije za ovaj paket i pokušajte ponovno", - "Please click on \"Continue\" to continue": "Molimo kliknite na \"Nastavi\" za nastavak", "Please enter at least 3 characters": "Molimo unesite barem 3 znaka", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Imajte na umu da se određeni paketi možda neće moći instalirati zbog upravitelja paketa koji su omogućeni na ovom računalu.", - "Please note that not all package managers may fully support this feature": "Imajte na umu da ne podržavaju svi upravitelji paketa u potpunosti ovu značajku", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Imajte na umu da se paketi iz određenih izvora možda neće moći izvoziti. Zasivljeni su i neće se izvoziti.", - "Please run UniGetUI as a regular user and try again.": "Molimo pokrenite UniGetUI kao običan korisnik i pokušajte ponovno.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Za više informacija o problemu pogledajte izlaz naredbenog retka ili pogledajte povijest operacija.", "Please select how you want to configure WingetUI": "Odaberite kako želite konfigurirati WingetUI", - "Please try again later": "Molim pokušajte ponovno kasnije", "Please type at least two characters": "Molimo upišite barem dva znaka", - "Please wait": "Molim pričekajte", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Molim pričekajte dok se {0} instalira. Može se pojaviti crni (ili plavi) prozor. Pričekajte da se zatvori.", - "Please wait...": "Molimo pričekajte...", "Portable": "Prijenosni", - "Portable mode": "Prijenosni način rada", - "Post-install command:": "Naredba nakon instalacije:", - "Post-uninstall command:": "Naredba nakon de-instalacije:", - "Post-update command:": "Naredba nakon ažuriranja:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-ov upravitelj paketa. Pronađite biblioteke i skripte za proširenje PowerShell mogućnosti.
Sadrži: Module, Skripte, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Naredbe prije i poslije instalacije mogu učiniti vrlo loše stvari vašem uređaju, ako su za to dizajnirane. Uvoz naredbi iz paketa može biti vrlo opasan, osim ako ne vjerujete izvoru tog paketa.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Naredbe prije i poslije instalacije izvršavat će se prije i nakon instalacije, nadogradnje ili de-instalacije paketa. Imajte na umu da mogu uzrokovati probleme ako se ne koriste pažljivo", - "Pre-install command:": "Naredba pred instalacije:", - "Pre-uninstall command:": "Naredba prije de-instalacije:", - "Pre-update command:": "Naredba prije ažuriranja:", - "PreRelease": "Pred-izdanje", - "Preparing packages, please wait...": "Pripremamo pakete, molimo pričekajte...", - "Proceed at your own risk.": "Nastavite na vlastitu odgovornost.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zabrani bilo kakvu vrstu elevacije putem UniGetUI Elevatora ili GSudo-a", - "Proxy URL": "URL proxy poslužitelja", - "Proxy compatibility table": "Tablica kompatibilnosti proxyja", - "Proxy settings": "Postavke proxy-a", - "Proxy settings, etc.": "Postavke proxy-a, itd.", "Publication date:": "Datum objave:", - "Publisher": "Izdavač", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python upravitelj paketa. Pun python biblioteka i drugih uslužnih programa povezanih s Pythonom
Sadrži: Python biblioteke i srodnih uslužnih programa", - "Quit": "Zatvori", "Quit WingetUI": "Zatvori UniGetUI", - "Ready": "Spremno", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Smanjite UAC upite, podignite instalacije prema zadanim postavkama, otključajte određene opasne značajke itd.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Za više detalja o pogođenim datotekama pogledajte UniGetUI zapisnike.", - "Reinstall": "Ponovna instalacija", - "Reinstall package": "Ponovno instalirajte paket", - "Related settings": "Povezane postavke", - "Release notes": "Napomene o izdanju", - "Release notes URL": "URL napomena o izdanju", "Release notes URL:": "URL napomena o izdanju:", "Release notes:": "Napomene o izdanju:", "Reload": "Ponovno učitaj", - "Reload log": "Ponovno učitaj dnevnik", "Removal failed": "Uklanjanje nije uspjelo", "Removal succeeded": "Uklanjanje uspješno", - "Remove from list": "Ukloni s popisa", "Remove permanent data": "Uklonite trajne podatke", - "Remove selection from bundle": "Ukloni odabir iz paketa", "Remove successful installs/uninstalls/updates from the installation list": "Ukloni uspješne instalacije/de-instalacije/ažuriranja s popisa instalacija", - "Removing source {source}": "Uklanjanje izvora {source}", - "Removing source {source} from {manager}": "Uklanjanje izvora {source} iz {manager}", - "Repair UniGetUI": "Popravi UniGetUI", - "Repair WinGet": "Popravi WinGet", - "Report an issue or submit a feature request": "Prijavi problem ili pošalji zahtjev za značajku", "Repository": "Repozitorij", - "Reset": "Resetiraj", "Reset Scoop's global app cache": "Resetirajte globalnu predmemoriju aplikacije Scoop", - "Reset UniGetUI": "Resetiraj UniGetUI", - "Reset WinGet": "Resetiraj WinGet", "Reset Winget sources (might help if no packages are listed)": "Resetiraj izvore WinGet-a (može pomoći ako nisu navedeni paketi)", - "Reset WingetUI": "Resetiraj UniGetUI", "Reset WingetUI and its preferences": "Resetirajte UniGetUI i njegove postavke", "Reset WingetUI icon and screenshot cache": "Resetirajte ikonu UniGetUI i pred-memoriju snimaka zaslona", - "Reset list": "Resetiraj popis", "Resetting Winget sources - WingetUI": "Resetiranje WinGet izvora - UniGetUI", - "Restart": "Ponovno pokretanje", - "Restart UniGetUI": "Ponovno pokrenite UniGetUI", - "Restart WingetUI": "Ponovno pokrenite WingetUI", - "Restart WingetUI to fully apply changes": "Ponovo pokrenite UniGetUI da biste u potpunosti primijenili promjene.", - "Restart later": "Ponovno pokretanje kasnije", "Restart now": "Ponovno pokreni sada", - "Restart required": "Potrebno ponovno pokretanje", - "Restart your PC to finish installation": "Ponovno pokrenite računalo kako biste dovršili instalaciju", - "Restart your computer to finish the installation": "Ponovno pokrenite računalo kako biste dovršili instalaciju", - "Restore a backup from the cloud": "Vratite sigurnosnu kopiju iz oblaka", - "Restrictions on package managers": "Ograničenja za upravitelje paketa", - "Restrictions on package operations": "Ograničenja paketnih operacija", - "Restrictions when importing package bundles": "Ograničenja pri uvozu skupova paketa", - "Retry": "Pokušaj ponovo", - "Retry as administrator": "Pokušajte ponovno kao administrator", - "Retry failed operations": "Ponovi neuspjele operacije", - "Retry interactively": "Pokušaj ponovno interaktivno", - "Retry skipping integrity checks": "Pokušaj ponovno uz preskakanje provjera integriteta", - "Retrying, please wait...": "Ponovni pokušaj, molimo pričekajte...", - "Return to top": "Povratak na vrh", - "Run": "Pokreni", - "Run as admin": "Pokreni kao administrator", - "Run cleanup and clear cache": "Pokreni čišćenje i obriši pred-memoriju", - "Run last": "Pokreni zadnje", - "Run next": "Pokreni sljedeće", - "Run now": "Pokreni odmah", + "Restart your PC to finish installation": "Ponovno pokrenite računalo kako biste dovršili instalaciju", + "Restart your computer to finish the installation": "Ponovno pokrenite računalo kako biste dovršili instalaciju", + "Retry failed operations": "Ponovi neuspjele operacije", + "Retrying, please wait...": "Ponovni pokušaj, molimo pričekajte...", + "Return to top": "Povratak na vrh", "Running the installer...": "Pokretanje instalacijskog programa...", "Running the uninstaller...": "Pokretanje programa za de-instalaciju...", "Running the updater...": "Pokretanje programa za ažuriranje...", - "Save": "Spremi", "Save File": "Spremi datoteku", - "Save and close": "Spremi i zatvori", - "Save as": "Spremi kao", "Save bundle as": "Spremi skup paketa kao", "Save now": "Spremi sada", - "Saving packages, please wait...": "Spremanje paketa, molimo pričekajte...", - "Scoop Installer - WingetUI": "Instalacijski program Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Program za de-instalaciju Scoop-a - UniGetUI", - "Scoop package": "Scoop paket", "Search": "Pretraga", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Traži softver za stolna računala, upozori me kada su dostupna ažuriranja i nemoj raditi štreberske stvari. Ne želim da UniGetUI prekomplicira, samo želim jednostavnu trgovinu softvera", - "Search for packages": "Traži pakete", - "Search for packages to start": "Za početak, pretražite pakete", - "Search mode": "Način traženja", "Search on available updates": "Pretražite dostupna ažuriranja", "Search on your software": "Pretražite svoj softver", "Searching for installed packages...": "Traženje instaliranih paketa...", "Searching for packages...": "Traženje paketa...", "Searching for updates...": "Traženje ažuriranja...", - "Select": "Odaberi", "Select \"{item}\" to add your custom bucket": "Odaberite \"{item}\" da dodate svoj prilagođeni spremnik", "Select a folder": "Odaberite direktorij", - "Select all": "Odaberi sve", "Select all packages": "Odaberite sve pakete", - "Select backup": "Odaberi sigurnosnu kopiju", "Select only if you know what you are doing.": "Odaberite samo ako znate što radite.", "Select package file": "Odaberite datoteku paketa", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Odaberite sigurnosnu kopiju koju želite otvoriti. Kasnije ćete moći pregledati koje pakete/programe želite vratiti.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Odaberite program koji želite koristiti. Sljedeći popis prikazuje programe koje je pronašao UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Odaberite procese koji bi trebali biti zatvoreni prije instalacije, ažuriranja ili de-instalacije ovog paketa.", - "Select the source you want to add:": "Odaberite izvor koji želite dodati:", - "Select upgradable packages by default": "Odaberite nadogradive pakete kao zadane postavke", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Odaberite koje upravitelje paketa koristiti ({0}), konfigurirajte kako se paketi instaliraju, upravljajte načinom na koji se rukuje administratorskim pravima itd.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Poslano rukovanje. Čekanje odgovora slušatelja instance... ({0}%)", - "Set a custom backup file name": "Postavite prilagođeni naziv datoteke sigurnosne kopije", "Set custom backup file name": "Postavite prilagođeni naziv datoteke sigurnosne kopije", - "Settings": "Postavke", - "Share": "Podijeli", "Share WingetUI": "Podijeli UniGetUI", - "Share anonymous usage data": "Dijelite anonimne podatke o korištenju", - "Share this package": "Podijelite ovaj paket", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ako promijenite sigurnosne postavke, morat ćete ponovno otvoriti paket da bi promjene stupile na snagu.", "Show UniGetUI on the system tray": "Prikaži UniGetUI na programskoj traci", - "Show UniGetUI's version and build number on the titlebar.": "Prikaži verziju UniGetUI-ja na naslovnoj traci", - "Show WingetUI": "Prikaži WingetUI", "Show a notification when an installation fails": "Prikaži obavijest kada instalacija ne uspije", "Show a notification when an installation finishes successfully": "Prikaži obavijest kada instalacija uspješno završi", - "Show a notification when an operation fails": "Prikaži obavijest kada operacija ne uspije", - "Show a notification when an operation finishes successfully": "Prikaži obavijest kada operacija uspješno završi", - "Show a notification when there are available updates": "Prikaži obavijest kada postoje dostupna ažuriranja", - "Show a silent notification when an operation is running": "Prikaži tihu obavijest kada je operacija u tijeku", "Show details": "Pokaži detalje", - "Show in explorer": "Prikaži u exploreru", "Show info about the package on the Updates tab": "Prikaži informacije o paketu na kartici Ažuriranja", "Show missing translation strings": "Prikaži nedostajuće nizove prijevoda", - "Show notifications on different events": "Prikaz obavijesti o različitim događajima", "Show package details": "Prikaži detalje paketa", - "Show package icons on package lists": "Prikaži ikone paketa na popisima paketa", - "Show similar packages": "Prikaži slične paketa", "Show the live output": "Prikažite dnevnik uživo", - "Size": "Veličina", "Skip": "Preskoči", - "Skip hash check": "Preskoči provjeru hasha", - "Skip hash checks": "Preskoči hash provjere", - "Skip integrity checks": "Preskoči provjere integriteta", - "Skip minor updates for this package": "Preskoči manja ažuriranja za ovaj paket", "Skip the hash check when installing the selected packages": "Preskoči provjeru hasha prilikom instaliranja odabranih paketa", "Skip the hash check when updating the selected packages": "Preskočite hash provjeru kada ažurirate odabrane pakete", - "Skip this version": "Preskoči ovu verziju", - "Software Updates": "Ažuriranja softvera", - "Something went wrong": "Nešto nije u redu", - "Something went wrong while launching the updater.": "Došlo je do pogreške prilikom pokretanja ažuriranja.", - "Source": "Izvor", - "Source URL:": "Izvorni URL:", - "Source added successfully": "Izvor uspješno dodan", "Source addition failed": "Dodavanje izvora neuspješno", - "Source name:": "Naziv izvora:", "Source removal failed": "Uklanjanje izvora neuspješno", - "Source removed successfully": "Izvor uspješno uklonjen", "Source:": "Izvor:", - "Sources": "Izvori", "Start": "Počni", "Starting daemons...": "Pokretanje servisa...", - "Starting operation...": "Pokretanje operacije...", "Startup options": "Mogućnosti pokretanja", "Status": "Status", "Stuck here? Skip initialization": "Zapeli ste ovdje? Preskoči inicijalizaciju", - "Success!": "Uspjeh!", "Suport the developer": "Podržite programera", "Support me": "Podržite me", "Support the developer": "Podržite programera", "Systems are now ready to go!": "Sustavi su sada spremni za rad!", - "Telemetry": "Telemetrija", - "Text": "Tekst", "Text file": "Tekstna datoteka", - "Thank you ❤": "Hvala ❤", - "Thank you \uD83D\uDE09": "Hvala \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Upravitelj paketa Rust.
Sadrži: Rust biblioteke i programe napisane u Rustu-", - "The backup will NOT include any binary file nor any program's saved data.": "Sigurnosna kopija NEĆE sadržavati binarne datoteke niti spremljene podatke programa.", - "The backup will be performed after login.": "Sigurnosna kopija će se izvršiti nakon prijave.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sigurnosna kopija će uključivati potpuni popis instaliranih paketa i njihovih opcija instalacije. Ignorirana ažuriranja i preskočene verzije također će biti spremljene.", - "The bundle was created successfully on {0}": "Skup paketa je uspješno izrađen na {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Skup paketa je uspješno kreiran. Čini se da paket koji pokušavate učitati nije valjan. Provjerite datoteku i pokušajte ponovno.", + "Thank you 😉": "Hvala 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Kontrolni zbroj instalacijskog programa ne podudara se s očekivanom vrijednošću, a autentičnost instalacijskog programa ne može se provjeriti. Ako vjerujete izdavaču, {0} paket ponovno zaobilazeći provjeru hasha.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasični upravitelj paketa za Windows. Sve ćete tamo pronaći.
Sadrži: Opći softver", - "The cloud backup completed successfully.": "Sigurnosna kopija u oblaku uspješno je dovršena.", - "The cloud backup has been loaded successfully.": "Sigurnosna kopija u oblaku uspješno je učitana.", - "The current bundle has no packages. Add some packages to get started": "Trenutni skup paketa nema paketa. Dodajte nekoliko paketa za početak.", - "The executable file for {0} was not found": "Izvršna datoteka za {0} nije pronađena", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Sljedeće opcije će se primjenjivati prema zadanim postavkama svaki put kada se {0} paket instalira, nadogradi ili deinstalira.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Sljedeći paketi će se izvesti u JSON datoteku. Nikakvi korisnički podaci ili binarne datoteke neće biti spremljene.", "The following packages are going to be installed on your system.": "Sljedeći paketi bit će instalirani na vašem sustavu.", - "The following settings may pose a security risk, hence they are disabled by default.": "Sljedeće postavke mogu predstavljati sigurnosni rizik, stoga su prema zadanim postavkama onemogućene.", - "The following settings will be applied each time this package is installed, updated or removed.": "Sljedeće postavke bit će primijenjene svaki put kada se ovaj paket instalira, ažurira ili ukloni.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Sljedeće postavke bit će primijenjene svaki put kada se ovaj paket instalira, ažurira ili ukloni. Bit će automatski spremljene.", "The icons and screenshots are maintained by users like you!": "Ikone i snimke zaslona održavaju korisnici poput vas!", - "The installation script saved to {0}": "Instalacijska skripta spremljena je u {0}", - "The installer authenticity could not be verified.": "Autentičnost instalacijskog programa nije mogla biti potvrđena.", "The installer has an invalid checksum": "Instalacijski program ima nevažeći kontrolni zbroj", "The installer hash does not match the expected value.": "Hash instalacijskog programa ne odgovara očekivanoj vrijednosti.", - "The local icon cache currently takes {0} MB": "Lokalna pred memorija ikona trenutno zauzima {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Glavni cilj ovog projekta je stvoriti intuitivno korisničko sučelje za najčešće CLI upravitelje paketa za Windows, kao što su Winget i Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket \"{0}\" nije pronađen u upravitelju paketa \"{1}\"", - "The package bundle could not be created due to an error.": "Skup paketa nije moguće stvoriti zbog pogreške.", - "The package bundle is not valid": "Skup paketa nije valjan", - "The package manager \"{0}\" is disabled": "Upravitelj paketa \"{0}\" je onemogućen", - "The package manager \"{0}\" was not found": "Upravitelj paketa \"{0}\" nije pronađen", "The package {0} from {1} was not found.": "Paket {0} iz {1} nije pronađen.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Ovdje navedeni paketi neće biti uzeti u obzir prilikom provjere ažuriranja. Dvaput kliknite na njih ili kliknite gumb s njihove desne strane da prestanete ignorirati njihova ažuriranja.", "The selected packages have been blacklisted": "Odabrani paketi su stavljeni na crnu listi", - "The settings will list, in their descriptions, the potential security issues they may have.": "U opisima postavki navedeni su potencijalni sigurnosni problemi koje mogu imati.", - "The size of the backup is estimated to be less than 1MB.": "Procjenjuje se da je veličina sigurnosne kopije manja od 1 MB.", - "The source {source} was added to {manager} successfully": "Izvor {source} je uspješno dodan u {manager}", - "The source {source} was removed from {manager} successfully": "Izvor {source} je uspješno uklonjen iz {manager}", - "The system tray icon must be enabled in order for notifications to work": "Ikona u programskoj traci mora biti omogućena da bi obavijesti radile", - "The update process has been aborted.": "Proces ažuriranja je prekinut.", - "The update process will start after closing UniGetUI": "Proces ažuriranja započet će nakon zatvaranja UniGetUI-ja", "The update will be installed upon closing WingetUI": "Ažuriranje će se instalirati nakon zatvaranja UniGetUI-ja", "The update will not continue.": "Ažuriranje se neće nastaviti.", "The user has canceled {0}, that was a requirement for {1} to be run": "Korisnik je otkazao {0}, što je bio uvjet za pokretanje {1}", - "There are no new UniGetUI versions to be installed": "Nema novih verzija UniGetUI-ja za instaliranje", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Postoje operacije u tijeku. Izlazak iz UniGetUI-ja može uzrokovati njihov neuspjeh. Želite li nastaviti?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Na YouTubeu ima nekoliko izvrsnih videozapisa koji prikazuju WingetUI i njegove mogućnosti. Mogli biste naučiti korisne trikove i savjete!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Postoje dva glavna razloga zašto ne pokretati WingetUI kao administrator: Prvi je taj što Scoop upravitelj paketa može uzrokovati probleme s nekim naredbama kada se pokreće s administratorskim pravima. Drugi je da pokretanje WingetUI-a kao administratora znači da će svaki paket koji preuzmete biti pokrenut kao administrator (a to nije sigurno). Imajte na umu da ako trebate instalirati određeni paket kao administrator, uvijek možete desnom tipkom miša kliknuti stavku -> Instaliraj/Ažuriraj/Deinstaliraj kao administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Došlo je do pogreške u konfiguraciji upravitelja paketa \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "U tijeku je instalacija. Ako zatvorite WingetUI, instalacija može biti neuspješna i imati neočekivane rezultate. Još uvijek želite napustiti WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "Oni su programi zaduženi za instaliranje, ažuriranje i uklanjanje paketa.", - "Third-party licenses": "Licence trećih strana", "This could represent a security risk.": "To bi moglo predstavljati sigurnosni rizik.", - "This is not recommended.": "Ovo se ne preporučuje.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "To je vjerojatno zbog činjenice da je paket koji vam je poslan uklonjen ili objavljen na upravitelju paketa koji niste omogućili. Primljeni ID je {0}", "This is the default choice.": "Ovo je zadani izbor.", - "This may help if WinGet packages are not shown": "Ovo može pomoći ako se WinGet paketi ne prikazuju", - "This may help if no packages are listed": "Ovo može pomoći ako nisu navedeni paketi", - "This may take a minute or two": "Ovo može potrajati minutu ili dvije", - "This operation is running interactively.": "Ova operacija se izvodi interaktivno.", - "This operation is running with administrator privileges.": "Ova se operacija izvodi s administratorskim ovlastima.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ova opcija ĆE uzrokovati probleme. Bilo koja operacija koja ne može sama sebe podići NEĆE USPJETI. Instaliranje/ažuriranje/deinstaliranje kao administrator NEĆE RADITI.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ovaj paketni skup imao je neke postavke koje su potencijalno opasne i mogu se prema zadanim postavkama zanemariti.", "This package can be updated": "Ovaj paket se može ažurirati", "This package can be updated to version {0}": "Ovaj paket se može ažurirati na verziju {0}", - "This package can be upgraded to version {0}": "Ovaj paket se može nadograditi na verziju {0}", - "This package cannot be installed from an elevated context.": "Ovaj paket se ne može instalirati iz povišenog konteksta.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ovaj paket nema snimki zaslona ili mu nedostaje ikona? Doprinesite UniGetUI-ju dodavanjem ikona i snimaka zaslona koje nedostaju u našu otvorenu, javnu bazu podataka.", - "This package is already installed": "Ovaj paket je već instaliran", - "This package is being processed": "Ovaj paket se obrađuje", - "This package is not available": "Ovaj paket nije dostupan", - "This package is on the queue": "Ovaj paket je u redu čekanja", "This process is running with administrator privileges": "Ovaj proces se izvodi s administratorskim ovlastima", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ovaj projekt nema nikakve veze sa službenim {0} projektom — potpuno je neslužben.", "This setting is disabled": "Ova postavka je onemogućena", "This wizard will help you configure and customize WingetUI!": "Ovaj čarobnjak će vam pomoći konfigurirati i prilagoditi WingetUI!", "Toggle search filters pane": "Uključi/isključi okno s filterima za pretraživanje", - "Translators": "Prevoditelji", - "Try to kill the processes that refuse to close when requested to": "Pokušajte ubiti procese koji odbijaju zatvaranje kada se to zatraži", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Uključivanjem ove opcije omogućuje se promjena izvršne datoteke koja se koristi za interakciju s upraviteljima paketa. Iako to omogućuje preciznije prilagođavanje vaših instalacijskih procesa, može biti i opasno.", "Type here the name and the URL of the source you want to add, separed by a space.": "Ovdje upišite naziv i URL izvora koji želite dodati, odvojene razmakom.", "Unable to find package": "Nije moguće pronaći paket", "Unable to load informarion": "Nije moguće učitati informacije", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI prikuplja anonimne podatke o korištenju kako bi poboljšao korisničko iskustvo.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI prikuplja anonimne podatke o korištenju s jedinom svrhom razumijevanja i poboljšanja korisničkog iskustva.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI je otkrio novi prečac na radnoj površini koji se može automatski izbrisati.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI je otkrio sljedeće prečace na radnoj površini koji se mogu automatski ukloniti prilikom budućih nadogradnji", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI je otkrio {0} nove prečace na radnoj površini koji se mogu automatski izbrisati.", - "UniGetUI is being updated...": "UniGetUI se ažurira...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nije povezan ni s jednim kompatibilnim upraviteljem paketa. UniGetUI je neovisni projekt.", - "UniGetUI on the background and system tray": "UniGetUI na pozadini i u sistemskoj traci", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ili neke njegove komponente nedostaju ili su oštećene.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI zahtijeva {0} za rad, ali nije pronađen na vašem sustavu.", - "UniGetUI startup page:": "Početna stranica UniGetUI-ja:", - "UniGetUI updater": "UniGetUI ažurirač", - "UniGetUI version {0} is being downloaded.": "UniGetUI verzija {0} se preuzima.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je spreman za instalaciju.", - "Uninstall": "Deinstaliraj", - "Uninstall Scoop (and its packages)": "Deinstaliraj Scoop (i njegove pakete)", "Uninstall and more": "Deinstaliraj i više", - "Uninstall and remove data": "Deinstalirajte i uklonite podatke", - "Uninstall as administrator": "Deinstaliraj kao administrator", "Uninstall canceled by the user!": "Deinstalaciju je otkazao korisnik!", - "Uninstall failed": "Deinstalirajte neuspješna", - "Uninstall options": "Opcije de-instalacije", - "Uninstall package": "Deinstaliraj paket", - "Uninstall package, then reinstall it": "Deinstalirajte paket, a zatim ga ponovno instalirajte", - "Uninstall package, then update it": "Deinstalirajte paket, a zatim ga ažurirajte", - "Uninstall previous versions when updated": "Deinstalirajte prethodne verzije nakon ažuriranja", - "Uninstall selected packages": "Deinstaliraj odabrane pakete", - "Uninstall selection": "Odabir de-instalacije", - "Uninstall succeeded": "De-instalacija je uspjela", "Uninstall the selected packages with administrator privileges": "Deinstalirajte odabrane pakete s administratorskim ovlastima", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Paketi koji se mogu deinstalirati s izvorom navedenim kao \"{0}\" nisu objavljeni ni na jednom upravitelju paketa, tako da nema dostupnih informacija za prikaz o njima.", - "Unknown": "Nepoznato", - "Unknown size": "Nepoznata veličina", - "Unset or unknown": "Nepostavljeno ili nepoznato", - "Up to date": "Ažurno", - "Update": "Ažuriraj", - "Update WingetUI automatically": "Ažurirajte WingetUI automatski", - "Update all": "Ažuriraj sve", "Update and more": "Ažuriranje i više", - "Update as administrator": "Ažurirajte kao administrator", - "Update check frequency, automatically install updates, etc.": "Učestalost provjere ažuriranja, automatsko instaliranje ažuriranja itd.", - "Update checking": "Provjera ažuriranja", "Update date": "Datum ažuriranja", - "Update failed": "Ažuriranje nije uspjelo", "Update found!": "Ažuriranje pronađeno!", - "Update now": "Ažuriraj sada", - "Update options": "Opcije ažuriranja", "Update package indexes on launch": "Ažuriraj indekse paketa pri pokretanju", "Update packages automatically": "Automatski ažurirajte pakete", "Update selected packages": "Ažurirajte odabrane pakete", "Update selected packages with administrator privileges": "Ažurirajte odabrane pakete s administratorskim ovlastima", - "Update selection": "Ažuriraj odabir", - "Update succeeded": "Ažuriranje uspjelo", - "Update to version {0}": "Ažurirajte na verziju {0}", - "Update to {0} available": "Dostupno ažuriranje na {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Automatski ažuriraj vcpkg-ove Git portfile-ove (potreban je instaliran Git)", "Updates": "Ažuriranja", "Updates available!": "Ažuriranja dostupna!", - "Updates for this package are ignored": "Ažuriranja za ovaj paket se ignoriraju", - "Updates found!": "Pronađena ažuriranja!", "Updates preferences": "Ažurira postavke", "Updating WingetUI": "Ažuriranje WingetUI", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Koristite starije pakete WinGet-a umjesto PowerShell CMDLet-a", - "Use a custom icon and screenshot database URL": "Koristite prilagođenu ikonu i URL baze podataka snimaka zaslona", "Use bundled WinGet instead of PowerShell CMDlets": "Koristite WinGet iz paketa umjesto PowerShell CMDlets-a", - "Use bundled WinGet instead of system WinGet": "Koristite WinGet iz paketa umjesto WinGet-a iz sustava", - "Use installed GSudo instead of UniGetUI Elevator": "Koristite instalirani GSudo umjesto UniGetUI Elevatora", "Use installed GSudo instead of the bundled one": "Koristite instalirani GSudo umjesto onog iz programa (zahtijeva ponovno pokretanje aplikacije)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Koristite stari UniGetUI Elevator (može biti korisno ako imate problema s UniGetUI Elevator-om)", - "Use system Chocolatey": "Koristite sustavov Chocolatey", "Use system Chocolatey (Needs a restart)": "Koristi Chocolatey sustava (potrebno je ponovno pokretanje)", "Use system Winget (Needs a restart)": "Koristi Winget sustava (potrebno je ponovno pokretanje)", "Use system Winget (System language must be set to english)": "Koristite WinGet (jezik sustava mora biti postavljen na engleski)", "Use the WinGet COM API to fetch packages": "Koristite WinGet COM API za dohvaćanje paketa", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Koristite WinGet PowerShell modul umjesto WinGet COM API-ja", - "Useful links": "Korisni linkovi", "User": "Korisnik", - "User interface preferences": "Postavke korisničkog sučelja", "User | Local": "Korisnik | Lokalni", - "Username": "Korisničko ime", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Korištenjem UniGetUI-ja prihvaćate GNU Lesser General Public License v2.1 licencu.", - "Using WingetUI implies the acceptation of the MIT License": "Korištenjem UniGetUI-ja podrazumijevate prihvaćanje MIT licence", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root nije pronađen. Definirajte varijablu okruženja %VCPKG_ROOT% ili je definirajte iz postavki UniGetUI-ja.", "Vcpkg was not found on your system.": "Vcpkg nije pronađen na vašem sustavu.", - "Verbose": "Opširno", - "Version": "Verzija", - "Version to install:": "Verzija za instaliranje:", - "Version:": "Verzija:", - "View GitHub Profile": "Pogledajte profil na GitHub-u", "View WingetUI on GitHub": "Pogledajte WingetUI na GitHubu", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Pogledajte WingetUI izvorni kod. Tamo možete prijaviti bugove ili predložiti značajke ili događaje koji izravno doprinose projektu WingetUI", - "View mode:": "Način prikaza:", - "View on UniGetUI": "Pogledajte na UniGetUI-ju", - "View page on browser": "Pogledajte stranicu u pregledniku", - "View {0} logs": "Pregledaj {0} zapisnike", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Pričekajte da se uređaj poveže s internetom prije nego što pokušate izvršiti zadatke koji zahtijevaju internetsku vezu.", "Waiting for other installations to finish...": "Čeka se završetak ostalih instalacija...", "Waiting for {0} to complete...": "Čekanje {0} završetka...", - "Warning": "Upozorenje", - "Warning!": "Upozorenje!", - "We are checking for updates.": "Provjeravamo ažuriranja.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Nismo mogli učitati detaljne informacije o ovom paketu jer nije pronađen ni u jednom od vaših izvora paketa.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Nemoguće učitati detaljne informacije o ovom paketu jer nije instaliran iz dostupnog upravitelja paketa.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nemoguće {action} {package}. Molimo pokušajte ponovo kasnije. Kliknite na \"{showDetails}\" da biste dobili zapise od instalatera.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nemoguće {action} {package}. Molimo pokušajte ponovo kasnije. Kliknite na \"{showDetails}\" da biste dobili zapise iz programa za deinstalaciju.", "We couldn't find any package": "Nismo mogli pronaći nijedan paket", "Welcome to WingetUI": "Dobrodošli u WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Prilikom grupne instalacije paketa iz skupa paketa, instalirajte i pakete koji su već instalirani", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kada se otkriju novi prečaci, automatski ih izbriši umjesto prikazivanja ovog dijaloga.", - "Which backup do you want to open?": "Koju sigurnosnu kopiju želite otvoriti?", "Which package managers do you want to use?": "Koje upravitelje paketa želite koristiti?", "Which source do you want to add?": "Koji izvor želite dodati?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Iako se WinGet može koristiti unutar UniGetUI-ja, UniGetUI se može koristiti s drugim upraviteljima paketa, što može biti zbunjujuće. U prošlosti je UniGetUI bio dizajniran za rad samo s Winget-om, ali to više nije istina, te stoga UniGetUI ne predstavlja ono što ovaj projekt želi postati.", - "WinGet could not be repaired": "WinGet se nije mogao popraviti", - "WinGet malfunction detected": "Otkriven kvar WinGet-a", - "WinGet was repaired successfully": "WinGet je uspješno popravljen", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "WingetUI - Sve je ažurirano", "WingetUI - {0} updates are available": "WingetUI - dostupna su ažuriranja za {0}", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "Početna stranica UniGetUI", "WingetUI Homepage - Share this link!": "Početna stranica UniGetUI-ja - Podijelite ovu poveznicu!", - "WingetUI License": "UniGetUI licenca", - "WingetUI Log": "UniGetUI Zapisnik", - "WingetUI Repository": "UniGetUI repozitorij", - "WingetUI Settings": "WingetUI postavke", "WingetUI Settings File": "WingetUI datoteka postavki", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI koristi sljedeće biblioteke. Bez njih, UniGetUI ne bi bio moguć.", - "WingetUI Version {0}": "UniGetUI verzija {0}", "WingetUI autostart behaviour, application launch settings": "Ponašanje automatskog pokretanja WingetUI, postavke pokretanja aplikacije", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI može provjeriti ima li vaš softver dostupna ažuriranja i automatski ih instalirati ako želite", - "WingetUI display language:": "WingetUI jezik prikaza:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI je pokrenut kao administrator, što se ne preporučuje. Prilikom pokretanja UniGetUI-ja kao administrator, SVAKA operacija pokrenuta iz UniGetUI-ja imat će administratorske privilegije. Program i dalje možete koristiti, ali toplo preporučujemo da ne pokrećete UniGetUI s administratorskim privilegijama.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI je preveden na više od 40 jezika zahvaljujući volonterima prevoditeljima. Hvala vam \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI nije strojno preveden! Za prijevode su bili zaduženi sljedeći korisnici:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI je aplikacija koja olakšava upravljanje vašim softverom pružajući sveobuhvatno grafičko sučelje za vaše upravitelje paketa iz naredbenog retka.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI se preimenuje kako bi se naglasila razlika između UniGetUI-ja (sučelja koje trenutno koristite) i WinGet-a (upravitelja paketa kojeg je razvio Microsoft s kojim nisam povezan)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI se ažurira. Kada završi, WingetUI će se sam ponovno pokrenuti", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI je besplatan i bit će besplatan zauvijek. Nema oglasa, nema kreditnih kartica, nema premium verzije. 100% besplatno, zauvijek.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI će prikazati upit UAC-a svaki put kada paket zahtijeva podizanje razine za instaliranje.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI će se uskoro nazivati {newname}. To neće predstavljati nikakvu promjenu u aplikaciji. Ja (razvojni programer) nastavit ću razvoj ovog projekta kao što to radim i sada, ali pod drugim imenom.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI ne bi bio moguć bez pomoći naših dragih suradnika. Provjerite njihove GitHub profile, WingetUI ne bi bio moguć bez njih!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI ne bi bio moguć bez pomoći suradnika. Hvala svima \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} je spreman za instalaciju.", - "Write here the process names here, separated by commas (,)": "Ovdje napišite nazive procesa, odvojene zarezima (,)", - "Yes": "Da", - "You are logged in as {0} (@{1})": "Prijavljeni ste kao {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Ovo ponašanje možete promijeniti u sigurnosnim postavkama UniGetUI-ja.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Možete definirati naredbe koje će se izvršavati prije ili nakon instalacije, ažuriranja ili de-instalacije ovog paketa. Izvršavat će se u naredbenom retku, tako da će CMD skripte ovdje raditi.", - "You have currently version {0} installed": "Trenutno imate instaliranu verziju {0}", - "You have installed WingetUI Version {0}": "Instalirali ste UniGetUI verziju {0}", - "You may lose unsaved data": "Možete izgubiti ne spremljene podatke", - "You may need to install {pm} in order to use it with WingetUI.": "Možda ćete morati instalirati {pm} kako biste ga mogli koristiti s UniGetUI-jem.", "You may restart your computer later if you wish": "Možete kasnije ponovno pokrenuti računalo ako želite", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Bit ćete upitani samo jednom, a administratorska prava bit će dodijeljena paketima koji ih zatraže.", "You will be prompted only once, and every future installation will be elevated automatically.": "Od vas će se to zatražiti samo jednom, a svaka buduća instalacija bit će automatski podignuta.", - "You will likely need to interact with the installer.": "Vjerojatno ćete morati imati interakciju s instalacijskim programom. ", - "[RAN AS ADMINISTRATOR]": "POKRENUTO KAO ADMINISTRATOR", "buy me a coffee": "plati mi kavu", - "extracted": "izvučeno", - "feature": "značajka", "formerly WingetUI": "bivši WingetUI", "homepage": "web stranica", "install": "instalirati", "installation": "instalacija", - "installed": "instalirano", - "installing": "instaliranje", - "library": "biblioteka", - "mandatory": "obavezno", - "option": "opcija", - "optional": "opcija", "uninstall": "deinstalirati", "uninstallation": "deinstalacija", "uninstalled": "deinstalirano", - "uninstalling": "deinstaliranje", "update(noun)": "ažuriranje", "update(verb)": "ažurirati", "updated": "ažurirano", - "updating": "ažuriranje", - "version {0}": "verzija {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Opcije instalacije su trenutno zaključane jer {0} slijedi zadane opcije instalacije.", "{0} Uninstallation": "{0} Deinstalacija", "{0} aborted": "{0} prekinuto", "{0} can be updated": "{0} se može ažurirati", - "{0} can be updated to version {1}": "{0} može se ažurirati na verziju {1}", - "{0} days": "{0} dana", - "{0} desktop shortcuts created": "{0} stvoreni prečaci na radnoj površini", "{0} failed": "{0} nije uspjelo", - "{0} has been installed successfully.": "{0} je uspješno instaliran.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} je uspješno instaliran. Preporučuje se ponovno pokretanje UniGetUI-ja kako bi se instalacija dovršila.", "{0} has failed, that was a requirement for {1} to be run": "{0} nije uspio, to je bio uvjet za pokretanje {1}", - "{0} homepage": "{0} početna stranica", - "{0} hours": "{0} sati", "{0} installation": "{0} instalacija", - "{0} installation options": "opcije instalacije {0}", - "{0} installer is being downloaded": "instalacijski program {0} se preuzima", - "{0} is being installed": "{0} se instalira", - "{0} is being uninstalled": "{0} se deinstalira", "{0} is being updated": "{0} se ažurira", - "{0} is being updated to version {1}": "{0} ažurira se na verziju {1}", - "{0} is disabled": "{0} je onemogućen", - "{0} minutes": "{0} minuta", "{0} months": "{0} mjeseci", - "{0} packages are being updated": "{0} paketa se ažurira", - "{0} packages can be updated": "{0} paketa se može ažurirati", "{0} packages found": "{0} pronađenih paketa", "{0} packages were found": "{0} pronađenih paketa", - "{0} packages were found, {1} of which match the specified filters.": "Pronađeno je {0} paketa, {1} koji odgovara navedenim filterima.", - "{0} selected": "{0} odabrano", - "{0} settings": "{0} postavki", - "{0} status": "status {0}", "{0} succeeded": "{0} uspješnih", "{0} update": "{0} ažuriranje", - "{0} updates are available": "{0} ažuriranja je dostupno", "{0} was {1} successfully!": "{0} je {1} uspješno!", "{0} weeks": "{0} tjedana", "{0} years": "{0} godina", "{0} {1} failed": "{0} {1} nije uspjelo", - "{package} Installation": "{package} Instalacija", - "{package} Uninstall": "{package} Deinstaliranje", - "{package} Update": "{package} Ažuriranje", - "{package} could not be installed": "{package} nije moguće instalirati", - "{package} could not be uninstalled": "{package} nije moguće deinstalirati", - "{package} could not be updated": "{package} nije moguće ažurirati", "{package} installation failed": "{package} neuspješna instalacija", - "{package} installer could not be downloaded": "instalacijski program {package} nije moguće preuzeti", - "{package} installer download": "preuzimanje instalacijskog programa {package}", - "{package} installer was downloaded successfully": "Instalacijski program {package} je uspješno preuzet", "{package} uninstall failed": "{package} deisntaliranje neuspješno", "{package} update failed": "{package} ažuriranje neuspješno", "{package} update failed. Click here for more details.": "{package} ažuriranje neuspješno. Kliknite ovdje za više detalja.", - "{package} was installed successfully": "{package} je uspješno instaliran", - "{package} was uninstalled successfully": "{package} je uspješno deinstaliran", - "{package} was updated successfully": "{package} je uspješno ažuriran ", - "{pcName} installed packages": "{pcName} instalirani paketi", "{pm} could not be found": "{pm} nije moguće pronaći", "{pm} found: {state}": "{pm} pronađeno: {state}", - "{pm} is disabled": "{pm} je onemogućen", - "{pm} is enabled and ready to go": "{pm} je omogućen i spreman za ići", "{pm} package manager specific preferences": "{pm} specifične postavke upravitelja paketa", "{pm} preferences": "{pm} postavke", - "{pm} version:": "{pm} verzija:", - "{pm} was not found!": "{pm} nije pronađen!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Bok, moje ime je Martí i ja sam programer UniGetUI-ja. UniGetUI je u potpunosti napravljen u moje slobodno vrijeme!", + "Thank you ❤": "Hvala ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ovaj projekt nema nikakve veze sa službenim {0} projektom — potpuno je neslužben." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hu.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hu.json index cc4e4f65c3..52d7a9edc1 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hu.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_hu.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Folyamatban lévő művelet", + "Please wait...": "Kis türelmet...", + "Success!": "Sikerült!", + "Failed": "Sikertelen", + "An error occurred while processing this package": "Hiba történt a csomag feldolgozása során", + "Log in to enable cloud backup": "Jelentkezzen be a felhőalapú biztonsági mentés engedélyezéséhez", + "Backup Failed": "A biztonsági mentés nem sikerült", + "Downloading backup...": "Bizt. mentés letöltése...", + "An update was found!": "Találtunk egy frissítést!", + "{0} can be updated to version {1}": "{0} frissíthető {1} verzióra.", + "Updates found!": "Frissítés található!", + "{0} packages can be updated": "{0} csomag frissíthető", + "You have currently version {0} installed": "Jelenleg a {0} verzió van telepítve", + "Desktop shortcut created": "Asztali parancsikon létrehozva", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Az UniGetUI egy új asztali parancsikont észlelt, amely auto. törölhető.", + "{0} desktop shortcuts created": "{0} asztali parancsikonok létrehozva", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Az UniGetUI Az UniGetUI {0} új asztali parancsikont észlelt, amelyek automatikusan törölhetők.", + "Are you sure?": "Biztos benne?", + "Do you really want to uninstall {0}?": "Biztosan el akarja távolítani a következőt: {0}?", + "Do you really want to uninstall the following {0} packages?": "Tényleg szeretné eltávolítani a következő {0} csomagot?", + "No": "Nem", + "Yes": "Igen", + "View on UniGetUI": "Megtekintés az Unigetui-n", + "Update": "Frissítés", + "Open UniGetUI": "Az UniGetUI megnyitása", + "Update all": "Az összes frissítése", + "Update now": "Frissítés most", + "This package is on the queue": "Ez a csomag várólistán van", + "installing": "telepítés", + "updating": "frissítés", + "uninstalling": "eltávolítás", + "installed": "telepítve", + "Retry": "Újra", + "Install": "Telepítés", + "Uninstall": "Eltávolítás", + "Open": "Megnyit", + "Operation profile:": "Műveleti profil:", + "Follow the default options when installing, upgrading or uninstalling this package": "Kövesse az alapért. beállításokat a csomag telepítésekor, frissítésekor vagy eltávolításakor.", + "The following settings will be applied each time this package is installed, updated or removed.": "A következő beállítások minden egyes alkalommal alkalmazásra kerülnek, amikor a csomag telepítése, frissítése vagy eltávolítása megtörténik.", + "Version to install:": "Telepítendő verzió:", + "Architecture to install:": "Telepítendő architektúra:", + "Installation scope:": "Scope telepítés:", + "Install location:": "Telepítés helye:", + "Select": "Kiválasztás", + "Reset": "Újrakezd", + "Custom install arguments:": "Egyéni telepítési argumentumok:", + "Custom update arguments:": "Egyéni frissítési argumentumok:", + "Custom uninstall arguments:": "Egyéni eltávolítási argumentumok:", + "Pre-install command:": "Telepítés előtti parancs:", + "Post-install command:": "Telepítés utáni parancs:", + "Abort install if pre-install command fails": "A telepítés megszakítása, ha a telepítést megelőző parancs sikertelenül működik", + "Pre-update command:": "Frissítés előtti parancs:", + "Post-update command:": "Frissítés utáni parancs:", + "Abort update if pre-update command fails": "A frissítés megszakítása, ha a frissítést megelőző parancs sikertelenül működik", + "Pre-uninstall command:": "Eltávolítás előtti parancs:", + "Post-uninstall command:": "Eltávolítás utáni parancs:", + "Abort uninstall if pre-uninstall command fails": "Az eltávolítás megszakítása, ha az eltávolítás előtti parancs sikertelen", + "Command-line to run:": "Futtatandó parancssor:", + "Save and close": "Mentés és bezárás", + "Run as admin": "Futtatás rendszergazdaként", + "Interactive installation": "Interaktív telepítés", + "Skip hash check": "Hash ellenőrzés kihagyása", + "Uninstall previous versions when updated": "A korábbi verziók eltávolítása frissítéskor", + "Skip minor updates for this package": "Kisebb frissítések kihagyása ehhez a csomaghoz", + "Automatically update this package": "A csomag automatikus frissítése", + "{0} installation options": "{0} telepítési lehetőségek", + "Latest": "Legújabb", + "PreRelease": "Korai kiadás", + "Default": "Alapértelmezett", + "Manage ignored updates": "Ignorált frissítések kezelése", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Az itt felsorolt csomagokat nem veszi figyelembe a rendszer a frissítések keresésekor. Kattintson rájuk duplán, vagy kattintson a jobb oldali gombra, ha nem szeretné tovább figyelmen kívül hagyni a frissítéseiket.\n", + "Reset list": "Lista alapra állítása", + "Package Name": "Csomagnév", + "Package ID": "Csomag azonosító", + "Ignored version": "Figyelmen kívül hagyott verzió", + "New version": "Új verzió", + "Source": "Forrás", + "All versions": "Minden változat", + "Unknown": "Ismeretlen", + "Up to date": "Naprakész", + "Cancel": "Mégse", + "Administrator privileges": "Rendszergazdai jogosultságok", + "This operation is running with administrator privileges.": "Ez a művelet rendszergazdai jogosultságokkal fut.", + "Interactive operation": "Interaktív műveletek", + "This operation is running interactively.": "Ez a művelet interaktívan fut.", + "You will likely need to interact with the installer.": "Valószínűleg rá kell pillantani a telepítőre.", + "Integrity checks skipped": "Kihagyott integritás ellenőrzések", + "Proceed at your own risk.": "Saját felelősségére folytassa.", + "Close": "Bezár", + "Loading...": "Betöltés...", + "Installer SHA256": "SHA256 telepítő", + "Homepage": "Honlap", + "Author": "Szerző", + "Publisher": "Kiadó", + "License": "Licenc", + "Manifest": "Jegyzék", + "Installer Type": "Telepítő típusa", + "Size": "Méret", + "Installer URL": "Telepítő URL", + "Last updated:": "Utolsó frissítés:", + "Release notes URL": "Kiadási megjegyzések URL", + "Package details": "A csomag részletei", + "Dependencies:": "Függőségek:", + "Release notes": "Kiadási megjegyzések", + "Version": "Verzió", + "Install as administrator": "Telepítés rendszergazdaként", + "Update to version {0}": "Frissítés a {0} verzióra", + "Installed Version": "Telepített verzió", + "Update as administrator": "Frissítés rendszergazdaként", + "Interactive update": "Interaktív frissítés", + "Uninstall as administrator": "Eltávolítás rendszergazdaként", + "Interactive uninstall": "Interaktív eltávolítás", + "Uninstall and remove data": "Eltávolítás és adatok eltávolítása", + "Not available": "Nem érhető el", + "Installer SHA512": "Telepítő SHA512", + "Unknown size": "Ismeretlen méret", + "No dependencies specified": "Nincsenek megadott függőségek", + "mandatory": "kötelező", + "optional": "lehetőség", + "UniGetUI {0} is ready to be installed.": "Az UniGetUI {0} készen áll a telepítésre.", + "The update process will start after closing UniGetUI": "A frissítési folyamat az UniGetUI bezárása után kezdődik.", + "Share anonymous usage data": "Névtelen használati adatok megosztása", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "Az UniGetUI anonim használati adatokat gyűjt a felhasználói élmény javítása érdekében.", + "Accept": "Elfogad", + "You have installed WingetUI Version {0}": "Ön telepítette a WingetUI {0} verzióját.", + "Disclaimer": "Nyilatkozat", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Az UniGetUI nem kapcsolódik egyik kompatibilis csomagkezelőhöz sem. Az UniGetUI egy független projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "A WingetUI nem jöhetett volna létre a közreműködők segítsége nélkül. Köszönjük mindenkinek 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "A WingetUI a következő könyvtárakat használja. Ezek nélkül a WingetUI nem jöhetett volna létre.", + "{0} homepage": "{0} honlap", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "A WingetUI-t több mint 40 nyelvre fordították le az önkéntes fordítóknak köszönhetően. Köszönöm 🤝", + "Verbose": "Bővebben", + "1 - Errors": "Hibák", + "2 - Warnings": "Figyelmeztetések", + "3 - Information (less)": "Információ (kevesebb)", + "4 - Information (more)": "Információ (több)", + "5 - information (debug)": "Információ (hibakeresés)", + "Warning": "Figyelmeztetés", + "The following settings may pose a security risk, hence they are disabled by default.": "A következő beállítások biztonsági kockázatot jelenthetnek, ezért alapértelmezés szerint le vannak tiltva.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Az alábbi beállításokat AKKOR ÉS CSAK IS AKKOR engedélyezze, ha teljesen tisztában van azzal, hogy mit tesznek, és milyen következményekkel és veszélyekkel járhatnak.", + "The settings will list, in their descriptions, the potential security issues they may have.": "A beállítások a leírásukban felsorolják a lehetséges biztonsági problémákat.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "A biztonsági mentés tartalmazza a telepített csomagok teljes listáját és a telepítési beállításokat. A figyelmen kívül hagyott frissítések és kihagyott verziók is mentésre kerülnek.\n", + "The backup will NOT include any binary file nor any program's saved data.": "A biztonsági mentés NEM tartalmaz semmilyen bináris fájlt vagy program mentett adatait.", + "The size of the backup is estimated to be less than 1MB.": "A biztonsági mentés becsült mérete kevesebb, mint 1 MB.", + "The backup will be performed after login.": "A biztonsági mentés a bejelentkezés után történik.", + "{pcName} installed packages": "{pcName} telepített csomagok", + "Current status: Not logged in": "Jelenlegi állapot: Nincs bejelentkezve", + "You are logged in as {0} (@{1})": "Ön be van jelentkezve, mint {0} (@{1} )", + "Nice! Backups will be uploaded to a private gist on your account": "Szép! A biztonsági mentések feltöltődnek a fiókod privát listájára.", + "Select backup": "Biztonsági mentés kiválasztása", + "WingetUI Settings": "WingetUI beállítások", + "Allow pre-release versions": "Engedélyezze az előzetes kiadású verziókat", + "Apply": "Alkalmaz", + "Go to UniGetUI security settings": "Lépjen az UniGetUI biztonsági beállításaihoz", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "A következő beállítások alapértelmezés szerint minden alkalommal alkalmazásra kerülnek, amikor egy {0} csomag telepítése, frissítése vagy eltávolítása történik.", + "Package's default": "A csomag alapértelmezett", + "Install location can't be changed for {0} packages": "A telepítési hely nem módosítható {0} csomag esetében", + "The local icon cache currently takes {0} MB": "A helyi ikon gyorsítótár jelenleg {0} MB helyet foglal el.", + "Username": "Felhasználónév", + "Password": "Jelszó", + "Credentials": "Ajánlások", + "Partially": "Részben", + "Package manager": "Csomagkezelő", + "Compatible with proxy": "Kompatibilitás proxy-val", + "Compatible with authentication": "Kompatibilitás hitelesítéssel", + "Proxy compatibility table": "Proxy kompatibilitási táblázat", + "{0} settings": "{0} beállítások", + "{0} status": "{0} állapot", + "Default installation options for {0} packages": "{0} csomag alapért. telepítési beállításai", + "Expand version": "Bővített változat", + "The executable file for {0} was not found": "A {0} futtatható fájlja nem található", + "{pm} is disabled": "{pm} le van tiltva", + "Enable it to install packages from {pm}.": "Engedélyezze a csomagok telepítéséhez innen {pm}.", + "{pm} is enabled and ready to go": "{pm} engedélyezve van, és használatra kész", + "{pm} version:": "{pm} verzió:", + "{pm} was not found!": "{pm} nem található!", + "You may need to install {pm} in order to use it with WingetUI.": "Lehet, hogy telepítenie kell a {pm}-t, hogy a WingetUI-val használni tudja.", + "Scoop Installer - WingetUI": "Scoop telepítő - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop eltávolító - WingetUI", + "Clearing Scoop cache - WingetUI": "Scoop gyorsítótár törlése - WingetUI", + "Restart UniGetUI": "Az UniGetUI újraindítása", + "Manage {0} sources": "{0} források kezelése", + "Add source": "Forrás hozzáadása", + "Add": "Hozzáadás", + "Other": "Egyéb", + "1 day": "1 nap", + "{0} days": "{0} nap", + "{0} minutes": "{0} perc", + "1 hour": "1 óra", + "{0} hours": "{0} óra", + "1 week": "1 hét", + "WingetUI Version {0}": "WingetUI verzió {0}", + "Search for packages": "Csomagok keresése", + "Local": "Helyi", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} csomagot találtunk, amelyek közül {1} megfelel a megadott szűrőknek.", + "{0} selected": "{0} kiválasztva", + "(Last checked: {0})": "(Utolsó ellenőrzés: {0})", + "Enabled": "Engedélyezve", + "Disabled": "Kikapcsolva", + "More info": "Több infó", + "Log in with GitHub to enable cloud package backup.": "Jelentkezzen be a GitHub-bal a felhőalapú csomag bizt. mentés engedélyezéséhez.", + "More details": "További részletek", + "Log in": "Bejelentkezés", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ha engedélyezte a felhőalapú mentést, akkor az egy GitHub Gist-ként lesz elmentve ezen a fiókon.", + "Log out": "Kijelentkezés", + "About": "Rólunk", + "Third-party licenses": "Harmadik fél licencei", + "Contributors": "Közreműködők", + "Translators": "Fordítók", + "Manage shortcuts": "A parancsikonok kezelése", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Az UniGetUI a következő asztali parancsikonokat észlelte, amelyek a jövőbeni frissítések során auto. eltávolíthatók", + "Do you really want to reset this list? This action cannot be reverted.": "Tényleg alaphelyzetbe állítja ezt a listát? Ezt a műveletet nem lehet visszavonni.", + "Remove from list": "Eltávolítás a listáról", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Mikor új parancsikonokat észlel, autom. törli ezeket ahelyett, hogy megjelenítené ezt a párbeszédpanelt.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Az UniGetUI anonim használati adatokat gyűjt, kizárólag azzal a céllal, hogy megértse és javítsa a felhasználói élményt.", + "More details about the shared data and how it will be processed": "További részletek a megosztott adatokról és azok feldolgozásának módjáról", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Elfogadja, hogy az UniGetUI anonim használati statisztikákat gyűjt és küld, kizárólag a felhasználói élmény megértése és javítása céljából?", + "Decline": "Elutasít", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nem gyűjtünk és nem küldünk személyes adatokat. Az összegyűjtött adatokat anonimizáljuk, így nem lehet visszavezetni Önhöz.", + "About WingetUI": "A WingetUI-ról", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "A WingetUI egy olyan alkalmazás, amely megkönnyíti a szoftverek kezelését, mivel egy minden egyben grafikus felületet biztosít a parancssori csomagkezelők számára.\n", + "Useful links": "Hasznos linkek", + "Report an issue or submit a feature request": "Jelentsen be egy problémát, vagy küldjön be egy funkció kérést", + "View GitHub Profile": "GitHub profil megtekintése", + "WingetUI License": "WingetUI licenc", + "Using WingetUI implies the acceptation of the MIT License": "A WingetUI használata magában foglalja az MIT-licenc elfogadását", + "Become a translator": "Legyen fordító", + "View page on browser": "Megtekintés böngészőben", + "Copy to clipboard": "Másol a vágólapra", + "Export to a file": "Exportál egy fájlba", + "Log level:": "Napló szint:", + "Reload log": "Napló újratöltése", + "Text": "Szöveg", + "Change how operations request administrator rights": "A műveletek rendszergazdai jog igénylési módjának változtatása", + "Restrictions on package operations": "A csomagműveletekre vonatkozó korlátozások", + "Restrictions on package managers": "A csomagkezelőkre vonatkozó korlátozások", + "Restrictions when importing package bundles": "Korlátozások csomagkötegek importálásakor", + "Ask for administrator privileges once for each batch of operations": "Minden műveletköteghez egyszer kérjen rendszergazdai jogosultságot.", + "Ask only once for administrator privileges": "Csak egyszer kérjen rendszergazdai jogosultságokat", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Tiltsa meg az UniGetUI Elevator vagy GSudo segítségével történő bármilyen kiemelkedést", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ez az opció problémákat fog okozni. Minden olyan művelet, amely nem képes magát kiemelni, SIKERTELEN lesz. A rendszergazdaként történő telepítés/frissítés/eltávolítás NEM FOG MŰKÖDNI.", + "Allow custom command-line arguments": "Egyéni parancssori argumentumok engedélyezése", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Az egyéni parancssori argumentumok megváltoztathatják a programok telepítésének, frissítésének vagy eltávolításának módját, amit az UniGetUI nem tud ellenőrizni. Az egyéni parancssorok használata megrongálhatja a csomagokat. Kérjük, óvatosan járjon el.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Az egyéni telepítés előtti és utáni parancsok figyelmen kívül hagyása a csomagok kötegből történő importálásakor", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "A telepítés előtti és utáni parancsok a csomag telepítése, frissítése vagy eltávolítása előtt és után futnak. Ne feledje, hogy ezek a parancsok óvatlan használat esetén károsíthatják a rendszert", + "Allow changing the paths for package manager executables": "Lehetővé teszi a csomagkezelő futtatható fájljainak elérési útvonal módosítását", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ennek bekapcsolása lehetővé teszi a csomagkezelőkkel való interakcióhoz használt futtatható fájl megváltoztatását. Ez lehetővé teszi a telepítési folyamatok finomabb testreszabását, de veszélyes is lehet.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Engedélyezze az egyéni parancssori argumentumok importálását, amikor csomagokat importál egy kötegből.", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "A hibás parancssori argumentumok megrongálhatják a csomagokat, vagy akár lehetővé tehetik egy rosszindulatú szereplő számára, hogy kiváltságos végrehajtási jogokat szerezzen. Ezért az egyéni parancssori argumentumok importálása alapértelmezés szerint le van tiltva", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Egyéni előtelepítési és utótelepítési parancsok importálásának engedélyezése csomagok csomagból történő importálása esetén", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "A telepítés előtti és utáni parancsok nagyon kellemetlen dolgokat tehetnek a készülékkel, ha erre tervezték őket. Nagyon veszélyes lehet a parancsokat egy csomagból importálni, hacsak nem bízik a csomag forrásában", + "Administrator rights and other dangerous settings": "Rendszergazdai jogok és egyéb veszélyes beállítások", + "Package backup": "Csomag biztonsági mentése", + "Cloud package backup": "Felhőbeni csomag biztonsági mentés", + "Local package backup": "Helyi csomag biztonsági mentés", + "Local backup advanced options": "Helyi biztonsági mentés speciális beállításai", + "Log in with GitHub": "Bejelentkezés GitHub-fiókkal", + "Log out from GitHub": "Kijelentkezés a GitHubról", + "Periodically perform a cloud backup of the installed packages": "Rendszeresen végezzen felhő mentést a telepített csomagokról", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "A felhőmentés egy privát GitHub Gist-et használ a telepített csomagok listájának tárolására.", + "Perform a cloud backup now": "Végezzen felhőmentést most", + "Backup": "Biztonsági mentés", + "Restore a backup from the cloud": "Biztonsági mentés visszaállítása a felhőből", + "Begin the process to select a cloud backup and review which packages to restore": "Kezdje el a folyamatot a felhőalapú bizt. mentés kiválasztásához és a visszaállítandó csomagok áttekintéséhez.", + "Periodically perform a local backup of the installed packages": "Rendszeresen készítsen helyi biztonsági mentést a telepített csomagokról.", + "Perform a local backup now": "Helyi bizt. mentés végrehajtása most", + "Change backup output directory": "A biztonsági mentés kimeneti könyvtárának módosítása", + "Set a custom backup file name": "Egyéni mentési fájlnév beállítása", + "Leave empty for default": "Alapértékhez hagyja üresen", + "Add a timestamp to the backup file names": "Időbélyegző hozzáadása a mentési fájlnevekhez", + "Backup and Restore": "Bizt. mentés és Helyreállítás", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "A háttér api engedélyezése (WingetUI Widgets and Sharing, 7058-as port)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Várja meg, amíg a készülék csatlakozik az internethez, mielőtt kapcsolatot igénylő feladatokat próbálna végrehajtani.", + "Disable the 1-minute timeout for package-related operations": "Az 1 perces időkorlát kikapcsolása a csomaggal kapcsolatos műveleteknél", + "Use installed GSudo instead of UniGetUI Elevator": "A telepített GSudo használata az UniGetUI Elevator helyett", + "Use a custom icon and screenshot database URL": "Egyéni ikon és képernyőkép adatbázis URL használata", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Engedélyezze a CPU háttérben használat optimalizálását", + "Perform integrity checks at startup": "Integritás ellenőrzés végrehajtása indításkor", + "When batch installing packages from a bundle, install also packages that are already installed": "A csomagok kötegelt telepítésekor a már telepített csomagokat is telepíti.", + "Experimental settings and developer options": "Kísérleti beállítások és fejlesztői lehetőségek", + "Show UniGetUI's version and build number on the titlebar.": "Az UniGetUI-verzió megjelenítése a címsoron", + "Language": "Nyelv", + "UniGetUI updater": "UniGetUI frissítő", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "UniGetUI beállítások kezelése", + "Related settings": "Kapcsolódó beállítások", + "Update WingetUI automatically": "A WingetUI automatikus frissítése", + "Check for updates": "Frissítések ellenőrzése", + "Install prerelease versions of UniGetUI": "Az UniGetUI előzetes verzióinak telepítése", + "Manage telemetry settings": "Telemetriai beállítások kezelése", + "Manage": "Kezelés", + "Import settings from a local file": "Beállítások importálása helyi fájlból", + "Import": "Importálás", + "Export settings to a local file": "Beállítások exportálása helyi fájlba", + "Export": "Exportálás", + "Reset WingetUI": "A WingetUI alaphelyzetbe állítása", + "Reset UniGetUI": "UniGetUI alapra állítása", + "User interface preferences": "A felhasználói felület beállításai", + "Application theme, startup page, package icons, clear successful installs automatically": "Alkalmazás téma, kezdőlap, csomag ikonok, sikeres telepítések automatikus törlése", + "General preferences": "Általános preferenciák", + "WingetUI display language:": "WingetUI megjelenítési nyelve:", + "Is your language missing or incomplete?": "Hiányzik vagy hiányos az Ön nyelve?", + "Appearance": "Megjelenés", + "UniGetUI on the background and system tray": "UniGetUI a háttérben és a tálcán", + "Package lists": "Csomag listák", + "Close UniGetUI to the system tray": "Az UniGetUI bezárása a tálcára", + "Show package icons on package lists": "Csomag ikonok megjelenítése a csomaglistákon", + "Clear cache": "Gyors.tár törlése", + "Select upgradable packages by default": "Alapértelmezés szerint frissíthető csomagok kiválasztása", + "Light": "Világos", + "Dark": "Sötét", + "Follow system color scheme": "Kövesse a rendszer színsémáját", + "Application theme:": "Alkalmazás téma:", + "Discover Packages": "Csomagok felfedezése", + "Software Updates": "Szoftver frissítések", + "Installed Packages": "Telepített Csomagok", + "Package Bundles": "Csomag kötegek", + "Settings": "Beállítások", + "UniGetUI startup page:": "UniGetUI kezdőlap:", + "Proxy settings": "Proxy beállításai", + "Other settings": "Egyéb beállítások", + "Connect the internet using a custom proxy": "Csatlakozás az internethez egyéni proxy használatával", + "Please note that not all package managers may fully support this feature": "Vegye figyelembe, hogy nem minden csomagkezelő támogatja teljes mértékben ezt a funkciót.", + "Proxy URL": "Proxy URL-cím", + "Enter proxy URL here": "Adja meg a Proxy URL-t", + "Package manager preferences": "Csomagkezelő preferenciái", + "Ready": "Kész", + "Not found": "Nem található", + "Notification preferences": "Értesítési beállítások", + "Notification types": "Értesítés típusai", + "The system tray icon must be enabled in order for notifications to work": "Az értesítések működéséhez engedélyezni kell a tálcaikont.", + "Enable WingetUI notifications": "WingetUI értesítések engedélyezése", + "Show a notification when there are available updates": "Értesítés megjelenítése, ha elérhető frissítések vannak", + "Show a silent notification when an operation is running": "Csendes értesítés megjelenítése, amikor egy művelet fut", + "Show a notification when an operation fails": "Értesítés megjelenítése, ha egy művelet sikertelen", + "Show a notification when an operation finishes successfully": "Értesítés megjelenítése, ha egy művelet sikeresen befejeződik", + "Concurrency and execution": "Egyidejűség és végrehajtás", + "Automatic desktop shortcut remover": "Automatikus asztali parancsikon eltávolító", + "Clear successful operations from the operation list after a 5 second delay": "A sikeres műveletek törlése a műveleti listából 5 mp késleltetés után.", + "Download operations are not affected by this setting": "A letöltési műveleteket ez a beállítás nem befolyásolja", + "Try to kill the processes that refuse to close when requested to": "Próbálja meg leállítani azokat a folyamatokat, amelyek nem hajlandóak bezárni, amikor erre kérik őket.", + "You may lose unsaved data": "Elveszítheti a nem mentett adatokat", + "Ask to delete desktop shortcuts created during an install or upgrade.": "A telepítés vagy frissítés során létrehozott asztali parancsikonok törlésének kérése.", + "Package update preferences": "Csomag frissítési preferenciái", + "Update check frequency, automatically install updates, etc.": "Frissítések ellenőrz. gyakorisága, frissítések autom. telepítése, stb.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Az UAC-kérelmek csökkentése, a telepítések alapértelmezett kiemelése, bizonyos veszélyes funkciók feloldása stb.", + "Package operation preferences": "Csomag működési preferenciái", + "Enable {pm}": "{pm} engedélyezése", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nem találja a keresett fájlt? Győződjön meg róla, hogy hozzáadta az elérési útvonalhoz.", + "For security reasons, changing the executable file is disabled by default": "Biztonsági okokból a futtatható fájl módosítása alapértelmezés szerint le van tiltva.", + "Change this": "Változtassa meg ezt", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Válassza ki a használni kívánt végrehajtható fájlt. Az alábbi lista az UniGetUI által talált végrehajtható fájlokat tartalmazza", + "Current executable file:": "Jelenlegi futtatható fájl:", + "Ignore packages from {pm} when showing a notification about updates": "A {pm} csomagok figyelmen kívül hagyása a frissítésekről szóló értesítés megjelenítésekor", + "View {0} logs": "{0} naplók megtekintése", + "Advanced options": "Haladó beállítások", + "Reset WinGet": "WinGet alapra állítása", + "This may help if no packages are listed": "Ez segíthet, ha nincsenek csomagok a listában", + "Force install location parameter when updating packages with custom locations": "A telepítési hely paraméterének kényszerítése az egyéni helyre telepített csomagok frissítésekor", + "Use bundled WinGet instead of system WinGet": "A csomagban lévő WinGet használata a rendszerbeli WinGet helyett", + "This may help if WinGet packages are not shown": "Ez segíthet, ha a WinGet csomagok nem jelennek meg", + "Install Scoop": "Scoop telepítés", + "Uninstall Scoop (and its packages)": "A Scoop (és csomagjai) eltávolítása", + "Run cleanup and clear cache": "Futtassa a tisztítást és törölje a gyorsítótárat", + "Run": "Futtat", + "Enable Scoop cleanup on launch": "Scoop tisztítás engedélyezése indításkor", + "Use system Chocolatey": "Használja a rendszerbeli Chocolatey-t", + "Default vcpkg triplet": "Alapértelmezett vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Nyelv, téma és más egyéb beállítások", + "Show notifications on different events": "Értesítések megjelenítése különböző eseményekről", + "Change how UniGetUI checks and installs available updates for your packages": "Az UniGetUI csomagok elérhető frissítései ellenőrzésének és telepítési módjának módosítása", + "Automatically save a list of all your installed packages to easily restore them.": "Autom. elmenti az összes telepített csomag listáját, hogy könnyen visszaállíthassa azokat.", + "Enable and disable package managers, change default install options, etc.": "Csomagkezelők engedélyezése és letiltása, alapért. telepítési beállítások módosítása, stb.", + "Internet connection settings": "Internet kapcsolat beállításai", + "Proxy settings, etc.": "Proxy beállítások, stb.", + "Beta features and other options that shouldn't be touched": "Béta funkciók és egyéb opciók, amelyekhez nem szabadna hozzányúlni", + "Update checking": "Frissítés ellenőrzése", + "Automatic updates": "Autom. frissítések", + "Check for package updates periodically": "Rendszeresen ellenőrizze a csomag frissítéseit", + "Check for updates every:": "Ellenőrzés gyakorisága:", + "Install available updates automatically": "A rendelkezésre álló frissítések automatikus telepítése", + "Do not automatically install updates when the network connection is metered": "Ne telepítse autom. a frissítéseket, ha a hálózati kapcsolat nem korlátlan.", + "Do not automatically install updates when the device runs on battery": "Ne telepítsen autom. frissítéseket, amikor az eszköz akkuról üzemel", + "Do not automatically install updates when the battery saver is on": "Ne telepítse autom. a frissítéseket, ha az akkukímélő funkció be van kapcsolva.", + "Change how UniGetUI handles install, update and uninstall operations.": "Módosíthatja, hogy az UniGetUI miként kezelje a telepítési, frissítési és eltávolítási műveleteket.", + "Package Managers": "Csomagkezelők", + "More": "További", + "WingetUI Log": "WingetUI Napló", + "Package Manager logs": "Csomagkezelő naplók", + "Operation history": "Műveleti előzmények", + "Help": "Súgó", + "Order by:": "Rendezés:", + "Name": "Név", + "Id": "Azonosító", + "Ascendant": "Növekvő", + "Descendant": "Utód", + "View mode:": "Megtekintési mód:", + "Filters": "Szűrők", + "Sources": "Források", + "Search for packages to start": "Csomagok keresése a kezdéshez", + "Select all": "Mindet kiválaszt", + "Clear selection": "Kiválasztás törlése", + "Instant search": "Azonnali keresés", + "Distinguish between uppercase and lowercase": "Tegyen különbséget a kis- és nagybetűk között", + "Ignore special characters": "Speciális karakterek figyelmen kívül hagyása", + "Search mode": "Keresési mód", + "Both": "Mindkettő", + "Exact match": "Pontos egyezés", + "Show similar packages": "Hasonló csomagok megjelenítése", + "No results were found matching the input criteria": "Nincs találat a beviteli feltételeknek megfelelő eredményre", + "No packages were found": "Nem találtunk csomagokat", + "Loading packages": "Csomagok betöltése", + "Skip integrity checks": "Integritás ellenőrzések kihagyása", + "Download selected installers": "Kiválasztott telepítők letöltése", + "Install selection": "Telepítés kiválasztása", + "Install options": "Telepítési lehetőségek", + "Share": "Megoszt", + "Add selection to bundle": "Kijelölés hozzáadása a köteghez", + "Download installer": "Telepítő letöltése", + "Share this package": "Ossza meg ezt a csomagot", + "Uninstall selection": "Kiválasztott eltávolítása", + "Uninstall options": "Eltávolítás lehetőségei", + "Ignore selected packages": "Kiválasztott csomagok figyelmen kívül hagyása", + "Open install location": "Telepítés helyének megnyitása", + "Reinstall package": "Csomag újratelepítés", + "Uninstall package, then reinstall it": "Távolítsa el a csomagot, majd telepítse újra", + "Ignore updates for this package": "Hagyja figyelmen kívül a csomag frissítéseit", + "Do not ignore updates for this package anymore": "Többé ne hagyja figyelmen kívül a csomag frissítéseit", + "Add packages or open an existing package bundle": "\nCsomagok hozzáadása vagy egy meglévő csomag köteg megnyitása", + "Add packages to start": "Adjon hozzá csomagokat az indításhoz", + "The current bundle has no packages. Add some packages to get started": "Az aktuális köteg nem tartalmaz csomagokat. A kezdéshez adjon hozzá néhány csomagot", + "New": "Új", + "Save as": "Ment, mint", + "Remove selection from bundle": "A kiválasztás eltávolítása a kötegből", + "Skip hash checks": "Hash ellenőrzések kihagyása", + "The package bundle is not valid": "A csomag köteg nem érvényes", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "A köteg amelyet be akar tölteni, érvénytelennek tűnik. Ellenőrizze a fájlt, és próbálja meg újra.", + "Package bundle": "Csomag köteg", + "Could not create bundle": "Nem sikerült létrehozni a köteget", + "The package bundle could not be created due to an error.": "A csomag köteget hiba miatt nem sikerült létrehozni.", + "Bundle security report": "Köteg-biztonsági jelentés", + "Hooray! No updates were found.": "Minden rendben! Nincs több frissítés!", + "Everything is up to date": "Minden naprakész", + "Uninstall selected packages": "A kiválasztott csomagok eltávolítása", + "Update selection": "Kiválasztott frissítése", + "Update options": "Frissítés lehetőségei", + "Uninstall package, then update it": "Távolítsa el a csomagot, majd frissítse azt", + "Uninstall package": "Csomag eltávolítása", + "Skip this version": "Hagyja ki ezt a verziót", + "Pause updates for": "Frissítései szüneteltetése", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "A Rust csomagkezelő.
Tartalma: Rust könyvtárak és Rust nyelven írt programok ", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "\nA klasszikus csomagkezelő Windowshoz. Mindent megtalálsz benne.
Tartalma: Általános szoftverek", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "A Microsoft .NET ökoszisztémára tervezett eszközök és futtatható fájlok tárháza.
Tatalma: .NET kapcsolódó eszközök és szkriptek\n", + "NuPkg (zipped manifest)": "NuPkg (tömörített manifeszt)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "A Node JS csomagkezelője. Tele van könyvtárakkal és egyéb segédprogramokkal, amelyek a javascript világában keringenek
Tartalma: Node javascript könyvtárak és egyéb kapcsolódó segédprogramok", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "A Python könyvtárkezelője. Tele van python könyvtárakkal és egyéb pythonhoz kapcsolódó segédprogramokkal
Tartalma: Python könyvtárak és kapcsolódó segédprogramok", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "A PowerShell csomagkezelője. A PowerShell képességeit bővítő könyvtárak és szkriptek keresése
Tartalma: Modulok, szkriptek, parancsfájlok\n", + "extracted": "kivont", + "Scoop package": "Scoop csomag", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Ismeretlen, de hasznos segédprogramok és más érdekes csomagok nagyszerű tárháza.
Tartalma: Segédprogramok, Parancssoros programok, Általános szoftverek (extra bucket szükséges)", + "library": "könyvtár", + "feature": "funkció", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Egy népszerű C/C++ könyvtár kezelő. Tele van C/C++ könyvtárakkal és egyéb C/C++hoz kapcsolódó segésprogramokkal
Tartalma: C/C++ könyvtárak és kapcsolódó segépdprogramok", + "option": "opció", + "This package cannot be installed from an elevated context.": "Ez a csomag nem telepíthető emelt szintű környezetből.", + "Please run UniGetUI as a regular user and try again.": "Kérjük futtassa az UniGetUI-t normál felhasználóként, és próbálja meg újra.", + "Please check the installation options for this package and try again": "Kérjük ellenőrizze a csomag telepítési beállításait, és próbálja meg újra.", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "A Microsoft hivatalos csomagkezelője. Tele van jól ismert és ellenőrzött csomagokkal
Tartalma: <Általános szoftverek, Microsoft Store alkalmazások
.", + "Local PC": "Helyi PC", + "Android Subsystem": "Android Alrendszer", + "Operation on queue (position {0})...": "A művelet a várólistán ({0}. pozíció)...", + "Click here for more details": "Kattintson további részletekért", + "Operation canceled by user": "Felhasználó által törölt művelet", + "Starting operation...": "Művelet indítása...", + "{package} installer download": "{package} a telepítő letöltése", + "{0} installer is being downloaded": "{0} telepítő letöltése folyamatban van", + "Download succeeded": "A letöltés sikeres volt", + "{package} installer was downloaded successfully": "{package} a telepítő sikeresen letöltődött", + "Download failed": "Sikertelen letöltés", + "{package} installer could not be downloaded": "{package} a telepítőt nem lehetett letölteni", + "{package} Installation": "{package} Telepítés", + "{0} is being installed": "{0} telepítés alatt áll", + "Installation succeeded": "A telepítés sikeres volt", + "{package} was installed successfully": "{package} telepítése sikeresen megtörtént", + "Installation failed": "Sikertelen telepítés", + "{package} could not be installed": "{package} nem tudott települni", + "{package} Update": "{package} Frissítés", + "{0} is being updated to version {1}": "{0} frissül az {1} verzióra.", + "Update succeeded": "A frissítés sikeres volt", + "{package} was updated successfully": "{package} sikeresen frissítve", + "Update failed": "A frissítés sikertelen", + "{package} could not be updated": "{package} nem tudott frissülni", + "{package} Uninstall": "{package} Eltávolítás", + "{0} is being uninstalled": "{0} eltávolításra kerül", + "Uninstall succeeded": "Az eltávolítás sikeres volt", + "{package} was uninstalled successfully": "{package} eltávolítása sikeresen megtörtént", + "Uninstall failed": "Az eltávolítás sikertelen", + "{package} could not be uninstalled": "{package} nem lehetett eltávolítani", + "Adding source {source}": "Forrás hozzáadása {source}", + "Adding source {source} to {manager}": "Forrás hozzáadása {source} ide {manager}", + "Source added successfully": "Forrás sikeresen hozzáadva", + "The source {source} was added to {manager} successfully": "A forrás {source} sikeresen hozzá lett adva {manager}.", + "Could not add source": "Nem tudta felvenni a forrást", + "Could not add source {source} to {manager}": "Nem sikerült hozzáadni a forrást {source} a kezelőhöz {manager}", + "Removing source {source}": "Forrás eltávolítása {source}", + "Removing source {source} from {manager}": "A forrás {source} eltávolítása innen {manager}", + "Source removed successfully": "Forrás sikeresen eltávolítva", + "The source {source} was removed from {manager} successfully": "A {source} forrás sikeresen eltávolítva innen {manager}", + "Could not remove source": "Nem tudta eltávolítani a forrást", + "Could not remove source {source} from {manager}": "Nem sikerült eltávolítani a forrást {source} a kezelőből {manager}", + "The package manager \"{0}\" was not found": "A \"{0}\" csomagkezelőt nem találtuk meg.", + "The package manager \"{0}\" is disabled": "A \"{0}\" csomagkezelő le van tiltva", + "There is an error with the configuration of the package manager \"{0}\"": "Hiba van a \"{0}\" csomagkezelő konfigurációjával.", + "The package \"{0}\" was not found on the package manager \"{1}\"": "A \"{0}\" csomagot nem találta a \"{1}\" csomagkezelő.", + "{0} is disabled": "{0} le van tiltva", + "Something went wrong": "Valami nincs rendben", + "An interal error occurred. Please view the log for further details.": "Belső hiba történt. További részletekért tekintse meg a naplót.", + "No applicable installer was found for the package {0}": "Nem találtunk megfelelő telepítőt a {0} csomaghoz", + "We are checking for updates.": "Ellenőrizzük a frissítéseket.", + "Please wait": "Kis türelmet", + "UniGetUI version {0} is being downloaded.": "Az UniGetUI {0} verziójának letöltése folyamatban van.", + "This may take a minute or two": "Ez egy-két percet vehet igénybe", + "The installer authenticity could not be verified.": "A telepítő hitelességét nem sikerült ellenőrizni.", + "The update process has been aborted.": "A frissítési folyamat megszakadt.", + "Great! You are on the latest version.": "Nagyszerű! Ön a legújabb verziót használja.", + "There are no new UniGetUI versions to be installed": "Nincsenek új UniGetUI verziók, amelyeket telepíteni kellene", + "An error occurred when checking for updates: ": "Hiba történt a frissítések ellenőrzése során:", + "UniGetUI is being updated...": "Az UniGetUI frissül...", + "Something went wrong while launching the updater.": "Valamilyen hiba történt a frissítő indítása közben.", + "Please try again later": "Kérjük próbálja később újra", + "Integrity checks will not be performed during this operation": "A művelet során nem kerül sor integritás ellenőrzésekre.", + "This is not recommended.": "Ez nem ajánlott.", + "Run now": "Futtatás most", + "Run next": "Futtatás következőnek", + "Run last": "Futtatás utoljára", + "Retry as administrator": "Újabb próba rendszergazdaként", + "Retry interactively": "Újabb próba interaktívan", + "Retry skipping integrity checks": "Kihagyott integritás ellenőrzések megismétlése", + "Installation options": "Telepítési lehetőségek", + "Show in explorer": "Megjelenítés a keresőben", + "This package is already installed": "Ez a csomag már telepítve van", + "This package can be upgraded to version {0}": "Ez a csomag frissíthető a {0} verzióra.", + "Updates for this package are ignored": "A csomag frissítései figyelmen kívül maradnak", + "This package is being processed": "Ez a csomag feldolgozás alatt áll", + "This package is not available": "Ez a csomag nem elérhető", + "Select the source you want to add:": "Válassza ki a hozzáadni kívánt forrást:", + "Source name:": "Forrás neve:", + "Source URL:": "Forrás URL:", + "An error occurred": "Hiba történt", + "An error occurred when adding the source: ": "Hiba történt a forrás hozzáadásakor:", + "Package management made easy": "Csomagkezelés egyszerűen", + "version {0}": "verzió {0}", + "[RAN AS ADMINISTRATOR]": "RENDSZERGAZDAKÉNT FUTOTT", + "Portable mode": "Hordozható mód", + "DEBUG BUILD": "HIBAKERESŐ VERZIÓ", + "Available Updates": "Elérhető frissítések", + "Show WingetUI": "WingetUI megjelenítése", + "Quit": "Kilépés", + "Attention required": "Figyelmet igényel", + "Restart required": "Újraindítás szükséges", + "1 update is available": "1 frissítés érhető el", + "{0} updates are available": "{0} frissítés áll rendelkezésre", + "WingetUI Homepage": "WingetUI honlap", + "WingetUI Repository": "WingetUI Repository", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Itt módosíthatja az UniGetUI viselkedését a következő parancsikonokkal kapcsolatban. Ha bejelöl egy parancsikont, akkor az UniGetUI törölni fogja azt, ha egy későbbi frissítéskor létrejön. Ha nem jelöli ki, a parancsikon érintetlenül marad.", + "Manual scan": "Kézi vizsgálat", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Az asztalon meglévő parancsikonok átvizsgálásra kerülnek és ki kell választania, melyiket szeretné megtartani vagy eltávolítani.", + "Continue": "Folytatás", + "Delete?": "Törli?", + "Missing dependency": "Hiányzó függőség", + "Not right now": "Most nem.", + "Install {0}": "{0} telepítése", + "UniGetUI requires {0} to operate, but it was not found on your system.": "Az UniGetUI működéséhez {0} szükséges, de nem találtuk meg a rendszerében.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kattintson a Telepítés gombra a telepítési folyamat megkezdéséhez. Ha kihagyja a telepítést előfordulhat, hogy az UniGetUI nem a várt módon fog működni.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatívaként a(z) {0} telepítése a Windows PowerShell-ben a következő parancs futtatásával is elvégezhető:", + "Do not show this dialog again for {0}": "Ne jelenítse meg ezt a {0} párbeszédpanelt újra", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Kérjük, várjon, amíg {0} telepítése folyamatban van. Egy fekete ablak jelenhet meg. Kis türelmet, amíg bezáródik.", + "{0} has been installed successfully.": "{0} sikeresen telepítve.", + "Please click on \"Continue\" to continue": "A folytatáshoz kattintson a \"Folytatás\" gombra", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} sikeresen telepítve. A telepítés befejezéséhez ajánlott újraindítani az UniGetUI-t.", + "Restart later": "Újraindítás később", + "An error occurred:": "Hiba történt:", + "I understand": "Megértettem", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "A WingetUI-t rendszergazdaként futtatta, ami nem ajánlott. Ha a WingetUI-t rendszergazdaként futtatja, MINDEN WingetUI-ból indított művelet rendszergazdai jogosultságokkal rendelkezik. A programot továbbra is használhatja, de erősen javasolt, hogy a WingetUI-t ne futtassa rendszergazdai jogosultságokkal.\n", + "WinGet was repaired successfully": "A WinGet sikeresen javítva lett", + "It is recommended to restart UniGetUI after WinGet has been repaired": "A WinGet javítása után ajánlott az UniGetUI újraindítása.", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MEGJEGYZÉS: Ez a hibaelhárító kikapcsolható az UniGetUI beállításai között, a WinGet szakaszban.", + "Restart": "Újraindítás", + "WinGet could not be repaired": "A WinGet nem javítható", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Váratlan probléma merült fel a WinGet javítási kísérlete során. Próbálja később újra", + "Are you sure you want to delete all shortcuts?": "Biztos, hogy az összes parancsikont törölni szeretné?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "A telepítés vagy frissítés során létrehozott új parancsikonok auto. törlődnek, ahelyett, hogy az első észlelésükkor megerősítést kérnének.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Az UniGetUI-n kívül létrehozott vagy módosított parancsikonok figyelmen kívül maradnak. Ezeket a {0} gombon keresztül tudja majd hozzáadni.", + "Are you really sure you want to enable this feature?": "Tényleg biztosan engedélyezni szeretné ezt a funkciót?", + "No new shortcuts were found during the scan.": "A vizsgálat során nem találtunk új parancsikonokat.", + "How to add packages to a bundle": "Csomagok hozzáadása egy köteghez", + "In order to add packages to a bundle, you will need to: ": "Ahhoz, hogy csomagokat adjon hozzá egy köteghez, a következőkre van szüksége:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigáljon a \"{0}\" vagy \"{1}\" oldalra.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Keresse meg a köteghez hozzáadni kívánt csomago(ka)t, és jelölje be a bal oldali jelölőnégyzetet.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Amikor a köteghez hozzáadni kívánt csomagok ki vannak jelölve, keresse meg az eszköztáron a \"{0}\" opciót, és kattintson rá.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. A köteghez hozzáadásra kerülnek a csomagok. Folytathatja a csomagok hozzáadását, vagy exportálhatja a csomagot.", + "Which backup do you want to open?": "Melyik biztonsági mentést szeretné megnyitni?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Válassza ki a megnyitni kívánt biztonsági másolatot. Később áttekintheti, hogy mely csomagokat/programokat szeretné visszaállítani.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Folyamatban vannak műveletek. A WingetUI elhagyása ezek meghibásodását okozhatja. Folytatni szeretné?", + "UniGetUI or some of its components are missing or corrupt.": "Az UniGetUI vagy annak egyes összetevői hiányoznak vagy sérültek.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Erősen ajánlott az UniGetUI újratelepítése a probléma megoldása érdekében.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Az érintett fájl(okk)al kapcsolatos további részletekért lásd az UniGetUI naplófájlokat", + "Integrity checks can be disabled from the Experimental Settings": "Az integritás-ellenőrzések letilthatók a Kísérleti beállítások menüpontban", + "Repair UniGetUI": "Az UniGetUI javítása", + "Live output": "Élő kimenet", + "Package not found": "Csomag nem található", + "An error occurred when attempting to show the package with Id {0}": "Hiba történt a {0} azonosítóval rendelkező csomag megjelenítésekor.", + "Package": "Csomag", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ez a csomag köteg tartalmazott néhány potenciálisan veszélyes beállítást, amelyeket alapértelmezés szerint figyelmen kívül lehet hagyni.", + "Entries that show in YELLOW will be IGNORED.": "A SÁRGA színnel jelölt bejegyzések figyelmen kívül maradnak.", + "Entries that show in RED will be IMPORTED.": "A PIROS bejegyzések IMPORTÁLVA lesznek.", + "You can change this behavior on UniGetUI security settings.": "Ezt a viselkedést megváltoztathatja az UniGetUI biztonsági beállításainál.", + "Open UniGetUI security settings": "UniGetUI biztonsági beállítások megnyitása", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ha módosítja a biztonsági beállításokat, újra meg kell nyitnia a csomagot, hogy a módosítások hatályba lépjenek.", + "Details of the report:": "A jelentés részletei:", "\"{0}\" is a local package and can't be shared": "\"{0}\" egy helyi csomag és nem osztható meg.", + "Are you sure you want to create a new package bundle? ": "Biztos, hogy új csomag köteget szeretne létrehozni?", + "Any unsaved changes will be lost": "Minden el nem mentett módosítás elveszik", + "Warning!": "Figyelem!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Biztonsági okokból az egyéni parancssori argumentumok alapértelmezés szerint le vannak tiltva. Ennek megváltoztatásához lépjen az UniGetUI biztonsági beállításaihoz.", + "Change default options": "Alapért. beállítások módosítása", + "Ignore future updates for this package": "A csomag jövőbeli frissítéseit hagyja figyelmen kívül", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Biztonsági okokból a művelet előtti és utáni szkriptek alapértelmezés szerint le vannak tiltva. Ennek megváltoztatásához lépjen az UniGetUI biztonsági beállításaihoz.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Meghatározhatja azokat a parancsokat, amelyek a csomag telepítése, frissítése vagy eltávolítása előtt vagy után futnak. Ezek a parancsok egy parancssorban fognak futni, így a CMD szkriptek itt is működni fognak.", + "Change this and unlock": "Változtassa meg és oldja fel ezt", + "{0} Install options are currently locked because {0} follows the default install options.": " {0} telepítési beállításai jelenleg zárolva vannak, mivel {0} követi az alapért. telepítési beállításokat.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Válassza ki azokat a folyamatokat, amelyeket a csomag telepítése, frissítése vagy eltávolítása előtt le kell zárni.", + "Write here the process names here, separated by commas (,)": "Írja ide a folyamatok neveit vesszővel (,) elválasztva.", + "Unset or unknown": "Be nem állított vagy ismeretlen", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "A problémával kapcsolatos további információkért tekintse meg a parancssori kimenetet, vagy olvassa el a Műveleti előzményeket.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ez a csomag nem rendelkezik képernyőképekkel, esetleg hiányzik az ikon? Segítsen a WingetUI-nak a hiányzó ikonok és képernyőképek hozzáadásával a nyílt, nyilvános adatbázisunkhoz.\n", + "Become a contributor": "Legyen közreműködő", + "Save": "Ment", + "Update to {0} available": "Frissítés - {0} elérhető", + "Reinstall": "Újratelepítés", + "Installer not available": "Telepítő nem érhető el", + "Version:": "Verzió:", + "Performing backup, please wait...": "Biztonsági mentés végrehajtása, kis türelmet...", + "An error occurred while logging in: ": "Hiba történt a bejelentkezés során:", + "Fetching available backups...": "Elérhető biztonsági mentések lekérése...", + "Done!": "Kész!", + "The cloud backup has been loaded successfully.": "A felhőalapú biztonsági mentés sikeresen betöltődött.", + "An error occurred while loading a backup: ": "Hiba történt a biztonsági mentés betöltése közben:", + "Backing up packages to GitHub Gist...": "Csomagok bizt. mentése a GitHub Gistre...", + "Backup Successful": "A biztonsági mentés sikeres", + "The cloud backup completed successfully.": "A felhőalapú biztonsági mentés sikeresen befejeződött.", + "Could not back up packages to GitHub Gist: ": "Nem sikerült biztonsági másolatot készíteni a csomagokról a GitHub Gistre:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nem garantált, hogy a megadott hitelesítő adatokat biztonságosan tárolják, így akár ne is használja a bankszámlája hitelesítő adatait.", + "Enable the automatic WinGet troubleshooter": "Az autom. WinGet hibaelhárítás engedélyezése", + "Enable an [experimental] improved WinGet troubleshooter": "Engedélyezze a [kísérleti] továbbfejlesztett WinGet hibaelhárítót", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "A 'nem található megfelelő frissítés' hibaüzenettel sikertelen frissítések hozzáadása a figyelmen kívül hagyott frissítések listájához", + "Restart WingetUI to fully apply changes": "A WingetUI újraindítása a változások teljes körű alkalmazásához", + "Restart WingetUI": "Indítsa újra a WingetUI-t", + "Invalid selection": "Érvénytelen kijelölés", + "No package was selected": "Nincs kiválasztva csomag", + "More than 1 package was selected": "Több mint 1 csomag lett kiválasztva", + "List": "Lista", + "Grid": "Rács", + "Icons": "Ikonok", "\"{0}\" is a local package and does not have available details": "\"{0}\" egy helyi csomag és nem rendelkezik elérhető részletekkel", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" egy helyi csomag, és nem kompatibilis ezzel a funkcióval.", - "(Last checked: {0})": "(Utolsó ellenőrzés: {0})", + "WinGet malfunction detected": "WinGet hibás működés észlelve", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Úgy tűnik, a WinGet nem működik megfelelően. Megpróbálja kijavítani a WinGet-et?", + "Repair WinGet": "WinGet javítása", + "Create .ps1 script": ".ps1 szkript létrehozása", + "Add packages to bundle": "Csomagok hozzáadása a köteghez", + "Preparing packages, please wait...": "Csomagok előkészítése, kis türelmet...", + "Loading packages, please wait...": "Csomagok betöltése, kis türelmet...", + "Saving packages, please wait...": "Csomagok mentése, kis türelmet...", + "The bundle was created successfully on {0}": "A csomag sikeresen létrehozásra került itt {0}", + "Install script": "Telepítő script", + "The installation script saved to {0}": "A telepítő szkript mentve a következő helyre: {0}", + "An error occurred while attempting to create an installation script:": "Hiba történt a telepítési szkript létrehozása közben:", + "{0} packages are being updated": "{0} csomag frissül", + "Error": "Hiba", + "Log in failed: ": "Sikertelen bejelentkezés:", + "Log out failed: ": "A kijelentkezés sikertelen:", + "Package backup settings": "Csomag bizt. mentés beállításai", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "({0} a várósorban)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@gidano", "0 packages found": "0 csomag található", "0 updates found": "0 talált frissítés", - "1 - Errors": "Hibák", - "1 day": "1 nap", - "1 hour": "1 óra", "1 month": "1 hónap", "1 package was found": "1 csomagot találtunk", - "1 update is available": "1 frissítés érhető el", - "1 week": "1 hét", "1 year": "1 év", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigáljon a \"{0}\" vagy \"{1}\" oldalra.", - "2 - Warnings": "Figyelmeztetések", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Keresse meg a köteghez hozzáadni kívánt csomago(ka)t, és jelölje be a bal oldali jelölőnégyzetet.", - "3 - Information (less)": "Információ (kevesebb)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Amikor a köteghez hozzáadni kívánt csomagok ki vannak jelölve, keresse meg az eszköztáron a \"{0}\" opciót, és kattintson rá.", - "4 - Information (more)": "Információ (több)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. A köteghez hozzáadásra kerülnek a csomagok. Folytathatja a csomagok hozzáadását, vagy exportálhatja a csomagot.", - "5 - information (debug)": "Információ (hibakeresés)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Egy népszerű C/C++ könyvtár kezelő. Tele van C/C++ könyvtárakkal és egyéb C/C++hoz kapcsolódó segésprogramokkal
Tartalma: C/C++ könyvtárak és kapcsolódó segépdprogramok", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "A Microsoft .NET ökoszisztémára tervezett eszközök és futtatható fájlok tárháza.
Tatalma: .NET kapcsolódó eszközök és szkriptek\n", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "A Microsoft .NET ökoszisztémáját szem előtt tartva tervezett eszközökkel teli tárház.
Tartalmaz: .NET-hez kapcsolódó eszközöket", "A restart is required": "Újraindításra van szükség", - "Abort install if pre-install command fails": "A telepítés megszakítása, ha a telepítést megelőző parancs sikertelenül működik", - "Abort uninstall if pre-uninstall command fails": "Az eltávolítás megszakítása, ha az eltávolítás előtti parancs sikertelen", - "Abort update if pre-update command fails": "A frissítés megszakítása, ha a frissítést megelőző parancs sikertelenül működik", - "About": "Rólunk", "About Qt6": "A Qt6-ról", - "About WingetUI": "A WingetUI-ról", "About WingetUI version {0}": "A WingetUI {0} verziójáról", "About the dev": "A fejlesztőről", - "Accept": "Elfogad", "Action when double-clicking packages, hide successful installations": "Művelet a csomagokra való dupla kattintáskor, a sikeres telepítések elrejtése", - "Add": "Hozzáadás", "Add a source to {0}": "Egy forrás hozzáadása ehhez, {0}\n", - "Add a timestamp to the backup file names": "Időbélyegző hozzáadása a mentési fájlnevekhez", "Add a timestamp to the backup files": "Időbélyegző hozzáadása a biztonsági mentés fájlokhoz", "Add packages or open an existing bundle": "Csomagok hozzáadása vagy egy meglévő köteg megnyitása", - "Add packages or open an existing package bundle": "\nCsomagok hozzáadása vagy egy meglévő csomag köteg megnyitása", - "Add packages to bundle": "Csomagok hozzáadása a köteghez", - "Add packages to start": "Adjon hozzá csomagokat az indításhoz", - "Add selection to bundle": "Kijelölés hozzáadása a köteghez", - "Add source": "Forrás hozzáadása", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "A 'nem található megfelelő frissítés' hibaüzenettel sikertelen frissítések hozzáadása a figyelmen kívül hagyott frissítések listájához", - "Adding source {source}": "Forrás hozzáadása {source}", - "Adding source {source} to {manager}": "Forrás hozzáadása {source} ide {manager}", "Addition succeeded": "A hozzáadás sikeres volt", - "Administrator privileges": "Rendszergazdai jogosultságok", "Administrator privileges preferences": "Rendszergazdai jogosultságok beállításai", "Administrator rights": "Rendszergazdai jogok", - "Administrator rights and other dangerous settings": "Rendszergazdai jogok és egyéb veszélyes beállítások", - "Advanced options": "Haladó beállítások", "All files": "Összes fájl", - "All versions": "Minden változat", - "Allow changing the paths for package manager executables": "Lehetővé teszi a csomagkezelő futtatható fájljainak elérési útvonal módosítását", - "Allow custom command-line arguments": "Egyéni parancssori argumentumok engedélyezése", - "Allow importing custom command-line arguments when importing packages from a bundle": "Engedélyezze az egyéni parancssori argumentumok importálását, amikor csomagokat importál egy kötegből.", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Egyéni előtelepítési és utótelepítési parancsok importálásának engedélyezése csomagok csomagból történő importálása esetén", "Allow package operations to be performed in parallel": "A csomagműveletek párhuzamos végrehajtásának lehetővé tétele", "Allow parallel installs (NOT RECOMMENDED)": "Párhuzamos telepítések engedélyezése (NEM AJÁNLOTT)", - "Allow pre-release versions": "Engedélyezze az előzetes kiadású verziókat", "Allow {pm} operations to be performed in parallel": "{pm} műveletek párhuzamos végrehajtásának engedélyezése", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatívaként a(z) {0} telepítése a Windows PowerShell-ben a következő parancs futtatásával is elvégezhető:", "Always elevate {pm} installations by default": "Alapértelmezés szerint mindig emelje ki a {pm} telepítéseket", "Always run {pm} operations with administrator rights": "A {pm} műveleteket mindig rendszergazdai jogokkal futtassa", - "An error occurred": "Hiba történt", - "An error occurred when adding the source: ": "Hiba történt a forrás hozzáadásakor:", - "An error occurred when attempting to show the package with Id {0}": "Hiba történt a {0} azonosítóval rendelkező csomag megjelenítésekor.", - "An error occurred when checking for updates: ": "Hiba történt a frissítések ellenőrzése során:", - "An error occurred while attempting to create an installation script:": "Hiba történt a telepítési szkript létrehozása közben:", - "An error occurred while loading a backup: ": "Hiba történt a biztonsági mentés betöltése közben:", - "An error occurred while logging in: ": "Hiba történt a bejelentkezés során:", - "An error occurred while processing this package": "Hiba történt a csomag feldolgozása során", - "An error occurred:": "Hiba történt:", - "An interal error occurred. Please view the log for further details.": "Belső hiba történt. További részletekért tekintse meg a naplót.", "An unexpected error occurred:": "Váratlan hiba történt:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Váratlan probléma merült fel a WinGet javítási kísérlete során. Próbálja később újra", - "An update was found!": "Találtunk egy frissítést!", - "Android Subsystem": "Android Alrendszer", "Another source": "Egy másik forrás", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "A telepítés vagy frissítés során létrehozott új parancsikonok auto. törlődnek, ahelyett, hogy az első észlelésükkor megerősítést kérnének.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Az UniGetUI-n kívül létrehozott vagy módosított parancsikonok figyelmen kívül maradnak. Ezeket a {0} gombon keresztül tudja majd hozzáadni.", - "Any unsaved changes will be lost": "Minden el nem mentett módosítás elveszik", "App Name": "App neve", - "Appearance": "Megjelenés", - "Application theme, startup page, package icons, clear successful installs automatically": "Alkalmazás téma, kezdőlap, csomag ikonok, sikeres telepítések automatikus törlése", - "Application theme:": "Alkalmazás téma:", - "Apply": "Alkalmaz", - "Architecture to install:": "Telepítendő architektúra:", "Are these screenshots wron or blurry?": "Ezek a képernyőképek hibásak vagy homályosak?", - "Are you really sure you want to enable this feature?": "Tényleg biztosan engedélyezni szeretné ezt a funkciót?", - "Are you sure you want to create a new package bundle? ": "Biztos, hogy új csomag köteget szeretne létrehozni?", - "Are you sure you want to delete all shortcuts?": "Biztos, hogy az összes parancsikont törölni szeretné?", - "Are you sure?": "Biztos benne?", - "Ascendant": "Növekvő", - "Ask for administrator privileges once for each batch of operations": "Minden műveletköteghez egyszer kérjen rendszergazdai jogosultságot.", "Ask for administrator rights when required": "Szükség esetén rendszergazdai jogok kérése", "Ask once or always for administrator rights, elevate installations by default": "Egyszer vagy mindig kérjen rendszergazdai jogokat, alapértelmezés szerint emelje meg a telepítési jogokat.", - "Ask only once for administrator privileges": "Csak egyszer kérjen rendszergazdai jogosultságokat", "Ask only once for administrator privileges (not recommended)": "Csak egyszer kérjen rendszergazdai jogosultságokat (nem ajánlott)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "A telepítés vagy frissítés során létrehozott asztali parancsikonok törlésének kérése.", - "Attention required": "Figyelmet igényel", "Authenticate to the proxy with an user and a password": "Proxy hitelesítés egy felhasználóval és egy jelszóval", - "Author": "Szerző", - "Automatic desktop shortcut remover": "Automatikus asztali parancsikon eltávolító", - "Automatic updates": "Autom. frissítések", - "Automatically save a list of all your installed packages to easily restore them.": "Autom. elmenti az összes telepített csomag listáját, hogy könnyen visszaállíthassa azokat.", "Automatically save a list of your installed packages on your computer.": "Automatikusan elmenti a telepített csomagok listáját a számítógépen.", - "Automatically update this package": "A csomag automatikus frissítése", "Autostart WingetUI in the notifications area": "A WingetUI auto. indítása az értesítési területen", - "Available Updates": "Elérhető frissítések", "Available updates: {0}": "Elérhető frissítések: {0}", "Available updates: {0}, not finished yet...": "Elérhető frissítések: {0}, még nincs kész...", - "Backing up packages to GitHub Gist...": "Csomagok bizt. mentése a GitHub Gistre...", - "Backup": "Biztonsági mentés", - "Backup Failed": "A biztonsági mentés nem sikerült", - "Backup Successful": "A biztonsági mentés sikeres", - "Backup and Restore": "Bizt. mentés és Helyreállítás", "Backup installed packages": "A telepített csomagok biztonsági mentése", "Backup location": "Bizt. mentés helye", - "Become a contributor": "Legyen közreműködő", - "Become a translator": "Legyen fordító", - "Begin the process to select a cloud backup and review which packages to restore": "Kezdje el a folyamatot a felhőalapú bizt. mentés kiválasztásához és a visszaállítandó csomagok áttekintéséhez.", - "Beta features and other options that shouldn't be touched": "Béta funkciók és egyéb opciók, amelyekhez nem szabadna hozzányúlni", - "Both": "Mindkettő", - "Bundle security report": "Köteg-biztonsági jelentés", "But here are other things you can do to learn about WingetUI even more:": "De vannak más dolgok is amiket megtehet, hogy még többet tudjon meg a WingetUI-ról:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ha kikapcsol egy csomagkezelőt, akkor többé nem láthatja vagy frissítheti a csomagjait.", "Cache administrator rights and elevate installers by default": "Rendszergazdai jogok gyorsítótárba helyezése és a telepítési szint emelése alapértelmezésben", "Cache administrator rights, but elevate installers only when required": "Rendszergazdai jogok gyorsítótárba helyezése, de csak szükség esetén adjon jogot a telepítőnek.", "Cache was reset successfully!": "A gyorsítótár törlése sikeres!", "Can't {0} {1}": "Nem lehet {0} {1}", - "Cancel": "Mégse", "Cancel all operations": "Minden művelet törlése", - "Change backup output directory": "A biztonsági mentés kimeneti könyvtárának módosítása", - "Change default options": "Alapért. beállítások módosítása", - "Change how UniGetUI checks and installs available updates for your packages": "Az UniGetUI csomagok elérhető frissítései ellenőrzésének és telepítési módjának módosítása", - "Change how UniGetUI handles install, update and uninstall operations.": "Módosíthatja, hogy az UniGetUI miként kezelje a telepítési, frissítési és eltávolítási műveleteket.", "Change how UniGetUI installs packages, and checks and installs available updates": "Az UniGetUI csomagok telepítésének, valamint a rendelkezésre álló frissítések ellenőrzési és telepítési módjának változtatása", - "Change how operations request administrator rights": "A műveletek rendszergazdai jog igénylési módjának változtatása", "Change install location": "Telepítés helyének módosítása", - "Change this": "Változtassa meg ezt", - "Change this and unlock": "Változtassa meg és oldja fel ezt", - "Check for package updates periodically": "Rendszeresen ellenőrizze a csomag frissítéseit", - "Check for updates": "Frissítések ellenőrzése", - "Check for updates every:": "Ellenőrzés gyakorisága:", "Check for updates periodically": "Rendszeresen ellenőrizze a frissítéseket", "Check for updates regularly, and ask me what to do when updates are found.": "Rendszeresen ellenőrizzen, és kérdezzen rá mit tegyen, ha frissítéseket talál.", "Check for updates regularly, and automatically install available ones.": "Rendszeresen ellenőrizze és automatikusan telepítse az elérhető frissítéseket.", @@ -159,805 +741,283 @@ "Checking for updates...": "Frissítések keresése...", "Checking found instace(s)...": "Talált példány(ok) ellenőrzése...", "Choose how many operations shouls be performed in parallel": "Válassza ki, hogy hány művelet legyen párhuzamosan végrehajtva", - "Clear cache": "Gyors.tár törlése", "Clear finished operations": "Befejezett műveletek törlése", - "Clear selection": "Kiválasztás törlése", "Clear successful operations": "Sikeres műveletek eltávolítása", - "Clear successful operations from the operation list after a 5 second delay": "A sikeres műveletek törlése a műveleti listából 5 mp késleltetés után.", "Clear the local icon cache": "A helyi ikon gyors.tár törlése", - "Clearing Scoop cache - WingetUI": "Scoop gyorsítótár törlése - WingetUI", "Clearing Scoop cache...": "Scoop gyorsítótár törlése...", - "Click here for more details": "Kattintson további részletekért", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kattintson a Telepítés gombra a telepítési folyamat megkezdéséhez. Ha kihagyja a telepítést előfordulhat, hogy az UniGetUI nem a várt módon fog működni.", - "Close": "Bezár", - "Close UniGetUI to the system tray": "Az UniGetUI bezárása a tálcára", "Close WingetUI to the notification area": "A WingetUI bezárása az értesítési területre", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "A felhőmentés egy privát GitHub Gist-et használ a telepített csomagok listájának tárolására.", - "Cloud package backup": "Felhőbeni csomag biztonsági mentés", "Command-line Output": "Parancssori kimenet", - "Command-line to run:": "Futtatandó parancssor:", "Compare query against": "Hasonlítsa össze a lekérdezést", - "Compatible with authentication": "Kompatibilitás hitelesítéssel", - "Compatible with proxy": "Kompatibilitás proxy-val", "Component Information": "Komponens információ", - "Concurrency and execution": "Egyidejűség és végrehajtás", - "Connect the internet using a custom proxy": "Csatlakozás az internethez egyéni proxy használatával", - "Continue": "Folytatás", "Contribute to the icon and screenshot repository": "Hozzájárulás az ikon- és képernyőkép-tárhoz", - "Contributors": "Közreműködők", "Copy": "Másol", - "Copy to clipboard": "Másol a vágólapra", - "Could not add source": "Nem tudta felvenni a forrást", - "Could not add source {source} to {manager}": "Nem sikerült hozzáadni a forrást {source} a kezelőhöz {manager}", - "Could not back up packages to GitHub Gist: ": "Nem sikerült biztonsági másolatot készíteni a csomagokról a GitHub Gistre:", - "Could not create bundle": "Nem sikerült létrehozni a köteget", "Could not load announcements - ": "Nem sikerült betölteni a közleményeket -", "Could not load announcements - HTTP status code is $CODE": "Nem sikerült betölteni a közleményeket – a HTTP állapotkód: $CODE", - "Could not remove source": "Nem tudta eltávolítani a forrást", - "Could not remove source {source} from {manager}": "Nem sikerült eltávolítani a forrást {source} a kezelőből {manager}", "Could not remove {source} from {manager}": "Nem sikerült a {source} eltávolítása a {manager}-ből", - "Create .ps1 script": ".ps1 szkript létrehozása", - "Credentials": "Ajánlások", "Current Version": "Aktuális verzió", - "Current executable file:": "Jelenlegi futtatható fájl:", - "Current status: Not logged in": "Jelenlegi állapot: Nincs bejelentkezve", "Current user": "Jelenlegi felhasználó", "Custom arguments:": "Egyéni argumentumok:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Az egyéni parancssori argumentumok megváltoztathatják a programok telepítésének, frissítésének vagy eltávolításának módját, amit az UniGetUI nem tud ellenőrizni. Az egyéni parancssorok használata megrongálhatja a csomagokat. Kérjük, óvatosan járjon el.", "Custom command-line arguments:": "Egyéni parancssori argumentumok:", - "Custom install arguments:": "Egyéni telepítési argumentumok:", - "Custom uninstall arguments:": "Egyéni eltávolítási argumentumok:", - "Custom update arguments:": "Egyéni frissítési argumentumok:", "Customize WingetUI - for hackers and advanced users only": "A WingetUI testreszabása – csak hackerek és haladó felhasználók számára", - "DEBUG BUILD": "HIBAKERESŐ VERZIÓ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "NYILATKOZAT: NEM VÁLLALUNK FELELŐSSÉGET A LETÖLTÖTT CSOMAGOKÉRT. GYŐZŐDJÖN MEG RÓLA, HOGY CSAK MEGBÍZHATÓ SZOFTVEREKET TELEPÍT.\n", - "Dark": "Sötét", - "Decline": "Elutasít", - "Default": "Alapértelmezett", - "Default installation options for {0} packages": "{0} csomag alapért. telepítési beállításai", "Default preferences - suitable for regular users": "Alapértelmezett beállítások - a rendszeres felhasználók számára", - "Default vcpkg triplet": "Alapértelmezett vcpkg triplet", - "Delete?": "Törli?", - "Dependencies:": "Függőségek:", - "Descendant": "Utód", "Description:": "Leírás:", - "Desktop shortcut created": "Asztali parancsikon létrehozva", - "Details of the report:": "A jelentés részletei:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "A fejlesztés nehéz, és ez az alkalmazás ingyenes. De ha tetszett az app, bármikor meghívhat egy kávéra :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Közvetlen telepítés a \"{discoveryTab}\" lapon lévő elemre való dupla kattintással (a csomaginformáció megjelenítése helyett)", "Disable new share API (port 7058)": "Új megosztási API letiltása (7058-as port)", - "Disable the 1-minute timeout for package-related operations": "Az 1 perces időkorlát kikapcsolása a csomaggal kapcsolatos műveleteknél", - "Disabled": "Kikapcsolva", - "Disclaimer": "Nyilatkozat", - "Discover Packages": "Csomagok felfedezése", "Discover packages": "Csomagok felfedezése", "Distinguish between\nuppercase and lowercase": "Megkülönböztetve a nagy- és kisbetűk", - "Distinguish between uppercase and lowercase": "Tegyen különbséget a kis- és nagybetűk között", "Do NOT check for updates": "NE keressen frissítéseket", "Do an interactive install for the selected packages": "A kiválasztott csomagok interaktív telepítése", "Do an interactive uninstall for the selected packages": "A kiválasztott csomagok interaktív eltávolítása", "Do an interactive update for the selected packages": "A kiválasztott csomagok interaktív frissítése", - "Do not automatically install updates when the battery saver is on": "Ne telepítse autom. a frissítéseket, ha az akkukímélő funkció be van kapcsolva.", - "Do not automatically install updates when the device runs on battery": "Ne telepítsen autom. frissítéseket, amikor az eszköz akkuról üzemel", - "Do not automatically install updates when the network connection is metered": "Ne telepítse autom. a frissítéseket, ha a hálózati kapcsolat nem korlátlan.", "Do not download new app translations from GitHub automatically": "Ne töltse le autom. az új app fordításokat a GitHubról", - "Do not ignore updates for this package anymore": "Többé ne hagyja figyelmen kívül a csomag frissítéseit", "Do not remove successful operations from the list automatically": "A sikeres műveleteket ne távolítsa el automatikusan a listáról", - "Do not show this dialog again for {0}": "Ne jelenítse meg ezt a {0} párbeszédpanelt újra", "Do not update package indexes on launch": "Ne frissítse a csomag indexeket indításkor", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Elfogadja, hogy az UniGetUI anonim használati statisztikákat gyűjt és küld, kizárólag a felhasználói élmény megértése és javítása céljából?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Ön szerint hasznos a WingetUI? Ha tudja, támogassa a munkámat, hogy a WingetUI-t továbbra is a legjobb csomagkezelő felületté tehessem.\n", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Hasznosnak találja a WingetUI-t? Szeretné támogatni a fejlesztőt? Ha megteheti {0}, ezzel sokat segít!", - "Do you really want to reset this list? This action cannot be reverted.": "Tényleg alaphelyzetbe állítja ezt a listát? Ezt a műveletet nem lehet visszavonni.", - "Do you really want to uninstall the following {0} packages?": "Tényleg szeretné eltávolítani a következő {0} csomagot?", "Do you really want to uninstall {0} packages?": "Biztosan szeretne eltávolítani {0} csomagot?", - "Do you really want to uninstall {0}?": "Biztosan el akarja távolítani a következőt: {0}?", "Do you want to restart your computer now?": "Szeretné most újraindítani a számítógépet?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Szeretné lefordítani a WingetUI-t a saját nyelvére? Tekintse meg a hozzájárulás módját ITT!\n", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Nincs kedve adományozni? Ne aggódjon, a WingetUI-t bármikor megoszthatja barátaival. Terjessze a WingetUI hírét.", "Donate": "Adomány", - "Done!": "Kész!", - "Download failed": "Sikertelen letöltés", - "Download installer": "Telepítő letöltése", - "Download operations are not affected by this setting": "A letöltési műveleteket ez a beállítás nem befolyásolja", - "Download selected installers": "Kiválasztott telepítők letöltése", - "Download succeeded": "A letöltés sikeres volt", "Download updated language files from GitHub automatically": "Frissített nyelvi fájlok auto. letöltése a GitHubról", - "Downloading": "Letöltés", - "Downloading backup...": "Bizt. mentés letöltése...", - "Downloading installer for {package}": "A(z) {package} telepítőjének letöltése", - "Downloading package metadata...": "Csomag metaadatainak letöltése...", - "Enable Scoop cleanup on launch": "Scoop tisztítás engedélyezése indításkor", - "Enable WingetUI notifications": "WingetUI értesítések engedélyezése", - "Enable an [experimental] improved WinGet troubleshooter": "Engedélyezze a [kísérleti] továbbfejlesztett WinGet hibaelhárítót", - "Enable and disable package managers, change default install options, etc.": "Csomagkezelők engedélyezése és letiltása, alapért. telepítési beállítások módosítása, stb.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Engedélyezze a CPU háttérben használat optimalizálását", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "A háttér api engedélyezése (WingetUI Widgets and Sharing, 7058-as port)", - "Enable it to install packages from {pm}.": "Engedélyezze a csomagok telepítéséhez innen {pm}.", - "Enable the automatic WinGet troubleshooter": "Az autom. WinGet hibaelhárítás engedélyezése", - "Enable the new UniGetUI-Branded UAC Elevator": "Az új UniGetUI-Branded UAC Elevator aktiválása", - "Enable the new process input handler (StdIn automated closer)": "Az új folyamat bemeneti kezelőjének engedélyezése (StdIn automatizált zárás)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Az alábbi beállításokat AKKOR ÉS CSAK IS AKKOR engedélyezze, ha teljesen tisztában van azzal, hogy mit tesznek, és milyen következményekkel és veszélyekkel járhatnak.", - "Enable {pm}": "{pm} engedélyezése", - "Enabled": "Engedélyezve", - "Enter proxy URL here": "Adja meg a Proxy URL-t", - "Entries that show in RED will be IMPORTED.": "A PIROS bejegyzések IMPORTÁLVA lesznek.", - "Entries that show in YELLOW will be IGNORED.": "A SÁRGA színnel jelölt bejegyzések figyelmen kívül maradnak.", - "Error": "Hiba", - "Everything is up to date": "Minden naprakész", - "Exact match": "Pontos egyezés", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Az asztalon meglévő parancsikonok átvizsgálásra kerülnek és ki kell választania, melyiket szeretné megtartani vagy eltávolítani.", - "Expand version": "Bővített változat", - "Experimental settings and developer options": "Kísérleti beállítások és fejlesztői lehetőségek", - "Export": "Exportálás", + "Downloading": "Letöltés", + "Downloading installer for {package}": "A(z) {package} telepítőjének letöltése", + "Downloading package metadata...": "Csomag metaadatainak letöltése...", + "Enable the new UniGetUI-Branded UAC Elevator": "Az új UniGetUI-Branded UAC Elevator aktiválása", + "Enable the new process input handler (StdIn automated closer)": "Az új folyamat bemeneti kezelőjének engedélyezése (StdIn automatizált zárás)", "Export log as a file": "A napló exportálása fájlként", "Export packages": "Csomagok exportálása", "Export selected packages to a file": "A kiválasztott csomagok exportálása fájlba", - "Export settings to a local file": "Beállítások exportálása helyi fájlba", - "Export to a file": "Exportál egy fájlba", - "Failed": "Sikertelen", - "Fetching available backups...": "Elérhető biztonsági mentések lekérése...", "Fetching latest announcements, please wait...": "A legfrissebb bejelentések letöltése, kis türelmet...", - "Filters": "Szűrők", "Finish": "Befejez", - "Follow system color scheme": "Kövesse a rendszer színsémáját", - "Follow the default options when installing, upgrading or uninstalling this package": "Kövesse az alapért. beállításokat a csomag telepítésekor, frissítésekor vagy eltávolításakor.", - "For security reasons, changing the executable file is disabled by default": "Biztonsági okokból a futtatható fájl módosítása alapértelmezés szerint le van tiltva.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Biztonsági okokból az egyéni parancssori argumentumok alapértelmezés szerint le vannak tiltva. Ennek megváltoztatásához lépjen az UniGetUI biztonsági beállításaihoz.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Biztonsági okokból a művelet előtti és utáni szkriptek alapértelmezés szerint le vannak tiltva. Ennek megváltoztatásához lépjen az UniGetUI biztonsági beállításaihoz.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM fordított winget verzió használata (CSAK ARM64 RENDSZERHEZ)", - "Force install location parameter when updating packages with custom locations": "A telepítési hely paraméterének kényszerítése az egyéni helyre telepített csomagok frissítésekor", "Formerly known as WingetUI": "Korábban WingetUI néven ismert", "Found": "Jelen van", "Found packages: ": "Talált csomagok:", "Found packages: {0}": "Talált csomagok: {0}", "Found packages: {0}, not finished yet...": "Talált csomagok: {0}, még nem fejeződött be...", - "General preferences": "Általános preferenciák", "GitHub profile": "GitHub profil", "Global": "Globális", - "Go to UniGetUI security settings": "Lépjen az UniGetUI biztonsági beállításaihoz", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Ismeretlen, de hasznos segédprogramok és más érdekes csomagok nagyszerű tárháza.
Tartalma: Segédprogramok, Parancssoros programok, Általános szoftverek (extra bucket szükséges)", - "Great! You are on the latest version.": "Nagyszerű! Ön a legújabb verziót használja.", - "Grid": "Rács", - "Help": "Súgó", "Help and documentation": "Súgó és dokumentáció", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Itt módosíthatja az UniGetUI viselkedését a következő parancsikonokkal kapcsolatban. Ha bejelöl egy parancsikont, akkor az UniGetUI törölni fogja azt, ha egy későbbi frissítéskor létrejön. Ha nem jelöli ki, a parancsikon érintetlenül marad.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Helló, a nevem Martí, a WingetUI fejlesztője vagyok. A WingetUI teljes egészében a szabadidőmben készült!", "Hide details": "Részletek elrejtése", - "Homepage": "Honlap", - "Hooray! No updates were found.": "Minden rendben! Nincs több frissítés!", "How should installations that require administrator privileges be treated?": "Hogyan kell kezelni a rendszergazdai jogosultságokat igénylő telepítéseket?", - "How to add packages to a bundle": "Csomagok hozzáadása egy köteghez", - "I understand": "Megértettem", - "Icons": "Ikonok", - "Id": "Azonosító", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ha engedélyezte a felhőalapú mentést, akkor az egy GitHub Gist-ként lesz elmentve ezen a fiókon.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Az egyéni telepítés előtti és utáni parancsok figyelmen kívül hagyása a csomagok kötegből történő importálásakor", - "Ignore future updates for this package": "A csomag jövőbeli frissítéseit hagyja figyelmen kívül", - "Ignore packages from {pm} when showing a notification about updates": "A {pm} csomagok figyelmen kívül hagyása a frissítésekről szóló értesítés megjelenítésekor", - "Ignore selected packages": "Kiválasztott csomagok figyelmen kívül hagyása", - "Ignore special characters": "Speciális karakterek figyelmen kívül hagyása", "Ignore updates for the selected packages": "A kiválasztott csomagok frissítéseinek figyelmen kívül hagyása", - "Ignore updates for this package": "Hagyja figyelmen kívül a csomag frissítéseit", "Ignored updates": "Figyelmen kívül hagyott frissítések", - "Ignored version": "Figyelmen kívül hagyott verzió", - "Import": "Importálás", "Import packages": "Csomagok importálása", "Import packages from a file": "Csomagok importálása fájlból", - "Import settings from a local file": "Beállítások importálása helyi fájlból", - "In order to add packages to a bundle, you will need to: ": "Ahhoz, hogy csomagokat adjon hozzá egy köteghez, a következőkre van szüksége:", "Initializing WingetUI...": "WingetUI inicializálása...", - "Install": "Telepítés", - "Install Scoop": "Scoop telepítés", "Install and more": "Telepítés és egyebek", "Install and update preferences": "Telepítési és frissítési preferenciák", - "Install as administrator": "Telepítés rendszergazdaként", - "Install available updates automatically": "A rendelkezésre álló frissítések automatikus telepítése", - "Install location can't be changed for {0} packages": "A telepítési hely nem módosítható {0} csomag esetében", - "Install location:": "Telepítés helye:", - "Install options": "Telepítési lehetőségek", "Install packages from a file": "Csomagok telepítése fájlból", - "Install prerelease versions of UniGetUI": "Az UniGetUI előzetes verzióinak telepítése", - "Install script": "Telepítő script", "Install selected packages": "A kiválasztott csomagok telepítése", "Install selected packages with administrator privileges": "A kiválasztott csomagok telepítése rendszergazdai jogosultságokkal", - "Install selection": "Telepítés kiválasztása", "Install the latest prerelease version": "Telepítse a legújabb előzetes verziót", "Install updates automatically": "Frissítések automatikus telepítése", - "Install {0}": "{0} telepítése", "Installation canceled by the user!": "A telepítést törölte a felhasználó!", - "Installation failed": "Sikertelen telepítés", - "Installation options": "Telepítési lehetőségek", - "Installation scope:": "Scope telepítés:", - "Installation succeeded": "A telepítés sikeres volt", - "Installed Packages": "Telepített Csomagok", - "Installed Version": "Telepített verzió", "Installed packages": "Telepített csomagok", - "Installer SHA256": "SHA256 telepítő", - "Installer SHA512": "Telepítő SHA512", - "Installer Type": "Telepítő típusa", - "Installer URL": "Telepítő URL", - "Installer not available": "Telepítő nem érhető el", "Instance {0} responded, quitting...": "{0} esetben válaszolt, kilépés...", - "Instant search": "Azonnali keresés", - "Integrity checks can be disabled from the Experimental Settings": "Az integritás-ellenőrzések letilthatók a Kísérleti beállítások menüpontban", - "Integrity checks skipped": "Kihagyott integritás ellenőrzések", - "Integrity checks will not be performed during this operation": "A művelet során nem kerül sor integritás ellenőrzésekre.", - "Interactive installation": "Interaktív telepítés", - "Interactive operation": "Interaktív műveletek", - "Interactive uninstall": "Interaktív eltávolítás", - "Interactive update": "Interaktív frissítés", - "Internet connection settings": "Internet kapcsolat beállításai", - "Invalid selection": "Érvénytelen kijelölés", "Is this package missing the icon?": "Hiányzik ebből a csomagból az ikon?", - "Is your language missing or incomplete?": "Hiányzik vagy hiányos az Ön nyelve?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nem garantált, hogy a megadott hitelesítő adatokat biztonságosan tárolják, így akár ne is használja a bankszámlája hitelesítő adatait.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "A WinGet javítása után ajánlott az UniGetUI újraindítása.", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Erősen ajánlott az UniGetUI újratelepítése a probléma megoldása érdekében.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Úgy tűnik, a WinGet nem működik megfelelően. Megpróbálja kijavítani a WinGet-et?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Úgy tűnik, a WingetUI-t rendszergazdaként futtatta, ami nem ajánlott. A programot továbbra is használhatja de javasoljuk, hogy a WingetUI-t ne futtassa rendszergazdai jogosultságokkal. Kattintson a \"{showDetails}\" gombra, hogy megtudja miért.\n", - "Language": "Nyelv", - "Language, theme and other miscellaneous preferences": "Nyelv, téma és más egyéb beállítások", - "Last updated:": "Utolsó frissítés:", - "Latest": "Legújabb", "Latest Version": "Legújabb verzió", "Latest Version:": "Legújabb verzió:", "Latest details...": "Legújabb részletek...", "Launching subprocess...": "Alfolyamat indítása...", - "Leave empty for default": "Alapértékhez hagyja üresen", - "License": "Licenc", "Licenses": "Licencek", - "Light": "Világos", - "List": "Lista", "Live command-line output": "Élő parancssori kimenet", - "Live output": "Élő kimenet", "Loading UI components...": "UI összetevők betöltése...", "Loading WingetUI...": "WingetUI betöltése...", - "Loading packages": "Csomagok betöltése", - "Loading packages, please wait...": "Csomagok betöltése, kis türelmet...", - "Loading...": "Betöltés...", - "Local": "Helyi", - "Local PC": "Helyi PC", - "Local backup advanced options": "Helyi biztonsági mentés speciális beállításai", "Local machine": "Helyi gép", - "Local package backup": "Helyi csomag biztonsági mentés", "Locating {pm}...": "{pm} keresése...", - "Log in": "Bejelentkezés", - "Log in failed: ": "Sikertelen bejelentkezés:", - "Log in to enable cloud backup": "Jelentkezzen be a felhőalapú biztonsági mentés engedélyezéséhez", - "Log in with GitHub": "Bejelentkezés GitHub-fiókkal", - "Log in with GitHub to enable cloud package backup.": "Jelentkezzen be a GitHub-bal a felhőalapú csomag bizt. mentés engedélyezéséhez.", - "Log level:": "Napló szint:", - "Log out": "Kijelentkezés", - "Log out failed: ": "A kijelentkezés sikertelen:", - "Log out from GitHub": "Kijelentkezés a GitHubról", "Looking for packages...": "Csomagok keresése...", "Machine | Global": "Gép | Globális", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "A hibás parancssori argumentumok megrongálhatják a csomagokat, vagy akár lehetővé tehetik egy rosszindulatú szereplő számára, hogy kiváltságos végrehajtási jogokat szerezzen. Ezért az egyéni parancssori argumentumok importálása alapértelmezés szerint le van tiltva", - "Manage": "Kezelés", - "Manage UniGetUI settings": "UniGetUI beállítások kezelése", "Manage WingetUI autostart behaviour from the Settings app": "A WingetUI auto. indítási viselkedésének kezelése a Beállítások alkalmazásból", "Manage ignored packages": "Figyelmen kívül hagyott csomagok kezelése", - "Manage ignored updates": "Ignorált frissítések kezelése", - "Manage shortcuts": "A parancsikonok kezelése", - "Manage telemetry settings": "Telemetriai beállítások kezelése", - "Manage {0} sources": "{0} források kezelése", - "Manifest": "Jegyzék", "Manifests": "Jegyzékek", - "Manual scan": "Kézi vizsgálat", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "A Microsoft hivatalos csomagkezelője. Tele van jól ismert és ellenőrzött csomagokkal
Tartalma: <Általános szoftverek, Microsoft Store alkalmazások
.", - "Missing dependency": "Hiányzó függőség", - "More": "További", - "More details": "További részletek", - "More details about the shared data and how it will be processed": "További részletek a megosztott adatokról és azok feldolgozásának módjáról", - "More info": "Több infó", - "More than 1 package was selected": "Több mint 1 csomag lett kiválasztva", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MEGJEGYZÉS: Ez a hibaelhárító kikapcsolható az UniGetUI beállításai között, a WinGet szakaszban.", - "Name": "Név", - "New": "Új", "New Version": "Új Verzió", "New bundle": "Új köteg", - "New version": "Új verzió", - "Nice! Backups will be uploaded to a private gist on your account": "Szép! A biztonsági mentések feltöltődnek a fiókod privát listájára.", - "No": "Nem", - "No applicable installer was found for the package {0}": "Nem találtunk megfelelő telepítőt a {0} csomaghoz", - "No dependencies specified": "Nincsenek megadott függőségek", - "No new shortcuts were found during the scan.": "A vizsgálat során nem találtunk új parancsikonokat.", - "No package was selected": "Nincs kiválasztva csomag", "No packages found": "Nem talált csomagok", "No packages found matching the input criteria": "Nem találtunk a beviteli feltételeknek megfelelő csomagokat", "No packages have been added yet": "Még nem adtunk hozzá csomagokat", "No packages selected": "Nincs kiválasztott csomag", - "No packages were found": "Nem találtunk csomagokat", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nem gyűjtünk és nem küldünk személyes adatokat. Az összegyűjtött adatokat anonimizáljuk, így nem lehet visszavezetni Önhöz.", - "No results were found matching the input criteria": "Nincs találat a beviteli feltételeknek megfelelő eredményre", "No sources found": "Nem találtunk forrást", "No sources were found": "Nem talált forrásokat", "No updates are available": "Nincs frissítés", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "A Node JS csomagkezelője. Tele van könyvtárakkal és egyéb segédprogramokkal, amelyek a javascript világában keringenek
Tartalma: Node javascript könyvtárak és egyéb kapcsolódó segédprogramok", - "Not available": "Nem érhető el", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nem találja a keresett fájlt? Győződjön meg róla, hogy hozzáadta az elérési útvonalhoz.", - "Not found": "Nem található", - "Not right now": "Most nem.", "Notes:": "Megjegyzések:", - "Notification preferences": "Értesítési beállítások", "Notification tray options": "Tálca értesítés beállításai", - "Notification types": "Értesítés típusai", - "NuPkg (zipped manifest)": "NuPkg (tömörített manifeszt)", - "OK": "OK", "Ok": "Ok", - "Open": "Megnyit", "Open GitHub": "A GitHub megnyitása", - "Open UniGetUI": "Az UniGetUI megnyitása", - "Open UniGetUI security settings": "UniGetUI biztonsági beállítások megnyitása", "Open WingetUI": "WingetUI megnyitása", "Open backup location": "A biztonsági mentés helyének megnyitása", "Open existing bundle": "Meglévő köteg megnyitása", - "Open install location": "Telepítés helyének megnyitása", "Open the welcome wizard": "Az üdvözlő varázsló megnyitása", - "Operation canceled by user": "Felhasználó által törölt művelet", "Operation cancelled": "A művelet törlésre került", - "Operation history": "Műveleti előzmények", - "Operation in progress": "Folyamatban lévő művelet", - "Operation on queue (position {0})...": "A művelet a várólistán ({0}. pozíció)...", - "Operation profile:": "Műveleti profil:", "Options saved": "Mentett opciók", - "Order by:": "Rendezés:", - "Other": "Egyéb", - "Other settings": "Egyéb beállítások", - "Package": "Csomag", - "Package Bundles": "Csomag kötegek", - "Package ID": "Csomag azonosító", "Package Manager": "Csomagkezelő", - "Package Manager logs": "Csomagkezelő naplók", - "Package Managers": "Csomagkezelők", - "Package Name": "Csomagnév", - "Package backup": "Csomag biztonsági mentése", - "Package backup settings": "Csomag bizt. mentés beállításai", - "Package bundle": "Csomag köteg", - "Package details": "A csomag részletei", - "Package lists": "Csomag listák", - "Package management made easy": "Csomagkezelés egyszerűen", - "Package manager": "Csomagkezelő", - "Package manager preferences": "Csomagkezelő preferenciái", "Package managers": "Csomagkezelők", - "Package not found": "Csomag nem található", - "Package operation preferences": "Csomag működési preferenciái", - "Package update preferences": "Csomag frissítési preferenciái", "Package {name} from {manager}": "Csomag {name} a {manager}-ből", - "Package's default": "A csomag alapértelmezett", "Packages": "Csomag", "Packages found: {0}": "Talált csomag: {0}", - "Partially": "Részben", - "Password": "Jelszó", "Paste a valid URL to the database": "Érvényes URL beillesztése az adatbázisba", - "Pause updates for": "Frissítései szüneteltetése", "Perform a backup now": "Biztonsági mentés végrehajtása most", - "Perform a cloud backup now": "Végezzen felhőmentést most", - "Perform a local backup now": "Helyi bizt. mentés végrehajtása most", - "Perform integrity checks at startup": "Integritás ellenőrzés végrehajtása indításkor", - "Performing backup, please wait...": "Biztonsági mentés végrehajtása, kis türelmet...", "Periodically perform a backup of the installed packages": "Rendszeresen készítsen biztonsági mentést a telepített csomagokról", - "Periodically perform a cloud backup of the installed packages": "Rendszeresen végezzen felhő mentést a telepített csomagokról", - "Periodically perform a local backup of the installed packages": "Rendszeresen készítsen helyi biztonsági mentést a telepített csomagokról.", - "Please check the installation options for this package and try again": "Kérjük ellenőrizze a csomag telepítési beállításait, és próbálja meg újra.", - "Please click on \"Continue\" to continue": "A folytatáshoz kattintson a \"Folytatás\" gombra", "Please enter at least 3 characters": "Min. 3 karaktert írjon be", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Kérjük, vegye figyelembe, hogy bizonyos csomagok nem telepíthetők a gépen engedélyezett csomagkezelők miatt.", - "Please note that not all package managers may fully support this feature": "Vegye figyelembe, hogy nem minden csomagkezelő támogatja teljes mértékben ezt a funkciót.", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Vegye figyelembe, hogy bizonyos forrásokból származó csomagok nem exportálhatók. Ezek kiszürkítettek és nem exportáluk.", - "Please run UniGetUI as a regular user and try again.": "Kérjük futtassa az UniGetUI-t normál felhasználóként, és próbálja meg újra.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "A problémával kapcsolatos további információkért tekintse meg a parancssori kimenetet, vagy olvassa el a Műveleti előzményeket.", "Please select how you want to configure WingetUI": "Válassza ki, hogyan szeretné konfigurálni a WingetUI-t", - "Please try again later": "Kérjük próbálja később újra", "Please type at least two characters": "Legalább két karaktert írjon be", - "Please wait": "Kis türelmet", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Kérjük, várjon, amíg {0} telepítése folyamatban van. Egy fekete ablak jelenhet meg. Kis türelmet, amíg bezáródik.", - "Please wait...": "Kis türelmet...", "Portable": "Hordozható", - "Portable mode": "Hordozható mód", - "Post-install command:": "Telepítés utáni parancs:", - "Post-uninstall command:": "Eltávolítás utáni parancs:", - "Post-update command:": "Frissítés utáni parancs:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "A PowerShell csomagkezelője. A PowerShell képességeit bővítő könyvtárak és szkriptek keresése
Tartalma: Modulok, szkriptek, parancsfájlok\n", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "A telepítés előtti és utáni parancsok nagyon kellemetlen dolgokat tehetnek a készülékkel, ha erre tervezték őket. Nagyon veszélyes lehet a parancsokat egy csomagból importálni, hacsak nem bízik a csomag forrásában", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "A telepítés előtti és utáni parancsok a csomag telepítése, frissítése vagy eltávolítása előtt és után futnak. Ne feledje, hogy ezek a parancsok óvatlan használat esetén károsíthatják a rendszert", - "Pre-install command:": "Telepítés előtti parancs:", - "Pre-uninstall command:": "Eltávolítás előtti parancs:", - "Pre-update command:": "Frissítés előtti parancs:", - "PreRelease": "Korai kiadás", - "Preparing packages, please wait...": "Csomagok előkészítése, kis türelmet...", - "Proceed at your own risk.": "Saját felelősségére folytassa.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Tiltsa meg az UniGetUI Elevator vagy GSudo segítségével történő bármilyen kiemelkedést", - "Proxy URL": "Proxy URL-cím", - "Proxy compatibility table": "Proxy kompatibilitási táblázat", - "Proxy settings": "Proxy beállításai", - "Proxy settings, etc.": "Proxy beállítások, stb.", "Publication date:": "Megjelenés dátuma:", - "Publisher": "Kiadó", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "A Python könyvtárkezelője. Tele van python könyvtárakkal és egyéb pythonhoz kapcsolódó segédprogramokkal
Tartalma: Python könyvtárak és kapcsolódó segédprogramok", - "Quit": "Kilépés", "Quit WingetUI": "Az UniGetUI elhagyása", - "Ready": "Kész", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Az UAC-kérelmek csökkentése, a telepítések alapértelmezett kiemelése, bizonyos veszélyes funkciók feloldása stb.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Az érintett fájl(okk)al kapcsolatos további részletekért lásd az UniGetUI naplófájlokat", - "Reinstall": "Újratelepítés", - "Reinstall package": "Csomag újratelepítés", - "Related settings": "Kapcsolódó beállítások", - "Release notes": "Kiadási megjegyzések", - "Release notes URL": "Kiadási megjegyzések URL", "Release notes URL:": "Kiadási megjegyzések URL:", "Release notes:": "Kiadási megjegyzések:", "Reload": "Újratölt", - "Reload log": "Napló újratöltése", "Removal failed": "Eltávolítás sikertelen", "Removal succeeded": "Az eltávolítás sikeres volt", - "Remove from list": "Eltávolítás a listáról", "Remove permanent data": "Állandó adatok eltávolítása", - "Remove selection from bundle": "A kiválasztás eltávolítása a kötegből", "Remove successful installs/uninstalls/updates from the installation list": "A sikeres telepítések/eltávolítások/frissítések eltávolítása a telepítési listáról", - "Removing source {source}": "Forrás eltávolítása {source}", - "Removing source {source} from {manager}": "A forrás {source} eltávolítása innen {manager}", - "Repair UniGetUI": "Az UniGetUI javítása", - "Repair WinGet": "WinGet javítása", - "Report an issue or submit a feature request": "Jelentsen be egy problémát, vagy küldjön be egy funkció kérést", "Repository": "Tárhely (repo)", - "Reset": "Újrakezd", "Reset Scoop's global app cache": "A Scoop globális alkalmazás gyorsítótárának alapra állítása", - "Reset UniGetUI": "UniGetUI alapra állítása", - "Reset WinGet": "WinGet alapra állítása", "Reset Winget sources (might help if no packages are listed)": "Winget források visszaállítása (segíthet, ha nincs csomag a listán)", - "Reset WingetUI": "A WingetUI alaphelyzetbe állítása", "Reset WingetUI and its preferences": "A WingetUI és beállításai alaphelyzetbe állítása", "Reset WingetUI icon and screenshot cache": "Ürítse ki a WingetUI ikon és képernyőkép gyorsítótárát", - "Reset list": "Lista alapra állítása", "Resetting Winget sources - WingetUI": "Winget források visszaállítása - WingetUI", - "Restart": "Újraindítás", - "Restart UniGetUI": "Az UniGetUI újraindítása", - "Restart WingetUI": "Indítsa újra a WingetUI-t", - "Restart WingetUI to fully apply changes": "A WingetUI újraindítása a változások teljes körű alkalmazásához", - "Restart later": "Újraindítás később", "Restart now": "Újraindítás most", - "Restart required": "Újraindítás szükséges", - "Restart your PC to finish installation": "A telepítés befejezéséhez indítsa újra a számítógépet", - "Restart your computer to finish the installation": "Indítsa újra a számítógépet a telepítés véglegesítéséhez", - "Restore a backup from the cloud": "Biztonsági mentés visszaállítása a felhőből", - "Restrictions on package managers": "A csomagkezelőkre vonatkozó korlátozások", - "Restrictions on package operations": "A csomagműveletekre vonatkozó korlátozások", - "Restrictions when importing package bundles": "Korlátozások csomagkötegek importálásakor", - "Retry": "Újra", - "Retry as administrator": "Újabb próba rendszergazdaként", - "Retry failed operations": "Sikertelen műveletek megismétlése", - "Retry interactively": "Újabb próba interaktívan", - "Retry skipping integrity checks": "Kihagyott integritás ellenőrzések megismétlése", - "Retrying, please wait...": "Újra próbálkozás, kis türelmet...", - "Return to top": "Vissza felülre", - "Run": "Futtat", - "Run as admin": "Futtatás rendszergazdaként", - "Run cleanup and clear cache": "Futtassa a tisztítást és törölje a gyorsítótárat", - "Run last": "Futtatás utoljára", - "Run next": "Futtatás következőnek", - "Run now": "Futtatás most", + "Restart your PC to finish installation": "A telepítés befejezéséhez indítsa újra a számítógépet", + "Restart your computer to finish the installation": "Indítsa újra a számítógépet a telepítés véglegesítéséhez", + "Retry failed operations": "Sikertelen műveletek megismétlése", + "Retrying, please wait...": "Újra próbálkozás, kis türelmet...", + "Return to top": "Vissza felülre", "Running the installer...": "A telepítő futtatása...", "Running the uninstaller...": "Az eltávolító futtatása...", "Running the updater...": "A frissítő futtatása...", - "Save": "Ment", "Save File": "Fájl mentés", - "Save and close": "Mentés és bezárás", - "Save as": "Ment, mint", "Save bundle as": "Mentse a köteget, mint", "Save now": "Mentés most", - "Saving packages, please wait...": "Csomagok mentése, kis türelmet...", - "Scoop Installer - WingetUI": "Scoop telepítő - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop eltávolító - WingetUI", - "Scoop package": "Scoop csomag", "Search": "Keresés", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Keressen asztali szoftvereket, figyelmeztessen, ha frissítések állnak rendelkezésre, és ne csináljon kocka dolgokat. Nem akarom, hogy a WingetUI túlbonyolítsa, csak egy egyszerű szoftvertárolót szeretnék.", - "Search for packages": "Csomagok keresése", - "Search for packages to start": "Csomagok keresése a kezdéshez", - "Search mode": "Keresési mód", "Search on available updates": "Keresés az elérhető frissítések között", "Search on your software": "Keresés a saját szoftverek között", "Searching for installed packages...": "Telepített csomagok keresése...", "Searching for packages...": "Csomagok keresése...", "Searching for updates...": "Frissítések keresése...", - "Select": "Kiválasztás", "Select \"{item}\" to add your custom bucket": "Válassza ki a \"{item}\" lehetőséget az egyéni bucket hozzáadásához.", "Select a folder": "Válasszon ki egy mappát", - "Select all": "Mindet kiválaszt", "Select all packages": "Az összes csomag kiválasztása", - "Select backup": "Biztonsági mentés kiválasztása", "Select only if you know what you are doing.": "Csak akkor válassza ezt, ha tudja, mit csinál.", "Select package file": "Válassza ki a csomagfájlt", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Válassza ki a megnyitni kívánt biztonsági másolatot. Később áttekintheti, hogy mely csomagokat/programokat szeretné visszaállítani.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Válassza ki a használni kívánt végrehajtható fájlt. Az alábbi lista az UniGetUI által talált végrehajtható fájlokat tartalmazza", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Válassza ki azokat a folyamatokat, amelyeket a csomag telepítése, frissítése vagy eltávolítása előtt le kell zárni.", - "Select the source you want to add:": "Válassza ki a hozzáadni kívánt forrást:", - "Select upgradable packages by default": "Alapértelmezés szerint frissíthető csomagok kiválasztása", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Kiválaszthatja, hogy melyik csomagkezelőt használja ({0}), beállíthatja a csomagok telepítésének módját, kezelheti a rendszergazdai jogokat, stb.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Kézfogás elküldve. Várjuk a figyelő válaszát... ({0}%)", - "Set a custom backup file name": "Egyéni mentési fájlnév beállítása", "Set custom backup file name": "Egyéni mentési fájlnév beállítása", - "Settings": "Beállítások", - "Share": "Megoszt", "Share WingetUI": "A WingetUI megosztása", - "Share anonymous usage data": "Névtelen használati adatok megosztása", - "Share this package": "Ossza meg ezt a csomagot", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ha módosítja a biztonsági beállításokat, újra meg kell nyitnia a csomagot, hogy a módosítások hatályba lépjenek.", "Show UniGetUI on the system tray": "Az UniGetUI megjelenítése a tálcán", - "Show UniGetUI's version and build number on the titlebar.": "Az UniGetUI-verzió megjelenítése a címsoron", - "Show WingetUI": "WingetUI megjelenítése", "Show a notification when an installation fails": "Értesítés megjelenítése, ha a telepítés sikertelen", "Show a notification when an installation finishes successfully": "Értesítés megjelenítése a telepítés sikeres befejezéséről", - "Show a notification when an operation fails": "Értesítés megjelenítése, ha egy művelet sikertelen", - "Show a notification when an operation finishes successfully": "Értesítés megjelenítése, ha egy művelet sikeresen befejeződik", - "Show a notification when there are available updates": "Értesítés megjelenítése, ha elérhető frissítések vannak", - "Show a silent notification when an operation is running": "Csendes értesítés megjelenítése, amikor egy művelet fut", "Show details": "Részletek megjelenítése", - "Show in explorer": "Megjelenítés a keresőben", "Show info about the package on the Updates tab": "A csomaginformáció megjelenítése a Frissítések lapon", "Show missing translation strings": "Hiányzó fordítási stringek megjelenítése", - "Show notifications on different events": "Értesítések megjelenítése különböző eseményekről", "Show package details": "Csomag részletei", - "Show package icons on package lists": "Csomag ikonok megjelenítése a csomaglistákon", - "Show similar packages": "Hasonló csomagok megjelenítése", "Show the live output": "Az élő kimenet megjelenítése", - "Size": "Méret", "Skip": "Kihagy", - "Skip hash check": "Hash ellenőrzés kihagyása", - "Skip hash checks": "Hash ellenőrzések kihagyása", - "Skip integrity checks": "Integritás ellenőrzések kihagyása", - "Skip minor updates for this package": "Kisebb frissítések kihagyása ehhez a csomaghoz", "Skip the hash check when installing the selected packages": "A kiválasztott csomagok telepítésekor a hash ellenőrzés kihagyása", "Skip the hash check when updating the selected packages": "A kiválasztott csomagok frissítésekor a hash ellenőrzés kihagyása", - "Skip this version": "Hagyja ki ezt a verziót", - "Software Updates": "Szoftver frissítések", - "Something went wrong": "Valami nincs rendben", - "Something went wrong while launching the updater.": "Valamilyen hiba történt a frissítő indítása közben.", - "Source": "Forrás", - "Source URL:": "Forrás URL:", - "Source added successfully": "Forrás sikeresen hozzáadva", "Source addition failed": "A forrás hozzáadása sikertelen", - "Source name:": "Forrás neve:", "Source removal failed": "A forrás eltávolítása sikertelen", - "Source removed successfully": "Forrás sikeresen eltávolítva", "Source:": "Forrás:", - "Sources": "Források", "Start": "Indítás", "Starting daemons...": "Démonok indítása...", - "Starting operation...": "Művelet indítása...", "Startup options": "Indítási lehetőségek", "Status": "Állapot", "Stuck here? Skip initialization": "Itt ragadt? Hagyja ki az inicializálást", - "Success!": "Sikerült!", "Suport the developer": "Támogassa a fejlesztőt", "Support me": "Támogasson", "Support the developer": "Támogassa a fejlesztőt", "Systems are now ready to go!": "A rendszerek most már készen állnak az indulásra!", - "Telemetry": "Telemetria", - "Text": "Szöveg", "Text file": "Szövegfájl", - "Thank you ❤": "Köszönöm ❤", - "Thank you \uD83D\uDE09": "Köszönöm \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "A Rust csomagkezelő.
Tartalma: Rust könyvtárak és Rust nyelven írt programok ", - "The backup will NOT include any binary file nor any program's saved data.": "A biztonsági mentés NEM tartalmaz semmilyen bináris fájlt vagy program mentett adatait.", - "The backup will be performed after login.": "A biztonsági mentés a bejelentkezés után történik.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "A biztonsági mentés tartalmazza a telepített csomagok teljes listáját és a telepítési beállításokat. A figyelmen kívül hagyott frissítések és kihagyott verziók is mentésre kerülnek.\n", - "The bundle was created successfully on {0}": "A csomag sikeresen létrehozásra került itt {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "A köteg amelyet be akar tölteni, érvénytelennek tűnik. Ellenőrizze a fájlt, és próbálja meg újra.", + "Thank you 😉": "Köszönöm 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "A telepítő ellenőrző összege nem egyezik meg a várt értékkel, a telepítő hitelessége nem ellenőrizhető. Ha megbízik a kiadóban, {0} a csomag ismét kimarad a hash ellenőrzésből.\n", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "\nA klasszikus csomagkezelő Windowshoz. Mindent megtalálsz benne.
Tartalma: Általános szoftverek", - "The cloud backup completed successfully.": "A felhőalapú biztonsági mentés sikeresen befejeződött.", - "The cloud backup has been loaded successfully.": "A felhőalapú biztonsági mentés sikeresen betöltődött.", - "The current bundle has no packages. Add some packages to get started": "Az aktuális köteg nem tartalmaz csomagokat. A kezdéshez adjon hozzá néhány csomagot", - "The executable file for {0} was not found": "A {0} futtatható fájlja nem található", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "A következő beállítások alapértelmezés szerint minden alkalommal alkalmazásra kerülnek, amikor egy {0} csomag telepítése, frissítése vagy eltávolítása történik.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "A következő csomagokat fogjuk exportálni egy JSON fájlba. Felhasználói adatok vagy binárisok nem kerülnek elmentésre.", "The following packages are going to be installed on your system.": "A következő csomagokat kell telepíteni a rendszerre.", - "The following settings may pose a security risk, hence they are disabled by default.": "A következő beállítások biztonsági kockázatot jelenthetnek, ezért alapértelmezés szerint le vannak tiltva.", - "The following settings will be applied each time this package is installed, updated or removed.": "A következő beállítások minden egyes alkalommal alkalmazásra kerülnek, amikor a csomag telepítése, frissítése vagy eltávolítása megtörténik.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "A következő beállítások minden egyes alkalommal alkalmazásra kerülnek, amikor a csomag telepítése, frissítése vagy eltávolítása megtörténik. A beállítások automatikusan mentésre kerülnek.\n", "The icons and screenshots are maintained by users like you!": "Az ikonokat és a képernyőképeket Önhöz hasonló felhasználók tartják karban!", - "The installation script saved to {0}": "A telepítő szkript mentve a következő helyre: {0}", - "The installer authenticity could not be verified.": "A telepítő hitelességét nem sikerült ellenőrizni.", "The installer has an invalid checksum": "A telepítő érvénytelen ellenőrző összeggel rendelkezik", "The installer hash does not match the expected value.": "A telepítő hash értéke nem felel meg a várt értéknek.", - "The local icon cache currently takes {0} MB": "A helyi ikon gyorsítótár jelenleg {0} MB helyet foglal el.", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "A projekt fő célja egy intuitív felhasználói felület létrehozása a Windows leggyakoribb CLI csomagkezelőihez, mint például a Winget és a Scoop", - "The package \"{0}\" was not found on the package manager \"{1}\"": "A \"{0}\" csomagot nem találta a \"{1}\" csomagkezelő.", - "The package bundle could not be created due to an error.": "A csomag köteget hiba miatt nem sikerült létrehozni.", - "The package bundle is not valid": "A csomag köteg nem érvényes", - "The package manager \"{0}\" is disabled": "A \"{0}\" csomagkezelő le van tiltva", - "The package manager \"{0}\" was not found": "A \"{0}\" csomagkezelőt nem találtuk meg.", "The package {0} from {1} was not found.": "A csomag {0} innen {1} nem található.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Az itt felsorolt csomagokat nem veszi figyelembe a rendszer a frissítések keresésekor. Kattintson rájuk duplán, vagy kattintson a jobb oldali gombra, ha nem szeretné tovább figyelmen kívül hagyni a frissítéseiket.\n", "The selected packages have been blacklisted": "A kiválasztott csomagok feketelistára kerültek", - "The settings will list, in their descriptions, the potential security issues they may have.": "A beállítások a leírásukban felsorolják a lehetséges biztonsági problémákat.", - "The size of the backup is estimated to be less than 1MB.": "A biztonsági mentés becsült mérete kevesebb, mint 1 MB.", - "The source {source} was added to {manager} successfully": "A forrás {source} sikeresen hozzá lett adva {manager}.", - "The source {source} was removed from {manager} successfully": "A {source} forrás sikeresen eltávolítva innen {manager}", - "The system tray icon must be enabled in order for notifications to work": "Az értesítések működéséhez engedélyezni kell a tálcaikont.", - "The update process has been aborted.": "A frissítési folyamat megszakadt.", - "The update process will start after closing UniGetUI": "A frissítési folyamat az UniGetUI bezárása után kezdődik.", "The update will be installed upon closing WingetUI": "A frissítés a WingetUI bezárásakor települ.", "The update will not continue.": "A frissítés nem folytatódik.", "The user has canceled {0}, that was a requirement for {1} to be run": "A felhasználó törölte ezt {0}, ami feltétele volt {1} futtatásának", - "There are no new UniGetUI versions to be installed": "Nincsenek új UniGetUI verziók, amelyeket telepíteni kellene", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Folyamatban vannak műveletek. A WingetUI elhagyása ezek meghibásodását okozhatja. Folytatni szeretné?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "A YouTube-on van néhány nagyszerű videó, amely bemutatja a WingetUI-t és annak képességeit. Hasznos trükköket és tippeket ismerhet meg!\n", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Két fő oka van annak, hogy ne futtassuk a WingetUI-t rendszergazdaként: Az első az, hogy a Scoop csomagkezelő problémákat okozhat bizonyos parancsokkal, ha rendszergazdai jogokkal fut. A második az, hogy a WingetUI rendszergazdaként való futtatása azt jelenti, hogy minden letöltött csomag rendszergazdaként fut (és ez nem biztonságos). Ne feledje, hogy ha egy adott csomagot rendszergazdaként kell telepítenie, mindig kattintson a jobb gombbal az elemre -> Telepítés/Frissítés/Eltávolítás rendszergazdaként.", - "There is an error with the configuration of the package manager \"{0}\"": "Hiba van a \"{0}\" csomagkezelő konfigurációjával.", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "A telepítés folyamatban van. Ha bezárja a WingetUI-t, a telepítés meghiúsulhat és váratlan eredménnyel járhat. Még mindig itt akarja hagyni a WingetUI-t?", "They are the programs in charge of installing, updating and removing packages.": "Ezek a programok felelősek a csomagok telepítéséért, frissítéséért és eltávolításáért.", - "Third-party licenses": "Harmadik fél licencei", "This could represent a security risk.": "Ez biztonsági kockázatot jelenthet.", - "This is not recommended.": "Ez nem ajánlott.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ennek oka valószínűleg az, hogy a küldött csomagot eltávolították, vagy egy olyan csomagkezelőn tették közzé, amely nincs engedélyezve. A kapott azonosító {0}", "This is the default choice.": "Ez az alapértelmezett választás.", - "This may help if WinGet packages are not shown": "Ez segíthet, ha a WinGet csomagok nem jelennek meg", - "This may help if no packages are listed": "Ez segíthet, ha nincsenek csomagok a listában", - "This may take a minute or two": "Ez egy-két percet vehet igénybe", - "This operation is running interactively.": "Ez a művelet interaktívan fut.", - "This operation is running with administrator privileges.": "Ez a művelet rendszergazdai jogosultságokkal fut.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ez az opció problémákat fog okozni. Minden olyan művelet, amely nem képes magát kiemelni, SIKERTELEN lesz. A rendszergazdaként történő telepítés/frissítés/eltávolítás NEM FOG MŰKÖDNI.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ez a csomag köteg tartalmazott néhány potenciálisan veszélyes beállítást, amelyeket alapértelmezés szerint figyelmen kívül lehet hagyni.", "This package can be updated": "Ez a csomag frissíthető", "This package can be updated to version {0}": "Ez a csomag frissíthető a következő verzióra: {0}", - "This package can be upgraded to version {0}": "Ez a csomag frissíthető a {0} verzióra.", - "This package cannot be installed from an elevated context.": "Ez a csomag nem telepíthető emelt szintű környezetből.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ez a csomag nem rendelkezik képernyőképekkel, esetleg hiányzik az ikon? Segítsen a WingetUI-nak a hiányzó ikonok és képernyőképek hozzáadásával a nyílt, nyilvános adatbázisunkhoz.\n", - "This package is already installed": "Ez a csomag már telepítve van", - "This package is being processed": "Ez a csomag feldolgozás alatt áll", - "This package is not available": "Ez a csomag nem elérhető", - "This package is on the queue": "Ez a csomag várólistán van", "This process is running with administrator privileges": "Ez a folyamat rendszergazdai jogosultságokkal fut", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ennek a projektnek semmi köze a hivatalos {0} projekthez - teljesen nem hivatalos.\n", "This setting is disabled": "Ez a beállítás le van tiltva", "This wizard will help you configure and customize WingetUI!": "Ez a varázsló segíti a WingetUI konfigurálását és testreszabását!", "Toggle search filters pane": "Keresési szűrők panel váltás", - "Translators": "Fordítók", - "Try to kill the processes that refuse to close when requested to": "Próbálja meg leállítani azokat a folyamatokat, amelyek nem hajlandóak bezárni, amikor erre kérik őket.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ennek bekapcsolása lehetővé teszi a csomagkezelőkkel való interakcióhoz használt futtatható fájl megváltoztatását. Ez lehetővé teszi a telepítési folyamatok finomabb testreszabását, de veszélyes is lehet.", "Type here the name and the URL of the source you want to add, separed by a space.": "Írja be ide a hozzáadni kívánt forrás nevét és URL címét, szóközzel elválasztva.", "Unable to find package": "Nem található a csomag", "Unable to load informarion": "Nem sikerült betölteni az információkat", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "Az UniGetUI anonim használati adatokat gyűjt a felhasználói élmény javítása érdekében.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Az UniGetUI anonim használati adatokat gyűjt, kizárólag azzal a céllal, hogy megértse és javítsa a felhasználói élményt.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Az UniGetUI egy új asztali parancsikont észlelt, amely auto. törölhető.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Az UniGetUI a következő asztali parancsikonokat észlelte, amelyek a jövőbeni frissítések során auto. eltávolíthatók", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Az UniGetUI Az UniGetUI {0} új asztali parancsikont észlelt, amelyek automatikusan törölhetők.", - "UniGetUI is being updated...": "Az UniGetUI frissül...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Az UniGetUI nem kapcsolódik egyik kompatibilis csomagkezelőhöz sem. Az UniGetUI egy független projekt.", - "UniGetUI on the background and system tray": "UniGetUI a háttérben és a tálcán", - "UniGetUI or some of its components are missing or corrupt.": "Az UniGetUI vagy annak egyes összetevői hiányoznak vagy sérültek.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "Az UniGetUI működéséhez {0} szükséges, de nem találtuk meg a rendszerében.", - "UniGetUI startup page:": "UniGetUI kezdőlap:", - "UniGetUI updater": "UniGetUI frissítő", - "UniGetUI version {0} is being downloaded.": "Az UniGetUI {0} verziójának letöltése folyamatban van.", - "UniGetUI {0} is ready to be installed.": "Az UniGetUI {0} készen áll a telepítésre.", - "Uninstall": "Eltávolítás", - "Uninstall Scoop (and its packages)": "A Scoop (és csomagjai) eltávolítása", "Uninstall and more": "Eltávolítás és egyebek", - "Uninstall and remove data": "Eltávolítás és adatok eltávolítása", - "Uninstall as administrator": "Eltávolítás rendszergazdaként", "Uninstall canceled by the user!": "Az eltávolítást a felhasználó megszakította!", - "Uninstall failed": "Az eltávolítás sikertelen", - "Uninstall options": "Eltávolítás lehetőségei", - "Uninstall package": "Csomag eltávolítása", - "Uninstall package, then reinstall it": "Távolítsa el a csomagot, majd telepítse újra", - "Uninstall package, then update it": "Távolítsa el a csomagot, majd frissítse azt", - "Uninstall previous versions when updated": "A korábbi verziók eltávolítása frissítéskor", - "Uninstall selected packages": "A kiválasztott csomagok eltávolítása", - "Uninstall selection": "Kiválasztott eltávolítása", - "Uninstall succeeded": "Az eltávolítás sikeres volt", "Uninstall the selected packages with administrator privileges": "A kiválasztott csomagok eltávolítása rendszergazdai jogosultságokkal", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "A \"{0}\" eredetű eltávolítható csomagok nem jelennek meg egyetlen csomagkezelőben sem, így nem áll rendelkezésre semmilyen információ róluk.\n", - "Unknown": "Ismeretlen", - "Unknown size": "Ismeretlen méret", - "Unset or unknown": "Be nem állított vagy ismeretlen", - "Up to date": "Naprakész", - "Update": "Frissítés", - "Update WingetUI automatically": "A WingetUI automatikus frissítése", - "Update all": "Az összes frissítése", "Update and more": "Frissítés és egyebek", - "Update as administrator": "Frissítés rendszergazdaként", - "Update check frequency, automatically install updates, etc.": "Frissítések ellenőrz. gyakorisága, frissítések autom. telepítése, stb.", - "Update checking": "Frissítés ellenőrzése", "Update date": "Frissítés dátuma", - "Update failed": "A frissítés sikertelen", "Update found!": "Frissítés található!", - "Update now": "Frissítés most", - "Update options": "Frissítés lehetőségei", "Update package indexes on launch": "Csomagindexek frissítése indításkor", "Update packages automatically": "Csomagok autom. frissítése", "Update selected packages": "Kiválasztott csomagok frissítése", "Update selected packages with administrator privileges": "A kiválasztott csomagok frissítése rendszergazdai jogosultságokkal", - "Update selection": "Kiválasztott frissítése", - "Update succeeded": "A frissítés sikeres volt", - "Update to version {0}": "Frissítés a {0} verzióra", - "Update to {0} available": "Frissítés - {0} elérhető", "Update vcpkg's Git portfiles automatically (requires Git installed)": "A vcpkg Git portfájlok auto. frissítése (telepített Git szükséges)", "Updates": "Frissítések", "Updates available!": "Frissítések érhetők el!", - "Updates for this package are ignored": "A csomag frissítései figyelmen kívül maradnak", - "Updates found!": "Frissítés található!", "Updates preferences": "Frissítés beállításai", "Updating WingetUI": "A WingetUI frissítése", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "A PowerShell CMDLets helyett a Legacy csomagban lévő WinGet használata", - "Use a custom icon and screenshot database URL": "Egyéni ikon és képernyőkép adatbázis URL használata", "Use bundled WinGet instead of PowerShell CMDlets": "A csomagban található WinGet használata a PowerShell CMDlets helyett", - "Use bundled WinGet instead of system WinGet": "A csomagban lévő WinGet használata a rendszerbeli WinGet helyett", - "Use installed GSudo instead of UniGetUI Elevator": "A telepített GSudo használata az UniGetUI Elevator helyett", "Use installed GSudo instead of the bundled one": "A telepített GSudo használata a kötegben lévő helyett (az alkalmazás újraindítása szükséges)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Használja a régi UniGetUI Elevator programot (hasznos lehet, ha problémái vannak az UniGetUI Elevator programmal)", - "Use system Chocolatey": "Használja a rendszerbeli Chocolatey-t", "Use system Chocolatey (Needs a restart)": "A rendszer Chocolatey használata (újraindítás szükséges)", "Use system Winget (Needs a restart)": "Rendszer Winget használata (újra kell indítani)", "Use system Winget (System language must be set to english)": "A rendszerbeli Winget használata (A rendszer nyelvének angolra kell lennie beállítva)", "Use the WinGet COM API to fetch packages": "A WinGet COM API használata a csomagok lekérdezéséhez", "Use the WinGet PowerShell Module instead of the WinGet COM API": "A WinGet PowerShell modul használata a WinGet COM API helyett", - "Useful links": "Hasznos linkek", "User": "Felhasználó", - "User interface preferences": "A felhasználói felület beállításai", "User | Local": "Felhasználói | Helyi", - "Username": "Felhasználónév", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "A WingetUI használata a GNU Lesser General Public License v2.1 licenc elfogadását jelenti.", - "Using WingetUI implies the acceptation of the MIT License": "A WingetUI használata magában foglalja az MIT-licenc elfogadását", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root nem található. Kérjük, adja meg a %VCPKG_ROOT% környezeti változót, vagy határozza meg az UniGetUI beállításaiból.", "Vcpkg was not found on your system.": "A Vcpkg nem található a rendszerében.", - "Verbose": "Bővebben", - "Version": "Verzió", - "Version to install:": "Telepítendő verzió:", - "Version:": "Verzió:", - "View GitHub Profile": "GitHub profil megtekintése", "View WingetUI on GitHub": "WingetUI a GitHubon", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "A WingetUI forráskódjának megtekintése. Ott jelenthet hibákat, javasolhat funkciókat, vagy akár közvetlenül is hozzájárulhat a WingetUI projekthez.\n", - "View mode:": "Megtekintési mód:", - "View on UniGetUI": "Megtekintés az Unigetui-n", - "View page on browser": "Megtekintés böngészőben", - "View {0} logs": "{0} naplók megtekintése", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Várja meg, amíg a készülék csatlakozik az internethez, mielőtt kapcsolatot igénylő feladatokat próbálna végrehajtani.", "Waiting for other installations to finish...": "Várakozás a többi telepítés befejezésére...", "Waiting for {0} to complete...": "Várakozás {0} befejezésére...", - "Warning": "Figyelmeztetés", - "Warning!": "Figyelem!", - "We are checking for updates.": "Ellenőrizzük a frissítéseket.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Nem tudunk részletes információt betölteni erről a csomagról, mert nem találtuk meg egyik csomagforrásban sem.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Nem tudunk részletes információkat betölteni erről a csomagról, mert nem egy elérhető csomagkezelőből lett telepítve.\n", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nem tudtuk {action} - {package}. Próbálja később újra. Kattintson a \"{showDetails}\" gombra a telepítő naplóinak megtekintéséhez.\n", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nem tudtuk {action} - {package}. Próbálja később újra. Kattintson a \"{showDetails}\" gombra az eltávolító program naplóinak megtekintéséhez.", "We couldn't find any package": "Nem találtunk semmilyen csomagot", "Welcome to WingetUI": "Köszönti a WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "A csomagok kötegelt telepítésekor a már telepített csomagokat is telepíti.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Mikor új parancsikonokat észlel, autom. törli ezeket ahelyett, hogy megjelenítené ezt a párbeszédpanelt.", - "Which backup do you want to open?": "Melyik biztonsági mentést szeretné megnyitni?", "Which package managers do you want to use?": "Melyik csomagkezelőt szeretné használni?", "Which source do you want to add?": "Melyik forrást szeretné hozzáadni?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Míg a Winget a WingetUI-n belül használható, a WingetUI más csomagkezelőkkel is használható, ami zavaró lehet. A múltban a WingetUI-t úgy tervezték, hogy csak a Winget-tel működjön, de ez már nem igaz, és ezért a WingetUI nem azt képviseli, amivé ez a projekt válni szeretne.\n", - "WinGet could not be repaired": "A WinGet nem javítható", - "WinGet malfunction detected": "WinGet hibás működés észlelve", - "WinGet was repaired successfully": "A WinGet sikeresen javítva lett", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Minden naprakész\n", "WingetUI - {0} updates are available": "WingetUI – {0} frissítés érhető el", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI honlap", "WingetUI Homepage - Share this link!": "WingetUI honlap - Ossza meg ezt a linket!", - "WingetUI License": "WingetUI licenc", - "WingetUI Log": "WingetUI Napló", - "WingetUI Repository": "WingetUI Repository", - "WingetUI Settings": "WingetUI beállítások", "WingetUI Settings File": "WingetUI beállítások fájl", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "A WingetUI a következő könyvtárakat használja. Ezek nélkül a WingetUI nem jöhetett volna létre.", - "WingetUI Version {0}": "WingetUI verzió {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI auto. indítási viselkedés, alkalmazás indítási beállítások", "WingetUI can check if your software has available updates, and install them automatically if you want to": "A WingetUI ellenőrizni tudja, hogy a szoftver rendelkezik-e elérhető frissítésekkel, és ha szeretné automatikusan telepíti azokat.", - "WingetUI display language:": "WingetUI megjelenítési nyelve:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "A WingetUI-t rendszergazdaként futtatta, ami nem ajánlott. Ha a WingetUI-t rendszergazdaként futtatja, MINDEN WingetUI-ból indított művelet rendszergazdai jogosultságokkal rendelkezik. A programot továbbra is használhatja, de erősen javasolt, hogy a WingetUI-t ne futtassa rendszergazdai jogosultságokkal.\n", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "A WingetUI-t több mint 40 nyelvre fordították le az önkéntes fordítóknak köszönhetően. Köszönöm \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "A WingetUI nem gépi fordítással készült! A következő felhasználók feleltek a fordításokért:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "A WingetUI egy olyan alkalmazás, amely megkönnyíti a szoftverek kezelését, mivel egy minden egyben grafikus felületet biztosít a parancssori csomagkezelők számára.\n", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "A WingetUI-t azért nevezzük át, hogy hangsúlyozzuk a különbséget a WingetUI (a most használt felület) és a Winget (a Microsoft által fejlesztett csomagkezelő, amellyel nem állok kapcsolatban) között.\n", "WingetUI is being updated. When finished, WingetUI will restart itself": "A WingetUI frissítés alatt áll. Ha befejeződött, a WingetUI újraindul.", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "A WingetUI ingyenes, és örökké az is marad. Nincs reklám, nincs hitelkártya, nincs prémium verzió. 100%-ban ingyenes, örökre.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "A WingetUI minden alkalommal megjelenít egy UAC promptot, amikor egy csomag telepítéséhez emelt szint szükséges.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "A WingetUI-nak hamarosan {newname} lesz a neve. Ez nem jelent semmilyen változást az alkalmazásban. Én (a fejlesztő) folytatni fogom a projekt fejlesztését, ahogy most is teszem, de más néven.\n", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "A WingetUI nem jöhetett volna létre kedves közreműködőink segítsége nélkül. Nézze meg GitHub profiljaikat, a WingetUI nem lenne lehetséges nélkülük!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "A WingetUI nem jöhetett volna létre a közreműködők segítsége nélkül. Köszönjük mindenkinek \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "A WingetUI {0} készen áll a telepítésre.", - "Write here the process names here, separated by commas (,)": "Írja ide a folyamatok neveit vesszővel (,) elválasztva.", - "Yes": "Igen", - "You are logged in as {0} (@{1})": "Ön be van jelentkezve, mint {0} (@{1} )", - "You can change this behavior on UniGetUI security settings.": "Ezt a viselkedést megváltoztathatja az UniGetUI biztonsági beállításainál.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Meghatározhatja azokat a parancsokat, amelyek a csomag telepítése, frissítése vagy eltávolítása előtt vagy után futnak. Ezek a parancsok egy parancssorban fognak futni, így a CMD szkriptek itt is működni fognak.", - "You have currently version {0} installed": "Jelenleg a {0} verzió van telepítve", - "You have installed WingetUI Version {0}": "Ön telepítette a WingetUI {0} verzióját.", - "You may lose unsaved data": "Elveszítheti a nem mentett adatokat", - "You may need to install {pm} in order to use it with WingetUI.": "Lehet, hogy telepítenie kell a {pm}-t, hogy a WingetUI-val használni tudja.", "You may restart your computer later if you wish": "Később újraindíthatja a számítógépet, ha szeretné.", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "A rendszer csak egyszer fogja kérni, és a rendszergazdai jogokat az azokat igénylő csomagok kapják meg.", "You will be prompted only once, and every future installation will be elevated automatically.": "A rendszer csak egyszer fogja kérni, és minden további telepítés auto. emelt jogokal történik.", - "You will likely need to interact with the installer.": "Valószínűleg rá kell pillantani a telepítőre.", - "[RAN AS ADMINISTRATOR]": "RENDSZERGAZDAKÉNT FUTOTT", "buy me a coffee": "hívjon meg egy kávéra", - "extracted": "kivont", - "feature": "funkció", "formerly WingetUI": "korábban WingetUI", "homepage": "honlap", "install": "telepítés", "installation": "telepítés", - "installed": "telepítve", - "installing": "telepítés", - "library": "könyvtár", - "mandatory": "kötelező", - "option": "opció", - "optional": "lehetőség", "uninstall": "eltávolítás", "uninstallation": "eltávolítás", "uninstalled": "eltávolítva", - "uninstalling": "eltávolítás", "update(noun)": "frissítés", "update(verb)": "frissíteni", "updated": "frissítve", - "updating": "frissítés", - "version {0}": "verzió {0}", - "{0} Install options are currently locked because {0} follows the default install options.": " {0} telepítési beállításai jelenleg zárolva vannak, mivel {0} követi az alapért. telepítési beállításokat.", "{0} Uninstallation": "{0} Eltávolítás", "{0} aborted": "{0} megszakítva", "{0} can be updated": "{0} frissíthető", - "{0} can be updated to version {1}": "{0} frissíthető {1} verzióra.", - "{0} days": "{0} nap", - "{0} desktop shortcuts created": "{0} asztali parancsikonok létrehozva", "{0} failed": "{0} nem sikerült", - "{0} has been installed successfully.": "{0} sikeresen telepítve.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} sikeresen telepítve. A telepítés befejezéséhez ajánlott újraindítani az UniGetUI-t.", "{0} has failed, that was a requirement for {1} to be run": "{0} nem sikerült, ez volt a feltétele {1} futtatásának", - "{0} homepage": "{0} honlap", - "{0} hours": "{0} óra", "{0} installation": "{0} telepítés", - "{0} installation options": "{0} telepítési lehetőségek", - "{0} installer is being downloaded": "{0} telepítő letöltése folyamatban van", - "{0} is being installed": "{0} telepítés alatt áll", - "{0} is being uninstalled": "{0} eltávolításra kerül", "{0} is being updated": "{0} frissül", - "{0} is being updated to version {1}": "{0} frissül az {1} verzióra.", - "{0} is disabled": "{0} le van tiltva", - "{0} minutes": "{0} perc", "{0} months": "{0} hónap", - "{0} packages are being updated": "{0} csomag frissül", - "{0} packages can be updated": "{0} csomag frissíthető", "{0} packages found": "{0} csomag található", "{0} packages were found": "{0} csomagot találtunk", - "{0} packages were found, {1} of which match the specified filters.": "{0} csomagot találtunk, amelyek közül {1} megfelel a megadott szűrőknek.", - "{0} selected": "{0} kiválasztva", - "{0} settings": "{0} beállítások", - "{0} status": "{0} állapot", "{0} succeeded": "{0} sikeres", "{0} update": "{0} frissítés", - "{0} updates are available": "{0} frissítés áll rendelkezésre", "{0} was {1} successfully!": "{0} sikeresen {1}!", "{0} weeks": "{0} hét", "{0} years": "{0} év", "{0} {1} failed": "{0} {1} sikertelen", - "{package} Installation": "{package} Telepítés", - "{package} Uninstall": "{package} Eltávolítás", - "{package} Update": "{package} Frissítés", - "{package} could not be installed": "{package} nem tudott települni", - "{package} could not be uninstalled": "{package} nem lehetett eltávolítani", - "{package} could not be updated": "{package} nem tudott frissülni", "{package} installation failed": "{package} telepítése sikertelen", - "{package} installer could not be downloaded": "{package} a telepítőt nem lehetett letölteni", - "{package} installer download": "{package} a telepítő letöltése", - "{package} installer was downloaded successfully": "{package} a telepítő sikeresen letöltődött", "{package} uninstall failed": "{package} eltávolítása sikertelen", "{package} update failed": "{package} frissítése sikertelen", "{package} update failed. Click here for more details.": "{package} frissítése sikertelen. További részletekért kattintson ide.", - "{package} was installed successfully": "{package} telepítése sikeresen megtörtént", - "{package} was uninstalled successfully": "{package} eltávolítása sikeresen megtörtént", - "{package} was updated successfully": "{package} sikeresen frissítve", - "{pcName} installed packages": "{pcName} telepített csomagok", "{pm} could not be found": "{pm} nem található", "{pm} found: {state}": "{pm} találat: {state}", - "{pm} is disabled": "{pm} le van tiltva", - "{pm} is enabled and ready to go": "{pm} engedélyezve van, és használatra kész", "{pm} package manager specific preferences": "{pm} csomagkezelő specifikus beállítások", "{pm} preferences": "{pm} beállítások", - "{pm} version:": "{pm} verzió:", - "{pm} was not found!": "{pm} nem található!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Helló, a nevem Martí, a WingetUI fejlesztője vagyok. A WingetUI teljes egészében a szabadidőmben készült!", + "Thank you ❤": "Köszönöm ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ennek a projektnek semmi köze a hivatalos {0} projekthez - teljesen nem hivatalos.\n" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_id.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_id.json index dcb05aea1e..0081fb92a8 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_id.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_id.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operasi sedang berlangsung", + "Please wait...": "Harap tunggu...", + "Success!": "Sukses!", + "Failed": "Gagal", + "An error occurred while processing this package": "Terjadi kesalahan saat memproses paket ini", + "Log in to enable cloud backup": "Masuk untuk mengaktifkan pencadangan cloud", + "Backup Failed": "Pencadangan Gagal", + "Downloading backup...": "Mengunduh cadangan...", + "An update was found!": "Pembaruan ditemukan!", + "{0} can be updated to version {1}": "{0} dapat diperbarui ke versi {1}", + "Updates found!": "Pembaruan ditemukan!", + "{0} packages can be updated": "{0} paket dapat diperbarui", + "You have currently version {0} installed": "Anda saat ini memiliki versi {0} yang terinstal", + "Desktop shortcut created": "Pintasan desktop dibuat", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI telah mendeteksi pintasan desktop baru yang dapat dihapus secara otomatis.", + "{0} desktop shortcuts created": "{0} pintasan desktop dibuat", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI telah mendeteksi {0} pintasan desktop baru yang dapat dihapus secara otomatis.", + "Are you sure?": "Apakah Anda yakin?", + "Do you really want to uninstall {0}?": "Yakin ingin mencopot {0}?", + "Do you really want to uninstall the following {0} packages?": "Yakin ingin mencopot {0} paket berikut?", + "No": "Tidak", + "Yes": "Ya", + "View on UniGetUI": "Lihat di UniGetUI", + "Update": "Perbarui", + "Open UniGetUI": "Buka UniGetUI", + "Update all": "Perbarui semua", + "Update now": "Perbarui sekarang", + "This package is on the queue": "Paket ini ada dalam antrean", + "installing": "sedang menginstal", + "updating": "memperbarui", + "uninstalling": "sedang menghapus instalasi", + "installed": "terinstal", + "Retry": "Coba lagi", + "Install": "Pasang", + "Uninstall": "Hapus instalasi", + "Open": "Buka", + "Operation profile:": "Profil operasi:", + "Follow the default options when installing, upgrading or uninstalling this package": "Ikuti opsi default saat instalasi, pembaruan, atau menghapus paket ini", + "The following settings will be applied each time this package is installed, updated or removed.": "Pengaturan berikut akan diterapkan setiap kali paket ini diinstal, diperbarui, atau dihapus.", + "Version to install:": "Versi untuk dipasang:", + "Architecture to install:": "Arsitektur yang akan diinstal:", + "Installation scope:": "Lingkup pemasangan:", + "Install location:": "Lokasi pemasangan:", + "Select": "Pilih", + "Reset": "Atur ulang", + "Custom install arguments:": "Argumen penginstalan khusus:", + "Custom update arguments:": "Argumen pembaruan khusus:", + "Custom uninstall arguments:": "Argumen hapus instalan khusus:", + "Pre-install command:": "Perintah pra-instalasi:", + "Post-install command:": "Perintah pasca-instalasi:", + "Abort install if pre-install command fails": "Batalkan instalasi jika perintah pra-instalasi gagal", + "Pre-update command:": "Perintah pra-pembaruan:", + "Post-update command:": "Perintah pasca-pembaruan:", + "Abort update if pre-update command fails": "Batalkan pembaruan jika perintah pra-pembaruan gagal", + "Pre-uninstall command:": "Perintah pra-penghapusan instalasi:", + "Post-uninstall command:": "Perintah pasca-penghapusan instalasi:", + "Abort uninstall if pre-uninstall command fails": "Batalkan penghapusan jika perintah pra-penghapusan gagal", + "Command-line to run:": "Perintah yang akan dijalankan:", + "Save and close": "Simpan dan tutup", + "Run as admin": "Jalankan sebagai admin", + "Interactive installation": "Pemasangan interaktif", + "Skip hash check": "Lewati pemeriksaan hash", + "Uninstall previous versions when updated": "Hapus instalan versi sebelumnya saat diperbarui", + "Skip minor updates for this package": "Lewati pembaruan minor untuk paket ini", + "Automatically update this package": "Perbarui paket ini secara otomatis", + "{0} installation options": "{0} opsi instalasi", + "Latest": "Terbaru", + "PreRelease": "PraRilis", + "Default": "Bawaan", + "Manage ignored updates": "Kelola pembaruan yang diabaikan", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paket-paket yang terdaftar di sini tidak akan diperhitungkan saat memeriksa pembaruan. Klik dua kali pada mereka atau klik tombol di sebelah kanan mereka untuk berhenti mengabaikan pembaruan mereka.", + "Reset list": "Atur ulang daftar", + "Package Name": "Nama Paket", + "Package ID": "ID Paket", + "Ignored version": "Versi yang diabaikan", + "New version": "Versi baru", + "Source": "Sumber", + "All versions": "Semua versi", + "Unknown": "Tidak diketahui", + "Up to date": "Sudah terbaru", + "Cancel": "Batal", + "Administrator privileges": "Hak administrator", + "This operation is running with administrator privileges.": "Operasi ini berjalan dengan hak istimewa administrator.", + "Interactive operation": "Operasi interaktif", + "This operation is running interactively.": "Operasi ini sedang berjalan secara interaktif.", + "You will likely need to interact with the installer.": "Anda mungkin perlu berinteraksi dengan penginstal.", + "Integrity checks skipped": "Pemeriksaan integritas dilewati", + "Proceed at your own risk.": "Lanjutkan dengan risiko Anda sendiri.", + "Close": "Tutup", + "Loading...": "Memuat...", + "Installer SHA256": "SHA256 Pemasang", + "Homepage": "Beranda", + "Author": "Penulis", + "Publisher": "Penerbit", + "License": "Lisensi", + "Manifest": "Manifest", + "Installer Type": "Tipe Pemasang", + "Size": "Ukuran", + "Installer URL": "URL Pemasang", + "Last updated:": "Terakhir diperbarui:", + "Release notes URL": "URL catatan rilis", + "Package details": "Detail paket", + "Dependencies:": "Dependensi:", + "Release notes": "Catatan rilis", + "Version": "Versi", + "Install as administrator": "Pasang sebagai administrator", + "Update to version {0}": "Perbarui ke versi {0}", + "Installed Version": "Versi Terpasang", + "Update as administrator": "Perbarui sebagai administrator", + "Interactive update": "Pembaruan interaktif", + "Uninstall as administrator": "Hapus instalasi sebagai administrator", + "Interactive uninstall": "Copot pemasangan interaktif", + "Uninstall and remove data": "Hapus instalasi dan hapus data", + "Not available": "Tidak tersedia", + "Installer SHA512": "SHA512 Pemasang", + "Unknown size": "Ukuran tidak diketahui", + "No dependencies specified": "Tidak ada dependensi yang ditentukan", + "mandatory": "wajib", + "optional": "opsional", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} siap untuk dipasang.", + "The update process will start after closing UniGetUI": "Proses pembaruan akan dimulai setelah menutup UniGetUI", + "Share anonymous usage data": "Bagikan data penggunaan anonim", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI mengumpulkan data penggunaan anonim untuk meningkatkan pengalaman pengguna.", + "Accept": "Terima", + "You have installed WingetUI Version {0}": "Anda telah menginstal UniGetUI Versi {0}", + "Disclaimer": "Penafian", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI tidak terkait dengan manajer paket yang kompatibel manapun. UniGetUI adalah proyek independen.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI tidak akan mungkin ada tanpa bantuan kontributor. Terima kasih semua 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI menggunakan pustaka berikut. Tanpa mereka, UniGetUI tidak akan mungkin terwujud.", + "{0} homepage": "{0} halaman utama", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI telah diterjemahkan ke lebih dari 40 bahasa berkat para penerjemah sukarelawan. Terima kasih 🤝", + "Verbose": "Verbose", + "1 - Errors": "1 - Kesalahan", + "2 - Warnings": "2 - Peringatan", + "3 - Information (less)": "3 - Informasi (sedikit)", + "4 - Information (more)": "4 - Informasi (lebih banyak)", + "5 - information (debug)": "5 - Informasi (debug)", + "Warning": "Peringatan", + "The following settings may pose a security risk, hence they are disabled by default.": "Pengaturan berikut ini dapat menimbulkan risiko keamanan, oleh karena itu pengaturan ini dinonaktifkan secara default.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktifkan pengaturan di bawah ini JIKA DAN HANYA JIKA Anda memahami sepenuhnya apa yang dilakukannya, dan implikasinya.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Pengaturan akan mencantumkan, dalam deskripsinya, potensi masalah keamanan yang mungkin terjadi.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Cadangan akan mencakup daftar lengkap paket yang terinstal dan opsi instalasinya. Pembaruan yang diabaikan dan versi yang dilewati juga akan disimpan.", + "The backup will NOT include any binary file nor any program's saved data.": "Cadangan TIDAK akan mencakup file biner atau data yang disimpan oleh program.", + "The size of the backup is estimated to be less than 1MB.": "Ukuran cadangan diperkirakan kurang dari 1MB.", + "The backup will be performed after login.": "Cadangan akan dilakukan setelah login.", + "{pcName} installed packages": "Paket yang terpasang di {pcName}", + "Current status: Not logged in": "Status saat ini: Belum masuk", + "You are logged in as {0} (@{1})": "Anda masuk sebagai {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Bagus! Cadangan akan diunggah ke Gist pribadi di akun Anda", + "Select backup": "Pilih cadangan", + "WingetUI Settings": "Pengaturan UniGetUI", + "Allow pre-release versions": "Izinkan versi pra-rilis", + "Apply": "Terapkan", + "Go to UniGetUI security settings": "Buka pengaturan keamanan UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Opsi berikut ini akan diterapkan secara default setiap kali paket {0} diinstal, diperbarui, atau dihapus.", + "Package's default": "Paket bawaan", + "Install location can't be changed for {0} packages": "Lokasi penginstalan tidak dapat diubah untuk paket {0}", + "The local icon cache currently takes {0} MB": "Cache ikon lokal saat ini memakan {0} MB", + "Username": "Nama pengguna", + "Password": "Kata sandi", + "Credentials": "Kredensial", + "Partially": "Sebagian", + "Package manager": "Manajer paket", + "Compatible with proxy": "Kompatibel dengan proxy", + "Compatible with authentication": "Kompatibel dengan autentikasi", + "Proxy compatibility table": "Tabel kompatibilitas proxy", + "{0} settings": "{0} pengaturan", + "{0} status": "{0} status", + "Default installation options for {0} packages": "Opsi penginstalan default untuk paket {0}", + "Expand version": "Perluas versi", + "The executable file for {0} was not found": "File eksekusi untuk {0} tidak ditemukan", + "{pm} is disabled": "{pm} dinonaktifkan", + "Enable it to install packages from {pm}.": "Aktifkan untuk menginstal paket dari {pm}.", + "{pm} is enabled and ready to go": "{pm} diaktifkan dan siap digunakan", + "{pm} version:": "Versi {pm}:", + "{pm} was not found!": "{pm} tidak ditemukan!", + "You may need to install {pm} in order to use it with WingetUI.": "Anda mungkin perlu menginstal {pm} untuk menggunakannya dengan UniGetUI.", + "Scoop Installer - WingetUI": "Instalasi Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Penghapus Instalasi Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Membersihkan cache Scoop - UniGetUI", + "Restart UniGetUI": "Mulai ulang UniGetUI", + "Manage {0} sources": "Kelola sumber {0}", + "Add source": "Tambah sumber", + "Add": "Tambah", + "Other": "Lainnya", + "1 day": "1 hari", + "{0} days": "{0} hari", + "{0} minutes": "{0} menit", + "1 hour": "1 jam", + "{0} hours": "{0} jam", + "1 week": "1 minggu", + "WingetUI Version {0}": "UniGetUI Versi {0}", + "Search for packages": "Cari paket", + "Local": "Lokal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} paket ditemukan, {1} di antaranya cocok dengan filter yang ditentukan.", + "{0} selected": "{0} dipilih", + "(Last checked: {0})": "(Terakhir diperiksa: {0})", + "Enabled": "Diaktifkan", + "Disabled": "Dinonaktifkan", + "More info": "Info lebih lanjut", + "Log in with GitHub to enable cloud package backup.": "Masuk dengan GitHub untuk mengaktifkan pencadangan paket cloud.", + "More details": "Detail lainnya", + "Log in": "Masuk", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jika Anda mengaktifkan pencadangan cloud, pencadangan akan disimpan sebagai GitHub Gist di akun ini", + "Log out": "Keluar", + "About": "Tentang", + "Third-party licenses": "Lisensi pihak ketiga", + "Contributors": "Kontributor", + "Translators": "Penerjemah", + "Manage shortcuts": "Kelola pintasan", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI telah mendeteksi pintasan desktop berikut yang dapat dihapus secara otomatis pada pembaruan mendatang", + "Do you really want to reset this list? This action cannot be reverted.": "Yakin ingin mengatur ulang daftar ini? Tindakan ini tidak dapat dibatalkan.", + "Remove from list": "Hapus dari daftar", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Saat pintasan baru terdeteksi, hapus pintasan secara otomatis alih-alih menampilkan dialog ini.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI mengumpulkan data penggunaan anonim dengan tujuan tunggal untuk memahami dan meningkatkan pengalaman pengguna.", + "More details about the shared data and how it will be processed": "Informasi lebih lanjut tentang data yang dibagikan dan bagaimana data tersebut diproses", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Apakah Anda menyetujui bahwa UniGetUI mengumpulkan dan mengirim statistik penggunaan anonim untuk memahami dan meningkatkan pengalaman pengguna?", + "Decline": "Tolak", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Tidak ada informasi pribadi yang dikumpulkan atau dikirim, dan data yang dikumpulkan dianonimkan sehingga tidak dapat ditelusuri kembali kepada Anda.", + "About WingetUI": "Tentang UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI adalah aplikasi yang memudahkan pengelolaan perangkat lunak Anda, dengan menyediakan antarmuka grafis serba ada untuk pengelola paket baris perintah Anda.", + "Useful links": "Tautan berguna", + "Report an issue or submit a feature request": "Laporkan masalah atau ajukan permintaan fitur", + "View GitHub Profile": "Lihat Profil GitHub", + "WingetUI License": "Lisensi UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Menggunakan UniGetUI berarti menerima Lisensi MIT", + "Become a translator": "Jadilah penerjemah", + "View page on browser": "Lihat halaman di browser", + "Copy to clipboard": "Salin ke papan klip", + "Export to a file": "Ekspor ke berkas", + "Log level:": "Tingkat log:", + "Reload log": "Muat ulang log", + "Text": "Teks", + "Change how operations request administrator rights": "Ubah bagaimana operasi meminta hak administrator", + "Restrictions on package operations": "Pembatasan operasi paket", + "Restrictions on package managers": "Pembatasan pada manajer paket", + "Restrictions when importing package bundles": "Pembatasan saat mengimpor bundel paket", + "Ask for administrator privileges once for each batch of operations": "Minta hak administrator satu kali untuk setiap kelompok operasi", + "Ask only once for administrator privileges": "Tanyakan hanya sekali untuk mendapatkan hak istimewa administrator", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Melarang segala jenis Elevasi melalui UniGetUI Elevator atau GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Opsi ini AKAN menyebabkan masalah. Operasi apa pun yang tidak mampu elevasi dirinya sendiri AKAN GAGAL. Instal/perbarui/hapus sebagai administrator TIDAK AKAN BERFUNGSI.", + "Allow custom command-line arguments": "Mengizinkan argumen perintah khusus", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumen perintah khusus dapat mengubah cara program diinstal, diupgrade, atau dihapus, dengan cara yang tidak dapat dikontrol oleh UniGetUI. Menggunakan perintah khusus dapat merusak paket. Lanjutkan dengan hati-hati.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Izinkan perintah pra-instalasi dan pasca-instalasi khusus dijalankan", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Perintah pra dan pasca instalasi akan dijalankan sebelum dan sesudah sebuah paket diinstal, diupgrade, atau dihapus. Ketahuilah bahwa perintah-perintah tersebut dapat merusak kecuali jika digunakan dengan hati-hati", + "Allow changing the paths for package manager executables": "Izinkan mengubah jalur eksekusi untuk manajer paket", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Dengan mengaktifkannya, Anda dapat mengubah file yang dapat dieksekusi yang digunakan untuk berinteraksi dengan manajer paket. Meskipun hal ini memungkinkan penyesuaian yang lebih baik pada proses instalasi Anda, hal ini juga dapat berbahaya", + "Allow importing custom command-line arguments when importing packages from a bundle": "Izinkan mengimpor argumen perintah khusus saat mengimpor paket dari bundel", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumen perintah yang salah dapat merusak paket, atau bahkan memungkinkan aktor jahat untuk mendapatkan hak eksekusi istimewa. Oleh karena itu, mengimpor argumen perintah khusus dinonaktifkan secara default", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Izinkan mengimpor perintah pra-instal dan pasca-instal khusus saat mengimpor paket dari bundel", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Perintah pra dan pasca instalasi dapat melakukan hal-hal yang sangat buruk pada perangkat Anda, jika memang dirancang untuk itu. Akan sangat berbahaya untuk mengimpor perintah dari sebuah paket, kecuali jika Anda mempercayai sumber paket tersebut", + "Administrator rights and other dangerous settings": "Hak Administrator dan pengaturan lanjutan", + "Package backup": "Cadangan paket", + "Cloud package backup": "Pencadangan paket cloud", + "Local package backup": "Pencadangan paket lokal", + "Local backup advanced options": "Opsi lanjutan pencadangan lokal", + "Log in with GitHub": "Masuk dengan GitHub", + "Log out from GitHub": "Keluar dari GitHub", + "Periodically perform a cloud backup of the installed packages": "Lakukan pencadangan cloud secara berkala dari paket yang diinstal", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Pencadangan cloud menggunakan GitHub Gist pribadi untuk menyimpan daftar paket yang diinstal", + "Perform a cloud backup now": "Lakukan pencadangan cloud sekarang", + "Backup": "Cadangan", + "Restore a backup from the cloud": "Memulihkan cadangan dari cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Mulai proses untuk memilih cadangan cloud dan tinjau paket mana yang akan dipulihkan", + "Periodically perform a local backup of the installed packages": "Lakukan pencadangan lokal secara berkala dari paket yang terinstal", + "Perform a local backup now": "Lakukan pencadangan lokal sekarang", + "Change backup output directory": "Ubah direktori keluaran cadangan", + "Set a custom backup file name": "Atur nama file cadangan kustom", + "Leave empty for default": "Biarkan kosong untuk bawaan", + "Add a timestamp to the backup file names": "Tambahkan penanda waktu pada nama file cadangan", + "Backup and Restore": "Pencadangan dan Pemulihan", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktifkan API latar belakang (Widget dan Berbagi UniGetUI, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Tunggu perangkat terhubung ke internet sebelum mencoba melakukan tugas yang memerlukan koneksi internet.", + "Disable the 1-minute timeout for package-related operations": "Nonaktifkan batas waktu 1 menit untuk operasi terkait paket", + "Use installed GSudo instead of UniGetUI Elevator": "Gunakan GSudo yang terinstal sebagai pengganti UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Gunakan URL database ikon dan tangkapan layar kustom", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktifkan optimasi penggunaan CPU di latar belakang (lihat Pull Request #3278)", + "Perform integrity checks at startup": "Melakukan pemeriksaan integritas saat memulai", + "When batch installing packages from a bundle, install also packages that are already installed": "Saat menginstal paket dari bundel, instal juga paket yang sudah terinstal", + "Experimental settings and developer options": "Pengaturan eksperimental dan opsi pengembang", + "Show UniGetUI's version and build number on the titlebar.": "Tampilkan versi UniGetUI pada judul", + "Language": "Bahasa", + "UniGetUI updater": "Pembaruan UniGetUI", + "Telemetry": "Telemetri", + "Manage UniGetUI settings": "Kelola pengaturan UniGetUI", + "Related settings": "Pengaturan terkait", + "Update WingetUI automatically": "Perbarui UniGetUI secara otomatis", + "Check for updates": "Periksa pembaruan", + "Install prerelease versions of UniGetUI": "Pasang versi pra-rilis UniGetUI", + "Manage telemetry settings": "Kelola pengaturan telemetri", + "Manage": "Kelola", + "Import settings from a local file": "Impor pengaturan dari berkas lokal", + "Import": "Impor", + "Export settings to a local file": "Ekspor pengaturan ke berkas lokal", + "Export": "Ekspor", + "Reset WingetUI": "Atur ulang UniGetUI", + "Reset UniGetUI": "Atur ulang UniGetUI", + "User interface preferences": "Preferensi antarmuka pengguna", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplikasi, halaman awal, ikon paket, bersihkan instalasi yang berhasil secara otomatis", + "General preferences": "Preferensi umum", + "WingetUI display language:": "Bahasa tampilan UniGetUI:", + "Is your language missing or incomplete?": "Apakah bahasa Anda tidak tersedia atau belum lengkap?", + "Appearance": "Tampilan", + "UniGetUI on the background and system tray": "UniGetUI di latar belakang dan area sistem", + "Package lists": "Daftar paket", + "Close UniGetUI to the system tray": "Tutup UniGetUI ke tray sistem", + "Show package icons on package lists": "Tampilkan ikon paket di daftar paket", + "Clear cache": "Bersihkan cache", + "Select upgradable packages by default": "Pilih paket yang dapat diperbarui secara default", + "Light": "Terang", + "Dark": "Gelap", + "Follow system color scheme": "Ikuti skema warna sistem", + "Application theme:": "Tema aplikasi:", + "Discover Packages": "Temukan Paket", + "Software Updates": "Pembaruan perangkat lunak", + "Installed Packages": "Paket Terpasang", + "Package Bundles": "Bundel Paket", + "Settings": "Pengaturan", + "UniGetUI startup page:": "Halaman awal UniGetUI:", + "Proxy settings": "Pengaturan proxy", + "Other settings": "Pengaturan lainnya", + "Connect the internet using a custom proxy": "Hubungkan internet menggunakan proxy kustom", + "Please note that not all package managers may fully support this feature": "Harap dicatat bahwa tidak semua manajer paket mendukung fitur ini sepenuhnya", + "Proxy URL": "URL Proxy", + "Enter proxy URL here": "Masukkan URL proxy di sini", + "Package manager preferences": "Preferensi manajer paket", + "Ready": "Siap", + "Not found": "Tidak ditemukan", + "Notification preferences": "Preferensi notifikasi", + "Notification types": "Jenis notifikasi", + "The system tray icon must be enabled in order for notifications to work": "Ikon baki sistem harus diaktifkan agar pemberitahuan dapat bekerja", + "Enable WingetUI notifications": "Aktifkan notifikasi UniGetUI", + "Show a notification when there are available updates": "Tampilkan pemberitahuan saat ada pembaruan yang tersedia", + "Show a silent notification when an operation is running": "Tampilkan pemberitahuan diam saat operasi sedang berjalan", + "Show a notification when an operation fails": "Tampilkan pemberitahuan saat operasi gagal", + "Show a notification when an operation finishes successfully": "Tampilkan pemberitahuan saat operasi selesai dengan sukses", + "Concurrency and execution": "Konkuren dan eksekusi", + "Automatic desktop shortcut remover": "Penghapus pintasan desktop otomatis", + "Clear successful operations from the operation list after a 5 second delay": "Hapus operasi yang berhasil dari daftar setelah jeda 5 detik", + "Download operations are not affected by this setting": "Operasi pengunduhan tidak terpengaruh oleh pengaturan ini", + "Try to kill the processes that refuse to close when requested to": "Cobalah untuk mematikan proses yang menolak untuk menutup ketika diminta", + "You may lose unsaved data": "Anda mungkin akan kehilangan data yang belum disimpan", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Tanyakan untuk menghapus pintasan desktop yang dibuat selama instalasi atau pembaruan.", + "Package update preferences": "Preferensi pembaruan paket", + "Update check frequency, automatically install updates, etc.": "Frekuensi pemeriksaan pembaruan, instal pembaruan secara otomatis, dll.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Kurangi permintaan UAC, tingkatkan penginstalan secara default, buka kunci fitur lanjutan tertentu, dll.", + "Package operation preferences": "Preferensi operasi paket", + "Enable {pm}": "Aktifkan {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Tidak menemukan file yang Anda cari? Pastikan file tersebut telah ditambahkan ke PATH.", + "For security reasons, changing the executable file is disabled by default": "Untuk alasan keamanan, perubahan pada file yang dapat dieksekusi dinonaktifkan secara default", + "Change this": "Ubah ini", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Pilih file yang dapat dieksekusi untuk digunakan. Daftar berikut menampilkan file yang dapat dieksekusi yang ditemukan oleh UniGetUI", + "Current executable file:": "File yang dapat dieksekusi saat ini:", + "Ignore packages from {pm} when showing a notification about updates": "Abaikan paket dari {pm} saat menampilkan notifikasi pembaruan", + "View {0} logs": "Lihat {0} log", + "Advanced options": "Opsi lanjutan", + "Reset WinGet": "Atur ulang WinGet", + "This may help if no packages are listed": "Ini mungkin membantu jika tidak ada paket yang terdaftar", + "Force install location parameter when updating packages with custom locations": "Paksa parameter lokasi instalasi saat memperbarui paket dengan lokasi khusus", + "Use bundled WinGet instead of system WinGet": "Gunakan WinGet bawaan daripada WinGet sistem", + "This may help if WinGet packages are not shown": "Ini dapat membantu jika paket WinGet tidak ditampilkan", + "Install Scoop": "Pasang Scoop", + "Uninstall Scoop (and its packages)": "Hapus instalasi Scoop (dan paket-paketnya)", + "Run cleanup and clear cache": "Jalankan pembersihan dan bersihkan cache", + "Run": "Jalankan", + "Enable Scoop cleanup on launch": "Aktifkan pembersihan Scoop saat dijalankan", + "Use system Chocolatey": "Gunakan Chocolatey sistem", + "Default vcpkg triplet": "Triplet vcpkg default", + "Language, theme and other miscellaneous preferences": "Bahasa, tema, dan preferensi lainnya", + "Show notifications on different events": "Tampilkan pemberitahuan pada berbagai acara", + "Change how UniGetUI checks and installs available updates for your packages": "Ubah cara UniGetUI memeriksa dan menginstal pembaruan yang tersedia untuk paket Anda", + "Automatically save a list of all your installed packages to easily restore them.": "Simpan daftar semua paket terinstal secara otomatis untuk memudahkan pemulihan.", + "Enable and disable package managers, change default install options, etc.": "Mengaktifkan dan menonaktifkan manajer paket, mengubah opsi penginstalan default, dll.", + "Internet connection settings": "Pengaturan koneksi internet", + "Proxy settings, etc.": "Pengaturan proxy, dan lainnya.", + "Beta features and other options that shouldn't be touched": "Fitur beta dan opsi lainnya yang sebaiknya tidak diubah", + "Update checking": "Periksa pembaruan", + "Automatic updates": "Pembaruan otomatis", + "Check for package updates periodically": "Periksa pembaruan paket secara berkala", + "Check for updates every:": "Periksa pembaruan setiap:", + "Install available updates automatically": "Pasang pembaruan yang tersedia secara otomatis", + "Do not automatically install updates when the network connection is metered": "Jangan instal pembaruan otomatis saat koneksi internet terbatas", + "Do not automatically install updates when the device runs on battery": "Jangan menginstal pembaruan secara otomatis saat perangkat menggunakan daya baterai", + "Do not automatically install updates when the battery saver is on": "Jangan instal pembaruan secara otomatis saat penghemat baterai aktif", + "Change how UniGetUI handles install, update and uninstall operations.": "Ubah cara UniGetUI menangani operasi instalasi, pembaruan, dan pencopotan.", + "Package Managers": "Manajer Paket", + "More": "Lainnya", + "WingetUI Log": "Log UniGetUI", + "Package Manager logs": "Log Manajer Paket", + "Operation history": "Riwayat operasi", + "Help": "Bantuan", + "Order by:": "Urutkan berdasarkan:", + "Name": "Nama", + "Id": "ID", + "Ascendant": "Naik", + "Descendant": "Turunan", + "View mode:": "Mode tampilan:", + "Filters": "Filter", + "Sources": "Sumber", + "Search for packages to start": "Cari paket untuk memulai", + "Select all": "Pilih semua", + "Clear selection": "Hapus pilihan", + "Instant search": "Pencarian instan", + "Distinguish between uppercase and lowercase": "Bedakan antara huruf besar dan kecil", + "Ignore special characters": "Abaikan karakter khusus", + "Search mode": "Mode pencarian", + "Both": "Keduanya", + "Exact match": "Pencocokan tepat", + "Show similar packages": "Tampilkan paket serupa", + "No results were found matching the input criteria": "Tidak ditemukan hasil yang sesuai dengan kriteria", + "No packages were found": "Tidak ditemukan paket", + "Loading packages": "Memuat paket", + "Skip integrity checks": "Lewati pemeriksaan integritas", + "Download selected installers": "Unduh penginstal terpilih", + "Install selection": "Pasang pilihan", + "Install options": "Opsi penginstalan", + "Share": "Bagikan", + "Add selection to bundle": "Tambahkan pilihan ke bundel", + "Download installer": "Unduh pemasang", + "Share this package": "Bagikan paket ini", + "Uninstall selection": "Pilihan pencopotan pemasangan", + "Uninstall options": "Opsi penghapusan instalan", + "Ignore selected packages": "Abaikan paket yang dipilih", + "Open install location": "Buka lokasi instalasi", + "Reinstall package": "Pasang ulang paket", + "Uninstall package, then reinstall it": "Hapus instalasi paket, lalu pasang ulang", + "Ignore updates for this package": "Abaikan pembaruan untuk paket ini", + "Do not ignore updates for this package anymore": "Jangan abaikan pembaruan untuk paket ini lagi", + "Add packages or open an existing package bundle": "Tambahkan paket atau buka bundel paket yang sudah ada", + "Add packages to start": "Tambahkan paket ke awal", + "The current bundle has no packages. Add some packages to get started": "Paket saat ini tidak memiliki paket. Tambahkan beberapa paket untuk memulai", + "New": "Baru", + "Save as": "Simpan sebagai", + "Remove selection from bundle": "Hapus pemilihan dari bundle", + "Skip hash checks": "Lewati pemeriksaan hash", + "The package bundle is not valid": "Paket bundle tidak valid", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paket yang Anda coba muat tampaknya tidak valid. Harap periksa file dan coba lagi.", + "Package bundle": "Bundel paket", + "Could not create bundle": "Tidak dapat membuat bundel", + "The package bundle could not be created due to an error.": "Paket bundle tidak dapat dibuat karena kesalahan.", + "Bundle security report": "Laporan keamanan bundel", + "Hooray! No updates were found.": "Hore! Tidak ada pembaruan yang ditemukan.", + "Everything is up to date": "Semua sudah diperbarui", + "Uninstall selected packages": "Hapus instalasi paket yang dipilih", + "Update selection": "Pilihan pembaruan", + "Update options": "Opsi pembaruan", + "Uninstall package, then update it": "Hapus instalasi paket, lalu perbarui", + "Uninstall package": "Hapus instalasi paket", + "Skip this version": "Lewati versi ini", + "Pause updates for": "Jeda pembaruan untuk", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Manajer paket Rust.
Berisi: Pustaka Rust dan program yang ditulis dalam Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Manajer paket klasik untuk Windows. Anda akan menemukan segalanya di sana.
Berisi: Perangkat Lunak Umum", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repositori penuh dengan alat dan file eksekusi yang dirancang untuk ekosistem Microsoft .NET.
Berisi: alat dan skrip terkait .NET", + "NuPkg (zipped manifest)": "NuPkg (manifest terkompresi)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Manajer paket Node JS. Berisi berbagai pustaka dan utilitas di ekosistem JavaScript
Berisi: Pustaka JavaScript Node dan utilitas terkait lainnya", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pengelola pustaka Python. Penuh dengan pustaka Python dan utilitas terkait Python lainnya
Berisi: Pustaka Python dan utilitas terkait", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Manajer paket PowerShell. Temukan pustaka dan skrip untuk memperluas kemampuan PowerShell
Berisi: Modul, Skrip, Cmdlet", + "extracted": "diekstrak", + "Scoop package": "Paket Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Repositori hebat berisi utilitas yang tidak dikenal namun berguna dan paket menarik lainnya.
Berisi: Utilitas, Program baris perintah, Perangkat lunak umum (memerlukan extras bucket)", + "library": "pustaka", + "feature": "fitur", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Manajer pustaka C/C++ yang populer. Berisi banyak pustaka C/C++ dan utilitas terkait lainnya
Berisi: pustaka dan utilitas C/C++", + "option": "pilihan", + "This package cannot be installed from an elevated context.": "Paket ini tidak dapat diinstal dari konteks yang ditinggikan.", + "Please run UniGetUI as a regular user and try again.": "Jalankan UniGetUI sebagai pengguna biasa dan coba lagi.", + "Please check the installation options for this package and try again": "Periksa opsi instalasi untuk paket ini dan coba lagi", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Manajer paket resmi Microsoft. Berisi banyak paket populer dan telah diverifikasi
Berisi: Perangkat Lunak Umum, Aplikasi Microsoft Store", + "Local PC": "PC Lokal", + "Android Subsystem": "Subsistem Android", + "Operation on queue (position {0})...": "Operasi dalam antrean (posisi {0})...", + "Click here for more details": "Klik di sini untuk detail lebih lanjut", + "Operation canceled by user": "Operasi dibatalkan oleh pengguna", + "Starting operation...": "Memulai operasi...", + "{package} installer download": "Unduh penginstal {package}", + "{0} installer is being downloaded": "Penginstal {0} sedang diunduh", + "Download succeeded": "Unduhan berhasil", + "{package} installer was downloaded successfully": "Penginstal {package} berhasil diunduh", + "Download failed": "Unduhan gagal", + "{package} installer could not be downloaded": "Penginstal {package} tidak dapat diunduh", + "{package} Installation": "Instalasi {package}", + "{0} is being installed": "{0} sedang diinstal", + "Installation succeeded": "Pemasangan berhasil", + "{package} was installed successfully": "{package} berhasil dipasang", + "Installation failed": "Pemasangan gagal", + "{package} could not be installed": "{package} tidak dapat diinstal", + "{package} Update": "{package} Pembaruan", + "{0} is being updated to version {1}": "{0} sedang diperbarui ke versi {1}", + "Update succeeded": "Pembaruan berhasil", + "{package} was updated successfully": "{package} berhasil diperbarui", + "Update failed": "Pembaruan gagal", + "{package} could not be updated": "{package} tidak dapat diperbarui", + "{package} Uninstall": "Hapus Instalasi {package}", + "{0} is being uninstalled": "{0} sedang dihapus instalasi", + "Uninstall succeeded": "Hapus instalasi berhasil", + "{package} was uninstalled successfully": "{package} berhasil dihapus", + "Uninstall failed": "Hapus instalasi gagal", + "{package} could not be uninstalled": "{package} tidak dapat dihapus", + "Adding source {source}": "Menambahkan sumber {source}", + "Adding source {source} to {manager}": "Menambahkan sumber {source} ke {manager}", + "Source added successfully": "Sumber berhasil ditambahkan", + "The source {source} was added to {manager} successfully": "Sumber {source} berhasil ditambahkan ke {manager}", + "Could not add source": "Tidak dapat menambahkan sumber", + "Could not add source {source} to {manager}": "Tidak dapat menambahkan sumber {source} ke {manager}", + "Removing source {source}": "Menghapus sumber {source}", + "Removing source {source} from {manager}": "Menghapus sumber {source} dari {manager}", + "Source removed successfully": "Sumber berhasil dihapus", + "The source {source} was removed from {manager} successfully": "Sumber {source} berhasil dihapus dari {manager}", + "Could not remove source": "Tidak dapat menghapus sumber", + "Could not remove source {source} from {manager}": "Tidak dapat menghapus sumber {source} dari {manager}", + "The package manager \"{0}\" was not found": "Manajer paket \"{0}\" tidak ditemukan", + "The package manager \"{0}\" is disabled": "Manajer paket \"{0}\" dinonaktifkan", + "There is an error with the configuration of the package manager \"{0}\"": "Terjadi kesalahan dengan konfigurasi manajer paket \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket \"{0}\" tidak ditemukan di manajer paket \"{1}\"", + "{0} is disabled": "{0} dinonaktifkan", + "Something went wrong": "Terjadi kesalahan", + "An interal error occurred. Please view the log for further details.": "Terjadi kesalahan internal. Silakan lihat log untuk detail lebih lanjut.", + "No applicable installer was found for the package {0}": "Tidak ditemukan penginstal yang sesuai untuk paket {0}", + "We are checking for updates.": "Kami sedang memeriksa pembaruan.", + "Please wait": "Harap tunggu", + "UniGetUI version {0} is being downloaded.": "Versi UniGetUI {0} sedang diunduh.", + "This may take a minute or two": "Ini mungkin memerlukan waktu satu atau dua menit", + "The installer authenticity could not be verified.": "Keaslian penginstal tidak dapat diverifikasi.", + "The update process has been aborted.": "Proses pembaruan telah dibatalkan.", + "Great! You are on the latest version.": "Hebat! Anda sudah menggunakan versi terbaru.", + "There are no new UniGetUI versions to be installed": "Tidak ada versi UniGetUI baru yang akan diinstal", + "An error occurred when checking for updates: ": "Terjadi kesalahan saat memeriksa pembaruan: ", + "UniGetUI is being updated...": "UniGetUI sedang diperbarui...", + "Something went wrong while launching the updater.": "Terjadi kesalahan saat meluncurkan pembaru.", + "Please try again later": "Silakan coba lagi nanti", + "Integrity checks will not be performed during this operation": "Pemeriksaan integritas tidak akan dilakukan selama operasi ini", + "This is not recommended.": "Ini tidak disarankan.", + "Run now": "Jalankan sekarang", + "Run next": "Jalankan berikutnya", + "Run last": "Jalankan terakhir", + "Retry as administrator": "Coba lagi sebagai administrator", + "Retry interactively": "Coba lagi secara interaktif", + "Retry skipping integrity checks": "Coba lagi dengan melewati pemeriksaan integritas", + "Installation options": "Opsi pemasangan", + "Show in explorer": "Tampilkan di explorer", + "This package is already installed": "Paket ini sudah terinstal", + "This package can be upgraded to version {0}": "Paket ini dapat ditingkatkan ke versi {0}", + "Updates for this package are ignored": "Pembaruan untuk paket ini diabaikan", + "This package is being processed": "Paket ini sedang diproses", + "This package is not available": "Paket ini tidak tersedia", + "Select the source you want to add:": "Pilih sumber yang ingin Anda tambahkan:", + "Source name:": "Nama sumber:", + "Source URL:": "URL sumber:", + "An error occurred": "Terjadi kesalahan", + "An error occurred when adding the source: ": "Terjadi kesalahan saat menambahkan sumber: ", + "Package management made easy": "Manajemen paket menjadi mudah", + "version {0}": "versi {0}", + "[RAN AS ADMINISTRATOR]": "[Dijalankan SEBAGAI ADMINISTRATOR]", + "Portable mode": "Mode portabel", + "DEBUG BUILD": "VERSI DEBUG", + "Available Updates": "Pembaruan Tersedia", + "Show WingetUI": "Tampilkan UniGetUI", + "Quit": "Keluar", + "Attention required": "Perlu perhatian", + "Restart required": "Mulai ulang diperlukan", + "1 update is available": "1 pembaruan tersedia", + "{0} updates are available": "{0} pembaruan tersedia", + "WingetUI Homepage": "Halaman Utama UniGetUI", + "WingetUI Repository": "Repositori UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Di sini Anda dapat mengubah perilaku UniGetUI terkait pintasan berikut. Mencentang pintasan akan membuat UniGetUI menghapusnya jika dibuat pada peningkatan di masa mendatang. Menghapus centang akan membuat pintasan tetap utuh", + "Manual scan": "Pemindaian manual", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Shortcut yang ada di desktop Anda akan dipindai, dan Anda harus memilih mana yang akan disimpan dan mana yang akan dihapus.", + "Continue": "Lanjutkan", + "Delete?": "Hapus?", + "Missing dependency": "Ketergantungan hilang", + "Not right now": "Tidak sekarang", + "Install {0}": "Pasang {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI membutuhkan {0} untuk beroperasi, tetapi tidak ditemukan di sistem Anda.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik Instal untuk memulai proses instalasi. Jika Anda melewatinya, UniGetUI mungkin tidak berfungsi sebagaimana mestinya.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Sebagai alternatif, Anda juga dapat menginstal {0} dengan menjalankan perintah berikut di jendela PowerShell Windows:", + "Do not show this dialog again for {0}": "Jangan tampilkan dialog ini lagi untuk {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Harap tunggu saat {0} sedang diinstal. Mungkin akan muncul jendela hitam (atau biru). Tunggu hingga jendela tersebut tertutup.", + "{0} has been installed successfully.": "{0} telah terinstal dengan sukses.", + "Please click on \"Continue\" to continue": "Silakan klik \"Lanjutkan\" untuk melanjutkan", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} telah terinstal dengan sukses. Disarankan untuk me-restart UniGetUI untuk menyelesaikan instalasi", + "Restart later": "Mulai ulang nanti", + "An error occurred:": "Terjadi kesalahan:", + "I understand": "Saya mengerti", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI telah dijalankan sebagai administrator, yang tidak disarankan. Ketika menjalankan UniGetUI sebagai administrator, SETIAP operasi yang diluncurkan dari UniGetUI akan memiliki hak istimewa administrator. Anda masih bisa menggunakan program ini, tetapi kami sangat menyarankan untuk tidak menjalankan UniGetUI dengan hak istimewa administrator.", + "WinGet was repaired successfully": "WinGet berhasil diperbaiki", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Disarankan untuk memulai ulang UniGetUI setelah WinGet diperbaiki", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "CATATAN: Pemecah masalah ini dapat dinonaktifkan dari Pengaturan UniGetUI, di bagian WinGet", + "Restart": "Mulai ulang", + "WinGet could not be repaired": "WinGet tidak dapat diperbaiki", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Masalah tak terduga terjadi saat mencoba memperbaiki WinGet. Silakan coba lagi nanti", + "Are you sure you want to delete all shortcuts?": "Apakah Anda yakin ingin menghapus semua pintasan?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Setiap pintasan baru yang dibuat selama instalasi atau pembaruan akan dihapus secara otomatis, alih-alih menampilkan konfirmasi saat pertama kali terdeteksi.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Setiap pintasan yang dibuat atau diubah di luar UniGetUI akan diabaikan. Anda dapat menambahkannya melalui tombol {0}.", + "Are you really sure you want to enable this feature?": "Apakah Anda yakin ingin mengaktifkan fitur ini?", + "No new shortcuts were found during the scan.": "Tidak ada pintasan baru yang ditemukan selama pemindaian.", + "How to add packages to a bundle": "Cara menambahkan paket ke bundel", + "In order to add packages to a bundle, you will need to: ": "Untuk menambahkan paket ke bundel, Anda harus:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Buka halaman \"{0}\" atau \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Temukan paket yang ingin Anda tambahkan ke bundel, lalu centang kotak paling kiri.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Setelah paket yang ingin ditambahkan ke bundel dipilih, klik opsi \"{0}\" di toolbar.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Paket Anda telah ditambahkan ke bundel. Anda dapat menambahkan lebih banyak paket atau mengekspor bundel.", + "Which backup do you want to open?": "Cadangan mana yang ingin Anda buka?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Pilih cadangan yang ingin Anda buka. Kemudian, Anda akan dapat meninjau paket/program mana yang ingin Anda pulihkan.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ada operasi yang sedang berjalan. Menutup UniGetUI dapat menyebabkan mereka gagal. Apakah Anda ingin melanjutkan?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI atau beberapa komponennya hilang atau rusak.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Sangat disarankan untuk menginstal ulang UniGetUI untuk mengatasi situasi ini.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Lihat Log UniGetUI untuk mendapatkan rincian lebih lanjut mengenai file yang terpengaruh", + "Integrity checks can be disabled from the Experimental Settings": "Pemeriksaan integritas dapat dinonaktifkan dari Pengaturan Eksperimental", + "Repair UniGetUI": "Perbaiki UniGetUI", + "Live output": "Output langsung", + "Package not found": "Paket tidak ditemukan", + "An error occurred when attempting to show the package with Id {0}": "Terjadi kesalahan saat mencoba menampilkan paket dengan ID {0}", + "Package": "Paket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Paket bundel ini memiliki beberapa pengaturan yang berpotensi berbahaya, dan dapat diabaikan secara default.", + "Entries that show in YELLOW will be IGNORED.": "Entri yang ditampilkan dalam warna KUNING akan DIABAIKAN.", + "Entries that show in RED will be IMPORTED.": "Entri yang berwarna MERAH akan DIIMPOR.", + "You can change this behavior on UniGetUI security settings.": "Anda dapat mengubah perilaku ini pada pengaturan keamanan UniGetUI.", + "Open UniGetUI security settings": "Buka pengaturan keamanan UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Jika Anda mengubah pengaturan keamanan, Anda harus membuka bundel lagi agar perubahan dapat diterapkan.", + "Details of the report:": "Detail laporan:", "\"{0}\" is a local package and can't be shared": "\"{0}\" adalah paket lokal dan tidak dapat dibagikan", + "Are you sure you want to create a new package bundle? ": "Apakah Anda yakin ingin membuat bundel paket baru? ", + "Any unsaved changes will be lost": "Perubahan yang belum disimpan akan hilang", + "Warning!": "Peringatan!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Untuk alasan keamanan, argumen baris perintah khusus dinonaktifkan secara default. Buka pengaturan keamanan UniGetUI untuk mengubahnya.", + "Change default options": "Ubah opsi bawaan", + "Ignore future updates for this package": "Abaikan pembaruan mendatang untuk paket ini", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Untuk alasan keamanan, skrip pra-operasi dan pasca-operasi dinonaktifkan secara default. Buka pengaturan keamanan UniGetUI untuk mengubahnya.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Anda dapat menentukan perintah yang akan dijalankan sebelum atau sesudah paket ini diinstal, diperbarui, atau dihapus. Perintah-perintah tersebut akan dijalankan pada command prompt, jadi skrip CMD akan bekerja di sini.", + "Change this and unlock": "Ubah ini dan buka kunci", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Opsi penginstalan saat ini terkunci karena {0} mengikuti opsi penginstalan default.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Pilih proses yang harus ditutup sebelum paket ini diinstal, diperbarui, atau dihapus.", + "Write here the process names here, separated by commas (,)": "Tuliskan nama proses di sini, dipisahkan dengan koma (,)", + "Unset or unknown": "Tidak disetel atau tidak diketahui", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Lihat Output Baris Perintah atau Riwayat Operasi untuk informasi lebih lanjut tentang masalah ini.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Paket ini tidak memiliki tangkapan layar atau ikon yang hilang? Berkontribusilah ke UniGetUI dengan menambahkan ikon dan tangkapan layar yang hilang ke database publik terbuka kami.", + "Become a contributor": "Jadilah kontributor", + "Save": "Simpan", + "Update to {0} available": "Pembaruan ke {0} tersedia", + "Reinstall": "Pasang ulang", + "Installer not available": "Pemasang tidak tersedia", + "Version:": "Versi:", + "Performing backup, please wait...": "Sedang melakukan cadangan, harap tunggu...", + "An error occurred while logging in: ": "Terjadi kesalahan saat masuk:", + "Fetching available backups...": "Mengambil cadangan yang tersedia...", + "Done!": "Selesai!", + "The cloud backup has been loaded successfully.": "Cadangan cloud telah berhasil dimuat.", + "An error occurred while loading a backup: ": "Terjadi kesalahan saat memuat cadangan:", + "Backing up packages to GitHub Gist...": "Mencadangkan paket ke GitHub Gist...", + "Backup Successful": "Pencadangan Berhasil", + "The cloud backup completed successfully.": "Pencadangan cloud berhasil diselesaikan.", + "Could not back up packages to GitHub Gist: ": "Tidak dapat mencadangkan paket ke GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Tidak dijamin bahwa kredensial yang diberikan akan disimpan dengan aman, jadi sebaiknya jangan gunakan kredensial akun bank Anda", + "Enable the automatic WinGet troubleshooter": "Aktifkan pemecah masalah WinGet otomatis", + "Enable an [experimental] improved WinGet troubleshooter": "Aktifkan pemecah masalah WinGet yang [eksperimental] dan lebih baik", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Tambahkan pembaruan yang gagal dengan pesan 'tidak ditemukan pembaruan yang sesuai' ke daftar yang diabaikan", + "Restart WingetUI to fully apply changes": "Mulai ulang UniGetUI untuk menerapkan perubahan sepenuhnya", + "Restart WingetUI": "Mulai ulang UniGetUI", + "Invalid selection": "Pilihan tidak valid", + "No package was selected": "Tidak ada paket yang dipilih", + "More than 1 package was selected": "Lebih dari 1 paket dipilih", + "List": "Daftar", + "Grid": "Grid", + "Icons": "Ikon", "\"{0}\" is a local package and does not have available details": "\"{0}\" adalah paket lokal dan tidak memiliki detail yang tersedia", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" adalah paket lokal dan tidak kompatibel dengan fitur ini", - "(Last checked: {0})": "(Terakhir diperiksa: {0})", + "WinGet malfunction detected": "Kerusakan WinGet terdeteksi", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Sepertinya WinGet tidak berfungsi dengan baik. Apakah Anda ingin mencoba memperbaikinya?", + "Repair WinGet": "Perbaiki WinGet", + "Create .ps1 script": "Buat skrip .ps1", + "Add packages to bundle": "Tambahkan paket ke bundel", + "Preparing packages, please wait...": "Menyiapkan paket, harap tunggu...", + "Loading packages, please wait...": "Memuat paket, harap tunggu...", + "Saving packages, please wait...": "Menyimpan paket, harap tunggu...", + "The bundle was created successfully on {0}": "Paket telah dibuat dengan sukses pada {0}", + "Install script": "Skrip instalasi", + "The installation script saved to {0}": "Skrip instalasi disimpan ke {0}", + "An error occurred while attempting to create an installation script:": "Terjadi kesalahan saat mencoba membuat skrip instalasi:", + "{0} packages are being updated": "{0} paket sedang diperbarui", + "Error": "Kesalahan", + "Log in failed: ": "Gagal masuk:", + "Log out failed: ": "Logout gagal:", + "Package backup settings": "Pengaturan pencadangan paket", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nomor {0} dalam antrean)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@agrinfauzi, @arthackrc, @joenior, @nrarfn", "0 packages found": "0 paket ditemukan", "0 updates found": "0 pembaruan ditemukan", - "1 - Errors": "1 - Kesalahan", - "1 day": "1 hari", - "1 hour": "1 jam", "1 month": "1 bulan", "1 package was found": "1 paket ditemukan", - "1 update is available": "1 pembaruan tersedia", - "1 week": "1 minggu", "1 year": "1 tahun", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Buka halaman \"{0}\" atau \"{1}\".", - "2 - Warnings": "2 - Peringatan", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Temukan paket yang ingin Anda tambahkan ke bundel, lalu centang kotak paling kiri.", - "3 - Information (less)": "3 - Informasi (sedikit)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Setelah paket yang ingin ditambahkan ke bundel dipilih, klik opsi \"{0}\" di toolbar.", - "4 - Information (more)": "4 - Informasi (lebih banyak)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Paket Anda telah ditambahkan ke bundel. Anda dapat menambahkan lebih banyak paket atau mengekspor bundel.", - "5 - information (debug)": "5 - Informasi (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Manajer pustaka C/C++ yang populer. Berisi banyak pustaka C/C++ dan utilitas terkait lainnya
Berisi: pustaka dan utilitas C/C++", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repositori penuh dengan alat dan file eksekusi yang dirancang untuk ekosistem Microsoft .NET.
Berisi: alat dan skrip terkait .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repositori yang penuh dengan alat yang dirancang untuk ekosistem Microsoft .NET.
Berisi: Alat terkait .NET", "A restart is required": "Diperlukan restart", - "Abort install if pre-install command fails": "Batalkan instalasi jika perintah pra-instalasi gagal", - "Abort uninstall if pre-uninstall command fails": "Batalkan penghapusan jika perintah pra-penghapusan gagal", - "Abort update if pre-update command fails": "Batalkan pembaruan jika perintah pra-pembaruan gagal", - "About": "Tentang", "About Qt6": "Tentang Qt6", - "About WingetUI": "Tentang UniGetUI", "About WingetUI version {0}": "Tentang UniGetUI versi {0}", "About the dev": "Tentang pengembang", - "Accept": "Terima", "Action when double-clicking packages, hide successful installations": "Tindakan saat paket diklik dua kali, sembunyikan instalasi yang berhasil", - "Add": "Tambah", "Add a source to {0}": "Tambahkan sumber ke {0}", - "Add a timestamp to the backup file names": "Tambahkan penanda waktu pada nama file cadangan", "Add a timestamp to the backup files": "Tambahkan penanda waktu pada file cadangan", "Add packages or open an existing bundle": "Tambahkan paket atau buka bundel yang sudah ada", - "Add packages or open an existing package bundle": "Tambahkan paket atau buka bundel paket yang sudah ada", - "Add packages to bundle": "Tambahkan paket ke bundel", - "Add packages to start": "Tambahkan paket ke awal", - "Add selection to bundle": "Tambahkan pilihan ke bundel", - "Add source": "Tambah sumber", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Tambahkan pembaruan yang gagal dengan pesan 'tidak ditemukan pembaruan yang sesuai' ke daftar yang diabaikan", - "Adding source {source}": "Menambahkan sumber {source}", - "Adding source {source} to {manager}": "Menambahkan sumber {source} ke {manager}", "Addition succeeded": "Penambahan berhasil", - "Administrator privileges": "Hak administrator", "Administrator privileges preferences": "Preferensi hak administrator", "Administrator rights": "Hak administrator", - "Administrator rights and other dangerous settings": "Hak Administrator dan pengaturan lanjutan", - "Advanced options": "Opsi lanjutan", "All files": "Semua file", - "All versions": "Semua versi", - "Allow changing the paths for package manager executables": "Izinkan mengubah jalur eksekusi untuk manajer paket", - "Allow custom command-line arguments": "Mengizinkan argumen perintah khusus", - "Allow importing custom command-line arguments when importing packages from a bundle": "Izinkan mengimpor argumen perintah khusus saat mengimpor paket dari bundel", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Izinkan mengimpor perintah pra-instal dan pasca-instal khusus saat mengimpor paket dari bundel", "Allow package operations to be performed in parallel": "Izinkan operasi paket dijalankan secara paralel", "Allow parallel installs (NOT RECOMMENDED)": "Izinkan instalasi paralel (TIDAK DISARANKAN)", - "Allow pre-release versions": "Izinkan versi pra-rilis", "Allow {pm} operations to be performed in parallel": "Izinkan operasi {pm} dilakukan secara paralel", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Sebagai alternatif, Anda juga dapat menginstal {0} dengan menjalankan perintah berikut di jendela PowerShell Windows:", "Always elevate {pm} installations by default": "Selalu tingkatkan instalasi {pm} secara default", "Always run {pm} operations with administrator rights": "Selalu jalankan operasi {pm} dengan hak administrator", - "An error occurred": "Terjadi kesalahan", - "An error occurred when adding the source: ": "Terjadi kesalahan saat menambahkan sumber: ", - "An error occurred when attempting to show the package with Id {0}": "Terjadi kesalahan saat mencoba menampilkan paket dengan ID {0}", - "An error occurred when checking for updates: ": "Terjadi kesalahan saat memeriksa pembaruan: ", - "An error occurred while attempting to create an installation script:": "Terjadi kesalahan saat mencoba membuat skrip instalasi:", - "An error occurred while loading a backup: ": "Terjadi kesalahan saat memuat cadangan:", - "An error occurred while logging in: ": "Terjadi kesalahan saat masuk:", - "An error occurred while processing this package": "Terjadi kesalahan saat memproses paket ini", - "An error occurred:": "Terjadi kesalahan:", - "An interal error occurred. Please view the log for further details.": "Terjadi kesalahan internal. Silakan lihat log untuk detail lebih lanjut.", "An unexpected error occurred:": "Terjadi kesalahan yang tidak terduga:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Masalah tak terduga terjadi saat mencoba memperbaiki WinGet. Silakan coba lagi nanti", - "An update was found!": "Pembaruan ditemukan!", - "Android Subsystem": "Subsistem Android", "Another source": "Sumber lain", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Setiap pintasan baru yang dibuat selama instalasi atau pembaruan akan dihapus secara otomatis, alih-alih menampilkan konfirmasi saat pertama kali terdeteksi.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Setiap pintasan yang dibuat atau diubah di luar UniGetUI akan diabaikan. Anda dapat menambahkannya melalui tombol {0}.", - "Any unsaved changes will be lost": "Perubahan yang belum disimpan akan hilang", "App Name": "Nama Aplikasi", - "Appearance": "Tampilan", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplikasi, halaman awal, ikon paket, bersihkan instalasi yang berhasil secara otomatis", - "Application theme:": "Tema aplikasi:", - "Apply": "Terapkan", - "Architecture to install:": "Arsitektur yang akan diinstal:", "Are these screenshots wron or blurry?": "Apakah tangkapan layar ini salah atau buram?", - "Are you really sure you want to enable this feature?": "Apakah Anda yakin ingin mengaktifkan fitur ini?", - "Are you sure you want to create a new package bundle? ": "Apakah Anda yakin ingin membuat bundel paket baru? ", - "Are you sure you want to delete all shortcuts?": "Apakah Anda yakin ingin menghapus semua pintasan?", - "Are you sure?": "Apakah Anda yakin?", - "Ascendant": "Naik", - "Ask for administrator privileges once for each batch of operations": "Minta hak administrator satu kali untuk setiap kelompok operasi", "Ask for administrator rights when required": "Minta hak administrator saat dibutuhkan", "Ask once or always for administrator rights, elevate installations by default": "Minta hak administrator sekali atau selalu, tingkatkan instalasi secara default", - "Ask only once for administrator privileges": "Tanyakan hanya sekali untuk mendapatkan hak istimewa administrator", "Ask only once for administrator privileges (not recommended)": "Minta hak administrator hanya sekali (tidak disarankan)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Tanyakan untuk menghapus pintasan desktop yang dibuat selama instalasi atau pembaruan.", - "Attention required": "Perlu perhatian", "Authenticate to the proxy with an user and a password": "Otentikasi ke proxy dengan pengguna dan kata sandi", - "Author": "Penulis", - "Automatic desktop shortcut remover": "Penghapus pintasan desktop otomatis", - "Automatic updates": "Pembaruan otomatis", - "Automatically save a list of all your installed packages to easily restore them.": "Simpan daftar semua paket terinstal secara otomatis untuk memudahkan pemulihan.", "Automatically save a list of your installed packages on your computer.": "Simpan daftar paket terinstal Anda secara otomatis di komputer.", - "Automatically update this package": "Perbarui paket ini secara otomatis", "Autostart WingetUI in the notifications area": "Mulai otomatis UniGetUI di area notifikasi", - "Available Updates": "Pembaruan Tersedia", "Available updates: {0}": "Pembaruan tersedia: {0}", "Available updates: {0}, not finished yet...": "Pembaruan tersedia: {0}, belum selesai...", - "Backing up packages to GitHub Gist...": "Mencadangkan paket ke GitHub Gist...", - "Backup": "Cadangan", - "Backup Failed": "Pencadangan Gagal", - "Backup Successful": "Pencadangan Berhasil", - "Backup and Restore": "Pencadangan dan Pemulihan", "Backup installed packages": "Cadangkan paket yang terinstal", "Backup location": "Lokasi cadangan", - "Become a contributor": "Jadilah kontributor", - "Become a translator": "Jadilah penerjemah", - "Begin the process to select a cloud backup and review which packages to restore": "Mulai proses untuk memilih cadangan cloud dan tinjau paket mana yang akan dipulihkan", - "Beta features and other options that shouldn't be touched": "Fitur beta dan opsi lainnya yang sebaiknya tidak diubah", - "Both": "Keduanya", - "Bundle security report": "Laporan keamanan bundel", "But here are other things you can do to learn about WingetUI even more:": "Namun, berikut hal lain yang dapat Anda lakukan untuk mempelajari lebih lanjut tentang UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Dengan menonaktifkan pengelola paket, Anda tidak akan dapat melihat atau memperbarui paketnya.", "Cache administrator rights and elevate installers by default": "Simpan hak administrator dan tingkatkan installer secara default", "Cache administrator rights, but elevate installers only when required": "Simpan hak administrator, tetapi hanya tingkatkan installer saat dibutuhkan", "Cache was reset successfully!": "Cache berhasil diatur ulang!", "Can't {0} {1}": "Tidak dapat {0} {1}", - "Cancel": "Batal", "Cancel all operations": "Batalkan semua operasi", - "Change backup output directory": "Ubah direktori keluaran cadangan", - "Change default options": "Ubah opsi bawaan", - "Change how UniGetUI checks and installs available updates for your packages": "Ubah cara UniGetUI memeriksa dan menginstal pembaruan yang tersedia untuk paket Anda", - "Change how UniGetUI handles install, update and uninstall operations.": "Ubah cara UniGetUI menangani operasi instalasi, pembaruan, dan pencopotan.", "Change how UniGetUI installs packages, and checks and installs available updates": "Ubah cara UniGetUI menginstal paket, serta memeriksa dan menginstal pembaruan", - "Change how operations request administrator rights": "Ubah bagaimana operasi meminta hak administrator", "Change install location": "Ubah lokasi instalasi", - "Change this": "Ubah ini", - "Change this and unlock": "Ubah ini dan buka kunci", - "Check for package updates periodically": "Periksa pembaruan paket secara berkala", - "Check for updates": "Periksa pembaruan", - "Check for updates every:": "Periksa pembaruan setiap:", "Check for updates periodically": "Periksa pembaruan secara berkala.", "Check for updates regularly, and ask me what to do when updates are found.": "Periksa pembaruan secara rutin, dan tanyakan kepada saya apa yang harus dilakukan saat pembaruan ditemukan.", "Check for updates regularly, and automatically install available ones.": "Periksa pembaruan secara rutin, dan instal pembaruan yang tersedia secara otomatis.", @@ -159,805 +741,283 @@ "Checking for updates...": "Memeriksa pembaruan...", "Checking found instace(s)...": "Memeriksa instance yang ditemukan...", "Choose how many operations shouls be performed in parallel": "Pilih berapa banyak operasi yang dilakukan secara paralel", - "Clear cache": "Bersihkan cache", "Clear finished operations": "Bersihkan operasi yang telah selesai", - "Clear selection": "Hapus pilihan", "Clear successful operations": "Bersihkan operasi yang berhasil", - "Clear successful operations from the operation list after a 5 second delay": "Hapus operasi yang berhasil dari daftar setelah jeda 5 detik", "Clear the local icon cache": "Bersihkan cache ikon lokal", - "Clearing Scoop cache - WingetUI": "Membersihkan cache Scoop - UniGetUI", "Clearing Scoop cache...": "Sedang membersihkan cache Scoop...", - "Click here for more details": "Klik di sini untuk detail lebih lanjut", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik Instal untuk memulai proses instalasi. Jika Anda melewatinya, UniGetUI mungkin tidak berfungsi sebagaimana mestinya.", - "Close": "Tutup", - "Close UniGetUI to the system tray": "Tutup UniGetUI ke tray sistem", "Close WingetUI to the notification area": "Tutup UniGetUI ke area notifikasi", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Pencadangan cloud menggunakan GitHub Gist pribadi untuk menyimpan daftar paket yang diinstal", - "Cloud package backup": "Pencadangan paket cloud", "Command-line Output": "Keluaran baris perintah", - "Command-line to run:": "Perintah yang akan dijalankan:", "Compare query against": "Bandingkan kueri dengan", - "Compatible with authentication": "Kompatibel dengan autentikasi", - "Compatible with proxy": "Kompatibel dengan proxy", "Component Information": "Informasi Komponen", - "Concurrency and execution": "Konkuren dan eksekusi", - "Connect the internet using a custom proxy": "Hubungkan internet menggunakan proxy kustom", - "Continue": "Lanjutkan", "Contribute to the icon and screenshot repository": "Berkontribusi ke repositori ikon dan tangkapan layar", - "Contributors": "Kontributor", "Copy": "Salin", - "Copy to clipboard": "Salin ke papan klip", - "Could not add source": "Tidak dapat menambahkan sumber", - "Could not add source {source} to {manager}": "Tidak dapat menambahkan sumber {source} ke {manager}", - "Could not back up packages to GitHub Gist: ": "Tidak dapat mencadangkan paket ke GitHub Gist:", - "Could not create bundle": "Tidak dapat membuat bundel", "Could not load announcements - ": "Tidak dapat memuat pengumuman - ", "Could not load announcements - HTTP status code is $CODE": "Tidak dapat memuat pengumuman - Kode status HTTP adalah $CODE", - "Could not remove source": "Tidak dapat menghapus sumber", - "Could not remove source {source} from {manager}": "Tidak dapat menghapus sumber {source} dari {manager}", "Could not remove {source} from {manager}": "Tidak dapat menghapus {source} dari {manager}", - "Create .ps1 script": "Buat skrip .ps1", - "Credentials": "Kredensial", "Current Version": "Versi Saat Ini", - "Current executable file:": "File yang dapat dieksekusi saat ini:", - "Current status: Not logged in": "Status saat ini: Belum masuk", "Current user": "Pengguna saat ini", "Custom arguments:": "Argumen kustom:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumen perintah khusus dapat mengubah cara program diinstal, diupgrade, atau dihapus, dengan cara yang tidak dapat dikontrol oleh UniGetUI. Menggunakan perintah khusus dapat merusak paket. Lanjutkan dengan hati-hati.", "Custom command-line arguments:": "Argumen baris perintah kustom:", - "Custom install arguments:": "Argumen penginstalan khusus:", - "Custom uninstall arguments:": "Argumen hapus instalan khusus:", - "Custom update arguments:": "Argumen pembaruan khusus:", "Customize WingetUI - for hackers and advanced users only": "Kustomisasi UniGetUI - hanya untuk pengguna lanjutan dan pengembang", - "DEBUG BUILD": "VERSI DEBUG", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "DISKLAIMER: KAMI TIDAK BERTANGGUNG JAWAB ATAS PAKET YANG DIUNDUH. PASTIKAN HANYA MENGINSTAL PERANGKAT LUNAK YANG TERPERCAYA.", - "Dark": "Gelap", - "Decline": "Tolak", - "Default": "Bawaan", - "Default installation options for {0} packages": "Opsi penginstalan default untuk paket {0}", "Default preferences - suitable for regular users": "Preferensi bawaan - cocok untuk pengguna umum", - "Default vcpkg triplet": "Triplet vcpkg default", - "Delete?": "Hapus?", - "Dependencies:": "Dependensi:", - "Descendant": "Turunan", "Description:": "Deskripsi:", - "Desktop shortcut created": "Pintasan desktop dibuat", - "Details of the report:": "Detail laporan:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Pengembangan itu sulit, dan aplikasi ini gratis. Tapi jika kamu suka aplikasinya, kamu bisa traktir kopi :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Langsung instal saat klik ganda pada item di tab \"{discoveryTab}\" (alih-alih menampilkan info paket)", "Disable new share API (port 7058)": "Nonaktifkan API berbagi baru (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Nonaktifkan batas waktu 1 menit untuk operasi terkait paket", - "Disabled": "Dinonaktifkan", - "Disclaimer": "Penafian", - "Discover Packages": "Temukan Paket", "Discover packages": "Temukan paket", "Distinguish between\nuppercase and lowercase": "Bedakan antara huruf besar dan kecil", - "Distinguish between uppercase and lowercase": "Bedakan antara huruf besar dan kecil", "Do NOT check for updates": "JANGAN periksa pembaruan", "Do an interactive install for the selected packages": "Lakukan instalasi interaktif untuk paket yang dipilih", "Do an interactive uninstall for the selected packages": "Lakukan pencopotan interaktif untuk paket yang dipilih", "Do an interactive update for the selected packages": "Lakukan pembaruan interaktif untuk paket yang dipilih", - "Do not automatically install updates when the battery saver is on": "Jangan instal pembaruan secara otomatis saat penghemat baterai aktif", - "Do not automatically install updates when the device runs on battery": "Jangan menginstal pembaruan secara otomatis saat perangkat menggunakan daya baterai", - "Do not automatically install updates when the network connection is metered": "Jangan instal pembaruan otomatis saat koneksi internet terbatas", "Do not download new app translations from GitHub automatically": "Jangan unduh terjemahan aplikasi baru dari GitHub secara otomatis", - "Do not ignore updates for this package anymore": "Jangan abaikan pembaruan untuk paket ini lagi", "Do not remove successful operations from the list automatically": "Jangan hapus operasi yang berhasil dari daftar secara otomatis", - "Do not show this dialog again for {0}": "Jangan tampilkan dialog ini lagi untuk {0}", "Do not update package indexes on launch": "Jangan perbarui indeks paket saat dijalankan", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Apakah Anda menyetujui bahwa UniGetUI mengumpulkan dan mengirim statistik penggunaan anonim untuk memahami dan meningkatkan pengalaman pengguna?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Apakah Anda merasa UniGetUI bermanfaat? Jika iya, Anda bisa mendukung pengembang agar terus mengembangkan UniGetUI sebagai antarmuka manajemen paket terbaik.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Apakah UniGetUI bermanfaat? Ingin mendukung pengembangnya? Jika ya, Anda bisa {0}, itu sangat membantu!", - "Do you really want to reset this list? This action cannot be reverted.": "Yakin ingin mengatur ulang daftar ini? Tindakan ini tidak dapat dibatalkan.", - "Do you really want to uninstall the following {0} packages?": "Yakin ingin mencopot {0} paket berikut?", "Do you really want to uninstall {0} packages?": "Yakin ingin mencopot {0} paket?", - "Do you really want to uninstall {0}?": "Yakin ingin mencopot {0}?", "Do you want to restart your computer now?": "Ingin memulai ulang komputer sekarang?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Ingin menerjemahkan UniGetUI ke bahasa Anda? Lihat caranya DI SINI!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Tidak ingin berdonasi? Tidak masalah, Anda bisa berbagi UniGetUI ke teman-teman Anda. Sebarkan tentang UniGetUI.", "Donate": "Donasi", - "Done!": "Selesai!", - "Download failed": "Unduhan gagal", - "Download installer": "Unduh pemasang", - "Download operations are not affected by this setting": "Operasi pengunduhan tidak terpengaruh oleh pengaturan ini", - "Download selected installers": "Unduh penginstal terpilih", - "Download succeeded": "Unduhan berhasil", "Download updated language files from GitHub automatically": "Unduh file bahasa terbaru dari GitHub secara otomatis", - "Downloading": "Mengunduh", - "Downloading backup...": "Mengunduh cadangan...", - "Downloading installer for {package}": "Mengunduh pemasang untuk {package}", - "Downloading package metadata...": "Mengunduh metadata paket...", - "Enable Scoop cleanup on launch": "Aktifkan pembersihan Scoop saat dijalankan", - "Enable WingetUI notifications": "Aktifkan notifikasi UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Aktifkan pemecah masalah WinGet yang [eksperimental] dan lebih baik", - "Enable and disable package managers, change default install options, etc.": "Mengaktifkan dan menonaktifkan manajer paket, mengubah opsi penginstalan default, dll.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktifkan optimasi penggunaan CPU di latar belakang (lihat Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktifkan API latar belakang (Widget dan Berbagi UniGetUI, port 7058)", - "Enable it to install packages from {pm}.": "Aktifkan untuk menginstal paket dari {pm}.", - "Enable the automatic WinGet troubleshooter": "Aktifkan pemecah masalah WinGet otomatis", - "Enable the new UniGetUI-Branded UAC Elevator": "Aktifkan UAC Elevator dengan merek UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Aktifkan penangan input proses yang baru (StdIn otomatis)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktifkan pengaturan di bawah ini JIKA DAN HANYA JIKA Anda memahami sepenuhnya apa yang dilakukannya, dan implikasinya.", - "Enable {pm}": "Aktifkan {pm}", - "Enabled": "Diaktifkan", - "Enter proxy URL here": "Masukkan URL proxy di sini", - "Entries that show in RED will be IMPORTED.": "Entri yang berwarna MERAH akan DIIMPOR.", - "Entries that show in YELLOW will be IGNORED.": "Entri yang ditampilkan dalam warna KUNING akan DIABAIKAN.", - "Error": "Kesalahan", - "Everything is up to date": "Semua sudah diperbarui", - "Exact match": "Pencocokan tepat", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Shortcut yang ada di desktop Anda akan dipindai, dan Anda harus memilih mana yang akan disimpan dan mana yang akan dihapus.", - "Expand version": "Perluas versi", - "Experimental settings and developer options": "Pengaturan eksperimental dan opsi pengembang", - "Export": "Ekspor", + "Downloading": "Mengunduh", + "Downloading installer for {package}": "Mengunduh pemasang untuk {package}", + "Downloading package metadata...": "Mengunduh metadata paket...", + "Enable the new UniGetUI-Branded UAC Elevator": "Aktifkan UAC Elevator dengan merek UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Aktifkan penangan input proses yang baru (StdIn otomatis)", "Export log as a file": "Ekspor log sebagai berkas", "Export packages": "Ekspor paket", "Export selected packages to a file": "Ekspor paket yang dipilih ke berkas", - "Export settings to a local file": "Ekspor pengaturan ke berkas lokal", - "Export to a file": "Ekspor ke berkas", - "Failed": "Gagal", - "Fetching available backups...": "Mengambil cadangan yang tersedia...", "Fetching latest announcements, please wait...": "Mengambil pengumuman terbaru, mohon tunggu...", - "Filters": "Filter", "Finish": "Selesai", - "Follow system color scheme": "Ikuti skema warna sistem", - "Follow the default options when installing, upgrading or uninstalling this package": "Ikuti opsi default saat instalasi, pembaruan, atau menghapus paket ini", - "For security reasons, changing the executable file is disabled by default": "Untuk alasan keamanan, perubahan pada file yang dapat dieksekusi dinonaktifkan secara default", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Untuk alasan keamanan, argumen baris perintah khusus dinonaktifkan secara default. Buka pengaturan keamanan UniGetUI untuk mengubahnya.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Untuk alasan keamanan, skrip pra-operasi dan pasca-operasi dinonaktifkan secara default. Buka pengaturan keamanan UniGetUI untuk mengubahnya.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Paksa versi winget ARM (HANYA UNTUK SISTEM ARM64)", - "Force install location parameter when updating packages with custom locations": "Paksa parameter lokasi instalasi saat memperbarui paket dengan lokasi khusus", "Formerly known as WingetUI": "Sebelumnya dikenal sebagai WingetUI", "Found": "Ditemukan", "Found packages: ": "Paket ditemukan: ", "Found packages: {0}": "Paket ditemukan: {0}", "Found packages: {0}, not finished yet...": "Paket ditemukan: {0}, belum selesai...", - "General preferences": "Preferensi umum", "GitHub profile": "Profil GitHub", "Global": "Global", - "Go to UniGetUI security settings": "Buka pengaturan keamanan UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Repositori hebat berisi utilitas yang tidak dikenal namun berguna dan paket menarik lainnya.
Berisi: Utilitas, Program baris perintah, Perangkat lunak umum (memerlukan extras bucket)", - "Great! You are on the latest version.": "Hebat! Anda sudah menggunakan versi terbaru.", - "Grid": "Grid", - "Help": "Bantuan", "Help and documentation": "Bantuan dan dokumentasi", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Di sini Anda dapat mengubah perilaku UniGetUI terkait pintasan berikut. Mencentang pintasan akan membuat UniGetUI menghapusnya jika dibuat pada peningkatan di masa mendatang. Menghapus centang akan membuat pintasan tetap utuh", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hai, nama saya Martí, dan saya adalah pengembang dari UniGetUI. UniGetUI sepenuhnya dibuat di waktu luang saya!", "Hide details": "Sembunyikan detail", - "Homepage": "Beranda", - "Hooray! No updates were found.": "Hore! Tidak ada pembaruan yang ditemukan.", "How should installations that require administrator privileges be treated?": "Bagaimana sebaiknya pemasangan yang memerlukan hak administrator ditangani?", - "How to add packages to a bundle": "Cara menambahkan paket ke bundel", - "I understand": "Saya mengerti", - "Icons": "Ikon", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jika Anda mengaktifkan pencadangan cloud, pencadangan akan disimpan sebagai GitHub Gist di akun ini", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Izinkan perintah pra-instalasi dan pasca-instalasi khusus dijalankan", - "Ignore future updates for this package": "Abaikan pembaruan mendatang untuk paket ini", - "Ignore packages from {pm} when showing a notification about updates": "Abaikan paket dari {pm} saat menampilkan notifikasi pembaruan", - "Ignore selected packages": "Abaikan paket yang dipilih", - "Ignore special characters": "Abaikan karakter khusus", "Ignore updates for the selected packages": "Abaikan pembaruan untuk paket yang dipilih", - "Ignore updates for this package": "Abaikan pembaruan untuk paket ini", "Ignored updates": "Pembaruan yang diabaikan", - "Ignored version": "Versi yang diabaikan", - "Import": "Impor", "Import packages": "Impor paket", "Import packages from a file": "Impor paket dari berkas", - "Import settings from a local file": "Impor pengaturan dari berkas lokal", - "In order to add packages to a bundle, you will need to: ": "Untuk menambahkan paket ke bundel, Anda harus:", "Initializing WingetUI...": "Menginisialisasi UniGetUI...", - "Install": "Pasang", - "Install Scoop": "Pasang Scoop", "Install and more": "Instal dan lainnya", "Install and update preferences": "Preferensi pemasangan dan pembaruan", - "Install as administrator": "Pasang sebagai administrator", - "Install available updates automatically": "Pasang pembaruan yang tersedia secara otomatis", - "Install location can't be changed for {0} packages": "Lokasi penginstalan tidak dapat diubah untuk paket {0}", - "Install location:": "Lokasi pemasangan:", - "Install options": "Opsi penginstalan", "Install packages from a file": "Pasang paket dari berkas", - "Install prerelease versions of UniGetUI": "Pasang versi pra-rilis UniGetUI", - "Install script": "Skrip instalasi", "Install selected packages": "Pasang paket yang dipilih", "Install selected packages with administrator privileges": "Pasang paket yang dipilih dengan hak administrator", - "Install selection": "Pasang pilihan", "Install the latest prerelease version": "Pasang versi pra-rilis terbaru", "Install updates automatically": "Pasang pembaruan secara otomatis", - "Install {0}": "Pasang {0}", "Installation canceled by the user!": "Pemasangan dibatalkan oleh pengguna!", - "Installation failed": "Pemasangan gagal", - "Installation options": "Opsi pemasangan", - "Installation scope:": "Lingkup pemasangan:", - "Installation succeeded": "Pemasangan berhasil", - "Installed Packages": "Paket Terpasang", - "Installed Version": "Versi Terpasang", "Installed packages": "Paket yang terpasang", - "Installer SHA256": "SHA256 Pemasang", - "Installer SHA512": "SHA512 Pemasang", - "Installer Type": "Tipe Pemasang", - "Installer URL": "URL Pemasang", - "Installer not available": "Pemasang tidak tersedia", "Instance {0} responded, quitting...": "Instansi {0} merespons, keluar...", - "Instant search": "Pencarian instan", - "Integrity checks can be disabled from the Experimental Settings": "Pemeriksaan integritas dapat dinonaktifkan dari Pengaturan Eksperimental", - "Integrity checks skipped": "Pemeriksaan integritas dilewati", - "Integrity checks will not be performed during this operation": "Pemeriksaan integritas tidak akan dilakukan selama operasi ini", - "Interactive installation": "Pemasangan interaktif", - "Interactive operation": "Operasi interaktif", - "Interactive uninstall": "Copot pemasangan interaktif", - "Interactive update": "Pembaruan interaktif", - "Internet connection settings": "Pengaturan koneksi internet", - "Invalid selection": "Pilihan tidak valid", "Is this package missing the icon?": "Apakah paket ini tidak memiliki ikon?", - "Is your language missing or incomplete?": "Apakah bahasa Anda tidak tersedia atau belum lengkap?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Tidak dijamin bahwa kredensial yang diberikan akan disimpan dengan aman, jadi sebaiknya jangan gunakan kredensial akun bank Anda", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Disarankan untuk memulai ulang UniGetUI setelah WinGet diperbaiki", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Sangat disarankan untuk menginstal ulang UniGetUI untuk mengatasi situasi ini.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Sepertinya WinGet tidak berfungsi dengan baik. Apakah Anda ingin mencoba memperbaikinya?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Sepertinya Anda menjalankan UniGetUI sebagai administrator, yang tidak disarankan. Anda masih dapat menggunakan program ini, tetapi sangat disarankan untuk tidak menjalankan UniGetUI dengan hak administrator. Klik \"{showDetails}\" untuk melihat alasannya.", - "Language": "Bahasa", - "Language, theme and other miscellaneous preferences": "Bahasa, tema, dan preferensi lainnya", - "Last updated:": "Terakhir diperbarui:", - "Latest": "Terbaru", "Latest Version": "Versi Terbaru", "Latest Version:": "Versi Terbaru:", "Latest details...": "Detail terbaru...", "Launching subprocess...": "Menjalankan subproses...", - "Leave empty for default": "Biarkan kosong untuk bawaan", - "License": "Lisensi", "Licenses": "Lisensi", - "Light": "Terang", - "List": "Daftar", "Live command-line output": "Output baris perintah langsung", - "Live output": "Output langsung", "Loading UI components...": "Memuat komponen antarmuka...", "Loading WingetUI...": "Memuat UniGetUI...", - "Loading packages": "Memuat paket", - "Loading packages, please wait...": "Memuat paket, harap tunggu...", - "Loading...": "Memuat...", - "Local": "Lokal", - "Local PC": "PC Lokal", - "Local backup advanced options": "Opsi lanjutan pencadangan lokal", "Local machine": "Mesin lokal", - "Local package backup": "Pencadangan paket lokal", "Locating {pm}...": "Mencari {pm}...", - "Log in": "Masuk", - "Log in failed: ": "Gagal masuk:", - "Log in to enable cloud backup": "Masuk untuk mengaktifkan pencadangan cloud", - "Log in with GitHub": "Masuk dengan GitHub", - "Log in with GitHub to enable cloud package backup.": "Masuk dengan GitHub untuk mengaktifkan pencadangan paket cloud.", - "Log level:": "Tingkat log:", - "Log out": "Keluar", - "Log out failed: ": "Logout gagal:", - "Log out from GitHub": "Keluar dari GitHub", "Looking for packages...": "Mencari paket...", "Machine | Global": "Mesin | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumen perintah yang salah dapat merusak paket, atau bahkan memungkinkan aktor jahat untuk mendapatkan hak eksekusi istimewa. Oleh karena itu, mengimpor argumen perintah khusus dinonaktifkan secara default", - "Manage": "Kelola", - "Manage UniGetUI settings": "Kelola pengaturan UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Kelola perilaku mulai otomatis UniGetUI dari aplikasi Pengaturan", "Manage ignored packages": "Kelola paket yang diabaikan", - "Manage ignored updates": "Kelola pembaruan yang diabaikan", - "Manage shortcuts": "Kelola pintasan", - "Manage telemetry settings": "Kelola pengaturan telemetri", - "Manage {0} sources": "Kelola sumber {0}", - "Manifest": "Manifest", "Manifests": "Manifest", - "Manual scan": "Pemindaian manual", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Manajer paket resmi Microsoft. Berisi banyak paket populer dan telah diverifikasi
Berisi: Perangkat Lunak Umum, Aplikasi Microsoft Store", - "Missing dependency": "Ketergantungan hilang", - "More": "Lainnya", - "More details": "Detail lainnya", - "More details about the shared data and how it will be processed": "Informasi lebih lanjut tentang data yang dibagikan dan bagaimana data tersebut diproses", - "More info": "Info lebih lanjut", - "More than 1 package was selected": "Lebih dari 1 paket dipilih", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "CATATAN: Pemecah masalah ini dapat dinonaktifkan dari Pengaturan UniGetUI, di bagian WinGet", - "Name": "Nama", - "New": "Baru", "New Version": "Versi Baru", "New bundle": "Bundel baru", - "New version": "Versi baru", - "Nice! Backups will be uploaded to a private gist on your account": "Bagus! Cadangan akan diunggah ke Gist pribadi di akun Anda", - "No": "Tidak", - "No applicable installer was found for the package {0}": "Tidak ditemukan penginstal yang sesuai untuk paket {0}", - "No dependencies specified": "Tidak ada dependensi yang ditentukan", - "No new shortcuts were found during the scan.": "Tidak ada pintasan baru yang ditemukan selama pemindaian.", - "No package was selected": "Tidak ada paket yang dipilih", "No packages found": "Tidak ada paket ditemukan", "No packages found matching the input criteria": "Tidak ada paket yang cocok dengan kriteria input", "No packages have been added yet": "Belum ada paket yang ditambahkan", "No packages selected": "Tidak ada paket yang dipilih", - "No packages were found": "Tidak ditemukan paket", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Tidak ada informasi pribadi yang dikumpulkan atau dikirim, dan data yang dikumpulkan dianonimkan sehingga tidak dapat ditelusuri kembali kepada Anda.", - "No results were found matching the input criteria": "Tidak ditemukan hasil yang sesuai dengan kriteria", "No sources found": "Tidak ditemukan sumber", "No sources were found": "Tidak ditemukan sumber", "No updates are available": "Tidak ada pembaruan tersedia", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Manajer paket Node JS. Berisi berbagai pustaka dan utilitas di ekosistem JavaScript
Berisi: Pustaka JavaScript Node dan utilitas terkait lainnya", - "Not available": "Tidak tersedia", - "Not finding the file you are looking for? Make sure it has been added to path.": "Tidak menemukan file yang Anda cari? Pastikan file tersebut telah ditambahkan ke PATH.", - "Not found": "Tidak ditemukan", - "Not right now": "Tidak sekarang", "Notes:": "Catatan:", - "Notification preferences": "Preferensi notifikasi", "Notification tray options": "Opsi baki notifikasi", - "Notification types": "Jenis notifikasi", - "NuPkg (zipped manifest)": "NuPkg (manifest terkompresi)", - "OK": "OK", "Ok": "Ok", - "Open": "Buka", "Open GitHub": "Buka GitHub", - "Open UniGetUI": "Buka UniGetUI", - "Open UniGetUI security settings": "Buka pengaturan keamanan UniGetUI", "Open WingetUI": "Buka UniGetUI", "Open backup location": "Buka lokasi cadangan", "Open existing bundle": "Buka bundel yang ada", - "Open install location": "Buka lokasi instalasi", "Open the welcome wizard": "Buka panduan selamat datang", - "Operation canceled by user": "Operasi dibatalkan oleh pengguna", "Operation cancelled": "Operasi dibatalkan", - "Operation history": "Riwayat operasi", - "Operation in progress": "Operasi sedang berlangsung", - "Operation on queue (position {0})...": "Operasi dalam antrean (posisi {0})...", - "Operation profile:": "Profil operasi:", "Options saved": "Opsi disimpan", - "Order by:": "Urutkan berdasarkan:", - "Other": "Lainnya", - "Other settings": "Pengaturan lainnya", - "Package": "Paket", - "Package Bundles": "Bundel Paket", - "Package ID": "ID Paket", "Package Manager": "Manajer Paket", - "Package Manager logs": "Log Manajer Paket", - "Package Managers": "Manajer Paket", - "Package Name": "Nama Paket", - "Package backup": "Cadangan paket", - "Package backup settings": "Pengaturan pencadangan paket", - "Package bundle": "Bundel paket", - "Package details": "Detail paket", - "Package lists": "Daftar paket", - "Package management made easy": "Manajemen paket menjadi mudah", - "Package manager": "Manajer paket", - "Package manager preferences": "Preferensi manajer paket", "Package managers": "Manajer paket", - "Package not found": "Paket tidak ditemukan", - "Package operation preferences": "Preferensi operasi paket", - "Package update preferences": "Preferensi pembaruan paket", "Package {name} from {manager}": "Paket {name} dari {manager}", - "Package's default": "Paket bawaan", "Packages": "Paket", "Packages found: {0}": "Paket ditemukan: {0}", - "Partially": "Sebagian", - "Password": "Kata sandi", "Paste a valid URL to the database": "Tempel URL valid ke basis data", - "Pause updates for": "Jeda pembaruan untuk", "Perform a backup now": "Lakukan cadangan sekarang", - "Perform a cloud backup now": "Lakukan pencadangan cloud sekarang", - "Perform a local backup now": "Lakukan pencadangan lokal sekarang", - "Perform integrity checks at startup": "Melakukan pemeriksaan integritas saat memulai", - "Performing backup, please wait...": "Sedang melakukan cadangan, harap tunggu...", "Periodically perform a backup of the installed packages": "Lakukan cadangan berkala untuk paket yang telah terinstal", - "Periodically perform a cloud backup of the installed packages": "Lakukan pencadangan cloud secara berkala dari paket yang diinstal", - "Periodically perform a local backup of the installed packages": "Lakukan pencadangan lokal secara berkala dari paket yang terinstal", - "Please check the installation options for this package and try again": "Periksa opsi instalasi untuk paket ini dan coba lagi", - "Please click on \"Continue\" to continue": "Silakan klik \"Lanjutkan\" untuk melanjutkan", "Please enter at least 3 characters": "Silakan masukkan minimal 3 karakter", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Harap dicatat bahwa beberapa paket mungkin tidak dapat diinstal, tergantung pada manajer paket yang diaktifkan di mesin ini.", - "Please note that not all package managers may fully support this feature": "Harap dicatat bahwa tidak semua manajer paket mendukung fitur ini sepenuhnya", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Harap dicatat bahwa paket dari beberapa sumber mungkin tidak dapat diekspor. Paket tersebut akan dinonaktifkan dan tidak akan diekspor.", - "Please run UniGetUI as a regular user and try again.": "Jalankan UniGetUI sebagai pengguna biasa dan coba lagi.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Lihat Output Baris Perintah atau Riwayat Operasi untuk informasi lebih lanjut tentang masalah ini.", "Please select how you want to configure WingetUI": "Pilih bagaimana Anda ingin mengatur UniGetUI", - "Please try again later": "Silakan coba lagi nanti", "Please type at least two characters": "Silakan ketik minimal dua karakter", - "Please wait": "Harap tunggu", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Harap tunggu saat {0} sedang diinstal. Mungkin akan muncul jendela hitam (atau biru). Tunggu hingga jendela tersebut tertutup.", - "Please wait...": "Harap tunggu...", "Portable": "Portabel", - "Portable mode": "Mode portabel", - "Post-install command:": "Perintah pasca-instalasi:", - "Post-uninstall command:": "Perintah pasca-penghapusan instalasi:", - "Post-update command:": "Perintah pasca-pembaruan:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Manajer paket PowerShell. Temukan pustaka dan skrip untuk memperluas kemampuan PowerShell
Berisi: Modul, Skrip, Cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Perintah pra dan pasca instalasi dapat melakukan hal-hal yang sangat buruk pada perangkat Anda, jika memang dirancang untuk itu. Akan sangat berbahaya untuk mengimpor perintah dari sebuah paket, kecuali jika Anda mempercayai sumber paket tersebut", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Perintah pra dan pasca instalasi akan dijalankan sebelum dan sesudah sebuah paket diinstal, diupgrade, atau dihapus. Ketahuilah bahwa perintah-perintah tersebut dapat merusak kecuali jika digunakan dengan hati-hati", - "Pre-install command:": "Perintah pra-instalasi:", - "Pre-uninstall command:": "Perintah pra-penghapusan instalasi:", - "Pre-update command:": "Perintah pra-pembaruan:", - "PreRelease": "PraRilis", - "Preparing packages, please wait...": "Menyiapkan paket, harap tunggu...", - "Proceed at your own risk.": "Lanjutkan dengan risiko Anda sendiri.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Melarang segala jenis Elevasi melalui UniGetUI Elevator atau GSudo", - "Proxy URL": "URL Proxy", - "Proxy compatibility table": "Tabel kompatibilitas proxy", - "Proxy settings": "Pengaturan proxy", - "Proxy settings, etc.": "Pengaturan proxy, dan lainnya.", "Publication date:": "Tanggal publikasi:", - "Publisher": "Penerbit", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pengelola pustaka Python. Penuh dengan pustaka Python dan utilitas terkait Python lainnya
Berisi: Pustaka Python dan utilitas terkait", - "Quit": "Keluar", "Quit WingetUI": "Keluar UniGetUI", - "Ready": "Siap", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Kurangi permintaan UAC, tingkatkan penginstalan secara default, buka kunci fitur lanjutan tertentu, dll.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Lihat Log UniGetUI untuk mendapatkan rincian lebih lanjut mengenai file yang terpengaruh", - "Reinstall": "Pasang ulang", - "Reinstall package": "Pasang ulang paket", - "Related settings": "Pengaturan terkait", - "Release notes": "Catatan rilis", - "Release notes URL": "URL catatan rilis", "Release notes URL:": "URL catatan rilis:", "Release notes:": "Catatan rilis:", "Reload": "Muat ulang", - "Reload log": "Muat ulang log", "Removal failed": "Penghapusan gagal", "Removal succeeded": "Penghapusan berhasil", - "Remove from list": "Hapus dari daftar", "Remove permanent data": "Hapus data permanen", - "Remove selection from bundle": "Hapus pemilihan dari bundle", "Remove successful installs/uninstalls/updates from the installation list": "Hapus pemasangan/penghapusan/pembaruan yang berhasil dari daftar instalasi", - "Removing source {source}": "Menghapus sumber {source}", - "Removing source {source} from {manager}": "Menghapus sumber {source} dari {manager}", - "Repair UniGetUI": "Perbaiki UniGetUI", - "Repair WinGet": "Perbaiki WinGet", - "Report an issue or submit a feature request": "Laporkan masalah atau ajukan permintaan fitur", "Repository": "Repositori", - "Reset": "Atur ulang", "Reset Scoop's global app cache": "Atur ulang cache aplikasi global Scoop", - "Reset UniGetUI": "Atur ulang UniGetUI", - "Reset WinGet": "Atur ulang WinGet", "Reset Winget sources (might help if no packages are listed)": "Atur ulang sumber Winget (mungkin membantu jika tidak ada paket yang terdaftar)", - "Reset WingetUI": "Atur ulang UniGetUI", "Reset WingetUI and its preferences": "Atur ulang UniGetUI dan preferensinya", "Reset WingetUI icon and screenshot cache": "Atur ulang cache ikon dan tangkapan layar UniGetUI", - "Reset list": "Atur ulang daftar", "Resetting Winget sources - WingetUI": "Mengatur ulang sumber WinGet - UniGetUI", - "Restart": "Mulai ulang", - "Restart UniGetUI": "Mulai ulang UniGetUI", - "Restart WingetUI": "Mulai ulang UniGetUI", - "Restart WingetUI to fully apply changes": "Mulai ulang UniGetUI untuk menerapkan perubahan sepenuhnya", - "Restart later": "Mulai ulang nanti", "Restart now": "Mulai ulang sekarang", - "Restart required": "Mulai ulang diperlukan", - "Restart your PC to finish installation": "Mulai ulang PC Anda untuk menyelesaikan instalasi", - "Restart your computer to finish the installation": "Mulai ulang komputer Anda untuk menyelesaikan instalasi", - "Restore a backup from the cloud": "Memulihkan cadangan dari cloud", - "Restrictions on package managers": "Pembatasan pada manajer paket", - "Restrictions on package operations": "Pembatasan operasi paket", - "Restrictions when importing package bundles": "Pembatasan saat mengimpor bundel paket", - "Retry": "Coba lagi", - "Retry as administrator": "Coba lagi sebagai administrator", - "Retry failed operations": "Coba lagi operasi yang gagal", - "Retry interactively": "Coba lagi secara interaktif", - "Retry skipping integrity checks": "Coba lagi dengan melewati pemeriksaan integritas", - "Retrying, please wait...": "Mencoba lagi, harap tunggu...", - "Return to top": "Kembali ke atas", - "Run": "Jalankan", - "Run as admin": "Jalankan sebagai admin", - "Run cleanup and clear cache": "Jalankan pembersihan dan bersihkan cache", - "Run last": "Jalankan terakhir", - "Run next": "Jalankan berikutnya", - "Run now": "Jalankan sekarang", + "Restart your PC to finish installation": "Mulai ulang PC Anda untuk menyelesaikan instalasi", + "Restart your computer to finish the installation": "Mulai ulang komputer Anda untuk menyelesaikan instalasi", + "Retry failed operations": "Coba lagi operasi yang gagal", + "Retrying, please wait...": "Mencoba lagi, harap tunggu...", + "Return to top": "Kembali ke atas", "Running the installer...": "Menjalankan penginstal...", "Running the uninstaller...": "Menjalankan penghapus instalan...", "Running the updater...": "Menjalankan pembaru...", - "Save": "Simpan", "Save File": "Simpan File", - "Save and close": "Simpan dan tutup", - "Save as": "Simpan sebagai", "Save bundle as": "Simpan bundle sebagai", "Save now": "Simpan sekarang", - "Saving packages, please wait...": "Menyimpan paket, harap tunggu...", - "Scoop Installer - WingetUI": "Instalasi Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Penghapus Instalasi Scoop - UniGetUI", - "Scoop package": "Paket Scoop", "Search": "Cari", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Cari perangkat lunak desktop, beri tahu saya jika ada pembaruan dan jangan melakukan hal-hal rumit. Saya tidak ingin UniGetUI membingungkan, saya hanya ingin toko perangkat lunak yang sederhana", - "Search for packages": "Cari paket", - "Search for packages to start": "Cari paket untuk memulai", - "Search mode": "Mode pencarian", "Search on available updates": "Cari pembaruan yang tersedia", "Search on your software": "Cari perangkat lunak Anda", "Searching for installed packages...": "Mencari paket yang terinstal...", "Searching for packages...": "Mencari paket...", "Searching for updates...": "Mencari pembaruan...", - "Select": "Pilih", "Select \"{item}\" to add your custom bucket": "Pilih \"{item}\" untuk menambahkan ember kustom Anda", "Select a folder": "Pilih folder", - "Select all": "Pilih semua", "Select all packages": "Pilih semua paket", - "Select backup": "Pilih cadangan", "Select only if you know what you are doing.": "Pilih hanya jika Anda tahu apa yang Anda lakukan.", "Select package file": "Pilih file paket", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Pilih cadangan yang ingin Anda buka. Kemudian, Anda akan dapat meninjau paket/program mana yang ingin Anda pulihkan.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Pilih file yang dapat dieksekusi untuk digunakan. Daftar berikut menampilkan file yang dapat dieksekusi yang ditemukan oleh UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Pilih proses yang harus ditutup sebelum paket ini diinstal, diperbarui, atau dihapus.", - "Select the source you want to add:": "Pilih sumber yang ingin Anda tambahkan:", - "Select upgradable packages by default": "Pilih paket yang dapat diperbarui secara default", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Pilih pengelola paket yang ingin digunakan ({0}), atur cara pemasangan paket, kelola bagaimana hak administrator ditangani, dll.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Mengirimkan jabat tangan. Menunggu jawaban pendengar instance... ({0}%)", - "Set a custom backup file name": "Atur nama file cadangan kustom", "Set custom backup file name": "Atur nama file cadangan kustom", - "Settings": "Pengaturan", - "Share": "Bagikan", "Share WingetUI": "Bagikan UniGetUI", - "Share anonymous usage data": "Bagikan data penggunaan anonim", - "Share this package": "Bagikan paket ini", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Jika Anda mengubah pengaturan keamanan, Anda harus membuka bundel lagi agar perubahan dapat diterapkan.", "Show UniGetUI on the system tray": "Tampilkan UniGetUI di baki sistem", - "Show UniGetUI's version and build number on the titlebar.": "Tampilkan versi UniGetUI pada judul", - "Show WingetUI": "Tampilkan UniGetUI", "Show a notification when an installation fails": "Tampilkan pemberitahuan saat instalasi gagal", "Show a notification when an installation finishes successfully": "Tampilkan pemberitahuan saat instalasi selesai dengan sukses", - "Show a notification when an operation fails": "Tampilkan pemberitahuan saat operasi gagal", - "Show a notification when an operation finishes successfully": "Tampilkan pemberitahuan saat operasi selesai dengan sukses", - "Show a notification when there are available updates": "Tampilkan pemberitahuan saat ada pembaruan yang tersedia", - "Show a silent notification when an operation is running": "Tampilkan pemberitahuan diam saat operasi sedang berjalan", "Show details": "Tampilkan detail", - "Show in explorer": "Tampilkan di explorer", "Show info about the package on the Updates tab": "Tampilkan informasi tentang paket di tab Pembaruan", "Show missing translation strings": "Tampilkan string terjemahan yang hilang", - "Show notifications on different events": "Tampilkan pemberitahuan pada berbagai acara", "Show package details": "Tampilkan detail paket", - "Show package icons on package lists": "Tampilkan ikon paket di daftar paket", - "Show similar packages": "Tampilkan paket serupa", "Show the live output": "Tampilkan output langsung", - "Size": "Ukuran", "Skip": "Lewati", - "Skip hash check": "Lewati pemeriksaan hash", - "Skip hash checks": "Lewati pemeriksaan hash", - "Skip integrity checks": "Lewati pemeriksaan integritas", - "Skip minor updates for this package": "Lewati pembaruan minor untuk paket ini", "Skip the hash check when installing the selected packages": "Lewati pemeriksaan hash saat menginstal paket yang dipilih", "Skip the hash check when updating the selected packages": "Lewati pemeriksaan hash saat memperbarui paket yang dipilih", - "Skip this version": "Lewati versi ini", - "Software Updates": "Pembaruan perangkat lunak", - "Something went wrong": "Terjadi kesalahan", - "Something went wrong while launching the updater.": "Terjadi kesalahan saat meluncurkan pembaru.", - "Source": "Sumber", - "Source URL:": "URL sumber:", - "Source added successfully": "Sumber berhasil ditambahkan", "Source addition failed": "Penambahan sumber gagal", - "Source name:": "Nama sumber:", "Source removal failed": "Penghapusan sumber gagal", - "Source removed successfully": "Sumber berhasil dihapus", "Source:": "Sumber:", - "Sources": "Sumber", "Start": "Mulai", "Starting daemons...": "Memulai daemon...", - "Starting operation...": "Memulai operasi...", "Startup options": "Opsi startup", "Status": "Status", "Stuck here? Skip initialization": "Terjebak di sini? Lewati inisialisasi", - "Success!": "Sukses!", "Suport the developer": "Dukung pengembang", "Support me": "Dukung saya", "Support the developer": "Dukung pengembang", "Systems are now ready to go!": "Sistem sekarang siap untuk digunakan!", - "Telemetry": "Telemetri", - "Text": "Teks", "Text file": "File teks", - "Thank you ❤": "Terima kasih ❤", - "Thank you \uD83D\uDE09": "Terima kasih \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Manajer paket Rust.
Berisi: Pustaka Rust dan program yang ditulis dalam Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Cadangan TIDAK akan mencakup file biner atau data yang disimpan oleh program.", - "The backup will be performed after login.": "Cadangan akan dilakukan setelah login.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Cadangan akan mencakup daftar lengkap paket yang terinstal dan opsi instalasinya. Pembaruan yang diabaikan dan versi yang dilewati juga akan disimpan.", - "The bundle was created successfully on {0}": "Paket telah dibuat dengan sukses pada {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paket yang Anda coba muat tampaknya tidak valid. Harap periksa file dan coba lagi.", + "Thank you 😉": "Terima kasih 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Checksum dari penginstal tidak sesuai dengan nilai yang diharapkan, dan keaslian penginstal tidak dapat diverifikasi. Jika Anda mempercayai penerbitnya, {0} paket lagi dengan melewati pemeriksaan hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Manajer paket klasik untuk Windows. Anda akan menemukan segalanya di sana.
Berisi: Perangkat Lunak Umum", - "The cloud backup completed successfully.": "Pencadangan cloud berhasil diselesaikan.", - "The cloud backup has been loaded successfully.": "Cadangan cloud telah berhasil dimuat.", - "The current bundle has no packages. Add some packages to get started": "Paket saat ini tidak memiliki paket. Tambahkan beberapa paket untuk memulai", - "The executable file for {0} was not found": "File eksekusi untuk {0} tidak ditemukan", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Opsi berikut ini akan diterapkan secara default setiap kali paket {0} diinstal, diperbarui, atau dihapus.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Paket-paket berikut akan diekspor ke file JSON. Tidak ada data pengguna atau biner yang akan disimpan.", "The following packages are going to be installed on your system.": "Paket-paket berikut akan diinstal di sistem Anda.", - "The following settings may pose a security risk, hence they are disabled by default.": "Pengaturan berikut ini dapat menimbulkan risiko keamanan, oleh karena itu pengaturan ini dinonaktifkan secara default.", - "The following settings will be applied each time this package is installed, updated or removed.": "Pengaturan berikut akan diterapkan setiap kali paket ini diinstal, diperbarui, atau dihapus.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Pengaturan berikut akan diterapkan setiap kali paket ini diinstal, diperbarui, atau dihapus. Pengaturan ini akan disimpan secara otomatis.", "The icons and screenshots are maintained by users like you!": "Ikon dan tangkapan layar dikelola oleh pengguna seperti Anda!", - "The installation script saved to {0}": "Skrip instalasi disimpan ke {0}", - "The installer authenticity could not be verified.": "Keaslian penginstal tidak dapat diverifikasi.", "The installer has an invalid checksum": "Penginstal memiliki checksum yang tidak valid", "The installer hash does not match the expected value.": "Hash penginstal tidak sesuai dengan nilai yang diharapkan.", - "The local icon cache currently takes {0} MB": "Cache ikon lokal saat ini memakan {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Tujuan utama proyek ini adalah untuk membuat UI intuitif untuk mengelola manajer paket CLI yang paling umum untuk Windows, seperti Winget dan Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket \"{0}\" tidak ditemukan di manajer paket \"{1}\"", - "The package bundle could not be created due to an error.": "Paket bundle tidak dapat dibuat karena kesalahan.", - "The package bundle is not valid": "Paket bundle tidak valid", - "The package manager \"{0}\" is disabled": "Manajer paket \"{0}\" dinonaktifkan", - "The package manager \"{0}\" was not found": "Manajer paket \"{0}\" tidak ditemukan", "The package {0} from {1} was not found.": "Paket {0} dari {1} tidak ditemukan.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paket-paket yang terdaftar di sini tidak akan diperhitungkan saat memeriksa pembaruan. Klik dua kali pada mereka atau klik tombol di sebelah kanan mereka untuk berhenti mengabaikan pembaruan mereka.", "The selected packages have been blacklisted": "Paket yang dipilih telah masuk daftar hitam", - "The settings will list, in their descriptions, the potential security issues they may have.": "Pengaturan akan mencantumkan, dalam deskripsinya, potensi masalah keamanan yang mungkin terjadi.", - "The size of the backup is estimated to be less than 1MB.": "Ukuran cadangan diperkirakan kurang dari 1MB.", - "The source {source} was added to {manager} successfully": "Sumber {source} berhasil ditambahkan ke {manager}", - "The source {source} was removed from {manager} successfully": "Sumber {source} berhasil dihapus dari {manager}", - "The system tray icon must be enabled in order for notifications to work": "Ikon baki sistem harus diaktifkan agar pemberitahuan dapat bekerja", - "The update process has been aborted.": "Proses pembaruan telah dibatalkan.", - "The update process will start after closing UniGetUI": "Proses pembaruan akan dimulai setelah menutup UniGetUI", "The update will be installed upon closing WingetUI": "Pembaruan akan diinstal setelah menutup UniGetUI", "The update will not continue.": "Pembaruan tidak akan dilanjutkan.", "The user has canceled {0}, that was a requirement for {1} to be run": "Pengguna telah membatalkan {0}, yang merupakan syarat agar {1} dapat dijalankan", - "There are no new UniGetUI versions to be installed": "Tidak ada versi UniGetUI baru yang akan diinstal", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ada operasi yang sedang berjalan. Menutup UniGetUI dapat menyebabkan mereka gagal. Apakah Anda ingin melanjutkan?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Ada beberapa video menarik di YouTube yang menampilkan UniGetUI dan kemampuannya. Anda bisa belajar trik dan tips yang berguna!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Ada dua alasan utama untuk tidak menjalankan UniGetUI sebagai administrator:\n Yang pertama adalah manajer paket Scoop mungkin menyebabkan masalah dengan beberapa perintah ketika dijalankan dengan hak administrator.\n Yang kedua adalah menjalankan UniGetUI sebagai administrator berarti paket yang Anda unduh akan dijalankan sebagai administrator (dan ini tidak aman).\n Ingat, jika Anda perlu menginstal paket tertentu sebagai administrator, Anda selalu dapat mengklik kanan item -> Instal/Pembaruan/Hapus sebagai administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Terjadi kesalahan dengan konfigurasi manajer paket \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Sedang ada instalasi yang berlangsung. Jika Anda menutup UniGetUI, instalasi mungkin gagal dan menghasilkan hasil yang tidak terduga. Apakah Anda tetap ingin menutup UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Mereka adalah program yang bertanggung jawab untuk menginstal, memperbarui, dan menghapus paket.", - "Third-party licenses": "Lisensi pihak ketiga", "This could represent a security risk.": "Ini bisa mewakili risiko keamanan.", - "This is not recommended.": "Ini tidak disarankan.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ini kemungkinan disebabkan oleh fakta bahwa paket yang Anda terima telah dihapus, atau diterbitkan di manajer paket yang tidak Anda aktifkan. ID yang diterima adalah {0}", "This is the default choice.": "Ini adalah pilihan default.", - "This may help if WinGet packages are not shown": "Ini dapat membantu jika paket WinGet tidak ditampilkan", - "This may help if no packages are listed": "Ini mungkin membantu jika tidak ada paket yang terdaftar", - "This may take a minute or two": "Ini mungkin memerlukan waktu satu atau dua menit", - "This operation is running interactively.": "Operasi ini sedang berjalan secara interaktif.", - "This operation is running with administrator privileges.": "Operasi ini berjalan dengan hak istimewa administrator.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Opsi ini AKAN menyebabkan masalah. Operasi apa pun yang tidak mampu elevasi dirinya sendiri AKAN GAGAL. Instal/perbarui/hapus sebagai administrator TIDAK AKAN BERFUNGSI.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Paket bundel ini memiliki beberapa pengaturan yang berpotensi berbahaya, dan dapat diabaikan secara default.", "This package can be updated": "Paket ini dapat diperbarui", "This package can be updated to version {0}": "Paket ini dapat diperbarui ke versi {0}", - "This package can be upgraded to version {0}": "Paket ini dapat ditingkatkan ke versi {0}", - "This package cannot be installed from an elevated context.": "Paket ini tidak dapat diinstal dari konteks yang ditinggikan.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Paket ini tidak memiliki tangkapan layar atau ikon yang hilang? Berkontribusilah ke UniGetUI dengan menambahkan ikon dan tangkapan layar yang hilang ke database publik terbuka kami.", - "This package is already installed": "Paket ini sudah terinstal", - "This package is being processed": "Paket ini sedang diproses", - "This package is not available": "Paket ini tidak tersedia", - "This package is on the queue": "Paket ini ada dalam antrean", "This process is running with administrator privileges": "Proses ini berjalan dengan hak istimewa administrator", - "This project has no connection with the official {0} project — it's completely unofficial.": "Proyek ini tidak memiliki kaitan dengan proyek {0} resmi — ini sepenuhnya tidak resmi.", "This setting is disabled": "Pengaturan ini dinonaktifkan", "This wizard will help you configure and customize WingetUI!": "Panduan ini akan membantu Anda mengonfigurasi dan menyesuaikan UniGetUI!", "Toggle search filters pane": "Alihkan panel filter pencarian", - "Translators": "Penerjemah", - "Try to kill the processes that refuse to close when requested to": "Cobalah untuk mematikan proses yang menolak untuk menutup ketika diminta", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Dengan mengaktifkannya, Anda dapat mengubah file yang dapat dieksekusi yang digunakan untuk berinteraksi dengan manajer paket. Meskipun hal ini memungkinkan penyesuaian yang lebih baik pada proses instalasi Anda, hal ini juga dapat berbahaya", "Type here the name and the URL of the source you want to add, separed by a space.": "Ketik nama dan URL sumber yang ingin Anda tambahkan, dipisahkan oleh spasi.", "Unable to find package": "Tidak dapat menemukan paket", "Unable to load informarion": "Tidak dapat memuat informasi", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI mengumpulkan data penggunaan anonim untuk meningkatkan pengalaman pengguna.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI mengumpulkan data penggunaan anonim dengan tujuan tunggal untuk memahami dan meningkatkan pengalaman pengguna.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI telah mendeteksi pintasan desktop baru yang dapat dihapus secara otomatis.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI telah mendeteksi pintasan desktop berikut yang dapat dihapus secara otomatis pada pembaruan mendatang", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI telah mendeteksi {0} pintasan desktop baru yang dapat dihapus secara otomatis.", - "UniGetUI is being updated...": "UniGetUI sedang diperbarui...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI tidak terkait dengan manajer paket yang kompatibel manapun. UniGetUI adalah proyek independen.", - "UniGetUI on the background and system tray": "UniGetUI di latar belakang dan area sistem", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI atau beberapa komponennya hilang atau rusak.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI membutuhkan {0} untuk beroperasi, tetapi tidak ditemukan di sistem Anda.", - "UniGetUI startup page:": "Halaman awal UniGetUI:", - "UniGetUI updater": "Pembaruan UniGetUI", - "UniGetUI version {0} is being downloaded.": "Versi UniGetUI {0} sedang diunduh.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} siap untuk dipasang.", - "Uninstall": "Hapus instalasi", - "Uninstall Scoop (and its packages)": "Hapus instalasi Scoop (dan paket-paketnya)", "Uninstall and more": "Hapus instalan dan lainnya", - "Uninstall and remove data": "Hapus instalasi dan hapus data", - "Uninstall as administrator": "Hapus instalasi sebagai administrator", "Uninstall canceled by the user!": "Hapus instalasi dibatalkan oleh pengguna!", - "Uninstall failed": "Hapus instalasi gagal", - "Uninstall options": "Opsi penghapusan instalan", - "Uninstall package": "Hapus instalasi paket", - "Uninstall package, then reinstall it": "Hapus instalasi paket, lalu pasang ulang", - "Uninstall package, then update it": "Hapus instalasi paket, lalu perbarui", - "Uninstall previous versions when updated": "Hapus instalan versi sebelumnya saat diperbarui", - "Uninstall selected packages": "Hapus instalasi paket yang dipilih", - "Uninstall selection": "Pilihan pencopotan pemasangan", - "Uninstall succeeded": "Hapus instalasi berhasil", "Uninstall the selected packages with administrator privileges": "Hapus instalasi paket yang dipilih dengan hak istimewa administrator", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Paket yang dapat dihapus instalasinya dengan asal yang tercantum sebagai \"{0}\" tidak diterbitkan di manajer paket manapun, sehingga tidak ada informasi yang dapat ditampilkan tentangnya.", - "Unknown": "Tidak diketahui", - "Unknown size": "Ukuran tidak diketahui", - "Unset or unknown": "Tidak disetel atau tidak diketahui", - "Up to date": "Sudah terbaru", - "Update": "Perbarui", - "Update WingetUI automatically": "Perbarui UniGetUI secara otomatis", - "Update all": "Perbarui semua", "Update and more": "Perbarui dan lainnya", - "Update as administrator": "Perbarui sebagai administrator", - "Update check frequency, automatically install updates, etc.": "Frekuensi pemeriksaan pembaruan, instal pembaruan secara otomatis, dll.", - "Update checking": "Periksa pembaruan", "Update date": "Tanggal pembaruan", - "Update failed": "Pembaruan gagal", "Update found!": "Pembaruan ditemukan!", - "Update now": "Perbarui sekarang", - "Update options": "Opsi pembaruan", "Update package indexes on launch": "Perbarui indeks paket saat diluncurkan", "Update packages automatically": "Perbarui paket secara otomatis", "Update selected packages": "Perbarui paket yang dipilih", "Update selected packages with administrator privileges": "Perbarui paket yang dipilih dengan hak istimewa administrator", - "Update selection": "Pilihan pembaruan", - "Update succeeded": "Pembaruan berhasil", - "Update to version {0}": "Perbarui ke versi {0}", - "Update to {0} available": "Pembaruan ke {0} tersedia", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Perbarui file port Git vcpkg secara otomatis (memerlukan Git terinstal)", "Updates": "Pembaruan", "Updates available!": "Pembaruan tersedia!", - "Updates for this package are ignored": "Pembaruan untuk paket ini diabaikan", - "Updates found!": "Pembaruan ditemukan!", "Updates preferences": "Preferensi pembaruan", "Updating WingetUI": "Memperbarui UniGetUI", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Gunakan WinGet bawaan Legacy daripada PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Gunakan URL database ikon dan tangkapan layar kustom", "Use bundled WinGet instead of PowerShell CMDlets": "Gunakan WinGet bawaan daripada PowerShell CMDLets", - "Use bundled WinGet instead of system WinGet": "Gunakan WinGet bawaan daripada WinGet sistem", - "Use installed GSudo instead of UniGetUI Elevator": "Gunakan GSudo yang terinstal sebagai pengganti UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Gunakan GSudo yang diinstal daripada yang dibundel", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Gunakan UniGetUI Elevator versi lama (dapat membantu jika mengalami masalah dengan UniGetUI Elevator)", - "Use system Chocolatey": "Gunakan Chocolatey sistem", "Use system Chocolatey (Needs a restart)": "Gunakan Chocolatey sistem (Perlu restart)", "Use system Winget (Needs a restart)": "Gunakan Winget sistem (Perlu restart)", "Use system Winget (System language must be set to english)": "Gunakan Winget sistem (Bahasa sistem harus diatur ke bahasa Inggris)", "Use the WinGet COM API to fetch packages": "Gunakan API COM WinGet untuk mengambil paket", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Gunakan Modul PowerShell WinGet daripada API COM WinGet", - "Useful links": "Tautan berguna", "User": "Pengguna", - "User interface preferences": "Preferensi antarmuka pengguna", "User | Local": "Pengguna | Lokal", - "Username": "Nama pengguna", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Menggunakan UniGetUI berarti menerima Lisensi GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Menggunakan UniGetUI berarti menerima Lisensi MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Root vcpkg tidak ditemukan. Harap tentukan variabel lingkungan %VCPKG_ROOT% atau tentukan dari Pengaturan UniGetUI", "Vcpkg was not found on your system.": "Vcpkg tidak ditemukan di sistem Anda.", - "Verbose": "Verbose", - "Version": "Versi", - "Version to install:": "Versi untuk dipasang:", - "Version:": "Versi:", - "View GitHub Profile": "Lihat Profil GitHub", "View WingetUI on GitHub": "Lihat UniGetUI di GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Lihat kode sumber UniGetUI. Dari sana, Anda dapat melaporkan bug atau menyarankan fitur, atau bahkan berkontribusi langsung pada Proyek UniGetUI", - "View mode:": "Mode tampilan:", - "View on UniGetUI": "Lihat di UniGetUI", - "View page on browser": "Lihat halaman di browser", - "View {0} logs": "Lihat {0} log", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Tunggu perangkat terhubung ke internet sebelum mencoba melakukan tugas yang memerlukan koneksi internet.", "Waiting for other installations to finish...": "Menunggu instalasi lainnya selesai...", "Waiting for {0} to complete...": "Menunggu {0} selesai...", - "Warning": "Peringatan", - "Warning!": "Peringatan!", - "We are checking for updates.": "Kami sedang memeriksa pembaruan.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Kami tidak dapat memuat informasi rinci tentang paket ini, karena tidak ditemukan di sumber paket Anda.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Kami tidak dapat memuat informasi rinci tentang paket ini, karena tidak diinstal dari pengelola paket yang tersedia.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Kami tidak dapat {action} {package}. Harap coba lagi nanti. Klik \"{showDetails}\" untuk melihat log dari penginstal.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Kami tidak dapat {action} {package}. Harap coba lagi nanti. Klik \"{showDetails}\" untuk melihat log dari penghapus instalasi.", "We couldn't find any package": "Kami tidak dapat menemukan paket apapun", "Welcome to WingetUI": "Selamat datang di UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Saat menginstal paket dari bundel, instal juga paket yang sudah terinstal", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Saat pintasan baru terdeteksi, hapus pintasan secara otomatis alih-alih menampilkan dialog ini.", - "Which backup do you want to open?": "Cadangan mana yang ingin Anda buka?", "Which package managers do you want to use?": "Pengelola paket mana yang ingin Anda gunakan?", "Which source do you want to add?": "Sumber mana yang ingin Anda tambahkan?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Sementara Winget dapat digunakan dalam UniGetUI, UniGetUI dapat digunakan dengan pengelola paket lain, yang bisa membingungkan. Dulu, UniGetUI dirancang hanya untuk bekerja dengan Winget, namun sekarang ini tidak lagi demikian, sehingga UniGetUI tidak lagi mewakili tujuan proyek ini.", - "WinGet could not be repaired": "WinGet tidak dapat diperbaiki", - "WinGet malfunction detected": "Kerusakan WinGet terdeteksi", - "WinGet was repaired successfully": "WinGet berhasil diperbaiki", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Semua sudah diperbarui", "WingetUI - {0} updates are available": "UniGetUI - {0} pembaruan tersedia", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Halaman Utama UniGetUI", "WingetUI Homepage - Share this link!": "Halaman Utama UniGetUI - Bagikan tautan ini!", - "WingetUI License": "Lisensi UniGetUI", - "WingetUI Log": "Log UniGetUI", - "WingetUI Repository": "Repositori UniGetUI", - "WingetUI Settings": "Pengaturan UniGetUI", "WingetUI Settings File": "File Pengaturan UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI menggunakan pustaka berikut. Tanpa mereka, UniGetUI tidak akan mungkin terwujud.", - "WingetUI Version {0}": "UniGetUI Versi {0}", "WingetUI autostart behaviour, application launch settings": "Perilaku autostart UniGetUI, pengaturan peluncuran aplikasi", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI dapat memeriksa apakah perangkat lunak Anda memiliki pembaruan yang tersedia, dan menginstalnya secara otomatis jika Anda inginkan", - "WingetUI display language:": "Bahasa tampilan UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI telah dijalankan sebagai administrator, yang tidak disarankan. Ketika menjalankan UniGetUI sebagai administrator, SETIAP operasi yang diluncurkan dari UniGetUI akan memiliki hak istimewa administrator. Anda masih bisa menggunakan program ini, tetapi kami sangat menyarankan untuk tidak menjalankan UniGetUI dengan hak istimewa administrator.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI telah diterjemahkan ke lebih dari 40 bahasa berkat para penerjemah sukarelawan. Terima kasih \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI tidak diterjemahkan mesin. Pengguna berikut yang bertanggung jawab atas terjemahan:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI adalah aplikasi yang memudahkan pengelolaan perangkat lunak Anda, dengan menyediakan antarmuka grafis serba ada untuk pengelola paket baris perintah Anda.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI sedang diganti namanya untuk menekankan perbedaan antara UniGetUI (antarmuka yang Anda gunakan sekarang) dan WinGet (pengelola paket yang dikembangkan oleh Microsoft yang tidak ada kaitannya dengan saya)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI sedang diperbarui. Setelah selesai, UniGetUI akan memulai ulang dirinya sendiri", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI gratis, dan akan tetap gratis selamanya. Tanpa iklan, tanpa kartu kredit, tanpa versi premium. 100% gratis, selamanya.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI akan menampilkan prompt UAC setiap kali paket memerlukan peningkatan hak akses untuk diinstal.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "UniGetUI akan segera dinamakan {newname}. Ini tidak akan mengubah aplikasi. Saya (pengembang) akan terus mengembangkan proyek ini seperti yang saya lakukan sekarang, tetapi dengan nama yang berbeda.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI tidak akan mungkin ada tanpa bantuan kontributor kami yang terhormat. Periksa profil GitHub mereka, UniGetUI tidak akan ada tanpa mereka!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI tidak akan mungkin ada tanpa bantuan kontributor. Terima kasih semua \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} siap untuk diinstal.", - "Write here the process names here, separated by commas (,)": "Tuliskan nama proses di sini, dipisahkan dengan koma (,)", - "Yes": "Ya", - "You are logged in as {0} (@{1})": "Anda masuk sebagai {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Anda dapat mengubah perilaku ini pada pengaturan keamanan UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Anda dapat menentukan perintah yang akan dijalankan sebelum atau sesudah paket ini diinstal, diperbarui, atau dihapus. Perintah-perintah tersebut akan dijalankan pada command prompt, jadi skrip CMD akan bekerja di sini.", - "You have currently version {0} installed": "Anda saat ini memiliki versi {0} yang terinstal", - "You have installed WingetUI Version {0}": "Anda telah menginstal UniGetUI Versi {0}", - "You may lose unsaved data": "Anda mungkin akan kehilangan data yang belum disimpan", - "You may need to install {pm} in order to use it with WingetUI.": "Anda mungkin perlu menginstal {pm} untuk menggunakannya dengan UniGetUI.", "You may restart your computer later if you wish": "Anda dapat me-restart komputer Anda nanti jika Anda mau", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Anda hanya akan diminta sekali, dan hak administrator akan diberikan kepada paket yang memintanya.", "You will be prompted only once, and every future installation will be elevated automatically.": "Anda hanya akan diminta sekali, dan setiap instalasi di masa depan akan ditingkatkan secara otomatis.", - "You will likely need to interact with the installer.": "Anda mungkin perlu berinteraksi dengan penginstal.", - "[RAN AS ADMINISTRATOR]": "[Dijalankan SEBAGAI ADMINISTRATOR]", "buy me a coffee": "beli saya secangkir kopi", - "extracted": "diekstrak", - "feature": "fitur", "formerly WingetUI": "dulu WingetUI", "homepage": "situs web", "install": "instal", "installation": "instalasi", - "installed": "terinstal", - "installing": "sedang menginstal", - "library": "pustaka", - "mandatory": "wajib", - "option": "pilihan", - "optional": "opsional", "uninstall": "hapus instalasi", "uninstallation": "penghapusan instalasi", "uninstalled": "terhapus instalasi", - "uninstalling": "sedang menghapus instalasi", "update(noun)": "pembaruan", "update(verb)": "perbarui", "updated": "diperbarui", - "updating": "memperbarui", - "version {0}": "versi {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Opsi penginstalan saat ini terkunci karena {0} mengikuti opsi penginstalan default.", "{0} Uninstallation": "{0} Penghapusan Instalasi", "{0} aborted": "{0} dibatalkan", "{0} can be updated": "{0} dapat diperbarui", - "{0} can be updated to version {1}": "{0} dapat diperbarui ke versi {1}", - "{0} days": "{0} hari", - "{0} desktop shortcuts created": "{0} pintasan desktop dibuat", "{0} failed": "{0} gagal", - "{0} has been installed successfully.": "{0} telah terinstal dengan sukses.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} telah terinstal dengan sukses. Disarankan untuk me-restart UniGetUI untuk menyelesaikan instalasi", "{0} has failed, that was a requirement for {1} to be run": "{0} gagal, itu adalah persyaratan agar {1} dapat dijalankan", - "{0} homepage": "{0} halaman utama", - "{0} hours": "{0} jam", "{0} installation": "{0} instalasi", - "{0} installation options": "{0} opsi instalasi", - "{0} installer is being downloaded": "Penginstal {0} sedang diunduh", - "{0} is being installed": "{0} sedang diinstal", - "{0} is being uninstalled": "{0} sedang dihapus instalasi", "{0} is being updated": "{0} sedang diperbarui", - "{0} is being updated to version {1}": "{0} sedang diperbarui ke versi {1}", - "{0} is disabled": "{0} dinonaktifkan", - "{0} minutes": "{0} menit", "{0} months": "{0} bulan", - "{0} packages are being updated": "{0} paket sedang diperbarui", - "{0} packages can be updated": "{0} paket dapat diperbarui", "{0} packages found": "{0} paket ditemukan", "{0} packages were found": "{0} paket ditemukan", - "{0} packages were found, {1} of which match the specified filters.": "{0} paket ditemukan, {1} di antaranya cocok dengan filter yang ditentukan.", - "{0} selected": "{0} dipilih", - "{0} settings": "{0} pengaturan", - "{0} status": "{0} status", "{0} succeeded": "{0} berhasil", "{0} update": "{0} pembaruan", - "{0} updates are available": "{0} pembaruan tersedia", "{0} was {1} successfully!": "{0} telah {1} dengan sukses!", "{0} weeks": "{0} minggu", "{0} years": "{0} tahun", "{0} {1} failed": "{0} {1} gagal", - "{package} Installation": "Instalasi {package}", - "{package} Uninstall": "Hapus Instalasi {package}", - "{package} Update": "{package} Pembaruan", - "{package} could not be installed": "{package} tidak dapat diinstal", - "{package} could not be uninstalled": "{package} tidak dapat dihapus", - "{package} could not be updated": "{package} tidak dapat diperbarui", "{package} installation failed": "Pemasangan {package} gagal", - "{package} installer could not be downloaded": "Penginstal {package} tidak dapat diunduh", - "{package} installer download": "Unduh penginstal {package}", - "{package} installer was downloaded successfully": "Penginstal {package} berhasil diunduh", "{package} uninstall failed": "Penghapusan {package} gagal", "{package} update failed": "Pembaruan {package} gagal", "{package} update failed. Click here for more details.": "Pembaruan {package} gagal. Klik di sini untuk detail lebih lanjut.", - "{package} was installed successfully": "{package} berhasil dipasang", - "{package} was uninstalled successfully": "{package} berhasil dihapus", - "{package} was updated successfully": "{package} berhasil diperbarui", - "{pcName} installed packages": "Paket yang terpasang di {pcName}", "{pm} could not be found": "{pm} tidak dapat ditemukan", "{pm} found: {state}": "{pm} ditemukan: {state}", - "{pm} is disabled": "{pm} dinonaktifkan", - "{pm} is enabled and ready to go": "{pm} diaktifkan dan siap digunakan", "{pm} package manager specific preferences": "Preferensi khusus pengelola paket {pm}", "{pm} preferences": "Preferensi {pm}", - "{pm} version:": "Versi {pm}:", - "{pm} was not found!": "{pm} tidak ditemukan!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hai, nama saya Martí, dan saya adalah pengembang dari UniGetUI. UniGetUI sepenuhnya dibuat di waktu luang saya!", + "Thank you ❤": "Terima kasih ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Proyek ini tidak memiliki kaitan dengan proyek {0} resmi — ini sepenuhnya tidak resmi." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_it.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_it.json index 6ac1a1c3b0..f44774b9a3 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_it.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_it.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operazione in corso", + "Please wait...": "Attendi...", + "Success!": "Perfetto!", + "Failed": "Non riuscito", + "An error occurred while processing this package": "Si è verificato un errore durante l'elaborazione di questo pacchetto", + "Log in to enable cloud backup": "Accedi per abilitare il backup su cloud", + "Backup Failed": "Backup non riuscito", + "Downloading backup...": "Scaricamento del backup...", + "An update was found!": "È stato trovato un aggiornamento!", + "{0} can be updated to version {1}": "{0} può essere aggiornato alla versione {1}", + "Updates found!": "Aggiornamenti trovati!", + "{0} packages can be updated": "{0} pacchetti possono essere aggiornati", + "You have currently version {0} installed": "Attualmente hai installata la versione {0}", + "Desktop shortcut created": "Collegamento sul desktop creato", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ha rilevato un nuovo collegamento sul desktop che può essere eliminato automaticamente.", + "{0} desktop shortcuts created": "{0} collegamenti sul desktop creati", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ha rilevato {0} nuovi collegamenti sul desktop che possono essere eliminati automaticamente.", + "Are you sure?": "Sei sicuro?", + "Do you really want to uninstall {0}?": "Vuoi veramente disinstallare {0}?", + "Do you really want to uninstall the following {0} packages?": "Vuoi davvero disinstallare i seguenti {0} pacchetti?", + "No": "No", + "Yes": "Sì", + "View on UniGetUI": "Visualizza su UniGetUI", + "Update": "Aggiorna", + "Open UniGetUI": "Apri UniGetUI", + "Update all": "Aggiorna tutto", + "Update now": "Aggiorna adesso", + "This package is on the queue": "Questo pacchetto è in coda", + "installing": "installazione", + "updating": "aggiornamento", + "uninstalling": "disinstallazione", + "installed": "installato", + "Retry": "Riprova", + "Install": "Installa", + "Uninstall": "Disinstalla", + "Open": "Apri", + "Operation profile:": "Profilo operativo:", + "Follow the default options when installing, upgrading or uninstalling this package": "Segui le opzioni predefinite durante l'installazione, l'aggiornamento o la disinstallazione di questo pacchetto", + "The following settings will be applied each time this package is installed, updated or removed.": "Le seguenti impostazioni verranno applicate ogni volta che il pacchetto viene installato, aggiornato o rimosso.", + "Version to install:": "Versione da installare:", + "Architecture to install:": "Architettura da installare:", + "Installation scope:": "Modalità di installazione:", + "Install location:": "Percorso di installazione:", + "Select": "Seleziona", + "Reset": "Reimposta", + "Custom install arguments:": "Argomenti di installazione personalizzati:", + "Custom update arguments:": "Argomenti di aggiornamento personalizzati:", + "Custom uninstall arguments:": "Argomenti di disinstallazione personalizzati:", + "Pre-install command:": "Comando pre-installazione:", + "Post-install command:": "Comando post-installazione:", + "Abort install if pre-install command fails": "Interrompi l'installazione se il comando di pre-installazione fallisce", + "Pre-update command:": "Comando pre-aggiornamento:", + "Post-update command:": "Comando post-aggiornamento:", + "Abort update if pre-update command fails": "Interrompi l'aggiornamento se il comando di pre-aggiornamento fallisce", + "Pre-uninstall command:": "Comando pre-disinstallazione:", + "Post-uninstall command:": "Comando post-disinstallazione:", + "Abort uninstall if pre-uninstall command fails": "Interrompi la disinstallazione se il comando di pre-disinstallazione fallisce", + "Command-line to run:": "Riga di comando per eseguire:", + "Save and close": "Salva e chiudi", + "Run as admin": "Amministratore", + "Interactive installation": "Installazione interattiva", + "Skip hash check": "Salta controllo hash", + "Uninstall previous versions when updated": "Disinstalla le versioni precedenti quando aggiorni", + "Skip minor updates for this package": "Salta aggiornamenti minori per questo pacchetto", + "Automatically update this package": "Aggiorna automaticamente questo pacchetto", + "{0} installation options": "Opzioni di installazione di {0}", + "Latest": "Più recente", + "PreRelease": "Versione di sviluppo", + "Default": "Predefinito", + "Manage ignored updates": "Gestisci aggiornamenti ignorati", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "I pacchetti elencati qui non verranno presi in considerazione durante il controllo degli aggiornamenti. Fai doppio clic su di essi o fai clic sul pulsante alla loro destra per non ignorare gli aggiornamenti.", + "Reset list": "Reimposta elenco", + "Package Name": "Nome pacchetto", + "Package ID": "ID pacchetto", + "Ignored version": "Versione ignorata", + "New version": "Nuova versione", + "Source": "Sorgente", + "All versions": "Tutte le versioni", + "Unknown": "Sconosciuto", + "Up to date": "Aggiornato", + "Cancel": "Annulla", + "Administrator privileges": "Privilegi di amministratore", + "This operation is running with administrator privileges.": "Questa operazione viene eseguita con privilegi di amministratore.", + "Interactive operation": "Operazione interattiva", + "This operation is running interactively.": "Questa operazione viene eseguita in modo interattivo.", + "You will likely need to interact with the installer.": "Probabilmente sarà necessario interagire con il programma di installazione.", + "Integrity checks skipped": "Controlli di integrità saltati", + "Proceed at your own risk.": "Procedi a tuo rischio e pericolo.", + "Close": "Chiudi", + "Loading...": "Caricamento...", + "Installer SHA256": "SHA512 installer", + "Homepage": "Pagina iniziale", + "Author": "Autore", + "Publisher": "Editore", + "License": "Licenza", + "Manifest": "Manifesto", + "Installer Type": "Tipo installer", + "Size": "Dimensioni", + "Installer URL": "URL installer", + "Last updated:": "Ultimo aggiornamento:", + "Release notes URL": "URL note sulla versione", + "Package details": "Dettagli pacchetto", + "Dependencies:": "Dipendenze:", + "Release notes": "Note sulla versione", + "Version": "Versione", + "Install as administrator": "Installa come amministratore", + "Update to version {0}": "Aggiorna alla versione {0}", + "Installed Version": "Versione installata", + "Update as administrator": "Aggiorna come amministratore", + "Interactive update": "Aggiornamento interattivo", + "Uninstall as administrator": "Disinstalla come amministratore", + "Interactive uninstall": "Disinstallazione interattiva", + "Uninstall and remove data": "Disinstalla e rimuovi dati", + "Not available": "Non disponibile", + "Installer SHA512": "SHA512 installer", + "Unknown size": "Dimensioni sconosciute", + "No dependencies specified": "Nessuna dipendenza specificata", + "mandatory": "obbligatorio", + "optional": "opzionale", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} è pronto per essere installato.", + "The update process will start after closing UniGetUI": "Il processo di aggiornamento inizierà dopo la chiusura di UniGetUI", + "Share anonymous usage data": "Condividi dati di utilizzo anonimi", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI raccoglie dati di utilizzo anonimi per migliorare l'esperienza dell'utente.", + "Accept": "Accetta", + "You have installed WingetUI Version {0}": "Hai installato la versione {0} di WingetUI", + "Disclaimer": "Esclusione di responsabilità", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI non è correlato a nessuno dei gestori di pacchetti compatibili. UniGetUI è un progetto indipendente.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI non sarebbe stato possibile senza l'aiuto dei collaboratori. Grazie a tutti 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI si avvale delle seguenti librerie. Senza di esse, WingetUI non sarebbe stato realizzabile.", + "{0} homepage": "Sito web di {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI è stato tradotto in oltre 40 lingue da traduttori volontari. Un grande grazie a tutti🤝", + "Verbose": "Verboso", + "1 - Errors": "1 - Errori", + "2 - Warnings": "2 - Avvertimenti", + "3 - Information (less)": "3 - Informazioni (meno)", + "4 - Information (more)": "4 - Informazioni (più)", + "5 - information (debug)": "5 - informazioni (debug)", + "Warning": "Attenzione", + "The following settings may pose a security risk, hence they are disabled by default.": "Le seguenti impostazioni potrebbero rappresentare un rischio per la sicurezza, pertanto sono disabilitate per impostazione predefinita.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Abilita le impostazioni sottostanti solo se hai compreso completamente a cosa servono e quali implicazioni potrebbero avere.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Le impostazioni elencheranno, nelle loro descrizioni, i potenziali problemi di sicurezza che si potrebbero presentare.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Il backup includerà l'elenco completo dei pacchetti installati e le relative opzioni di installazione. Verranno salvati anche gli aggiornamenti ignorati e le versioni saltate.", + "The backup will NOT include any binary file nor any program's saved data.": "Il backup NON includerà alcun file binario né dati salvati del programma.", + "The size of the backup is estimated to be less than 1MB.": "La dimensione del backup sarà inferiore a 1 MB.", + "The backup will be performed after login.": "Il backup verrà eseguito dopo l'accesso.", + "{pcName} installed packages": "Pacchetti installati su {pcName}", + "Current status: Not logged in": "Stato attuale: Non connesso", + "You are logged in as {0} (@{1})": "Hai effettuato l'accesso come {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Perfetto! I backup verranno caricati su un gist privato sul tuo account.", + "Select backup": "Seleziona backup", + "WingetUI Settings": "Impostazioni di WingetUI", + "Allow pre-release versions": "Consenti le versioni di sviluppo", + "Apply": "Applica", + "Go to UniGetUI security settings": "Vai alle impostazioni di sicurezza di UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Le seguenti opzioni verranno applicate per impostazione predefinita ogni volta che un pacchetto {0} viene installato, aggiornato o disinstallato.", + "Package's default": "Predefinito del pacchetto", + "Install location can't be changed for {0} packages": "Il percorso di installazione non può essere modificato per i pacchetti {0}", + "The local icon cache currently takes {0} MB": "La cache delle icone locali occupa attualmente {0} MB", + "Username": "Nome utente", + "Password": "Password di accesso", + "Credentials": "Credenziali", + "Partially": "Parzialmente", + "Package manager": "Gestore pacchetti", + "Compatible with proxy": "Compatibile con proxy", + "Compatible with authentication": "Compatibile con autenticazione", + "Proxy compatibility table": "Tabella di compatibilità dei proxy", + "{0} settings": "{0} impostazioni", + "{0} status": "Stato {0}", + "Default installation options for {0} packages": "Opzioni di installazione predefinite per i pacchetti {0}", + "Expand version": "Espandi versione", + "The executable file for {0} was not found": "Il file eseguibile per {0} non è stato trovato", + "{pm} is disabled": "{pm} è disabilitato", + "Enable it to install packages from {pm}.": "Abilita per installare pacchetti da {pm}.", + "{pm} is enabled and ready to go": "{pm} è abilitato e pronto per l'uso", + "{pm} version:": "Versione di {pm}:", + "{pm} was not found!": "{pm} non è stato trovato!", + "You may need to install {pm} in order to use it with WingetUI.": "Potrebbe essere necessario installare {pm} per poterlo utilizzare con WingetUI.", + "Scoop Installer - WingetUI": "Programma di installazione di Scoop: WingetUI", + "Scoop Uninstaller - WingetUI": "Programma di disinstallazione di Scoop: WingetUI", + "Clearing Scoop cache - WingetUI": "Svuotamento cache di Scoop: WingetUI", + "Restart UniGetUI": "Riavvia UniGetUI", + "Manage {0} sources": "Gestisci {0} sorgenti", + "Add source": "Aggiungi sorgente", + "Add": "Aggiungi", + "Other": "Altro", + "1 day": "1 giorno", + "{0} days": "{0} giorni", + "{0} minutes": "{0} minuti", + "1 hour": "1 ora", + "{0} hours": "{0} ore", + "1 week": "1 settimana", + "WingetUI Version {0}": "WingetUI versione {0}", + "Search for packages": "Ricerca pacchetti", + "Local": "Locale", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Sono stati trovati {0} pacchetti, {1} dei quali corrispondono ai filtri specificati.", + "{0} selected": "{0} selezionati", + "(Last checked: {0})": "(Ultimo controllo: {0})", + "Enabled": "Abilitato", + "Disabled": "Disabilitato", + "More info": "Più informazioni", + "Log in with GitHub to enable cloud package backup.": "Accedi con GitHub per abilitare il backup dei pacchetti sul cloud.", + "More details": "Più dettagli", + "Log in": "Accesso", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Se hai abilitato il backup sul cloud, verrà salvato come GitHub Gist su questo account", + "Log out": "Disconnessione", + "About": "Informazioni su", + "Third-party licenses": "Licenze di terze parti", + "Contributors": "Collaboratori", + "Translators": "Traduttori", + "Manage shortcuts": "Gestisci collegamenti", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ha rilevato i seguenti collegamenti sul desktop che possono essere rimossi automaticamente durante gli aggiornamenti futuri", + "Do you really want to reset this list? This action cannot be reverted.": "Vuoi davvero reimpostare questo elenco? Questa azione non può essere annullata.", + "Remove from list": "Rimuovi dall'elenco", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quando vengono rilevati nuovi collegamenti, questi vengono eliminati automaticamente anziché visualizzare questa finestra di dialogo.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI raccoglie dati di utilizzo anonimi con l'unico scopo di comprendere e migliorare l'esperienza dell'utente.", + "More details about the shared data and how it will be processed": "Maggiori dettagli sui dati condivisi e su come verranno elaborati", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accetti che UniGetUI raccolga e invii statistiche anonime sull'utilizzo, con l'unico scopo di comprendere e migliorare l'esperienza dell'utente?", + "Decline": "Rifiuta", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Non vengono raccolte né inviate informazioni personali e i dati raccolti vengono resi anonimi, quindi non è possibile risalire alla tua identità.", + "About WingetUI": "Informazioni su WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI è un'applicazione che semplifica la gestione del software, fornendo un'unica interfaccia grafica per i gestori di pacchetti da riga di comando.", + "Useful links": "Link utili", + "Report an issue or submit a feature request": "Segnala un problema o invia una richiesta di funzionalità", + "View GitHub Profile": "Visualizza profilo GitHub", + "WingetUI License": "Licenza di WingetUI", + "Using WingetUI implies the acceptation of the MIT License": "L'utilizzo di WingetUI implica l'accettazione della Licenza MIT", + "Become a translator": "Diventa un traduttore", + "View page on browser": "Visualizza pagina sul browser", + "Copy to clipboard": "Copia negli appunti", + "Export to a file": "Esporta in un file", + "Log level:": "Livello di log:", + "Reload log": "Ricarica log", + "Text": "Testo", + "Change how operations request administrator rights": "Modifica il modo in cui le operazioni richiedono i diritti di amministratore", + "Restrictions on package operations": "Restrizioni sulle operazioni dei pacchetti", + "Restrictions on package managers": "Restrizioni sui gestori di pacchetti", + "Restrictions when importing package bundles": "Restrizioni durante l'importazione delle raccolte pacchetti", + "Ask for administrator privileges once for each batch of operations": "Richiedi una sola volta i privilegi di amministratore per ogni operazione in serie", + "Ask only once for administrator privileges": "Richiedi solo una volta i privilegi di amministratore", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Vieta qualsiasi tipo di elevazione tramite UniGetUI Elevator o GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Questa opzione CAUSERÀ problemi. Qualsiasi operazione che non sia in grado di elevare i propri privilegi FALLIRÀ. Installare/aggiornare/disinstallare come amministratore NON FUNZIONERÀ.", + "Allow custom command-line arguments": "Consenti argomenti personalizzati della riga di comando", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Gli argomenti personalizzati della riga di comando possono modificare il modo in cui i programmi vengono installati, aggiornati o disinstallati, in un modo che UniGetUI non può controllare. L'utilizzo di righe di comando personalizzate può danneggiare i pacchetti. Procedi con cautela.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Ignora i comandi di pre-installazione e post-installazione personalizzati quando importi pacchetti da una raccolta", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "I comandi pre e post installazione verranno eseguiti prima e dopo l'installazione, l'aggiornamento o la disinstallazione di un pacchetto. Si prega di notare che potrebbero causare problemi se non utilizzati con attenzione.", + "Allow changing the paths for package manager executables": "Consenti la modifica dei percorsi per gli eseguibili del gestore pacchetti", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Attivando questa opzione è possibile modificare il file eseguibile utilizzato per interagire con i gestori di pacchetti. Sebbene ciò consenta una personalizzazione più precisa dei processi di installazione, potrebbe anche essere pericoloso.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Consenti l'importazione di argomenti personalizzati dalla riga di comando durante l'importazione di pacchetti da una raccolta", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argomenti della riga di comando non validi possono danneggiare i pacchetti o persino consentire a un malintenzionato di ottenere privilegi di esecuzione. Pertanto, l'importazione di argomenti della riga di comando personalizzati è disabilitata per impostazione predefinita.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Consenti l'importazione di comandi pre-installazione e post-installazione personalizzati durante l'importazione di pacchetti da una raccolta", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "I comandi pre e post installazione possono avere effetti molto dannosi sul dispositivo, se progettati per questo scopo. Può essere molto pericoloso importare i comandi da una raccolta, a meno che non ci si fidi della sorgente di quel pacchetto.", + "Administrator rights and other dangerous settings": "Diritti di amministratore e altre impostazioni pericolose", + "Package backup": "Backup pacchetto", + "Cloud package backup": "Backup dei pacchetti sul cloud", + "Local package backup": "Backup locale del pacchetto", + "Local backup advanced options": "Opzioni avanzate del backup locale", + "Log in with GitHub": "Accedi con GitHub", + "Log out from GitHub": "Disconnessione da GitHub", + "Periodically perform a cloud backup of the installed packages": "Esegui periodicamente un backup sul cloud dei pacchetti installati", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Il backup sul cloud utilizza un GitHub Gist privato per archiviare un elenco dei pacchetti installati", + "Perform a cloud backup now": "Esegui subito un backup sul cloud", + "Backup": "Esegui backup", + "Restore a backup from the cloud": "Ripristina un backup dal cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Inizia il processo per selezionare un backup dal cloud e rivedere quali pacchetti ripristinare", + "Periodically perform a local backup of the installed packages": "Esegui periodicamente un backup locale dei pacchetti installati", + "Perform a local backup now": "Esegui subito un backup locale", + "Change backup output directory": "Modifica cartella di destinazione del backup", + "Set a custom backup file name": "Personalizza nome del file di backup \n", + "Leave empty for default": "Lascia vuoto per impostazione predefinita", + "Add a timestamp to the backup file names": "Aggiungi data e ora ai nomi dei file di backup", + "Backup and Restore": "Backup e ripristino", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Abilita API in background (widget e condivisione WingetUI, porta 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Attendi che il dispositivo sia connesso a Internet prima di provare a svolgere attività che richiedono la connettività Internet.", + "Disable the 1-minute timeout for package-related operations": "Disabilita il timeout di 1 minuto per le operazioni relative al pacchetto", + "Use installed GSudo instead of UniGetUI Elevator": "Usa GSudo installato invece di UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Usa icona personalizzata e URL dal database screenshot", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Abilita le ottimizzazioni dell'utilizzo della CPU in background (vedi Pull Request #3278)", + "Perform integrity checks at startup": "Esegui controlli di integrità all'avvio", + "When batch installing packages from a bundle, install also packages that are already installed": "Quando si installano in batch i pacchetti da una raccolta, installa anche i pacchetti già installati", + "Experimental settings and developer options": "Impostazioni sperimentali e opzioni sviluppatore", + "Show UniGetUI's version and build number on the titlebar.": "Mostra la versione e il numero di build di UniGetUI sulla barra del titolo.", + "Language": "Lingua", + "UniGetUI updater": "Programma di aggiornamento di UniGetUI", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Gestisci le impostazioni di UniGetUI", + "Related settings": "Impostazioni correlate", + "Update WingetUI automatically": "Aggiorna WingetUI automaticamente", + "Check for updates": "Controlla aggiornamenti", + "Install prerelease versions of UniGetUI": "Installa le versioni di sviluppo di UniGetUI", + "Manage telemetry settings": "Gestisci le impostazioni di telemetria", + "Manage": "Gestisci", + "Import settings from a local file": "Importa impostazioni da un file locale", + "Import": "Importa", + "Export settings to a local file": "Esporta impostazioni in un file locale", + "Export": "Esporta", + "Reset WingetUI": "Reimposta WingetUI", + "Reset UniGetUI": "Reimposta UniGetUI", + "User interface preferences": "Preferenze dell'interfaccia utente", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema dell'applicazione, pagina di avvio, icone del pacchetto, cancella automaticamente le installazioni riuscite", + "General preferences": "Preferenze generali", + "WingetUI display language:": "Lingua di visualizzazione di WingetUI:", + "Is your language missing or incomplete?": "La tua lingua manca o è incompleta?", + "Appearance": "Aspetto", + "UniGetUI on the background and system tray": "UniGetUI in background e nella barra delle applicazioni", + "Package lists": "Elenchi pacchetti", + "Close UniGetUI to the system tray": "Chiudi UniGetUI nella barra delle applicazioni", + "Show package icons on package lists": "Mostra icone dei pacchetti negli elenchi dei pacchetti", + "Clear cache": "Svuota cache", + "Select upgradable packages by default": "Seleziona pacchetti aggiornabili per impostazione predefinita", + "Light": "Chiaro", + "Dark": "Scuro", + "Follow system color scheme": "Segui schema dei colori di sistema", + "Application theme:": "Tema applicazione:", + "Discover Packages": "Ricerca pacchetti", + "Software Updates": "Aggiorna pacchetti", + "Installed Packages": "Pacchetti installati", + "Package Bundles": "Raccolte pacchetti", + "Settings": "Impostazioni", + "UniGetUI startup page:": "Pagina di avvio di UniGetUI:", + "Proxy settings": "Impostazioni proxy", + "Other settings": "Altre impostazioni", + "Connect the internet using a custom proxy": "Connettiti a Internet utilizzando un proxy personalizzato", + "Please note that not all package managers may fully support this feature": "Tieni presente che non tutti i gestori di pacchetti potrebbero supportare completamente questa funzionalità", + "Proxy URL": "URL proxy", + "Enter proxy URL here": "Inserisci qui l'URL del proxy", + "Package manager preferences": "Preferenze del gestore pacchetti", + "Ready": "Pronto", + "Not found": "Non trovato", + "Notification preferences": "Preferenze di notifica", + "Notification types": "Tipi di notifica", + "The system tray icon must be enabled in order for notifications to work": "L'icona della barra delle applicazioni deve essere abilitata affinché le notifiche funzionino", + "Enable WingetUI notifications": "Abilita notifiche di WingetUI", + "Show a notification when there are available updates": "Mostra una notifica quando ci sono aggiornamenti disponibili", + "Show a silent notification when an operation is running": "Mostra una notifica silenziosa quando un'operazione è in esecuzione", + "Show a notification when an operation fails": "Mostra una notifica quando un'operazione non riesce\n", + "Show a notification when an operation finishes successfully": "Mostra una notifica quando un'operazione viene completata correttamente", + "Concurrency and execution": "Concorrenza ed esecuzione", + "Automatic desktop shortcut remover": "Rimozione automatica dei collegamenti dal desktop\n", + "Clear successful operations from the operation list after a 5 second delay": "Cancella le operazioni riuscite dall'elenco delle operazioni dopo un ritardo di 5 secondi", + "Download operations are not affected by this setting": "Le operazioni di scaricamento non sono influenzate da questa impostazione", + "Try to kill the processes that refuse to close when requested to": "Prova a fermare i processi che rifiutano di chiudersi quando richiesto", + "You may lose unsaved data": "Potresti perdere i dati non salvati", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Richiedi di eliminare i collegamenti sul desktop creati durante un'installazione o un aggiornamento.", + "Package update preferences": "Preferenze di aggiornamento dei pacchetti", + "Update check frequency, automatically install updates, etc.": "Aggiorna la frequenza di controllo, installa automaticamente gli aggiornamenti, ecc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Riduci le richieste UAC, eleva le installazioni per impostazione predefinita, sblocca determinate funzionalità pericolose e altro", + "Package operation preferences": "Preferenze per le operazioni sui pacchetti", + "Enable {pm}": "Abilita {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Non trovi il file che stai cercando? Assicurati che sia stato aggiunto al percorso.", + "For security reasons, changing the executable file is disabled by default": "Per motivi di sicurezza, la modifica del file eseguibile è disabilitata per impostazione predefinita", + "Change this": "Modifica questo", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Seleziona l'eseguibile da utilizzare. L'elenco seguente mostra gli eseguibili trovati da UniGetUI", + "Current executable file:": "File eseguibile attuale:", + "Ignore packages from {pm} when showing a notification about updates": "Ignora i pacchetti da {pm} quando viene mostrata una notifica sugli aggiornamenti", + "View {0} logs": "Visualizza {0} log", + "Advanced options": "Opzioni avanzate", + "Reset WinGet": "Reimposta WinGet", + "This may help if no packages are listed": "Questo può essere d'aiuto se i pacchetti non sono elencati", + "Force install location parameter when updating packages with custom locations": "Forza il parametro di posizione di installazione quando aggiorni pacchetti con posizioni personalizzate", + "Use bundled WinGet instead of system WinGet": "Usa WinGet integrato invece di WinGet di sistema", + "This may help if WinGet packages are not shown": "Questo può essere d'aiuto se i pacchetti WinGet non vengono visualizzati", + "Install Scoop": "Installa Scoop", + "Uninstall Scoop (and its packages)": "Disinstalla Scoop (e i suoi pacchetti)", + "Run cleanup and clear cache": "Esegui pulizia e svuota cache", + "Run": "Esegui", + "Enable Scoop cleanup on launch": "Abilita pulizia di Scoop all'avvio", + "Use system Chocolatey": "Usa Chocolatey di sistema", + "Default vcpkg triplet": "Triplet predefinito di vcpkg", + "Language, theme and other miscellaneous preferences": "Lingua, tema e altre preferenze", + "Show notifications on different events": "Mostra notifiche su diversi eventi", + "Change how UniGetUI checks and installs available updates for your packages": "Modifica il modo in cui UniGetUI controlla e installa gli aggiornamenti disponibili per i tuoi pacchetti", + "Automatically save a list of all your installed packages to easily restore them.": "Salva automaticamente un elenco di tutti i pacchetti installati per ripristinarli facilmente.", + "Enable and disable package managers, change default install options, etc.": "Abilita e disabilita i gestori di pacchetti, modifica le opzioni di installazione predefinite e altro", + "Internet connection settings": "Impostazioni connessione Internet", + "Proxy settings, etc.": "Impostazioni proxy e altro", + "Beta features and other options that shouldn't be touched": "Funzionalità beta e altre opzioni che non dovrebbero essere toccate", + "Update checking": "Controllo degli aggiornamenti", + "Automatic updates": "Aggiornamenti automatici", + "Check for package updates periodically": "Controlla periodicamente gli aggiornamenti dei pacchetti", + "Check for updates every:": "Controlla aggiornamenti ogni:", + "Install available updates automatically": "Installa automaticamente gli aggiornamenti disponibili", + "Do not automatically install updates when the network connection is metered": "Non installare automaticamente gli aggiornamenti quando la connessione di rete è a consumo", + "Do not automatically install updates when the device runs on battery": "Non installare automaticamente gli aggiornamenti quando il dispositivo funziona a batteria", + "Do not automatically install updates when the battery saver is on": "Non installare automaticamente gli aggiornamenti quando il risparmio batteria è attivo", + "Change how UniGetUI handles install, update and uninstall operations.": "Modifica il modo in cui UniGetUI gestisce le operazioni di installazione, aggiornamento e disinstallazione.", + "Package Managers": "Gestori pacchetti", + "More": "Altro", + "WingetUI Log": "Log di WingetUI", + "Package Manager logs": "Log gestore pacchetti", + "Operation history": "Cronologia operazioni", + "Help": "Aiuto", + "Order by:": "Ordina per:", + "Name": "Nome", + "Id": "ID", + "Ascendant": "Ascendente", + "Descendant": "Discendente", + "View mode:": "Modalità di visualizzazione:", + "Filters": "Filtri", + "Sources": "Sorgenti", + "Search for packages to start": "I pacchetti trovati verranno visualizzati qui", + "Select all": "Seleziona tutto", + "Clear selection": "Cancella selezione", + "Instant search": "Ricerca istantanea", + "Distinguish between uppercase and lowercase": "Distingui tra maiuscole e minuscole", + "Ignore special characters": "Ignora caratteri speciali", + "Search mode": "Modalità di ricerca", + "Both": "Entrambi", + "Exact match": "Corrispondenza esatta", + "Show similar packages": "Mostra pacchetti simili", + "No results were found matching the input criteria": "Nessun risultato corrispondente ai criteri di ricerca", + "No packages were found": "Nessun pacchetto trovato", + "Loading packages": "Caricamento pacchetti", + "Skip integrity checks": "Salta controlli di integrità", + "Download selected installers": "Scarica programmi di installazione selezionati", + "Install selection": "Installa selezione", + "Install options": "Opzioni di installazione", + "Share": "Condividi", + "Add selection to bundle": "Aggiungi selezione alla raccolta", + "Download installer": "Scarica programma di installazione", + "Share this package": "Condividi questo pacchetto", + "Uninstall selection": "Disinstalla selezione", + "Uninstall options": "Opzioni di disinstallazione", + "Ignore selected packages": "Ignora pacchetti selezionati", + "Open install location": "Apri posizione di installazione", + "Reinstall package": "Reinstalla pacchetto", + "Uninstall package, then reinstall it": "Disinstalla e reinstalla pacchetto", + "Ignore updates for this package": "Ignora aggiornamenti per questo pacchetto", + "Do not ignore updates for this package anymore": "Non ignorare più gli aggiornamenti per questo pacchetto", + "Add packages or open an existing package bundle": "Aggiungi pacchetti o apri una raccolta di pacchetti esistente", + "Add packages to start": "Aggiungi pacchetti per iniziare", + "The current bundle has no packages. Add some packages to get started": "La raccolta attuale non ha pacchetti. Aggiungi alcuni pacchetti per iniziare.", + "New": "Nuovo", + "Save as": "Salva come", + "Remove selection from bundle": "Rimuovi selezione dalla raccolta", + "Skip hash checks": "Salta controlli hash", + "The package bundle is not valid": "La raccolta di pacchetti non è valida", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "La raccolta che stai tentando di caricare sembra non essere valida Controlla il file e riprova.", + "Package bundle": "Raccolta pacchetti", + "Could not create bundle": "Impossibile creare la raccolta", + "The package bundle could not be created due to an error.": "Non è stato possibile creare la raccolta di pacchetti a causa di un errore.", + "Bundle security report": "Rapporto sulla sicurezza delle raccolte", + "Hooray! No updates were found.": "Evviva! Non ci sono aggiornamenti!", + "Everything is up to date": "Tutto aggiornato", + "Uninstall selected packages": "Disinstalla pacchetti selezionati", + "Update selection": "Aggiorna selezione", + "Update options": "Opzioni di aggiornamento", + "Uninstall package, then update it": "Disinstalla e aggiorna pacchetto", + "Uninstall package": "Disinstalla pacchetto", + "Skip this version": "Salta questa versione", + "Pause updates for": "Sospendi aggiornamenti per", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Il gestore pacchetti Rust.
Contiene: librerie e programmi Rust scritti in Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Il classico gestore pacchetti per Windows. Qui troverai di tutto.
Contiene: software generico", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repository pieno di strumenti ed eseguibili progettati pensando all'ecosistema .NET di Microsoft.
Contiene: strumenti e script relativi a .NET", + "NuPkg (zipped manifest)": "NuPkg (manifesto compresso)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Il gestore pacchetti di Node JS. Pieno di librerie e altre strumenti che orbitano attorno al mondo javascript.
Contiene: librerie javascript Node e altri strumenti correlati", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Il gestore libreria di Python. Pieno di librerie Python e altri strumenti relativi a Python.
Contiene: librerie Python e strumenti correlati", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Il gestore pacchetti di PowerShell. Trova librerie e script per espandere le funzionalità di PowerShell.
Contiene: moduli, script, cmdlet", + "extracted": "estratto", + "Scoop package": "Pacchetto Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Ottimo repository di strumenti sconosciuti ma utili e altri pacchetti interessanti.
Contiene: strumenti, programmi a riga di comando, software generici (è necessario un bucket extra)", + "library": "libreria", + "feature": "caratteristica", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un popolare gestore di librerie C/C++. Pieno di librerie C/C++ e altre utilità correlate a C/C++
Contiene: librerie C/C++ e utilità correlate", + "option": "opzione", + "This package cannot be installed from an elevated context.": "Questo pacchetto non può essere installato da un contesto elevato.", + "Please run UniGetUI as a regular user and try again.": "Esegui UniGetUI come utente normale e riprova.", + "Please check the installation options for this package and try again": "Controlla le opzioni di installazione per questo pacchetto e riprova", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Il gestore pacchetti ufficiale di Microsoft. Pieno di pacchetti noti e verificati.
Contiene: software generico, app dal Microsoft Store", + "Local PC": "PC locale", + "Android Subsystem": "Sottosistema Android", + "Operation on queue (position {0})...": "Operazione in coda (posizione {0})...", + "Click here for more details": "Fai clic qui per maggiori dettagli", + "Operation canceled by user": "Operazione annullata dall'utente", + "Starting operation...": "Avvio dell'operazione...", + "{package} installer download": "Scarica il programma di installazione {package}", + "{0} installer is being downloaded": "Programma di installazione {0} in fase di scaricamento", + "Download succeeded": "Scaricamento riuscito", + "{package} installer was downloaded successfully": "Il programma di installazione {package} è stato scaricato correttamente", + "Download failed": "Scaricamento non riuscito", + "{package} installer could not be downloaded": "Impossibile scaricare il programma di installazione {package}", + "{package} Installation": "Installazione di {package}", + "{0} is being installed": "{0} è in fase di installazione", + "Installation succeeded": "Installazione riuscita", + "{package} was installed successfully": "{package} è stato installato correttamente", + "Installation failed": "Installazione non riuscita", + "{package} could not be installed": "Impossibile installare {package}", + "{package} Update": "Aggiornamento di {package}", + "{0} is being updated to version {1}": "{0} è in fase di aggiornamento alla versione {1}", + "Update succeeded": "Aggiornamento riuscito", + "{package} was updated successfully": "{package} è stato aggiornato correttamente", + "Update failed": "Aggiornamento non riuscito", + "{package} could not be updated": "Impossibile aggiornare {package}", + "{package} Uninstall": "Disinstallazione di {package}", + "{0} is being uninstalled": "{0} è in fase di disinstallazione", + "Uninstall succeeded": "Disinstallazione riuscita", + "{package} was uninstalled successfully": "{package} è stato disinstallato correttamente", + "Uninstall failed": "Disinstallazione non riuscita", + "{package} could not be uninstalled": "Impossibile disinstallare {package}", + "Adding source {source}": "Aggiungi sorgente {source}", + "Adding source {source} to {manager}": "Aggiunta sorgente {source} a {manager}", + "Source added successfully": "Sorgente aggiunta correttamente", + "The source {source} was added to {manager} successfully": "La sorgente {source} è stata aggiunta a {manager} correttamente", + "Could not add source": "Impossibile aggiungere la sorgente", + "Could not add source {source} to {manager}": "Impossibile aggiungere la sorgente {source} a {manager}", + "Removing source {source}": "Rimozione della sorgente {source}", + "Removing source {source} from {manager}": "Rimozione sorgente {source} da {manager}", + "Source removed successfully": "Sorgente rimossa correttamente", + "The source {source} was removed from {manager} successfully": "La sorgente {source} è stata rimossa da {manager} correttamente", + "Could not remove source": "Impossibile rimuovere la sorgente", + "Could not remove source {source} from {manager}": "Impossibile rimuovere la sorgente {source} da {manager}", + "The package manager \"{0}\" was not found": "Il gestore pacchetti \"{0}\" non è stato trovato", + "The package manager \"{0}\" is disabled": "Il gestore pacchetti \"{0}\" è disabilitato", + "There is an error with the configuration of the package manager \"{0}\"": "C'è un errore nella configurazione del gestore pacchetti \"{0}\"\n", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Il pacchetto \"{0}\" non è stato trovato nel gestore pacchetti \"{1}\"", + "{0} is disabled": "{0} è disabilitato", + "Something went wrong": "Si è verificato un errore", + "An interal error occurred. Please view the log for further details.": "Si è verificato un errore interno. Visualizza il log per ulteriori dettagli.", + "No applicable installer was found for the package {0}": "Non è stato trovato alcun programma di installazione applicabile per il pacchetto {0}", + "We are checking for updates.": "Stiamo verificando gli aggiornamenti.", + "Please wait": "Attendi", + "UniGetUI version {0} is being downloaded.": "È in fase di scaricamento la versione {0} di UniGetUI.", + "This may take a minute or two": "L'operazione potrebbe richiedere un minuto o due", + "The installer authenticity could not be verified.": "Non è stato possibile verificare l'autenticità del programma di installazione.", + "The update process has been aborted.": "Il processo di aggiornamento è stato interrotto.", + "Great! You are on the latest version.": "Ottimo! Sei all'ultima versione.", + "There are no new UniGetUI versions to be installed": "Non ci sono nuove versioni di UniGetUI da installare", + "An error occurred when checking for updates: ": "Si è verificato un errore durante il controllo degli aggiornamenti:", + "UniGetUI is being updated...": "UniGetUI è in fase di aggiornamento...", + "Something went wrong while launching the updater.": "Si è verificato un problema durante l'avvio del programma di aggiornamento.", + "Please try again later": "Riprova più tardi", + "Integrity checks will not be performed during this operation": "Durante questa operazione non verranno eseguiti controlli di integrità", + "This is not recommended.": "Questa operazione non è consigliata.", + "Run now": "Esegui adesso", + "Run next": "Esegui il successivo", + "Run last": "Esegui l'ultimo", + "Retry as administrator": "Riprova come amministratore", + "Retry interactively": "Riprova in modo interattivo", + "Retry skipping integrity checks": "Riprova saltando i controlli di integrità", + "Installation options": "Opzioni installazione", + "Show in explorer": "Mostra in Explorer", + "This package is already installed": "Questo pacchetto è già installato", + "This package can be upgraded to version {0}": "Questo pacchetto può essere aggiornato (upgrade) alla versione {0}", + "Updates for this package are ignored": "Gli aggiornamenti per questo pacchetto vengono ignorati", + "This package is being processed": "Questo pacchetto è in fase di elaborazione", + "This package is not available": "Questo pacchetto non è disponibile", + "Select the source you want to add:": "Seleziona la sorgente che desideri aggiungere:", + "Source name:": "Nome sorgente:", + "Source URL:": "URL sorgente:", + "An error occurred": "Si è verificato un errore", + "An error occurred when adding the source: ": "Si è verificato un errore durante l'aggiunta della sorgente:", + "Package management made easy": "La gestione dei pacchetti diventa incredibilmente facile", + "version {0}": "versione {0}", + "[RAN AS ADMINISTRATOR]": "[ESEGUITO COME AMMINISTRATORE]", + "Portable mode": "Modalità portatile", + "DEBUG BUILD": "DEBUG COMPILAZIONE", + "Available Updates": "Aggiornamenti disponibili", + "Show WingetUI": "Mostra WingetUI", + "Quit": "Esci", + "Attention required": "È richiesta attenzione", + "Restart required": "Riavvio richiesto", + "1 update is available": "È disponibile 1 aggiornamento", + "{0} updates are available": "Sono disponibili {0} aggiornamenti", + "WingetUI Homepage": "Homepage di WingetUI", + "WingetUI Repository": "Repository di WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Qui puoi modificare il comportamento di UniGetUI relativamente ai collegamenti seguenti. Selezionando un collegamento UniGetUI lo eliminerà se verrà creato in un futuro aggiornamento. Deselezionandolo, il collegamento rimarrà intatto", + "Manual scan": "Scansione manuale", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Verranno analizzati i collegamenti presenti sul desktop e sarà necessario scegliere quali mantenere e quali rimuovere.", + "Continue": "Continua", + "Delete?": "Eliminare?", + "Missing dependency": "Dipendenza mancante", + "Not right now": "Non adesso", + "Install {0}": "Installa {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI richiede {0} per funzionare, ma non è stato trovato sul tuo sistema.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Fai clic su Installa per avviare il processo di installazione. Se salti l'installazione, UniGetUI potrebbe non funzionare come previsto.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "In alternativa, puoi anche installare {0} eseguendo il seguente comando in un prompt di Windows PowerShell:", + "Do not show this dialog again for {0}": "Non mostrare più questa finestra di dialogo per {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Attendi mentre {0} viene installato. Potrebbe apparire una finestra nera. Attendi che si chiuda.", + "{0} has been installed successfully.": "{0} è stato installato correttamente.", + "Please click on \"Continue\" to continue": "Fai clic su \"Continua\" per continuare", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} è stato installato correttamente. Si consiglia di riavviare UniGetUI per completare l'installazione", + "Restart later": "Riavvia più tardi", + "An error occurred:": "Si è verificato un errore:", + "I understand": "Capisco", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Non è consigliato eseguire WingetUI con i privilegi di amministratore. In questo modo, TUTTE le operazioni avviate da WingetUI arvranno i privilegi di amministratore. È possibile continuare a utilizzare il programma, ma è fortemente sconsigliato eseguirlo come amministratore.", + "WinGet was repaired successfully": "WinGet è stato riparato correttamente", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Si consiglia di riavviare UniGetUI dopo che WinGet è stato riparato", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: questo strumento di risoluzione dei problemi può essere disabilitato dalle impostazioni di UniGetUI, nella sezione WinGet", + "Restart": "Riavvia", + "WinGet could not be repaired": "WinGet non può essere riparato", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Si è verificato un problema imprevisto durante il tentativo di riparare WinGet. Riprova più tardi", + "Are you sure you want to delete all shortcuts?": "Vuoi davvero eliminare tutti i collegamenti?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Tutti i nuovi collegamenti creati durante un'installazione o un'operazione di aggiornamento verranno eliminati automaticamente, anziché visualizzare una richiesta di conferma la prima volta che vengono rilevati.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Tutti i collegamenti creati o modificati al di fuori di UniGetUI saranno ignorati. Potrai aggiungerli tramite il pulsante {0}.", + "Are you really sure you want to enable this feature?": "Sei davvero sicuro di voler abilitare questa funzione?", + "No new shortcuts were found during the scan.": "Durante la scansione non sono stati trovati nuovi collegamenti.", + "How to add packages to a bundle": "Come aggiungere pacchetti a una raccolta", + "In order to add packages to a bundle, you will need to: ": "Per aggiungere pacchetti a una raccolta, è necessario:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Vai alla pagina \"{0}\" o \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Individua i pacchetti che desideri aggiungere alla raccolta e seleziona la casella di controllo più a sinistra.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Dopo aver selezionato i pacchetti che vuoi aggiungere alla raccolta, trova e fai clic sull'opzione \"{0}\" sulla barra degli strumenti.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. I tuoi pacchetti saranno stati aggiunti alla raccolta. Puoi continuare ad aggiungere pacchetti o esportare la raccolta.", + "Which backup do you want to open?": "Quale backup vuoi aprire?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Seleziona il backup che desideri aprire. In seguito, potrai controllare quali pacchetti desideri installare.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ci sono operazioni in corso. L'uscita da WingetUI potrebbe causare il loro errore. Vuoi continuare?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI o alcuni dei suoi componenti sono mancanti o danneggiati.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Si consiglia vivamente di reinstallare UniGetUI per risolvere il problema.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Fai riferimento ai log di UniGetUI per ottenere maggiori dettagli sui file interessati", + "Integrity checks can be disabled from the Experimental Settings": "I controlli di integrità possono essere disabilitati dalle Impostazioni sperimentali", + "Repair UniGetUI": "Ripara UniGetUI", + "Live output": "Output in tempo reale", + "Package not found": "Pacchetto non trovato", + "An error occurred when attempting to show the package with Id {0}": "Si è verificato un errore durante il tentativo di mostrare il pacchetto con ID {0}", + "Package": "Pacchetto", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Questo pacchetto contiene alcune impostazioni potenzialmente pericolose che potrebbero essere ignorate per impostazione predefinita.", + "Entries that show in YELLOW will be IGNORED.": "Le voci visualizzate in GIALLO verranno IGNORATE.", + "Entries that show in RED will be IMPORTED.": "Le voci visualizzate in ROSSO verranno IMPORTATE.", + "You can change this behavior on UniGetUI security settings.": "È possibile modificare questo comportamento nelle impostazioni di sicurezza di UniGetUI.", + "Open UniGetUI security settings": "Apri le impostazioni di sicurezza di UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Se modifichi le impostazioni di sicurezza, dovrai aprire nuovamente la raccolta affinché le modifiche abbiano effetto.", + "Details of the report:": "Dettagli del rapporto:", "\"{0}\" is a local package and can't be shared": "\"{0}\" è un pacchetto locale e non può essere condiviso", + "Are you sure you want to create a new package bundle? ": "Sei sicuro di voler creare una nuova raccolta di pacchetti?", + "Any unsaved changes will be lost": "Tutte le modifiche non salvate andranno perse", + "Warning!": "Attenzione!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Per motivi di sicurezza, gli argomenti personalizzati della riga di comando sono disabilitati per impostazione predefinita. Per modificare questa impostazione, vai alle impostazioni di sicurezza di UniGetUI.", + "Change default options": "Modifica le opzioni predefinite", + "Ignore future updates for this package": "Ignora aggiornamenti futuri per questo pacchetto", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Per motivi di sicurezza, gli script pre-operazione e post-operazione sono disabilitati per impostazione predefinita. Per modificare questa impostazione, vai alle impostazioni di sicurezza di UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "È possibile definire i comandi che verranno eseguiti prima o dopo l'installazione, l'aggiornamento o la disinstallazione di questo pacchetto. Verranno eseguiti su un prompt dei comandi, quindi gli script CMD funzioneranno qui.", + "Change this and unlock": "Modifica questo e sblocca", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Le opzioni di installazione sono attualmente bloccate perché {0} segue le opzioni di installazione predefinite.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Seleziona i processi che devono essere chiusi prima che questo pacchetto venga installato, aggiornato o disinstallato.", + "Write here the process names here, separated by commas (,)": "Scrivi qui i nomi dei processi, separati da virgole (,)", + "Unset or unknown": "Non impostato o sconosciuto", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Per ulteriori informazioni sul problema, consulta l'output della riga di comando o fai riferimento alla cronologia delle operazioni.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Questo pacchetto non ha alcun screenshot o icona? Contribuisci a WingetUI aggiungendo le icone e gli screenshot mancanti al nostro database pubblico e aperto a tutti.", + "Become a contributor": "Diventa un collaboratore", + "Save": "Salva", + "Update to {0} available": "Aggiornamento a {0} disponibile", + "Reinstall": "Reinstalla", + "Installer not available": "Programma di installazione non disponibile", + "Version:": "Versione:", + "Performing backup, please wait...": "Esecuzione del backup, attendi...", + "An error occurred while logging in: ": "Si è verificato un errore durante l'accesso:", + "Fetching available backups...": "Recupero dei backup disponibili...", + "Done!": "Fatto!", + "The cloud backup has been loaded successfully.": "Il backup sul cloud è stato caricato correttamente.", + "An error occurred while loading a backup: ": "Si è verificato un errore durante il caricamento di un backup:", + "Backing up packages to GitHub Gist...": "Backup dei pacchetti su GitHub Gist...", + "Backup Successful": "Backup riuscito", + "The cloud backup completed successfully.": "Backup sul cloud completato correttamente.", + "Could not back up packages to GitHub Gist: ": "Impossibile eseguire il backup dei pacchetti su GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Non è garantito che le credenziali fornite verranno conservate in modo sicuro, quindi potresti anche non utilizzare le credenziali del tuo conto bancario", + "Enable the automatic WinGet troubleshooter": "Abilita risoluzione automatica dei problemi di WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Abilita uno strumento di risoluzione dei problemi WinGet migliorato [sperimentale]", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Aggiungi gli aggiornamenti che non riescono con un \"nessun aggiornamento applicabile trovato\" all'elenco degli aggiornamenti ignorati", + "Restart WingetUI to fully apply changes": "Riavvia WingetUI per applicare completamente le modifiche", + "Restart WingetUI": "Riavvia WingetUI", + "Invalid selection": "Selezione non valida", + "No package was selected": "Nessun pacchetto selezionato", + "More than 1 package was selected": "È stato selezionato più di 1 pacchetto", + "List": "Elenco", + "Grid": "Griglia", + "Icons": "Icone", "\"{0}\" is a local package and does not have available details": "\"{0}\" è un pacchetto locale e non ha dettagli disponibili", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" è un pacchetto locale e non è compatibile con questa funzionalità", - "(Last checked: {0})": "(Ultimo controllo: {0})", + "WinGet malfunction detected": "Malfunzionamento di WinGet rilevato", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Sembra che WinGet non funzioni correttamente. Vuoi provare a riparare WinGet?", + "Repair WinGet": "Ripara WinGet", + "Create .ps1 script": "Crea script .ps1", + "Add packages to bundle": "Aggiungi pacchetti alla raccolta", + "Preparing packages, please wait...": "Preparazione dei pacchetti, attendi...", + "Loading packages, please wait...": "Caricamento dei pacchetti, attendi...", + "Saving packages, please wait...": "Salvataggio dei pacchetti, attendi...", + "The bundle was created successfully on {0}": "La raccolta è stata creata correttamente il {0}", + "Install script": "Installa script", + "The installation script saved to {0}": "Lo script di installazione è stato salvato in {0}", + "An error occurred while attempting to create an installation script:": "Si è verificato un errore durante il tentativo di creare uno script di installazione:", + "{0} packages are being updated": "{0} pacchetti sono in fase di aggiornamento", + "Error": "Errore", + "Log in failed: ": "Accesso non riuscito:", + "Log out failed: ": "Disconnessione non riuscita:", + "Package backup settings": "Impostazioni di backup del pacchetto", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Ancora {0} in coda)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "David Senoner, @giacobot, @maicol07, @mapi68, @mrfranza, Rosario Di Mauro", "0 packages found": "0 pacchetti trovati", "0 updates found": "0 aggiornamenti trovati", - "1 - Errors": "1 - Errori", - "1 day": "1 giorno", - "1 hour": "1 ora", "1 month": "1 mese", "1 package was found": "È stato trovato 1 pacchetto", - "1 update is available": "È disponibile 1 aggiornamento", - "1 week": "1 settimana", "1 year": "1 anno", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Vai alla pagina \"{0}\" o \"{1}\".", - "2 - Warnings": "2 - Avvertimenti", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Individua i pacchetti che desideri aggiungere alla raccolta e seleziona la casella di controllo più a sinistra.", - "3 - Information (less)": "3 - Informazioni (meno)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Dopo aver selezionato i pacchetti che vuoi aggiungere alla raccolta, trova e fai clic sull'opzione \"{0}\" sulla barra degli strumenti.", - "4 - Information (more)": "4 - Informazioni (più)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. I tuoi pacchetti saranno stati aggiunti alla raccolta. Puoi continuare ad aggiungere pacchetti o esportare la raccolta.", - "5 - information (debug)": "5 - informazioni (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un popolare gestore di librerie C/C++. Pieno di librerie C/C++ e altre utilità correlate a C/C++
Contiene: librerie C/C++ e utilità correlate", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repository pieno di strumenti ed eseguibili progettati pensando all'ecosistema .NET di Microsoft.
Contiene: strumenti e script relativi a .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Un repository pieno di strumenti progettati pensando all'ecosistema .NET di Microsoft.
Contiene: strumenti correlati a .NET", "A restart is required": "È richiesto il riavvio", - "Abort install if pre-install command fails": "Interrompi l'installazione se il comando di pre-installazione fallisce", - "Abort uninstall if pre-uninstall command fails": "Interrompi la disinstallazione se il comando di pre-disinstallazione fallisce", - "Abort update if pre-update command fails": "Interrompi l'aggiornamento se il comando di pre-aggiornamento fallisce", - "About": "Informazioni su", "About Qt6": "Informazioni su Qt6", - "About WingetUI": "Informazioni su WingetUI", "About WingetUI version {0}": "Informazioni su WingetUI versione {0}", "About the dev": "Informazioni sullo sviluppatore", - "Accept": "Accetta", "Action when double-clicking packages, hide successful installations": "Azione quando si fa doppio clic sui pacchetti, nascondi le installazioni riuscite", - "Add": "Aggiungi", "Add a source to {0}": "Aggiungi una sorgente a {0}", - "Add a timestamp to the backup file names": "Aggiungi data e ora ai nomi dei file di backup", "Add a timestamp to the backup files": "Aggiungi data e ora ai file di backup", "Add packages or open an existing bundle": "Aggiungi pacchetti o apri una raccolta esistente", - "Add packages or open an existing package bundle": "Aggiungi pacchetti o apri una raccolta di pacchetti esistente", - "Add packages to bundle": "Aggiungi pacchetti alla raccolta", - "Add packages to start": "Aggiungi pacchetti per iniziare", - "Add selection to bundle": "Aggiungi selezione alla raccolta", - "Add source": "Aggiungi sorgente", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Aggiungi gli aggiornamenti che non riescono con un \"nessun aggiornamento applicabile trovato\" all'elenco degli aggiornamenti ignorati", - "Adding source {source}": "Aggiungi sorgente {source}", - "Adding source {source} to {manager}": "Aggiunta sorgente {source} a {manager}", "Addition succeeded": "Aggiunta riuscita", - "Administrator privileges": "Privilegi di amministratore", "Administrator privileges preferences": "Preferenze dei privilegi di amministratore", "Administrator rights": "Diritti di amministratore", - "Administrator rights and other dangerous settings": "Diritti di amministratore e altre impostazioni pericolose", - "Advanced options": "Opzioni avanzate", "All files": "Tutti i file", - "All versions": "Tutte le versioni", - "Allow changing the paths for package manager executables": "Consenti la modifica dei percorsi per gli eseguibili del gestore pacchetti", - "Allow custom command-line arguments": "Consenti argomenti personalizzati della riga di comando", - "Allow importing custom command-line arguments when importing packages from a bundle": "Consenti l'importazione di argomenti personalizzati dalla riga di comando durante l'importazione di pacchetti da una raccolta", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Consenti l'importazione di comandi pre-installazione e post-installazione personalizzati durante l'importazione di pacchetti da una raccolta", "Allow package operations to be performed in parallel": "Consenti esecuzione parallela delle operazioni sui pacchetti", "Allow parallel installs (NOT RECOMMENDED)": "Consenti installazioni parallele (NON CONSIGLIATO)", - "Allow pre-release versions": "Consenti le versioni di sviluppo", "Allow {pm} operations to be performed in parallel": "Consenti esecuzione in parallelo delle operazioni di {pm}", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "In alternativa, puoi anche installare {0} eseguendo il seguente comando in un prompt di Windows PowerShell:", "Always elevate {pm} installations by default": "Eleva sempre le installazioni di {pm} per impostazione predefinita", "Always run {pm} operations with administrator rights": "Esegui sempre le operazioni su {pm} con diritti di amministratore", - "An error occurred": "Si è verificato un errore", - "An error occurred when adding the source: ": "Si è verificato un errore durante l'aggiunta della sorgente:", - "An error occurred when attempting to show the package with Id {0}": "Si è verificato un errore durante il tentativo di mostrare il pacchetto con ID {0}", - "An error occurred when checking for updates: ": "Si è verificato un errore durante il controllo degli aggiornamenti:", - "An error occurred while attempting to create an installation script:": "Si è verificato un errore durante il tentativo di creare uno script di installazione:", - "An error occurred while loading a backup: ": "Si è verificato un errore durante il caricamento di un backup:", - "An error occurred while logging in: ": "Si è verificato un errore durante l'accesso:", - "An error occurred while processing this package": "Si è verificato un errore durante l'elaborazione di questo pacchetto", - "An error occurred:": "Si è verificato un errore:", - "An interal error occurred. Please view the log for further details.": "Si è verificato un errore interno. Visualizza il log per ulteriori dettagli.", "An unexpected error occurred:": "Si è verificato un errore imprevisto:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Si è verificato un problema imprevisto durante il tentativo di riparare WinGet. Riprova più tardi", - "An update was found!": "È stato trovato un aggiornamento!", - "Android Subsystem": "Sottosistema Android", "Another source": "Un'altra sorgente", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Tutti i nuovi collegamenti creati durante un'installazione o un'operazione di aggiornamento verranno eliminati automaticamente, anziché visualizzare una richiesta di conferma la prima volta che vengono rilevati.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Tutti i collegamenti creati o modificati al di fuori di UniGetUI saranno ignorati. Potrai aggiungerli tramite il pulsante {0}.", - "Any unsaved changes will be lost": "Tutte le modifiche non salvate andranno perse", "App Name": "Nome dell'app", - "Appearance": "Aspetto", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema dell'applicazione, pagina di avvio, icone del pacchetto, cancella automaticamente le installazioni riuscite", - "Application theme:": "Tema applicazione:", - "Apply": "Applica", - "Architecture to install:": "Architettura da installare:", "Are these screenshots wron or blurry?": "Questi screenshot sono sbagliati o sfocati?", - "Are you really sure you want to enable this feature?": "Sei davvero sicuro di voler abilitare questa funzione?", - "Are you sure you want to create a new package bundle? ": "Sei sicuro di voler creare una nuova raccolta di pacchetti?", - "Are you sure you want to delete all shortcuts?": "Vuoi davvero eliminare tutti i collegamenti?", - "Are you sure?": "Sei sicuro?", - "Ascendant": "Ascendente", - "Ask for administrator privileges once for each batch of operations": "Richiedi una sola volta i privilegi di amministratore per ogni operazione in serie", "Ask for administrator rights when required": "Richiedi i diritti di amministratore quando richiesto", "Ask once or always for administrator rights, elevate installations by default": "Richiedi una volta o sempre i diritti di amministratore, eleva le installazioni per impostazione predefinita", - "Ask only once for administrator privileges": "Richiedi solo una volta i privilegi di amministratore", "Ask only once for administrator privileges (not recommended)": "Richiedi una sola volta i privilegi di amministratore (non consigliato)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Richiedi di eliminare i collegamenti sul desktop creati durante un'installazione o un aggiornamento.", - "Attention required": "È richiesta attenzione", "Authenticate to the proxy with an user and a password": "Autenticazione al proxy con utente e password", - "Author": "Autore", - "Automatic desktop shortcut remover": "Rimozione automatica dei collegamenti dal desktop\n", - "Automatic updates": "Aggiornamenti automatici", - "Automatically save a list of all your installed packages to easily restore them.": "Salva automaticamente un elenco di tutti i pacchetti installati per ripristinarli facilmente.", "Automatically save a list of your installed packages on your computer.": "Salva automaticamente l'elenco dei pacchetti installati sul computer.", - "Automatically update this package": "Aggiorna automaticamente questo pacchetto", "Autostart WingetUI in the notifications area": "Avvia automaticamente WingetUI nell'area delle notifiche", - "Available Updates": "Aggiornamenti disponibili", "Available updates: {0}": "Aggiornamenti disponibili: {0}", "Available updates: {0}, not finished yet...": "Aggiornamenti disponibili: {0}, ma non ho ancora terminato il controllo...", - "Backing up packages to GitHub Gist...": "Backup dei pacchetti su GitHub Gist...", - "Backup": "Esegui backup", - "Backup Failed": "Backup non riuscito", - "Backup Successful": "Backup riuscito", - "Backup and Restore": "Backup e ripristino", "Backup installed packages": "Backup dei pacchetti installati", "Backup location": "Posizione del backup", - "Become a contributor": "Diventa un collaboratore", - "Become a translator": "Diventa un traduttore", - "Begin the process to select a cloud backup and review which packages to restore": "Inizia il processo per selezionare un backup dal cloud e rivedere quali pacchetti ripristinare", - "Beta features and other options that shouldn't be touched": "Funzionalità beta e altre opzioni che non dovrebbero essere toccate", - "Both": "Entrambi", - "Bundle security report": "Rapporto sulla sicurezza delle raccolte", "But here are other things you can do to learn about WingetUI even more:": "Ma ecco altre cose che puoi fare per conoscere ancora di più WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Disattivando un gestore pacchetti, non sarai più in grado di vedere o aggiornare i suoi pacchetti.", "Cache administrator rights and elevate installers by default": "Memorizza i diritti di amministratore ed eleva i programmi di installazione per impostazione predefinita", "Cache administrator rights, but elevate installers only when required": "Memorizza i diritti di amministratore, ma eleva i programmi di installazione solo quando richiesto", "Cache was reset successfully!": "La cache è stata reimpostata correttamente!", "Can't {0} {1}": "Impossibile {0} {1}", - "Cancel": "Annulla", "Cancel all operations": "Annulla tutte le operazioni", - "Change backup output directory": "Modifica cartella di destinazione del backup", - "Change default options": "Modifica le opzioni predefinite", - "Change how UniGetUI checks and installs available updates for your packages": "Modifica il modo in cui UniGetUI controlla e installa gli aggiornamenti disponibili per i tuoi pacchetti", - "Change how UniGetUI handles install, update and uninstall operations.": "Modifica il modo in cui UniGetUI gestisce le operazioni di installazione, aggiornamento e disinstallazione.", "Change how UniGetUI installs packages, and checks and installs available updates": "Modifica il modo in cui UniGetUI installa i pacchetti e controlla e installa gli aggiornamenti disponibili", - "Change how operations request administrator rights": "Modifica il modo in cui le operazioni richiedono i diritti di amministratore", "Change install location": "Modifica il percorso di installazione", - "Change this": "Modifica questo", - "Change this and unlock": "Modifica questo e sblocca", - "Check for package updates periodically": "Controlla periodicamente gli aggiornamenti dei pacchetti", - "Check for updates": "Controlla aggiornamenti", - "Check for updates every:": "Controlla aggiornamenti ogni:", "Check for updates periodically": "Controlla aggiornamenti periodicamente", "Check for updates regularly, and ask me what to do when updates are found.": "Controlla regolarmente gli aggiornamenti e chiedimi cosa fare quando viene rilevato un nuovo aggiornamento.", "Check for updates regularly, and automatically install available ones.": "Controlla regolarmente gli aggiornamenti e installa automaticamente quelli disponibili.", @@ -159,805 +741,283 @@ "Checking for updates...": "Controllo aggiornamenti...", "Checking found instace(s)...": "Controllo istanze trovate...", "Choose how many operations shouls be performed in parallel": "Scegli quante operazioni devono essere eseguite in parallelo", - "Clear cache": "Svuota cache", "Clear finished operations": "Cancella le operazioni terminate", - "Clear selection": "Cancella selezione", "Clear successful operations": "Cancella le operazioni riuscite", - "Clear successful operations from the operation list after a 5 second delay": "Cancella le operazioni riuscite dall'elenco delle operazioni dopo un ritardo di 5 secondi", "Clear the local icon cache": "Svuota cache delle icone locali", - "Clearing Scoop cache - WingetUI": "Svuotamento cache di Scoop: WingetUI", "Clearing Scoop cache...": "Svuotamento cache di Scoop...", - "Click here for more details": "Fai clic qui per maggiori dettagli", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Fai clic su Installa per avviare il processo di installazione. Se salti l'installazione, UniGetUI potrebbe non funzionare come previsto.", - "Close": "Chiudi", - "Close UniGetUI to the system tray": "Chiudi UniGetUI nella barra delle applicazioni", "Close WingetUI to the notification area": "Chiudi WingetUI nell'area di notifica", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Il backup sul cloud utilizza un GitHub Gist privato per archiviare un elenco dei pacchetti installati", - "Cloud package backup": "Backup dei pacchetti sul cloud", "Command-line Output": "Output della riga di comando", - "Command-line to run:": "Riga di comando per eseguire:", "Compare query against": "Confronta la query con", - "Compatible with authentication": "Compatibile con autenticazione", - "Compatible with proxy": "Compatibile con proxy", "Component Information": "Informazioni sui componenti", - "Concurrency and execution": "Concorrenza ed esecuzione", - "Connect the internet using a custom proxy": "Connettiti a Internet utilizzando un proxy personalizzato", - "Continue": "Continua", "Contribute to the icon and screenshot repository": "Contribuisci al repository di icone e screenshot", - "Contributors": "Collaboratori", "Copy": "Copia", - "Copy to clipboard": "Copia negli appunti", - "Could not add source": "Impossibile aggiungere la sorgente", - "Could not add source {source} to {manager}": "Impossibile aggiungere la sorgente {source} a {manager}", - "Could not back up packages to GitHub Gist: ": "Impossibile eseguire il backup dei pacchetti su GitHub Gist:", - "Could not create bundle": "Impossibile creare la raccolta", "Could not load announcements - ": "Impossibile caricare gli annunci:", "Could not load announcements - HTTP status code is $CODE": "Impossibile caricare gli annunci: il codice di stato HTTP è $CODE", - "Could not remove source": "Impossibile rimuovere la sorgente", - "Could not remove source {source} from {manager}": "Impossibile rimuovere la sorgente {source} da {manager}", "Could not remove {source} from {manager}": "Impossibile rimuovere {source} da {manager}", - "Create .ps1 script": "Crea script .ps1", - "Credentials": "Credenziali", "Current Version": "Versione attuale", - "Current executable file:": "File eseguibile attuale:", - "Current status: Not logged in": "Stato attuale: Non connesso", "Current user": "Utente attuale", "Custom arguments:": "Argomenti personalizzati:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Gli argomenti personalizzati della riga di comando possono modificare il modo in cui i programmi vengono installati, aggiornati o disinstallati, in un modo che UniGetUI non può controllare. L'utilizzo di righe di comando personalizzate può danneggiare i pacchetti. Procedi con cautela.", "Custom command-line arguments:": "Argomenti a linea di comando personalizzati:", - "Custom install arguments:": "Argomenti di installazione personalizzati:", - "Custom uninstall arguments:": "Argomenti di disinstallazione personalizzati:", - "Custom update arguments:": "Argomenti di aggiornamento personalizzati:", "Customize WingetUI - for hackers and advanced users only": "Impostazioni avanzate (solo per utenti esperti e hacker)", - "DEBUG BUILD": "DEBUG COMPILAZIONE", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ESCLUSIONE DI RESPONSABILITÀ: NON SIAMO RESPONSABILI DEI PACCHETTI SCARICATI. ASSICURATI DI INSTALLARE SOLO SOFTWARE AFFIDABILI.", - "Dark": "Scuro", - "Decline": "Rifiuta", - "Default": "Predefinito", - "Default installation options for {0} packages": "Opzioni di installazione predefinite per i pacchetti {0}", "Default preferences - suitable for regular users": "Impostazioni predefinite (adatte per la maggior parte degli utenti)", - "Default vcpkg triplet": "Triplet predefinito di vcpkg", - "Delete?": "Eliminare?", - "Dependencies:": "Dipendenze:", - "Descendant": "Discendente", "Description:": "Descrizione:", - "Desktop shortcut created": "Collegamento sul desktop creato", - "Details of the report:": "Dettagli del rapporto:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Sviluppare è difficile e questa applicazione è gratuita. Ma se ti è piaciuta, puoi sempre offrirmi un caffè :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installa con doppio clic su un elemento nella scheda \"{discoveryTab}\" (invece di mostrare le informazioni sul pacchetto)", "Disable new share API (port 7058)": "Disabilita la nuova API di condivisione (porta 7058)", - "Disable the 1-minute timeout for package-related operations": "Disabilita il timeout di 1 minuto per le operazioni relative al pacchetto", - "Disabled": "Disabilitato", - "Disclaimer": "Esclusione di responsabilità", - "Discover Packages": "Ricerca pacchetti", "Discover packages": "Ricerca pacchetti", "Distinguish between\nuppercase and lowercase": "Distingui tra maiuscole e minuscole", - "Distinguish between uppercase and lowercase": "Distingui tra maiuscole e minuscole", "Do NOT check for updates": "NON controllare aggiornamenti", "Do an interactive install for the selected packages": "Esegui un'installazione interattiva per i pacchetti selezionati", "Do an interactive uninstall for the selected packages": "Esegui una disinstallazione interattiva per i pacchetti selezionati", "Do an interactive update for the selected packages": "Esegui un aggiornamento interattivo per i pacchetti selezionati", - "Do not automatically install updates when the battery saver is on": "Non installare automaticamente gli aggiornamenti quando il risparmio batteria è attivo", - "Do not automatically install updates when the device runs on battery": "Non installare automaticamente gli aggiornamenti quando il dispositivo funziona a batteria", - "Do not automatically install updates when the network connection is metered": "Non installare automaticamente gli aggiornamenti quando la connessione di rete è a consumo", "Do not download new app translations from GitHub automatically": "Non scaricare automaticamente nuove traduzioni dell'app da Github", - "Do not ignore updates for this package anymore": "Non ignorare più gli aggiornamenti per questo pacchetto", "Do not remove successful operations from the list automatically": "Non rimuovere automaticamente le operazioni riuscite dall'elenco", - "Do not show this dialog again for {0}": "Non mostrare più questa finestra di dialogo per {0}", "Do not update package indexes on launch": "Non aggiornare gli indici dei pacchetti all'avvio", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accetti che UniGetUI raccolga e invii statistiche anonime sull'utilizzo, con l'unico scopo di comprendere e migliorare l'esperienza dell'utente?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Trovi utile WingetUI? Se hai la possibilità, potresti supportare il mio lavoro per permettermi di continuare a rendere WingetUI l'interfaccia definitiva per la gestione dei pacchetti.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Trovi utile WingetUI? Vorresti supportare lo sviluppatore? Se è così, potresti {0}, per me sarebbe un grande aiuto!", - "Do you really want to reset this list? This action cannot be reverted.": "Vuoi davvero reimpostare questo elenco? Questa azione non può essere annullata.", - "Do you really want to uninstall the following {0} packages?": "Vuoi davvero disinstallare i seguenti {0} pacchetti?", "Do you really want to uninstall {0} packages?": "Vuoi veramente disinstallare {0} pacchetti?", - "Do you really want to uninstall {0}?": "Vuoi veramente disinstallare {0}?", "Do you want to restart your computer now?": "Vuoi riavviare il computer adesso?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Vuoi tradurre WingetUI nella tua lingua? Scopri come essere parte attiva del progetto QUI!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Non ti senti di fare una donazione? Non preoccuparti, puoi sempre condividere WingetUI con i tuoi amici. Spargi la voce su WingetUI.", "Donate": "Donazione", - "Done!": "Fatto!", - "Download failed": "Scaricamento non riuscito", - "Download installer": "Scarica programma di installazione", - "Download operations are not affected by this setting": "Le operazioni di scaricamento non sono influenzate da questa impostazione", - "Download selected installers": "Scarica programmi di installazione selezionati", - "Download succeeded": "Scaricamento riuscito", "Download updated language files from GitHub automatically": "Scarica automaticamente da GitHub le traduzioni aggiornate", - "Downloading": "Scaricamento", - "Downloading backup...": "Scaricamento del backup...", - "Downloading installer for {package}": "Scaricamento del programma di installazione per {package}", - "Downloading package metadata...": "Scaricamento dei metadati del pacchetto in corso...", - "Enable Scoop cleanup on launch": "Abilita pulizia di Scoop all'avvio", - "Enable WingetUI notifications": "Abilita notifiche di WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Abilita uno strumento di risoluzione dei problemi WinGet migliorato [sperimentale]", - "Enable and disable package managers, change default install options, etc.": "Abilita e disabilita i gestori di pacchetti, modifica le opzioni di installazione predefinite e altro", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Abilita le ottimizzazioni dell'utilizzo della CPU in background (vedi Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Abilita API in background (widget e condivisione WingetUI, porta 7058)", - "Enable it to install packages from {pm}.": "Abilita per installare pacchetti da {pm}.", - "Enable the automatic WinGet troubleshooter": "Abilita risoluzione automatica dei problemi di WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Abilita il nuovo elevatore UAC con marchio UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Abilita il nuovo gestore di input del processo (chiusura automatica StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Abilita le impostazioni sottostanti solo se hai compreso completamente a cosa servono e quali implicazioni potrebbero avere.", - "Enable {pm}": "Abilita {pm}", - "Enabled": "Abilitato", - "Enter proxy URL here": "Inserisci qui l'URL del proxy", - "Entries that show in RED will be IMPORTED.": "Le voci visualizzate in ROSSO verranno IMPORTATE.", - "Entries that show in YELLOW will be IGNORED.": "Le voci visualizzate in GIALLO verranno IGNORATE.", - "Error": "Errore", - "Everything is up to date": "Tutto aggiornato", - "Exact match": "Corrispondenza esatta", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Verranno analizzati i collegamenti presenti sul desktop e sarà necessario scegliere quali mantenere e quali rimuovere.", - "Expand version": "Espandi versione", - "Experimental settings and developer options": "Impostazioni sperimentali e opzioni sviluppatore", - "Export": "Esporta", + "Downloading": "Scaricamento", + "Downloading installer for {package}": "Scaricamento del programma di installazione per {package}", + "Downloading package metadata...": "Scaricamento dei metadati del pacchetto in corso...", + "Enable the new UniGetUI-Branded UAC Elevator": "Abilita il nuovo elevatore UAC con marchio UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Abilita il nuovo gestore di input del processo (chiusura automatica StdIn)", "Export log as a file": "Esporta log in un file", "Export packages": "Esporta pacchetti", "Export selected packages to a file": "Esporta pacchetti selezionati in un file", - "Export settings to a local file": "Esporta impostazioni in un file locale", - "Export to a file": "Esporta in un file", - "Failed": "Non riuscito", - "Fetching available backups...": "Recupero dei backup disponibili...", "Fetching latest announcements, please wait...": "Recupero degli ultimi annunci, attendi...", - "Filters": "Filtri", "Finish": "Fine", - "Follow system color scheme": "Segui schema dei colori di sistema", - "Follow the default options when installing, upgrading or uninstalling this package": "Segui le opzioni predefinite durante l'installazione, l'aggiornamento o la disinstallazione di questo pacchetto", - "For security reasons, changing the executable file is disabled by default": "Per motivi di sicurezza, la modifica del file eseguibile è disabilitata per impostazione predefinita", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Per motivi di sicurezza, gli argomenti personalizzati della riga di comando sono disabilitati per impostazione predefinita. Per modificare questa impostazione, vai alle impostazioni di sicurezza di UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Per motivi di sicurezza, gli script pre-operazione e post-operazione sono disabilitati per impostazione predefinita. Per modificare questa impostazione, vai alle impostazioni di sicurezza di UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Usa la versione di Winget compilata per ARM (SOLO PER SISTEMI ARM64)", - "Force install location parameter when updating packages with custom locations": "Forza il parametro di posizione di installazione quando aggiorni pacchetti con posizioni personalizzate", "Formerly known as WingetUI": "Precedentemente noto come WingetUI", "Found": "Trovato", "Found packages: ": "Pacchetti trovati:", "Found packages: {0}": "Pacchetti trovati: {0}", "Found packages: {0}, not finished yet...": "Pacchetti trovati: {0}, non ho ancora terminato...", - "General preferences": "Preferenze generali", "GitHub profile": "profilo Github", "Global": "Globale", - "Go to UniGetUI security settings": "Vai alle impostazioni di sicurezza di UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Ottimo repository di strumenti sconosciuti ma utili e altri pacchetti interessanti.
Contiene: strumenti, programmi a riga di comando, software generici (è necessario un bucket extra)", - "Great! You are on the latest version.": "Ottimo! Sei all'ultima versione.", - "Grid": "Griglia", - "Help": "Aiuto", "Help and documentation": "Aiuto e documentazione", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Qui puoi modificare il comportamento di UniGetUI relativamente ai collegamenti seguenti. Selezionando un collegamento UniGetUI lo eliminerà se verrà creato in un futuro aggiornamento. Deselezionandolo, il collegamento rimarrà intatto", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Ciao, mi chiamo Martí e sono lo sviluppatore di WingetUI. WingetUI è stato realizzato interamente nel mio tempo libero!", "Hide details": "Nascondi dettagli", - "Homepage": "Pagina iniziale", - "Hooray! No updates were found.": "Evviva! Non ci sono aggiornamenti!", "How should installations that require administrator privileges be treated?": "Come dovrebbero essere trattate le installazioni che richiedono privilegi amministrativi?", - "How to add packages to a bundle": "Come aggiungere pacchetti a una raccolta", - "I understand": "Capisco", - "Icons": "Icone", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Se hai abilitato il backup sul cloud, verrà salvato come GitHub Gist su questo account", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Ignora i comandi di pre-installazione e post-installazione personalizzati quando importi pacchetti da una raccolta", - "Ignore future updates for this package": "Ignora aggiornamenti futuri per questo pacchetto", - "Ignore packages from {pm} when showing a notification about updates": "Ignora i pacchetti da {pm} quando viene mostrata una notifica sugli aggiornamenti", - "Ignore selected packages": "Ignora pacchetti selezionati", - "Ignore special characters": "Ignora caratteri speciali", "Ignore updates for the selected packages": "Ignora aggiornamenti per i pacchetti selezionati", - "Ignore updates for this package": "Ignora aggiornamenti per questo pacchetto", "Ignored updates": "Aggiornamenti ignorati", - "Ignored version": "Versione ignorata", - "Import": "Importa", "Import packages": "Importa pacchetti", "Import packages from a file": "Importa pacchetti da un file", - "Import settings from a local file": "Importa impostazioni da un file locale", - "In order to add packages to a bundle, you will need to: ": "Per aggiungere pacchetti a una raccolta, è necessario:", "Initializing WingetUI...": "Inizializzazione di WingetUI...", - "Install": "Installa", - "Install Scoop": "Installa Scoop", "Install and more": "Installazioni e altro", "Install and update preferences": "Installa e aggiorna le preferenze", - "Install as administrator": "Installa come amministratore", - "Install available updates automatically": "Installa automaticamente gli aggiornamenti disponibili", - "Install location can't be changed for {0} packages": "Il percorso di installazione non può essere modificato per i pacchetti {0}", - "Install location:": "Percorso di installazione:", - "Install options": "Opzioni di installazione", "Install packages from a file": "Installa pacchetti da un file", - "Install prerelease versions of UniGetUI": "Installa le versioni di sviluppo di UniGetUI", - "Install script": "Installa script", "Install selected packages": "Installa pacchetti selezionati", "Install selected packages with administrator privileges": "Installa pacchetti selezionati con privilegi di amministratore", - "Install selection": "Installa selezione", "Install the latest prerelease version": "Installa ultima versione di sviluppo", "Install updates automatically": "Installa automaticamente gli aggiornamenti", - "Install {0}": "Installa {0}", "Installation canceled by the user!": "Installazione annullata dall'utente!", - "Installation failed": "Installazione non riuscita", - "Installation options": "Opzioni installazione", - "Installation scope:": "Modalità di installazione:", - "Installation succeeded": "Installazione riuscita", - "Installed Packages": "Pacchetti installati", - "Installed Version": "Versione installata", "Installed packages": "Pacchetti installati", - "Installer SHA256": "SHA512 installer", - "Installer SHA512": "SHA512 installer", - "Installer Type": "Tipo installer", - "Installer URL": "URL installer", - "Installer not available": "Programma di installazione non disponibile", "Instance {0} responded, quitting...": "L'istanza {0} ha risposto, in chiusura...", - "Instant search": "Ricerca istantanea", - "Integrity checks can be disabled from the Experimental Settings": "I controlli di integrità possono essere disabilitati dalle Impostazioni sperimentali", - "Integrity checks skipped": "Controlli di integrità saltati", - "Integrity checks will not be performed during this operation": "Durante questa operazione non verranno eseguiti controlli di integrità", - "Interactive installation": "Installazione interattiva", - "Interactive operation": "Operazione interattiva", - "Interactive uninstall": "Disinstallazione interattiva", - "Interactive update": "Aggiornamento interattivo", - "Internet connection settings": "Impostazioni connessione Internet", - "Invalid selection": "Selezione non valida", "Is this package missing the icon?": "Manca l'icona di questo pacchetto?", - "Is your language missing or incomplete?": "La tua lingua manca o è incompleta?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Non è garantito che le credenziali fornite verranno conservate in modo sicuro, quindi potresti anche non utilizzare le credenziali del tuo conto bancario", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Si consiglia di riavviare UniGetUI dopo che WinGet è stato riparato", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Si consiglia vivamente di reinstallare UniGetUI per risolvere il problema.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Sembra che WinGet non funzioni correttamente. Vuoi provare a riparare WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Sembra che tu abbia eseguito WingetUI come amministratore, il che non è consigliato. Puoi comunque utilizzare il programma, ma ti consigliamo vivamente di non eseguire WingetUI con privilegi di amministratore. Fai clic su \"{showDetails}\" per scoprire il motivo.", - "Language": "Lingua", - "Language, theme and other miscellaneous preferences": "Lingua, tema e altre preferenze", - "Last updated:": "Ultimo aggiornamento:", - "Latest": "Più recente", "Latest Version": "Versione più recente", "Latest Version:": "Versione più recente:", "Latest details...": "Ultimi dettagli...", "Launching subprocess...": "Avvio del sottoprocesso...", - "Leave empty for default": "Lascia vuoto per impostazione predefinita", - "License": "Licenza", "Licenses": "Licenze", - "Light": "Chiaro", - "List": "Elenco", "Live command-line output": "Output a riga di comando in tempo reale", - "Live output": "Output in tempo reale", "Loading UI components...": "Caricamento componenti UI...", "Loading WingetUI...": "Caricamento WingetUI...", - "Loading packages": "Caricamento pacchetti", - "Loading packages, please wait...": "Caricamento dei pacchetti, attendi...", - "Loading...": "Caricamento...", - "Local": "Locale", - "Local PC": "PC locale", - "Local backup advanced options": "Opzioni avanzate del backup locale", "Local machine": "Macchina locale", - "Local package backup": "Backup locale del pacchetto", "Locating {pm}...": "Individuazione di {pm}...", - "Log in": "Accesso", - "Log in failed: ": "Accesso non riuscito:", - "Log in to enable cloud backup": "Accedi per abilitare il backup su cloud", - "Log in with GitHub": "Accedi con GitHub", - "Log in with GitHub to enable cloud package backup.": "Accedi con GitHub per abilitare il backup dei pacchetti sul cloud.", - "Log level:": "Livello di log:", - "Log out": "Disconnessione", - "Log out failed: ": "Disconnessione non riuscita:", - "Log out from GitHub": "Disconnessione da GitHub", "Looking for packages...": "Alla ricerca di pacchetti...", "Machine | Global": "Macchina | Globale", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argomenti della riga di comando non validi possono danneggiare i pacchetti o persino consentire a un malintenzionato di ottenere privilegi di esecuzione. Pertanto, l'importazione di argomenti della riga di comando personalizzati è disabilitata per impostazione predefinita.", - "Manage": "Gestisci", - "Manage UniGetUI settings": "Gestisci le impostazioni di UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Gestisci il comportamento di avvio automatico di WingetUI dall'app Impostazioni", "Manage ignored packages": "Gestisci pacchetti ignorati", - "Manage ignored updates": "Gestisci aggiornamenti ignorati", - "Manage shortcuts": "Gestisci collegamenti", - "Manage telemetry settings": "Gestisci le impostazioni di telemetria", - "Manage {0} sources": "Gestisci {0} sorgenti", - "Manifest": "Manifesto", "Manifests": "Manifesti", - "Manual scan": "Scansione manuale", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Il gestore pacchetti ufficiale di Microsoft. Pieno di pacchetti noti e verificati.
Contiene: software generico, app dal Microsoft Store", - "Missing dependency": "Dipendenza mancante", - "More": "Altro", - "More details": "Più dettagli", - "More details about the shared data and how it will be processed": "Maggiori dettagli sui dati condivisi e su come verranno elaborati", - "More info": "Più informazioni", - "More than 1 package was selected": "È stato selezionato più di 1 pacchetto", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: questo strumento di risoluzione dei problemi può essere disabilitato dalle impostazioni di UniGetUI, nella sezione WinGet", - "Name": "Nome", - "New": "Nuovo", "New Version": "Nuova versione", "New bundle": "Nuova raccolta", - "New version": "Nuova versione", - "Nice! Backups will be uploaded to a private gist on your account": "Perfetto! I backup verranno caricati su un gist privato sul tuo account.", - "No": "No", - "No applicable installer was found for the package {0}": "Non è stato trovato alcun programma di installazione applicabile per il pacchetto {0}", - "No dependencies specified": "Nessuna dipendenza specificata", - "No new shortcuts were found during the scan.": "Durante la scansione non sono stati trovati nuovi collegamenti.", - "No package was selected": "Nessun pacchetto selezionato", "No packages found": "Nessun pacchetto trovato", "No packages found matching the input criteria": "Nessun pacchetto trovato con i criteri inseriti", "No packages have been added yet": "Nessun pacchetto è stato ancora aggiunto", "No packages selected": "Nessun pacchetto selezionato", - "No packages were found": "Nessun pacchetto trovato", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Non vengono raccolte né inviate informazioni personali e i dati raccolti vengono resi anonimi, quindi non è possibile risalire alla tua identità.", - "No results were found matching the input criteria": "Nessun risultato corrispondente ai criteri di ricerca", "No sources found": "Nessuna sorgente trovata", "No sources were found": "Non è stata trovata alcuna sorgente", "No updates are available": "Nessun aggiornamento disponibile", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Il gestore pacchetti di Node JS. Pieno di librerie e altre strumenti che orbitano attorno al mondo javascript.
Contiene: librerie javascript Node e altri strumenti correlati", - "Not available": "Non disponibile", - "Not finding the file you are looking for? Make sure it has been added to path.": "Non trovi il file che stai cercando? Assicurati che sia stato aggiunto al percorso.", - "Not found": "Non trovato", - "Not right now": "Non adesso", "Notes:": "Note:", - "Notification preferences": "Preferenze di notifica", "Notification tray options": "Opzioni della barra delle notifiche", - "Notification types": "Tipi di notifica", - "NuPkg (zipped manifest)": "NuPkg (manifesto compresso)", - "OK": "OK", "Ok": "Va bene", - "Open": "Apri", "Open GitHub": "Apri GitHub", - "Open UniGetUI": "Apri UniGetUI", - "Open UniGetUI security settings": "Apri le impostazioni di sicurezza di UniGetUI", "Open WingetUI": "Apri WingetUI", "Open backup location": "Apri la posizione di backup", "Open existing bundle": "Apri raccolta esistente", - "Open install location": "Apri posizione di installazione", "Open the welcome wizard": "Apri procedura guidata di benvenuto", - "Operation canceled by user": "Operazione annullata dall'utente", "Operation cancelled": "Operazione annullata", - "Operation history": "Cronologia operazioni", - "Operation in progress": "Operazione in corso", - "Operation on queue (position {0})...": "Operazione in coda (posizione {0})...", - "Operation profile:": "Profilo operativo:", "Options saved": "Opzioni salvate", - "Order by:": "Ordina per:", - "Other": "Altro", - "Other settings": "Altre impostazioni", - "Package": "Pacchetto", - "Package Bundles": "Raccolte pacchetti", - "Package ID": "ID pacchetto", "Package Manager": "Gestore pacchetti", - "Package Manager logs": "Log gestore pacchetti", - "Package Managers": "Gestori pacchetti", - "Package Name": "Nome pacchetto", - "Package backup": "Backup pacchetto", - "Package backup settings": "Impostazioni di backup del pacchetto", - "Package bundle": "Raccolta pacchetti", - "Package details": "Dettagli pacchetto", - "Package lists": "Elenchi pacchetti", - "Package management made easy": "La gestione dei pacchetti diventa incredibilmente facile", - "Package manager": "Gestore pacchetti", - "Package manager preferences": "Preferenze del gestore pacchetti", "Package managers": "Gestori pacchetti", - "Package not found": "Pacchetto non trovato", - "Package operation preferences": "Preferenze per le operazioni sui pacchetti", - "Package update preferences": "Preferenze di aggiornamento dei pacchetti", "Package {name} from {manager}": "Pacchetto {name} da {manager}", - "Package's default": "Predefinito del pacchetto", "Packages": "Pacchetti", "Packages found: {0}": "Pacchetti trovati: {0}", - "Partially": "Parzialmente", - "Password": "Password di accesso", "Paste a valid URL to the database": "Incolla un URL valido nel database", - "Pause updates for": "Sospendi aggiornamenti per", "Perform a backup now": "Esegui subito un backup", - "Perform a cloud backup now": "Esegui subito un backup sul cloud", - "Perform a local backup now": "Esegui subito un backup locale", - "Perform integrity checks at startup": "Esegui controlli di integrità all'avvio", - "Performing backup, please wait...": "Esecuzione del backup, attendi...", "Periodically perform a backup of the installed packages": "Esegui periodicamente un backup dei pacchetti installati", - "Periodically perform a cloud backup of the installed packages": "Esegui periodicamente un backup sul cloud dei pacchetti installati", - "Periodically perform a local backup of the installed packages": "Esegui periodicamente un backup locale dei pacchetti installati", - "Please check the installation options for this package and try again": "Controlla le opzioni di installazione per questo pacchetto e riprova", - "Please click on \"Continue\" to continue": "Fai clic su \"Continua\" per continuare", "Please enter at least 3 characters": "Inserisci almeno 3 caratteri", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Tieni presente che alcuni pacchetti potrebbero non essere installabili a causa dei gestori di pacchetti abilitati su questa macchina.", - "Please note that not all package managers may fully support this feature": "Tieni presente che non tutti i gestori di pacchetti potrebbero supportare completamente questa funzionalità", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Tieni presente che i pacchetti provenienti da alcune sorgenti potrebbero non essere esportabili. Sono stati disattivati e quindi non verranno esportati.", - "Please run UniGetUI as a regular user and try again.": "Esegui UniGetUI come utente normale e riprova.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Per ulteriori informazioni sul problema, consulta l'output della riga di comando o fai riferimento alla cronologia delle operazioni.", "Please select how you want to configure WingetUI": "Seleziona come desideri configurare WingetUI", - "Please try again later": "Riprova più tardi", "Please type at least two characters": "Digita almeno due caratteri", - "Please wait": "Attendi", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Attendi mentre {0} viene installato. Potrebbe apparire una finestra nera. Attendi che si chiuda.", - "Please wait...": "Attendi...", "Portable": "Portatile", - "Portable mode": "Modalità portatile", - "Post-install command:": "Comando post-installazione:", - "Post-uninstall command:": "Comando post-disinstallazione:", - "Post-update command:": "Comando post-aggiornamento:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Il gestore pacchetti di PowerShell. Trova librerie e script per espandere le funzionalità di PowerShell.
Contiene: moduli, script, cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "I comandi pre e post installazione possono avere effetti molto dannosi sul dispositivo, se progettati per questo scopo. Può essere molto pericoloso importare i comandi da una raccolta, a meno che non ci si fidi della sorgente di quel pacchetto.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "I comandi pre e post installazione verranno eseguiti prima e dopo l'installazione, l'aggiornamento o la disinstallazione di un pacchetto. Si prega di notare che potrebbero causare problemi se non utilizzati con attenzione.", - "Pre-install command:": "Comando pre-installazione:", - "Pre-uninstall command:": "Comando pre-disinstallazione:", - "Pre-update command:": "Comando pre-aggiornamento:", - "PreRelease": "Versione di sviluppo", - "Preparing packages, please wait...": "Preparazione dei pacchetti, attendi...", - "Proceed at your own risk.": "Procedi a tuo rischio e pericolo.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Vieta qualsiasi tipo di elevazione tramite UniGetUI Elevator o GSudo", - "Proxy URL": "URL proxy", - "Proxy compatibility table": "Tabella di compatibilità dei proxy", - "Proxy settings": "Impostazioni proxy", - "Proxy settings, etc.": "Impostazioni proxy e altro", "Publication date:": "Data pubblicazione:", - "Publisher": "Editore", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Il gestore libreria di Python. Pieno di librerie Python e altri strumenti relativi a Python.
Contiene: librerie Python e strumenti correlati", - "Quit": "Esci", "Quit WingetUI": "Esci da WingetUI", - "Ready": "Pronto", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Riduci le richieste UAC, eleva le installazioni per impostazione predefinita, sblocca determinate funzionalità pericolose e altro", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Fai riferimento ai log di UniGetUI per ottenere maggiori dettagli sui file interessati", - "Reinstall": "Reinstalla", - "Reinstall package": "Reinstalla pacchetto", - "Related settings": "Impostazioni correlate", - "Release notes": "Note sulla versione", - "Release notes URL": "URL note sulla versione", "Release notes URL:": "URL note sulla versione:", "Release notes:": "Note sulla versione:", "Reload": "Ricarica", - "Reload log": "Ricarica log", "Removal failed": "Rimozione non riuscita", "Removal succeeded": "Rimozione riuscita", - "Remove from list": "Rimuovi dall'elenco", "Remove permanent data": "Rimuovi dati permanenti", - "Remove selection from bundle": "Rimuovi selezione dalla raccolta", "Remove successful installs/uninstalls/updates from the installation list": "Rimuovi installazioni/disinstallazioni/aggiornamenti riusciti dall'elenco delle installazioni", - "Removing source {source}": "Rimozione della sorgente {source}", - "Removing source {source} from {manager}": "Rimozione sorgente {source} da {manager}", - "Repair UniGetUI": "Ripara UniGetUI", - "Repair WinGet": "Ripara WinGet", - "Report an issue or submit a feature request": "Segnala un problema o invia una richiesta di funzionalità", "Repository": "Archivio", - "Reset": "Reimposta", "Reset Scoop's global app cache": "Reimposta la cache globale dell'app di Scoop", - "Reset UniGetUI": "Reimposta UniGetUI", - "Reset WinGet": "Reimposta WinGet", "Reset Winget sources (might help if no packages are listed)": "Reimposta le sorgenti Winget (potrebbe aiutare se non sono elencati pacchetti)", - "Reset WingetUI": "Reimposta WingetUI", "Reset WingetUI and its preferences": "Reimposta WingetUI e le sue preferenze", "Reset WingetUI icon and screenshot cache": "Reimposta la cache delle icone e degli screenshot di WingetUI", - "Reset list": "Reimposta elenco", "Resetting Winget sources - WingetUI": "Reimpostazione sorgenti di Winget: WingetUI", - "Restart": "Riavvia", - "Restart UniGetUI": "Riavvia UniGetUI", - "Restart WingetUI": "Riavvia WingetUI", - "Restart WingetUI to fully apply changes": "Riavvia WingetUI per applicare completamente le modifiche", - "Restart later": "Riavvia più tardi", "Restart now": "Riavvia adesso", - "Restart required": "Riavvio richiesto", - "Restart your PC to finish installation": "Riavvia il PC per completare l'installazione", - "Restart your computer to finish the installation": "Riavvia il computer per completare l'installazione", - "Restore a backup from the cloud": "Ripristina un backup dal cloud", - "Restrictions on package managers": "Restrizioni sui gestori di pacchetti", - "Restrictions on package operations": "Restrizioni sulle operazioni dei pacchetti", - "Restrictions when importing package bundles": "Restrizioni durante l'importazione delle raccolte pacchetti", - "Retry": "Riprova", - "Retry as administrator": "Riprova come amministratore", - "Retry failed operations": "Riprova le operazioni non riuscite", - "Retry interactively": "Riprova in modo interattivo", - "Retry skipping integrity checks": "Riprova saltando i controlli di integrità", - "Retrying, please wait...": "Nuovo tentativo, attendi...", - "Return to top": "Torna in alto", - "Run": "Esegui", - "Run as admin": "Amministratore", - "Run cleanup and clear cache": "Esegui pulizia e svuota cache", - "Run last": "Esegui l'ultimo", - "Run next": "Esegui il successivo", - "Run now": "Esegui adesso", + "Restart your PC to finish installation": "Riavvia il PC per completare l'installazione", + "Restart your computer to finish the installation": "Riavvia il computer per completare l'installazione", + "Retry failed operations": "Riprova le operazioni non riuscite", + "Retrying, please wait...": "Nuovo tentativo, attendi...", + "Return to top": "Torna in alto", "Running the installer...": "Esecuzione del programma di installazione...", "Running the uninstaller...": "Esecuzione del programma di disinstallazione...", "Running the updater...": "Esecuzione del programma di aggiornamento...", - "Save": "Salva", "Save File": "Salva file", - "Save and close": "Salva e chiudi", - "Save as": "Salva come", "Save bundle as": "Salva raccolta con nome", "Save now": "Salva adesso", - "Saving packages, please wait...": "Salvataggio dei pacchetti, attendi...", - "Scoop Installer - WingetUI": "Programma di installazione di Scoop: WingetUI", - "Scoop Uninstaller - WingetUI": "Programma di disinstallazione di Scoop: WingetUI", - "Scoop package": "Pacchetto Scoop", "Search": "Ricerca", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Ricerca software desktop, avvisami quando sono disponibili aggiornamenti e non fare cose da nerd. Non voglio che WingetUI sia eccessivamente complicato, voglio solo un semplice store di software", - "Search for packages": "Ricerca pacchetti", - "Search for packages to start": "I pacchetti trovati verranno visualizzati qui", - "Search mode": "Modalità di ricerca", "Search on available updates": "Ricerca tra gli aggiornamenti disponibili", "Search on your software": "Ricerca tra il tuo software", "Searching for installed packages...": "Ricerca pacchetti installati...", "Searching for packages...": "Ricerca pacchetti...", "Searching for updates...": "Ricerca aggiornamenti...", - "Select": "Seleziona", "Select \"{item}\" to add your custom bucket": "Seleziona \"{item}\" per aggiungere il tuo bucket personalizzato", "Select a folder": "Seleziona una cartella", - "Select all": "Seleziona tutto", "Select all packages": "Seleziona tutti i pacchetti", - "Select backup": "Seleziona backup", "Select only if you know what you are doing.": "Seleziona solo se sai cosa stai facendo", "Select package file": "Seleziona file del pacchetto", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Seleziona il backup che desideri aprire. In seguito, potrai controllare quali pacchetti desideri installare.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Seleziona l'eseguibile da utilizzare. L'elenco seguente mostra gli eseguibili trovati da UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Seleziona i processi che devono essere chiusi prima che questo pacchetto venga installato, aggiornato o disinstallato.", - "Select the source you want to add:": "Seleziona la sorgente che desideri aggiungere:", - "Select upgradable packages by default": "Seleziona pacchetti aggiornabili per impostazione predefinita", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Seleziona quali gestori di pacchetti usare ({0}), configura la modalità di installazione e aggiornament9 dei pacchetti, gestisci i diritti di amministratore.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake inviato. In attesa della risposta dell'ascoltatore dell'istanza... ({0}%)", - "Set a custom backup file name": "Personalizza nome del file di backup \n", "Set custom backup file name": "Nome del file di backup personalizzato", - "Settings": "Impostazioni", - "Share": "Condividi", "Share WingetUI": "Condividi WingetUI", - "Share anonymous usage data": "Condividi dati di utilizzo anonimi", - "Share this package": "Condividi questo pacchetto", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Se modifichi le impostazioni di sicurezza, dovrai aprire nuovamente la raccolta affinché le modifiche abbiano effetto.", "Show UniGetUI on the system tray": "Mostra UniGetUI nella barra delle applicazioni", - "Show UniGetUI's version and build number on the titlebar.": "Mostra la versione e il numero di build di UniGetUI sulla barra del titolo.", - "Show WingetUI": "Mostra WingetUI", "Show a notification when an installation fails": "Mostra una notifica quando un'installazione non riesce", "Show a notification when an installation finishes successfully": "Mostra una notifica quando un'installazione viene completata correttamente", - "Show a notification when an operation fails": "Mostra una notifica quando un'operazione non riesce\n", - "Show a notification when an operation finishes successfully": "Mostra una notifica quando un'operazione viene completata correttamente", - "Show a notification when there are available updates": "Mostra una notifica quando ci sono aggiornamenti disponibili", - "Show a silent notification when an operation is running": "Mostra una notifica silenziosa quando un'operazione è in esecuzione", "Show details": "Mostra dettagli", - "Show in explorer": "Mostra in Explorer", "Show info about the package on the Updates tab": "Mostra informazioni sui pacchetti dalla scheda Aggiornamenti", "Show missing translation strings": "Mostra stringhe non tradotte", - "Show notifications on different events": "Mostra notifiche su diversi eventi", "Show package details": "Mostra dettagli pacchetto", - "Show package icons on package lists": "Mostra icone dei pacchetti negli elenchi dei pacchetti", - "Show similar packages": "Mostra pacchetti simili", "Show the live output": "Mostra l'output in tempo reale", - "Size": "Dimensioni", "Skip": "Salta", - "Skip hash check": "Salta controllo hash", - "Skip hash checks": "Salta controlli hash", - "Skip integrity checks": "Salta controlli di integrità", - "Skip minor updates for this package": "Salta aggiornamenti minori per questo pacchetto", "Skip the hash check when installing the selected packages": "Salta verifica hash durante l'installazione dei pacchetti selezionati", "Skip the hash check when updating the selected packages": "Salta verifica hash durante l'aggiornamento dei pacchetti selezionati", - "Skip this version": "Salta questa versione", - "Software Updates": "Aggiorna pacchetti", - "Something went wrong": "Si è verificato un errore", - "Something went wrong while launching the updater.": "Si è verificato un problema durante l'avvio del programma di aggiornamento.", - "Source": "Sorgente", - "Source URL:": "URL sorgente:", - "Source added successfully": "Sorgente aggiunta correttamente", "Source addition failed": "Aggiunta sorgente non riuscita", - "Source name:": "Nome sorgente:", "Source removal failed": "Rimozione sorgente non riuscita", - "Source removed successfully": "Sorgente rimossa correttamente", "Source:": "Sorgente:", - "Sources": "Sorgenti", "Start": "Avvia", "Starting daemons...": "Avvio demoni...", - "Starting operation...": "Avvio dell'operazione...", "Startup options": "Opzioni all'avvio", "Status": "Stato", "Stuck here? Skip initialization": "Sei bloccato qui? Salta l'inizializzazione", - "Success!": "Perfetto!", "Suport the developer": "Supporta lo sviluppatore", "Support me": "Supportami", "Support the developer": "Supporta lo sviluppatore", "Systems are now ready to go!": "È tutto pronto!", - "Telemetry": "Telemetria", - "Text": "Testo", "Text file": "File di testo", - "Thank you ❤": "Grazie ❤", - "Thank you \uD83D\uDE09": "Grazie \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Il gestore pacchetti Rust.
Contiene: librerie e programmi Rust scritti in Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Il backup NON includerà alcun file binario né dati salvati del programma.", - "The backup will be performed after login.": "Il backup verrà eseguito dopo l'accesso.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Il backup includerà l'elenco completo dei pacchetti installati e le relative opzioni di installazione. Verranno salvati anche gli aggiornamenti ignorati e le versioni saltate.", - "The bundle was created successfully on {0}": "La raccolta è stata creata correttamente il {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "La raccolta che stai tentando di caricare sembra non essere valida Controlla il file e riprova.", + "Thank you 😉": "Grazie 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "L'hash del programma di installazione non coincide con il valore atteso, quindi l'autenticità non può essere verificata. Se ti fidi dell'editore, {0} una altra volta saltando il controllo dell'hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Il classico gestore pacchetti per Windows. Qui troverai di tutto.
Contiene: software generico", - "The cloud backup completed successfully.": "Backup sul cloud completato correttamente.", - "The cloud backup has been loaded successfully.": "Il backup sul cloud è stato caricato correttamente.", - "The current bundle has no packages. Add some packages to get started": "La raccolta attuale non ha pacchetti. Aggiungi alcuni pacchetti per iniziare.", - "The executable file for {0} was not found": "Il file eseguibile per {0} non è stato trovato", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Le seguenti opzioni verranno applicate per impostazione predefinita ogni volta che un pacchetto {0} viene installato, aggiornato o disinstallato.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "I seguenti pacchetti verranno esportati in un file JSON. Nessun dato utente o file binario verrà salvato.", "The following packages are going to be installed on your system.": "Verranno installati sul tuo sistema i seguenti pacchetti.", - "The following settings may pose a security risk, hence they are disabled by default.": "Le seguenti impostazioni potrebbero rappresentare un rischio per la sicurezza, pertanto sono disabilitate per impostazione predefinita.", - "The following settings will be applied each time this package is installed, updated or removed.": "Le seguenti impostazioni verranno applicate ogni volta che il pacchetto viene installato, aggiornato o rimosso.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Le seguenti impostazioni verranno applicate ogni volta che il pacchetto verrà installato, aggiornato o rimosso. Esse verranno salvate automaticamente.", "The icons and screenshots are maintained by users like you!": "È merito di utenti come te se le icone e gli screenshot sono in ordine!", - "The installation script saved to {0}": "Lo script di installazione è stato salvato in {0}", - "The installer authenticity could not be verified.": "Non è stato possibile verificare l'autenticità del programma di installazione.", "The installer has an invalid checksum": "Il programma di installazione ha un checksum non valido", "The installer hash does not match the expected value.": "L'hash del programma di installazione non corrisponde al valore previsto.", - "The local icon cache currently takes {0} MB": "La cache delle icone locali occupa attualmente {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "L'obiettivo principale di questo progetto è creare un'interfaccia utente intuitiva per gestire i più comuni gestori di pacchetti CLI per Windows, come Winget e Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Il pacchetto \"{0}\" non è stato trovato nel gestore pacchetti \"{1}\"", - "The package bundle could not be created due to an error.": "Non è stato possibile creare la raccolta di pacchetti a causa di un errore.", - "The package bundle is not valid": "La raccolta di pacchetti non è valida", - "The package manager \"{0}\" is disabled": "Il gestore pacchetti \"{0}\" è disabilitato", - "The package manager \"{0}\" was not found": "Il gestore pacchetti \"{0}\" non è stato trovato", "The package {0} from {1} was not found.": "Il pacchetto {0} da {1} non è stato trovato.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "I pacchetti elencati qui non verranno presi in considerazione durante il controllo degli aggiornamenti. Fai doppio clic su di essi o fai clic sul pulsante alla loro destra per non ignorare gli aggiornamenti.", "The selected packages have been blacklisted": "I pacchetti selezionati sono stati messi in blacklist", - "The settings will list, in their descriptions, the potential security issues they may have.": "Le impostazioni elencheranno, nelle loro descrizioni, i potenziali problemi di sicurezza che si potrebbero presentare.", - "The size of the backup is estimated to be less than 1MB.": "La dimensione del backup sarà inferiore a 1 MB.", - "The source {source} was added to {manager} successfully": "La sorgente {source} è stata aggiunta a {manager} correttamente", - "The source {source} was removed from {manager} successfully": "La sorgente {source} è stata rimossa da {manager} correttamente", - "The system tray icon must be enabled in order for notifications to work": "L'icona della barra delle applicazioni deve essere abilitata affinché le notifiche funzionino", - "The update process has been aborted.": "Il processo di aggiornamento è stato interrotto.", - "The update process will start after closing UniGetUI": "Il processo di aggiornamento inizierà dopo la chiusura di UniGetUI", "The update will be installed upon closing WingetUI": "L'aggiornamento verrà installato alla chiusura di WingetUI", "The update will not continue.": "L'aggiornamento non continuerà.", "The user has canceled {0}, that was a requirement for {1} to be run": "L'utente ha annullato {0}, che era un requisito per l'esecuzione di {1}", - "There are no new UniGetUI versions to be installed": "Non ci sono nuove versioni di UniGetUI da installare", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ci sono operazioni in corso. L'uscita da WingetUI potrebbe causare il loro errore. Vuoi continuare?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Ci sono alcuni fantastici video su YouTube che mostrano WingetUI e le sue potenzialità. Potresti imparare trucchi e suggerimenti utili!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Ci sono due motivi principali per non eseguire WingetUI come amministratore.\nIl primo è che il gestore pacchetti Scoop potrebbe causare problemi con alcuni comandi se eseguito con diritti di amministratore.\nIl secondo è che eseguire WingetUI come amministratore significa che qualsiasi pacchetto scaricato verrà eseguito come amministratore (e questo non è sicuro).\nRicorda che se devi installare un pacchetto specifico come amministratore, puoi sempre fare clic con il tasto destro del mouse sulla voce -> Installa/Aggiorna/Disinstalla come amministratore.", - "There is an error with the configuration of the package manager \"{0}\"": "C'è un errore nella configurazione del gestore pacchetti \"{0}\"\n", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "C'è un'installazione in corso. Se chiudi WingetUI, l'installazione può fallire e avere risultati inaspettati. Vuoi comunque chiudere WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "Sono i programmi in caricamento per l'installazione, l'aggiornamento e la rimozione dei pacchetti.", - "Third-party licenses": "Licenze di terze parti", "This could represent a security risk.": "Questo potrebbe comportare un rischio per la sicurezza.", - "This is not recommended.": "Questa operazione non è consigliata.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Questo è probabilmente dovuto al fatto che il pacchetto che ti è stato inviato è stato rimosso o pubblicato su un gestore pacchetti che non hai abilitato. L'ID ricevuto è {0}", "This is the default choice.": "Questa è la scelta predefinita", - "This may help if WinGet packages are not shown": "Questo può essere d'aiuto se i pacchetti WinGet non vengono visualizzati", - "This may help if no packages are listed": "Questo può essere d'aiuto se i pacchetti non sono elencati", - "This may take a minute or two": "L'operazione potrebbe richiedere un minuto o due", - "This operation is running interactively.": "Questa operazione viene eseguita in modo interattivo.", - "This operation is running with administrator privileges.": "Questa operazione viene eseguita con privilegi di amministratore.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Questa opzione CAUSERÀ problemi. Qualsiasi operazione che non sia in grado di elevare i propri privilegi FALLIRÀ. Installare/aggiornare/disinstallare come amministratore NON FUNZIONERÀ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Questo pacchetto contiene alcune impostazioni potenzialmente pericolose che potrebbero essere ignorate per impostazione predefinita.", "This package can be updated": "Questo pacchetto può essere aggiornato", "This package can be updated to version {0}": "Questo pacchetto può essere aggiornato (update) alla versione {0}", - "This package can be upgraded to version {0}": "Questo pacchetto può essere aggiornato (upgrade) alla versione {0}", - "This package cannot be installed from an elevated context.": "Questo pacchetto non può essere installato da un contesto elevato.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Questo pacchetto non ha alcun screenshot o icona? Contribuisci a WingetUI aggiungendo le icone e gli screenshot mancanti al nostro database pubblico e aperto a tutti.", - "This package is already installed": "Questo pacchetto è già installato", - "This package is being processed": "Questo pacchetto è in fase di elaborazione", - "This package is not available": "Questo pacchetto non è disponibile", - "This package is on the queue": "Questo pacchetto è in coda", "This process is running with administrator privileges": "Il processo è in esecuzione con privilegi di amministratore", - "This project has no connection with the official {0} project — it's completely unofficial.": "Questo progetto non è legato al progetto ufficiale di {0}, non ha alcuna connessione con esso.", "This setting is disabled": "Questa impostazione è disabilitata", "This wizard will help you configure and customize WingetUI!": "La procedura guidata ti aiuterà a configurare e personalizzare WingetUI", "Toggle search filters pane": "Attiva/disattiva il riquadro dei filtri di ricerca", - "Translators": "Traduttori", - "Try to kill the processes that refuse to close when requested to": "Prova a fermare i processi che rifiutano di chiudersi quando richiesto", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Attivando questa opzione è possibile modificare il file eseguibile utilizzato per interagire con i gestori di pacchetti. Sebbene ciò consenta una personalizzazione più precisa dei processi di installazione, potrebbe anche essere pericoloso.", "Type here the name and the URL of the source you want to add, separed by a space.": "Scrivi qui il nome e l'URL della sorgente che vuoi aggiungere, separati da uno spazio.", "Unable to find package": "Impossibile trovare il pacchetto", "Unable to load informarion": "Impossibile caricare le informazioni", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI raccoglie dati di utilizzo anonimi per migliorare l'esperienza dell'utente.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI raccoglie dati di utilizzo anonimi con l'unico scopo di comprendere e migliorare l'esperienza dell'utente.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ha rilevato un nuovo collegamento sul desktop che può essere eliminato automaticamente.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ha rilevato i seguenti collegamenti sul desktop che possono essere rimossi automaticamente durante gli aggiornamenti futuri", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ha rilevato {0} nuovi collegamenti sul desktop che possono essere eliminati automaticamente.", - "UniGetUI is being updated...": "UniGetUI è in fase di aggiornamento...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI non è correlato a nessuno dei gestori di pacchetti compatibili. UniGetUI è un progetto indipendente.", - "UniGetUI on the background and system tray": "UniGetUI in background e nella barra delle applicazioni", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI o alcuni dei suoi componenti sono mancanti o danneggiati.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI richiede {0} per funzionare, ma non è stato trovato sul tuo sistema.", - "UniGetUI startup page:": "Pagina di avvio di UniGetUI:", - "UniGetUI updater": "Programma di aggiornamento di UniGetUI", - "UniGetUI version {0} is being downloaded.": "È in fase di scaricamento la versione {0} di UniGetUI.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} è pronto per essere installato.", - "Uninstall": "Disinstalla", - "Uninstall Scoop (and its packages)": "Disinstalla Scoop (e i suoi pacchetti)", "Uninstall and more": "Disinstallazioni e altro", - "Uninstall and remove data": "Disinstalla e rimuovi dati", - "Uninstall as administrator": "Disinstalla come amministratore", "Uninstall canceled by the user!": "Disinstallazione annullata dall'utente!", - "Uninstall failed": "Disinstallazione non riuscita", - "Uninstall options": "Opzioni di disinstallazione", - "Uninstall package": "Disinstalla pacchetto", - "Uninstall package, then reinstall it": "Disinstalla e reinstalla pacchetto", - "Uninstall package, then update it": "Disinstalla e aggiorna pacchetto", - "Uninstall previous versions when updated": "Disinstalla le versioni precedenti quando aggiorni", - "Uninstall selected packages": "Disinstalla pacchetti selezionati", - "Uninstall selection": "Disinstalla selezione", - "Uninstall succeeded": "Disinstallazione riuscita", "Uninstall the selected packages with administrator privileges": "Disinstalla pacchetti selezionati con privilegi di amministratore", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "I pacchetti disinstallabili con l'origine elencata come \"{0}\" non sono pubblicati su nessun gestore pacchetti, quindi non ci sono informazioni disponibili da mostrare.", - "Unknown": "Sconosciuto", - "Unknown size": "Dimensioni sconosciute", - "Unset or unknown": "Non impostato o sconosciuto", - "Up to date": "Aggiornato", - "Update": "Aggiorna", - "Update WingetUI automatically": "Aggiorna WingetUI automaticamente", - "Update all": "Aggiorna tutto", "Update and more": "Aggiornamenti e altro", - "Update as administrator": "Aggiorna come amministratore", - "Update check frequency, automatically install updates, etc.": "Aggiorna la frequenza di controllo, installa automaticamente gli aggiornamenti, ecc.", - "Update checking": "Controllo degli aggiornamenti", "Update date": "Data aggiornamento", - "Update failed": "Aggiornamento non riuscito", "Update found!": "Aggiornamento trovato!", - "Update now": "Aggiorna adesso", - "Update options": "Opzioni di aggiornamento", "Update package indexes on launch": "Aggiorna gli indici dei pacchetti all'avvio", "Update packages automatically": "Aggiorna pacchetti automaticamente", "Update selected packages": "Aggiorna pacchetti selezionati", "Update selected packages with administrator privileges": "Aggiorna pacchetti selezionati con privilegi di amministratore", - "Update selection": "Aggiorna selezione", - "Update succeeded": "Aggiornamento riuscito", - "Update to version {0}": "Aggiorna alla versione {0}", - "Update to {0} available": "Aggiornamento a {0} disponibile", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Aggiorna automaticamente i portfile Git di vcpkg (richiede che Git sia installato)", "Updates": "Aggiornamenti", "Updates available!": "Aggiornamenti disponibili!", - "Updates for this package are ignored": "Gli aggiornamenti per questo pacchetto vengono ignorati", - "Updates found!": "Aggiornamenti trovati!", "Updates preferences": "Preferenze sugli aggiornamenti", "Updating WingetUI": "Aggiornamento di WingetUI", "Url": "Indirizzo URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Usa WinGet integrato in versione compatibile invece di CMDLets di PowerShell", - "Use a custom icon and screenshot database URL": "Usa icona personalizzata e URL dal database screenshot", "Use bundled WinGet instead of PowerShell CMDlets": "Usa WinGet integrato invece di CMDLets di PowerShell", - "Use bundled WinGet instead of system WinGet": "Usa WinGet integrato invece di WinGet di sistema", - "Use installed GSudo instead of UniGetUI Elevator": "Usa GSudo installato invece di UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Usa GSudo installato invece di quello integrato", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Usa UniGetUI Elevator in versione compatibile (disattiva il supporto AdminByRequest)", - "Use system Chocolatey": "Usa Chocolatey di sistema", "Use system Chocolatey (Needs a restart)": "Usa Chocolatey di sistema (richiede riavvio)", "Use system Winget (Needs a restart)": "Usa Winget di sistema (richiede riavvio)", "Use system Winget (System language must be set to english)": "Usa Winget di sistema (la lingua del sistema deve essere impostata su inglese)", "Use the WinGet COM API to fetch packages": "Usa l'API COM WinGet per recuperare i pacchetti", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Usa il modulo WinGet PowerShell anziché l'API COM WinGet", - "Useful links": "Link utili", "User": "Utente", - "User interface preferences": "Preferenze dell'interfaccia utente", "User | Local": "Utente | Locale", - "Username": "Nome utente", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "L'utilizzo di WingetUI implica l'accettazione della licenza GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "L'utilizzo di WingetUI implica l'accettazione della Licenza MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "La directory radice di vcpkg non è stata trovata. Definisci la variabile di ambiente %VCPKG_ROOT% o configurala nelle impostazioni di UniGetUI", "Vcpkg was not found on your system.": "Vcpkg non è stato trovato nel tuo sistema.", - "Verbose": "Verboso", - "Version": "Versione", - "Version to install:": "Versione da installare:", - "Version:": "Versione:", - "View GitHub Profile": "Visualizza profilo GitHub", "View WingetUI on GitHub": "Visualizza WingetUI su GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Visualizza il codice sorgente di WingetUI. Da qui potrai segnalare bug o suggerire funzionalità o persino contribuire direttamente al progetto WingetUI", - "View mode:": "Modalità di visualizzazione:", - "View on UniGetUI": "Visualizza su UniGetUI", - "View page on browser": "Visualizza pagina sul browser", - "View {0} logs": "Visualizza {0} log", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Attendi che il dispositivo sia connesso a Internet prima di provare a svolgere attività che richiedono la connettività Internet.", "Waiting for other installations to finish...": "In attesa che le altre installazioni finiscano...", "Waiting for {0} to complete...": "In attesa del completamento di {0}...", - "Warning": "Attenzione", - "Warning!": "Attenzione!", - "We are checking for updates.": "Stiamo verificando gli aggiornamenti.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Non è stato possibile caricare informazioni dettagliate su questo pacchetto, perché non è stato trovato in nessuna delle sorgenti dei pacchetti", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Non è stato possibile caricare informazioni dettagliate su questo pacchetto, perché non è stato installato da un gestore pacchetti disponibile.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Non è stato possibile {action} {package}, riprova più tardi. Fai clic su \"{showDetails}\" per ottenere i log dal programma di installazione.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Non è stato possibile {action} {package}, riprova più tardi. Fai clic su \"{showDetails}\" per ottenere i log dal programma di disinstallazione.", "We couldn't find any package": "Non è stato possibile trovare alcun pacchetto", "Welcome to WingetUI": "Benvenuto in WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Quando si installano in batch i pacchetti da una raccolta, installa anche i pacchetti già installati", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quando vengono rilevati nuovi collegamenti, questi vengono eliminati automaticamente anziché visualizzare questa finestra di dialogo.", - "Which backup do you want to open?": "Quale backup vuoi aprire?", "Which package managers do you want to use?": "Quali gestori di pacchetti vuoi usare?", "Which source do you want to add?": "Quale sorgente vuoi aggiungere?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Sebbene Winget possa essere utilizzato all'interno di WingetUI, WingetUI può essere utilizzato anche con altri gestori di pacchetti, il che può creare confusione. In passato, WingetUI era progettato per funzionare solo con Winget, ma questo non è più vero, e pertanto WingetUI non rappresenta ciò che questo progetto intende diventare.", - "WinGet could not be repaired": "WinGet non può essere riparato", - "WinGet malfunction detected": "Malfunzionamento di WinGet rilevato", - "WinGet was repaired successfully": "WinGet è stato riparato correttamente", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI: è tutto aggiornato", "WingetUI - {0} updates are available": "WingetUI: sono disponibili {0} aggiornamenti", "WingetUI - {0} {1}": "WingetUI: {0} {1}", - "WingetUI Homepage": "Homepage di WingetUI", "WingetUI Homepage - Share this link!": "Homepage di WingetUI: condividi questo link!", - "WingetUI License": "Licenza di WingetUI", - "WingetUI Log": "Log di WingetUI", - "WingetUI Repository": "Repository di WingetUI", - "WingetUI Settings": "Impostazioni di WingetUI", "WingetUI Settings File": "File di impostazioni di WIngetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI si avvale delle seguenti librerie. Senza di esse, WingetUI non sarebbe stato realizzabile.", - "WingetUI Version {0}": "WingetUI versione {0}", "WingetUI autostart behaviour, application launch settings": "Comportamento di avvio automatico di WingetUI, impostazioni di avvio delle applicazioni", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI può controllare se ci sono degli aggiornamenti disponibili e, se lo desideri, installarli automaticamente", - "WingetUI display language:": "Lingua di visualizzazione di WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Non è consigliato eseguire WingetUI con i privilegi di amministratore. In questo modo, TUTTE le operazioni avviate da WingetUI arvranno i privilegi di amministratore. È possibile continuare a utilizzare il programma, ma è fortemente sconsigliato eseguirlo come amministratore.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI è stato tradotto in oltre 40 lingue da traduttori volontari. Un grande grazie a tutti\uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI non è tradotto da un robot! I seguenti utenti si sono occupati della traduzione:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI è un'applicazione che semplifica la gestione del software, fornendo un'unica interfaccia grafica per i gestori di pacchetti da riga di comando.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI sta cambiando nome per sottolineare la differenza tra WingetUI (l'interfaccia che stai utilizzando in questo momento) e Winget (un gestore pacchetti sviluppato da Microsoft con cui non è correlato)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI si sta aggiornando. Quando avrà terminato si riavvierà automaticamente", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI è gratuito e lo sarà per sempre. Nessuna pubblicità, nessuna carta di credito, nessuna versione premium. 100% gratuito, per sempre.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI mostrerà un avviso di Controllo dell'account utente ogni volta che un pacchetto richiede l'installazione elevata.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI verrà presto chiamato {newname}. Ciò non rappresenterà alcuna modifica nell'applicazione. Io (lo sviluppatore) continuerò lo sviluppo di questo progetto come sto facendo adesso, ma con un nome diverso.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI non sarebbe stato possibile senza l'aiuto dei nostri collaboratori. Dai un'occhiata al loro profilo GitHub: grazie a loro, WingetUI è diventato realtà!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "WingetUI non sarebbe stato possibile senza l'aiuto dei collaboratori. Grazie a tutti \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "WingetUI {0} è pronto per essere installato.", - "Write here the process names here, separated by commas (,)": "Scrivi qui i nomi dei processi, separati da virgole (,)", - "Yes": "Sì", - "You are logged in as {0} (@{1})": "Hai effettuato l'accesso come {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "È possibile modificare questo comportamento nelle impostazioni di sicurezza di UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "È possibile definire i comandi che verranno eseguiti prima o dopo l'installazione, l'aggiornamento o la disinstallazione di questo pacchetto. Verranno eseguiti su un prompt dei comandi, quindi gli script CMD funzioneranno qui.", - "You have currently version {0} installed": "Attualmente hai installata la versione {0}", - "You have installed WingetUI Version {0}": "Hai installato la versione {0} di WingetUI", - "You may lose unsaved data": "Potresti perdere i dati non salvati", - "You may need to install {pm} in order to use it with WingetUI.": "Potrebbe essere necessario installare {pm} per poterlo utilizzare con WingetUI.", "You may restart your computer later if you wish": "Se lo desideri, puoi riavviare il computer più tardi", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Ti verrà richiesto una sola volta e i diritti di amministratore verranno concessi ai pacchetti che li richiedono.", "You will be prompted only once, and every future installation will be elevated automatically.": "Ti verrà richiesto una sola volta e ogni installazione futura verrà elevata automaticamente.", - "You will likely need to interact with the installer.": "Probabilmente sarà necessario interagire con il programma di installazione.", - "[RAN AS ADMINISTRATOR]": "[ESEGUITO COME AMMINISTRATORE]", "buy me a coffee": "offrimi un caffè", - "extracted": "estratto", - "feature": "caratteristica", "formerly WingetUI": "precedentemente WingetUI", "homepage": "homepage", "install": "installare", "installation": "installazione", - "installed": "installato", - "installing": "installazione", - "library": "libreria", - "mandatory": "obbligatorio", - "option": "opzione", - "optional": "opzionale", "uninstall": "disinstallare", "uninstallation": "disinstallazione", "uninstalled": "disinstallato", - "uninstalling": "disinstallazione", "update(noun)": "aggiornamento", "update(verb)": "aggiornare", "updated": "aggiornato", - "updating": "aggiornamento", - "version {0}": "versione {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Le opzioni di installazione sono attualmente bloccate perché {0} segue le opzioni di installazione predefinite.", "{0} Uninstallation": "Disinstallazione di {0}", "{0} aborted": "{0} annullata", "{0} can be updated": "{0} può essere aggiornato", - "{0} can be updated to version {1}": "{0} può essere aggiornato alla versione {1}", - "{0} days": "{0} giorni", - "{0} desktop shortcuts created": "{0} collegamenti sul desktop creati", "{0} failed": "{0} non riuscita", - "{0} has been installed successfully.": "{0} è stato installato correttamente.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} è stato installato correttamente. Si consiglia di riavviare UniGetUI per completare l'installazione", "{0} has failed, that was a requirement for {1} to be run": "{0} non è riuscito, era un requisito per l'esecuzione di {1}", - "{0} homepage": "Sito web di {0}", - "{0} hours": "{0} ore", "{0} installation": "Installazione di {0}", - "{0} installation options": "Opzioni di installazione di {0}", - "{0} installer is being downloaded": "Programma di installazione {0} in fase di scaricamento", - "{0} is being installed": "{0} è in fase di installazione", - "{0} is being uninstalled": "{0} è in fase di disinstallazione", "{0} is being updated": "{0} è in fase di aggiornamento", - "{0} is being updated to version {1}": "{0} è in fase di aggiornamento alla versione {1}", - "{0} is disabled": "{0} è disabilitato", - "{0} minutes": "{0} minuti", "{0} months": "{0} mesi", - "{0} packages are being updated": "{0} pacchetti sono in fase di aggiornamento", - "{0} packages can be updated": "{0} pacchetti possono essere aggiornati", "{0} packages found": "{0} pacchetti trovati", "{0} packages were found": "Sono stati trovati {0} pacchetti", - "{0} packages were found, {1} of which match the specified filters.": "Sono stati trovati {0} pacchetti, {1} dei quali corrispondono ai filtri specificati.", - "{0} selected": "{0} selezionati", - "{0} settings": "{0} impostazioni", - "{0} status": "Stato {0}", "{0} succeeded": "{0} correttamente", "{0} update": "Aggiornamento di {0}", - "{0} updates are available": "Sono disponibili {0} aggiornamenti", "{0} was {1} successfully!": "{0} è stato {1} correttamente!", "{0} weeks": "{0} settimane", "{0} years": "{0} anni", "{0} {1} failed": "L' {1} con {0} non è riuscita", - "{package} Installation": "Installazione di {package}", - "{package} Uninstall": "Disinstallazione di {package}", - "{package} Update": "Aggiornamento di {package}", - "{package} could not be installed": "Impossibile installare {package}", - "{package} could not be uninstalled": "Impossibile disinstallare {package}", - "{package} could not be updated": "Impossibile aggiornare {package}", "{package} installation failed": "Installazione di {package} non riuscita", - "{package} installer could not be downloaded": "Impossibile scaricare il programma di installazione {package}", - "{package} installer download": "Scarica il programma di installazione {package}", - "{package} installer was downloaded successfully": "Il programma di installazione {package} è stato scaricato correttamente", "{package} uninstall failed": "Disinstallazione di {package} non riuscita", "{package} update failed": "Aggiornamento di {package} non riuscito", "{package} update failed. Click here for more details.": "Aggiornamento di {package} non riuscito. Fai clic qui per maggiori dettagli.", - "{package} was installed successfully": "{package} è stato installato correttamente", - "{package} was uninstalled successfully": "{package} è stato disinstallato correttamente", - "{package} was updated successfully": "{package} è stato aggiornato correttamente", - "{pcName} installed packages": "Pacchetti installati su {pcName}", "{pm} could not be found": "Impossibile trovare {pm}", "{pm} found: {state}": "{pm} trovato: {state}", - "{pm} is disabled": "{pm} è disabilitato", - "{pm} is enabled and ready to go": "{pm} è abilitato e pronto per l'uso", "{pm} package manager specific preferences": "Preferenze specifiche del gestore pacchetti {pm}", "{pm} preferences": "Preferenze di {pm}", - "{pm} version:": "Versione di {pm}:", - "{pm} was not found!": "{pm} non è stato trovato!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Ciao, mi chiamo Martí e sono lo sviluppatore di WingetUI. WingetUI è stato realizzato interamente nel mio tempo libero!", + "Thank you ❤": "Grazie ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Questo progetto non è legato al progetto ufficiale di {0}, non ha alcuna connessione con esso." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ja.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ja.json index 4b971d5ac3..92a8ce8a3f 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ja.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ja.json @@ -1,155 +1,737 @@ { + "Operation in progress": "作業の進行中", + "Please wait...": "お待ちください...", + "Success!": "成功!", + "Failed": "失敗しました", + "An error occurred while processing this package": "パッケージの処理中にエラーが発生しました", + "Log in to enable cloud backup": "クラウドバックアップを有効にするにはログインしてください ", + "Backup Failed": "バックアップに失敗しました ", + "Downloading backup...": "バックアップをダウンロードしています... ", + "An update was found!": "アップデートが見つかりました!", + "{0} can be updated to version {1}": "{0} をバージョン {1} にアップデートできます", + "Updates found!": "アップデートが見つかりました!", + "{0} packages can be updated": "{0} 個のパッケージをアップデートできます", + "You have currently version {0} installed": "現在、バージョン {0} がインストールされています", + "Desktop shortcut created": "デスクトップ ショートカットを作成しました", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI は、自動的に削除できる新しいデスクトップ ショートカットを検出しました。 ", + "{0} desktop shortcuts created": "デスクトップにショートカットが{0}個作成されました。", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUIは、自動的に削除可能な{0}個の新しいデスクトップショートカットを検出しました。", + "Are you sure?": "よろしいですか?", + "Do you really want to uninstall {0}?": "本当に {0} をアンインストールしますか?", + "Do you really want to uninstall the following {0} packages?": "以下の {0} 個のパッケージを本当にアンインストールしますか?", + "No": "いいえ", + "Yes": "はい", + "View on UniGetUI": "UniGetUI で見る", + "Update": "アップデート", + "Open UniGetUI": "UniGetUI を開く", + "Update all": "すべてアップデート", + "Update now": "今すぐアップデートする", + "This package is on the queue": "このパッケージはキューで順番を待っています", + "installing": "インストール中", + "updating": "アップデート中", + "uninstalling": "アンインストール中", + "installed": "インストール済み", + "Retry": "リトライ", + "Install": "インストール", + "Uninstall": "アンインストール", + "Open": "開く", + "Operation profile:": "操作プロファイル: ", + "Follow the default options when installing, upgrading or uninstalling this package": "このパッケージをインストール、アップグレード、またはアンインストールするときは、デフォルトのオプションに従ってください。 ", + "The following settings will be applied each time this package is installed, updated or removed.": "以下の設定は、このパッケージのインストール、更新、削除のたびに適用されます。", + "Version to install:": "インストールするバージョン:", + "Architecture to install:": "インストールするアーキテクチャ:", + "Installation scope:": "インストールの範囲: ", + "Install location:": "インストール先", + "Select": "選択", + "Reset": "リセット", + "Custom install arguments:": "カスタムインストール引数: ", + "Custom update arguments:": "カスタムアップデート引数: ", + "Custom uninstall arguments:": "カスタムアンインストール引数: ", + "Pre-install command:": "インストール前コマンド:", + "Post-install command:": "インストール後コマンド:", + "Abort install if pre-install command fails": "インストール前コマンドが失敗した場合はインストールを中止する ", + "Pre-update command:": "アップデート前コマンド:", + "Post-update command:": "アップデート後コマンド:", + "Abort update if pre-update command fails": "アップデート前コマンドが失敗した場合は更新を中止する ", + "Pre-uninstall command:": "アンインストール前コマンド:", + "Post-uninstall command:": "アンインストール後コマンド:", + "Abort uninstall if pre-uninstall command fails": "アンインストール前のコマンドが失敗した場合はアンインストールを中止する ", + "Command-line to run:": "実行するコマンドライン: ", + "Save and close": "保存して閉じる", + "Run as admin": "管理者として実行", + "Interactive installation": "対話型インストール", + "Skip hash check": "ハッシュチェックを行わない", + "Uninstall previous versions when updated": "アップデート時に以前のバージョンをアンインストールする", + "Skip minor updates for this package": "このパッケージのマイナーアップデートを無視", + "Automatically update this package": "このパッケージを自動的に更新する", + "{0} installation options": "{0} \nのインストールオプション", + "Latest": "最新", + "PreRelease": "先行リリース版", + "Default": "デフォルト", + "Manage ignored updates": "無視されたアップデートの管理", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "ここに表示されているパッケージは、アップデートをチェックする際に考慮されません。ダブルクリックするか、右のボタンをクリックして、アップデートを無視しないようにしてください。", + "Reset list": "リストを削除する", + "Package Name": "パッケージ名", + "Package ID": "パッケージID", + "Ignored version": "無視されたバージョン", + "New version": "新しいバージョン", + "Source": "ソース", + "All versions": "すべてのバージョン", + "Unknown": "不明", + "Up to date": "最新の状態", + "Cancel": "キャンセル", + "Administrator privileges": "管理者権限", + "This operation is running with administrator privileges.": "この操作は管理者権限で実行されています。", + "Interactive operation": "インタラクティブ操作", + "This operation is running interactively.": "この操作は対話型で実行されています。", + "You will likely need to interact with the installer.": "インストーラーと対話する必要がある可能性があります。 ", + "Integrity checks skipped": "整合性チェックをスキップ ", + "Proceed at your own risk.": "自己責任で進めてください。", + "Close": "閉じる", + "Loading...": "読み込み中...", + "Installer SHA256": "インストーラー SHA256", + "Homepage": "ホームページ", + "Author": "作者", + "Publisher": "パブリッシャー", + "License": "ライセンス", + "Manifest": "マニフェスト", + "Installer Type": "インストーラー タイプ", + "Size": "サイズ", + "Installer URL": "インストーラー URL", + "Last updated:": "最終更新:", + "Release notes URL": "リリースノート URL", + "Package details": "パッケージの詳細", + "Dependencies:": "依存関係:", + "Release notes": "リリースノート", + "Version": "バージョン", + "Install as administrator": "管理者としてインストール", + "Update to version {0}": "バージョン {0} にアップデート", + "Installed Version": "インストールされているバージョン", + "Update as administrator": "管理者としてアップデート", + "Interactive update": "対話型アップデート", + "Uninstall as administrator": "管理者としてアンインストール", + "Interactive uninstall": "対話型アンインストール", + "Uninstall and remove data": "アンインストールし、データを削除します。", + "Not available": "利用不可", + "Installer SHA512": "インストーラー SHA512", + "Unknown size": "サイズ不明 ", + "No dependencies specified": "依存関係が指定されていません ", + "mandatory": "必須 ", + "optional": "オプション ", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} のインストール準備が完了しました。", + "The update process will start after closing UniGetUI": "UniGetUI を閉じると更新プロセスが開始されます", + "Share anonymous usage data": "匿名利用状況データの共有", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUIは、ユーザー体験向上のため、匿名で使用状況データを収集しています。", + "Accept": "許可", + "You have installed WingetUI Version {0}": "UniGetUI バージョン {0} がインストールされています", + "Disclaimer": "免責事項", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUIは対応しているいずれのパッケージマネージャーとも関連していません。UniGetUIは独立したプロジェクトです。", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI はコントリビューター(貢献者)の助けがなければ実現しなかったでしょう。 皆様ありがとうございます🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI は以下のライブラリを使用しています。これらのライブラリがなければ UniGetUI は存在しなかったでしょう。", + "{0} homepage": "{0} ホームページ", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI は翻訳ボランティアの皆さんにより40以上の言語に翻訳されてきました。ありがとうございます🤝", + "Verbose": "詳細", + "1 - Errors": "1 - エラー", + "2 - Warnings": "2 - 警告", + "3 - Information (less)": "3 - 情報(概要)", + "4 - Information (more)": "4 - 情報(詳細)", + "5 - information (debug)": "5 - 情報(デバッグ)", + "Warning": "警告", + "The following settings may pose a security risk, hence they are disabled by default.": "以下の設定はセキュリティ上のリスクをもたらす可能性があるため、デフォルトでは無効になっています。 ", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "以下の設定は、その機能と、それに伴う影響や危険性を完全に理解している場合に限り、有効にしてください。 ", + "The settings will list, in their descriptions, the potential security issues they may have.": "設定の説明には、潜在的なセキュリティ上の問題がリストされます。 ", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "バックアップにはインストールされたパッケージと各パッケージのインストールオプションの完全なリストが含まれます。\n無視されたアップデートやスキップされたバージョンも保存されます。", + "The backup will NOT include any binary file nor any program's saved data.": "バックアップには実行ファイルやプログラムの保存データは一切含まれません。", + "The size of the backup is estimated to be less than 1MB.": "バックアップのサイズは1MBに満たない見込みです。", + "The backup will be performed after login.": "バックアップはログイン後に実行されます。", + "{pcName} installed packages": "{pcName} にインストールされたパッケージ", + "Current status: Not logged in": "現在のステータス: ログインしていません ", + "You are logged in as {0} (@{1})": "{0}(@{1})としてログインしています。", + "Nice! Backups will be uploaded to a private gist on your account": "バックアップはあなたのアカウントのプライベートGistにアップロードされます ", + "Select backup": "バックアップを選択", + "WingetUI Settings": "UniGetUI 設定", + "Allow pre-release versions": "プレリリース版を許可する ", + "Apply": "適用する ", + "Go to UniGetUI security settings": "UniGetUIのセキュリティ設定に移動する ", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "{0} パッケージをインストール、アップグレード、またはアンインストールするたびに、次のオプションがデフォルトで適用されます。 ", + "Package's default": "パッケージのデフォルト ", + "Install location can't be changed for {0} packages": "{0} パッケージのインストール場所を変更できません ", + "The local icon cache currently takes {0} MB": "ローカルアイコンキャッシュに {0} MB 使用しています", + "Username": "ユーザー名", + "Password": "パスワード ", + "Credentials": "資格情報", + "Partially": "部分的に ", + "Package manager": "パッケージマネージャー ", + "Compatible with proxy": "プロキシと互換性あり ", + "Compatible with authentication": "認証に対応 ", + "Proxy compatibility table": "プロキシ互換性表", + "{0} settings": "{0} 設定", + "{0} status": "{0} のステータス", + "Default installation options for {0} packages": "{0} パッケージのデフォルトのインストール オプション\n", + "Expand version": "バージョンを表示", + "The executable file for {0} was not found": "{0} の実行ファイルが見つかりませんでした", + "{pm} is disabled": "{pm} は無効化されています", + "Enable it to install packages from {pm}.": "パッケージを {pm} からインストールするには有効にしてください", + "{pm} is enabled and ready to go": "{pm} は有効化されており準備が完了しています", + "{pm} version:": "{pm} バージョン:", + "{pm} was not found!": "{pm} が見つかりませんでした!", + "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI で使用するには、{pm} をインストールする必要がある場合があります。", + "Scoop Installer - WingetUI": "Scoop インストーラー - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop アンインストーラー - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop のキャッシュ消去 - UniGetUI", + "Restart UniGetUI": "UniGetUI を再起動", + "Manage {0} sources": "{0} のソース管理", + "Add source": "ソースを追加", + "Add": "追加", + "Other": "その他", + "1 day": "1 日", + "{0} days": "{0} 日", + "{0} minutes": "{0} 分", + "1 hour": "1 時間", + "{0} hours": "{0} 時間", + "1 week": "1 週間", + "WingetUI Version {0}": "UniGetUI バージョン {0}", + "Search for packages": "パッケージの検索", + "Local": "ローカル", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} 個のパッケージが見つかり、うち {1} 個がフィルターにマッチしました。", + "{0} selected": "{0} 選択中", + "(Last checked: {0})": "(最終確認日時: {0})", + "Enabled": "有効", + "Disabled": "無効", + "More info": "詳細情報", + "Log in with GitHub to enable cloud package backup.": "クラウド パッケージのバックアップを有効にするには、GitHub でログインします。 ", + "More details": "詳細情報", + "Log in": "ログイン ", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "クラウドバックアップが有効になっている場合は、このアカウントにGitHub Gistとして保存されます。 ", + "Log out": "ログアウト ", + "About": "情報", + "Third-party licenses": "サードパーティー・ライセンス", + "Contributors": "貢献者", + "Translators": "翻訳者", + "Manage shortcuts": "ショートカットを管理", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUIは、今後のアップグレード時に自動的に削除可能な以下のデスクトップショートカットを検出しました。", + "Do you really want to reset this list? This action cannot be reverted.": "このリストを本当にリセットしますか? この操作は元に戻せません。 ", + "Remove from list": "リストから削除", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "新しいショートカットが検出された場合、このダイアログを表示する代わりに、自動的に削除します。", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUIは、ユーザーエクスペリエンスの向上を目的に、個人を特定できない匿名化された利用データを収集します。", + "More details about the shared data and how it will be processed": "共有データと処理方法の詳細はこちら", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "UniGetUIが、ユーザーエクスペリエンス向上のため、匿名の利用統計を収集・送信することに同意しますか?", + "Decline": "拒否", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "個人情報の収集や送信は一切行っておらず、収集されたデータは匿名化されているため、お客様個人を特定することはできません。", + "About WingetUI": "UniGetUI について", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI はコマンドライン・パッケージマネージャーに代わり一体化したGUIによって、ソフトウェアの管理をより簡単にするアプリケーションです。", + "Useful links": "お役立ちリンク", + "Report an issue or submit a feature request": "不具合報告・機能の要望提出", + "View GitHub Profile": "GitHub プロフィールを表示", + "WingetUI License": "UniGetUI ライセンス", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUIを使用する場合、MITライセンス に同意したことになります", + "Become a translator": "翻訳者になる", + "View page on browser": "ページをブラウザで表示する", + "Copy to clipboard": "クリップボードにコピー", + "Export to a file": "ファイルにエクスポート", + "Log level:": "ログレベル: ", + "Reload log": "ログの再読み込み", + "Text": "テキスト", + "Change how operations request administrator rights": "管理者権限を要求する操作方法を変更する ", + "Restrictions on package operations": "パッケージ操作の制限 ", + "Restrictions on package managers": "パッケージマネージャーの制限 ", + "Restrictions when importing package bundles": "パッケージバンドルをインポートする際の制限 ", + "Ask for administrator privileges once for each batch of operations": "操作バッチごとに一度だけ管理者権限を求める", + "Ask only once for administrator privileges": "管理者権限を一度だけ要求する ", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator または GSudo によるあらゆる種類の昇格を禁止します ", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "このオプションは問題を引き起こします。昇格できない操作はすべて失敗します。\n管理者としてインストール/アップデート/アンインストールは機能しません。 ", + "Allow custom command-line arguments": "カスタム コマンドライン引数を許可する", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "カスタム コマンドライン引数によって、プログラムのインストール、アップグレード、アンインストールの方法が UniGetUI では制御できない形で変更されることがあります。カスタム コマンドライン引数を使用するとパッケージが破損する可能性があります。慎重に操作してください。", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "バンドルからパッケージをインポートする際に、カスタムのインストール前後コマンドの実行を許可する", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "インストール前およびインストール後のコマンドは、パッケージのインストール、アップグレード、アンインストールの前後に実行されます。慎重に使用しないと問題を引き起こす可能性があります。", + "Allow changing the paths for package manager executables": "パッケージマネージャー実行ファイルのパスを変更を許可する", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "これをオンにすると、パッケージマネージャーとのやり取りに使用する実行ファイルを変更できるようになります。これによりインストールプロセスをより細かくカスタマイズできるようになりますが、危険な場合もあります。", + "Allow importing custom command-line arguments when importing packages from a bundle": "バンドルからパッケージをインポートする際に、カスタム コマンドライン引数のインポートを許可する", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "不正なコマンドライン引数はパッケージを破損させたり、悪意のある攻撃者が昇格した権限で実行を行うことを可能にする場合があります。そのため、カスタム コマンドライン引数のインポートはデフォルトで無効になっています。", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "バンドルからパッケージをインポートする際に、インストール前およびインストール後のカスタムコマンドのインポートを許可する。", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "インストール前後のコマンドは、もし悪意を持って設計されていれば、あなたのデバイスに非常に悪質な影響を与える可能性があります。パッケージバンドルのソースを信頼しない限り、そこからコマンドをインポートするのは非常に危険です。", + "Administrator rights and other dangerous settings": "管理者権限やその他の危険な設定", + "Package backup": "パッケージのバックアップ", + "Cloud package backup": "クラウドパッケージのバックアップ ", + "Local package backup": "ローカルパッケージのバックアップ ", + "Local backup advanced options": "ローカルバックアップの詳細オプション ", + "Log in with GitHub": "GitHubでログイン ", + "Log out from GitHub": "GitHubからログアウトする ", + "Periodically perform a cloud backup of the installed packages": "インストール済みパッケージのクラウドバックアップを定期的に取る", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "クラウドバックアップでは、プライベートなGitHub Gistを使用して、インストールされているパッケージのリストを保存します ", + "Perform a cloud backup now": "今すぐクラウドバックアップを実行する ", + "Backup": "バックアップ", + "Restore a backup from the cloud": "クラウドからバックアップを復元する", + "Begin the process to select a cloud backup and review which packages to restore": "クラウドバックアップを選択し、復元するパッケージを確認するプロセスを開始します ", + "Periodically perform a local backup of the installed packages": "インストール済みパッケージのローカルバックアップを定期的に取る", + "Perform a local backup now": "今すぐローカルバックアップを実行する ", + "Change backup output directory": "バックアップの保存先を変更する", + "Set a custom backup file name": "バックアップのファイル名をカスタマイズする", + "Leave empty for default": "通常は空欄にしてください", + "Add a timestamp to the backup file names": "バックアップファイル名にタイムスタンプを追加する", + "Backup and Restore": "バックアップと復元 ", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "バックグラウンドAPIを有効にする(UniGetUI Widgetsと共有機能用、7058番ポート)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "インターネット接続を必要とするタスクを実行する前に、デバイスがインターネットに接続されるまで待機する。", + "Disable the 1-minute timeout for package-related operations": "パッケージ関連の操作における1分間のタイムアウトを無効にする", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator の代わりに、インストールされた GSudo を使用する", + "Use a custom icon and screenshot database URL": "アイコンとスクリーンショットにカスタムデータベースを使用する", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "バックグラウンド CPU 使用率の最適化を有効にする(プルリクエスト #3278 を参照)", + "Perform integrity checks at startup": "起動時に整合性チェックを実行する", + "When batch installing packages from a bundle, install also packages that are already installed": "バンドルからパッケージを一括インストールする際、既にインストールされているパッケージもインストールする", + "Experimental settings and developer options": "試験的な設定と開発者オプション", + "Show UniGetUI's version and build number on the titlebar.": "タイトルバーに UniGetUI のバージョンを表示する", + "Language": "言語", + "UniGetUI updater": "UniGetUI 更新設定", + "Telemetry": "テレメトリー", + "Manage UniGetUI settings": "UniGetUI設定を管理する ", + "Related settings": "関連設定 ", + "Update WingetUI automatically": "UniGetUIを自動アップデートする", + "Check for updates": "アップデートの確認", + "Install prerelease versions of UniGetUI": "プレリリース版のUniGetUIをインストールする", + "Manage telemetry settings": "テレメトリー設定の管理", + "Manage": "管理", + "Import settings from a local file": "ローカルファイルから設定をインポート", + "Import": "インポート", + "Export settings to a local file": "設定をローカルファイルにエクスポート", + "Export": "エクスポート", + "Reset WingetUI": "UniGetUI のリセット", + "Reset UniGetUI": "UniGetUIをリセット", + "User interface preferences": "ユーザーインタフェース設定", + "Application theme, startup page, package icons, clear successful installs automatically": "アプリのテーマ、スタートアップページ、パッケージアイコン、インストール成功時に自動で消去します ", + "General preferences": "全体設定", + "WingetUI display language:": "UniGetUI の表示言語", + "Is your language missing or incomplete?": "ご希望の言語が見当たらない、または不完全ですか?", + "Appearance": "インタフェース", + "UniGetUI on the background and system tray": "背景とシステムトレイ上の UniGetUI ", + "Package lists": "パッケージリスト ", + "Close UniGetUI to the system tray": "UniGetUIをシステムトレイに閉じます ", + "Show package icons on package lists": "パッケージリストでパッケージアイコンを表示する", + "Clear cache": "キャッシュのクリア", + "Select upgradable packages by default": "アップグレード可能なパッケージをデフォルトで選択する", + "Light": "ライトテーマ", + "Dark": "ダークテーマ", + "Follow system color scheme": "システムのカラーモードに従う", + "Application theme:": "アプリテーマ:", + "Discover Packages": "パッケージを探す", + "Software Updates": "ソフトウェアアップデート", + "Installed Packages": "導入済みソフトウェア", + "Package Bundles": "パッケージバンドル", + "Settings": "設定", + "UniGetUI startup page:": "UniGetUIの起動時に開くページ:", + "Proxy settings": "プロキシ 設定", + "Other settings": "その他の設定 ", + "Connect the internet using a custom proxy": "カスタムプロキシを使用してインターネットに接続する ", + "Please note that not all package managers may fully support this feature": "すべてのパッケージマネージャがこの機能を完全にサポートしているわけではないことに注意してください。 ", + "Proxy URL": "プロキシ URL", + "Enter proxy URL here": "ここにプロキシURLを入力してください ", + "Package manager preferences": "パッケージマネージャーの設定", + "Ready": "準備完了", + "Not found": "不検出", + "Notification preferences": "通知設定", + "Notification types": "通知の種類 ", + "The system tray icon must be enabled in order for notifications to work": "通知が機能するには、システムトレイアイコンを有効にする必要があります ", + "Enable WingetUI notifications": "UniGetUI の通知を有効にする", + "Show a notification when there are available updates": "利用可能なアップデートがある場合に通知を表示する", + "Show a silent notification when an operation is running": "操作の実行中にサイレント通知を表示する", + "Show a notification when an operation fails": "操作が失敗したときに通知を表示する", + "Show a notification when an operation finishes successfully": "操作が正常に終了したときに通知を表示する", + "Concurrency and execution": "並行処理と実行", + "Automatic desktop shortcut remover": "デスクトップ ショートカットの自動削除", + "Clear successful operations from the operation list after a 5 second delay": "操作リストから成功した操作を 5 秒後に削除する", + "Download operations are not affected by this setting": "ダウンロード操作はこの設定の影響を受けません ", + "Try to kill the processes that refuse to close when requested to": "終了しないプロセスを強制終了する", + "You may lose unsaved data": "保存されていないデータが失われる可能性があります", + "Ask to delete desktop shortcuts created during an install or upgrade.": "インストール、アップグレード時に作成されるデスクトップショートカットを削除するか確認する", + "Package update preferences": "パッケージ更新の設定 ", + "Update check frequency, automatically install updates, etc.": "更新のチェック頻度、更新の自動インストールなど。", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC プロンプトを減らす、デフォルトでインストールを昇格、特定の危険な機能のロックを解除するなど。 ", + "Package operation preferences": "パッケージ操作の設定 ", + "Enable {pm}": "{pm} を有効にする", + "Not finding the file you are looking for? Make sure it has been added to path.": "探しているファイルが見つかりませんか?パスに追加されていることを確認してください。 ", + "For security reasons, changing the executable file is disabled by default": "セキュリティ上の理由から、実行ファイルの変更はデフォルトで無効になっています。 ", + "Change this": "これを変更する ", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "使用する実行ファイルを選択してください。以下のリストは UniGetUI によって検出された実行ファイルです", + "Current executable file:": "現在の実行ファイル:", + "Ignore packages from {pm} when showing a notification about updates": "更新に関する通知を表示するときに、{pm} からのパッケージを無視します", + "View {0} logs": "{0} 個のログを表示 ", + "Advanced options": "詳細オプション ", + "Reset WinGet": "WinGetをリセットする ", + "This may help if no packages are listed": "パッケージがリストに表示されない場合に有効かもしれません", + "Force install location parameter when updating packages with custom locations": "カスタムの場所を持つパッケージを更新するときにインストール先パラメーターを強制する", + "Use bundled WinGet instead of system WinGet": "システムの WinGet の代わりに、バンドルされた WinGet を使用する", + "This may help if WinGet packages are not shown": "WinGet パッケージが表示されない場合に有効かもしれません", + "Install Scoop": "Scoopのインストール", + "Uninstall Scoop (and its packages)": "Scoop (と Scoopパッケージ)のアンインストール", + "Run cleanup and clear cache": "クリーンアップとキャッシュ消去を実行する", + "Run": "実行", + "Enable Scoop cleanup on launch": "起動時にScoopのクリーンアップを有効にする", + "Use system Chocolatey": "システムの Chocolatey を使用", + "Default vcpkg triplet": "デフォルトのvcpkgトリプレット ", + "Language, theme and other miscellaneous preferences": "言語、テーマやその他の細かな設定", + "Show notifications on different events": "さまざまなイベントに関する通知を表示する", + "Change how UniGetUI checks and installs available updates for your packages": "UniGetUIが利用可能なパッケージのアップデートを確認してインストールする方法の変更", + "Automatically save a list of all your installed packages to easily restore them.": "インストール済みパッケージの一覧を自動的に保存し、簡単に復元できるようにします。", + "Enable and disable package managers, change default install options, etc.": "パッケージ マネージャーを有効または無効にしたり、デフォルトのインストール オプションを変更したりします。 ", + "Internet connection settings": "インターネット接続設定", + "Proxy settings, etc.": "プロキシ 設定など。", + "Beta features and other options that shouldn't be touched": "ベータ版機能やその他の触れないほうが良いオプション", + "Update checking": "アップデート確認", + "Automatic updates": "自動更新", + "Check for package updates periodically": "定期的にパッケージのアップデートを確認する", + "Check for updates every:": "アップデートの確認間隔:", + "Install available updates automatically": "利用可能なアップデートを自動的にインストールする", + "Do not automatically install updates when the network connection is metered": "ネットワーク接続が従量制の場合は、自動的にアップデートをインストールしない ", + "Do not automatically install updates when the device runs on battery": "デバイスがバッテリーで動作しているときにアップデートを自動的にインストールしない", + "Do not automatically install updates when the battery saver is on": "バッテリーセーバーがオンのときにアップデートを自動的にインストールしない ", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI がインストール、アップデート、アンインストール操作を処理する方法を変更します。 ", + "Package Managers": "パッケージマネージャー", + "More": "その他", + "WingetUI Log": "UniGetUI ログ", + "Package Manager logs": "パッケージマネージャーのログ", + "Operation history": "操作履歴", + "Help": "ヘルプ", + "Order by:": "並べ替え: ", + "Name": "名称", + "Id": "ID", + "Ascendant": "昇順", + "Descendant": "降順", + "View mode:": "表示モード: ", + "Filters": "フィルター", + "Sources": "ソース", + "Search for packages to start": "パッケージを検索してください", + "Select all": "すべて選択", + "Clear selection": "選択を解除", + "Instant search": "インクリメンタル検索", + "Distinguish between uppercase and lowercase": "大文字と小文字を区別", + "Ignore special characters": "特殊文字を無視", + "Search mode": "検索モード", + "Both": "両方", + "Exact match": "完全一致", + "Show similar packages": "類似パッケージ", + "No results were found matching the input criteria": "入力された条件にマッチする結果は見つかりませんでした", + "No packages were found": "パッケージが見つかりませんでした", + "Loading packages": "パッケージの読み込み ", + "Skip integrity checks": "整合性の検証をスキップ", + "Download selected installers": "選択したインストーラをダウンロードする ", + "Install selection": "選択したものをインストール", + "Install options": "インストールオプション ", + "Share": "共有", + "Add selection to bundle": "選択したものをバンドルに追加", + "Download installer": "インストーラーをダウンロード", + "Share this package": "このパッケージを共有する", + "Uninstall selection": "アンインストールを選択", + "Uninstall options": "アンインストールオプション ", + "Ignore selected packages": "選択したパッケージを無視", + "Open install location": "インストール先を開く", + "Reinstall package": "パッケージを再インストール", + "Uninstall package, then reinstall it": "パッケージをアンインストールしてから再インストール", + "Ignore updates for this package": "このパッケージのアップデートを無視する", + "Do not ignore updates for this package anymore": "このパッケージのアップデートを無視する", + "Add packages or open an existing package bundle": "パッケージを追加するか、既存のパッケージバンドルを開きます", + "Add packages to start": "パッケージを追加してください", + "The current bundle has no packages. Add some packages to get started": "現在のバンドルにはパッケージがありません。開始するにはパッケージを追加してください。", + "New": "新規", + "Save as": "名前を付けて保存 ", + "Remove selection from bundle": "選択したものをバンドルから削除", + "Skip hash checks": "ハッシュチェックをスキップする", + "The package bundle is not valid": "パッケージバンドルが無効です", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "読み込もうとしているバンドルが無効なようです。ファイルを確認し、もう一度お試しください。", + "Package bundle": "パッケージバンドル", + "Could not create bundle": "bundle を作成できませんでした", + "The package bundle could not be created due to an error.": "エラーのためパッケージ バンドルを作成できませんでした。", + "Bundle security report": "バンドルセキュリティレポート ", + "Hooray! No updates were found.": "アップデートは見つかりませんでした!", + "Everything is up to date": "すべて最新", + "Uninstall selected packages": "選択したパッケージをアンインストール", + "Update selection": "アップデートを選択", + "Update options": "更新設定", + "Uninstall package, then update it": "パッケージをアンインストールしてからアップデート", + "Uninstall package": "パッケージをアンインストール", + "Skip this version": "このバージョンをスキップする", + "Pause updates for": "更新を一時停止 ", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rustのパッケージマネージャーです。
含まれるもの: Rustで書かれたRustのライブラリとプログラム\n", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows用のクラシックなパッケージマネージャーです。そこにはすべてが揃っています。
含まれるもの: 一般ソフトウェア", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoftの .NET 環境を念頭にデザインされたツール・実行ファイルが満載のリポジトリ。
含まれるもの: .NET 関連のツールとスクリプト", + "NuPkg (zipped manifest)": "NuPkg(zip圧縮されたマニフェストファイル)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node.jsのパッケージマネージャーです。JavaScriptの世界を中心に様々なライブラリやユーティリティが含まれています。
含まれるもの: Node.jsのJavaScriptライブラリおよびその他の関連ユーティリティ", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythonのライブラリマネージャー。Pythonライブラリやその他のPython関連ユーティリティがたくさんあります
含まれるもの: Pythonライブラリおよび関連ユーティリティ", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell のパッケージマネージャーです。PowerShell の可能性を広げるライブラリーやスクリプトが見つかります。
含まれるもの: モジュール、スクリプト、コマンドレット\n", + "extracted": "抽出された ", + "Scoop package": "Scoop パッケージ", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "知られていないが便利なユーティリティやその他の興味深いパッケージの素晴らしいリポジトリです。
含まれるもの: ユーティリティ、コマンドラインプログラム、一般ソフトウェア(追加バケットが必要)", + "library": "ライブラリー", + "feature": "機能", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "人気のある C/C++ のライブラリ マネージャー。C/C++ ライブラリとその他の C/C++ 関連のユーティリティーが満載。
含まれるもの: C/C++ ライブラリと関連ユーティリティー", + "option": "オプション ", + "This package cannot be installed from an elevated context.": "このパッケージは管理者権限で実行された環境からインストールできません。", + "Please run UniGetUI as a regular user and try again.": "UniGetUIを一般ユーザーとして実行し、もう一度お試しください。", + "Please check the installation options for this package and try again": "このパッケージのインストールオプションを確認し、再度お試しください。", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftの公式パッケージマネージャーです。有名で検証済みのパッケージがたくさん含まれています。
含まれるもの: 総合ソフトウェア、Microsoft Storeアプリ", + "Local PC": "ローカルPC", + "Android Subsystem": "Android サブシステム", + "Operation on queue (position {0})...": "順番を待っています(キューの {0} 番目)...", + "Click here for more details": "詳細についてはここをクリックしてください ", + "Operation canceled by user": "操作はユーザーによってキャンセルされました", + "Starting operation...": "操作を開始しています... ", + "{package} installer download": "{package} インストーラーのダウンロード", + "{0} installer is being downloaded": "{0}インストーラをダウンロードしています ", + "Download succeeded": "ダウンロード成功", + "{package} installer was downloaded successfully": "{package} インストーラーが正常にダウンロードされました", + "Download failed": "ダウンロードに失敗しました ", + "{package} installer could not be downloaded": "{package} インストーラーをダウンロードできませんでした", + "{package} Installation": "{package} のインストール", + "{0} is being installed": "{0} をインストール中です", + "Installation succeeded": "インストール成功", + "{package} was installed successfully": "{package} は正常にインストールされました", + "Installation failed": "インストール失敗", + "{package} could not be installed": "{package} をインストールできませんでした", + "{package} Update": "{package} のアップデート", + "{0} is being updated to version {1}": "{0} がバージョン {1} にアップデートされています", + "Update succeeded": "アップデートに成功しました", + "{package} was updated successfully": "{package} は正常にアップデートされました", + "Update failed": "アップデートに失敗しました", + "{package} could not be updated": "{package} をアップデートできませんでした", + "{package} Uninstall": "{package} のアンインストール", + "{0} is being uninstalled": "{0} はアンインストール中です ", + "Uninstall succeeded": "アンインストールに成功しました", + "{package} was uninstalled successfully": "{package} は正常にアンインストールされました", + "Uninstall failed": "アンインストールに失敗しました", + "{package} could not be uninstalled": "{package} をアンインストールできませんでした", + "Adding source {source}": "ソースを追加 {source}", + "Adding source {source} to {manager}": "ソース {source} を {manager} に追加しています", + "Source added successfully": "ソースが正常に追加されました", + "The source {source} was added to {manager} successfully": "ソース {source} が {manager} に無事に追加されました", + "Could not add source": "ソースを追加できませんでした ", + "Could not add source {source} to {manager}": "{source} を {manager} に追加できませんでした", + "Removing source {source}": "ソース {source} の削除", + "Removing source {source} from {manager}": "ソース {source} を {manager} から削除しています", + "Source removed successfully": "ソースが正常に削除されました", + "The source {source} was removed from {manager} successfully": "ソース {source} が {manager} から無事に削除されました", + "Could not remove source": "ソースを削除できませんでした ", + "Could not remove source {source} from {manager}": "{manager} からソース {source} を削除できませんでした", + "The package manager \"{0}\" was not found": "パッケージマネージャー「{0}」が見つかりませんでした", + "The package manager \"{0}\" is disabled": "パッケージマネージャー「{0}」は無効です", + "There is an error with the configuration of the package manager \"{0}\"": "パッケージ マネージャー \"{0}\" の構成にエラーがあります ", + "The package \"{0}\" was not found on the package manager \"{1}\"": "パッケージ\"{0}\"はパッケージマネージャー\"{1}\"で見つかりませんでした。", + "{0} is disabled": "{0} は無効です", + "Something went wrong": "何かおかしいようです", + "An interal error occurred. Please view the log for further details.": "内部エラーが発生しました。詳細についてはログを確認してください。", + "No applicable installer was found for the package {0}": "パッケージ {0} に適用可能なインストーラーが見つかりませんでした ", + "We are checking for updates.": "アップデートを確認しています。", + "Please wait": "お待ち下さい", + "UniGetUI version {0} is being downloaded.": "UniGetUI バージョン {0} をダウンロードしています。", + "This may take a minute or two": "これには1~2分かかることがあります", + "The installer authenticity could not be verified.": "インストーラの信頼性を確認できませんでした。", + "The update process has been aborted.": "更新プロセスは中止されました。 ", + "Great! You are on the latest version.": "素晴らしい!最新のバージョンです。", + "There are no new UniGetUI versions to be installed": "新しいUniGetUIバージョンはありません", + "An error occurred when checking for updates: ": "アップデートの確認時にエラーが発生しました:", + "UniGetUI is being updated...": "UniGetUI を更新中です... ", + "Something went wrong while launching the updater.": "アップデータの起動中に問題が発生しました。", + "Please try again later": "後ほどもう一度お試しください。", + "Integrity checks will not be performed during this operation": "この操作中は整合性チェックは実行されません ", + "This is not recommended.": "推薦されません。", + "Run now": "今すぐ実行", + "Run next": "次に実行", + "Run last": "最後に実行 ", + "Retry as administrator": "管理者として再試行", + "Retry interactively": "対話的に再試行する", + "Retry skipping integrity checks": "再試行時に整合性チェックをスキップする", + "Installation options": "インストールオプション", + "Show in explorer": "エクスプローラーで表示", + "This package is already installed": "このパッケージはすでにインストールされています", + "This package can be upgraded to version {0}": "このパッケージはバージョン {0} にアップグレードできます ", + "Updates for this package are ignored": "このパッケージへのアップデートは無視されています", + "This package is being processed": "このパッケージはインストール作業中です", + "This package is not available": "このパッケージは利用できません", + "Select the source you want to add:": "追加したいソースを選択してください:", + "Source name:": "ソース名:", + "Source URL:": "ソース URL:", + "An error occurred": "エラーが発生しました", + "An error occurred when adding the source: ": "ソースの追加時にエラーが発生しました:", + "Package management made easy": "パッケージ管理が簡単に ", + "version {0}": "バージョン {0}", + "[RAN AS ADMINISTRATOR]": "管理者として実行", + "Portable mode": "ポータブルモード", + "DEBUG BUILD": "デバッグビルド", + "Available Updates": "ソフトウェアアップデート", + "Show WingetUI": "UniGetUI を表示", + "Quit": "終了", + "Attention required": "注意が必要", + "Restart required": "再起動が必要", + "1 update is available": "1つのアップデートが利用可能です", + "{0} updates are available": "{0} 件のアップデートが利用可能です", + "WingetUI Homepage": "UniGetUI ホームページ", + "WingetUI Repository": "UniGetUI リポジトリ", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "ここでは、UniGetUIのショートカットに関する動作を変更できます。ショートカットにチェックを付けると、今後のアップグレードでそのショートカットが作成された場合、UniGetUIがそれを削除します。チェックを外すと、ショートカットはそのまま残ります。 ", + "Manual scan": "手動スキャン ", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "デスクトップ上の既存のショートカットがスキャンされ、保持するショートカットと削除するショートカットを選択する必要があります。 ", + "Continue": "続ける", + "Delete?": "消去しますか? ", + "Missing dependency": "必要な依存関係がありません", + "Not right now": "あとで", + "Install {0}": "{0} をインストール", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUIには {0} が必要ですが、お使いのシステムで見つかりませんでした。", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "インストール処理を開始するには [インストール] をクリックします。インストールをスキップする場合は、UniGetUI が想定通りに動作しない可能性があります。", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "あるいは、Windows PowerShellプロンプトで以下のコマンドを実行して {0} をインストールすることもできます。", + "Do not show this dialog again for {0}": "今後 {0} のダイアログを再表示しない", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0}のインストールが完了するまでお待ちください。黒いウィンドウが表示される場合があります。そのウィンドウが閉じるまでお待ちください。", + "{0} has been installed successfully.": "{0}は正常にインストールされました。 ", + "Please click on \"Continue\" to continue": "「続行」をクリックして、続行してください。", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} が正常にインストールされました。インストールを完了するため、UniGetUI を再起動することをおすすめします。", + "Restart later": "後で再起動する", + "An error occurred:": "エラーが発生しました:", + "I understand": "了解", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUIは管理者権限で実行されていますが、これは推奨されません。UniGetUIを管理者権限で実行すると、UniGetUIから起動されるすべての操作が管理者権限で実行されます。プログラムは引き続き使用可能ですが、UniGetUIを管理者権限で実行しないことを強く推奨します。", + "WinGet was repaired successfully": "WinGetは正常に修復されました ", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGetが修復されたらUniGetUIを再起動することをお勧めします ", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "注意: このトラブルシューティングは、UniGetUI 設定の WinGet セクションから無効にすることができます。 ", + "Restart": "再起動", + "WinGet could not be repaired": "WinGetを修復できませんでした ", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet の修復操作中に予期しないエラーが発生しました。後で再試行してください。", + "Are you sure you want to delete all shortcuts?": "すべてのショートカットを削除してもよろしいですか? ", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "インストールまたは更新操作中に作成された新しいショートカットは、初回検出時の確認プロンプトを表示せず、自動的に削除されます。 ", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI の外部で作成または変更されたショートカットは無視されます。{0} ボタンから追加できます。 ", + "Are you really sure you want to enable this feature?": "この機能を有効にしてもよろしいですか? ", + "No new shortcuts were found during the scan.": "スキャン中に新しいショートカットは見つかりませんでした。\n", + "How to add packages to a bundle": "バンドルにパッケージを追加する方法 ", + "In order to add packages to a bundle, you will need to: ": "バンドルにパッケージを追加するには、次の手順が必要です。 ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\"または\"{1}\"ページに移動します。", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. バンドルに追加するパッケージを探して、左端のチェックボックスをオンにします。", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. バンドルに追加するパッケージを選択したら、ツールバーでオプション\n 「{0}」を見つけてクリックします。 ", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. パッケージがバンドルに追加されます。\n パッケージの追加を続けるか、バンドルをエクスポートしてください。 ", + "Which backup do you want to open?": "どのバックアップを開きますか?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "開きたいバックアップを選択してください。後で、復元したいパッケージ/プログラムを確認できます。", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "操作が進行中です。UniGetUI を終了させるとそれらの操作が失敗する可能性があります。よろしいですか?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI またはそのコンポーネントの一部が見つからないか破損しています。 ", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "この状況を解決するため、UniGetUIの再インストールを強くおすすめします。", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "影響を受けたファイルに関する詳細を確認するには、UniGetUI ログを参照してください。", + "Integrity checks can be disabled from the Experimental Settings": "整合性チェックは「実験的設定」から無効にできます。", + "Repair UniGetUI": "UniGetUI の修復", + "Live output": "ライブ出力", + "Package not found": "パッケージが見つかりません", + "An error occurred when attempting to show the package with Id {0}": "ID {0} のパッケージを表示しようとしたときにエラーが発生しました ", + "Package": "パッケージ ", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "このパッケージ バンドルには潜在的に危険な設定がいくつかあり、デフォルトでは無視される可能性があります。 ", + "Entries that show in YELLOW will be IGNORED.": "黄色で表示されるエントリは無視されます。 ", + "Entries that show in RED will be IMPORTED.": "赤で表示されるエントリはインポートされます。 ", + "You can change this behavior on UniGetUI security settings.": "この動作は UniGetUI のセキュリティ設定で変更できます。", + "Open UniGetUI security settings": "UniGetUIのセキュリティ設定を開く ", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "セキュリティ設定を変更した場合、変更を反映させるためには、再度バンドルを開く必要があります。", + "Details of the report:": "レポートの詳細: ", "\"{0}\" is a local package and can't be shared": "「{0}」はローカル パッケージなので共有できません\n", + "Are you sure you want to create a new package bundle? ": "新しいパッケージバンドルを作成しますか?", + "Any unsaved changes will be lost": "保存されていないすべての変更は失われます", + "Warning!": "警告!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "セキュリティ上の理由から、カスタム コマンドライン引数はデフォルトで無効になっています。これを変更するには、UniGetUI のセキュリティ設定に移動してください。", + "Change default options": "デフォルトオプションを変更する ", + "Ignore future updates for this package": "このパッケージの将来のアップデートを無視", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "セキュリティ上の理由から、操作前および操作後のスクリプトはデフォルトで無効になっています。これを変更するには、UniGetUI のセキュリティ設定にアクセスしてください。 ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "このパッケージのインストール、更新、またはアンインストールされる際の前後に実行するコマンドを定義できます。これらのコマンドはコマンド プロンプトで実行されるため、CMD スクリプトを使用できます。", + "Change this and unlock": "これを変更してロックを解除 ", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} はデフォルトのインストール オプションに従っているため、{0} のインストール オプションは現在ロックされています。", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "このパッケージをインストール、アップデート、またはアンインストールする前に終了する必要があるプロセスを選択します。", + "Write here the process names here, separated by commas (,)": "プロセス名をコンマ(,)で区切ってここに記入してください。", + "Unset or unknown": "未設定または不明 ", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "この問題に関する詳細はコマンドライン出力か操作履歴をご覧ください", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "このパッケージのスクリーンショットがないか、アイコンが不足していますか? 欠落しているアイコンやスクリーンショットを、オープンでパブリックなデータベースに追加して、UniGetUIの貢献にご協力ください。", + "Become a contributor": "貢献者になる", + "Save": "保存", + "Update to {0} available": "{0} へのアップデートが利用可能です", + "Reinstall": "再インストール", + "Installer not available": "インストーラーが利用できません ", + "Version:": "バージョン:", + "Performing backup, please wait...": "バックアップ中です。お待ち下さい…", + "An error occurred while logging in: ": "ログイン中にエラーが発生しました: ", + "Fetching available backups...": "利用可能なバックアップを取得しています... ", + "Done!": "終了!", + "The cloud backup has been loaded successfully.": "クラウド バックアップが正常に読み込まれました。", + "An error occurred while loading a backup: ": "バックアップの読み込み中にエラーが発生しました: ", + "Backing up packages to GitHub Gist...": "パッケージを GitHub Gist にバックアップしています... ", + "Backup Successful": "バックアップ成功 ", + "The cloud backup completed successfully.": "クラウドバックアップが正常に完了しました。", + "Could not back up packages to GitHub Gist: ": "パッケージを GitHub Gist にバックアップできませんでした: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "提供された認証情報が安全に保管される保証はないので、銀行口座の認証情報など重要なログイン情報を使用しない方がよいでしょう。 ", + "Enable the automatic WinGet troubleshooter": "自動WinGetトラブルシューティングツールを有効にする ", + "Enable an [experimental] improved WinGet troubleshooter": "[試験的] 改善された WinGet トラブルシューティング ツールを有効にする ", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "「適用可能な更新が見つかりません」というエラーで失敗した更新を無視された更新リストに追加します。 ", + "Restart WingetUI to fully apply changes": "変更を完全に反映するには UniGetUI を再起動してください", + "Restart WingetUI": "UniGetUI を再起動", + "Invalid selection": "無効な選択", + "No package was selected": "パッケージが選択されていません", + "More than 1 package was selected": "複数のパッケージが選択されました", + "List": "一覧", + "Grid": "グリッド ", + "Icons": "アイコン", "\"{0}\" is a local package and does not have available details": "「{0}」はローカル パッケージであり、利用可能な詳細がありません\n", "\"{0}\" is a local package and is not compatible with this feature": "「{0}」はローカル パッケージであり、この機能と互換性がありません\n", - "(Last checked: {0})": "(最終確認日時: {0})", + "WinGet malfunction detected": "WinGetの不具合を検出しました ", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet が正常に動作していないようです。WinGet の修復を試みますか? ", + "Repair WinGet": "WinGetの修復 ", + "Create .ps1 script": ".ps1 スクリプトを作成する", + "Add packages to bundle": "バンドルにパッケージを追加する ", + "Preparing packages, please wait...": "パッケージを準備しています。お待ち下さい…", + "Loading packages, please wait...": "パッケージを読み込んでいます。お待ち下さい…", + "Saving packages, please wait...": "パッケージを保存しています。お待ち下さい…", + "The bundle was created successfully on {0}": "バンドルは {0} に正常に作成されました", + "Install script": "インストールスクリプト", + "The installation script saved to {0}": "インストールスクリプトは {0} に保存されました", + "An error occurred while attempting to create an installation script:": "インストール スクリプトの作成中にエラーが発生しました:", + "{0} packages are being updated": "{0} パッケージをアップデート中", + "Error": "エラー", + "Log in failed: ": "ログインに失敗しました: ", + "Log out failed: ": "ログアウトに失敗しました: ", + "Package backup settings": "パッケージバックアップ設定 ", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(キューの {0} 番目)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "sho9029, Yuki Takase, @nob-swik, @tacostea, @anmoti, Nobuhiro Shintaku, @BHCrusher1", "0 packages found": "パッケージが見つかりませんでした", "0 updates found": "アップデートが見つかりませんでした", - "1 - Errors": "1 - エラー", - "1 day": "1 日", - "1 hour": "1 時間", "1 month": "1ヶ月 ", "1 package was found": "1個のパッケージが見つかりました", - "1 update is available": "1つのアップデートが利用可能です", - "1 week": "1 週間", "1 year": "1年", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\"または\"{1}\"ページに移動します。", - "2 - Warnings": "2 - 警告", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. バンドルに追加するパッケージを探して、左端のチェックボックスをオンにします。", - "3 - Information (less)": "3 - 情報(概要)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. バンドルに追加するパッケージを選択したら、ツールバーでオプション\n 「{0}」を見つけてクリックします。 ", - "4 - Information (more)": "4 - 情報(詳細)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. パッケージがバンドルに追加されます。\n パッケージの追加を続けるか、バンドルをエクスポートしてください。 ", - "5 - information (debug)": "5 - 情報(デバッグ)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "人気のある C/C++ のライブラリ マネージャー。C/C++ ライブラリとその他の C/C++ 関連のユーティリティーが満載。
含まれるもの: C/C++ ライブラリと関連ユーティリティー", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoftの .NET 環境を念頭にデザインされたツール・実行ファイルが満載のリポジトリ。
含まれるもの: .NET 関連のツールとスクリプト", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoftの .NET 環境を念頭にデザインされたツールが満載のリポジトリ。
含まれるもの: .NET 関連のツール", "A restart is required": "再起動が必要", - "Abort install if pre-install command fails": "インストール前コマンドが失敗した場合はインストールを中止する ", - "Abort uninstall if pre-uninstall command fails": "アンインストール前のコマンドが失敗した場合はアンインストールを中止する ", - "Abort update if pre-update command fails": "アップデート前コマンドが失敗した場合は更新を中止する ", - "About": "情報", "About Qt6": "Qt6 について", - "About WingetUI": "UniGetUI について", "About WingetUI version {0}": "UniGetUI バージョン {0} について", "About the dev": "開発者について", - "Accept": "許可", "Action when double-clicking packages, hide successful installations": "パッケージをダブルクリックした時に、インストール成功したパッケージを非表示にする", - "Add": "追加", "Add a source to {0}": "{0} へのソース追加", - "Add a timestamp to the backup file names": "バックアップファイル名にタイムスタンプを追加する", "Add a timestamp to the backup files": "バックアップファイルにタイムスタンプを追加する", "Add packages or open an existing bundle": "パッケージを追加するか既存のバンドルを開いてください", - "Add packages or open an existing package bundle": "パッケージを追加するか、既存のパッケージバンドルを開きます", - "Add packages to bundle": "バンドルにパッケージを追加する ", - "Add packages to start": "パッケージを追加してください", - "Add selection to bundle": "選択したものをバンドルに追加", - "Add source": "ソースを追加", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "「適用可能な更新が見つかりません」というエラーで失敗した更新を無視された更新リストに追加します。 ", - "Adding source {source}": "ソースを追加 {source}", - "Adding source {source} to {manager}": "ソース {source} を {manager} に追加しています", "Addition succeeded": "追加成功", - "Administrator privileges": "管理者権限", "Administrator privileges preferences": "管理者権限設定", "Administrator rights": "管理者権限", - "Administrator rights and other dangerous settings": "管理者権限やその他の危険な設定", - "Advanced options": "詳細オプション ", "All files": "すべてのファイル", - "All versions": "すべてのバージョン", - "Allow changing the paths for package manager executables": "パッケージマネージャー実行ファイルのパスを変更を許可する", - "Allow custom command-line arguments": "カスタム コマンドライン引数を許可する", - "Allow importing custom command-line arguments when importing packages from a bundle": "バンドルからパッケージをインポートする際に、カスタム コマンドライン引数のインポートを許可する", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "バンドルからパッケージをインポートする際に、インストール前およびインストール後のカスタムコマンドのインポートを許可する。", "Allow package operations to be performed in parallel": "パッケージ操作を並列実行する", "Allow parallel installs (NOT RECOMMENDED)": "並列インストールを許可する(非推奨)", - "Allow pre-release versions": "プレリリース版を許可する ", "Allow {pm} operations to be performed in parallel": "{pm} の並列動作を許可する", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "あるいは、Windows PowerShellプロンプトで以下のコマンドを実行して {0} をインストールすることもできます。", "Always elevate {pm} installations by default": "デフォルトで {pm} のインストールを昇格させる", "Always run {pm} operations with administrator rights": "{pm} の操作を常に管理者権限付きで実行する", - "An error occurred": "エラーが発生しました", - "An error occurred when adding the source: ": "ソースの追加時にエラーが発生しました:", - "An error occurred when attempting to show the package with Id {0}": "ID {0} のパッケージを表示しようとしたときにエラーが発生しました ", - "An error occurred when checking for updates: ": "アップデートの確認時にエラーが発生しました:", - "An error occurred while attempting to create an installation script:": "インストール スクリプトの作成中にエラーが発生しました:", - "An error occurred while loading a backup: ": "バックアップの読み込み中にエラーが発生しました: ", - "An error occurred while logging in: ": "ログイン中にエラーが発生しました: ", - "An error occurred while processing this package": "パッケージの処理中にエラーが発生しました", - "An error occurred:": "エラーが発生しました:", - "An interal error occurred. Please view the log for further details.": "内部エラーが発生しました。詳細についてはログを確認してください。", "An unexpected error occurred:": "予期しないエラーが発生しました:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet の修復操作中に予期しないエラーが発生しました。後で再試行してください。", - "An update was found!": "アップデートが見つかりました!", - "Android Subsystem": "Android サブシステム", "Another source": "別のソース", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "インストールまたは更新操作中に作成された新しいショートカットは、初回検出時の確認プロンプトを表示せず、自動的に削除されます。 ", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI の外部で作成または変更されたショートカットは無視されます。{0} ボタンから追加できます。 ", - "Any unsaved changes will be lost": "保存されていないすべての変更は失われます", "App Name": "アプリ名", - "Appearance": "インタフェース", - "Application theme, startup page, package icons, clear successful installs automatically": "アプリのテーマ、スタートアップページ、パッケージアイコン、インストール成功時に自動で消去します ", - "Application theme:": "アプリテーマ:", - "Apply": "適用する ", - "Architecture to install:": "インストールするアーキテクチャ:", "Are these screenshots wron or blurry?": "このスクリーンショットは間違っているかぼやけていますか?", - "Are you really sure you want to enable this feature?": "この機能を有効にしてもよろしいですか? ", - "Are you sure you want to create a new package bundle? ": "新しいパッケージバンドルを作成しますか?", - "Are you sure you want to delete all shortcuts?": "すべてのショートカットを削除してもよろしいですか? ", - "Are you sure?": "よろしいですか?", - "Ascendant": "昇順", - "Ask for administrator privileges once for each batch of operations": "操作バッチごとに一度だけ管理者権限を求める", "Ask for administrator rights when required": "必要な場合には管理者権限を要求する", "Ask once or always for administrator rights, elevate installations by default": "管理者権限を一度だけ、または毎回要求し、デフォルトでインストールを昇格させる", - "Ask only once for administrator privileges": "管理者権限を一度だけ要求する ", "Ask only once for administrator privileges (not recommended)": "管理者権限を一度だけ要求する(非推奨) ", - "Ask to delete desktop shortcuts created during an install or upgrade.": "インストール、アップグレード時に作成されるデスクトップショートカットを削除するか確認する", - "Attention required": "注意が必要", "Authenticate to the proxy with an user and a password": "ユーザー名とパスワードでプロキシを認証する ", - "Author": "作者", - "Automatic desktop shortcut remover": "デスクトップ ショートカットの自動削除", - "Automatic updates": "自動更新", - "Automatically save a list of all your installed packages to easily restore them.": "インストール済みパッケージの一覧を自動的に保存し、簡単に復元できるようにします。", "Automatically save a list of your installed packages on your computer.": "インストール済みパッケージの一覧を自動的にコンピューターに保存する", - "Automatically update this package": "このパッケージを自動的に更新する", "Autostart WingetUI in the notifications area": "UniGetUI を通知領域で自動起動する", - "Available Updates": "ソフトウェアアップデート", "Available updates: {0}": "利用可能なアップデート: {0}", "Available updates: {0}, not finished yet...": "利用可能なアップデート: {0}、進行中...", - "Backing up packages to GitHub Gist...": "パッケージを GitHub Gist にバックアップしています... ", - "Backup": "バックアップ", - "Backup Failed": "バックアップに失敗しました ", - "Backup Successful": "バックアップ成功 ", - "Backup and Restore": "バックアップと復元 ", "Backup installed packages": "インストール済みパッケージのバックアップ", "Backup location": "バックアップの場所 ", - "Become a contributor": "貢献者になる", - "Become a translator": "翻訳者になる", - "Begin the process to select a cloud backup and review which packages to restore": "クラウドバックアップを選択し、復元するパッケージを確認するプロセスを開始します ", - "Beta features and other options that shouldn't be touched": "ベータ版機能やその他の触れないほうが良いオプション", - "Both": "両方", - "Bundle security report": "バンドルセキュリティレポート ", "But here are other things you can do to learn about WingetUI even more:": "しかし、UniGetUI についてさらに知るために、他にもできることがあります:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "パッケージマネージャーのチェックを外した場合、パッケージの内容やアップデートが見えなくなります。", "Cache administrator rights and elevate installers by default": "管理者権限をキャッシュし、インストーラーをデフォルトで昇格させる", "Cache administrator rights, but elevate installers only when required": "管理者権限をキャッシュし、必要なときだけインストーラーを昇格させる", "Cache was reset successfully!": "キャッシュのリセットが完了しました!", "Can't {0} {1}": "{1} を {0} できませんでした", - "Cancel": "キャンセル", "Cancel all operations": "すべての操作をキャンセル", - "Change backup output directory": "バックアップの保存先を変更する", - "Change default options": "デフォルトオプションを変更する ", - "Change how UniGetUI checks and installs available updates for your packages": "UniGetUIが利用可能なパッケージのアップデートを確認してインストールする方法の変更", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI がインストール、アップデート、アンインストール操作を処理する方法を変更します。 ", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI がパッケージをインストールし、利用可能なアップデートをチェックしてインストールする方法を変更する ", - "Change how operations request administrator rights": "管理者権限を要求する操作方法を変更する ", "Change install location": "インストール先を変更", - "Change this": "これを変更する ", - "Change this and unlock": "これを変更してロックを解除 ", - "Check for package updates periodically": "定期的にパッケージのアップデートを確認する", - "Check for updates": "アップデートの確認", - "Check for updates every:": "アップデートの確認間隔:", "Check for updates periodically": "定期的にアップデートを確認する", "Check for updates regularly, and ask me what to do when updates are found.": "定期的にアップデートを確認し、アップデートが見つかった場合にどうするかを確認します。", "Check for updates regularly, and automatically install available ones.": "定期的にアップデートを確認し、利用可能なものは自動的にインストールします。", @@ -159,805 +741,283 @@ "Checking for updates...": "アップデートの確認中...", "Checking found instace(s)...": "見つかったインスタンスを確認中...", "Choose how many operations shouls be performed in parallel": "並列に実行する数を選択する ", - "Clear cache": "キャッシュのクリア", "Clear finished operations": "完了した操作をクリアする ", - "Clear selection": "選択を解除", "Clear successful operations": "成功した操作を削除", - "Clear successful operations from the operation list after a 5 second delay": "操作リストから成功した操作を 5 秒後に削除する", "Clear the local icon cache": "ローカルアイコンキャッシュをクリアする", - "Clearing Scoop cache - WingetUI": "Scoop のキャッシュ消去 - UniGetUI", "Clearing Scoop cache...": "Scoop のキャッシュをクリアしています...", - "Click here for more details": "詳細についてはここをクリックしてください ", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "インストール処理を開始するには [インストール] をクリックします。インストールをスキップする場合は、UniGetUI が想定通りに動作しない可能性があります。", - "Close": "閉じる", - "Close UniGetUI to the system tray": "UniGetUIをシステムトレイに閉じます ", "Close WingetUI to the notification area": "UniGetUI を閉じる時に通知領域へ格納する", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "クラウドバックアップでは、プライベートなGitHub Gistを使用して、インストールされているパッケージのリストを保存します ", - "Cloud package backup": "クラウドパッケージのバックアップ ", "Command-line Output": "コマンドライン出力", - "Command-line to run:": "実行するコマンドライン: ", "Compare query against": "検索クエリの比較対象", - "Compatible with authentication": "認証に対応 ", - "Compatible with proxy": "プロキシと互換性あり ", "Component Information": "コンポーネントの情報", - "Concurrency and execution": "並行処理と実行", - "Connect the internet using a custom proxy": "カスタムプロキシを使用してインターネットに接続する ", - "Continue": "続ける", "Contribute to the icon and screenshot repository": "アイコンとスクリーンショットのリポジトリに貢献する", - "Contributors": "貢献者", "Copy": "コピー", - "Copy to clipboard": "クリップボードにコピー", - "Could not add source": "ソースを追加できませんでした ", - "Could not add source {source} to {manager}": "{source} を {manager} に追加できませんでした", - "Could not back up packages to GitHub Gist: ": "パッケージを GitHub Gist にバックアップできませんでした: ", - "Could not create bundle": "bundle を作成できませんでした", "Could not load announcements - ": "お知らせを読み込めませんでした - ", "Could not load announcements - HTTP status code is $CODE": "お知らせを読み込めませんでした - HTTPステータスコード $CODE", - "Could not remove source": "ソースを削除できませんでした ", - "Could not remove source {source} from {manager}": "{manager} からソース {source} を削除できませんでした", "Could not remove {source} from {manager}": "{manager} から {source} を削除できませんでした", - "Create .ps1 script": ".ps1 スクリプトを作成する", - "Credentials": "資格情報", "Current Version": "現在のバージョン", - "Current executable file:": "現在の実行ファイル:", - "Current status: Not logged in": "現在のステータス: ログインしていません ", "Current user": "現在のユーザー", "Custom arguments:": "カスタム引数: ", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "カスタム コマンドライン引数によって、プログラムのインストール、アップグレード、アンインストールの方法が UniGetUI では制御できない形で変更されることがあります。カスタム コマンドライン引数を使用するとパッケージが破損する可能性があります。慎重に操作してください。", "Custom command-line arguments:": "カスタム コマンド ライン引数:", - "Custom install arguments:": "カスタムインストール引数: ", - "Custom uninstall arguments:": "カスタムアンインストール引数: ", - "Custom update arguments:": "カスタムアップデート引数: ", "Customize WingetUI - for hackers and advanced users only": "UniGetUI をカスタマイズする - ハッカーや上級者向け", - "DEBUG BUILD": "デバッグビルド", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "免責事項: ダウンロードされたパッケージについて、我々は責任を負いません。信頼できるソフトウェアのみをインストールするようにしてください。", - "Dark": "ダークテーマ", - "Decline": "拒否", - "Default": "デフォルト", - "Default installation options for {0} packages": "{0} パッケージのデフォルトのインストール オプション\n", "Default preferences - suitable for regular users": "デフォルト設定 - 通常のユーザーに最適", - "Default vcpkg triplet": "デフォルトのvcpkgトリプレット ", - "Delete?": "消去しますか? ", - "Dependencies:": "依存関係:", - "Descendant": "降順", "Description:": "説明:", - "Desktop shortcut created": "デスクトップ ショートカットを作成しました", - "Details of the report:": "レポートの詳細: ", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "開発は大変ですが、このアプリケーションは無料です。でも、もしこのアプリケーションが気に入ったなら、いつでも私にコーヒーをおごっていいんですよ :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" タブで項目をダブルクリックすると、(パッケージ情報を表示する代わりに) 直接インストールします", "Disable new share API (port 7058)": "新しい共有API(ポート7058)を無効化する", - "Disable the 1-minute timeout for package-related operations": "パッケージ関連の操作における1分間のタイムアウトを無効にする", - "Disabled": "無効", - "Disclaimer": "免責事項", - "Discover Packages": "パッケージを探す", "Discover packages": "パッケージを探す", "Distinguish between\nuppercase and lowercase": "大文字と小文字を区別", - "Distinguish between uppercase and lowercase": "大文字と小文字を区別", "Do NOT check for updates": "アップデートを確認しない", "Do an interactive install for the selected packages": "選択したパッケージの対話型インストールをおこなう", "Do an interactive uninstall for the selected packages": "選択したパッケージの対話型アンインストールを行う", "Do an interactive update for the selected packages": "選択したパッケージの対話型アップデートを行う", - "Do not automatically install updates when the battery saver is on": "バッテリーセーバーがオンのときにアップデートを自動的にインストールしない ", - "Do not automatically install updates when the device runs on battery": "デバイスがバッテリーで動作しているときにアップデートを自動的にインストールしない", - "Do not automatically install updates when the network connection is metered": "ネットワーク接続が従量制の場合は、自動的にアップデートをインストールしない ", "Do not download new app translations from GitHub automatically": "GitHubから新しいアプリの翻訳を自動的にダウンロードしない", - "Do not ignore updates for this package anymore": "このパッケージのアップデートを無視する", "Do not remove successful operations from the list automatically": "成功した操作をリストから自動的に削除しない", - "Do not show this dialog again for {0}": "今後 {0} のダイアログを再表示しない", "Do not update package indexes on launch": "起動時にパッケージのインデックスを更新しない", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "UniGetUIが、ユーザーエクスペリエンス向上のため、匿名の利用統計を収集・送信することに同意しますか?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "UniGetUI はお役に立っていますか? 私が究極のパッケージ管理インターフェースを目指して \nUniGetUI を継続的に開発できるよう、もし可能であれば私の仕事をサポートしていただければ幸いです。", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "UniGetUI は便利ですか?開発者を応援したいと思いますか?もしそうなら、{0} していただければとても助かります!", - "Do you really want to reset this list? This action cannot be reverted.": "このリストを本当にリセットしますか? この操作は元に戻せません。 ", - "Do you really want to uninstall the following {0} packages?": "以下の {0} 個のパッケージを本当にアンインストールしますか?", "Do you really want to uninstall {0} packages?": "本当に {0} 個のパッケージをアンインストールしますか?", - "Do you really want to uninstall {0}?": "本当に {0} をアンインストールしますか?", "Do you want to restart your computer now?": "PC を今すぐ再起動させますか?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "UniGetUI をあなたの言語に翻訳してみませんか?翻訳への貢献方法についてはHERE!をご覧ください!\n", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "寄付には気が乗りませんか? ご心配なく。いつでも UniGetUIを知り合いに紹介することはできます。\nUniGetUI についてヒトコト拡散するだけです。", "Donate": "寄付する", - "Done!": "終了!", - "Download failed": "ダウンロードに失敗しました ", - "Download installer": "インストーラーをダウンロード", - "Download operations are not affected by this setting": "ダウンロード操作はこの設定の影響を受けません ", - "Download selected installers": "選択したインストーラをダウンロードする ", - "Download succeeded": "ダウンロード成功", "Download updated language files from GitHub automatically": "最新の言語ファイルをGitHubから自動的にダウンロードする", - "Downloading": "ダウンロード中", - "Downloading backup...": "バックアップをダウンロードしています... ", - "Downloading installer for {package}": "{package} のインストーラーをダウンロード中", - "Downloading package metadata...": "パッケージのメタデータをダウンロード中...", - "Enable Scoop cleanup on launch": "起動時にScoopのクリーンアップを有効にする", - "Enable WingetUI notifications": "UniGetUI の通知を有効にする", - "Enable an [experimental] improved WinGet troubleshooter": "[試験的] 改善された WinGet トラブルシューティング ツールを有効にする ", - "Enable and disable package managers, change default install options, etc.": "パッケージ マネージャーを有効または無効にしたり、デフォルトのインストール オプションを変更したりします。 ", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "バックグラウンド CPU 使用率の最適化を有効にする(プルリクエスト #3278 を参照)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "バックグラウンドAPIを有効にする(UniGetUI Widgetsと共有機能用、7058番ポート)", - "Enable it to install packages from {pm}.": "パッケージを {pm} からインストールするには有効にしてください", - "Enable the automatic WinGet troubleshooter": "自動WinGetトラブルシューティングツールを有効にする ", - "Enable the new UniGetUI-Branded UAC Elevator": "新しい UniGetUI ブランドの UAC エレベーターを有効にする ", - "Enable the new process input handler (StdIn automated closer)": "新しいプロセス入力ハンドラーを有効にする(StdIn 自動クローズ)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "以下の設定は、その機能と、それに伴う影響や危険性を完全に理解している場合に限り、有効にしてください。 ", - "Enable {pm}": "{pm} を有効にする", - "Enabled": "有効", - "Enter proxy URL here": "ここにプロキシURLを入力してください ", - "Entries that show in RED will be IMPORTED.": "赤で表示されるエントリはインポートされます。 ", - "Entries that show in YELLOW will be IGNORED.": "黄色で表示されるエントリは無視されます。 ", - "Error": "エラー", - "Everything is up to date": "すべて最新", - "Exact match": "完全一致", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "デスクトップ上の既存のショートカットがスキャンされ、保持するショートカットと削除するショートカットを選択する必要があります。 ", - "Expand version": "バージョンを表示", - "Experimental settings and developer options": "試験的な設定と開発者オプション", - "Export": "エクスポート", + "Downloading": "ダウンロード中", + "Downloading installer for {package}": "{package} のインストーラーをダウンロード中", + "Downloading package metadata...": "パッケージのメタデータをダウンロード中...", + "Enable the new UniGetUI-Branded UAC Elevator": "新しい UniGetUI ブランドの UAC エレベーターを有効にする ", + "Enable the new process input handler (StdIn automated closer)": "新しいプロセス入力ハンドラーを有効にする(StdIn 自動クローズ)", "Export log as a file": "ログをファイルとしてエクスポートする", "Export packages": "パッケージをエクスポートする", "Export selected packages to a file": "選択したパッケージをファイルとしてエクスポートする", - "Export settings to a local file": "設定をローカルファイルにエクスポート", - "Export to a file": "ファイルにエクスポート", - "Failed": "失敗しました", - "Fetching available backups...": "利用可能なバックアップを取得しています... ", "Fetching latest announcements, please wait...": "最新のお知らせを取得中です。お待ち下さい…", - "Filters": "フィルター", "Finish": "完了しました", - "Follow system color scheme": "システムのカラーモードに従う", - "Follow the default options when installing, upgrading or uninstalling this package": "このパッケージをインストール、アップグレード、またはアンインストールするときは、デフォルトのオプションに従ってください。 ", - "For security reasons, changing the executable file is disabled by default": "セキュリティ上の理由から、実行ファイルの変更はデフォルトで無効になっています。 ", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "セキュリティ上の理由から、カスタム コマンドライン引数はデフォルトで無効になっています。これを変更するには、UniGetUI のセキュリティ設定に移動してください。", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "セキュリティ上の理由から、操作前および操作後のスクリプトはデフォルトで無効になっています。これを変更するには、UniGetUI のセキュリティ設定にアクセスしてください。 ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM用にコンパイルされた winget を強制(ARM64システム専用)", - "Force install location parameter when updating packages with custom locations": "カスタムの場所を持つパッケージを更新するときにインストール先パラメーターを強制する", "Formerly known as WingetUI": "旧 WingetUI", "Found": "検出", "Found packages: ": "見つかったパッケージ数: ", "Found packages: {0}": "見つかったパッケージ数: {0}", "Found packages: {0}, not finished yet...": "見つかったパッケージ数: {0}, 引き続き検索中...", - "General preferences": "全体設定", "GitHub profile": "GitHub プロフィール", "Global": "グローバル", - "Go to UniGetUI security settings": "UniGetUIのセキュリティ設定に移動する ", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "知られていないが便利なユーティリティやその他の興味深いパッケージの素晴らしいリポジトリです。
含まれるもの: ユーティリティ、コマンドラインプログラム、一般ソフトウェア(追加バケットが必要)", - "Great! You are on the latest version.": "素晴らしい!最新のバージョンです。", - "Grid": "グリッド ", - "Help": "ヘルプ", "Help and documentation": "ヘルプとドキュメント", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "ここでは、UniGetUIのショートカットに関する動作を変更できます。ショートカットにチェックを付けると、今後のアップグレードでそのショートカットが作成された場合、UniGetUIがそれを削除します。チェックを外すと、ショートカットはそのまま残ります。 ", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "こんにちは、私の名前は Martí で、UniGetUI の 開発者 です。UniGetUI は、すべて私の自由な時間に作られました!", "Hide details": "詳細を隠す", - "Homepage": "ホームページ", - "Hooray! No updates were found.": "アップデートは見つかりませんでした!", "How should installations that require administrator privileges be treated?": "管理者権限を必要とするインストールをどのように扱いますか?", - "How to add packages to a bundle": "バンドルにパッケージを追加する方法 ", - "I understand": "了解", - "Icons": "アイコン", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "クラウドバックアップが有効になっている場合は、このアカウントにGitHub Gistとして保存されます。 ", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "バンドルからパッケージをインポートする際に、カスタムのインストール前後コマンドの実行を許可する", - "Ignore future updates for this package": "このパッケージの将来のアップデートを無視", - "Ignore packages from {pm} when showing a notification about updates": "更新に関する通知を表示するときに、{pm} からのパッケージを無視します", - "Ignore selected packages": "選択したパッケージを無視", - "Ignore special characters": "特殊文字を無視", "Ignore updates for the selected packages": "選択したパッケージのアップデートを無視する", - "Ignore updates for this package": "このパッケージのアップデートを無視する", "Ignored updates": "無視されたアップデート", - "Ignored version": "無視されたバージョン", - "Import": "インポート", "Import packages": "パッケージのインポート", "Import packages from a file": "パッケージをファイルからインポートする", - "Import settings from a local file": "ローカルファイルから設定をインポート", - "In order to add packages to a bundle, you will need to: ": "バンドルにパッケージを追加するには、次の手順が必要です。 ", "Initializing WingetUI...": "UniGetUI を初期化中...", - "Install": "インストール", - "Install Scoop": "Scoopのインストール", "Install and more": "インストール", "Install and update preferences": "インストールと設定の更新 ", - "Install as administrator": "管理者としてインストール", - "Install available updates automatically": "利用可能なアップデートを自動的にインストールする", - "Install location can't be changed for {0} packages": "{0} パッケージのインストール場所を変更できません ", - "Install location:": "インストール先", - "Install options": "インストールオプション ", "Install packages from a file": "ファイルからパッケージをインストール", - "Install prerelease versions of UniGetUI": "プレリリース版のUniGetUIをインストールする", - "Install script": "インストールスクリプト", "Install selected packages": "選択したパッケージをインストール", "Install selected packages with administrator privileges": "選択したパッケージを管理者権限でインストール", - "Install selection": "選択したものをインストール", "Install the latest prerelease version": "最新の先行リリース版をインストールする", "Install updates automatically": "自動的にアップデートをインストールする", - "Install {0}": "{0} をインストール", "Installation canceled by the user!": "ユーザーによってインストールがキャンセルされました!", - "Installation failed": "インストール失敗", - "Installation options": "インストールオプション", - "Installation scope:": "インストールの範囲: ", - "Installation succeeded": "インストール成功", - "Installed Packages": "導入済みソフトウェア", - "Installed Version": "インストールされているバージョン", "Installed packages": "導入済みソフトウェア", - "Installer SHA256": "インストーラー SHA256", - "Installer SHA512": "インストーラー SHA512", - "Installer Type": "インストーラー タイプ", - "Installer URL": "インストーラー URL", - "Installer not available": "インストーラーが利用できません ", "Instance {0} responded, quitting...": "インスタンス{0}が応答、終了しています...", - "Instant search": "インクリメンタル検索", - "Integrity checks can be disabled from the Experimental Settings": "整合性チェックは「実験的設定」から無効にできます。", - "Integrity checks skipped": "整合性チェックをスキップ ", - "Integrity checks will not be performed during this operation": "この操作中は整合性チェックは実行されません ", - "Interactive installation": "対話型インストール", - "Interactive operation": "インタラクティブ操作", - "Interactive uninstall": "対話型アンインストール", - "Interactive update": "対話型アップデート", - "Internet connection settings": "インターネット接続設定", - "Invalid selection": "無効な選択", "Is this package missing the icon?": "このパッケージにはアイコンがありませんか?", - "Is your language missing or incomplete?": "ご希望の言語が見当たらない、または不完全ですか?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "提供された認証情報が安全に保管される保証はないので、銀行口座の認証情報など重要なログイン情報を使用しない方がよいでしょう。 ", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGetが修復されたらUniGetUIを再起動することをお勧めします ", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "この状況を解決するため、UniGetUIの再インストールを強くおすすめします。", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet が正常に動作していないようです。WinGet の修復を試みますか? ", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "管理者として UniGetUI を実行したようですが、これは推奨されていません。プログラムは引き続き使用できますが、UniGetUI を管理者権限で実行しないことを強くお勧めします。\"{showDetails}\"をクリックして、その理由を確認してください。", - "Language": "言語", - "Language, theme and other miscellaneous preferences": "言語、テーマやその他の細かな設定", - "Last updated:": "最終更新:", - "Latest": "最新", "Latest Version": "最新バージョン", "Latest Version:": "最新バージョン:", "Latest details...": "最新情報...", "Launching subprocess...": "サブプロセスを起動中…", - "Leave empty for default": "通常は空欄にしてください", - "License": "ライセンス", "Licenses": "ライセンス", - "Light": "ライトテーマ", - "List": "一覧", "Live command-line output": "コマンドライン出力の表示", - "Live output": "ライブ出力", "Loading UI components...": "UIコンポーネントの読み込み中...", "Loading WingetUI...": "UniGetUI の読み込み中...", - "Loading packages": "パッケージの読み込み ", - "Loading packages, please wait...": "パッケージを読み込んでいます。お待ち下さい…", - "Loading...": "読み込み中...", - "Local": "ローカル", - "Local PC": "ローカルPC", - "Local backup advanced options": "ローカルバックアップの詳細オプション ", "Local machine": "ローカルマシン", - "Local package backup": "ローカルパッケージのバックアップ ", "Locating {pm}...": "{pm} を探索中...", - "Log in": "ログイン ", - "Log in failed: ": "ログインに失敗しました: ", - "Log in to enable cloud backup": "クラウドバックアップを有効にするにはログインしてください ", - "Log in with GitHub": "GitHubでログイン ", - "Log in with GitHub to enable cloud package backup.": "クラウド パッケージのバックアップを有効にするには、GitHub でログインします。 ", - "Log level:": "ログレベル: ", - "Log out": "ログアウト ", - "Log out failed: ": "ログアウトに失敗しました: ", - "Log out from GitHub": "GitHubからログアウトする ", "Looking for packages...": "パッケージを探しています...", "Machine | Global": "PC全体(グローバル)", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "不正なコマンドライン引数はパッケージを破損させたり、悪意のある攻撃者が昇格した権限で実行を行うことを可能にする場合があります。そのため、カスタム コマンドライン引数のインポートはデフォルトで無効になっています。", - "Manage": "管理", - "Manage UniGetUI settings": "UniGetUI設定を管理する ", "Manage WingetUI autostart behaviour from the Settings app": "Windows の設定アプリで UniGetUI のスタートアップ設定を管理する", "Manage ignored packages": "無視されたパッケージの管理", - "Manage ignored updates": "無視されたアップデートの管理", - "Manage shortcuts": "ショートカットを管理", - "Manage telemetry settings": "テレメトリー設定の管理", - "Manage {0} sources": "{0} のソース管理", - "Manifest": "マニフェスト", "Manifests": "マニフェスト", - "Manual scan": "手動スキャン ", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftの公式パッケージマネージャーです。有名で検証済みのパッケージがたくさん含まれています。
含まれるもの: 総合ソフトウェア、Microsoft Storeアプリ", - "Missing dependency": "必要な依存関係がありません", - "More": "その他", - "More details": "詳細情報", - "More details about the shared data and how it will be processed": "共有データと処理方法の詳細はこちら", - "More info": "詳細情報", - "More than 1 package was selected": "複数のパッケージが選択されました", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "注意: このトラブルシューティングは、UniGetUI 設定の WinGet セクションから無効にすることができます。 ", - "Name": "名称", - "New": "新規", "New Version": "新しいバージョン", "New bundle": "新規バンドル", - "New version": "新しいバージョン", - "Nice! Backups will be uploaded to a private gist on your account": "バックアップはあなたのアカウントのプライベートGistにアップロードされます ", - "No": "いいえ", - "No applicable installer was found for the package {0}": "パッケージ {0} に適用可能なインストーラーが見つかりませんでした ", - "No dependencies specified": "依存関係が指定されていません ", - "No new shortcuts were found during the scan.": "スキャン中に新しいショートカットは見つかりませんでした。\n", - "No package was selected": "パッケージが選択されていません", "No packages found": "パッケージが見つかりません", "No packages found matching the input criteria": "入力条件に一致するパッケージは見つかりませんでした", "No packages have been added yet": "パッケージが追加されていません", "No packages selected": "パッケージが選択されていません", - "No packages were found": "パッケージが見つかりませんでした", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "個人情報の収集や送信は一切行っておらず、収集されたデータは匿名化されているため、お客様個人を特定することはできません。", - "No results were found matching the input criteria": "入力された条件にマッチする結果は見つかりませんでした", "No sources found": "ソースが見つかりません", "No sources were found": "ソースが設定されていません", "No updates are available": "利用できる更新がありません", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node.jsのパッケージマネージャーです。JavaScriptの世界を中心に様々なライブラリやユーティリティが含まれています。
含まれるもの: Node.jsのJavaScriptライブラリおよびその他の関連ユーティリティ", - "Not available": "利用不可", - "Not finding the file you are looking for? Make sure it has been added to path.": "探しているファイルが見つかりませんか?パスに追加されていることを確認してください。 ", - "Not found": "不検出", - "Not right now": "あとで", "Notes:": "注意事項:", - "Notification preferences": "通知設定", "Notification tray options": "通知領域オプション", - "Notification types": "通知の種類 ", - "NuPkg (zipped manifest)": "NuPkg(zip圧縮されたマニフェストファイル)", - "OK": "OK", "Ok": "OK", - "Open": "開く", "Open GitHub": "GitHubを開く", - "Open UniGetUI": "UniGetUI を開く", - "Open UniGetUI security settings": "UniGetUIのセキュリティ設定を開く ", "Open WingetUI": "UnigetUI を開く", "Open backup location": "バックアップ先を開く", "Open existing bundle": "バンドルを開く", - "Open install location": "インストール先を開く", "Open the welcome wizard": "設定ウィザードを開く", - "Operation canceled by user": "操作はユーザーによってキャンセルされました", "Operation cancelled": "操作がキャンセルされました", - "Operation history": "操作履歴", - "Operation in progress": "作業の進行中", - "Operation on queue (position {0})...": "順番を待っています(キューの {0} 番目)...", - "Operation profile:": "操作プロファイル: ", "Options saved": "オプションを保存しました", - "Order by:": "並べ替え: ", - "Other": "その他", - "Other settings": "その他の設定 ", - "Package": "パッケージ ", - "Package Bundles": "パッケージバンドル", - "Package ID": "パッケージID", "Package Manager": "パッケージマネージャー", - "Package Manager logs": "パッケージマネージャーのログ", - "Package Managers": "パッケージマネージャー", - "Package Name": "パッケージ名", - "Package backup": "パッケージのバックアップ", - "Package backup settings": "パッケージバックアップ設定 ", - "Package bundle": "パッケージバンドル", - "Package details": "パッケージの詳細", - "Package lists": "パッケージリスト ", - "Package management made easy": "パッケージ管理が簡単に ", - "Package manager": "パッケージマネージャー ", - "Package manager preferences": "パッケージマネージャーの設定", "Package managers": "パッケージ マネージャー", - "Package not found": "パッケージが見つかりません", - "Package operation preferences": "パッケージ操作の設定 ", - "Package update preferences": "パッケージ更新の設定 ", "Package {name} from {manager}": "{manager} からのパッケージ {name} ", - "Package's default": "パッケージのデフォルト ", "Packages": "パッケージ", "Packages found: {0}": "{0} 個のパッケージが見つかりました", - "Partially": "部分的に ", - "Password": "パスワード ", "Paste a valid URL to the database": "データベースの有効なURLを入力してください", - "Pause updates for": "更新を一時停止 ", "Perform a backup now": "今すぐバックアップする", - "Perform a cloud backup now": "今すぐクラウドバックアップを実行する ", - "Perform a local backup now": "今すぐローカルバックアップを実行する ", - "Perform integrity checks at startup": "起動時に整合性チェックを実行する", - "Performing backup, please wait...": "バックアップ中です。お待ち下さい…", "Periodically perform a backup of the installed packages": "インストール済みパッケージのバックアップを定期的に取る", - "Periodically perform a cloud backup of the installed packages": "インストール済みパッケージのクラウドバックアップを定期的に取る", - "Periodically perform a local backup of the installed packages": "インストール済みパッケージのローカルバックアップを定期的に取る", - "Please check the installation options for this package and try again": "このパッケージのインストールオプションを確認し、再度お試しください。", - "Please click on \"Continue\" to continue": "「続行」をクリックして、続行してください。", "Please enter at least 3 characters": "少なくとも3文字入力してください", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "このマシンで有効になっているパッケージマネージャーにより、特定のパッケージがインストールできない場合があることに注意してください。", - "Please note that not all package managers may fully support this feature": "すべてのパッケージマネージャがこの機能を完全にサポートしているわけではないことに注意してください。 ", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "特定のソースからのパッケージはエクスポートできない場合がありますのでご注意ください。それらはグレーアウトされており、エクスポートされません。", - "Please run UniGetUI as a regular user and try again.": "UniGetUIを一般ユーザーとして実行し、もう一度お試しください。", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "この問題に関する詳細はコマンドライン出力か操作履歴をご覧ください", "Please select how you want to configure WingetUI": "UniGetUI をどのように構成するかを選択してください。", - "Please try again later": "後ほどもう一度お試しください。", "Please type at least two characters": "少なくとも 2 文字を入力してください", - "Please wait": "お待ち下さい", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0}のインストールが完了するまでお待ちください。黒いウィンドウが表示される場合があります。そのウィンドウが閉じるまでお待ちください。", - "Please wait...": "お待ちください...", "Portable": "ポータブル版", - "Portable mode": "ポータブルモード", - "Post-install command:": "インストール後コマンド:", - "Post-uninstall command:": "アンインストール後コマンド:", - "Post-update command:": "アップデート後コマンド:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell のパッケージマネージャーです。PowerShell の可能性を広げるライブラリーやスクリプトが見つかります。
含まれるもの: モジュール、スクリプト、コマンドレット\n", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "インストール前後のコマンドは、もし悪意を持って設計されていれば、あなたのデバイスに非常に悪質な影響を与える可能性があります。パッケージバンドルのソースを信頼しない限り、そこからコマンドをインポートするのは非常に危険です。", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "インストール前およびインストール後のコマンドは、パッケージのインストール、アップグレード、アンインストールの前後に実行されます。慎重に使用しないと問題を引き起こす可能性があります。", - "Pre-install command:": "インストール前コマンド:", - "Pre-uninstall command:": "アンインストール前コマンド:", - "Pre-update command:": "アップデート前コマンド:", - "PreRelease": "先行リリース版", - "Preparing packages, please wait...": "パッケージを準備しています。お待ち下さい…", - "Proceed at your own risk.": "自己責任で進めてください。", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator または GSudo によるあらゆる種類の昇格を禁止します ", - "Proxy URL": "プロキシ URL", - "Proxy compatibility table": "プロキシ互換性表", - "Proxy settings": "プロキシ 設定", - "Proxy settings, etc.": "プロキシ 設定など。", "Publication date:": "公開日:", - "Publisher": "パブリッシャー", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythonのライブラリマネージャー。Pythonライブラリやその他のPython関連ユーティリティがたくさんあります
含まれるもの: Pythonライブラリおよび関連ユーティリティ", - "Quit": "終了", "Quit WingetUI": "UniGetUI を終了", - "Ready": "準備完了", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC プロンプトを減らす、デフォルトでインストールを昇格、特定の危険な機能のロックを解除するなど。 ", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "影響を受けたファイルに関する詳細を確認するには、UniGetUI ログを参照してください。", - "Reinstall": "再インストール", - "Reinstall package": "パッケージを再インストール", - "Related settings": "関連設定 ", - "Release notes": "リリースノート", - "Release notes URL": "リリースノート URL", "Release notes URL:": "リリースノートのURL:", "Release notes:": "リリースノート:", "Reload": "再読み込み", - "Reload log": "ログの再読み込み", "Removal failed": "削除に失敗しました", "Removal succeeded": "削除に成功しました", - "Remove from list": "リストから削除", "Remove permanent data": "保存データの削除", - "Remove selection from bundle": "選択したものをバンドルから削除", "Remove successful installs/uninstalls/updates from the installation list": "インストール・アンインストール・アップデートに成功したパッケージをインストールリストから削除します", - "Removing source {source}": "ソース {source} の削除", - "Removing source {source} from {manager}": "ソース {source} を {manager} から削除しています", - "Repair UniGetUI": "UniGetUI の修復", - "Repair WinGet": "WinGetの修復 ", - "Report an issue or submit a feature request": "不具合報告・機能の要望提出", "Repository": "リポジトリ", - "Reset": "リセット", "Reset Scoop's global app cache": "Scoopのグローバルアプリキャッシュをリセット", - "Reset UniGetUI": "UniGetUIをリセット", - "Reset WinGet": "WinGetをリセットする ", "Reset Winget sources (might help if no packages are listed)": "Winget のソースをリセットする(パッケージがリストに無い場合に役立つかもしれません)", - "Reset WingetUI": "UniGetUI のリセット", "Reset WingetUI and its preferences": "UniGetUI とその設定をリセットする", "Reset WingetUI icon and screenshot cache": "UniGetUI のアイコンとスクリーンショットのキャッシュをリセットする", - "Reset list": "リストを削除する", "Resetting Winget sources - WingetUI": "Winget のソース初期化 - UniGetUI", - "Restart": "再起動", - "Restart UniGetUI": "UniGetUI を再起動", - "Restart WingetUI": "UniGetUI を再起動", - "Restart WingetUI to fully apply changes": "変更を完全に反映するには UniGetUI を再起動してください", - "Restart later": "後で再起動する", "Restart now": "すぐに再起動する", - "Restart required": "再起動が必要", - "Restart your PC to finish installation": "インストールを完了するためにPCの再起動が必要です", - "Restart your computer to finish the installation": "インストールを完了するにはコンピューターの再起動が必要です", - "Restore a backup from the cloud": "クラウドからバックアップを復元する", - "Restrictions on package managers": "パッケージマネージャーの制限 ", - "Restrictions on package operations": "パッケージ操作の制限 ", - "Restrictions when importing package bundles": "パッケージバンドルをインポートする際の制限 ", - "Retry": "リトライ", - "Retry as administrator": "管理者として再試行", - "Retry failed operations": "失敗した操作を再試行", - "Retry interactively": "対話的に再試行する", - "Retry skipping integrity checks": "再試行時に整合性チェックをスキップする", - "Retrying, please wait...": "リトライしています。お待ち下さい…", - "Return to top": "トップに戻る", - "Run": "実行", - "Run as admin": "管理者として実行", - "Run cleanup and clear cache": "クリーンアップとキャッシュ消去を実行する", - "Run last": "最後に実行 ", - "Run next": "次に実行", - "Run now": "今すぐ実行", + "Restart your PC to finish installation": "インストールを完了するためにPCの再起動が必要です", + "Restart your computer to finish the installation": "インストールを完了するにはコンピューターの再起動が必要です", + "Retry failed operations": "失敗した操作を再試行", + "Retrying, please wait...": "リトライしています。お待ち下さい…", + "Return to top": "トップに戻る", "Running the installer...": "インストーラーを実行しています...", "Running the uninstaller...": "アンインストーラーを実行しています...", "Running the updater...": "更新プログラムを実行しています...", - "Save": "保存", "Save File": "ファイルを保存する", - "Save and close": "保存して閉じる", - "Save as": "名前を付けて保存 ", "Save bundle as": "バンドルを保存", "Save now": "今すぐ保存", - "Saving packages, please wait...": "パッケージを保存しています。お待ち下さい…", - "Scoop Installer - WingetUI": "Scoop インストーラー - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop アンインストーラー - UniGetUI", - "Scoop package": "Scoop パッケージ", "Search": "検索", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "デスクトップ ソフトウェアを検索し、アップデートが利用可能になったら警告し、おかしなことはしないでください。 UniGetUI を複雑にしすぎたくない、シンプルなソフトウェア ストアが欲しいだけです。", - "Search for packages": "パッケージの検索", - "Search for packages to start": "パッケージを検索してください", - "Search mode": "検索モード", "Search on available updates": "利用可能なアップデートから検索します", "Search on your software": "インストール済みのソフトウェアから検索します", "Searching for installed packages...": "インストールされているパッケージを検索中...", "Searching for packages...": "パッケージを検索中...", "Searching for updates...": "アップデートを検索中...", - "Select": "選択", "Select \"{item}\" to add your custom bucket": "カスタムバケットに追加する \"{item}\" を選択してください", "Select a folder": "フォルダを選択", - "Select all": "すべて選択", "Select all packages": "全てのパッケージを選択", - "Select backup": "バックアップを選択", "Select only if you know what you are doing.": "自分が何をしているかわかっている場合にのみ選択すること。", "Select package file": "パッケージファイルを選択", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "開きたいバックアップを選択してください。後で、復元したいパッケージ/プログラムを確認できます。", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "使用する実行ファイルを選択してください。以下のリストは UniGetUI によって検出された実行ファイルです", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "このパッケージをインストール、アップデート、またはアンインストールする前に終了する必要があるプロセスを選択します。", - "Select the source you want to add:": "追加したいソースを選択してください:", - "Select upgradable packages by default": "アップグレード可能なパッケージをデフォルトで選択する", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "使用するパッケージ マネージャー({0})の選択、パッケージのインストール方法の設定、管理者権限の処理方法の設定などを行います。", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "ハンドシェイクを送信しました。インスタンスからの返答を待っています...({0}%)", - "Set a custom backup file name": "バックアップのファイル名をカスタマイズする", "Set custom backup file name": "カスタムバックアップファイル名を設定する", - "Settings": "設定", - "Share": "共有", "Share WingetUI": "UniGetUI を共有する", - "Share anonymous usage data": "匿名利用状況データの共有", - "Share this package": "このパッケージを共有する", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "セキュリティ設定を変更した場合、変更を反映させるためには、再度バンドルを開く必要があります。", "Show UniGetUI on the system tray": "システムトレイにUniGetUIを表示する", - "Show UniGetUI's version and build number on the titlebar.": "タイトルバーに UniGetUI のバージョンを表示する", - "Show WingetUI": "UniGetUI を表示", "Show a notification when an installation fails": "インストールが失敗した場合に通知を表示する", "Show a notification when an installation finishes successfully": "インストールが正常に終了したときに通知を表示する", - "Show a notification when an operation fails": "操作が失敗したときに通知を表示する", - "Show a notification when an operation finishes successfully": "操作が正常に終了したときに通知を表示する", - "Show a notification when there are available updates": "利用可能なアップデートがある場合に通知を表示する", - "Show a silent notification when an operation is running": "操作の実行中にサイレント通知を表示する", "Show details": "詳細を表示", - "Show in explorer": "エクスプローラーで表示", "Show info about the package on the Updates tab": "パッケージについての情報をアップデートタブに表示する", "Show missing translation strings": "翻訳されていない文字列を表示する", - "Show notifications on different events": "さまざまなイベントに関する通知を表示する", "Show package details": "パッケージの詳細情報を表示する", - "Show package icons on package lists": "パッケージリストでパッケージアイコンを表示する", - "Show similar packages": "類似パッケージ", "Show the live output": "ライブ出力を表示する", - "Size": "サイズ", "Skip": "スキップ", - "Skip hash check": "ハッシュチェックを行わない", - "Skip hash checks": "ハッシュチェックをスキップする", - "Skip integrity checks": "整合性の検証をスキップ", - "Skip minor updates for this package": "このパッケージのマイナーアップデートを無視", "Skip the hash check when installing the selected packages": "選択したパッケージをインストールするときにハッシュ チェックをスキップします", "Skip the hash check when updating the selected packages": "選択したパッケージを更新するときにハッシュ チェックをスキップします", - "Skip this version": "このバージョンをスキップする", - "Software Updates": "ソフトウェアアップデート", - "Something went wrong": "何かおかしいようです", - "Something went wrong while launching the updater.": "アップデータの起動中に問題が発生しました。", - "Source": "ソース", - "Source URL:": "ソース URL:", - "Source added successfully": "ソースが正常に追加されました", "Source addition failed": "ソース追加に失敗しました", - "Source name:": "ソース名:", "Source removal failed": "ソース削除に失敗しました", - "Source removed successfully": "ソースが正常に削除されました", "Source:": "ソース:", - "Sources": "ソース", "Start": "スタート", "Starting daemons...": "デーモンを起動中...", - "Starting operation...": "操作を開始しています... ", "Startup options": "起動オプション", "Status": "ステータス", "Stuck here? Skip initialization": "ここで止まりましたか? 初期化をスキップします", - "Success!": "成功!", "Suport the developer": "開発者をサポートする", "Support me": "ご支援ください", "Support the developer": "開発者を支援する", "Systems are now ready to go!": "システムの準備が整いました!", - "Telemetry": "テレメトリー", - "Text": "テキスト", "Text file": "テキストファイル", - "Thank you ❤": "よろしくお願いします❤", - "Thank you \uD83D\uDE09": "よろしくお願いします\uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rustのパッケージマネージャーです。
含まれるもの: Rustで書かれたRustのライブラリとプログラム\n", - "The backup will NOT include any binary file nor any program's saved data.": "バックアップには実行ファイルやプログラムの保存データは一切含まれません。", - "The backup will be performed after login.": "バックアップはログイン後に実行されます。", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "バックアップにはインストールされたパッケージと各パッケージのインストールオプションの完全なリストが含まれます。\n無視されたアップデートやスキップされたバージョンも保存されます。", - "The bundle was created successfully on {0}": "バンドルは {0} に正常に作成されました", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "読み込もうとしているバンドルが無効なようです。ファイルを確認し、もう一度お試しください。", + "Thank you 😉": "よろしくお願いします😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "インストーラのチェックサムが期待する値と一致せず、インストーラの真正性を検証できません。パブリッシャを信頼するのであれば、ハッシュチェックをスキップして {0} パッケージを再度インストールしてください。", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows用のクラシックなパッケージマネージャーです。そこにはすべてが揃っています。
含まれるもの: 一般ソフトウェア", - "The cloud backup completed successfully.": "クラウドバックアップが正常に完了しました。", - "The cloud backup has been loaded successfully.": "クラウド バックアップが正常に読み込まれました。", - "The current bundle has no packages. Add some packages to get started": "現在のバンドルにはパッケージがありません。開始するにはパッケージを追加してください。", - "The executable file for {0} was not found": "{0} の実行ファイルが見つかりませんでした", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "{0} パッケージをインストール、アップグレード、またはアンインストールするたびに、次のオプションがデフォルトで適用されます。 ", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "次のパッケージは JSON ファイルにエクスポートされます。ユーザーデータやバイナリは保存されません。", "The following packages are going to be installed on your system.": "次のパッケージがシステムにインストールされます。", - "The following settings may pose a security risk, hence they are disabled by default.": "以下の設定はセキュリティ上のリスクをもたらす可能性があるため、デフォルトでは無効になっています。 ", - "The following settings will be applied each time this package is installed, updated or removed.": "以下の設定は、このパッケージのインストール、更新、削除のたびに適用されます。", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "インストールオプションはこのパッケージがインストール、アップデート、削除されるたびに適用されます。設定内容は自動的に保存されます。", "The icons and screenshots are maintained by users like you!": "アイコンやスクリーンショットはあなたのようなユーザーによって支えられています!", - "The installation script saved to {0}": "インストールスクリプトは {0} に保存されました", - "The installer authenticity could not be verified.": "インストーラの信頼性を確認できませんでした。", "The installer has an invalid checksum": "インストーラーのチェックサムが無効です", "The installer hash does not match the expected value.": "インストーラーのハッシュ値が予期されるものにマッチしませんでした。", - "The local icon cache currently takes {0} MB": "ローカルアイコンキャッシュに {0} MB 使用しています", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "本プロジェクトの主な目的は、Winget や Scoop のような Windows 向けの主要な CLI パッケージマネージャを操作する直感的な UI を作ることです。", - "The package \"{0}\" was not found on the package manager \"{1}\"": "パッケージ\"{0}\"はパッケージマネージャー\"{1}\"で見つかりませんでした。", - "The package bundle could not be created due to an error.": "エラーのためパッケージ バンドルを作成できませんでした。", - "The package bundle is not valid": "パッケージバンドルが無効です", - "The package manager \"{0}\" is disabled": "パッケージマネージャー「{0}」は無効です", - "The package manager \"{0}\" was not found": "パッケージマネージャー「{0}」が見つかりませんでした", "The package {0} from {1} was not found.": "{1} から {0} のパッケージを見つけられませんでした。", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "ここに表示されているパッケージは、アップデートをチェックする際に考慮されません。ダブルクリックするか、右のボタンをクリックして、アップデートを無視しないようにしてください。", "The selected packages have been blacklisted": "選択したパッケージを無視します", - "The settings will list, in their descriptions, the potential security issues they may have.": "設定の説明には、潜在的なセキュリティ上の問題がリストされます。 ", - "The size of the backup is estimated to be less than 1MB.": "バックアップのサイズは1MBに満たない見込みです。", - "The source {source} was added to {manager} successfully": "ソース {source} が {manager} に無事に追加されました", - "The source {source} was removed from {manager} successfully": "ソース {source} が {manager} から無事に削除されました", - "The system tray icon must be enabled in order for notifications to work": "通知が機能するには、システムトレイアイコンを有効にする必要があります ", - "The update process has been aborted.": "更新プロセスは中止されました。 ", - "The update process will start after closing UniGetUI": "UniGetUI を閉じると更新プロセスが開始されます", "The update will be installed upon closing WingetUI": "アップデートは UniGetUI を閉じる時にインストールされます", "The update will not continue.": "更新は続行されません。 ", "The user has canceled {0}, that was a requirement for {1} to be run": "ユーザーは、{1} を実行するための要件である {0} をキャンセルしました。", - "There are no new UniGetUI versions to be installed": "新しいUniGetUIバージョンはありません", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "操作が進行中です。UniGetUI を終了させるとそれらの操作が失敗する可能性があります。よろしいですか?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "UniGetUIとその機能について、YouTubeで素晴らしい動画が公開されています。役立つテクニックやヒントを学ぶのに最適です。", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI を管理者権限で実行すべきでない理由は主に 2 つあります。\\n 1つ目に、Scoopパッケージマネージャが管理者権限で実行されると、いくつかのコマンドで問題を起こす可能性があるということです。\\n 2つ目に、UniGetUI を管理者として実行するということは、あなたがダウンロードしたどのパッケージも管理者として実行されるということです(これは安全ではありません)。\\n あるパッケージを管理者としてインストールする必要がある場合、いつでもその項目を右クリックし、管理者としてインストール/アップデート/アンインストールすることができるということを覚えておいてください。", - "There is an error with the configuration of the package manager \"{0}\"": "パッケージ マネージャー \"{0}\" の構成にエラーがあります ", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "インストールが進行中です。UniGetUI を終了するとインストールが失敗し予期しない結果を引き起こす可能性があります。それでも UniGetUI を終了しますか?", "They are the programs in charge of installing, updating and removing packages.": "このソフトは、パッケージのインストール、更新、削除を担当するプログラムです。", - "Third-party licenses": "サードパーティー・ライセンス", "This could represent a security risk.": "これはセキュリティリスクを意味する可能性があります。", - "This is not recommended.": "推薦されません。", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "これはおそらく、送られたパッケージが削除されたか、有効にしていないパッケージマネージャで公開されたことが原因です。受信した ID は {0} です。", "This is the default choice.": "これはデフォルトの選択です。", - "This may help if WinGet packages are not shown": "WinGet パッケージが表示されない場合に有効かもしれません", - "This may help if no packages are listed": "パッケージがリストに表示されない場合に有効かもしれません", - "This may take a minute or two": "これには1~2分かかることがあります", - "This operation is running interactively.": "この操作は対話型で実行されています。", - "This operation is running with administrator privileges.": "この操作は管理者権限で実行されています。", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "このオプションは問題を引き起こします。昇格できない操作はすべて失敗します。\n管理者としてインストール/アップデート/アンインストールは機能しません。 ", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "このパッケージ バンドルには潜在的に危険な設定がいくつかあり、デフォルトでは無視される可能性があります。 ", "This package can be updated": "このパッケージはアップデート可能です", "This package can be updated to version {0}": "このパッケージはバージョン {0} へとアップデート可能です", - "This package can be upgraded to version {0}": "このパッケージはバージョン {0} にアップグレードできます ", - "This package cannot be installed from an elevated context.": "このパッケージは管理者権限で実行された環境からインストールできません。", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "このパッケージのスクリーンショットがないか、アイコンが不足していますか? 欠落しているアイコンやスクリーンショットを、オープンでパブリックなデータベースに追加して、UniGetUIの貢献にご協力ください。", - "This package is already installed": "このパッケージはすでにインストールされています", - "This package is being processed": "このパッケージはインストール作業中です", - "This package is not available": "このパッケージは利用できません", - "This package is on the queue": "このパッケージはキューで順番を待っています", "This process is running with administrator privileges": "このプロセスは管理者権限で実行されます", - "This project has no connection with the official {0} project — it's completely unofficial.": "本プロジェクトは公式の {0} プロジェクトとは何の関わりもなく、完全に非公式です。", "This setting is disabled": "この設定は無効になっています", "This wizard will help you configure and customize WingetUI!": "UniGetUI の設定とカスタマイズをお手伝いします!", "Toggle search filters pane": "検索フィルターパネルの表示を切り替える", - "Translators": "翻訳者", - "Try to kill the processes that refuse to close when requested to": "終了しないプロセスを強制終了する", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "これをオンにすると、パッケージマネージャーとのやり取りに使用する実行ファイルを変更できるようになります。これによりインストールプロセスをより細かくカスタマイズできるようになりますが、危険な場合もあります。", "Type here the name and the URL of the source you want to add, separed by a space.": "追加したいソースの名称とURLをスペースで間を空けて入力してください。", "Unable to find package": "パッケージが見つかりません", "Unable to load informarion": "情報を読み込めません", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUIは、ユーザー体験向上のため、匿名で使用状況データを収集しています。", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUIは、ユーザーエクスペリエンスの向上を目的に、個人を特定できない匿名化された利用データを収集します。", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI は、自動的に削除できる新しいデスクトップ ショートカットを検出しました。 ", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUIは、今後のアップグレード時に自動的に削除可能な以下のデスクトップショートカットを検出しました。", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUIは、自動的に削除可能な{0}個の新しいデスクトップショートカットを検出しました。", - "UniGetUI is being updated...": "UniGetUI を更新中です... ", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUIは対応しているいずれのパッケージマネージャーとも関連していません。UniGetUIは独立したプロジェクトです。", - "UniGetUI on the background and system tray": "背景とシステムトレイ上の UniGetUI ", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI またはそのコンポーネントの一部が見つからないか破損しています。 ", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUIには {0} が必要ですが、お使いのシステムで見つかりませんでした。", - "UniGetUI startup page:": "UniGetUIの起動時に開くページ:", - "UniGetUI updater": "UniGetUI 更新設定", - "UniGetUI version {0} is being downloaded.": "UniGetUI バージョン {0} をダウンロードしています。", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} のインストール準備が完了しました。", - "Uninstall": "アンインストール", - "Uninstall Scoop (and its packages)": "Scoop (と Scoopパッケージ)のアンインストール", "Uninstall and more": "アンインストール", - "Uninstall and remove data": "アンインストールし、データを削除します。", - "Uninstall as administrator": "管理者としてアンインストール", "Uninstall canceled by the user!": "アンインストールはユーザーによってキャンセルされました!", - "Uninstall failed": "アンインストールに失敗しました", - "Uninstall options": "アンインストールオプション ", - "Uninstall package": "パッケージをアンインストール", - "Uninstall package, then reinstall it": "パッケージをアンインストールしてから再インストール", - "Uninstall package, then update it": "パッケージをアンインストールしてからアップデート", - "Uninstall previous versions when updated": "アップデート時に以前のバージョンをアンインストールする", - "Uninstall selected packages": "選択したパッケージをアンインストール", - "Uninstall selection": "アンインストールを選択", - "Uninstall succeeded": "アンインストールに成功しました", "Uninstall the selected packages with administrator privileges": "選択したパッケージを管理者権限でアンインストールします", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "ソースが \"{0}\" としてリストに表示されているアンインストール可能なパッケージは、どのパッケージマネージャーにも公開されていないため、表示できる情報はありません。", - "Unknown": "不明", - "Unknown size": "サイズ不明 ", - "Unset or unknown": "未設定または不明 ", - "Up to date": "最新の状態", - "Update": "アップデート", - "Update WingetUI automatically": "UniGetUIを自動アップデートする", - "Update all": "すべてアップデート", "Update and more": "アップデート", - "Update as administrator": "管理者としてアップデート", - "Update check frequency, automatically install updates, etc.": "更新のチェック頻度、更新の自動インストールなど。", - "Update checking": "アップデート確認", "Update date": "アップデート日", - "Update failed": "アップデートに失敗しました", "Update found!": "アップデートが見つかりました!", - "Update now": "今すぐアップデートする", - "Update options": "更新設定", "Update package indexes on launch": "起動時にパッケージインデックスを更新する", "Update packages automatically": "自動的にパッケージをアップデート", "Update selected packages": "選択したパッケージのアップデート", "Update selected packages with administrator privileges": "選択したパッケージを管理者権限でアップデートします", - "Update selection": "アップデートを選択", - "Update succeeded": "アップデートに成功しました", - "Update to version {0}": "バージョン {0} にアップデート", - "Update to {0} available": "{0} へのアップデートが利用可能です", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg の Git ポートファイルを自動的に更新する(Git のインストールが必要です)", "Updates": "更新", "Updates available!": "アップデートできます!", - "Updates for this package are ignored": "このパッケージへのアップデートは無視されています", - "Updates found!": "アップデートが見つかりました!", "Updates preferences": "アップデート設定", "Updating WingetUI": "UniGetUI をアップデートしています", "Url": "URLアドレス", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDlet の代わりに、レガシーバンドルの WinGet を使用する ", - "Use a custom icon and screenshot database URL": "アイコンとスクリーンショットにカスタムデータベースを使用する", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell コマンドレットの代わりに、バンドルされた WinGet を使用する", - "Use bundled WinGet instead of system WinGet": "システムの WinGet の代わりに、バンドルされた WinGet を使用する", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator の代わりに、インストールされた GSudo を使用する", "Use installed GSudo instead of the bundled one": "同梱された GSudo ではなく、インストールされた GSudo を使用する", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "従来の UniGetUI Elevator を使用する(AdminByRequest サポートを無効にする)", - "Use system Chocolatey": "システムの Chocolatey を使用", "Use system Chocolatey (Needs a restart)": "システムの Chocolatey を使用(再起動が必要)", "Use system Winget (Needs a restart)": "システムの Winget を使用(再起動が必要)", "Use system Winget (System language must be set to english)": "システムのWingetを使用(システム言語を英語に設定する必要があります)", "Use the WinGet COM API to fetch packages": "WinGet COM APIを使用してパッケージを取得します ", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM APIの代わりにWinGet PowerShellモジュールを使用する ", - "Useful links": "お役立ちリンク", "User": "ユーザー", - "User interface preferences": "ユーザーインタフェース設定", "User | Local": "現在のユーザーのみ(ローカル)", - "Username": "ユーザー名", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUIを利用する場合、GNU 劣等一般公衆利用許諾書(GNU LGPL)v2.1 に同意したことになります。", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUIを使用する場合、MITライセンス に同意したことになります", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg ルートディレクトリが見つかりません。%VCPKG_ROOT% 環境変数を定義するか、UniGetUI 設定から定義してください。", "Vcpkg was not found on your system.": "Vcpkg がシステム上に見つかりませんでした。 ", - "Verbose": "詳細", - "Version": "バージョン", - "Version to install:": "インストールするバージョン:", - "Version:": "バージョン:", - "View GitHub Profile": "GitHub プロフィールを表示", "View WingetUI on GitHub": "UniGetUI の GitHub を見る", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI のソース コードを表示します。そこから、バグを報告したり、機能を提案したり、UniGetUI プロジェクトに直接貢献したりすることもできます。", - "View mode:": "表示モード: ", - "View on UniGetUI": "UniGetUI で見る", - "View page on browser": "ページをブラウザで表示する", - "View {0} logs": "{0} 個のログを表示 ", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "インターネット接続を必要とするタスクを実行する前に、デバイスがインターネットに接続されるまで待機する。", "Waiting for other installations to finish...": "他のインストール作業が終了するのを待機しています...", "Waiting for {0} to complete...": "{0} が完了するのを待っています...", - "Warning": "警告", - "Warning!": "警告!", - "We are checking for updates.": "アップデートを確認しています。", "We could not load detailed information about this package, because it was not found in any of your package sources": "設定されたどのパッケージソースにも見つからないため、このパッケージに関する詳細情報をロードできませんでした", "We could not load detailed information about this package, because it was not installed from an available package manager.": "利用可能なパッケージマネージャからインストールされていないため、このパッケージに関する詳細情報を読み込むことができませんでした。", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "{package} の {action} ができませんでした。後でもう一度試してください。 \"{showDetails}\" をクリックすると、インストーラーからログを取得できます。", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "{package} の {action} ができませんでした。後でもう一度試してください。 \"{showDetails}\" をクリックすると、アンインストーラーからログを取得できます。", "We couldn't find any package": "パッケージが見つかりませんでした", "Welcome to WingetUI": "UniGetUI へようこそ", - "When batch installing packages from a bundle, install also packages that are already installed": "バンドルからパッケージを一括インストールする際、既にインストールされているパッケージもインストールする", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "新しいショートカットが検出された場合、このダイアログを表示する代わりに、自動的に削除します。", - "Which backup do you want to open?": "どのバックアップを開きますか?", "Which package managers do you want to use?": "どのパッケージマネージャーを使いますか?", "Which source do you want to add?": "どのソースを追加しますか?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WinGetはUniGetUI内で使用可能ですが、UniGetUIは他のパッケージマネージャーとも組み合わせて使用できるため、混乱を招く可能性があります。過去にはUniGetUIはWinget専用に設計されていましたが、現在は違います、したがってUniGetUIはこのプロジェクトが目指す方向性を反映していないと言えます。", - "WinGet could not be repaired": "WinGetを修復できませんでした ", - "WinGet malfunction detected": "WinGetの不具合を検出しました ", - "WinGet was repaired successfully": "WinGetは正常に修復されました ", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - すべてが最新です", "WingetUI - {0} updates are available": "UniGetUI - {0} 個のアップデートがあります", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI ホームページ", "WingetUI Homepage - Share this link!": "UniGetUI ホームページ - このリンクを共有してください!", - "WingetUI License": "UniGetUI ライセンス", - "WingetUI Log": "UniGetUI ログ", - "WingetUI Repository": "UniGetUI リポジトリ", - "WingetUI Settings": "UniGetUI 設定", "WingetUI Settings File": "UniGetUI の設定ファイル", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI は以下のライブラリを使用しています。これらのライブラリがなければ UniGetUI は存在しなかったでしょう。", - "WingetUI Version {0}": "UniGetUI バージョン {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI の自動起動の設定、アプリケーションの起動設定", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI は、ソフトウェアに利用可能なアップデートがあるかどうかを確認し、必要に応じて自動的にインストールします。", - "WingetUI display language:": "UniGetUI の表示言語", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUIは管理者権限で実行されていますが、これは推奨されません。UniGetUIを管理者権限で実行すると、UniGetUIから起動されるすべての操作が管理者権限で実行されます。プログラムは引き続き使用可能ですが、UniGetUIを管理者権限で実行しないことを強く推奨します。", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI は翻訳ボランティアの皆さんにより40以上の言語に翻訳されてきました。ありがとうございます\uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI は機械翻訳されたのではありません。以下のユーザーが翻訳を担当しました:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI はコマンドライン・パッケージマネージャーに代わり一体化したGUIによって、ソフトウェアの管理をより簡単にするアプリケーションです。", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI は、Microsoft により開発されたパッケージマネージャーの1つであり私が関わったわけではない Winget との違いを明確にするため、この名称を変更することにしています。", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI をアップデートしています。完了すると UniGetUI は自動的に再起動します。", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI は今もこれからもずっと無料です。広告もクレジットカード登録も、プレミアム版もありません。100%永久に、無料なのです。", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI は、パッケージのインストールに管理者権限への昇格が必要になるたびに、UACプロンプトを表示します。", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI は間もなく {newname} へと名称を変更します。名称変更はこのアプリケーション自体の大幅な変更を示唆するものではありません。開発者は引き続きこのプロジェクトの開発を名称以外は現在と同様に進めていきます。", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI は親愛なる貢献者たちの助けなしには実現しなかったことでしょう。彼らのGitHubプロフィールをチェックしてください。彼らなしには UniGetUI は存在しなかったのです!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI はコントリビューター(貢献者)の助けがなければ実現しなかったでしょう。 皆様ありがとうございます\uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} のインストール準備が完了しました。", - "Write here the process names here, separated by commas (,)": "プロセス名をコンマ(,)で区切ってここに記入してください。", - "Yes": "はい", - "You are logged in as {0} (@{1})": "{0}(@{1})としてログインしています。", - "You can change this behavior on UniGetUI security settings.": "この動作は UniGetUI のセキュリティ設定で変更できます。", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "このパッケージのインストール、更新、またはアンインストールされる際の前後に実行するコマンドを定義できます。これらのコマンドはコマンド プロンプトで実行されるため、CMD スクリプトを使用できます。", - "You have currently version {0} installed": "現在、バージョン {0} がインストールされています", - "You have installed WingetUI Version {0}": "UniGetUI バージョン {0} がインストールされています", - "You may lose unsaved data": "保存されていないデータが失われる可能性があります", - "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI で使用するには、{pm} をインストールする必要がある場合があります。", "You may restart your computer later if you wish": "あとでコンピューターを再起動することもできます。", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "一度だけUACプロンプトが表示され、管理者権限が要求されたパッケージに付与されます。", "You will be prompted only once, and every future installation will be elevated automatically.": "UACプロンプトが表示されるのは一度だけで、以後のインストールはすべて自動的に昇格します。", - "You will likely need to interact with the installer.": "インストーラーと対話する必要がある可能性があります。 ", - "[RAN AS ADMINISTRATOR]": "管理者として実行", "buy me a coffee": "コーヒー代を投げ銭", - "extracted": "抽出された ", - "feature": "機能", "formerly WingetUI": "旧 WingetUI", "homepage": "ホームページ", "install": "インストール", "installation": "インストール", - "installed": "インストール済み", - "installing": "インストール中", - "library": "ライブラリー", - "mandatory": "必須 ", - "option": "オプション ", - "optional": "オプション ", "uninstall": "アンインストール", "uninstallation": "アンインストール中", "uninstalled": "アンインストール済み", - "uninstalling": "アンインストール中", "update(noun)": "アップデート", "update(verb)": "アップデート", "updated": "アップデート", - "updating": "アップデート中", - "version {0}": "バージョン {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} はデフォルトのインストール オプションに従っているため、{0} のインストール オプションは現在ロックされています。", "{0} Uninstallation": "{0} アンインストール中", "{0} aborted": "{0} を中止しました", "{0} can be updated": "{0} をアップデートできます", - "{0} can be updated to version {1}": "{0} をバージョン {1} にアップデートできます", - "{0} days": "{0} 日", - "{0} desktop shortcuts created": "デスクトップにショートカットが{0}個作成されました。", "{0} failed": "{0} が失敗しました", - "{0} has been installed successfully.": "{0}は正常にインストールされました。 ", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} が正常にインストールされました。インストールを完了するため、UniGetUI を再起動することをおすすめします。", "{0} has failed, that was a requirement for {1} to be run": "{0} が失敗しました。これは {1} を実行するための要件でした。", - "{0} homepage": "{0} ホームページ", - "{0} hours": "{0} 時間", "{0} installation": "{0} のインストール", - "{0} installation options": "{0} \nのインストールオプション", - "{0} installer is being downloaded": "{0}インストーラをダウンロードしています ", - "{0} is being installed": "{0} をインストール中です", - "{0} is being uninstalled": "{0} はアンインストール中です ", "{0} is being updated": "{0} をアップデート中", - "{0} is being updated to version {1}": "{0} がバージョン {1} にアップデートされています", - "{0} is disabled": "{0} は無効です", - "{0} minutes": "{0} 分", "{0} months": "{0} 月", - "{0} packages are being updated": "{0} パッケージをアップデート中", - "{0} packages can be updated": "{0} 個のパッケージをアップデートできます", "{0} packages found": "{0} 個のパッケージが見つかりました", "{0} packages were found": "{0} 個のパッケージが見つかりました", - "{0} packages were found, {1} of which match the specified filters.": "{0} 個のパッケージが見つかり、うち {1} 個がフィルターにマッチしました。", - "{0} selected": "{0} 選択中", - "{0} settings": "{0} 設定", - "{0} status": "{0} のステータス", "{0} succeeded": "{0} が成功しました", "{0} update": "{0} のアップデート", - "{0} updates are available": "{0} 件のアップデートが利用可能です", "{0} was {1} successfully!": "{0} の {1} が成功しました", "{0} weeks": "{0} 週間", "{0} years": "{0} 年", "{0} {1} failed": "{0} の {1} が失敗しました", - "{package} Installation": "{package} のインストール", - "{package} Uninstall": "{package} のアンインストール", - "{package} Update": "{package} のアップデート", - "{package} could not be installed": "{package} をインストールできませんでした", - "{package} could not be uninstalled": "{package} をアンインストールできませんでした", - "{package} could not be updated": "{package} をアップデートできませんでした", "{package} installation failed": "{package} のインストールに失敗しました", - "{package} installer could not be downloaded": "{package} インストーラーをダウンロードできませんでした", - "{package} installer download": "{package} インストーラーのダウンロード", - "{package} installer was downloaded successfully": "{package} インストーラーが正常にダウンロードされました", "{package} uninstall failed": "{package} のアンインストールに失敗しました", "{package} update failed": "{package} のアップデートに失敗しました", "{package} update failed. Click here for more details.": "{package} のアップデートに失敗しました。 詳細はこちらをクリックしてください。", - "{package} was installed successfully": "{package} は正常にインストールされました", - "{package} was uninstalled successfully": "{package} は正常にアンインストールされました", - "{package} was updated successfully": "{package} は正常にアップデートされました", - "{pcName} installed packages": "{pcName} にインストールされたパッケージ", "{pm} could not be found": "{pm} は見つかりませんでした", "{pm} found: {state}": "{pm} 検出: {state}", - "{pm} is disabled": "{pm} は無効化されています", - "{pm} is enabled and ready to go": "{pm} は有効化されており準備が完了しています", "{pm} package manager specific preferences": "{pm} パッケージマネージャー固有の設定", "{pm} preferences": "{pm} 設定", - "{pm} version:": "{pm} バージョン:", - "{pm} was not found!": "{pm} が見つかりませんでした!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "こんにちは、私の名前は Martí で、UniGetUI の 開発者 です。UniGetUI は、すべて私の自由な時間に作られました!", + "Thank you ❤": "よろしくお願いします❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "本プロジェクトは公式の {0} プロジェクトとは何の関わりもなく、完全に非公式です。" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ka.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ka.json index ee37de3e89..169b52499b 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ka.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ka.json @@ -1,155 +1,737 @@ { + "Operation in progress": "მიმდინარეობს ოპერაცია", + "Please wait...": "გთხოვთ მოიცადოთ...", + "Success!": "წარმატება!", + "Failed": "ჩაიშალა", + "An error occurred while processing this package": "შეცდომა დაფიქსირდა ამ პაკეტის დამუშავებისას", + "Log in to enable cloud backup": "ღრუბლოვანი ბექაფისთვის საჭიროა შესვლა", + "Backup Failed": "ბექაფი ჩაიშალა", + "Downloading backup...": "ბექაფის ჩამოტვირთვა...", + "An update was found!": "ნაპოვნია განახლება!", + "{0} can be updated to version {1}": "{0} შესაძლებელია განახლდეს {1} ვერსიამდე", + "Updates found!": "ნაპოვნია განახლებები!", + "{0} packages can be updated": "შესაძლებელი {0} პაკეტის განახლება", + "You have currently version {0} installed": "თქვენი მიმდინარე ვერსიაა {0}", + "Desktop shortcut created": "შეიქმნა მალსახმობი სამუშაო მაგიდაზე", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI-მ აღმოაჩინა დესკტოპის ახალი მალსახმობი, რომელიც შეიძლება ავტომატურად წაიშალოს.", + "{0} desktop shortcuts created": "{0} სამუშაო მაგიდაზე შეიქმნა მალსახმობი", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI-მ აღმოაჩინა {0} ახალი დესკტოპის მალსახმობები, რომლებიც შეიძლება ავტომატურად წაიშალოს.", + "Are you sure?": "დარწმუნებული ხართ?", + "Do you really want to uninstall {0}?": "ნამდვილად გსურთ წაშალოთ {0}?", + "Do you really want to uninstall the following {0} packages?": "ნამდვილად გსურთ წაშალოთ შემდეგი პაკეტები {0} ?", + "No": "არა", + "Yes": "კი", + "View on UniGetUI": "UniGetUI-ში ნახვა", + "Update": "განახლება", + "Open UniGetUI": "UniGetUI-ის გახსნა", + "Update all": "ყველას განახლება", + "Update now": "ახლა განახლება", + "This package is on the queue": "პაკეტი რიგშია", + "installing": "ინსტალირდება", + "updating": "ახლდება", + "uninstalling": "დეინსტალაცია", + "installed": "დაინსტალირდა", + "Retry": "ხელახლა ცდა", + "Install": "ინსტალაცია", + "Uninstall": "წაშლა", + "Open": "გახსნა", + "Operation profile:": "ოპერაციის პროფილი:", + "Follow the default options when installing, upgrading or uninstalling this package": "მიყვეით ანგულისხმევ პარამეტრებს ამ პაკეტის ინსტალაციისას, განახლებისას ან დეინსტალაციისას", + "The following settings will be applied each time this package is installed, updated or removed.": "შემდეგი პარამეტრები იქნება გამოყენები ყოველ ჯერზე ამ პაკეტის დაყენებისას, განახლებისას ან წაშლისას.", + "Version to install:": "დასაყენებელი ვერსია:", + "Architecture to install:": "დასაინსტალირებელი არქიტექტურა:", + "Installation scope:": "ინსტალაციის ფარგლები:", + "Install location:": "ინსტალაციის ლოკაცია:", + "Select": "შერჩევა", + "Reset": "რესეტი", + "Custom install arguments:": "მორგებული ინსტალაციის არგუმენტები:", + "Custom update arguments:": "მორგებული განახლების არგუმენტები:", + "Custom uninstall arguments:": "მორგებული დეინსტალაციის არგუმენტები:", + "Pre-install command:": "პრე ინსტალაციის ბრძანება:", + "Post-install command:": "პოსტ ინსტალაციის ბრძანება:", + "Abort install if pre-install command fails": "ინსტალაციის შეწყვეტა პრე-ინსტალაციის ბრძანების ჩაშლისას", + "Pre-update command:": "პრე განახლების ბრძანება:", + "Post-update command:": "პოსტ განახლების ბრძანება:", + "Abort update if pre-update command fails": "განახლების შეწყვეტა პრე-განახლების ბრძანების ჩაშლისას", + "Pre-uninstall command:": "პრე დეინსტალაციის ბრძანება:", + "Post-uninstall command:": "პოსტ დეინსტალაციის ბრძანება:", + "Abort uninstall if pre-uninstall command fails": "დეინსტალაციის შეწყვეტა პრე-დეინსტალაციის ბრძანების ჩაშლისას", + "Command-line to run:": "ბრძანების ზოლში გაეშვება:", + "Save and close": "შენახვა და დახურვა", + "Run as admin": "ადმინისტრატორით გაშვება", + "Interactive installation": "ინტერაქტიული ინსტალაცია", + "Skip hash check": "ჰეშის შემოწმების გამოტოვება", + "Uninstall previous versions when updated": "განახლებისას წინა ვერსიების დეინსტალაცია", + "Skip minor updates for this package": "მინორული განახლებების გამოტოვება ამ პაკეტისთვის", + "Automatically update this package": "ამ პაკეტის ავტომატური განახლება", + "{0} installation options": "{0} ინსტალაციის პარამეტრები", + "Latest": "უახლესი", + "PreRelease": "პრერელიზი", + "Default": "ნაგულისხმევი", + "Manage ignored updates": "იგნორირებული განახლებების მართვა", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "აქ ჩამოთვლილი პაკეტები არ იქნება გათვალისწინებული განახლებების შემოწმებისას. ორჯერ დაწკაპეთ მათზე ან ღილაკზე მარჯვნივ რომ შეტყვიტოთ მათი განახლებების იგნორირება.", + "Reset list": "სიის რესეტი", + "Package Name": "პაკეტის სახელი", + "Package ID": "პაკეტის ID", + "Ignored version": "იგნორირებული ვერსია", + "New version": "ახალი ვერსია", + "Source": "წყარო", + "All versions": "ყველა ვერსია", + "Unknown": "უცნობი", + "Up to date": "განახლებულია", + "Cancel": "გაუქმება", + "Administrator privileges": "ადმინისტრატორის პრივილეგიები", + "This operation is running with administrator privileges.": "ეს ოპერაცია ადმინისტრატორის პრივილეგიებით ეშვება.", + "Interactive operation": "ინტერაქტიული ოპერაცია", + "This operation is running interactively.": "ეს ოპერაცია ინტერაქტიულად ეშვება.", + "You will likely need to interact with the installer.": "თვენ შესაძლოა ინსტალატორთან ინტერაქცია მოგიწიოთ", + "Integrity checks skipped": "ინტეგრულობის შემოწმება გამოტოვებულია", + "Proceed at your own risk.": "გააგრძელეთ საკუთარი რისკის ფასად.", + "Close": "დახურვა", + "Loading...": "ჩატვირთვა...", + "Installer SHA256": "ინსტალატორის SHA256", + "Homepage": "სათაო გვერდი", + "Author": "ავტორი", + "Publisher": "გამომცემი", + "License": "ლიცენზია", + "Manifest": "მანიფესტი", + "Installer Type": "ინსტალატორის ტიპი", + "Size": "ზომა", + "Installer URL": "ინსტალატორის URL", + "Last updated:": "ბოლო განახლება:", + "Release notes URL": "რელიზის ჩანაწერების URL", + "Package details": "პაკეტის დეტალები", + "Dependencies:": "დამოკიდებულებები:", + "Release notes": "რელიზის ჩანაწერები", + "Version": "ვერსია", + "Install as administrator": "ადმინისტრატორის უფლებებით ინსტალაცია", + "Update to version {0}": "განახლება {0} ვერსიამდე", + "Installed Version": "დაყენებული პაკეტები", + "Update as administrator": "ადმინისტრატორით განახლება", + "Interactive update": "ინტერაქტიული განახლება", + "Uninstall as administrator": "დეინსტალაცია ადმინისტრატორის უფლებებით", + "Interactive uninstall": "ინტერაქტიული წაშლა", + "Uninstall and remove data": "დეინსტალაცია და მონაცემების წაშლა", + "Not available": "მიუწვდომელია", + "Installer SHA512": "ინსტალატორის SHA256", + "Unknown size": "უცნობი ზომა", + "No dependencies specified": "არ არის მითითებული დამოკიდებულებები", + "mandatory": "სავალდებულო", + "optional": "არასავალდებულო", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} მზად არის ინსტალაციისთვის.", + "The update process will start after closing UniGetUI": "განახლების პროცესი დაიწყება UniGetUI-ის დახურვის შემდეგ", + "Share anonymous usage data": "ანონიმური მოხმარების მონაცემების გაზიარება", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI აგროვებს ანონიმური გამოყენების მონაცემებს მომხმარებლის გამოცდილების გასაუმჯობესებლად.", + "Accept": "მიღება", + "You have installed WingetUI Version {0}": "თქვენ დააყენეთ UniGetUI-ის {0} ვერსია", + "Disclaimer": "პასუხისმგებლობის უარყოფა", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI არ არის დაკავშირებული რომელიმე თავსებად პაკეტის მენეჯერთან. UniGetUI არის დამოუკიდებელი პროექტი.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI-ის არსებობა შეუძლებელი იქნებოდა შემომწირველების დახმარების გარეშე. მადლობა თქვენ 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI იყენებს შემდეგ ბიბლიოთეკებს. მათ გარეშე UniGetUI-ს არსებობა შეუძლებელი იქნებოდა.", + "{0} homepage": "{0} მთავარი გვერდი", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI თარგმნილია 40-ზე მეტ ენაზე მოხალისეების მიერ. მადლობა 🤝", + "Verbose": "უფრო ინფორმატიული", + "1 - Errors": "1 - შეცდომა", + "2 - Warnings": "2 - გაფრთხილება", + "3 - Information (less)": "3 - ინფორმაცია (ნაკლები)", + "4 - Information (more)": "4 - ინფორმაცია (მეტი)", + "5 - information (debug)": "5 - ინფორმაცია (დებაგი)", + "Warning": "გაფრთხილება", + "The following settings may pose a security risk, hence they are disabled by default.": "შემდეგი პარამეტრები შეიცავს შესაძლო უსაფრთხოების რისკებს, ამიტომაც ისინი გამორთულია ნაგულისხმევად.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "ჩართეთ ქვემოთ მოცემული პარამეტრები მხოლოდ იმ შემთხვევაში, თუ სრულად გესმით მათი მოქმედების პრინციპი, ასევე მათი შესაძლო შედეგები და საფრთხეები.", + "The settings will list, in their descriptions, the potential security issues they may have.": "აღწერებში იქნება ამ პარამეტრების სია და მათი პოტენციური უსაფრთხოების პრობლემები.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "ბექაფი შეიცავდეს იქნება დაყენებული პაკეტების სრულ სიას და მათი ინსტალაციის პარამეტრებს. იგნორირებული განახლებები და გამოტივებული ვერსიებიც კი შენახული იქნება.", + "The backup will NOT include any binary file nor any program's saved data.": "ბექაფში არ იქნება არანაირი ბინარული ფაილი და არც პროგრამის მიერ შენახული მონაცემები.", + "The size of the backup is estimated to be less than 1MB.": "ბექაფის მოსალოდნელი ზომა 1 მბ-ზე ნაკლებია", + "The backup will be performed after login.": "ბექაფი სისტემაში შესვლის შემდეგ შესრულდება", + "{pcName} installed packages": "{pcName} დაყენებული პაკეტები", + "Current status: Not logged in": "მიმდინარე სტატუსი: არ არის შესული", + "You are logged in as {0} (@{1})": "თქვენ შესული ხართ როგორც {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "მშვენიერი! ბექაფები აიტვირთება პრივატულ gist-ში თქვენს ანგარიშზე", + "Select backup": "შეარჩიეთ ბექაფი", + "WingetUI Settings": "UniGetUI-ს პარამეტრები", + "Allow pre-release versions": "პრერელიზ ვერსიების დაშვება", + "Apply": "გამოყენება", + "Go to UniGetUI security settings": "UniGetUI-ის უსაფრთხოების პარამეტრებზე გადასვლა", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "შემდეგი პარამეტრები იქნება გამოყენებული ნაგულისხმევად ყოველ ჯერზე {0} პაკეტის ინსტალაციისას, განახლებისას ან დეინსტალაციისას.", + "Package's default": "პაკეტის ნაგულისხმევი", + "Install location can't be changed for {0} packages": "ინსტალაციის ლოკაცია ვერ შეიცვლება {0} პაკეტებისთვის", + "The local icon cache currently takes {0} MB": "ლოკალური ხატულების ქეში ახლა იკავებს {0} მბ-ს", + "Username": "მომხმარებლის სახელი", + "Password": "პაროლი", + "Credentials": "ანგარიშის მონაცემები", + "Partially": "ნაწილობრივ", + "Package manager": "პაკეტების მმართველი", + "Compatible with proxy": "თავსებადია პროქსისთან", + "Compatible with authentication": "თავსებადია აუთენტიფიკაციასთან", + "Proxy compatibility table": "პროქსის თავსებადობის ცხრილი", + "{0} settings": "{0}-ის პარამეტრები", + "{0} status": "{0} სტატუსი", + "Default installation options for {0} packages": "ნაგულისმევი ინსტალაციის პარამერები {0} პაკეტებისთვის", + "Expand version": "ვერსიის გაშლა", + "The executable file for {0} was not found": "ვერ მოიძებნა {0}-ის გამშვები ფაილი", + "{pm} is disabled": "{pm} გამორთულია", + "Enable it to install packages from {pm}.": "პაკეტების {pm}-დან ინსტალაციის ჩართვა.", + "{pm} is enabled and ready to go": "{pm} ჩართულია და მზად არის გასაშვებად", + "{pm} version:": "{pm} ვერსია:", + "{pm} was not found!": "{pm} ვერ იქნა ნაპოვნი!", + "You may need to install {pm} in order to use it with WingetUI.": "თქვენ შესაძლოა დაგჭირდეთ {pm} იმისთვის, რომ UniGetUI-თ ისარგებლოთ.", + "Scoop Installer - WingetUI": "Scoop ინსტალატორი - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop დეინსტალატორი - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop-ის ქეშის გაწმენდა - UniGetUI", + "Restart UniGetUI": "UniGetUI-ის გადატვირთვა", + "Manage {0} sources": "{0} წყაროების მართვა", + "Add source": "წყაროს დამატება", + "Add": "დამატება", + "Other": "სხვა", + "1 day": "1 დღე", + "{0} days": "{0} დღე", + "{0} minutes": "{0} წუთი", + "1 hour": "1 საათი", + "{0} hours": "{0} საათი", + "1 week": "1 კვირა", + "WingetUI Version {0}": "UniGetUI ვერსია {0}", + "Search for packages": "პაკეტების ძიება", + "Local": "ლოკალური", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "ნაპოვნია {0} პაკეტი, {1} შეესაბამება მითითებულ ფილტრებს.", + "{0} selected": "{0} მონიშნულია", + "(Last checked: {0})": "(ბოლო შემოწმება: {0})", + "Enabled": "ჩართული", + "Disabled": "გამორთული", + "More info": "მეტი ინფო", + "Log in with GitHub to enable cloud package backup.": "შედით GitHub-ით, რომ ჩართოთ პაკეტების ღრუბლოვანი ბექაფი", + "More details": "მეტი დეტალი", + "Log in": "შესვლა", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "თუ გაქვთ ღრუბლოვანი ბექაფი ჩართული ის შეინახება GitHub Gist-ის სახით ამ ანგარიშზე", + "Log out": "გამოსვლა", + "About": "შესახებ", + "Third-party licenses": "მესამე-მხარის ლიცენზიები", + "Contributors": "კონტრიბუტორები", + "Translators": "მთარგმნელები", + "Manage shortcuts": "მალსახმობების მართვა", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI-მ აღმოაჩინა შემდეგი დესკტოპის მალსახმობები, რომლებიც შეიძლება ავტომატურად წაიშალოს მომავალი განახლებებისას", + "Do you really want to reset this list? This action cannot be reverted.": "რეალურად გსურთ ამ სიის დარესეტება? ეს მოქმედება უკან არ ბრუნდება.", + "Remove from list": "სიიდან წაშლა", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "ახალი მალსახმობების აღმოჩენისას, ამ დიალოგის ჩვენების ნაცვლად ავტომატურად წაშალეთ ისინი.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI აგროვებს ანონიმური გამოყენების მონაცემებს მომხმარებლის გამოცდილების გაგებისა და გაუმჯობესების მიზნით.", + "More details about the shared data and how it will be processed": "დამატებითი ინფორმაცია გაზიარებული ინფორმაციიდან და როგორ იქნება გამოიყენებული ის", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "ეთანხმებით თუ არა, რომ UniGetUI აგროვებს და აგზავნის გამოყენების ანონიმურ სტატისტიკას, მხოლოდ მომხმარებლის გამოცდილების გაგებისა და გაუმჯობესების მიზნით?", + "Decline": "უარყოფა", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "არანაირი პერსონალური მონაცემი არ გროვდება და არც გადაიცემა, დაგროვილი ინფორმაცია ანონიმურია ისე, რომ არ უთითებს თქვენზე.", + "About WingetUI": "UniGetUI-ის შესახებ", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI არის აპლიკაცია, რომელიც გიადვილებთ პროგრამული უზრუნველყოფის მათვას, ეს მიიღწევა ყველა-ერთში გრაფიკული ინფტერფეისის საშუალებით თქვენი ბრძანების ზოლის პაკეტების მენეჯერებისთვის.", + "Useful links": "სასარგებლო ბმულები", + "Report an issue or submit a feature request": "შეგვატყობინეთ პრობლემის შესახებ ან შემოგვთავაზეთ იდეა", + "View GitHub Profile": "GitHub-ის პროფილის ნახვა", + "WingetUI License": "UniGetUI-ის ლიცენზია", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI-ის გამოყენება ნიშნავს MIT ლიცენზიის მიღებას", + "Become a translator": "გახდი მთარგმნელი", + "View page on browser": "გვერდის ბრაუზერში ნახვა", + "Copy to clipboard": "გაცვლის ბუფერში კოპირება", + "Export to a file": "ფაილში ექსპორტი", + "Log level:": "ჟურნალის დონე:", + "Reload log": "ჟურნალის ხელახლა ჩატვირთვა", + "Text": "ტექსტი", + "Change how operations request administrator rights": "შეცვალეთ, თუ როგორ ითხოვენ ოპერაციები ადმინისტრატორის უფლებებს", + "Restrictions on package operations": "პაკეტებზე ოპერაციების შეზღუდვები", + "Restrictions on package managers": "პაკეტების მმართველების შეზღუდვები", + "Restrictions when importing package bundles": "შეზღუდვები პაკეტების კრებული იმპორტირებისას", + "Ask for administrator privileges once for each batch of operations": "ადმინისტრატორის პრივილეგიების მოთხოვნა მხოლოდ ერჯერადად ოპერაციების ჯგუფის გაშვებისას", + "Ask only once for administrator privileges": "ადმინისტრატორის უფლებების მხოლოდ ერთხელ მოთხოვნა", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "ნებისმიერი ელევაციის დაბლოკვა UniGetUI Elevator ან GSudo-ს საშუალებით", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "ეს პარამეტრი პრობლემებს გამოიწვევს. ნებისმიერი ოპერაცია, რომელიც ვერ შეძლებს თავისით ელევაციას ჩაიშლება. ინსტალაცია/განახლება/დეინსტალაცია ადმინისტრატორის უფლებებით არ იმუშავებს", + "Allow custom command-line arguments": "მორგებული ბრძანების ზოლის არგუმენტების დაშვება", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "მორგებულ ბრძანების არგუმენტებს შეუძლია შეცვალოს პროცესი რომლითაც პროგრამები ინსტალირდება, ახლდება ან დეინსტალირდება ისე, რომ UniGetUI ვერ შეძლებს მის კონტროლ. მორგებულ ბრძანების არგუმენტებს შეუძლია პაკეტების დაზიანება. გამოიყენეთ სიფრთხილის ზომების დაცვით.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "მორგებული პრეინსტალაციისა და პოსტინსტალაციის ბრძანებების გაშვების დაშვება", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "პრე და პოსტ ინსტალაციის ბრძანებები გაეშვება პაკეტის ინსტალაციამდე, შემდეგ, განახლებისას ან დეინსტალაციისას. გაითვალისწინეთ, რომ ამას შეუძლია ზიანის მოტანა თუ არ გამოვიყენებთ სიფთხილის დაცვით.", + "Allow changing the paths for package manager executables": "პაკეტების მმართველების გამშვებ ფაილების მისმართების ცვლილების დაშვება", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "ამის ჩართვით თქვენ ნებას რთავ გამოყენებულ იქნას შეცვლილი გამშვები ფაილები პაკეტების მმართველებთან მუშაობისთვის. ეს მოგცემთ უფრო მეტ მორგებადობას და ფუნქციონალს ინსტალაცისაც თუმცა არის საშიშიც", + "Allow importing custom command-line arguments when importing packages from a bundle": "მორგებული ბრძანების ზოლის არგუმენტების იმპორტირების დაშვება პაკეტების კრებულიდან იმპორტისას", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "არასწორად შედგენილ ბრძანების არგუმენტებს შეუძლია პაკეტების დაზიანება ან თუნდაც ბოროტმოქმედს მისცეს პრივილეგირებული შესრულების უფლება. ამიტომაც მორგებული ბრძანების არგუმენტების იმპორტირება ნაგულისხმევად გამორთულია", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "მორგებული პრეინსტალაციის და პოსტ ინსტალაციის ბრძანებების იმპორტირების დაშვება პაკეტების კრებულიდან იმპორტისას", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "პრე და პოსტ ინსტალაციის ბრძანებებს შეულძია ზიანის მიყენება, თუ არასწორად არის შედგენილი. ეს შესაძლოა ძალიან საშიში იყოს კრებულიდან მათი იმპორტირება თუ თქვენ არ ენდობით პაკეტების კრებულის მომწოდებელს.", + "Administrator rights and other dangerous settings": "ადმინისტრატორის უფლებები და სხვა საშიში პარამეტრები", + "Package backup": "პაკეტის ბექაფი", + "Cloud package backup": "პაკეტების ღრუბლოვანი ბექაფი", + "Local package backup": "პაკეტების ლოკალური ბექაფი", + "Local backup advanced options": "ლოკალური ბექაფის დამატებითი პარამეტრები", + "Log in with GitHub": "GitHub-ით შესვლა", + "Log out from GitHub": "GitHub-დან გამოსვლა", + "Periodically perform a cloud backup of the installed packages": "პერიოდულად შექმენი დაყენებული პაკეტების ღრუბლოვანი ბექაფი", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "ღღუბლოვანი ბექაფი იყენებს პრივატულ GitHub Gist-ს, რომ შეინახოს დაყენებული პაკეტების სია", + "Perform a cloud backup now": "ღრუბლოვანი ბექაფის ახლა გაშვება", + "Backup": "ბექაფი", + "Restore a backup from the cloud": "ბექაფის ღრუბლიდან აღდგენა", + "Begin the process to select a cloud backup and review which packages to restore": "ღღუბლოვანი ბექაფის შერჩევის პროცესის დაწყება და აღსადგენი პაკეტების მიმოხილვა", + "Periodically perform a local backup of the installed packages": "დაყენებული პაკეტების ბექაფის პერიოდულად შესრულება", + "Perform a local backup now": "ლოკალური ბექაფის ახლა გაშვება", + "Change backup output directory": "ბექაფის დირექტორიის შეცვლა", + "Set a custom backup file name": "მიუთითეთ ბექაფის ფაილის მორგებული სახელი", + "Leave empty for default": "დატოვეთ ცარიელი ნაგულისხმევად", + "Add a timestamp to the backup file names": "ბექაფის ფაილების სახელებზე დროის ანაბეჭდის დამატება", + "Backup and Restore": "ბექაფი და აღდგენა", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "ფონური API-ის ჩართვა (UniGetUI-ის ვიჯეტები და გაზიარება, პორტი 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "მოცდა სანამ მოწყობილობა დაუკავშირდება ინტერნეტს მანამ სანამ მოხდება ინტერნეტთან დაკავშირების საჭიროების მქონე ამოცანების შესრულება.", + "Disable the 1-minute timeout for package-related operations": "ოპერაციებისთვის 1 წუთიანი პაკეტებთან დაკავშირებული ვადის გამორთვა", + "Use installed GSudo instead of UniGetUI Elevator": "GSudo-ს გამოყენება UniGetUI Elevator-ის ნაცვლად", + "Use a custom icon and screenshot database URL": "მორგებული ხატულებისა და სქრინშოტების მონაცემთა ბაზის URL", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "CPU-ს ფონური მოხმარების ოპტიმიზაციის ჩართვა (იხილეთ Pull Request #3278)", + "Perform integrity checks at startup": "ინტეგრულობის შემოწმება გაშვებისას", + "When batch installing packages from a bundle, install also packages that are already installed": "პაკეტების კრებულიდან ერთდროულად დაყენებისას დაყენდეს უკვე დაყენებული პაკეტებიც", + "Experimental settings and developer options": "ექსპერიმენტული პარამეტრები და დეველოპერის ოფციები", + "Show UniGetUI's version and build number on the titlebar.": "UniGetUI-ს ვერსიის ჩვენება სათაურის ზოლში", + "Language": "ენა", + "UniGetUI updater": "UniGetUI განმაახლებელი", + "Telemetry": "ტელემეტრია", + "Manage UniGetUI settings": "UniGetUI-ის პარამეტრების მართვა", + "Related settings": "დაკავშირებული პარამეტრები", + "Update WingetUI automatically": "UniGetUI ავტომატური განახლება", + "Check for updates": "განახლებების შემოწმება", + "Install prerelease versions of UniGetUI": "UniGetUI-ის პრერელიზების ინსტალაცია", + "Manage telemetry settings": "ტელემეტრიის პარამეტრების მართვა", + "Manage": "მართვა", + "Import settings from a local file": "პარამეტრების ლოკალური ფაილიდან იმპორტი", + "Import": "იმპორტი", + "Export settings to a local file": "პარამეტრების ლოკალურ ფაილში ექსპორტი", + "Export": "ექსპორტი", + "Reset WingetUI": "UniGetUI-ის დარესეტება", + "Reset UniGetUI": "UniGetUI-ის დარესეტება", + "User interface preferences": "სამომხმარებლო ინტერფეისის პარამეტრები", + "Application theme, startup page, package icons, clear successful installs automatically": "აპლიკაციის თემა, სასტარტო გვერდი, პაკეტების ხატულები, წარმატებული ინსტალაციების ავტომატურად წაშლა", + "General preferences": "ზოგადი პარამეტრები", + "WingetUI display language:": "UniGetUI-ის ინტერფეისის ენა:", + "Is your language missing or incomplete?": "თქვენი ენა არ არის ან დაუსრულებელია?", + "Appearance": "იერსახე", + "UniGetUI on the background and system tray": "UniGetUI ფონურ რეჟიმში და სისტემური პანელი", + "Package lists": "პაკეტების სიები", + "Close UniGetUI to the system tray": "UniGetUI-ის სისტემურ პანელში ჩახურვა", + "Show package icons on package lists": "პაკეტის ხატულების ჩვენება პაკეტების სიებში", + "Clear cache": "ქეშის გაწმენდა", + "Select upgradable packages by default": "განახლებადი პაკეტების ნაგულისხმევად შერჩევა", + "Light": "ნათლი", + "Dark": "მუქი", + "Follow system color scheme": "სისტემური ფერთა სქემის მიდევნება", + "Application theme:": "აპლიკაციის თემა:", + "Discover Packages": "აღმოაჩინეთ პაკეტები", + "Software Updates": "პროგრამების განახლებები", + "Installed Packages": "დაყენებული პაკეტები", + "Package Bundles": "პაკეტების კრებულები", + "Settings": "პარამეტრები", + "UniGetUI startup page:": "UniGetUI გაშვების გვერდი:", + "Proxy settings": "პროქსის პარამეტრები", + "Other settings": "სხვა პარამეტრები", + "Connect the internet using a custom proxy": "ინტერნეტთან მორგებული პროქსით პასუხი", + "Please note that not all package managers may fully support this feature": "გაითვალისწინეთ, რომ ყველა პაკეტების მენეჯერს შესაძლოა არ ქონდეთ ამ ფუნქციის სრული მხარდაჭერა", + "Proxy URL": "პროქსის URL", + "Enter proxy URL here": "შეიყვანეთ პროქსის URL აქ", + "Package manager preferences": "პაკეტების მენეჯერის პარამეტრები", + "Ready": "მზადაა", + "Not found": "არ არის ნაპოვნი", + "Notification preferences": "შეტყობინებების პარამეტრები", + "Notification types": "შეტყობინებების ტიპები", + "The system tray icon must be enabled in order for notifications to work": "სისტემური პანელის ხატულა უნდა იყოს ჩართული შეტყობინებების მუშაობისთვის", + "Enable WingetUI notifications": "UniGetUI-ის შეტყობინებების ჩართვა", + "Show a notification when there are available updates": "შეტყობინების ჩვენება როცა ხელმისაწვდომია განახლებები", + "Show a silent notification when an operation is running": "ჩუმი შეტყობინების ჩვენება როცა მიმდინარეობს ოპერაცია", + "Show a notification when an operation fails": "შეტყობინების ჩვენება ოპერაციის ჩაშლისას", + "Show a notification when an operation finishes successfully": "შეტყობინების ჩვენება ოპერაციის წარმატებულად დასრულებისას", + "Concurrency and execution": "კონკურენცია და გაშვება", + "Automatic desktop shortcut remover": "ავტომატური სამუშაო მაგიდის მალსახმობების წამშლელი", + "Clear successful operations from the operation list after a 5 second delay": "წარმატებული ოპერაციების სიიდან ამოღება 5 წამიანი დაყოვნების შემდეგ", + "Download operations are not affected by this setting": "ეს პარამეტრი არ მოქმედებს ჩამოტვირთვის ოპერაციებზე", + "Try to kill the processes that refuse to close when requested to": "პროცესების ძალისმიერად გათიშვის ცდა, რომლებიც არ ითიშება მოთხოვნისას", + "You may lose unsaved data": "თქვენ შესაძლოა დაკარგოთ შეუნახავი მონაცემები", + "Ask to delete desktop shortcuts created during an install or upgrade.": "სამუშაო მაგიდის მალსახმობების წაშლის მოთხოვნა ინსტალაციის ან განახლებისას", + "Package update preferences": "პაკეტის განახლების პარამეტრები", + "Update check frequency, automatically install updates, etc.": "განახლებების შემოწმების სიხშირე, განახლებების ავტომატური ინსტალაცია და სხვ.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC დიალოგების შემცირება, ინსტალაციების ელევაცია ნაგულისხმევად, ზოგიერთი საშიში ფუნქციის ჩართვა და ა.შ.", + "Package operation preferences": "პაკეტის ოპერაციის პარამეტრები", + "Enable {pm}": "ჩართვა {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "ვერ პოულობ ფაილს რომელსაც ეძებ? დარწმუნდი, რომ ის დამატებულია path-ში.", + "For security reasons, changing the executable file is disabled by default": "უსაფრთხოების მიზეზებიდან გამომდინარე გამშვები ფაილის შეცვლა ნაგულისხმევად გამორთულია", + "Change this": "შეცვალე ეს", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "აირჩიეთ გამოსაყენებელი გამშვები ფაილი. ქვემოთ მოცემული სია აჩვენებს UniGetUI-ის მიერ ნაპოვნ გამშვებ ფაილებს", + "Current executable file:": "მიმდინარე გამშვები ფაილი:", + "Ignore packages from {pm} when showing a notification about updates": "პაკეტების განახლებების იგნორირება შეტყობინებებში {pm} რეპოზიტორიიდან", + "View {0} logs": "{0} ჟურნალის ნახვა", + "Advanced options": "გაფართოებული ოფციები", + "Reset WinGet": "WinGet-ის დარესეტება", + "This may help if no packages are listed": "ეს შეიძლება დაგეხმაროთ, თუ პაკეტები არ არის ჩამოთვლილი", + "Force install location parameter when updating packages with custom locations": "მორგებული მდებარეობის მქონე პაკეტების განახლებისას ინსტალაციის მდებარეობის პარამეტრის იძულებით გამოყენება", + "Use bundled WinGet instead of system WinGet": "ჩაშენებული WinGet-ის გამოყენება სისტემური WinGet-ის ნაცვლად", + "This may help if WinGet packages are not shown": "ამან შესაძლოა გამოასწოროს თუ WinGet-ის პაკეტები არ ჩანს", + "Install Scoop": "Scoop-ის ინსტალაცია", + "Uninstall Scoop (and its packages)": "Scoop-ის (და მისი პაკეტების) დეინსტალაცია", + "Run cleanup and clear cache": "გაწმენდისა და ქეშის გასუფთავების გაშვება", + "Run": "გაშვება", + "Enable Scoop cleanup on launch": "Scoop-ის გასუფთავების ჩართვა გაშვებისას", + "Use system Chocolatey": "სისტემური Chocolatey-ის გამოყენება", + "Default vcpkg triplet": "vcpkg-ის ნაგულისხმევი ტრიპლეტი", + "Language, theme and other miscellaneous preferences": "ენა, თემა და სხვა დამატებითი პარამეტრები", + "Show notifications on different events": "შეტყობინებების ჩვენება სხვა და სხვა მოვლენებისთვის", + "Change how UniGetUI checks and installs available updates for your packages": "შეცვალე თუ როგორ ამოწმებს და აყენებს UniGetUI ხელმისაწვდომ განახლებებს თქვენი პაკეტებისთვის", + "Automatically save a list of all your installed packages to easily restore them.": "დაყენებული პაკეტების სიის ავტომატურად შენახვა მათი მარტივი აღდგენისათვის.", + "Enable and disable package managers, change default install options, etc.": "პაკეტების მმართველების ჩართვა და გამორთვა, ნაგილისხმევი ინსტალაციის პარამეტრების შეცვლა და ა. შ.", + "Internet connection settings": "ინტერნეტთან კავშირის პარამეტრები", + "Proxy settings, etc.": "პროქსის პარამეტრები, სხვ.", + "Beta features and other options that shouldn't be touched": "ბეტა ფუნქციონალი და სხვა პარამეტრები, რომლებსაც ხელი არ უნდა ახლოთ", + "Update checking": "განახლებების შემოწმება", + "Automatic updates": "ავტომატური განახლებები", + "Check for package updates periodically": "პაკეტის განახლების პერიოდული შემოწმება", + "Check for updates every:": "განახლებების შემოწმება ყოველ:", + "Install available updates automatically": "ხელმისაწვდომი განახლებების ავტომატური ინსტალაცია", + "Do not automatically install updates when the network connection is metered": "არ დაყენდეს ავტომატური განახლებები, როცა ქსელთან კავშირი ლიმიტირებულია (დეპოზიტი)", + "Do not automatically install updates when the device runs on battery": "არ დააყენო განახლებები ავტომატურად, როცა მოწყობილობა ბატარეაზე მუშაობს", + "Do not automatically install updates when the battery saver is on": "არ დაყენდეს განახლებები ავვტომატურად აკუმლატორის დაზოგვის რეჟიმში ", + "Change how UniGetUI handles install, update and uninstall operations.": "შეცვალეთ თუ როგორ შეასრულებს UniGetUI ინსტალაციის, განახლების და დეინსტალაციის ოპერაციებს.", + "Package Managers": "პაკეტების მენეჯერები", + "More": "მეტი", + "WingetUI Log": "UniGetUI-ის ჟურნალი", + "Package Manager logs": "პაკეტების მენეჯერის ჟურნალები", + "Operation history": "ოპერაციის ისტორია", + "Help": "დახმარება", + "Order by:": "დალაგება:", + "Name": "სახელი", + "Id": "ID", + "Ascendant": "ასცენდენტი", + "Descendant": "დესცენდენტი", + "View mode:": "ნახვის რეჟიმი:", + "Filters": "ფილტრები", + "Sources": "წყაროები", + "Search for packages to start": "დაწყებისთვის მოძებნეთ პაკეტები", + "Select all": "ყველას მონიშვნა", + "Clear selection": "მონიშვნის გაწმენდა", + "Instant search": "სწრაფი ძიება", + "Distinguish between uppercase and lowercase": "განასხვავე დიდსა და პატარა რეგისტრს შორის", + "Ignore special characters": "სპეციალური სიმბოლოების იგნორირება", + "Search mode": "ძიების რეჟიმი", + "Both": "ორივე", + "Exact match": "ზუსტი თანხვედრა", + "Show similar packages": "მსგავსი პაკეტების ჩვენება", + "No results were found matching the input criteria": "შევანილი კრიტერიუმებით არ იქნა ნაპოვნი არაფერი", + "No packages were found": "პაკეტები არ არის ნაპოვნი", + "Loading packages": "პაკეტების ჩატვირთვა", + "Skip integrity checks": "ინტეგრულობის შემოწმების გამოტოვება", + "Download selected installers": "შერჩეული ინსტალატორების ჩამოტვირთვა", + "Install selection": "შერჩეულების ინსტალაცია", + "Install options": "ინსტალაციის პარამეტრები", + "Share": "გაზიარება", + "Add selection to bundle": "მონიშვნის კრებულში დამატება", + "Download installer": "ინსტალატორის ჩამოტვირთვა", + "Share this package": "ამ პაკეტის გაზიარება", + "Uninstall selection": "მონიშნულის დეინსტალაცია", + "Uninstall options": "დეინსტალაციის პარამეტრები", + "Ignore selected packages": "მონიშნული პაკეტების იგნორირება", + "Open install location": "ინსტალაციის ლოკაციის გახსნა", + "Reinstall package": "პაკეტის ხელახალი ინსტალაცია", + "Uninstall package, then reinstall it": "პაკეტის დეინსტალაცია და ხელახლა ინსტალაცია", + "Ignore updates for this package": "ამ პაკეტის განახლებების იგნორირება", + "Do not ignore updates for this package anymore": "არ დაიგნორდეს განახლებები ამ პაკეტისთვის მომავალში", + "Add packages or open an existing package bundle": "დაამატეთ პაკეტები ან გახსენით არსებული პაკეტების კრებული", + "Add packages to start": "დაამატეთ პაკეტები დასაწყებად", + "The current bundle has no packages. Add some packages to get started": "მიმდინარე კრებულში არ არის პაკეტები. დაამატე რამდენიმე პაკეტი რომ დავიწყოთ", + "New": "ახალი", + "Save as": "შენახვა როგორც", + "Remove selection from bundle": "მონიშნულის კრებულიდან წაშლა", + "Skip hash checks": "ჰეშის შემოწმების გამოტოვება", + "The package bundle is not valid": "პაკეტების კრებული არ არის ვალიდური", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "კრებული, რომლის ჩატვირთვაც გსურთ არ არის ვალიდური. შეამოწმეთ ფაილი და ხელახლა ცადეთ.", + "Package bundle": "პაკეტის კრებული", + "Could not create bundle": "კრებული ვერ შეიქმნა", + "The package bundle could not be created due to an error.": "პაკეტების კრებული ვერ შეიქმნა შეცდომის გამო.", + "Bundle security report": "კრებულის უსაფრთხოების რეპორტი", + "Hooray! No updates were found.": "ვაშა! განახლებები არ არის ნაპოვნი.", + "Everything is up to date": "ყველაფერი განახლებულია", + "Uninstall selected packages": "შერჩეული პაკეტების დეინსტალაცია", + "Update selection": "მონიშნულის განახლება", + "Update options": "განახლების პარამეტრები", + "Uninstall package, then update it": "პაკეტის დეინსტალაცია და შემდგომ მისი განახლება", + "Uninstall package": "პაკეტის დეინსტალაცია", + "Skip this version": "ვერსიის გამოტოვება", + "Pause updates for": "განახლებების დაპაუზება", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-ის პაკეტების მმართველი.
შეიცავს: Rust-ის ბიბლიოთეკებსა და Rust-ზე დაწერილ პროგრამებს", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "კლასიკური პაკეტების მენეჯერი Windows-ისთვის. თქვენ იქ ყველაფერს იპოვით.
შეიცავს: ზოგად პროგრამებს", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "რეპოზიტორია სავსე ინსტრუმენტბითა და გამშვები ფაილებით Microsoft .NET ეკოსისტემისთვის.
შეიცავს: .NET-თან დაკავშირებულ ინსტრუმენტებსა და სკრიპტებს", + "NuPkg (zipped manifest)": "NuPkg (დაზიპული მანიფესტი)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS პაკეტების მართველი. სავსეა ბიბლიოთეკებითა და უტილიტებით javascript-ის სამყაროდან
შეიჩავს: Node javascript ბიბლიოთეკებს და სხვა შესაბამის უტილიტებს", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python-ის ბიბლიოთეკების მმართველი. სავსეა პითონის ბიბლიოთეკებით და სხვა მასთან დაკავშირებული უტილიტებით
შეიცავს: Python-ის ბიბლიოთეკებსა და შესაბამის უტილიტებს", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-ის პაკეტების მმართველი. იპოვეთ ბიბლიოთეკები და სკრიპტები რომ გააფართოოთ PowerShell-ის შესაძლებლობები
შეიცავს: მოდულებს, სკრიპტებს, ქომადლეტებს", + "extracted": "გამოარქივდა", + "Scoop package": "Scoop-ის პაკეტი", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "მშვენიერი რეპოზიტორია უცნობი მაგრამ სასარგებლო უტილიტებითა და სხვა საინტერესო პაკეტებით.
შეიცავს: უტილიტებს, ბრძანების ზოლის პროგრამებს, ზოგად პროგრამებს (საჭიროა extras კრებული)", + "library": "ბიბლიოთეკა", + "feature": "ფუნქცია", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "პოპულარული C/C++ ბიბლიოთეკების მმართველი. სავსეა C/C++ ბიბლიოთეკებით და სხვა მასთან დაკავშირებული უტილიტებით.
შეიცავს: C/C++ ბიბლიოთეკებს და შესაბამის უტილიტებს", + "option": "ოფცია", + "This package cannot be installed from an elevated context.": "ეს პაკეტი ვერ დაყენდება ადმინისტრატორის პრივილეგიებით.", + "Please run UniGetUI as a regular user and try again.": "გთხოვთ გაუშვათ UniGetUI როგორც ჩვეულებრივმა მომხმარებელმა და ხელახლა ცადეთ.", + "Please check the installation options for this package and try again": "შეამოწმეთ ინსტალაციის პარამეტრები ამ პაკეტისთვის და ხელახლა ცადეთ", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft-ის ოფიციალური პაკეტების მენეჯერი. სავსეა ცნობილი და გადამოწმებული პაკეტებით
შეიცავს: ზოგად პროგრამებს, აპებს Microsoft Store-დან", + "Local PC": "ლოკალური კომპიუტერი", + "Android Subsystem": "Android ქვესისტემა", + "Operation on queue (position {0})...": "ოპერაცია რიგშია (პოზიცია {0})...", + "Click here for more details": "დაწკაპეთ აქ მეტი დეტალისთვის", + "Operation canceled by user": "ოპერაცია მომხმარებელმა გააუქმა", + "Starting operation...": "ოპერაციების გაშვება...", + "{package} installer download": "{package}-ის ინსტალატორის ჩამოტვირთვა", + "{0} installer is being downloaded": "იტვირთება {0}-ის ინსტალატორი", + "Download succeeded": "წარმატებით ჩამოიტვირთა", + "{package} installer was downloaded successfully": "{package}-ის ინსტალატორი წარმატებით ჩამოიტვირთა", + "Download failed": "ჩამოტვირთვა ჩაიშალა", + "{package} installer could not be downloaded": "ვერ ხერხდება {package}-ის ინსტალატორის ჩამოტვირთვა ", + "{package} Installation": "{package} ინსტალაცია", + "{0} is being installed": "ინსტალირდება {0}", + "Installation succeeded": "ინსტალაცია წარმატებით განხორციელდა", + "{package} was installed successfully": "{package} წარმატებით დაინსტალირდა", + "Installation failed": "ინსტალაცია ჩაიშალა", + "{package} could not be installed": "{package}-ის ინსტალაცია შეუძლებელია", + "{package} Update": "{package} განახლება", + "{0} is being updated to version {1}": "{0} ახლდება {1} ვერსიამდე", + "Update succeeded": "განახლება წარმატებულად დასრულდა", + "{package} was updated successfully": "{package} წარმატებით განახლდა", + "Update failed": "განახლება ჩაიშალა", + "{package} could not be updated": "{package}-ის განახლება შეუძლებელია", + "{package} Uninstall": "{package} დეინსტალაცია", + "{0} is being uninstalled": "{0} დეინსტალირდება", + "Uninstall succeeded": "დეინსტალაცია წარმატებით დასრულდა", + "{package} was uninstalled successfully": "{package} წარმატებით წაიშალა", + "Uninstall failed": "დეინსტალაცია ჩაიშალა", + "{package} could not be uninstalled": "{package}-ის დეინსტალაცია შეუძლებელია", + "Adding source {source}": "{source} წყაროს დამატება", + "Adding source {source} to {manager}": "{source} წყაროს დამატება {manager}-ში", + "Source added successfully": "წყარო წარმატებით დაემატა", + "The source {source} was added to {manager} successfully": "წყარო {source} წარმატებით დაემატა {manager}-ში", + "Could not add source": "წყარო ვერ დაემატა", + "Could not add source {source} to {manager}": "წყარო {source} ვერ დაემატა {manager}-ში", + "Removing source {source}": "{source} წყაროს წაშლა", + "Removing source {source} from {manager}": "{source} წყაროს წაშლა {manager}-დან", + "Source removed successfully": "წყარო წარმატებით წაიშალა", + "The source {source} was removed from {manager} successfully": "წყარო {source} წარმატებით ამოიშალა {manager}-დან", + "Could not remove source": "წყარო ვერ წაიშალა", + "Could not remove source {source} from {manager}": "ვერ წაიშალა {source} წყარო {manager}-დან", + "The package manager \"{0}\" was not found": "პაკეტების მენეჯერი \"{0}\" ვერ იქნა ნაპოვნი", + "The package manager \"{0}\" is disabled": "პაკეტების მენეჯერი \"{0}\" გამორთულია", + "There is an error with the configuration of the package manager \"{0}\"": "შეცდომაა \"{0}\" პაკეტების მმართველის კონფიგურაციაში", + "The package \"{0}\" was not found on the package manager \"{1}\"": "პაკეტი\"{0}\" არ იქნა ნაპოვნი \"{1}\" პაკეტების მენეჯერში", + "{0} is disabled": "{0} გამორთულია", + "Something went wrong": "რაღაც ჩაიშალა", + "An interal error occurred. Please view the log for further details.": "დაფიქსირდა შიდა შეცდომა. დამატებითი დეტალებისთვის გთხოვთ ნახოთ ჟურნალი.", + "No applicable installer was found for the package {0}": "არ არის შესაბამისი ინსტალატორი ნაპოვნი {0} პაკეტისთვის", + "We are checking for updates.": "ვამოწმებთ განახლებებს.", + "Please wait": "გთხოვთ მოიცადოთ", + "UniGetUI version {0} is being downloaded.": "მიმდინარეობს UniGetUI-ის {0} ვერსიის ჩამოტვირთვა.", + "This may take a minute or two": "ამას ერთი-ორი წუთი დაჭირდება", + "The installer authenticity could not be verified.": "ვერ გადამოწმდა ინსტალატორის აუთენტურობა", + "The update process has been aborted.": "განახლების პროცესი შეწყვეტილ იქნა", + "Great! You are on the latest version.": "მშვენიერი! თქვენ უახლეს ვერსიაზე ხართ.", + "There are no new UniGetUI versions to be installed": "არ არის UniGetUI-ის ახალი ვერსიები", + "An error occurred when checking for updates: ": "შეცდომა დაფიქსირდა განახლებების შემოწმებისას:", + "UniGetUI is being updated...": "მიმდინარეობს UniGetUI-ის განახლება...", + "Something went wrong while launching the updater.": "რაღაც ჩაიშალა განმაახლებლის გაშვებისას", + "Please try again later": "გთხოვთ სცადოთ მოგვიანებით", + "Integrity checks will not be performed during this operation": "ამ ოპერაციისას არ მოხდება ინტეგრულობის შემოწმება", + "This is not recommended.": "ეს არ არის რეკომენდებული.", + "Run now": "ახლა გაშვება", + "Run next": "შემდეგის გაშვება", + "Run last": "ბოლოს გაშვება", + "Retry as administrator": "ხელახლა ცდა როგორც ადმინისტრატორი", + "Retry interactively": "ხელახლა ცდა ინტერაქტიულად", + "Retry skipping integrity checks": "იტეგრულობის შემოწმების გამოტოვების ხელახლა ცდა", + "Installation options": "ინსტალაციის პარამეტრები", + "Show in explorer": "ექსპლორერში ჩვენება", + "This package is already installed": "ეს პაკეტი უკვე დაყენებულია", + "This package can be upgraded to version {0}": "ამ პაკეტის განახლება შესაძლებელია {0} ვერსიამდე", + "Updates for this package are ignored": "ამ პაკეტის განახლებები იგნორირებულია", + "This package is being processed": "მიმდინარეობს პაკეტის დამუშავება", + "This package is not available": "ეს პაკეტი არ არის ხელმისაწვდომი", + "Select the source you want to add:": "შეარჩიეთ წყაროები, რომლების დამატებაც გინდათ:", + "Source name:": "წყაროს სახელი:", + "Source URL:": "წყაროს URL:", + "An error occurred": "დაფიქსირდა შეცდომა", + "An error occurred when adding the source: ": "დაფიქსირდა შეცდომა წყაროს დამატებისას:", + "Package management made easy": "გამარტივებული პაკეტების მართვა", + "version {0}": "ვერსია {0}", + "[RAN AS ADMINISTRATOR]": "ადმინისტრატორით გაშვება", + "Portable mode": "პორტატული რეჟიმი", + "DEBUG BUILD": "დებაგ ანაწყობი", + "Available Updates": "ხელმისაწვდომი განახლებები", + "Show WingetUI": "UniGetUI-ის ჩვენება", + "Quit": "გასვლა", + "Attention required": "საჭიროა ყურადღება", + "Restart required": "საჭიროა გადატვირთვა", + "1 update is available": "ხელმისაწვდომია 1 განახლება", + "{0} updates are available": "ხელმისაწვდომა {0} განახლება", + "WingetUI Homepage": "UniGetUI ვებ-საიტი", + "WingetUI Repository": "UniGetUI რეპოზიტორია", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "აქ შეგიძლიათ შეცვალოთ UniGetUI-ის ქცევა შემდეგ მალსახმობებთან მიმართებაში. მალსახმობის მონიშვნით UniGetUI წაშლის მათ იმ შემთხვევაში თუ მომავალი განახლებისას შეიქმნებიან. მონიშვნის მოხსნა დატოვებს მალსახმობს ხელუხლებლად.", + "Manual scan": "ხელით სკანირება", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "მოხდება სამუშაო მაგიდაზე არსებული მალსახმობების სკანირება და თქვენ დაგჭირდებათ შერჩევა თუ რომელი დატოვოთ და რომელი წაშალოთ.", + "Continue": "გაგრძელება", + "Delete?": "წაიშალოს?", + "Missing dependency": "აკლია დამოკიდებულება", + "Not right now": "ახლა არა", + "Install {0}": "{0}-ის ინსტალაცია", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI მოითხოვს {0} მუშაობისთვის, მაგრამ ის არ მოიძებნა თქვენს სისტემაში.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "დაწკაპეთ ინსტალაციაზე, რომ დაიწყოს ინსტალაციის პროცესი. თუ გამოტოვებთ ინსტალაცია, UniGetUI შესაძლოა არ იმუშაოს გამართულად", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "ალტერნატიულად, თქვენ ასევე შეგიძლიათ დააყენოთ {0} Windows PowerShell-ში შემდეგი ბრძანების გაშვებით:", + "Do not show this dialog again for {0}": "არ მაჩვენო ეს დიალოგი {0}-მდე", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "მოიცადეთ სანამ {0} დაყენდება. შესაძლოა გამოჩნდეს შავი (ან ლურჯი) ფანჯარა. დაელოდეთ სანამ არ დაიხურება.", + "{0} has been installed successfully.": "{0} წარმატებით დაინსტალირდა", + "Please click on \"Continue\" to continue": "გთხოვთ დაწკაპოთ \"გაგრძელება\" რომ გაგრძელდეს", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} წარმატებით დაყენდა. რეკომენდებულია UniGetUI-ის ხელახლა გაშვება ინსტალაციის დასრულებისთვის", + "Restart later": "მოგვიანებით გადატვირთვა", + "An error occurred:": "დაფიქსირდა შეცდომა", + "I understand": "გასაგებია", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI გაშვებულია როგორც ადმინისტრატორი, რაც არ არის რეკომენდებული. UniGetUI-ის პრივილეგიებით გაშვებისას, UniGetUI-დან გაშვებული ყველა ოპერაციას ექნება ადმინისტრატორის პრივილეგიები. თქვენ კვლავ შეგიძლიათ გამოიყენოთ პროგრამა, მაგრამ ჩვენ გირჩევთ არ გაუშვათ UniGetUI ადმინისტრატორის პრივილეგიებით.", + "WinGet was repaired successfully": "WinGet წარმატებით შეკეთდა", + "It is recommended to restart UniGetUI after WinGet has been repaired": "რეკომენდებულია თავიდან გაუშვათ UniGetUI მას შემდეგ რაც შეკეთდა WinGet ", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "შენიშვნა: ეს პრობლემების გადამჭრელი შეგიძლიათ გამორთოთ UniGetUI-ის პარამეტრებიდან, WinGet სექციაში.", + "Restart": "გადატვირთვა", + "WinGet could not be repaired": "შეუძლებელია WinGet-ის შეკეთება", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "გაუთვალისწინებელი პრობლემა დაფიქსირდა WinGet-ის შეკეთებისას. გთხოვთ მოგვიანებით ცადეთ", + "Are you sure you want to delete all shortcuts?": "დარწმუნებული ხართ, რომ გინდათ წაშალოთ ყველა მალსახმობი?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ინსტალაციის ან განახლების ოპერაციის დროს შექმნილი ნებისმიერი ახალი მალსახმობი ავტომატურად წაიშლება, ნაცვლად იმისა, რომ პირველად აღმოჩენისას გამოჩნდეს დადასტურების მოთხოვნა.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI-ის გარეთ შექმნილი ან შეცვლილი მალსახმობი იგნორირებული იქნება. მათ დამატებას {0} ღილაკის საშუალებით შეძლებთ.", + "Are you really sure you want to enable this feature?": "დარწმუნებული ხართ, რომ გსურთ ამ ფუნქციის ჩართვა?", + "No new shortcuts were found during the scan.": "სკანირებისას არ იქნა ნაპოვნი ახალი მალსახმობები.", + "How to add packages to a bundle": "როგორ დავამატოთ პაკეტი კრებულში", + "In order to add packages to a bundle, you will need to: ": "იმისთვის, რომ დაამატოთ პაკეტები კრებულში საჭიროა:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. გადადით {0} ან {1} გვერდზე.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. მოძებნეთ პაკეტი(ები) რომლბეიც გინდათ დაამატოთ კრებულში, და მონიშნეთ მათ გასწვრი ყველაზე მარცხენა თოლია.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. როდესაც შეარჩევთ პაკეტებს, რომელთა დამატება გსურთ კრებულში, იპოვეთ და დააწკაპუნეთ ოფციაზე \"{0}\" ხელსაწყოთა პანელზე.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. თქვენი პაკეტები დაემატება კრებულს. შეგიძლიათ გააგრძელოთ პაკეტების დამატება, ან კრებულის ექსპორტი.", + "Which backup do you want to open?": "რომელი ბექაფის გახსნა გსურთ?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "შეარჩიეთ ბექაფი რომლის გახსნაც გსურთ. მოგივანებით თქვენ შეძლებთ განიხილოთ თუ რომელი პაკეტების/პროგრამების აღგენა გსურთ.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "მიმდინარეობს ოერაციები. UniGetUI-ის დახურვა მათ ჩაშლას გამოიწვევს. გსურთ გარძელება?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ან მისი ზოგიერთი კომპონენტი ვერ იქნა ნაპოვნი ან დაზიანებულია.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "ამ სიტუაციაში დიდწილად რეკომენდებულია UniGetUI-ის ხელახლა ინსტალაცია", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "ჩახედეთ UniGetUI-ის ჟურნალში, რომ გაიგოთ მეტი ინფორმაცია მონაწილე ფაილ(ებ)ის შესახებ.", + "Integrity checks can be disabled from the Experimental Settings": "ინტეგრულების შემოწმება შეგიძლიათ გამორთოთ ექსპერიმენტული პარამეტრებიდან", + "Repair UniGetUI": "UniGetUI-ის შეკეთება", + "Live output": "პირდაპირი გამოსავალი", + "Package not found": "პაკეტი არ არის ნაპოვნი", + "An error occurred when attempting to show the package with Id {0}": "შეცდომა დაფიქსირდა პაკეტის დათვალიერებისას, რომლის ID არის {0}", + "Package": "პაკეტი", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "პაკეტების ეს კრებული შეიცავს ზოგიერთ პარამეტრს, რომლებიც პოტენციურად საშიშია და შესაძლოა ინგორირებულ იქნას ნაგულისხმევად.", + "Entries that show in YELLOW will be IGNORED.": "ყვითლად მონიშნული ჩანაწერები იგნორირებული იქნება.", + "Entries that show in RED will be IMPORTED.": "წითლად მონიშნული ჩანაწერები იმპორტირებული იქნება.", + "You can change this behavior on UniGetUI security settings.": "თქვენ შეგიძლიათ ამის შეცვლა UniGetUI-ის უსაფრთხოების პარამეტრებში.", + "Open UniGetUI security settings": "UniGetUI-ის უსაფრთხოების პარამეტრების გახსნა", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "თუ უსაფრთხოების პარამეტრებს შეცვლით, ცვლილებების ძალაში შესასვლელად კრებულის ხელახლა გახსნა დაგჭირდებათ.", + "Details of the report:": "რეპორტის დეტალები:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ლოკალური პაკეტია და მისი გაზიარება შეუძლებელია", + "Are you sure you want to create a new package bundle? ": "დარწმუნებული ხართ, რომ გინდათ ახალი პაკეტების კრებულის შექმნა?", + "Any unsaved changes will be lost": "ნებისმიერი შეუნახავი ცვლილება დაიკარგება", + "Warning!": "გაფრთხილება!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "უსაფრთხოების მიზეზებიდან გამომდინარე მორგებული ბრძანების არგუმენტები ნაგულისხმევად გამორთულია. შესაცვლელად გადადით UniGetUI-ის უსაფრთხოების პარამეტრებზე.", + "Change default options": "ნაგულისხმევი პარამეტრების შეცვლა", + "Ignore future updates for this package": "ამ პაკეტის მომავალი განახლებებსი იგნორირება", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "უსაფრთხოების მიზეზებიდან გამომდინარე პოსტ ოპერაციული და პრე ოპერაციული სკრიპტები ნაგულისხმევად გამორთულია. შესაცვლელად გადადით UniGetUI-ის უსაფრთხოების პარამეტრებზე.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "თქვენ შეგიძლიათ განსაზღვროთ ბძანებები, რომლებიც გაეშვება პაკეტის ინსტალაციის განახლების და დეინსტალაციის დაწყებამდე ან შემდეგ. ბრძანებები ტერმინალში გაეშვება, ასე რომ შეგიძლიათ CMD სკრიპტების გამოყენებაც.", + "Change this and unlock": "შეცვალე ეს და განბლოკე", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} ინსტალაციის პარამეტრები ამჟამად დაბლოკილია იმიტომ, რომ {0} იყენებს ნაგულისმევ ინსტალაციის პარამეტრებს.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "შეარჩიეთ პროცესები, რომლებიც უნდა დაიხუროს მანამ სანამ ეს პაკეტი დაინსტალირდება, განახლდება ან დეინსტალირდება.", + "Write here the process names here, separated by commas (,)": "აქ შეიყვანეთ პროცესების სახელები, გამოყავით მძიმეებით (,)", + "Unset or unknown": "არ არის მითითებული ან უცნობია", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "გთხოვთ ნახლოთ ბრძანების ზოლის გამოსავალი ან ოპერაციების ისტორია პრობლემის შესახებ მეტი ინფორმაციის გასაგებად.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "ამ პაკეტს არ აქვს სქრინშოტები ან აკლია ხატულა? შეიტანეთ წვლილი UniGetUI-ში დაკარგული ხატულების და სქრინშოტების დამატებით ჩვენს ღია, საჯარო მონაცემთა ბაზაში.", + "Become a contributor": "გახდი მონაწილე", + "Save": "შენახვა", + "Update to {0} available": "ხელმისაწვდომია განახლება {0}-მდე", + "Reinstall": "ხელახალი ინსტალაცია", + "Installer not available": "ინსტალატორი არ არის ხელმისაწვდომი", + "Version:": "ვერსია:", + "Performing backup, please wait...": "ბექაფის შექმნა, გთხოვთ მოიცადოთ...", + "An error occurred while logging in: ": "შეცდომა შესვლისას:", + "Fetching available backups...": "ხელმისაწვდომი ბექაფების ჩამოტვირთვა...", + "Done!": "დასრულდა!", + "The cloud backup has been loaded successfully.": "ღრუბლოვანი ბექაფი წარმატებით ჩაიტვირთა.", + "An error occurred while loading a backup: ": "შეცდომა ბექაფის ჩატვირთვისას:", + "Backing up packages to GitHub Gist...": "პაკეტების ბექაფი GitHub Gist-ში...", + "Backup Successful": "წარმატებული ბექაფი", + "The cloud backup completed successfully.": "ღღუბლოვანი ბექაფი წარმატებით დასრულდა.", + "Could not back up packages to GitHub Gist: ": "ვერ შევნიახე პაკეტების ბეაფი GitHub Gist-ში: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "გარანტირებული არ არის, რომ მოწოდებული ანგარიშები უსაფრთხოდ შეინახება, ასე რომ თქვენ შეიძლება ასევე არ გამოიყენოთ თქვენი საბანკო ანგარიშის მონაცემები", + "Enable the automatic WinGet troubleshooter": "WinGet-ის ავტომატური შემკეთებლის ჩართვა", + "Enable an [experimental] improved WinGet troubleshooter": "ჩართე [ექსპერიმენტული] გაუმჯობესებული WinGet-ის შემკეთებელი", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "განახლებების რომლებიც ჩაიშალა 'შესაძლო განახლებები ვერ მოიძებნა' ინგორირებული განახლებების სიაში დამატება", + "Restart WingetUI to fully apply changes": "ცვლილებების სრულად ასახვისთვის UniGetUI-ის გადატვირთვა", + "Restart WingetUI": "UniGetUI-ის გადატვირთვა", + "Invalid selection": "არასწორი მონიშვნა", + "No package was selected": "არცერთი პაკეტი არ არის მონიშნული", + "More than 1 package was selected": "მონიშნულია 1-ზე მეტი პაკეტი", + "List": "სია", + "Grid": "ბადე", + "Icons": "ხატულები", "\"{0}\" is a local package and does not have available details": "\"{0}\" ლოკალური პაკეტია და არ აქვს ხელმისაწვდომი დეტალები", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ლოკლაური პაკეტია და არ არის თავსებადი ამ ფუნქციასთან", - "(Last checked: {0})": "(ბოლო შემოწმება: {0})", + "WinGet malfunction detected": "დაფიქსირდა WinGet-ის გაუმართაობა", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "როგორც ჩანს WinGet არ მუშაობს გამართულად. გსურთ სცადოთ WinGet-ის შეკეთება?", + "Repair WinGet": "WinGet-ის შეკეთება", + "Create .ps1 script": ".ps1 სკრიპტის შექმნა", + "Add packages to bundle": "პაკეტების კრებულში დამატება", + "Preparing packages, please wait...": "პაკეტების მომზადება, გთხოვთ მოიცადოთ...", + "Loading packages, please wait...": "პაკეტების ჩატვირთვა, გთხოვთ მოიცადოთ...", + "Saving packages, please wait...": "პაკეტების შენახვა, გთხოვთ მოიცადოთ...", + "The bundle was created successfully on {0}": "კრებული წარმატებით შეიქმნა {0}-ში", + "Install script": "ინსტალაციის სკრიპტი", + "The installation script saved to {0}": "ინსტალაციის სკრიპტი შენახულია აქ: {0}", + "An error occurred while attempting to create an installation script:": "შეცდომა დაფიქსირდა ინსტალაციის სკრიპტის შექმნის მცდელობისას:", + "{0} packages are being updated": "მიმდინარეობს {0} პაკეტის განახლება", + "Error": "შეცდომა", + "Log in failed: ": "შესვლა ჩაიშალა:", + "Log out failed: ": "გამოსვლა ჩაიშალა:", + "Package backup settings": "პაკეტის ბექაფის პარამეტრები", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "რიგის ნომერი: {0}", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@marticliment, @ppvnf", "0 packages found": "ნაპოვნია 0 პაკეტი", "0 updates found": "ნაპოვნია 0 განახლება", - "1 - Errors": "1 - შეცდომა", - "1 day": "1 დღე", - "1 hour": "1 საათი", "1 month": "1 თვე", "1 package was found": "ნაპოვნია 1 პაკეტი", - "1 update is available": "ხელმისაწვდომია 1 განახლება", - "1 week": "1 კვირა", "1 year": "1 წელი", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. გადადით {0} ან {1} გვერდზე.", - "2 - Warnings": "2 - გაფრთხილება", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. მოძებნეთ პაკეტი(ები) რომლბეიც გინდათ დაამატოთ კრებულში, და მონიშნეთ მათ გასწვრი ყველაზე მარცხენა თოლია.", - "3 - Information (less)": "3 - ინფორმაცია (ნაკლები)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. როდესაც შეარჩევთ პაკეტებს, რომელთა დამატება გსურთ კრებულში, იპოვეთ და დააწკაპუნეთ ოფციაზე \"{0}\" ხელსაწყოთა პანელზე.", - "4 - Information (more)": "4 - ინფორმაცია (მეტი)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. თქვენი პაკეტები დაემატება კრებულს. შეგიძლიათ გააგრძელოთ პაკეტების დამატება, ან კრებულის ექსპორტი.", - "5 - information (debug)": "5 - ინფორმაცია (დებაგი)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "პოპულარული C/C++ ბიბლიოთეკების მმართველი. სავსეა C/C++ ბიბლიოთეკებით და სხვა მასთან დაკავშირებული უტილიტებით.
შეიცავს: C/C++ ბიბლიოთეკებს და შესაბამის უტილიტებს", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "რეპოზიტორია სავსე ინსტრუმენტბითა და გამშვები ფაილებით Microsoft .NET ეკოსისტემისთვის.
შეიცავს: .NET-თან დაკავშირებულ ინსტრუმენტებსა და სკრიპტებს", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "ინსტრუმენტებით სავსე რეპოზიტორია, რომელიც შექმნილია Microsoft-ის .NET ეკოსისტემის გათვალისწინებით.
შეიცავს: .NET-თან ასოცირებულ ინსტრუმენტებს", "A restart is required": "საჭიროა გადატვირთვა", - "Abort install if pre-install command fails": "ინსტალაციის შეწყვეტა პრე-ინსტალაციის ბრძანების ჩაშლისას", - "Abort uninstall if pre-uninstall command fails": "დეინსტალაციის შეწყვეტა პრე-დეინსტალაციის ბრძანების ჩაშლისას", - "Abort update if pre-update command fails": "განახლების შეწყვეტა პრე-განახლების ბრძანების ჩაშლისას", - "About": "შესახებ", "About Qt6": "Qt6-ის შესახებ", - "About WingetUI": "UniGetUI-ის შესახებ", "About WingetUI version {0}": "UniGetUI-ის {0} ვერსიის შესახებ", "About the dev": "დეველოპერის შესახებ", - "Accept": "მიღება", "Action when double-clicking packages, hide successful installations": "მოქმედება პაკეტებზე ორჯერ დაწკაპუნებით, წარმატებული ინსტალაციების დამალვა", - "Add": "დამატება", "Add a source to {0}": "{0}-ში წყაროს დამატება", - "Add a timestamp to the backup file names": "ბექაფის ფაილების სახელებზე დროის ანაბეჭდის დამატება", "Add a timestamp to the backup files": "ბექაფის ფაილების სახელებზე დროის ანაბეჭდის დამატება", "Add packages or open an existing bundle": "დაამატეთ პაკეტები ან გახსენით არსებული კრებული", - "Add packages or open an existing package bundle": "დაამატეთ პაკეტები ან გახსენით არსებული პაკეტების კრებული", - "Add packages to bundle": "პაკეტების კრებულში დამატება", - "Add packages to start": "დაამატეთ პაკეტები დასაწყებად", - "Add selection to bundle": "მონიშვნის კრებულში დამატება", - "Add source": "წყაროს დამატება", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "განახლებების რომლებიც ჩაიშალა 'შესაძლო განახლებები ვერ მოიძებნა' ინგორირებული განახლებების სიაში დამატება", - "Adding source {source}": "{source} წყაროს დამატება", - "Adding source {source} to {manager}": "{source} წყაროს დამატება {manager}-ში", "Addition succeeded": "წარმატებით დაემატა", - "Administrator privileges": "ადმინისტრატორის პრივილეგიები", "Administrator privileges preferences": "ადმინისტრატორის პრივილეგიების პარამეტრები", "Administrator rights": "ადმინისტრატორის უფლებები", - "Administrator rights and other dangerous settings": "ადმინისტრატორის უფლებები და სხვა საშიში პარამეტრები", - "Advanced options": "გაფართოებული ოფციები", "All files": "ყველა ფაილი", - "All versions": "ყველა ვერსია", - "Allow changing the paths for package manager executables": "პაკეტების მმართველების გამშვებ ფაილების მისმართების ცვლილების დაშვება", - "Allow custom command-line arguments": "მორგებული ბრძანების ზოლის არგუმენტების დაშვება", - "Allow importing custom command-line arguments when importing packages from a bundle": "მორგებული ბრძანების ზოლის არგუმენტების იმპორტირების დაშვება პაკეტების კრებულიდან იმპორტისას", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "მორგებული პრეინსტალაციის და პოსტ ინსტალაციის ბრძანებების იმპორტირების დაშვება პაკეტების კრებულიდან იმპორტისას", "Allow package operations to be performed in parallel": "პაკეტებზე პარალელური ოპერაციების შესრულების დაშვება", "Allow parallel installs (NOT RECOMMENDED)": "პარალელური ინსტალაციების დაშვება (არ არის რეკომენდებული)", - "Allow pre-release versions": "პრერელიზ ვერსიების დაშვება", "Allow {pm} operations to be performed in parallel": "{pm} ოპერაციების პარალელურად შესრულების დაშვება", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "ალტერნატიულად, თქვენ ასევე შეგიძლიათ დააყენოთ {0} Windows PowerShell-ში შემდეგი ბრძანების გაშვებით:", "Always elevate {pm} installations by default": "ყოველთვის ელევაცია {pm} ინსტალაციებისას ნაგულისხმევად", "Always run {pm} operations with administrator rights": "{pm}-ის ოპერაციების ყოველთვის ადმინისტრატორის უფლებით გაშვება", - "An error occurred": "დაფიქსირდა შეცდომა", - "An error occurred when adding the source: ": "დაფიქსირდა შეცდომა წყაროს დამატებისას:", - "An error occurred when attempting to show the package with Id {0}": "შეცდომა დაფიქსირდა პაკეტის დათვალიერებისას, რომლის ID არის {0}", - "An error occurred when checking for updates: ": "შეცდომა დაფიქსირდა განახლებების შემოწმებისას:", - "An error occurred while attempting to create an installation script:": "შეცდომა დაფიქსირდა ინსტალაციის სკრიპტის შექმნის მცდელობისას:", - "An error occurred while loading a backup: ": "შეცდომა ბექაფის ჩატვირთვისას:", - "An error occurred while logging in: ": "შეცდომა შესვლისას:", - "An error occurred while processing this package": "შეცდომა დაფიქსირდა ამ პაკეტის დამუშავებისას", - "An error occurred:": "დაფიქსირდა შეცდომა", - "An interal error occurred. Please view the log for further details.": "დაფიქსირდა შიდა შეცდომა. დამატებითი დეტალებისთვის გთხოვთ ნახოთ ჟურნალი.", "An unexpected error occurred:": "დაფიქსირდა მოულოდნელი შეცდომა:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "გაუთვალისწინებელი პრობლემა დაფიქსირდა WinGet-ის შეკეთებისას. გთხოვთ მოგვიანებით ცადეთ", - "An update was found!": "ნაპოვნია განახლება!", - "Android Subsystem": "Android ქვესისტემა", "Another source": "სხვა წყარო", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ინსტალაციის ან განახლების ოპერაციის დროს შექმნილი ნებისმიერი ახალი მალსახმობი ავტომატურად წაიშლება, ნაცვლად იმისა, რომ პირველად აღმოჩენისას გამოჩნდეს დადასტურების მოთხოვნა.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI-ის გარეთ შექმნილი ან შეცვლილი მალსახმობი იგნორირებული იქნება. მათ დამატებას {0} ღილაკის საშუალებით შეძლებთ.", - "Any unsaved changes will be lost": "ნებისმიერი შეუნახავი ცვლილება დაიკარგება", "App Name": "აპის სახელი", - "Appearance": "იერსახე", - "Application theme, startup page, package icons, clear successful installs automatically": "აპლიკაციის თემა, სასტარტო გვერდი, პაკეტების ხატულები, წარმატებული ინსტალაციების ავტომატურად წაშლა", - "Application theme:": "აპლიკაციის თემა:", - "Apply": "გამოყენება", - "Architecture to install:": "დასაინსტალირებელი არქიტექტურა:", "Are these screenshots wron or blurry?": "ეს სქრონშოტები არასწორი ან გადღაბნილია?", - "Are you really sure you want to enable this feature?": "დარწმუნებული ხართ, რომ გსურთ ამ ფუნქციის ჩართვა?", - "Are you sure you want to create a new package bundle? ": "დარწმუნებული ხართ, რომ გინდათ ახალი პაკეტების კრებულის შექმნა?", - "Are you sure you want to delete all shortcuts?": "დარწმუნებული ხართ, რომ გინდათ წაშალოთ ყველა მალსახმობი?", - "Are you sure?": "დარწმუნებული ხართ?", - "Ascendant": "ასცენდენტი", - "Ask for administrator privileges once for each batch of operations": "ადმინისტრატორის პრივილეგიების მოთხოვნა მხოლოდ ერჯერადად ოპერაციების ჯგუფის გაშვებისას", "Ask for administrator rights when required": "ადმინისტრატორის უფლებების მოთხოვნა როცა საჭიროა", "Ask once or always for administrator rights, elevate installations by default": "ადმინისტრატორის უფლებების ერთხელ ან ყოველთვის მოთხოვნა, ინსტალაციების პროვილეგიებით გაშვება ნაგულისხმევად", - "Ask only once for administrator privileges": "ადმინისტრატორის უფლებების მხოლოდ ერთხელ მოთხოვნა", "Ask only once for administrator privileges (not recommended)": "ადმინისტრატორის უფლებების მხოლოდ ერთხელ მოთხოვნა (არ არის რეკომენდებული)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "სამუშაო მაგიდის მალსახმობების წაშლის მოთხოვნა ინსტალაციის ან განახლებისას", - "Attention required": "საჭიროა ყურადღება", "Authenticate to the proxy with an user and a password": "პროქსისთან აუთენტიფიკაცია მომხმარებლით და პაროლით", - "Author": "ავტორი", - "Automatic desktop shortcut remover": "ავტომატური სამუშაო მაგიდის მალსახმობების წამშლელი", - "Automatic updates": "ავტომატური განახლებები", - "Automatically save a list of all your installed packages to easily restore them.": "დაყენებული პაკეტების სიის ავტომატურად შენახვა მათი მარტივი აღდგენისათვის.", "Automatically save a list of your installed packages on your computer.": "დაყენებული პროგრამების სიის შენახვა თქვენს კომპიუტერზე.", - "Automatically update this package": "ამ პაკეტის ავტომატური განახლება", "Autostart WingetUI in the notifications area": "UniGetUI-ს ავტომატური გაშვება შეტყობინებების პანელში", - "Available Updates": "ხელმისაწვდომი განახლებები", "Available updates: {0}": "ხელმისაწვდომი განახლებები: {0}", "Available updates: {0}, not finished yet...": "ხელმისაწვდომი განახლებებ: {0}, ჯერ არ დასრულებულა...", - "Backing up packages to GitHub Gist...": "პაკეტების ბექაფი GitHub Gist-ში...", - "Backup": "ბექაფი", - "Backup Failed": "ბექაფი ჩაიშალა", - "Backup Successful": "წარმატებული ბექაფი", - "Backup and Restore": "ბექაფი და აღდგენა", "Backup installed packages": "დაყენებული პაკეტების ბექაფი", "Backup location": "ბექაფბის ლოკაცია", - "Become a contributor": "გახდი მონაწილე", - "Become a translator": "გახდი მთარგმნელი", - "Begin the process to select a cloud backup and review which packages to restore": "ღღუბლოვანი ბექაფის შერჩევის პროცესის დაწყება და აღსადგენი პაკეტების მიმოხილვა", - "Beta features and other options that shouldn't be touched": "ბეტა ფუნქციონალი და სხვა პარამეტრები, რომლებსაც ხელი არ უნდა ახლოთ", - "Both": "ორივე", - "Bundle security report": "კრებულის უსაფრთხოების რეპორტი", "But here are other things you can do to learn about WingetUI even more:": "მაგრამ აქ არის რაღაცეები, რისი გაკეთებაც შეგიძლიათ UniGetUI-ის შესახებ მეტის გაგებისთვის:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "პაეკტების მენეჯერის გამორთვის შემდეგ თქვენ ვერ ნახავთ მისი პაკეტების განახლებებს.", "Cache administrator rights and elevate installers by default": "ადმინისტრატორის უფლებების ქეშირება და ინსტალატორების პრივილეგიებით გაშვება ნაგულისხმევად", "Cache administrator rights, but elevate installers only when required": "ადმინისტრატორის უფლებების ქეშირება, მაგრამ ინსტალატორების პროვილეგიებით გაშვება მხოლოდ საჭიროების შემთხვევაში", "Cache was reset successfully!": "ქეში წარმატებით დარესეტდა!", "Can't {0} {1}": "ვერ მოხერხდა {0}{1}", - "Cancel": "გაუქმება", "Cancel all operations": "ყველა ოპერაციის გაუქმება", - "Change backup output directory": "ბექაფის დირექტორიის შეცვლა", - "Change default options": "ნაგულისხმევი პარამეტრების შეცვლა", - "Change how UniGetUI checks and installs available updates for your packages": "შეცვალე თუ როგორ ამოწმებს და აყენებს UniGetUI ხელმისაწვდომ განახლებებს თქვენი პაკეტებისთვის", - "Change how UniGetUI handles install, update and uninstall operations.": "შეცვალეთ თუ როგორ შეასრულებს UniGetUI ინსტალაციის, განახლების და დეინსტალაციის ოპერაციებს.", "Change how UniGetUI installs packages, and checks and installs available updates": "შეცვალე თუ როგორ ამოწმებს და აყენებს UniGetUI ხელმისაწვდომ განახლებებს თქვენი პაკეტებისთვის", - "Change how operations request administrator rights": "შეცვალეთ, თუ როგორ ითხოვენ ოპერაციები ადმინისტრატორის უფლებებს", "Change install location": "ინსტალაციის ლოკაციის შეცვლა", - "Change this": "შეცვალე ეს", - "Change this and unlock": "შეცვალე ეს და განბლოკე", - "Check for package updates periodically": "პაკეტის განახლების პერიოდული შემოწმება", - "Check for updates": "განახლებების შემოწმება", - "Check for updates every:": "განახლებების შემოწმება ყოველ:", "Check for updates periodically": "განახლებების პერიოდული შემოწმება", "Check for updates regularly, and ask me what to do when updates are found.": "განახლებების რეგულარული შემოწმება და შემდეგ შემეკითხე რა ვქნა, როცა განახლებას ვიპოვი.", "Check for updates regularly, and automatically install available ones.": "განახლებების რეგულარული შემოწმება და ხელმისაწვდომი განახლებების ავტომატური ინსტალაცია.", @@ -159,805 +741,283 @@ "Checking for updates...": "განახლებების შემოწმება...", "Checking found instace(s)...": "ნაპოვნი ინსტაციის(ების) შემოწმება...", "Choose how many operations shouls be performed in parallel": "აირჩიე რამდენი ოპერაცია უნდა შესრულდეს პარალელურად", - "Clear cache": "ქეშის გაწმენდა", "Clear finished operations": "დასრულებული ოპერაციების გასუფთავება", - "Clear selection": "მონიშვნის გაწმენდა", "Clear successful operations": "წარმატებული ოპერაციების გაწმენდა", - "Clear successful operations from the operation list after a 5 second delay": "წარმატებული ოპერაციების სიიდან ამოღება 5 წამიანი დაყოვნების შემდეგ", "Clear the local icon cache": "ლოკალური ხატულების ქეშის გაწმენდა", - "Clearing Scoop cache - WingetUI": "Scoop-ის ქეშის გაწმენდა - UniGetUI", "Clearing Scoop cache...": "Scoop-ის ქეშის გაწმენდა", - "Click here for more details": "დაწკაპეთ აქ მეტი დეტალისთვის", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "დაწკაპეთ ინსტალაციაზე, რომ დაიწყოს ინსტალაციის პროცესი. თუ გამოტოვებთ ინსტალაცია, UniGetUI შესაძლოა არ იმუშაოს გამართულად", - "Close": "დახურვა", - "Close UniGetUI to the system tray": "UniGetUI-ის სისტემურ პანელში ჩახურვა", "Close WingetUI to the notification area": "UniGetUI-ის შეტყობინებების არეში ჩახურვა", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "ღღუბლოვანი ბექაფი იყენებს პრივატულ GitHub Gist-ს, რომ შეინახოს დაყენებული პაკეტების სია", - "Cloud package backup": "პაკეტების ღრუბლოვანი ბექაფი", "Command-line Output": "ბრძანების-ზოლის გამოსავალი", - "Command-line to run:": "ბრძანების ზოლში გაეშვება:", "Compare query against": "მოთხოვნის შემოწმება წინააღმდეგ", - "Compatible with authentication": "თავსებადია აუთენტიფიკაციასთან", - "Compatible with proxy": "თავსებადია პროქსისთან", "Component Information": "კომპონენტის ინფორმაცია", - "Concurrency and execution": "კონკურენცია და გაშვება", - "Connect the internet using a custom proxy": "ინტერნეტთან მორგებული პროქსით პასუხი", - "Continue": "გაგრძელება", "Contribute to the icon and screenshot repository": "ხატულებისა და სქრონშოტების რეპოზიტორიაში დამატება", - "Contributors": "კონტრიბუტორები", "Copy": "კოპირება", - "Copy to clipboard": "გაცვლის ბუფერში კოპირება", - "Could not add source": "წყარო ვერ დაემატა", - "Could not add source {source} to {manager}": "წყარო {source} ვერ დაემატა {manager}-ში", - "Could not back up packages to GitHub Gist: ": "ვერ შევნიახე პაკეტების ბეაფი GitHub Gist-ში: ", - "Could not create bundle": "კრებული ვერ შეიქმნა", "Could not load announcements - ": "ვერ მოხერხდა ანონსების ჩატვირთვა -", "Could not load announcements - HTTP status code is $CODE": "ვერ მოხერხდა ანონსების ჩატვირთვა - HTTP სტატუსის კოდია $CODE", - "Could not remove source": "წყარო ვერ წაიშალა", - "Could not remove source {source} from {manager}": "ვერ წაიშალა {source} წყარო {manager}-დან", "Could not remove {source} from {manager}": "ვერ წაიშალა {source} წყარო {manager}-დან", - "Create .ps1 script": ".ps1 სკრიპტის შექმნა", - "Credentials": "ანგარიშის მონაცემები", "Current Version": "მიმდინარე ვერსია", - "Current executable file:": "მიმდინარე გამშვები ფაილი:", - "Current status: Not logged in": "მიმდინარე სტატუსი: არ არის შესული", "Current user": "მიმდინარე მომხმარებელი", "Custom arguments:": "მორგებული არგუმენტები", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "მორგებულ ბრძანების არგუმენტებს შეუძლია შეცვალოს პროცესი რომლითაც პროგრამები ინსტალირდება, ახლდება ან დეინსტალირდება ისე, რომ UniGetUI ვერ შეძლებს მის კონტროლ. მორგებულ ბრძანების არგუმენტებს შეუძლია პაკეტების დაზიანება. გამოიყენეთ სიფრთხილის ზომების დაცვით.", "Custom command-line arguments:": "მორგებული ბრძანების-ზოლის არგუმენტები:", - "Custom install arguments:": "მორგებული ინსტალაციის არგუმენტები:", - "Custom uninstall arguments:": "მორგებული დეინსტალაციის არგუმენტები:", - "Custom update arguments:": "მორგებული განახლების არგუმენტები:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI-ის მორგება - მხოლოდ ჰაკერებისთვის და გამოცდილი მომხმარებლებისთვის", - "DEBUG BUILD": "დებაგ ანაწყობი", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "პასუხისმგებლობის უარყოფა: ჩვენ არ ვართ პასუხისმგებელი ჩამოტვირთულ პაკეტებზე. გთხოვთ დააყენოთ მხოლოდ სანდო პროგრამები.", - "Dark": "მუქი", - "Decline": "უარყოფა", - "Default": "ნაგულისხმევი", - "Default installation options for {0} packages": "ნაგულისმევი ინსტალაციის პარამერები {0} პაკეტებისთვის", "Default preferences - suitable for regular users": "ნაგულისხმევი პარამეტრები - მორგებულია ჩვეულებრივ მომხმარებლებზე", - "Default vcpkg triplet": "vcpkg-ის ნაგულისხმევი ტრიპლეტი", - "Delete?": "წაიშალოს?", - "Dependencies:": "დამოკიდებულებები:", - "Descendant": "დესცენდენტი", "Description:": "აღწერა", - "Desktop shortcut created": "შეიქმნა მალსახმობი სამუშაო მაგიდაზე", - "Details of the report:": "რეპორტის დეტალები:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "პროგრამირება შრომატევადია, და ეს აპლიკაცია უფასოა. მაგრამ თუ შენ მოგწონს ყოველთვის შეგიძლია მიყიდო ყავა :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "პირდაპირ დაყენება პაკეტზე \"{discoveryTab}\"-ში ორჯერ დაწკაპებით (ნაცვლად პაკეტის ინფოს ჩვენებისა)", "Disable new share API (port 7058)": "გამორთეთ ახალი გაზიარების API (პორტი 7058)", - "Disable the 1-minute timeout for package-related operations": "ოპერაციებისთვის 1 წუთიანი პაკეტებთან დაკავშირებული ვადის გამორთვა", - "Disabled": "გამორთული", - "Disclaimer": "პასუხისმგებლობის უარყოფა", - "Discover Packages": "აღმოაჩინეთ პაკეტები", "Discover packages": "აღმოაჩინეთ პაკეტები", "Distinguish between\nuppercase and lowercase": "გაარჩიე მაღალი და დაბალი რეგისტრი", - "Distinguish between uppercase and lowercase": "განასხვავე დიდსა და პატარა რეგისტრს შორის", "Do NOT check for updates": "არ შემოწმდეს განახლებები", "Do an interactive install for the selected packages": "ინტერაქტიული ინსტალაციის შესრულება არჩეული პაკეტებისთვის\n", "Do an interactive uninstall for the selected packages": "ინტერაქტიული დეინსტალაციის შესრულება არჩეული პაკეტებისთვის\n", "Do an interactive update for the selected packages": "ინტერაქტიული განახლების შესრულება არჩეული პაკეტებისთვის\n", - "Do not automatically install updates when the battery saver is on": "არ დაყენდეს განახლებები ავვტომატურად აკუმლატორის დაზოგვის რეჟიმში ", - "Do not automatically install updates when the device runs on battery": "არ დააყენო განახლებები ავტომატურად, როცა მოწყობილობა ბატარეაზე მუშაობს", - "Do not automatically install updates when the network connection is metered": "არ დაყენდეს ავტომატური განახლებები, როცა ქსელთან კავშირი ლიმიტირებულია (დეპოზიტი)", "Do not download new app translations from GitHub automatically": "არ ჩამოიტვირთოს აპების ახალი თარგმანები GitHub-დან ავტომატურად", - "Do not ignore updates for this package anymore": "არ დაიგნორდეს განახლებები ამ პაკეტისთვის მომავალში", "Do not remove successful operations from the list automatically": "არ წაშალო წარმატებული ოპერაციები ამ სიიდან ავტომატურად ", - "Do not show this dialog again for {0}": "არ მაჩვენო ეს დიალოგი {0}-მდე", "Do not update package indexes on launch": "არ განაახლო პაკეტების ინდექსები გაშვებისას", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "ეთანხმებით თუ არა, რომ UniGetUI აგროვებს და აგზავნის გამოყენების ანონიმურ სტატისტიკას, მხოლოდ მომხმარებლის გამოცდილების გაგებისა და გაუმჯობესების მიზნით?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "თქვენთვის სასარგებლოა UniGetUI? შესაძლოა მოგინდეთ მხარი დაუჭიროთ ჩემს სამუშაოს, ამით მე შევძლებ გავაგრძელო UniGetUI-ის განვითარება პაკეტების მართვის საუკეთესო ინტერფეისად.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "თქვენთვის სასარგებლოა UniGetUI? გსურთ მხარი დაუჭიროთ დეველოპერს? თუ ასეა შეგიძლიათ {0}, ეს ძალიან სასარგებლოა!", - "Do you really want to reset this list? This action cannot be reverted.": "რეალურად გსურთ ამ სიის დარესეტება? ეს მოქმედება უკან არ ბრუნდება.", - "Do you really want to uninstall the following {0} packages?": "ნამდვილად გსურთ წაშალოთ შემდეგი პაკეტები {0} ?", "Do you really want to uninstall {0} packages?": "ნამდვილად გსურთ წაშალოთ პაკეტები {0}", - "Do you really want to uninstall {0}?": "ნამდვილად გსურთ წაშალოთ {0}?", "Do you want to restart your computer now?": "ნამდვილად გსურთ თქვენი კომპიუტერის ახლა გადატვირთვა?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "გსურთ თარგმნოთ UniGetUI თქვენს ენაზე? ნახეთ როგორ შეგიძლიათ დაგვეხმაროთ აქ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "არ გსურს შემოწირულობა? არ ინერვიულოთ, თქვენ ყოველთვის შეგიძლიათ UniGetUI გაუზიაროთ თქვენს მეგობრებს. გაავრცელეთ ინფორმაცია UniGetUI-ის შესახებ.", "Donate": "დონაცია", - "Done!": "დასრულდა!", - "Download failed": "ჩამოტვირთვა ჩაიშალა", - "Download installer": "ინსტალატორის ჩამოტვირთვა", - "Download operations are not affected by this setting": "ეს პარამეტრი არ მოქმედებს ჩამოტვირთვის ოპერაციებზე", - "Download selected installers": "შერჩეული ინსტალატორების ჩამოტვირთვა", - "Download succeeded": "წარმატებით ჩამოიტვირთა", "Download updated language files from GitHub automatically": "ჩამოტვირთე განახლებული ენის ფაილები GitHub-დან ავტომატურად", - "Downloading": "ჩამოტვირთვა", - "Downloading backup...": "ბექაფის ჩამოტვირთვა...", - "Downloading installer for {package}": "{package}-ის ინსტალატორის ჩამოტვირთვა", - "Downloading package metadata...": "პაკეტის მეტამონაცემების ჩამოტვირთვა...", - "Enable Scoop cleanup on launch": "Scoop-ის გასუფთავების ჩართვა გაშვებისას", - "Enable WingetUI notifications": "UniGetUI-ის შეტყობინებების ჩართვა", - "Enable an [experimental] improved WinGet troubleshooter": "ჩართე [ექსპერიმენტული] გაუმჯობესებული WinGet-ის შემკეთებელი", - "Enable and disable package managers, change default install options, etc.": "პაკეტების მმართველების ჩართვა და გამორთვა, ნაგილისხმევი ინსტალაციის პარამეტრების შეცვლა და ა. შ.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "CPU-ს ფონური მოხმარების ოპტიმიზაციის ჩართვა (იხილეთ Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "ფონური API-ის ჩართვა (UniGetUI-ის ვიჯეტები და გაზიარება, პორტი 7058)", - "Enable it to install packages from {pm}.": "პაკეტების {pm}-დან ინსტალაციის ჩართვა.", - "Enable the automatic WinGet troubleshooter": "WinGet-ის ავტომატური შემკეთებლის ჩართვა", - "Enable the new UniGetUI-Branded UAC Elevator": "ახალი UniGetUI ბრენდინგის მქონე UAC პროვილეგიების მომთხოვნის ჩართვა", - "Enable the new process input handler (StdIn automated closer)": "ახალი პროცესის შეტანის ჰენდლერის ჩართვა (StdIn-ის ავტომატური დამხურავი)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "ჩართეთ ქვემოთ მოცემული პარამეტრები მხოლოდ იმ შემთხვევაში, თუ სრულად გესმით მათი მოქმედების პრინციპი, ასევე მათი შესაძლო შედეგები და საფრთხეები.", - "Enable {pm}": "ჩართვა {pm}", - "Enabled": "ჩართული", - "Enter proxy URL here": "შეიყვანეთ პროქსის URL აქ", - "Entries that show in RED will be IMPORTED.": "წითლად მონიშნული ჩანაწერები იმპორტირებული იქნება.", - "Entries that show in YELLOW will be IGNORED.": "ყვითლად მონიშნული ჩანაწერები იგნორირებული იქნება.", - "Error": "შეცდომა", - "Everything is up to date": "ყველაფერი განახლებულია", - "Exact match": "ზუსტი თანხვედრა", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "მოხდება სამუშაო მაგიდაზე არსებული მალსახმობების სკანირება და თქვენ დაგჭირდებათ შერჩევა თუ რომელი დატოვოთ და რომელი წაშალოთ.", - "Expand version": "ვერსიის გაშლა", - "Experimental settings and developer options": "ექსპერიმენტული პარამეტრები და დეველოპერის ოფციები", - "Export": "ექსპორტი", + "Downloading": "ჩამოტვირთვა", + "Downloading installer for {package}": "{package}-ის ინსტალატორის ჩამოტვირთვა", + "Downloading package metadata...": "პაკეტის მეტამონაცემების ჩამოტვირთვა...", + "Enable the new UniGetUI-Branded UAC Elevator": "ახალი UniGetUI ბრენდინგის მქონე UAC პროვილეგიების მომთხოვნის ჩართვა", + "Enable the new process input handler (StdIn automated closer)": "ახალი პროცესის შეტანის ჰენდლერის ჩართვა (StdIn-ის ავტომატური დამხურავი)", "Export log as a file": "ფაილის სახით ექსპორტი", "Export packages": "პაკეტების ექსპორტი", "Export selected packages to a file": "შერჩეული პაკეტების ფაილად ექსპორტი", - "Export settings to a local file": "პარამეტრების ლოკალურ ფაილში ექსპორტი", - "Export to a file": "ფაილში ექსპორტი", - "Failed": "ჩაიშალა", - "Fetching available backups...": "ხელმისაწვდომი ბექაფების ჩამოტვირთვა...", "Fetching latest announcements, please wait...": "უახლესი ანონსების ჩამოტვირთვა, გთხოვთ დაიცადოთ...", - "Filters": "ფილტრები", "Finish": "დასრულება", - "Follow system color scheme": "სისტემური ფერთა სქემის მიდევნება", - "Follow the default options when installing, upgrading or uninstalling this package": "მიყვეით ანგულისხმევ პარამეტრებს ამ პაკეტის ინსტალაციისას, განახლებისას ან დეინსტალაციისას", - "For security reasons, changing the executable file is disabled by default": "უსაფრთხოების მიზეზებიდან გამომდინარე გამშვები ფაილის შეცვლა ნაგულისხმევად გამორთულია", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "უსაფრთხოების მიზეზებიდან გამომდინარე მორგებული ბრძანების არგუმენტები ნაგულისხმევად გამორთულია. შესაცვლელად გადადით UniGetUI-ის უსაფრთხოების პარამეტრებზე.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "უსაფრთხოების მიზეზებიდან გამომდინარე პოსტ ოპერაციული და პრე ოპერაციული სკრიპტები ნაგულისხმევად გამორთულია. შესაცვლელად გადადით UniGetUI-ის უსაფრთხოების პარამეტრებზე.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM-ისთვის დაკომპილირებული winget-ის ვერსიის ფორსირებულად გამოყენება (მხოლოდ ARM64 სისტემებისთვის)", - "Force install location parameter when updating packages with custom locations": "მორგებული მდებარეობის მქონე პაკეტების განახლებისას ინსტალაციის მდებარეობის პარამეტრის იძულებით გამოყენება", "Formerly known as WingetUI": "ადრე ცნობილი როგორც WingetUI", "Found": "ნაპოვნია", "Found packages: ": "ნაპოვნია პაკეტები:", "Found packages: {0}": "ნაპოვნია პაკეტები: {0}", "Found packages: {0}, not finished yet...": "ნაპოვნია პაკეტები: {0}, ჯერ არ დასრულებულა...", - "General preferences": "ზოგადი პარამეტრები", "GitHub profile": "GitHub პროფილი", "Global": "გლობალური", - "Go to UniGetUI security settings": "UniGetUI-ის უსაფრთხოების პარამეტრებზე გადასვლა", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "მშვენიერი რეპოზიტორია უცნობი მაგრამ სასარგებლო უტილიტებითა და სხვა საინტერესო პაკეტებით.
შეიცავს: უტილიტებს, ბრძანების ზოლის პროგრამებს, ზოგად პროგრამებს (საჭიროა extras კრებული)", - "Great! You are on the latest version.": "მშვენიერი! თქვენ უახლეს ვერსიაზე ხართ.", - "Grid": "ბადე", - "Help": "დახმარება", "Help and documentation": "დახმარება და დოკუმენტაცია", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "აქ შეგიძლიათ შეცვალოთ UniGetUI-ის ქცევა შემდეგ მალსახმობებთან მიმართებაში. მალსახმობის მონიშვნით UniGetUI წაშლის მათ იმ შემთხვევაში თუ მომავალი განახლებისას შეიქმნებიან. მონიშვნის მოხსნა დატოვებს მალსახმობს ხელუხლებლად.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "გამარჯობა, ჩემი სახელია მარტი და მე ვარ UniGetUI-ის დეველოპერი. UniGetUI სრულად შექმნილია ჩემი თავისუფალი დროის ხარჯზე!", "Hide details": "დეტალების დამალვა", - "Homepage": "სათაო გვერდი", - "Hooray! No updates were found.": "ვაშა! განახლებები არ არის ნაპოვნი.", "How should installations that require administrator privileges be treated?": "როგორ უნდა განიხილებოდეს ინსტალაციები, რომლებიც საჭიროებენ ადმინისტრატორის პრივილეგიებს?", - "How to add packages to a bundle": "როგორ დავამატოთ პაკეტი კრებულში", - "I understand": "გასაგებია", - "Icons": "ხატულები", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "თუ გაქვთ ღრუბლოვანი ბექაფი ჩართული ის შეინახება GitHub Gist-ის სახით ამ ანგარიშზე", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "მორგებული პრეინსტალაციისა და პოსტინსტალაციის ბრძანებების გაშვების დაშვება", - "Ignore future updates for this package": "ამ პაკეტის მომავალი განახლებებსი იგნორირება", - "Ignore packages from {pm} when showing a notification about updates": "პაკეტების განახლებების იგნორირება შეტყობინებებში {pm} რეპოზიტორიიდან", - "Ignore selected packages": "მონიშნული პაკეტების იგნორირება", - "Ignore special characters": "სპეციალური სიმბოლოების იგნორირება", "Ignore updates for the selected packages": "განახლებების იგნორირება შერჩეული პაკეტებისთვის", - "Ignore updates for this package": "ამ პაკეტის განახლებების იგნორირება", "Ignored updates": "იგნორირებული განახლებები", - "Ignored version": "იგნორირებული ვერსია", - "Import": "იმპორტი", "Import packages": "პაკეტების იმპორტი", "Import packages from a file": "პაკეტების ფაილიდან იმპორტი", - "Import settings from a local file": "პარამეტრების ლოკალური ფაილიდან იმპორტი", - "In order to add packages to a bundle, you will need to: ": "იმისთვის, რომ დაამატოთ პაკეტები კრებულში საჭიროა:", "Initializing WingetUI...": "UniGetUI-ის ინიციალიზაცია...", - "Install": "ინსტალაცია", - "Install Scoop": "Scoop-ის ინსტალაცია", "Install and more": "ინსტალაცია და მეტი", "Install and update preferences": "ინსტალაციისა და განახლების პარამეტრები", - "Install as administrator": "ადმინისტრატორის უფლებებით ინსტალაცია", - "Install available updates automatically": "ხელმისაწვდომი განახლებების ავტომატური ინსტალაცია", - "Install location can't be changed for {0} packages": "ინსტალაციის ლოკაცია ვერ შეიცვლება {0} პაკეტებისთვის", - "Install location:": "ინსტალაციის ლოკაცია:", - "Install options": "ინსტალაციის პარამეტრები", "Install packages from a file": "პაკეტების ფაილიდან ინსტალაცია", - "Install prerelease versions of UniGetUI": "UniGetUI-ის პრერელიზების ინსტალაცია", - "Install script": "ინსტალაციის სკრიპტი", "Install selected packages": "შერჩეული პაკეტების ინსტალაცია", "Install selected packages with administrator privileges": "შერჩეული პაკეტების ადმინისტრატორის პრივილეგიებით ინსტალაცია", - "Install selection": "შერჩეულების ინსტალაცია", "Install the latest prerelease version": "უახლესი პრერელიზ ვერსიის ინსტალაცია", "Install updates automatically": "განახლებების ავტომატური ინსტალაცია", - "Install {0}": "{0}-ის ინსტალაცია", "Installation canceled by the user!": "ინსტალაცია მომხმარებელმა გააუქმა!", - "Installation failed": "ინსტალაცია ჩაიშალა", - "Installation options": "ინსტალაციის პარამეტრები", - "Installation scope:": "ინსტალაციის ფარგლები:", - "Installation succeeded": "ინსტალაცია წარმატებით განხორციელდა", - "Installed Packages": "დაყენებული პაკეტები", - "Installed Version": "დაყენებული პაკეტები", "Installed packages": "დაყენებული პაკეტები", - "Installer SHA256": "ინსტალატორის SHA256", - "Installer SHA512": "ინსტალატორის SHA256", - "Installer Type": "ინსტალატორის ტიპი", - "Installer URL": "ინსტალატორის URL", - "Installer not available": "ინსტალატორი არ არის ხელმისაწვდომი", "Instance {0} responded, quitting...": "ინსტანცია {0} გვიპასუხა, გასვლა...", - "Instant search": "სწრაფი ძიება", - "Integrity checks can be disabled from the Experimental Settings": "ინტეგრულების შემოწმება შეგიძლიათ გამორთოთ ექსპერიმენტული პარამეტრებიდან", - "Integrity checks skipped": "ინტეგრულობის შემოწმება გამოტოვებულია", - "Integrity checks will not be performed during this operation": "ამ ოპერაციისას არ მოხდება ინტეგრულობის შემოწმება", - "Interactive installation": "ინტერაქტიული ინსტალაცია", - "Interactive operation": "ინტერაქტიული ოპერაცია", - "Interactive uninstall": "ინტერაქტიული წაშლა", - "Interactive update": "ინტერაქტიული განახლება", - "Internet connection settings": "ინტერნეტთან კავშირის პარამეტრები", - "Invalid selection": "არასწორი მონიშვნა", "Is this package missing the icon?": "ამ პაკეტს ხატულა არ აქვს?", - "Is your language missing or incomplete?": "თქვენი ენა არ არის ან დაუსრულებელია?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "გარანტირებული არ არის, რომ მოწოდებული ანგარიშები უსაფრთხოდ შეინახება, ასე რომ თქვენ შეიძლება ასევე არ გამოიყენოთ თქვენი საბანკო ანგარიშის მონაცემები", - "It is recommended to restart UniGetUI after WinGet has been repaired": "რეკომენდებულია თავიდან გაუშვათ UniGetUI მას შემდეგ რაც შეკეთდა WinGet ", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "ამ სიტუაციაში დიდწილად რეკომენდებულია UniGetUI-ის ხელახლა ინსტალაცია", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "როგორც ჩანს WinGet არ მუშაობს გამართულად. გსურთ სცადოთ WinGet-ის შეკეთება?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "როგორც ჩანს თქვენ გაუშვით UniGetUI ადმინისტრატორის უფლებებით, რაც არ არის რეკომენდებული. თქვენ შეგიძლიათ განაგრძოთ პროგრამის გამოყენება, მაგრამ ჩვენი დაჟინებული რჩევა იქნება არ გაუშვათ UniGetUI ადმინისტრატორის პრივილეგიებით. დაწკაპეთ \"{showDetails}\" რომ ნახოთ რატომ", - "Language": "ენა", - "Language, theme and other miscellaneous preferences": "ენა, თემა და სხვა დამატებითი პარამეტრები", - "Last updated:": "ბოლო განახლება:", - "Latest": "უახლესი", "Latest Version": "უახლესი ვერსია", "Latest Version:": "უახლესი ვერსია:", "Latest details...": "უახლესი დეტალები...", "Launching subprocess...": "ქვეპროცესების გაშვება...", - "Leave empty for default": "დატოვეთ ცარიელი ნაგულისხმევად", - "License": "ლიცენზია", "Licenses": "ლიცენზიები", - "Light": "ნათლი", - "List": "სია", "Live command-line output": "პირდაპირი ბრძანების-ზოლის გამოსავალი", - "Live output": "პირდაპირი გამოსავალი", "Loading UI components...": "სამომხმარებლო ინტერფეისის კომპონენტების ჩატვირთვა...", "Loading WingetUI...": "იტვირთება UniGetUI...", - "Loading packages": "პაკეტების ჩატვირთვა", - "Loading packages, please wait...": "პაკეტების ჩატვირთვა, გთხოვთ მოიცადოთ...", - "Loading...": "ჩატვირთვა...", - "Local": "ლოკალური", - "Local PC": "ლოკალური კომპიუტერი", - "Local backup advanced options": "ლოკალური ბექაფის დამატებითი პარამეტრები", "Local machine": "ლოკალური მანქანა", - "Local package backup": "პაკეტების ლოკალური ბექაფი", "Locating {pm}...": "იძებნება {pm}...", - "Log in": "შესვლა", - "Log in failed: ": "შესვლა ჩაიშალა:", - "Log in to enable cloud backup": "ღრუბლოვანი ბექაფისთვის საჭიროა შესვლა", - "Log in with GitHub": "GitHub-ით შესვლა", - "Log in with GitHub to enable cloud package backup.": "შედით GitHub-ით, რომ ჩართოთ პაკეტების ღრუბლოვანი ბექაფი", - "Log level:": "ჟურნალის დონე:", - "Log out": "გამოსვლა", - "Log out failed: ": "გამოსვლა ჩაიშალა:", - "Log out from GitHub": "GitHub-დან გამოსვლა", "Looking for packages...": "იძებნება პაკეტები...", "Machine | Global": "მანქანა | გლობალური", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "არასწორად შედგენილ ბრძანების არგუმენტებს შეუძლია პაკეტების დაზიანება ან თუნდაც ბოროტმოქმედს მისცეს პრივილეგირებული შესრულების უფლება. ამიტომაც მორგებული ბრძანების არგუმენტების იმპორტირება ნაგულისხმევად გამორთულია", - "Manage": "მართვა", - "Manage UniGetUI settings": "UniGetUI-ის პარამეტრების მართვა", "Manage WingetUI autostart behaviour from the Settings app": "მართეთ UniGetUI-ის ავტომატურად გაშვება პარამეტრების აპლიკაციიდან", "Manage ignored packages": "იგნორირებული პაკეტების მართვა", - "Manage ignored updates": "იგნორირებული განახლებების მართვა", - "Manage shortcuts": "მალსახმობების მართვა", - "Manage telemetry settings": "ტელემეტრიის პარამეტრების მართვა", - "Manage {0} sources": "{0} წყაროების მართვა", - "Manifest": "მანიფესტი", "Manifests": "მანიფესტები", - "Manual scan": "ხელით სკანირება", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft-ის ოფიციალური პაკეტების მენეჯერი. სავსეა ცნობილი და გადამოწმებული პაკეტებით
შეიცავს: ზოგად პროგრამებს, აპებს Microsoft Store-დან", - "Missing dependency": "აკლია დამოკიდებულება", - "More": "მეტი", - "More details": "მეტი დეტალი", - "More details about the shared data and how it will be processed": "დამატებითი ინფორმაცია გაზიარებული ინფორმაციიდან და როგორ იქნება გამოიყენებული ის", - "More info": "მეტი ინფო", - "More than 1 package was selected": "მონიშნულია 1-ზე მეტი პაკეტი", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "შენიშვნა: ეს პრობლემების გადამჭრელი შეგიძლიათ გამორთოთ UniGetUI-ის პარამეტრებიდან, WinGet სექციაში.", - "Name": "სახელი", - "New": "ახალი", "New Version": "ახალი ვერსია", "New bundle": "ახალი კრებული", - "New version": "ახალი ვერსია", - "Nice! Backups will be uploaded to a private gist on your account": "მშვენიერი! ბექაფები აიტვირთება პრივატულ gist-ში თქვენს ანგარიშზე", - "No": "არა", - "No applicable installer was found for the package {0}": "არ არის შესაბამისი ინსტალატორი ნაპოვნი {0} პაკეტისთვის", - "No dependencies specified": "არ არის მითითებული დამოკიდებულებები", - "No new shortcuts were found during the scan.": "სკანირებისას არ იქნა ნაპოვნი ახალი მალსახმობები.", - "No package was selected": "არცერთი პაკეტი არ არის მონიშნული", "No packages found": "პაკეტები არ არის ნაპოვნი", "No packages found matching the input criteria": "მოთხოვნილი კრიტერიუმით არ არის ნაპოვნი პაკეტები", "No packages have been added yet": "პაკეტები ჯერ არ დამატებულა", "No packages selected": "პაკეტები არ არის შერჩეული", - "No packages were found": "პაკეტები არ არის ნაპოვნი", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "არანაირი პერსონალური მონაცემი არ გროვდება და არც გადაიცემა, დაგროვილი ინფორმაცია ანონიმურია ისე, რომ არ უთითებს თქვენზე.", - "No results were found matching the input criteria": "შევანილი კრიტერიუმებით არ იქნა ნაპოვნი არაფერი", "No sources found": "წყაროები არ არის ნაპოვნი", "No sources were found": "წყაროები არ იქნა ნაპოვნი", "No updates are available": "განახლებები არ არის ხელმისაწვდომი", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS პაკეტების მართველი. სავსეა ბიბლიოთეკებითა და უტილიტებით javascript-ის სამყაროდან
შეიჩავს: Node javascript ბიბლიოთეკებს და სხვა შესაბამის უტილიტებს", - "Not available": "მიუწვდომელია", - "Not finding the file you are looking for? Make sure it has been added to path.": "ვერ პოულობ ფაილს რომელსაც ეძებ? დარწმუნდი, რომ ის დამატებულია path-ში.", - "Not found": "არ არის ნაპოვნი", - "Not right now": "ახლა არა", "Notes:": "ჩანაწერები:", - "Notification preferences": "შეტყობინებების პარამეტრები", "Notification tray options": "შეტყობინებების პანელის პარამეტრები", - "Notification types": "შეტყობინებების ტიპები", - "NuPkg (zipped manifest)": "NuPkg (დაზიპული მანიფესტი)", - "OK": "OK", "Ok": "Ok", - "Open": "გახსნა", "Open GitHub": "GitHub-ის გახსნა", - "Open UniGetUI": "UniGetUI-ის გახსნა", - "Open UniGetUI security settings": "UniGetUI-ის უსაფრთხოების პარამეტრების გახსნა", "Open WingetUI": "UniGetUI-ის გახსნა", "Open backup location": "ბექაფის ლოკაციის გახსნა", "Open existing bundle": "არსებული კრებულის გახსნა", - "Open install location": "ინსტალაციის ლოკაციის გახსნა", "Open the welcome wizard": "მისასალმებელი ოსტატის გახსნა", - "Operation canceled by user": "ოპერაცია მომხმარებელმა გააუქმა", "Operation cancelled": "ოპერაცია გაუქმდა", - "Operation history": "ოპერაციის ისტორია", - "Operation in progress": "მიმდინარეობს ოპერაცია", - "Operation on queue (position {0})...": "ოპერაცია რიგშია (პოზიცია {0})...", - "Operation profile:": "ოპერაციის პროფილი:", "Options saved": "პარამეტრები შენახულია", - "Order by:": "დალაგება:", - "Other": "სხვა", - "Other settings": "სხვა პარამეტრები", - "Package": "პაკეტი", - "Package Bundles": "პაკეტების კრებულები", - "Package ID": "პაკეტის ID", "Package Manager": "პაკეტების მენეჯერი", - "Package Manager logs": "პაკეტების მენეჯერის ჟურნალები", - "Package Managers": "პაკეტების მენეჯერები", - "Package Name": "პაკეტის სახელი", - "Package backup": "პაკეტის ბექაფი", - "Package backup settings": "პაკეტის ბექაფის პარამეტრები", - "Package bundle": "პაკეტის კრებული", - "Package details": "პაკეტის დეტალები", - "Package lists": "პაკეტების სიები", - "Package management made easy": "გამარტივებული პაკეტების მართვა", - "Package manager": "პაკეტების მმართველი", - "Package manager preferences": "პაკეტების მენეჯერის პარამეტრები", "Package managers": "პაკეტების მენეჯერები", - "Package not found": "პაკეტი არ არის ნაპოვნი", - "Package operation preferences": "პაკეტის ოპერაციის პარამეტრები", - "Package update preferences": "პაკეტის განახლების პარამეტრები", "Package {name} from {manager}": "{name} პაკეტი {manager}-დან ", - "Package's default": "პაკეტის ნაგულისხმევი", "Packages": "პაკეტები", "Packages found: {0}": "ნაპოვნი პაკეტები: {0}", - "Partially": "ნაწილობრივ", - "Password": "პაროლი", "Paste a valid URL to the database": "ჩასვით მონაცემთა ბაზის ვალიდური URL ", - "Pause updates for": "განახლებების დაპაუზება", "Perform a backup now": "ბექაფის შექმნა ახლა", - "Perform a cloud backup now": "ღრუბლოვანი ბექაფის ახლა გაშვება", - "Perform a local backup now": "ლოკალური ბექაფის ახლა გაშვება", - "Perform integrity checks at startup": "ინტეგრულობის შემოწმება გაშვებისას", - "Performing backup, please wait...": "ბექაფის შექმნა, გთხოვთ მოიცადოთ...", "Periodically perform a backup of the installed packages": "პერიოდულად შექმენი დაყენებული პაკეტების ბექაფი", - "Periodically perform a cloud backup of the installed packages": "პერიოდულად შექმენი დაყენებული პაკეტების ღრუბლოვანი ბექაფი", - "Periodically perform a local backup of the installed packages": "დაყენებული პაკეტების ბექაფის პერიოდულად შესრულება", - "Please check the installation options for this package and try again": "შეამოწმეთ ინსტალაციის პარამეტრები ამ პაკეტისთვის და ხელახლა ცადეთ", - "Please click on \"Continue\" to continue": "გთხოვთ დაწკაპოთ \"გაგრძელება\" რომ გაგრძელდეს", "Please enter at least 3 characters": "შეიყვანეთ 3 სიმბოლო მაინც", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "გაითვალისწინეთ, რომ ზოგიერთი პაკეტი შესაძლოა არ იყოს ინსტალირებადი, იმის მიხედვით თუ რომელი პაკეტების მენეჯერებია ჩართული მანქანაზე.", - "Please note that not all package managers may fully support this feature": "გაითვალისწინეთ, რომ ყველა პაკეტების მენეჯერს შესაძლოა არ ქონდეთ ამ ფუნქციის სრული მხარდაჭერა", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "გაითვალისწინეთ, რომ პაკეტები ზოგიერთი წყაროდან შესაძლოა არ იყოს ექსპორტირებადი. ისინი ნაცრისფერადაა მონიშნული და არ დაექსპორტდება.", - "Please run UniGetUI as a regular user and try again.": "გთხოვთ გაუშვათ UniGetUI როგორც ჩვეულებრივმა მომხმარებელმა და ხელახლა ცადეთ.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "გთხოვთ ნახლოთ ბრძანების ზოლის გამოსავალი ან ოპერაციების ისტორია პრობლემის შესახებ მეტი ინფორმაციის გასაგებად.", "Please select how you want to configure WingetUI": "გთხოვთ შეარჩიეთ თუ როგორ გსურთ UniGetUI-ის კონფიგურაცია", - "Please try again later": "გთხოვთ სცადოთ მოგვიანებით", "Please type at least two characters": "აკრიფეთ ორი სიმბოლო მაინც", - "Please wait": "გთხოვთ მოიცადოთ", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "მოიცადეთ სანამ {0} დაყენდება. შესაძლოა გამოჩნდეს შავი (ან ლურჯი) ფანჯარა. დაელოდეთ სანამ არ დაიხურება.", - "Please wait...": "გთხოვთ მოიცადოთ...", "Portable": "პორტატული", - "Portable mode": "პორტატული რეჟიმი", - "Post-install command:": "პოსტ ინსტალაციის ბრძანება:", - "Post-uninstall command:": "პოსტ დეინსტალაციის ბრძანება:", - "Post-update command:": "პოსტ განახლების ბრძანება:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-ის პაკეტების მმართველი. იპოვეთ ბიბლიოთეკები და სკრიპტები რომ გააფართოოთ PowerShell-ის შესაძლებლობები
შეიცავს: მოდულებს, სკრიპტებს, ქომადლეტებს", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "პრე და პოსტ ინსტალაციის ბრძანებებს შეულძია ზიანის მიყენება, თუ არასწორად არის შედგენილი. ეს შესაძლოა ძალიან საშიში იყოს კრებულიდან მათი იმპორტირება თუ თქვენ არ ენდობით პაკეტების კრებულის მომწოდებელს.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "პრე და პოსტ ინსტალაციის ბრძანებები გაეშვება პაკეტის ინსტალაციამდე, შემდეგ, განახლებისას ან დეინსტალაციისას. გაითვალისწინეთ, რომ ამას შეუძლია ზიანის მოტანა თუ არ გამოვიყენებთ სიფთხილის დაცვით.", - "Pre-install command:": "პრე ინსტალაციის ბრძანება:", - "Pre-uninstall command:": "პრე დეინსტალაციის ბრძანება:", - "Pre-update command:": "პრე განახლების ბრძანება:", - "PreRelease": "პრერელიზი", - "Preparing packages, please wait...": "პაკეტების მომზადება, გთხოვთ მოიცადოთ...", - "Proceed at your own risk.": "გააგრძელეთ საკუთარი რისკის ფასად.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "ნებისმიერი ელევაციის დაბლოკვა UniGetUI Elevator ან GSudo-ს საშუალებით", - "Proxy URL": "პროქსის URL", - "Proxy compatibility table": "პროქსის თავსებადობის ცხრილი", - "Proxy settings": "პროქსის პარამეტრები", - "Proxy settings, etc.": "პროქსის პარამეტრები, სხვ.", "Publication date:": "გამოქვეყნების თარიღი:", - "Publisher": "გამომცემი", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python-ის ბიბლიოთეკების მმართველი. სავსეა პითონის ბიბლიოთეკებით და სხვა მასთან დაკავშირებული უტილიტებით
შეიცავს: Python-ის ბიბლიოთეკებსა და შესაბამის უტილიტებს", - "Quit": "გასვლა", "Quit WingetUI": "UniGetUI-დან გასვლა", - "Ready": "მზადაა", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC დიალოგების შემცირება, ინსტალაციების ელევაცია ნაგულისხმევად, ზოგიერთი საშიში ფუნქციის ჩართვა და ა.შ.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "ჩახედეთ UniGetUI-ის ჟურნალში, რომ გაიგოთ მეტი ინფორმაცია მონაწილე ფაილ(ებ)ის შესახებ.", - "Reinstall": "ხელახალი ინსტალაცია", - "Reinstall package": "პაკეტის ხელახალი ინსტალაცია", - "Related settings": "დაკავშირებული პარამეტრები", - "Release notes": "რელიზის ჩანაწერები", - "Release notes URL": "რელიზის ჩანაწერების URL", "Release notes URL:": "რელიზის ჩანაწერების URL", "Release notes:": "რელიზის ჩანაწერები", "Reload": "ხელახლა ჩატვირთვა", - "Reload log": "ჟურნალის ხელახლა ჩატვირთვა", "Removal failed": "წაშლა ჩაიშალა", "Removal succeeded": "წაშლა წარმატებით დასრულდა", - "Remove from list": "სიიდან წაშლა", "Remove permanent data": "პერმანენტული მონაცემების წაშლა", - "Remove selection from bundle": "მონიშნულის კრებულიდან წაშლა", "Remove successful installs/uninstalls/updates from the installation list": "წრმატებული ინსტალაციების/წაშლების/განახლებების წაშლა სიიდან", - "Removing source {source}": "{source} წყაროს წაშლა", - "Removing source {source} from {manager}": "{source} წყაროს წაშლა {manager}-დან", - "Repair UniGetUI": "UniGetUI-ის შეკეთება", - "Repair WinGet": "WinGet-ის შეკეთება", - "Report an issue or submit a feature request": "შეგვატყობინეთ პრობლემის შესახებ ან შემოგვთავაზეთ იდეა", "Repository": "რეპოზიტორია", - "Reset": "რესეტი", "Reset Scoop's global app cache": "Scoop-ის გლობალური ქეშის დარესეტება", - "Reset UniGetUI": "UniGetUI-ის დარესეტება", - "Reset WinGet": "WinGet-ის დარესეტება", "Reset Winget sources (might help if no packages are listed)": "Winget-ის წყაროების დარესეტება (შესაძლოა გამოგადგეთ, როცა პაკეტები არ ჩანს სიაში)", - "Reset WingetUI": "UniGetUI-ის დარესეტება", "Reset WingetUI and its preferences": "UniGetUI-ისა და მისი პარამეტრების რესეტი", "Reset WingetUI icon and screenshot cache": "UniGetUI-ის ხატულებისა და სქრინშოტების ქეშის რესეტი", - "Reset list": "სიის რესეტი", "Resetting Winget sources - WingetUI": "რესეტდება WinGet-ის წყაროები - UniGetUI", - "Restart": "გადატვირთვა", - "Restart UniGetUI": "UniGetUI-ის გადატვირთვა", - "Restart WingetUI": "UniGetUI-ის გადატვირთვა", - "Restart WingetUI to fully apply changes": "ცვლილებების სრულად ასახვისთვის UniGetUI-ის გადატვირთვა", - "Restart later": "მოგვიანებით გადატვირთვა", "Restart now": "ახლა გადატვირთვა", - "Restart required": "საჭიროა გადატვირთვა", - "Restart your PC to finish installation": "კომპიუტერის გადატვირთვა ინსტალაციის დასრულებისთვის", - "Restart your computer to finish the installation": "გადატვირთეთ თქვენი კომპიუტერი ინსტალაციის დასრულებისთვის", - "Restore a backup from the cloud": "ბექაფის ღრუბლიდან აღდგენა", - "Restrictions on package managers": "პაკეტების მმართველების შეზღუდვები", - "Restrictions on package operations": "პაკეტებზე ოპერაციების შეზღუდვები", - "Restrictions when importing package bundles": "შეზღუდვები პაკეტების კრებული იმპორტირებისას", - "Retry": "ხელახლა ცდა", - "Retry as administrator": "ხელახლა ცდა როგორც ადმინისტრატორი", - "Retry failed operations": "ჩაშლილი ოპერაციების ხელახლა ცდა", - "Retry interactively": "ხელახლა ცდა ინტერაქტიულად", - "Retry skipping integrity checks": "იტეგრულობის შემოწმების გამოტოვების ხელახლა ცდა", - "Retrying, please wait...": "ხელახლა ცდა, გთხოვთ მოიცადოთ...", - "Return to top": "თავში დაბრუნება", - "Run": "გაშვება", - "Run as admin": "ადმინისტრატორით გაშვება", - "Run cleanup and clear cache": "გაწმენდისა და ქეშის გასუფთავების გაშვება", - "Run last": "ბოლოს გაშვება", - "Run next": "შემდეგის გაშვება", - "Run now": "ახლა გაშვება", + "Restart your PC to finish installation": "კომპიუტერის გადატვირთვა ინსტალაციის დასრულებისთვის", + "Restart your computer to finish the installation": "გადატვირთეთ თქვენი კომპიუტერი ინსტალაციის დასრულებისთვის", + "Retry failed operations": "ჩაშლილი ოპერაციების ხელახლა ცდა", + "Retrying, please wait...": "ხელახლა ცდა, გთხოვთ მოიცადოთ...", + "Return to top": "თავში დაბრუნება", "Running the installer...": "ეშვება ინსტალატორი...", "Running the uninstaller...": "ეშვება დეინსტალატორი...", "Running the updater...": "ეშევება განმაახელებელი...", - "Save": "შენახვა", "Save File": "ფაილის შენახვა", - "Save and close": "შენახვა და დახურვა", - "Save as": "შენახვა როგორც", "Save bundle as": "კრებულის შენახვა როგორც", "Save now": "ახლა შენახვა", - "Saving packages, please wait...": "პაკეტების შენახვა, გთხოვთ მოიცადოთ...", - "Scoop Installer - WingetUI": "Scoop ინსტალატორი - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop დეინსტალატორი - UniGetUI", - "Scoop package": "Scoop-ის პაკეტი", "Search": "ძიება", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "მოძებნე სამაგიდო პროგრამები, შემატყობინე განახლებების შესახებ და არ ქნა რთული რამეები. მე არ მინდა UniGetUI-ის გართულება, მე მხოლოდ მარტივი პროგრამული უზრუნველყოფის მაღაზია მჭირდება", - "Search for packages": "პაკეტების ძიება", - "Search for packages to start": "დაწყებისთვის მოძებნეთ პაკეტები", - "Search mode": "ძიების რეჟიმი", "Search on available updates": "ხელმისაწვდომ განახლებებში ძიება", "Search on your software": "თქვნს პროგრამებში ძიება", "Searching for installed packages...": "იძებნება დაყენებული პაკეტები...", "Searching for packages...": "პაკეტების ძიება...", "Searching for updates...": "განახლებების ძიება...", - "Select": "შერჩევა", "Select \"{item}\" to add your custom bucket": "შეარჩიეთ \"{item}\" რომ დაამატოთ მორგებულ კალათაში", "Select a folder": "ფოლდერის შერჩევა", - "Select all": "ყველას მონიშვნა", "Select all packages": "ყველა პაკეტის მონიშვნა", - "Select backup": "შეარჩიეთ ბექაფი", "Select only if you know what you are doing.": "შეარჩიე მხოლოდ თუ იცი რას აკეთებ.", "Select package file": "შეარჩიეთ პაკეტის ფაილი", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "შეარჩიეთ ბექაფი რომლის გახსნაც გსურთ. მოგივანებით თქვენ შეძლებთ განიხილოთ თუ რომელი პაკეტების/პროგრამების აღგენა გსურთ.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "აირჩიეთ გამოსაყენებელი გამშვები ფაილი. ქვემოთ მოცემული სია აჩვენებს UniGetUI-ის მიერ ნაპოვნ გამშვებ ფაილებს", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "შეარჩიეთ პროცესები, რომლებიც უნდა დაიხუროს მანამ სანამ ეს პაკეტი დაინსტალირდება, განახლდება ან დეინსტალირდება.", - "Select the source you want to add:": "შეარჩიეთ წყაროები, რომლების დამატებაც გინდათ:", - "Select upgradable packages by default": "განახლებადი პაკეტების ნაგულისხმევად შერჩევა", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "შეარჩიეთ თუ რომელი პაკეტების მმართველი გამოვიყენოთ ({0}), პაკეტების ინსტალაციის კონფიგურაცია, ადინისტრატორის უფლებების მართვა და სხვა.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "გაიგზავნა ხელის ჩამორთმევა. ველოდები ინსტანციის მსმენელის პასუხს... ({0}%)", - "Set a custom backup file name": "მიუთითეთ ბექაფის ფაილის მორგებული სახელი", "Set custom backup file name": "დააყენეთ მორგებული სარეზერვო ფაილის სახელი", - "Settings": "პარამეტრები", - "Share": "გაზიარება", "Share WingetUI": "გააზიარე UniGetUI", - "Share anonymous usage data": "ანონიმური მოხმარების მონაცემების გაზიარება", - "Share this package": "ამ პაკეტის გაზიარება", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "თუ უსაფრთხოების პარამეტრებს შეცვლით, ცვლილებების ძალაში შესასვლელად კრებულის ხელახლა გახსნა დაგჭირდებათ.", "Show UniGetUI on the system tray": "UniGetUI-ის სისტემურ პანელში ჩვენება", - "Show UniGetUI's version and build number on the titlebar.": "UniGetUI-ს ვერსიის ჩვენება სათაურის ზოლში", - "Show WingetUI": "UniGetUI-ის ჩვენება", "Show a notification when an installation fails": "შეტყობინების ჩვენება ინსტალაციის ჩაშლისას", "Show a notification when an installation finishes successfully": "შეტყობინების ჩვენება ინსტალაციის წარმატებულად დასრულებისას", - "Show a notification when an operation fails": "შეტყობინების ჩვენება ოპერაციის ჩაშლისას", - "Show a notification when an operation finishes successfully": "შეტყობინების ჩვენება ოპერაციის წარმატებულად დასრულებისას", - "Show a notification when there are available updates": "შეტყობინების ჩვენება როცა ხელმისაწვდომია განახლებები", - "Show a silent notification when an operation is running": "ჩუმი შეტყობინების ჩვენება როცა მიმდინარეობს ოპერაცია", "Show details": "დეტალების ჩვენება", - "Show in explorer": "ექსპლორერში ჩვენება", "Show info about the package on the Updates tab": "პაკეტის ინფოს ნახვა განახლებების ტაბში", "Show missing translation strings": "ნაკლული სათარგმნი სტრიქონების ჩვენება", - "Show notifications on different events": "შეტყობინებების ჩვენება სხვა და სხვა მოვლენებისთვის", "Show package details": "პაკეტის დეტალების ჩვენება", - "Show package icons on package lists": "პაკეტის ხატულების ჩვენება პაკეტების სიებში", - "Show similar packages": "მსგავსი პაკეტების ჩვენება", "Show the live output": "პირდაპირი გამოსავლის ჩვენება", - "Size": "ზომა", "Skip": "გამოტოვება", - "Skip hash check": "ჰეშის შემოწმების გამოტოვება", - "Skip hash checks": "ჰეშის შემოწმების გამოტოვება", - "Skip integrity checks": "ინტეგრულობის შემოწმების გამოტოვება", - "Skip minor updates for this package": "მინორული განახლებების გამოტოვება ამ პაკეტისთვის", "Skip the hash check when installing the selected packages": "ჰეშის შემოწმების გამოტოვება შერჩეული პაკეტების ინსტალაციისას", "Skip the hash check when updating the selected packages": "ჰეშის შემოწმების გამოტოვება შერჩეული პაკეტების ინსტალაციისას", - "Skip this version": "ვერსიის გამოტოვება", - "Software Updates": "პროგრამების განახლებები", - "Something went wrong": "რაღაც ჩაიშალა", - "Something went wrong while launching the updater.": "რაღაც ჩაიშალა განმაახლებლის გაშვებისას", - "Source": "წყარო", - "Source URL:": "წყაროს URL:", - "Source added successfully": "წყარო წარმატებით დაემატა", "Source addition failed": "წყაროს დამატება ჩაიშალა", - "Source name:": "წყაროს სახელი:", "Source removal failed": "წყაროს წაშლა ჩაიშალა", - "Source removed successfully": "წყარო წარმატებით წაიშალა", "Source:": "წყარო:", - "Sources": "წყაროები", "Start": "დაწყება", "Starting daemons...": "დემონების გაშვება...", - "Starting operation...": "ოპერაციების გაშვება...", "Startup options": "ჩართვის ოფციები", "Status": "სტატუსი", "Stuck here? Skip initialization": "გაიჭედეთ? გამოტოვეთ ინიციალიზაცია", - "Success!": "წარმატება!", "Suport the developer": "დეველოპერის მხარდაჭერა", "Support me": "მხარი დამიჭირე მე", "Support the developer": "დეველოპერის მხარდაჭერა", "Systems are now ready to go!": "სისტემები მზად არის გაშვებისთვის!", - "Telemetry": "ტელემეტრია", - "Text": "ტექსტი", "Text file": "ტექსტური ფალი", - "Thank you ❤": "გმადლობთ ❤", - "Thank you \uD83D\uDE09": "გმადლობთ \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-ის პაკეტების მმართველი.
შეიცავს: Rust-ის ბიბლიოთეკებსა და Rust-ზე დაწერილ პროგრამებს", - "The backup will NOT include any binary file nor any program's saved data.": "ბექაფში არ იქნება არანაირი ბინარული ფაილი და არც პროგრამის მიერ შენახული მონაცემები.", - "The backup will be performed after login.": "ბექაფი სისტემაში შესვლის შემდეგ შესრულდება", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "ბექაფი შეიცავდეს იქნება დაყენებული პაკეტების სრულ სიას და მათი ინსტალაციის პარამეტრებს. იგნორირებული განახლებები და გამოტივებული ვერსიებიც კი შენახული იქნება.", - "The bundle was created successfully on {0}": "კრებული წარმატებით შეიქმნა {0}-ში", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "კრებული, რომლის ჩატვირთვაც გსურთ არ არის ვალიდური. შეამოწმეთ ფაილი და ხელახლა ცადეთ.", + "Thank you 😉": "გმადლობთ 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "ინსტალატორის საკონტროლო ჯამი არ ეთანხმება მოსალოდნელ მნიშვნელობას და ინსტალატორის აუთენტურობის შემოწმება შეუძლებელია. თუ თქვენ ენდობით გამომცემელს, {0} პაკეტი ხელახლა ჰეშის შემოწმების გარეშე.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "კლასიკური პაკეტების მენეჯერი Windows-ისთვის. თქვენ იქ ყველაფერს იპოვით.
შეიცავს: ზოგად პროგრამებს", - "The cloud backup completed successfully.": "ღღუბლოვანი ბექაფი წარმატებით დასრულდა.", - "The cloud backup has been loaded successfully.": "ღრუბლოვანი ბექაფი წარმატებით ჩაიტვირთა.", - "The current bundle has no packages. Add some packages to get started": "მიმდინარე კრებულში არ არის პაკეტები. დაამატე რამდენიმე პაკეტი რომ დავიწყოთ", - "The executable file for {0} was not found": "ვერ მოიძებნა {0}-ის გამშვები ფაილი", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "შემდეგი პარამეტრები იქნება გამოყენებული ნაგულისხმევად ყოველ ჯერზე {0} პაკეტის ინსტალაციისას, განახლებისას ან დეინსტალაციისას.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "შემდეგი პაკეტები დაექსპორტდება JSON ფაილში. არანაირი მონაცემი მომხმარებლის შესახებ ან ბინარული ფაილები არ იქნება შენახული.", "The following packages are going to be installed on your system.": "შემდეგი პაკეტები დაყენდება თქვენს სისტემაში.", - "The following settings may pose a security risk, hence they are disabled by default.": "შემდეგი პარამეტრები შეიცავს შესაძლო უსაფრთხოების რისკებს, ამიტომაც ისინი გამორთულია ნაგულისხმევად.", - "The following settings will be applied each time this package is installed, updated or removed.": "შემდეგი პარამეტრები იქნება გამოყენები ყოველ ჯერზე ამ პაკეტის დაყენებისას, განახლებისას ან წაშლისას.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "შემდეგი პარამეტრები იქნება გამოყენები ყოველ ჯერზე ამ პაკეტის დაყენებისას, განახლებისას ან წაშლისას. ისინი შეინახება ავტომატურად.", "The icons and screenshots are maintained by users like you!": "ხატულები და სქრინშოტები მოწოდებულია თქვენნაირი მომხმარებლების მიერ!", - "The installation script saved to {0}": "ინსტალაციის სკრიპტი შენახულია აქ: {0}", - "The installer authenticity could not be verified.": "ვერ გადამოწმდა ინსტალატორის აუთენტურობა", "The installer has an invalid checksum": "ინსტალატორს არავალიდური საკონტროლო ჯამი აქვს", "The installer hash does not match the expected value.": "ინსტალატორის ჰეში არ ემთხვევა მოსალოდნელ მნიშვნელობას.", - "The local icon cache currently takes {0} MB": "ლოკალური ხატულების ქეში ახლა იკავებს {0} მბ-ს", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "ამ პროექტის მთავარი მიზანია შეიქმნას ინტუიციური UI ყველაზე გავრცელებული CLI პაკეტების მენეჯერებისთვის Windows-ზე, როგორებიცაა Winget და Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "პაკეტი\"{0}\" არ იქნა ნაპოვნი \"{1}\" პაკეტების მენეჯერში", - "The package bundle could not be created due to an error.": "პაკეტების კრებული ვერ შეიქმნა შეცდომის გამო.", - "The package bundle is not valid": "პაკეტების კრებული არ არის ვალიდური", - "The package manager \"{0}\" is disabled": "პაკეტების მენეჯერი \"{0}\" გამორთულია", - "The package manager \"{0}\" was not found": "პაკეტების მენეჯერი \"{0}\" ვერ იქნა ნაპოვნი", "The package {0} from {1} was not found.": "პაკეტი {0}, {1}-დან ვერ იქნა ნაპოვნი.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "აქ ჩამოთვლილი პაკეტები არ იქნება გათვალისწინებული განახლებების შემოწმებისას. ორჯერ დაწკაპეთ მათზე ან ღილაკზე მარჯვნივ რომ შეტყვიტოთ მათი განახლებების იგნორირება.", "The selected packages have been blacklisted": "შერჩეული პაკეტები შავ სიაში იქნა შეტანილი", - "The settings will list, in their descriptions, the potential security issues they may have.": "აღწერებში იქნება ამ პარამეტრების სია და მათი პოტენციური უსაფრთხოების პრობლემები.", - "The size of the backup is estimated to be less than 1MB.": "ბექაფის მოსალოდნელი ზომა 1 მბ-ზე ნაკლებია", - "The source {source} was added to {manager} successfully": "წყარო {source} წარმატებით დაემატა {manager}-ში", - "The source {source} was removed from {manager} successfully": "წყარო {source} წარმატებით ამოიშალა {manager}-დან", - "The system tray icon must be enabled in order for notifications to work": "სისტემური პანელის ხატულა უნდა იყოს ჩართული შეტყობინებების მუშაობისთვის", - "The update process has been aborted.": "განახლების პროცესი შეწყვეტილ იქნა", - "The update process will start after closing UniGetUI": "განახლების პროცესი დაიწყება UniGetUI-ის დახურვის შემდეგ", "The update will be installed upon closing WingetUI": "განხლება დაყენებული იქნება UniGetUI-ის დახურვისთანავე", "The update will not continue.": "განახლება არ გაგრძელდება.", "The user has canceled {0}, that was a requirement for {1} to be run": "მომხმარებელმა გააუქმა {0}, ეს იყო მოთხოვნა {1}-ის გაშვებისთვის", - "There are no new UniGetUI versions to be installed": "არ არის UniGetUI-ის ახალი ვერსიები", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "მიმდინარეობს ოერაციები. UniGetUI-ის დახურვა მათ ჩაშლას გამოიწვევს. გსურთ გარძელება?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube-ში არის შესანიშნავი ვიდეოები სადაც ნაჩვენებია UniGetUI-ის შესაძლებლობები. თქვენ ნახოთ ისწავლოთ სასარგებლო ხრიკები და რჩევები!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "არის ორი მიზეზი თუ რატომ არ უნდა გაუშვათ UniGetUI როგორც ადმინისტრატორმა:\nპირველი არის ის, რომ Scoop პაკეტების მმართველს შეექმნება პრობლემები ზოგიერთ ბრძანებასთან ადმინისტრატორის უფლებებით გაშვებისას.\nმეორე არის ის, რომ UniGetUI-ის გაშვება ადმინისტრატორით ნიშნავს, რომ ნებისმიერი გადმოწერილი პაკეტი ასევე გაეშვება ადმინისტრატორის უფლებებით.", - "There is an error with the configuration of the package manager \"{0}\"": "შეცდომაა \"{0}\" პაკეტების მმართველის კონფიგურაციაში", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "მიმდინარეობს ინსტალაციის პროცესი. თუ თქვენ დახურავთ UniGetUI-ის, ინსტალაცია შესაძლოა ჩაიშალოს და მიიღოთ არასასურველი შედეგები. ნამდვილად გსურთ დახუროთ UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "ეს არის პროგრამები, რომლითაც ხორციელდება პაკეტების ინსტალაცია, განახლება და წაშლა.", - "Third-party licenses": "მესამე-მხარის ლიცენზიები", "This could represent a security risk.": "ეს შესაძლოა უსაფრთხოების რისკი აღმოჩნდეს.", - "This is not recommended.": "ეს არ არის რეკომენდებული.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "ეს შესაძლოა იმიტომ ხდება, რომ პაკეთი რომელიც თქვენ გამოგზავნეთ წაშლილია ან გამოქვეყნებულია პაკეტების მმართველში, რომელიც არ გაქვს გააქტიურებული. მიღებული აიდი არის {0}", "This is the default choice.": "ეს არის ნაგულისხმევი არჩევანი.", - "This may help if WinGet packages are not shown": "ამან შესაძლოა გამოასწოროს თუ WinGet-ის პაკეტები არ ჩანს", - "This may help if no packages are listed": "ეს შეიძლება დაგეხმაროთ, თუ პაკეტები არ არის ჩამოთვლილი", - "This may take a minute or two": "ამას ერთი-ორი წუთი დაჭირდება", - "This operation is running interactively.": "ეს ოპერაცია ინტერაქტიულად ეშვება.", - "This operation is running with administrator privileges.": "ეს ოპერაცია ადმინისტრატორის პრივილეგიებით ეშვება.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "ეს პარამეტრი პრობლემებს გამოიწვევს. ნებისმიერი ოპერაცია, რომელიც ვერ შეძლებს თავისით ელევაციას ჩაიშლება. ინსტალაცია/განახლება/დეინსტალაცია ადმინისტრატორის უფლებებით არ იმუშავებს", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "პაკეტების ეს კრებული შეიცავს ზოგიერთ პარამეტრს, რომლებიც პოტენციურად საშიშია და შესაძლოა ინგორირებულ იქნას ნაგულისხმევად.", "This package can be updated": "შესაძლებელია ამ პაკეტის განახლება", "This package can be updated to version {0}": "ამ პაკეტის განახლება შესაძლებელია {0} ვერსიამდე", - "This package can be upgraded to version {0}": "ამ პაკეტის განახლება შესაძლებელია {0} ვერსიამდე", - "This package cannot be installed from an elevated context.": "ეს პაკეტი ვერ დაყენდება ადმინისტრატორის პრივილეგიებით.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "ამ პაკეტს არ აქვს სქრინშოტები ან აკლია ხატულა? შეიტანეთ წვლილი UniGetUI-ში დაკარგული ხატულების და სქრინშოტების დამატებით ჩვენს ღია, საჯარო მონაცემთა ბაზაში.", - "This package is already installed": "ეს პაკეტი უკვე დაყენებულია", - "This package is being processed": "მიმდინარეობს პაკეტის დამუშავება", - "This package is not available": "ეს პაკეტი არ არის ხელმისაწვდომი", - "This package is on the queue": "პაკეტი რიგშია", "This process is running with administrator privileges": "ეს პროცესი გაშვებულია ადმინისტრატორის პრივილეგიებით", - "This project has no connection with the official {0} project — it's completely unofficial.": "ამ პროექტს არ აქვს კავშირი ოფიციალურ {0} პროექტთან - ის სრულიად არაოფიციალურია", "This setting is disabled": "ეს პარამეტრი გამორთულია", "This wizard will help you configure and customize WingetUI!": "ეს ოსტატი დაგეხმარებათ UniGetUI-ის კონფიგურაციაში და მორგებაში!", "Toggle search filters pane": "ძიების ფილტრების პანელის გადართვა", - "Translators": "მთარგმნელები", - "Try to kill the processes that refuse to close when requested to": "პროცესების ძალისმიერად გათიშვის ცდა, რომლებიც არ ითიშება მოთხოვნისას", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "ამის ჩართვით თქვენ ნებას რთავ გამოყენებულ იქნას შეცვლილი გამშვები ფაილები პაკეტების მმართველებთან მუშაობისთვის. ეს მოგცემთ უფრო მეტ მორგებადობას და ფუნქციონალს ინსტალაცისაც თუმცა არის საშიშიც", "Type here the name and the URL of the source you want to add, separed by a space.": "შეიყვანეთ სფეისით გამოყოფილი წყაროს სახელი და URL, რომელის დამატებაც გინდათ.", "Unable to find package": "შეუძლებელია პაკეტის მოძებნა", "Unable to load informarion": "შეუძლებელია ინფორმაციის ჩატვირთვა", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI აგროვებს ანონიმური გამოყენების მონაცემებს მომხმარებლის გამოცდილების გასაუმჯობესებლად.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI აგროვებს ანონიმური გამოყენების მონაცემებს მომხმარებლის გამოცდილების გაგებისა და გაუმჯობესების მიზნით.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI-მ აღმოაჩინა დესკტოპის ახალი მალსახმობი, რომელიც შეიძლება ავტომატურად წაიშალოს.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI-მ აღმოაჩინა შემდეგი დესკტოპის მალსახმობები, რომლებიც შეიძლება ავტომატურად წაიშალოს მომავალი განახლებებისას", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI-მ აღმოაჩინა {0} ახალი დესკტოპის მალსახმობები, რომლებიც შეიძლება ავტომატურად წაიშალოს.", - "UniGetUI is being updated...": "მიმდინარეობს UniGetUI-ის განახლება...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI არ არის დაკავშირებული რომელიმე თავსებად პაკეტის მენეჯერთან. UniGetUI არის დამოუკიდებელი პროექტი.", - "UniGetUI on the background and system tray": "UniGetUI ფონურ რეჟიმში და სისტემური პანელი", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ან მისი ზოგიერთი კომპონენტი ვერ იქნა ნაპოვნი ან დაზიანებულია.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI მოითხოვს {0} მუშაობისთვის, მაგრამ ის არ მოიძებნა თქვენს სისტემაში.", - "UniGetUI startup page:": "UniGetUI გაშვების გვერდი:", - "UniGetUI updater": "UniGetUI განმაახლებელი", - "UniGetUI version {0} is being downloaded.": "მიმდინარეობს UniGetUI-ის {0} ვერსიის ჩამოტვირთვა.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} მზად არის ინსტალაციისთვის.", - "Uninstall": "წაშლა", - "Uninstall Scoop (and its packages)": "Scoop-ის (და მისი პაკეტების) დეინსტალაცია", "Uninstall and more": "დეინსტალაცია და მეტი", - "Uninstall and remove data": "დეინსტალაცია და მონაცემების წაშლა", - "Uninstall as administrator": "დეინსტალაცია ადმინისტრატორის უფლებებით", "Uninstall canceled by the user!": "დეინსტალაცია გააუქმა მომხმარებელმა!", - "Uninstall failed": "დეინსტალაცია ჩაიშალა", - "Uninstall options": "დეინსტალაციის პარამეტრები", - "Uninstall package": "პაკეტის დეინსტალაცია", - "Uninstall package, then reinstall it": "პაკეტის დეინსტალაცია და ხელახლა ინსტალაცია", - "Uninstall package, then update it": "პაკეტის დეინსტალაცია და შემდგომ მისი განახლება", - "Uninstall previous versions when updated": "განახლებისას წინა ვერსიების დეინსტალაცია", - "Uninstall selected packages": "შერჩეული პაკეტების დეინსტალაცია", - "Uninstall selection": "მონიშნულის დეინსტალაცია", - "Uninstall succeeded": "დეინსტალაცია წარმატებით დასრულდა", "Uninstall the selected packages with administrator privileges": "შერჩეული პაკეტების ადმინისტრატორის პრივილეგიებით დეინსტალაცია", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "დეინსტალირებადი პაკეტები წარმომავლობით როგორც \"{0}\" არ არის გამოქვეყნებული არც ერთ პაკეტების მმართველში, ასე რომ არ არის ინფორმაცია რომ ვაჩვენოთ მათ შესახებ.", - "Unknown": "უცნობი", - "Unknown size": "უცნობი ზომა", - "Unset or unknown": "არ არის მითითებული ან უცნობია", - "Up to date": "განახლებულია", - "Update": "განახლება", - "Update WingetUI automatically": "UniGetUI ავტომატური განახლება", - "Update all": "ყველას განახლება", "Update and more": "განახლებები და მეტი", - "Update as administrator": "ადმინისტრატორით განახლება", - "Update check frequency, automatically install updates, etc.": "განახლებების შემოწმების სიხშირე, განახლებების ავტომატური ინსტალაცია და სხვ.", - "Update checking": "განახლებების შემოწმება", "Update date": "განახლების თარიღი", - "Update failed": "განახლება ჩაიშალა", "Update found!": "ნაპოვნია განახლება!", - "Update now": "ახლა განახლება", - "Update options": "განახლების პარამეტრები", "Update package indexes on launch": "პაკეტების ინდექსების გაშვებისას განახლება", "Update packages automatically": "პაკეტების ავტომატური განახლება", "Update selected packages": "შერჩეული პაკეტების განახლება", "Update selected packages with administrator privileges": "შერჩეული პაკეტების ადმინისტრატორის პრივილეგიებით განახლება", - "Update selection": "მონიშნულის განახლება", - "Update succeeded": "განახლება წარმატებულად დასრულდა", - "Update to version {0}": "განახლება {0} ვერსიამდე", - "Update to {0} available": "ხელმისაწვდომია განახლება {0}-მდე", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg-ის Git პორტფილების ავტომატურად განახლება (საჭიროებს Git-ის დაინსტალირებას)", "Updates": "განახლებები", "Updates available!": "ხელმისაწვდომია განახლებები!", - "Updates for this package are ignored": "ამ პაკეტის განახლებები იგნორირებულია", - "Updates found!": "ნაპოვნია განახლებები!", "Updates preferences": "განახლებების პარამეტრები", "Updating WingetUI": "UniGetUI-ის განახლება", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "მოძველებული WinGet-ის გამოყენება PowerShell CMDLet-ების ნაცვლად", - "Use a custom icon and screenshot database URL": "მორგებული ხატულებისა და სქრინშოტების მონაცემთა ბაზის URL", "Use bundled WinGet instead of PowerShell CMDlets": "ჩაშენებული WinGet-ის გამოყენება PowerShell CMDlet-ების ნაცვლად", - "Use bundled WinGet instead of system WinGet": "ჩაშენებული WinGet-ის გამოყენება სისტემური WinGet-ის ნაცვლად", - "Use installed GSudo instead of UniGetUI Elevator": "GSudo-ს გამოყენება UniGetUI Elevator-ის ნაცვლად", "Use installed GSudo instead of the bundled one": "დაყენებული GSudo-ს გამოყენება ჩაშენებულის ნაცვლად", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "გამოიყენე ძველი UniGetUI Elevator (შეიძლება სასარგებლო იყოს, თუ UniGetUI Elevator-თან პრობლემები გაქვთ)", - "Use system Chocolatey": "სისტემური Chocolatey-ის გამოყენება", "Use system Chocolatey (Needs a restart)": "სისტემური Chocolatey-ის გამოყენება (საჭიროებს გადატვირთვას)", "Use system Winget (Needs a restart)": "სისტემური Winget-ის გამოყენება (საჭიროებს გადატვირთვას)", "Use system Winget (System language must be set to english)": "სისტემური WinGet-ის გამოყენება (სისტემის ენა უნდა იყოს ინგლისური)", "Use the WinGet COM API to fetch packages": "WinGet COM API-ის გამოყენება პაკეტების ჩამოტვირთვისთვის", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet-ის PowerShell მოდულის გამოყენება WinGet COM API-ის ნაცვლად", - "Useful links": "სასარგებლო ბმულები", "User": "მომხმარებელი", - "User interface preferences": "სამომხმარებლო ინტერფეისის პარამეტრები", "User | Local": "მომხმარებელი | ლოკალური", - "Username": "მომხმარებლის სახელი", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI-ის გამოყენება ნიშნავს GNU Lesser General Public License v2.1-ის მიღებას", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI-ის გამოყენება ნიშნავს MIT ლიცენზიის მიღებას", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg ძირეული დირექტორია არ იქნა ნაპოვნი. გთხოვთ გამართოთ %VCPKG_ROOT% გარემოს ცვლდი UniGetUI პარამეტრებში", "Vcpkg was not found on your system.": "Vcpkg არ იქნა ნაპოვნი თქვენს სისტემაზე", - "Verbose": "უფრო ინფორმატიული", - "Version": "ვერსია", - "Version to install:": "დასაყენებელი ვერსია:", - "Version:": "ვერსია:", - "View GitHub Profile": "GitHub-ის პროფილის ნახვა", "View WingetUI on GitHub": "UniGetUI-ის GitHub-ზე ნახვა", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI-ის წყარო კოდის ნახვა. იქ შეგიძლიათ ბაგების დარეპორტება ან ფუნქციონალის შემოთავაზება, ასევე პირდაპირ მიიღოთ UniGetUI პროექტში მონაწილეობა", - "View mode:": "ნახვის რეჟიმი:", - "View on UniGetUI": "UniGetUI-ში ნახვა", - "View page on browser": "გვერდის ბრაუზერში ნახვა", - "View {0} logs": "{0} ჟურნალის ნახვა", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "მოცდა სანამ მოწყობილობა დაუკავშირდება ინტერნეტს მანამ სანამ მოხდება ინტერნეტთან დაკავშირების საჭიროების მქონე ამოცანების შესრულება.", "Waiting for other installations to finish...": "ველოდებით სხვა ინსტალაციების დასრულებას...", "Waiting for {0} to complete...": "ველოდებით {0}-ის დასრულებას...", - "Warning": "გაფრთხილება", - "Warning!": "გაფრთხილება!", - "We are checking for updates.": "ვამოწმებთ განახლებებს.", "We could not load detailed information about this package, because it was not found in any of your package sources": "ჩვენ ვერ შევძელით ჩაგვეტვირთა დეტალური ინფორმაცია ამ პაკეტის შესახებ, იმიტომ, რომ ის არ იქნა ნაპოვნი არც ერთ თქვენს პაკეტების წყაროში.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "ჩვენ ვერ ჩავტვირთეთ დამატებითი ინფორმაცია ამ პაკეტის შესახებ, იმიტომ რომ ის არ დაყენებულა ხელმისაწვდომი პაკეტების მმართველის მიერ.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "ჩვენ ვერ შევძელით {action} {package}. გთხოვთ ხელახლა ცადოდ მოგვიანებით. დაწკაპეთ \"{showDetails}\" რომ ნახოთ ინსტალატორის ჟურნალი.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "ჩვენ ვერ შევძელით {action} {package}. გთხოვთ ხელახლა ცადოდ მოგვიანებით. დაწკაპეთ \"{showDetails}\" რომ ნახოთ დეინსტალატორის ჟურნალი.", "We couldn't find any package": "ჩვენ ვერ ვიპოვეთ ვერც ერთი პაკეტი", "Welcome to WingetUI": "მოგესალმებათ UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "პაკეტების კრებულიდან ერთდროულად დაყენებისას დაყენდეს უკვე დაყენებული პაკეტებიც", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "ახალი მალსახმობების აღმოჩენისას, ამ დიალოგის ჩვენების ნაცვლად ავტომატურად წაშალეთ ისინი.", - "Which backup do you want to open?": "რომელი ბექაფის გახსნა გსურთ?", "Which package managers do you want to use?": "რომელი პაკეტების მმართველების გამოყენება გსურთ?", "Which source do you want to add?": "რომელიწ წყაროს დამატება გსურთ?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "რადგან WinGet-ის გამოყენება შესაძლებელია UniGeUI-ში, ამავდროულად თქვენ შეგიძლიათ სხვა პაკეტების მმართველების გამოყენებაც, რამაც შესაძლოა დაგაბნიოთ. წარსულში UniGetUI შეიქმნა მხოლოდ Winget-თან მუშაობისთვის, მაგრამ ეს უკვე ასე არის.", - "WinGet could not be repaired": "შეუძლებელია WinGet-ის შეკეთება", - "WinGet malfunction detected": "დაფიქსირდა WinGet-ის გაუმართაობა", - "WinGet was repaired successfully": "WinGet წარმატებით შეკეთდა", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - ყველაფერი განახლებულია", "WingetUI - {0} updates are available": "UniGetUI - ხელმისაწვდომია {0} განახლება", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI ვებ-საიტი", "WingetUI Homepage - Share this link!": "UniGetUI-ის ვებ-საიტი - გააზიარე ეს ბმული!", - "WingetUI License": "UniGetUI-ის ლიცენზია", - "WingetUI Log": "UniGetUI-ის ჟურნალი", - "WingetUI Repository": "UniGetUI რეპოზიტორია", - "WingetUI Settings": "UniGetUI-ს პარამეტრები", "WingetUI Settings File": "UniGetUI-ის პარამეტრების ფაილი", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI იყენებს შემდეგ ბიბლიოთეკებს. მათ გარეშე UniGetUI-ს არსებობა შეუძლებელი იქნებოდა.", - "WingetUI Version {0}": "UniGetUI ვერსია {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI ავტომატური დაწყების ქცევა, აპლიკაციის გაშვების პარამეტრები", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI-ს შეუძლია შეამოწმოს, არის თუ არა თქვენი პროგრამულ უზრუნველყოფის განახლებები ხელმისაწვდომი და თუ გსურთ, ავტომატურად დააინსტალირებს მათ", - "WingetUI display language:": "UniGetUI-ის ინტერფეისის ენა:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI გაშვებულია როგორც ადმინისტრატორი, რაც არ არის რეკომენდებული. UniGetUI-ის პრივილეგიებით გაშვებისას, UniGetUI-დან გაშვებული ყველა ოპერაციას ექნება ადმინისტრატორის პრივილეგიები. თქვენ კვლავ შეგიძლიათ გამოიყენოთ პროგრამა, მაგრამ ჩვენ გირჩევთ არ გაუშვათ UniGetUI ადმინისტრატორის პრივილეგიებით.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI თარგმნილია 40-ზე მეტ ენაზე მოხალისეების მიერ. მადლობა \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI არ არის თარგმნილი მანქანურად! ამ მომხმარებლებმა უზრუნველყვეს თარგმნა:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI არის აპლიკაცია, რომელიც გიადვილებთ პროგრამული უზრუნველყოფის მათვას, ეს მიიღწევა ყველა-ერთში გრაფიკული ინფტერფეისის საშუალებით თქვენი ბრძანების ზოლის პაკეტების მენეჯერებისთვის.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI-ის სახელის შეცვლის მიზეზი არის ის, რომ მოხდეს მკაფიო განსხვავება UniGetUI-სა (ინტერფეისი რომელსაც ახლა იყენებთ) და WinGet-ს (Microsoft-ის მერ შექმნილი პაკეტების მენეჯერი, რომელთანაც მე არ მაქვს კავშირი) შორის.", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI ახლდება. დასრულების შემდეგ, UniGetUI თავად გადაიტვირთება", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI უფასოა და სამუდამოდ უფასო იქნება. არც რეკლამები, არც საკრედიტო ბარათი, არც პრემიუმ ვერსია. 100% უფასო, სამუდამოდ.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI აჩვენებს UAC მოთხოვნას ყოველ ჯერზე, როცა პაკეტი მოითხოვს პრივილეგიებს დაყენებისას.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI მალე გახდება {newname}. ამით აპლიკაცია არ შეცვლება. მე (დეველოპერი) გავაგრძელებ მუშობას ამ პროექტზე ისევე, როგორც ახლა, მაგრამ სხვა სახელით.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI შეუძლებელი იქნებოდა ჩვენი ძვირფასი კონტრიბუტორების დახმარების გარეშე. ნახეთ მათი GitHub პროფილები, UniGetUI მათ გარეშე შეუძლებელი იქნებოდა!\n", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI-ის არსებობა შეუძლებელი იქნებოდა შემომწირველების დახმარების გარეშე. მადლობა თქვენ \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} მზადაა ინსტალაციისთვის.", - "Write here the process names here, separated by commas (,)": "აქ შეიყვანეთ პროცესების სახელები, გამოყავით მძიმეებით (,)", - "Yes": "კი", - "You are logged in as {0} (@{1})": "თქვენ შესული ხართ როგორც {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "თქვენ შეგიძლიათ ამის შეცვლა UniGetUI-ის უსაფრთხოების პარამეტრებში.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "თქვენ შეგიძლიათ განსაზღვროთ ბძანებები, რომლებიც გაეშვება პაკეტის ინსტალაციის განახლების და დეინსტალაციის დაწყებამდე ან შემდეგ. ბრძანებები ტერმინალში გაეშვება, ასე რომ შეგიძლიათ CMD სკრიპტების გამოყენებაც.", - "You have currently version {0} installed": "თქვენი მიმდინარე ვერსიაა {0}", - "You have installed WingetUI Version {0}": "თქვენ დააყენეთ UniGetUI-ის {0} ვერსია", - "You may lose unsaved data": "თქვენ შესაძლოა დაკარგოთ შეუნახავი მონაცემები", - "You may need to install {pm} in order to use it with WingetUI.": "თქვენ შესაძლოა დაგჭირდეთ {pm} იმისთვის, რომ UniGetUI-თ ისარგებლოთ.", "You may restart your computer later if you wish": "თუ გსურთ თქვენ შეგიძლიათ გადატვირთოთ თქვენი კომპიუტერი მოგვიანებით", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "თქვენ ამას მხოლო ერთხელ შეგეკითხებიან და ადმინისტრატორის უფლებები გამოყენებული იქნება პაკეტებისთვის, რომლებიც ამას მოითხოვენ.", "You will be prompted only once, and every future installation will be elevated automatically.": "თქვენ ამას მხოლოდ ერთხელ შეგეკითხებიან და ყოველი შემდგომი ინსტალაცია ავტომატურად გაეშვება პრივილეგიებით", - "You will likely need to interact with the installer.": "თვენ შესაძლოა ინსტალატორთან ინტერაქცია მოგიწიოთ", - "[RAN AS ADMINISTRATOR]": "ადმინისტრატორით გაშვება", "buy me a coffee": "ყავაზე დამპატიჟე", - "extracted": "გამოარქივდა", - "feature": "ფუნქცია", "formerly WingetUI": "ადრე ცნობილი როგორც WingetUI", "homepage": "ვებ-საიტი", "install": "დაინსტალირება", "installation": "ინსტალაცია", - "installed": "დაინსტალირდა", - "installing": "ინსტალირდება", - "library": "ბიბლიოთეკა", - "mandatory": "სავალდებულო", - "option": "ოფცია", - "optional": "არასავალდებულო", "uninstall": "დეინსტალაცია", "uninstallation": "დეინსტალაცია", "uninstalled": "დეინსტალირდა", - "uninstalling": "დეინსტალაცია", "update(noun)": "განახლება", "update(verb)": "განახლება", "updated": "განახლდა", - "updating": "ახლდება", - "version {0}": "ვერსია {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} ინსტალაციის პარამეტრები ამჟამად დაბლოკილია იმიტომ, რომ {0} იყენებს ნაგულისმევ ინსტალაციის პარამეტრებს.", "{0} Uninstallation": "{0} დეინსტალაცია", "{0} aborted": "{0} გაუქმდა", "{0} can be updated": "{0} შესაძლებელია განახლება", - "{0} can be updated to version {1}": "{0} შესაძლებელია განახლდეს {1} ვერსიამდე", - "{0} days": "{0} დღე", - "{0} desktop shortcuts created": "{0} სამუშაო მაგიდაზე შეიქმნა მალსახმობი", "{0} failed": "{0} ჩაიშალა", - "{0} has been installed successfully.": "{0} წარმატებით დაინსტალირდა", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} წარმატებით დაყენდა. რეკომენდებულია UniGetUI-ის ხელახლა გაშვება ინსტალაციის დასრულებისთვის", "{0} has failed, that was a requirement for {1} to be run": "{0} ჩაიშალა, ის იყო აუცილებელი {1}-ის გაშვებისთვის", - "{0} homepage": "{0} მთავარი გვერდი", - "{0} hours": "{0} საათი", "{0} installation": "{0} ინსტალაცია", - "{0} installation options": "{0} ინსტალაციის პარამეტრები", - "{0} installer is being downloaded": "იტვირთება {0}-ის ინსტალატორი", - "{0} is being installed": "ინსტალირდება {0}", - "{0} is being uninstalled": "{0} დეინსტალირდება", "{0} is being updated": "ახლდება {0}", - "{0} is being updated to version {1}": "{0} ახლდება {1} ვერსიამდე", - "{0} is disabled": "{0} გამორთულია", - "{0} minutes": "{0} წუთი", "{0} months": "{0} თვე", - "{0} packages are being updated": "მიმდინარეობს {0} პაკეტის განახლება", - "{0} packages can be updated": "შესაძლებელი {0} პაკეტის განახლება", "{0} packages found": "ნაპოვნია {0} პაკეტი", "{0} packages were found": "ნაპოვნია {0} პაკეტი", - "{0} packages were found, {1} of which match the specified filters.": "ნაპოვნია {0} პაკეტი, {1} შეესაბამება მითითებულ ფილტრებს.", - "{0} selected": "{0} მონიშნულია", - "{0} settings": "{0}-ის პარამეტრები", - "{0} status": "{0} სტატუსი", "{0} succeeded": "{0} წარმატებულია", "{0} update": "{0} განახლება", - "{0} updates are available": "ხელმისაწვდომა {0} განახლება", "{0} was {1} successfully!": " {0} იყო {1} წარმატებით!", "{0} weeks": "{0} კვირა", "{0} years": "{0} წელი", "{0} {1} failed": "{0} {1} ჩაიშალა", - "{package} Installation": "{package} ინსტალაცია", - "{package} Uninstall": "{package} დეინსტალაცია", - "{package} Update": "{package} განახლება", - "{package} could not be installed": "{package}-ის ინსტალაცია შეუძლებელია", - "{package} could not be uninstalled": "{package}-ის დეინსტალაცია შეუძლებელია", - "{package} could not be updated": "{package}-ის განახლება შეუძლებელია", "{package} installation failed": "{package}-ის ინსტალაცია ჩაიშალა", - "{package} installer could not be downloaded": "ვერ ხერხდება {package}-ის ინსტალატორის ჩამოტვირთვა ", - "{package} installer download": "{package}-ის ინსტალატორის ჩამოტვირთვა", - "{package} installer was downloaded successfully": "{package}-ის ინსტალატორი წარმატებით ჩამოიტვირთა", "{package} uninstall failed": "{package} წაშლა ჩაიშალა", "{package} update failed": "{package} განახლება ჩაიშალა", "{package} update failed. Click here for more details.": "{package} განახლება ჩაიშალა. დაწკაპეთ აქ მეტი დეტალისთვით.", - "{package} was installed successfully": "{package} წარმატებით დაინსტალირდა", - "{package} was uninstalled successfully": "{package} წარმატებით წაიშალა", - "{package} was updated successfully": "{package} წარმატებით განახლდა", - "{pcName} installed packages": "{pcName} დაყენებული პაკეტები", "{pm} could not be found": "{pm} არ არის ნაპოვნი", "{pm} found: {state}": "{pm} ნაპოვნია: {state}", - "{pm} is disabled": "{pm} გამორთულია", - "{pm} is enabled and ready to go": "{pm} ჩართულია და მზად არის გასაშვებად", "{pm} package manager specific preferences": "{pm} პაკეტების მენეჯერის სპეციფიური პარამეტრები", "{pm} preferences": "{pm} პარამეტრები", - "{pm} version:": "{pm} ვერსია:", - "{pm} was not found!": "{pm} ვერ იქნა ნაპოვნი!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "გამარჯობა, ჩემი სახელია მარტი და მე ვარ UniGetUI-ის დეველოპერი. UniGetUI სრულად შექმნილია ჩემი თავისუფალი დროის ხარჯზე!", + "Thank you ❤": "გმადლობთ ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "ამ პროექტს არ აქვს კავშირი ოფიციალურ {0} პროექტთან - ის სრულიად არაოფიციალურია" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_kn.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_kn.json index 1414dc2a43..66361122f4 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_kn.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_kn.json @@ -1,166 +1,737 @@ { + "Operation in progress": "ಕಾರ್ಯಾಚರಣೆ ಪ್ರಗತಿಯಲ್ಲಿದೆ", + "Please wait...": "ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", + "Success!": "ಯಶಸ್ಸು!", + "Failed": "ವಿಫಲವಾಗಿದೆ", + "An error occurred while processing this package": "ಈ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಪ್ರಕ್ರಿಯೆಗೊಳಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ", + "Log in to enable cloud backup": "Cloud backup ಸಕ್ರಿಯಗೊಳಿಸಲು ಲಾಗಿನ್ ಮಾಡಿ", + "Backup Failed": "ಬ್ಯಾಕಪ್ ವಿಫಲವಾಗಿದೆ", + "Downloading backup...": "backup ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ...", + "An update was found!": "ನವೀಕರಣ ಕಂಡುಬಂದಿದೆ!", + "{0} can be updated to version {1}": "{0} ಅನ್ನು version {1} ಗೆ update ಮಾಡಬಹುದು", + "Updates found!": "updates ಕಂಡುಬಂದಿವೆ!", + "{0} packages can be updated": "{0} packages update ಮಾಡಬಹುದು", + "You have currently version {0} installed": "ನಿಮ್ಮಲ್ಲಿ ಪ್ರಸ್ತುತ version {0} install ಆಗಿದೆ", + "Desktop shortcut created": "Desktop shortcut ರಚಿಸಲಾಗಿದೆ", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಬಹುದಾದ ಹೊಸ desktop shortcut ಅನ್ನು ಪತ್ತೆಹಚ್ಚಿದೆ.", + "{0} desktop shortcuts created": "{0} desktop shortcuts ರಚಿಸಲಾಗಿದೆ", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಬಹುದಾದ {0} ಹೊಸ desktop shortcuts ಗಳನ್ನು UniGetUI ಪತ್ತೆಹಚ್ಚಿದೆ.", + "Are you sure?": "ನೀವು ಖಚಿತವಾಗಿ ಇದೀರಾ?", + "Do you really want to uninstall {0}?": "ನೀವು ನಿಜವಾಗಿಯೂ {0} ಅನ್ನು ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲು ಬಯಸುವಿರಾ?", + "Do you really want to uninstall the following {0} packages?": "ಕೆಳಗಿನ {0} ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿಜವಾಗಿಯೂ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲು ಬಯಸುವಿರಾ?", + "No": "ಇಲ್ಲ", + "Yes": "ಹೌದು", + "View on UniGetUI": "UniGetUI ನಲ್ಲಿ ನೋಡಿ", + "Update": "ನವೀಕರಿಸಿ", + "Open UniGetUI": "UniGetUI ತೆರೆಯಿರಿ", + "Update all": "ಎಲ್ಲವನ್ನೂ update ಮಾಡಿ", + "Update now": "ಈಗ update ಮಾಡಿ", + "This package is on the queue": "ಈ package queue ಯಲ್ಲಿದೆ", + "installing": "ಸ್ಥಾಪಿಸಲಾಗುತ್ತಿದೆ", + "updating": "ನವೀಕರಿಸಲಾಗುತ್ತಿದೆ", + "uninstalling": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲಾಗುತ್ತಿದೆ", + "installed": "ಸ್ಥಾಪಿಸಲಾಗಿದೆ", + "Retry": "ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Install": "ಸ್ಥಾಪಿಸಿ", + "Uninstall": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಿ", + "Open": "ತೆರೆಯಿರಿ", + "Operation profile:": "ಕಾರ್ಯಾಚರಣೆ profile:", + "Follow the default options when installing, upgrading or uninstalling this package": "ಈ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಸ್ಥಾಪಿಸುವಾಗ, upgrade ಮಾಡುವಾಗ ಅಥವಾ uninstall ಮಾಡುವಾಗ default options ಅನ್ನು ಅನುಸರಿಸಿ", + "The following settings will be applied each time this package is installed, updated or removed.": "ಈ package install, update ಅಥವಾ remove ಆಗುವ ಪ್ರತಿಸಾರಿ ಕೆಳಗಿನ settings ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ.", + "Version to install:": "ಸ್ಥಾಪಿಸಬೇಕಾದ version:", + "Architecture to install:": "ಸ್ಥಾಪಿಸಲು ವಾಸ್ತುಶಿಲ್ಪ:", + "Installation scope:": "ಸ್ಥಾಪನಾ ವ್ಯಾಪ್ತಿ:", + "Install location:": "ಸ್ಥಾಪನಾ ಸ್ಥಳ:", + "Select": "ಆಯ್ಕೆಮಾಡಿ", + "Reset": "ಮರುಹೊಂದಿಸಿ", + "Custom install arguments:": "ಕಸ್ಟಮ್ ಸ್ಥಾಪನಾ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", + "Custom update arguments:": "ಕಸ್ಟಮ್ ನವೀಕರಣ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", + "Custom uninstall arguments:": "ಕಸ್ಟಮ್ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", + "Pre-install command:": "ಸ್ಥಾಪನೆಗೂ ಮುಂಚಿನ command:", + "Post-install command:": "ಸ್ಥಾಪನೆಯ ನಂತರದ command:", + "Abort install if pre-install command fails": "pre-install command ವಿಫಲವಾದರೆ ಸ್ಥಾಪನೆಯನ್ನು ನಿಲ್ಲಿಸಿ", + "Pre-update command:": "update ಮುಂಚಿನ command:", + "Post-update command:": "update ನಂತರದ command:", + "Abort update if pre-update command fails": "pre-update command ವಿಫಲವಾದರೆ ನವೀಕರಣವನ್ನು ನಿಲ್ಲಿಸಿ", + "Pre-uninstall command:": "uninstall ಮುಂಚಿನ command:", + "Post-uninstall command:": "uninstall ನಂತರದ command:", + "Abort uninstall if pre-uninstall command fails": "pre-uninstall command ವಿಫಲವಾದರೆ ಅಸ್ಥಾಪನೆಯನ್ನು ನಿಲ್ಲಿಸಿ", + "Command-line to run:": "ನಡೆಯಬೇಕಾದ command-line:", + "Save and close": "ಉಳಿಸಿ ಮತ್ತು ಮುಚ್ಚಿ", + "Run as admin": "admin ಆಗಿ ಚಾಲನೆ ಮಾಡಿ", + "Interactive installation": "Interactive ಸ್ಥಾಪನೆ", + "Skip hash check": "hash check ಬಿಟ್ಟುಬಿಡಿ", + "Uninstall previous versions when updated": "update ಆದಾಗ ಹಿಂದಿನ versions ಗಳನ್ನು uninstall ಮಾಡಿ", + "Skip minor updates for this package": "ಈ ಪ್ಯಾಕೇಜ್‌ಗೆ ಸಣ್ಣ ನವೀಕರಣಗಳನ್ನು ಬಿಟ್ಟುಬಿಡಿ", + "Automatically update this package": "ಈ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ನವೀಕರಿಸಿ", + "{0} installation options": "{0} installation ಆಯ್ಕೆಗಳು", + "Latest": "ಇತ್ತೀಚಿನ", + "PreRelease": "ಪ್ರೀರಿಲೀಸ್", + "Default": "ಡೀಫಾಲ್ಟ್", + "Manage ignored updates": "ನಿರ್ಲಕ್ಷ್ಯಗೊಳಿಸಲಾದ ನವೀಕರಣಗಳನ್ನು ನಿರ್ವಹಿಸಿ", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "ಇಲ್ಲಿ ಪಟ್ಟಿ ಮಾಡಲಾದ package ಗಳನ್ನು updates ಪರಿಶೀಲಿಸುವಾಗ ಗಣನೆಗೆ ತೆಗೆದುಕೊಳ್ಳಲಾಗುವುದಿಲ್ಲ. ಅವುಗಳ updates ಅನ್ನು ನಿರ್ಲಕ್ಷಿಸುವುದನ್ನು ನಿಲ್ಲಿಸಲು ಅವುಗಳ ಮೇಲೆ double-click ಮಾಡಿ ಅಥವಾ ಬಲಭಾಗದ button ಮೇಲೆ click ಮಾಡಿ.", + "Reset list": "ಪಟ್ಟಿಯನ್ನು ಮರುಹೊಂದಿಸಿ", + "Package Name": "ಪ್ಯಾಕೇಜ್ ಹೆಸರು", + "Package ID": "ಪ್ಯಾಕೇಜ್ ID", + "Ignored version": "ನಿರ್ಲಕ್ಷಿತ ಆವೃತ್ತಿ", + "New version": "ಹೊಸ ಆವೃತ್ತಿ", + "Source": "ಮೂಲ", + "All versions": "ಎಲ್ಲಾ ಆವೃತ್ತಿಗಳು", + "Unknown": "ಅಪರಿಚಿತ", + "Up to date": "ನವೀಕರಿತವಾಗಿದೆ", + "Cancel": "ರದ್ದುಮಾಡಿ", + "Administrator privileges": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳು", + "This operation is running with administrator privileges.": "ಈ ಕಾರ್ಯಾಚರಣೆ administrator privileges ಜೊತೆ ನಡೆಯುತ್ತಿದೆ.", + "Interactive operation": "Interactive ಕಾರ್ಯಾಚರಣೆ", + "This operation is running interactively.": "ಈ ಕಾರ್ಯಾಚರಣೆ ಪರಸ್ಪರಕ್ರಿಯಾತ್ಮಕವಾಗಿ ನಡೆಯುತ್ತಿದೆ.", + "You will likely need to interact with the installer.": "ನೀವು installer ಜೊತೆ ಸಂವಹನ ನಡೆಸಬೇಕಾಗುವ ಸಾಧ್ಯತೆ ಇದೆ.", + "Integrity checks skipped": "Integrity checks ಬಿಟ್ಟುಕೊಡಲಾಗಿದೆ", + "Proceed at your own risk.": "ನಿಮ್ಮ ಸ್ವಂತ ಜವಾಬ್ದಾರಿಯಲ್ಲಿ ಮುಂದುವರಿಯಿರಿ.", + "Close": "ಮುಚ್ಚಿ", + "Loading...": "Load ಆಗುತ್ತಿದೆ...", + "Installer SHA256": "ಇನ್‌ಸ್ಟಾಲರ್ SHA256", + "Homepage": "ಮುಖಪುಟ", + "Author": "ಲೇಖಕ", + "Publisher": "ಪ್ರಕಾಶಕ", + "License": "ಪರವಾನಗಿ", + "Manifest": "ಮ್ಯಾನಿಫೆಸ್ಟ್", + "Installer Type": "Installer ಪ್ರಕಾರ", + "Size": "ಗಾತ್ರ", + "Installer URL": "ಇನ್‌ಸ್ಟಾಲರ್ URL", + "Last updated:": "ಕೊನೆಯಾಗಿ ನವೀಕರಿಸಲಾಗಿದೆ:", + "Release notes URL": "ಬಿಡುಗಡೆ ಟಿಪ್ಪಣಿಗಳ URL", + "Package details": "ಪ್ಯಾಕೇಜ್ ವಿವರಗಳು", + "Dependencies:": "ಆಧಾರಗಳು:", + "Release notes": "ಬಿಡುಗಡೆ ಟಿಪ್ಪಣಿಗಳು", + "Version": "ಆವೃತ್ತಿ", + "Install as administrator": "ನಿರ್ವಾಹಕರಾಗಿ ಸ್ಥಾಪಿಸಿ", + "Update to version {0}": "version {0} ಗೆ update ಮಾಡಿ", + "Installed Version": "ಸ್ಥಾಪಿತ ಆವೃತ್ತಿ", + "Update as administrator": "administrator ಆಗಿ update ಮಾಡಿ", + "Interactive update": "Interactive ನವೀಕರಣ", + "Uninstall as administrator": "administrator ಆಗಿ uninstall ಮಾಡಿ", + "Interactive uninstall": "Interactive ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್", + "Uninstall and remove data": "uninstall ಮಾಡಿ ಮತ್ತು data ತೆಗೆದುಹಾಕಿ", + "Not available": "ಲಭ್ಯವಿಲ್ಲ", + "Installer SHA512": "ಇನ್‌ಸ್ಟಾಲರ್ SHA512", + "Unknown size": "ಅಪರಿಚಿತ ಗಾತ್ರ", + "No dependencies specified": "ಯಾವುದೇ ಅವಲಂಬನೆಗಳನ್ನು ಸೂಚಿಸಲಾಗಿಲ್ಲ", + "mandatory": "ಕಡ್ಡಾಯ", + "optional": "ಐಚ್ಛಿಕ", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} install ಆಗಲು ಸಿದ್ಧವಾಗಿದೆ.", + "The update process will start after closing UniGetUI": "UniGetUI ಮುಚ್ಚಿದ ನಂತರ update ಪ್ರಕ್ರಿಯೆ ಪ್ರಾರಂಭವಾಗುತ್ತದೆ", + "Share anonymous usage data": "ಅನಾಮಧೇಯ ಬಳಕೆ ಡೇಟಾವನ್ನು ಹಂಚಿಕೊಳ್ಳಿ", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "ಬಳಕೆದಾರ ಅನುಭವವನ್ನು ಉತ್ತಮಗೊಳಿಸಲು UniGetUI ಅನಾಮಧೇಯ ಬಳಕೆ ಡೇಟಾವನ್ನು ಸಂಗ್ರಹಿಸುತ್ತದೆ.", + "Accept": "ಸ್ವೀಕರಿಸಿ", + "You have installed WingetUI Version {0}": "ನೀವು UniGetUI Version {0} install ಮಾಡಿದ್ದಾರೆ", + "Disclaimer": "ಘೋಷಣೆ", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ಯಾವುದೇ ಹೊಂದಾಣಿಕೆಯ package managers ಗಳಿಗೆ ಸಂಬಂಧಿಸಿದುದಲ್ಲ. UniGetUI ಒಂದು ಸ್ವತಂತ್ರ ಯೋಜನೆ.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors ಗಳ ಸಹಾಯವಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ. ಎಲ್ಲರಿಗೂ ಧನ್ಯವಾದಗಳು 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ಕೆಳಗಿನ libraries ಗಳನ್ನು ಬಳಸುತ್ತದೆ. ಅವುಗಳಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ.", + "{0} homepage": "{0} ಮುಖಪುಟ", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "ಸ್ವಯಂಸೇವಕ ಅನುವಾದಕರಿಂದ UniGetUI ಅನ್ನು 40 ಕ್ಕೂ ಹೆಚ್ಚು ಭಾಷೆಗಳಿಗೆ ಅನುವಾದಿಸಲಾಗಿದೆ. ಧನ್ಯವಾದಗಳು 🤝", + "Verbose": "ವಿವರವಾದ", + "1 - Errors": "1 - ದೋಷಗಳು", + "2 - Warnings": "2 - ಎಚ್ಚರಿಕೆಗಳು", + "3 - Information (less)": "3 - ಮಾಹಿತಿ (ಕಡಿಮೆ)", + "4 - Information (more)": "4 - ಮಾಹಿತಿ (ಹೆಚ್ಚು)", + "5 - information (debug)": "5 - ಮಾಹಿತಿ (ಡಿಬಗ್)", + "Warning": "ಎಚ್ಚರಿಕೆ", + "The following settings may pose a security risk, hence they are disabled by default.": "ಕೆಳಗಿನ settings security risk ಉಂಟುಮಾಡಬಹುದು, ಆದ್ದರಿಂದ ಅವು default ಆಗಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "ಕೆಳಗಿನ settings ಏನು ಮಾಡುತ್ತವೆ ಮತ್ತು ಅವುಗಳಿಂದಾಗುವ ಪರಿಣಾಮಗಳನ್ನು ನೀವು ಸಂಪೂರ್ಣವಾಗಿ ಅರ್ಥಮಾಡಿಕೊಂಡಿದ್ದರೆ ಮಾತ್ರ ಅವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ.", + "The settings will list, in their descriptions, the potential security issues they may have.": "settings ಗಳ ವಿವರಣೆಯಲ್ಲಿ ಅವುಗಳಿಗೆ ಇರಬಹುದಾದ ಭದ್ರತಾ ಸಮಸ್ಯೆಗಳ ಪಟ್ಟಿಯನ್ನು ನೀಡಲಾಗುತ್ತದೆ.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup ನಲ್ಲಿ installed packages ಗಳ ಸಂಪೂರ್ಣ ಪಟ್ಟಿಯೂ ಮತ್ತು ಅವುಗಳ installation options ಕೂಡ ಸೇರಿರುತ್ತದೆ. ignored updates ಮತ್ತು skipped versions ಕೂಡ ಉಳಿಸಲಾಗುತ್ತದೆ.", + "The backup will NOT include any binary file nor any program's saved data.": "backup ನಲ್ಲಿ ಯಾವುದೇ binary file ಅಥವಾ ಯಾವುದೇ program ನ saved data ಸೇರಿರುವುದಿಲ್ಲ.", + "The size of the backup is estimated to be less than 1MB.": "backup ಗಾತ್ರವು 1MB ಕ್ಕಿಂತ ಕಡಿಮೆ ಎಂದು ಅಂದಾಜಿಸಲಾಗಿದೆ.", + "The backup will be performed after login.": "login ನಂತರ backup ನಡೆಸಲಾಗುತ್ತದೆ.", + "{pcName} installed packages": "{pcName} ನಲ್ಲಿ install ಆಗಿರುವ packages", + "Current status: Not logged in": "ಪ್ರಸ್ತುತ ಸ್ಥಿತಿ: ಲಾಗಿನ್ ಆಗಿಲ್ಲ", + "You are logged in as {0} (@{1})": "ನೀವು {0} (@{1}) ಆಗಿ login ಆಗಿದ್ದೀರಿ", + "Nice! Backups will be uploaded to a private gist on your account": "ಚೆನ್ನಾಗಿದೆ! Backups ನಿಮ್ಮ ಖಾತೆಯ ಖಾಸಗಿ gist ಗೆ ಅಪ್‌ಲೋಡ್ ಆಗುತ್ತದೆ", + "Select backup": "backup ಆಯ್ಕೆಮಾಡಿ", + "WingetUI Settings": "UniGetUI ಸೆಟ್ಟಿಂಗ್‌ಗಳು", + "Allow pre-release versions": "pre-release ಆವೃತ್ತಿಗಳಿಗೆ ಅನುಮತಿಸಿ", + "Apply": "ಅನ್ವಯಿಸಿ", + "Go to UniGetUI security settings": "UniGetUI ಭದ್ರತಾ ಸೆಟ್ಟಿಂಗ್‌ಗಳಿಗೆ ಹೋಗಿ", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "{0} package install, upgrade ಅಥವಾ uninstall ಆಗುವ ಪ್ರತಿಸಾರಿ ಕೆಳಗಿನ ಆಯ್ಕೆಗಳು default ಆಗಿ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ.", + "Package's default": "ಪ್ಯಾಕೇಜ್‌ನ default", + "Install location can't be changed for {0} packages": "{0} ಪ್ಯಾಕೇಜ್‌ಗಳಿಗಾಗಿ ಸ್ಥಾಪನಾ ಸ್ಥಳವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", + "The local icon cache currently takes {0} MB": "ಸ್ಥಳೀಯ icon cache ಪ್ರಸ್ತುತ {0} MB ಜಾಗ ಬಳಸುತ್ತಿದೆ", + "Username": "username", + "Password": "ಗುಪ್ತಪದ", + "Credentials": "ಪರಿಚಯ ವಿವರಗಳು", + "Partially": "ಭಾಗಶಃ", + "Package manager": "ಪ್ಯಾಕೇಜ್ manager", + "Compatible with proxy": "proxy ಜೊತೆಗೆ ಹೊಂದಿಕೊಳ್ಳುತ್ತದೆ", + "Compatible with authentication": "ದೃಢೀಕರಣದೊಂದಿಗೆ ಹೊಂದಿಕೊಳ್ಳುತ್ತದೆ", + "Proxy compatibility table": "Proxy ಹೊಂದಾಣಿಕೆ ಪಟ್ಟಿಕೆ", + "{0} settings": "{0} ಸೆಟ್ಟಿಂಗ್‌ಗಳು", + "{0} status": "{0} ಸ್ಥಿತಿ", + "Default installation options for {0} packages": "{0} ಪ್ಯಾಕೇಜ್‌ಗಳ ಡೀಫಾಲ್ಟ್ ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳು", + "Expand version": "ಆವೃತ್ತಿಯನ್ನು ವಿಸ್ತರಿಸಿ", + "The executable file for {0} was not found": "{0} ಗಾಗಿ executable file ಕಂಡುಬಂದಿಲ್ಲ", + "{pm} is disabled": "{pm} ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", + "Enable it to install packages from {pm}.": "{pm} ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಲು ಇದನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ.", + "{pm} is enabled and ready to go": "{pm} ಸಕ್ರಿಯವಾಗಿದೆ ಮತ್ತು ಸಿದ್ಧವಾಗಿದೆ", + "{pm} version:": "{pm} ಆವೃತ್ತಿ:", + "{pm} was not found!": "{pm} ಕಂಡುಬಂದಿಲ್ಲ!", + "You may need to install {pm} in order to use it with WingetUI.": "{pm} ಅನ್ನು UniGetUI ಜೊತೆಗೆ ಬಳಸಲು ನೀವು ಅದನ್ನು install ಮಾಡಬೇಕಾಗಬಹುದು.", + "Scoop Installer - WingetUI": "Scoop ಸ್ಥಾಪಕ - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop ಅನ್‌ಇನ್‌ಸ್ಟಾಲರ್ - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop ಕ್ಯಾಶೆ ತೆರವುಗೊಳಿಸಲಾಗುತ್ತಿದೆ - WingetUI", + "Restart UniGetUI": "UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", + "Manage {0} sources": "{0} sources ಅನ್ನು ನಿರ್ವಹಿಸಿ", + "Add source": "ಮೂಲವನ್ನು ಸೇರಿಸಿ", + "Add": "ಸೇರಿಸಿ", + "Other": "ಇತರೆ", + "1 day": "1 ದಿನ", + "{0} days": "{0} ದಿನಗಳು", + "{0} minutes": "{0} ನಿಮಿಷಗಳು", + "1 hour": "1 ಗಂಟೆ", + "{0} hours": "{0} ಗಂಟೆಗಳು", + "1 week": "1 ವಾರ", + "WingetUI Version {0}": "UniGetUI ಆವೃತ್ತಿ {0}", + "Search for packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕಿ", + "Local": "ಸ್ಥಳೀಯ", + "OK": "ಸರಿ", + "{0} packages were found, {1} of which match the specified filters.": "{0} packages ಕಂಡುಬಂದಿವೆ, ಅವುಗಳಲ್ಲಿ {1} ನಿರ್ದಿಷ್ಟ filters ಗೆ ಹೊಂದುತ್ತವೆ.", + "{0} selected": "{0} ಆಯ್ಕೆಮಾಡಲಾಗಿದೆ", + "(Last checked: {0})": "(ಕೊನೆಯದಾಗಿ ಪರಿಶೀಲಿಸಲಾಗಿದೆ: {0})", + "Enabled": "ಸಕ್ರಿಯಗೊಂಡಿದೆ", + "Disabled": "ಅಚೇತನಗೊಂಡಿದೆ", + "More info": "ಇನ್ನಷ್ಟು ಮಾಹಿತಿ", + "Log in with GitHub to enable cloud package backup.": "Cloud package backup ಸಕ್ರಿಯಗೊಳಿಸಲು GitHub ಬಳಸಿ ಲಾಗಿನ್ ಮಾಡಿ.", + "More details": "ಇನ್ನಷ್ಟು ವಿವರಗಳು", + "Log in": "ಲಾಗಿನ್ ಮಾಡಿ", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "ನೀವು cloud backup ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿದ್ದರೆ, ಅದು ಈ ಖಾತೆಯಲ್ಲಿ GitHub Gist ಆಗಿ ಉಳಿಸಲಾಗುತ್ತದೆ", + "Log out": "ಲಾಗ್ ಔಟ್ ಮಾಡಿ", + "About": "ಬಗ್ಗೆ", + "Third-party licenses": "ಮೂರನೇ ಪಕ್ಷದ ಪರವಾನಗಿಗಳು", + "Contributors": "ಸಹಯೋಗಿಗಳು", + "Translators": "ಅನುವಾದಕರು", + "Manage shortcuts": "shortcuts ಅನ್ನು ನಿರ್ವಹಿಸಿ", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "ಭವಿಷ್ಯದ upgrades ಗಳಲ್ಲಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ತೆಗೆದುಹಾಕಬಹುದಾದ ಕೆಳಗಿನ desktop shortcuts ಗಳನ್ನು UniGetUI ಪತ್ತೆಹಚ್ಚಿದೆ", + "Do you really want to reset this list? This action cannot be reverted.": "ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಪಟ್ಟಿಯನ್ನು reset ಮಾಡಲು ಬಯಸುವಿರಾ? ಈ ಕ್ರಿಯೆಯನ್ನು ಹಿಂದಿರುಗಿಸಲಾಗುವುದಿಲ್ಲ.", + "Remove from list": "ಪಟ್ಟಿಯಿಂದ ತೆಗೆದುಹಾಕಿ", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "ಹೊಸ shortcuts ಪತ್ತೆಯಾದಾಗ, ಈ dialog ತೋರಿಸುವುದಕ್ಕೆ ಬದಲು ಅವುಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಿ.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "ಬಳಕೆದಾರ ಅನುಭವವನ್ನು ಅರ್ಥಮಾಡಿಕೊಳ್ಳಲು ಮತ್ತು ಉತ್ತಮಗೊಳಿಸಲು ಮಾತ್ರ UniGetUI ಅನಾಮಧೇಯ ಬಳಕೆ ಡೇಟಾವನ್ನು ಸಂಗ್ರಹಿಸುತ್ತದೆ.", + "More details about the shared data and how it will be processed": "ಹಂಚಿಕೊಳ್ಳಲಾದ ಡೇಟಾ ಮತ್ತು ಅದನ್ನು ಹೇಗೆ ಸಂಸ್ಕರಿಸಲಾಗುತ್ತದೆ ಎಂಬುದರ ಬಗ್ಗೆ ಇನ್ನಷ್ಟು ವಿವರಗಳು", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "ಬಳಕೆದಾರ ಅನುಭವವನ್ನು ಅರ್ಥಮಾಡಿಕೊಳ್ಳಲು ಮತ್ತು ಸುಧಾರಿಸಲು ಮಾತ್ರ UniGetUI ಅನಾಮಧೇಯ ಬಳಕೆ ಅಂಕಿಅಂಶಗಳನ್ನು ಸಂಗ್ರಹಿಸಿ ಕಳುಹಿಸುವುದನ್ನು ನೀವು ಒಪ್ಪುತ್ತೀರಾ?", + "Decline": "ನಿರಾಕರಿಸಿ", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "ಯಾವುದೇ ವೈಯಕ್ತಿಕ ಮಾಹಿತಿಯನ್ನು ಸಂಗ್ರಹಿಸಲಾಗುವುದಿಲ್ಲ ಅಥವಾ ಕಳುಹಿಸಲಾಗುವುದಿಲ್ಲ, ಮತ್ತು ಸಂಗ್ರಹಿಸಲಾದ ಡೇಟಾವನ್ನು ಅನಾಮಧೇಯಗೊಳಿಸಲಾಗಿದೆ, ಆದ್ದರಿಂದ ಅದನ್ನು ನಿಮ್ಮವರೆಗೆ ಹಿಂಬಾಲಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", + "About WingetUI": "WingetUI ಬಗ್ಗೆ", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "ನಿಮ್ಮ command-line package managers ಗಾಗಿ all-in-one graphical interface ಒದಗಿಸುವ ಮೂಲಕ ನಿಮ್ಮ software ನಿರ್ವಹಣೆಯನ್ನು ಸುಲಭಗೊಳಿಸುವ application UniGetUI ಆಗಿದೆ.", + "Useful links": "ಉಪಯುಕ್ತ links", + "Report an issue or submit a feature request": "ಸಮಸ್ಯೆಯನ್ನು ವರದಿ ಮಾಡಿ ಅಥವಾ feature request ಸಲ್ಲಿಸಿ", + "View GitHub Profile": "GitHub profile ನೋಡಿ", + "WingetUI License": "UniGetUI ಪರವಾನಗಿ", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI ಬಳಕೆ ಮಾಡುವುದರಿಂದ MIT ಪರವಾನಗಿಯನ್ನು ಸ್ವೀಕರಿಸಿರುವಂತೆ ಆಗುತ್ತದೆ", + "Become a translator": "ಅನುವಾದಕರಾಗಿ", + "View page on browser": "browser ನಲ್ಲಿ page ನೋಡಿ", + "Copy to clipboard": "ಕ್ಲಿಪ್‌ಬೋರ್ಡ್‌ಗೆ ನಕಲಿಸಿ", + "Export to a file": "file ಗೆ ರಫ್ತು ಮಾಡಿ", + "Log level:": "Log ಮಟ್ಟ:", + "Reload log": "log ಅನ್ನು ಮರುಲೋಡ್ ಮಾಡಿ", + "Text": "ಪಠ್ಯ", + "Change how operations request administrator rights": "ಕಾರ್ಯಾಚರಣೆಗಳು ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಹೇಗೆ ಕೇಳುತ್ತವೆ ಎಂಬುದನ್ನು ಬದಲಿಸಿ", + "Restrictions on package operations": "package operations ಮೇಲಿನ ನಿರ್ಬಂಧಗಳು", + "Restrictions on package managers": "package managers ಮೇಲಿನ ನಿರ್ಬಂಧಗಳು", + "Restrictions when importing package bundles": "package bundles ಅನ್ನು import ಮಾಡುವಾಗ ಇರುವ ನಿರ್ಬಂಧಗಳು", + "Ask for administrator privileges once for each batch of operations": "ಪ್ರತಿ ಬ್ಯಾಚ್ ಕಾರ್ಯಾಚರಣೆಗಳಿಗೆ ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಒಮ್ಮೆ ಕೇಳಿ", + "Ask only once for administrator privileges": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಒಮ್ಮೆ ಮಾತ್ರ ಕೇಳಿ", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator ಅಥವಾ GSudo ಮೂಲಕ ಯಾವುದೇ ವಿಧದ Elevation ಅನ್ನು ನಿಷೇಧಿಸಿ", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "ಈ ಆಯ್ಕೆ ಖಂಡಿತವಾಗಿಯೂ ಸಮಸ್ಯೆ ಉಂಟುಮಾಡುತ್ತದೆ. ತನ್ನಷ್ಟಕ್ಕೆ elevation ಪಡೆಯಲಾಗದ ಯಾವುದೇ ಕಾರ್ಯಾಚರಣೆ ವಿಫಲವಾಗುತ್ತದೆ. administrator ಆಗಿ install/update/uninstall ಕೆಲಸ ಮಾಡುವುದಿಲ್ಲ.", + "Allow custom command-line arguments": "ಕಸ್ಟಮ್ command-line arguments ಗೆ ಅನುಮತಿಸಿ", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "ಕಸ್ಟಮ್ command-line ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು UniGetUI ನಿಯಂತ್ರಣದಲ್ಲಿರದ ರೀತಿಯಲ್ಲಿ ಪ್ರೋಗ್ರಾಂಗಳನ್ನು ಸ್ಥಾಪಿಸುವ, ನವೀಕರಿಸುವ ಅಥವಾ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡುವ ವಿಧಾನವನ್ನು ಬದಲಾಯಿಸಬಹುದು. ಕಸ್ಟಮ್ command-lines ಬಳಕೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹಾಳುಮಾಡಬಹುದು. ಎಚ್ಚರಿಕೆಯಿಂದ ಮುಂದುವರಿಯಿರಿ.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "ಬಂಡಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡುವಾಗ ಕಸ್ಟಮ್ pre-install ಮತ್ತು post-install command ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "ಪ್ಯಾಕೇಜ್ ಸ್ಥಾಪನೆ, ನವೀಕರಣ ಅಥವಾ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಆಗುವ ಮೊದಲು ಮತ್ತು ನಂತರ pre ಮತ್ತು post install commands ಕಾರ್ಯಗೊಳಿಸಲಾಗುತ್ತದೆ. ಜಾಗ್ರತೆಯಿಂದ ಬಳಸದೆ ಇದ್ದರೆ ಅವು ಸಮಸ್ಯೆ ಉಂಟುಮಾಡಬಹುದು ಎಂಬುದನ್ನು ಗಮನದಲ್ಲಿಡಿ.", + "Allow changing the paths for package manager executables": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್ executable ಗಳ ದಾರಿಗಳನ್ನು ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಿ", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "ಇದನ್ನು on ಮಾಡಿದರೆ package managers ಜೊತೆ ಸಂಪರ್ಕಿಸಲು ಬಳಸುವ executable file ಅನ್ನು ಬದಲಾಯಿಸಲು ಅನುಮತಿಸುತ್ತದೆ. ಇದರಿಂದ ನಿಮ್ಮ install processes ಗಳನ್ನು ಇನ್ನಷ್ಟು ಸೂಕ್ಷ್ಮವಾಗಿ customize ಮಾಡಬಹುದು, ಆದರೆ ಇದು ಅಪಾಯಕಾರಿ ಕೂಡ ಆಗಿರಬಹುದು.", + "Allow importing custom command-line arguments when importing packages from a bundle": "ಬಂಡಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡುವಾಗ ಕಸ್ಟಮ್ command-line arguments ಗಳನ್ನು ಆಮದು ಮಾಡಲು ಅನುಮತಿಸಿ", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "ತಪ್ಪಾಗಿ ರೂಪಿಸಲಾದ command-line arguments ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹಾಳುಮಾಡಬಹುದು, ಅಥವಾ ದುರುದ್ದೇಶಿ ವ್ಯಕ್ತಿಗೆ ಉನ್ನತ ಅಧಿಕಾರದ ನಿರ್ವಹಣೆಯನ್ನು ಪಡೆಯಲು ಸಹ ಅವಕಾಶ ನೀಡಬಹುದು. ಆದ್ದರಿಂದ custom command-line arguments ಆಮದು ಮಾಡುವಿಕೆ default ಆಗಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "ಬಂಡಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡುವಾಗ ಕಸ್ಟಮ್ pre-install ಮತ್ತು post-install command ಗಳನ್ನು ಆಮದು ಮಾಡಲು ಅನುಮತಿಸಿ", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre ಮತ್ತು post install commands ಹಾಗೆ ರೂಪಿಸಲಾದರೆ ನಿಮ್ಮ ಸಾಧನಕ್ಕೆ ತುಂಬಾ ಕೆಟ್ಟದ್ದನ್ನು ಮಾಡಬಹುದು. ಆ package bundle ನ ಮೂಲವನ್ನು ನೀವು ನಂಬದಿದ್ದರೆ bundle ನಿಂದ commands ಆಮದು ಮಾಡುವುದು ಬಹಳ ಅಪಾಯಕಾರಿ.", + "Administrator rights and other dangerous settings": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳು ಮತ್ತು ಇತರೆ ಅಪಾಯಕಾರಿ ಸೆಟ್ಟಿಂಗ್‌ಗಳು", + "Package backup": "ಪ್ಯಾಕೇಜ್ backup", + "Cloud package backup": "cloud ಪ್ಯಾಕೇಜ್ ಬ್ಯಾಕಪ್", + "Local package backup": "ಸ್ಥಳೀಯ package backup", + "Local backup advanced options": "ಸ್ಥಳೀಯ backup ಉನ್ನತ ಆಯ್ಕೆಗಳು", + "Log in with GitHub": "GitHub ಬಳಸಿ ಲಾಗಿನ್ ಮಾಡಿ", + "Log out from GitHub": "GitHub ನಿಂದ ಲಾಗ್ ಔಟ್ ಮಾಡಿ", + "Periodically perform a cloud backup of the installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ cloud backup ಅನ್ನು ಅವಧಿ ಅವಧಿಯಲ್ಲಿ ನಡೆಸಿ", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ ಪಟ್ಟಿಯನ್ನು ಸಂಗ್ರಹಿಸಲು cloud ಬ್ಯಾಕಪ್ ಖಾಸಗಿ GitHub Gist ಅನ್ನು ಬಳಸುತ್ತದೆ", + "Perform a cloud backup now": "ಈಗ cloud backup ನಡೆಸಿ", + "Backup": "ಬ್ಯಾಕಪ್", + "Restore a backup from the cloud": "cloud ನಿಂದ backup ಅನ್ನು ಮರುಸ್ಥಾಪಿಸಿ", + "Begin the process to select a cloud backup and review which packages to restore": "cloud ಬ್ಯಾಕಪ್ ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ ಮರುಸ್ಥಾಪಿಸಬೇಕಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಪರಿಶೀಲಿಸುವ ಪ್ರಕ್ರಿಯೆಯನ್ನು ಪ್ರಾರಂಭಿಸಿ", + "Periodically perform a local backup of the installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ local backup ಅನ್ನು ಅವಧಿ ಅವಧಿಯಲ್ಲಿ ನಡೆಸಿ", + "Perform a local backup now": "ಈಗ local backup ನಡೆಸಿ", + "Change backup output directory": "ಬ್ಯಾಕಪ್ ಔಟ್‌ಪುಟ್ ಡೈರೆಕ್ಟರಿಯನ್ನು ಬದಲಾಯಿಸಿ", + "Set a custom backup file name": "custom backup file name ಒಂದನ್ನು ಹೊಂದಿಸಿ", + "Leave empty for default": "Default ಗಾಗಿ ಖಾಲಿ ಬಿಡಿ", + "Add a timestamp to the backup file names": "ಬ್ಯಾಕಪ್ ಫೈಲ್ ಹೆಸರುಗಳಿಗೆ ಟೈಮ್‌ಸ್ಟ್ಯಾಂಪ್ ಸೇರಿಸಿ", + "Backup and Restore": "ಬ್ಯಾಕಪ್ ಮತ್ತು ಮರುಸ್ಥಾಪನೆ", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background api (WingetUI Widgets and Sharing, port 7058) ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet ಸಂಪರ್ಕ ಅಗತ್ಯವಿರುವ ಕಾರ್ಯಗಳನ್ನು ಮಾಡಲು ಪ್ರಯತ್ನಿಸುವ ಮೊದಲು ಸಾಧನವು internet ಗೆ ಸಂಪರ್ಕಗೊಂಡಿರುವುದನ್ನು ಕಾಯಿರಿ.", + "Disable the 1-minute timeout for package-related operations": "ಪ್ಯಾಕೇಜ್ ಸಂಬಂಧಿತ ಕಾರ್ಯಗಳಿಗೆ 1-ನಿಮಿಷ timeout ಅನ್ನು ಅಚೇತನಗೊಳಿಸಿ", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator ಬದಲು installed GSudo ಬಳಸಿ", + "Use a custom icon and screenshot database URL": "custom icon ಮತ್ತು screenshot database URL ಬಳಸಿ", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU Usage optimizations ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ (Pull Request #3278 ನೋಡಿ)", + "Perform integrity checks at startup": "ಆರಂಭದಲ್ಲಿ integrity checks ನಡೆಸಿ", + "When batch installing packages from a bundle, install also packages that are already installed": "bundle ಇಂದ batch install ಮಾಡುವಾಗ, ಈಗಾಗಲೇ install ಆಗಿರುವ packages ಗಳನ್ನೂ install ಮಾಡಿ", + "Experimental settings and developer options": "ಪ್ರಾಯೋಗಿಕ settings ಮತ್ತು developer ಆಯ್ಕೆಗಳು", + "Show UniGetUI's version and build number on the titlebar.": "titlebar ನಲ್ಲಿ UniGetUI ಯ version ಮತ್ತು build number ತೋರಿಸಿ.", + "Language": "ಭಾಷೆ", + "UniGetUI updater": "UniGetUI ನವೀಕರಣಕಾರ", + "Telemetry": "ಟೆಲಿಮೆಟ್ರಿ", + "Manage UniGetUI settings": "UniGetUI settings ಅನ್ನು ನಿರ್ವಹಿಸಿ", + "Related settings": "ಸಂಬಂಧಿತ settings", + "Update WingetUI automatically": "UniGetUI ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ update ಮಾಡಿ", + "Check for updates": "ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸಿ", + "Install prerelease versions of UniGetUI": "UniGetUI ಯ prerelease ಆವೃತ್ತಿಗಳನ್ನು ಸ್ಥಾಪಿಸಿ", + "Manage telemetry settings": "telemetry settings ಅನ್ನು ನಿರ್ವಹಿಸಿ", + "Manage": "ನಿರ್ವಹಿಸಿ", + "Import settings from a local file": "ಸ್ಥಳೀಯ ಫೈಲ್‌ನಿಂದ ಸೆಟ್ಟಿಂಗ್‌ಗಳನ್ನು ಆಮದು ಮಾಡಿ", + "Import": "ಆಮದು", + "Export settings to a local file": "settings ಅನ್ನು local file ಗೆ ರಫ್ತು ಮಾಡಿ", + "Export": "ರಫ್ತು ಮಾಡಿ", + "Reset WingetUI": "UniGetUI ಅನ್ನು ಮರುಹೊಂದಿಸಿ", + "Reset UniGetUI": "UniGetUI ಅನ್ನು ಮರುಹೊಂದಿಸಿ", + "User interface preferences": "user interface ಆದ್ಯತೆಗಳು", + "Application theme, startup page, package icons, clear successful installs automatically": "ಅಪ್ಲಿಕೇಶನ್ ಥೀಮ್, ಪ್ರಾರಂಭ ಪುಟ, ಪ್ಯಾಕೇಜ್ ಚಿಹ್ನೆಗಳು, ಯಶಸ್ವಿ ಸ್ಥಾಪನೆಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ತೆರವುಗೊಳಿಸಿ", + "General preferences": "ಸಾಮಾನ್ಯ ಆದ್ಯತೆಗಳು", + "WingetUI display language:": "UniGetUI ಪ್ರದರ್ಶನ ಭಾಷೆ:", + "Is your language missing or incomplete?": "ನಿಮ್ಮ ಭಾಷೆ ಕಾಣೆಯಾಗಿದೆ ಅಥವಾ ಅಪೂರ್ಣವಾಗಿದೆಯೇ?", + "Appearance": "ದೃಶ್ಯರೂಪ", + "UniGetUI on the background and system tray": "background ಮತ್ತು system tray ಯಲ್ಲಿ UniGetUI", + "Package lists": "ಪ್ಯಾಕೇಜ್ ಪಟ್ಟಿಗಳು", + "Close UniGetUI to the system tray": "UniGetUI ಅನ್ನು system tray ಗೆ ಮುಚ್ಚಿ", + "Show package icons on package lists": "package lists ನಲ್ಲಿ package icons ತೋರಿಸಿ", + "Clear cache": "ಕ್ಯಾಶೆ ತೆರವುಗೊಳಿಸಿ", + "Select upgradable packages by default": "default ಆಗಿ upgrade ಮಾಡಬಹುದಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ", + "Light": "ಬೆಳಕು", + "Dark": "ಗಾಢ", + "Follow system color scheme": "system color scheme ಅನ್ನು ಅನುಸರಿಸಿ", + "Application theme:": "ಅಪ್ಲಿಕೇಶನ್ ಥೀಮ್:", + "Discover Packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಕಂಡುಹಿಡಿಯಿರಿ", + "Software Updates": "Software ನವೀಕರಣಗಳು", + "Installed Packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳು", + "Package Bundles": "ಪ್ಯಾಕೇಜ್ bundles", + "Settings": "settings", + "UniGetUI startup page:": "UniGetUI ಪ್ರಾರಂಭ ಪುಟ:", + "Proxy settings": "ಪ್ರಾಕ್ಸಿ settings", + "Other settings": "ಇತರೆ settings", + "Connect the internet using a custom proxy": "ಕಸ್ಟಮ್ proxy ಬಳಸಿ ಇಂಟರ್ನೆಟ್‌ಗೆ ಸಂಪರ್ಕಿಸಿರಿ", + "Please note that not all package managers may fully support this feature": "ಎಲ್ಲಾ package managers ಗಳು ಈ ವೈಶಿಷ್ಟ್ಯವನ್ನು ಸಂಪೂರ್ಣವಾಗಿ ಬೆಂಬಲಿಸದೇ ಇರಬಹುದು ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಗಮನಿಸಿ", + "Proxy URL": "ಪ್ರಾಕ್ಸಿ URL", + "Enter proxy URL here": "proxy URL ಅನ್ನು ಇಲ್ಲಿ ನಮೂದಿಸಿ", + "Package manager preferences": "ಪ್ಯಾಕೇಜ್ manager ಆದ್ಯತೆಗಳು", + "Ready": "ಸಿದ್ಧವಾಗಿದೆ", + "Not found": "ಕಂಡುಬಂದಿಲ್ಲ", + "Notification preferences": "ಅಧಿಸೂಚನೆ ಆದ್ಯತೆಗಳು", + "Notification types": "ಅಧಿಸೂಚನೆ ಪ್ರಕಾರಗಳು", + "The system tray icon must be enabled in order for notifications to work": "notifications ಕಾರ್ಯನಿರ್ವಹಿಸಲು system tray icon ಸಕ್ರಿಯವಾಗಿರಬೇಕು", + "Enable WingetUI notifications": "WingetUI notifications ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Show a notification when there are available updates": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳು ಇರುವಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", + "Show a silent notification when an operation is running": "ಕಾರ್ಯಾಚರಣೆ ನಡೆಯುತ್ತಿರುವಾಗ ಮೌನ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", + "Show a notification when an operation fails": "ಕಾರ್ಯಾಚರಣೆ ವಿಫಲವಾದಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", + "Show a notification when an operation finishes successfully": "ಕಾರ್ಯಾಚರಣೆ ಯಶಸ್ವಿಯಾಗಿ ಪೂರ್ಣಗೊಂಡಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", + "Concurrency and execution": "ಸಮಾಂತರತೆ ಮತ್ತು ಕಾರ್ಯಗತಗೊಳಿಕೆ", + "Automatic desktop shortcut remover": "ಸ್ವಯಂಚಾಲಿತ desktop shortcut ತೆಗೆಯುವಿಕೆ", + "Clear successful operations from the operation list after a 5 second delay": "5 ಸೆಕೆಂಡ್ ವಿಳಂಬದ ನಂತರ ಕಾರ್ಯಾಚರಣೆಗಳ ಪಟ್ಟಿಯಿಂದ ಯಶಸ್ವಿ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ತೆರವುಗೊಳಿಸಿ", + "Download operations are not affected by this setting": "ಡೌನ್‌ಲೋಡ್ ಕಾರ್ಯಗಳು ಈ setting ನಿಂದ ಪ್ರಭಾವಿತವಾಗುವುದಿಲ್ಲ", + "Try to kill the processes that refuse to close when requested to": "ಮುಚ್ಚುವಂತೆ ಕೇಳಿದಾಗ ನಿರಾಕರಿಸುವ processes ಗಳನ್ನು ಕೊಲ್ಲಲು ಪ್ರಯತ್ನಿಸಿ", + "You may lose unsaved data": "ಉಳಿಸದ data ಕಳೆದುಕೊಳ್ಳಬಹುದು", + "Ask to delete desktop shortcuts created during an install or upgrade.": "ಸ್ಥಾಪನೆ ಅಥವಾ ಅಪ್‌ಗ್ರೇಡ್ ಸಮಯದಲ್ಲಿ ರಚಿಸಲಾದ desktop shortcuts ಗಳನ್ನು ಅಳಿಸಲು ಕೇಳಿ.", + "Package update preferences": "ಪ್ಯಾಕೇಜ್ ನವೀಕರಣ ಆದ್ಯತೆಗಳು", + "Update check frequency, automatically install updates, etc.": "update ಪರಿಶೀಲನೆಯ ಅವಧಿ, updates ಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ install ಮಾಡುವುದು, ಇತ್ಯಾದಿ.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts ಅನ್ನು ಕಡಿಮೆ ಮಾಡಿ, default ಆಗಿ installations ಗೆ elevation ನೀಡಿ, ಕೆಲವು ಅಪಾಯಕಾರಿ ವೈಶಿಷ್ಟ್ಯಗಳನ್ನು ಅನ್‌ಲಾಕ್ ಮಾಡಿ, ಇತ್ಯಾದಿ.", + "Package operation preferences": "ಪ್ಯಾಕೇಜ್ ಕಾರ್ಯಾಚರಣೆ ಆದ್ಯತೆಗಳು", + "Enable {pm}": "{pm} ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Not finding the file you are looking for? Make sure it has been added to path.": "ನೀವು ಹುಡುಕುತ್ತಿರುವ file ಸಿಗುತ್ತಿಲ್ಲವೇ? ಅದು path ಗೆ ಸೇರಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ.", + "For security reasons, changing the executable file is disabled by default": "ಭದ್ರತಾ ಕಾರಣಗಳಿಂದ executable file ಬದಲಿಸುವುದು default ಆಗಿ ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", + "Change this": "ಇದನ್ನು ಬದಲಿಸಿ", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "ಬಳಸಬೇಕಾದ executable ಆಯ್ಕೆಮಾಡಿ. ಕೆಳಗಿನ ಪಟ್ಟಿಯಲ್ಲಿ UniGetUI ಕಂಡುಹಿಡಿದ executables ತೋರಿಸಲಾಗಿದೆ", + "Current executable file:": "ಪ್ರಸ್ತುತ ಕಾರ್ಯಗತಗೊಳಿಸಬಹುದಾದ ಕಡತ:", + "Ignore packages from {pm} when showing a notification about updates": "ನವೀಕರಣಗಳ ಬಗ್ಗೆ ಅಧಿಸೂಚನೆ ತೋರಿಸುವಾಗ {pm} ನಿಂದ ಬಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", + "View {0} logs": "{0} logs ನೋಡಿ", + "Advanced options": "ಮುನ್ನಡೆದ ಆಯ್ಕೆಗಳು", + "Reset WinGet": "WinGet ಅನ್ನು ಮರುಹೊಂದಿಸಿ", + "This may help if no packages are listed": "ಯಾವುದೇ packages ಪಟ್ಟಿ ಮಾಡದಿದ್ದರೆ ಇದು ಸಹಾಯ ಮಾಡಬಹುದು", + "Force install location parameter when updating packages with custom locations": "custom locations ಇರುವ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು update ಮಾಡುವಾಗ install location parameter ಅನ್ನು ಬಲವಂತವಾಗಿ ಬಳಸಿ", + "Use bundled WinGet instead of system WinGet": "system WinGet ಬದಲು bundled WinGet ಬಳಸಿ", + "This may help if WinGet packages are not shown": "WinGet packages ತೋರಿಸದಿದ್ದರೆ ಇದು ಸಹಾಯ ಮಾಡಬಹುದು", + "Install Scoop": "Scoop ಅನ್ನು ಸ್ಥಾಪಿಸಿ", + "Uninstall Scoop (and its packages)": "Scoop (ಮತ್ತು ಅದರ packages) ಅನ್ನು uninstall ಮಾಡಿ", + "Run cleanup and clear cache": "cleanup ನಡೆಸಿ ಮತ್ತು cache ತೆರವುಗೊಳಿಸಿ", + "Run": "ಚಾಲನೆ ಮಾಡಿ", + "Enable Scoop cleanup on launch": "launch ಸಮಯದಲ್ಲಿ Scoop cleanup ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Use system Chocolatey": "system Chocolatey ಬಳಸಿ", + "Default vcpkg triplet": "ಡೀಫಾಲ್ಟ್ vcpkg triplet", + "Language, theme and other miscellaneous preferences": "ಭಾಷೆ, theme ಮತ್ತು ಇತರ miscellaneous preferences", + "Show notifications on different events": "ವಿಭಿನ್ನ ಘಟನೆಗಳ ಸಂದರ್ಭದಲ್ಲಿ ಅಧಿಸೂಚನೆಗಳನ್ನು ತೋರಿಸಿ", + "Change how UniGetUI checks and installs available updates for your packages": "ನಿಮ್ಮ ಪ್ಯಾಕೇಜ್‌ಗಳಿಗಾಗಿ ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳನ್ನು UniGetUI ಹೇಗೆ ಪರಿಶೀಲಿಸುತ್ತದೆ ಮತ್ತು ಸ್ಥಾಪಿಸುತ್ತದೆ ಎಂಬುದನ್ನು ಬದಲಾಯಿಸಿ", + "Automatically save a list of all your installed packages to easily restore them.": "ನಿಮ್ಮ ಎಲ್ಲಾ ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ ಪಟ್ಟಿಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಉಳಿಸಿ ಮತ್ತು ಅವುಗಳನ್ನು ಸುಲಭವಾಗಿ ಪುನಃಸ್ಥಾಪಿಸಿ.", + "Enable and disable package managers, change default install options, etc.": "package managers ಅನ್ನು ಸಕ್ರಿಯ ಮತ್ತು ಅಚೇತನಗೊಳಿಸಿ, ಡೀಫಾಲ್ಟ್ ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳನ್ನು ಬದಲಿಸಿ, ಇತ್ಯಾದಿ", + "Internet connection settings": "Internet ಸಂಪರ್ಕ settings", + "Proxy settings, etc.": "Proxy settings, ಇತ್ಯಾದಿ.", + "Beta features and other options that shouldn't be touched": "ಬೀಟಾ ವೈಶಿಷ್ಟ್ಯಗಳು ಮತ್ತು ಸ್ಪರ್ಶಿಸಬಾರದ ಇತರ ಆಯ್ಕೆಗಳು", + "Update checking": "update ಪರಿಶೀಲನೆ", + "Automatic updates": "ಸ್ವಯಂಚಾಲಿತ ನವೀಕರಣಗಳು", + "Check for package updates periodically": "ಪ್ಯಾಕೇಜ್ ನವೀಕರಣಗಳನ್ನು ನಿಯಮಿತವಾಗಿ ಪರಿಶೀಲಿಸಿ", + "Check for updates every:": "ಪ್ರತಿ: ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸಿ", + "Install available updates automatically": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಿ", + "Do not automatically install updates when the network connection is metered": "network connection metered ಆಗಿರುವಾಗ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಬೇಡಿ", + "Do not automatically install updates when the device runs on battery": "ಸಾಧನವು ಬ್ಯಾಟರಿಯಲ್ಲಿ ಕಾರ್ಯನಿರ್ವಹಿಸುವಾಗ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಬೇಡಿ", + "Do not automatically install updates when the battery saver is on": "battery saver ಆನ್ ಆಗಿರುವಾಗ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಬೇಡಿ", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI ಸ್ಥಾಪನೆ, ನವೀಕರಣ ಮತ್ತು ಅಸ್ಥಾಪನಾ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಹೇಗೆ ನಿರ್ವಹಿಸುತ್ತದೆ ಎಂಬುದನ್ನು ಬದಲಿಸಿ.", + "Package Managers": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್‌ಗಳು", + "More": "ಇನ್ನಷ್ಟು", + "WingetUI Log": "UniGetUI ದಾಖಲಾತಿ", + "Package Manager logs": "Package Manager ದಾಖಲೆಗಳು", + "Operation history": "ಕಾರ್ಯಾಚರಣೆ ಇತಿಹಾಸ", + "Help": "ಸಹಾಯ", + "Order by:": "ಕ್ರಮಗೊಳಿಸುವ ವಿಧಾನ:", + "Name": "ಹೆಸರು", + "Id": "ಗುರುತು", + "Ascendant": "ಆರೋಹಣ", + "Descendant": "ಅವರೋಹಿ", + "View mode:": "view mode:", + "Filters": "ಫಿಲ್ಟರ್‌ಗಳು", + "Sources": "ಮೂಲಗಳು", + "Search for packages to start": "ಪ್ರಾರಂಭಿಸಲು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕಿ", + "Select all": "ಎಲ್ಲವನ್ನೂ ಆಯ್ಕೆಮಾಡಿ", + "Clear selection": "ಆಯ್ಕೆಯನ್ನು ತೆರವುಗೊಳಿಸಿ", + "Instant search": "ತಕ್ಷಣದ ಹುಡುಕಾಟ", + "Distinguish between uppercase and lowercase": "ದೊಡ್ಡ ಅಕ್ಷರ ಮತ್ತು ಸಣ್ಣ ಅಕ್ಷರಗಳ ನಡುವಿನ ಭೇದವನ್ನು ಗುರುತಿಸಿ", + "Ignore special characters": "ವಿಶೇಷ ಅಕ್ಷರಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", + "Search mode": "ಹುಡುಕಾಟ mode", + "Both": "ಎರಡೂ", + "Exact match": "ಸೂಕ್ಷ್ಮ ಹೊಂದಿಕೆ", + "Show similar packages": "ಸಮಾನ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ತೋರಿಸಿ", + "No results were found matching the input criteria": "ನಮೂದಿಸಿದ ಮಾನದಂಡಗಳಿಗೆ ಹೊಂದುವ ಯಾವುದೇ ಫಲಿತಾಂಶಗಳು ಕಂಡುಬಂದಿಲ್ಲ", + "No packages were found": "ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳು ಕಂಡುಬಂದಿಲ್ಲ", + "Loading packages": "ಪ್ಯಾಕೇಜ್‌ಗಳು load ಆಗುತ್ತಿವೆ", + "Skip integrity checks": "integrity checks ಬಿಟ್ಟುಬಿಡಿ", + "Download selected installers": "ಆಯ್ದ installers ಡೌನ್‌ಲೋಡ್ ಮಾಡಿ", + "Install selection": "ಆಯ್ಕೆಯನ್ನು ಸ್ಥಾಪಿಸಿ", + "Install options": "ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳು", + "Share": "ಹಂಚಿಕೊಳ್ಳಿ", + "Add selection to bundle": "ಬಂಡಲ್‌ಗೆ ವಿಭಾಗವನ್ನು ಸೇರಿಸಿ", + "Download installer": "installer ಡೌನ್‌ಲೋಡ್ ಮಾಡಿ", + "Share this package": "ಈ ಪ್ಯಾಕೇಜ್ ಹಂಚಿಕೊಳ್ಳಿ", + "Uninstall selection": "ಆಯ್ಕೆಯನ್ನು uninstall ಮಾಡಿ", + "Uninstall options": "uninstall ಆಯ್ಕೆಗಳು", + "Ignore selected packages": "ಆಯ್ದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", + "Open install location": "install ಸ್ಥಳವನ್ನು ತೆರೆಯಿರಿ", + "Reinstall package": "ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಮರುಸ್ಥಾಪಿಸಿ", + "Uninstall package, then reinstall it": "package uninstall ಮಾಡಿ, ನಂತರ ಅದನ್ನು reinstall ಮಾಡಿ", + "Ignore updates for this package": "ಈ ಪ್ಯಾಕೇಜ್‌ನ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", + "Do not ignore updates for this package anymore": "ಈ ಪ್ಯಾಕೇಜ್‌ನ ನವೀಕರಣಗಳನ್ನು ಇನ್ನು ಮುಂದೆ ನಿರ್ಲಕ್ಷಿಸಬೇಡಿ", + "Add packages or open an existing package bundle": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ ಅಥವಾ ಇರುವ ಪ್ಯಾಕೇಜ್ ಬಂಡಲ್ ಅನ್ನು ತೆರೆಯಿರಿ", + "Add packages to start": "ಪ್ರಾರಂಭಿಸಲು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ", + "The current bundle has no packages. Add some packages to get started": "ಪ್ರಸ್ತುತ bundle ನಲ್ಲಿ ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳಿಲ್ಲ. ಪ್ರಾರಂಭಿಸಲು ಕೆಲವು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ", + "New": "ಹೊಸದು", + "Save as": "ಹಾಗೆ ಉಳಿಸಿ", + "Remove selection from bundle": "ಆಯ್ಕೆಯನ್ನು bundle ನಿಂದ ತೆಗೆದುಹಾಕಿ", + "Skip hash checks": "hash checks ಬಿಟ್ಟುಬಿಡಿ", + "The package bundle is not valid": "package bundle ಮಾನ್ಯವಲ್ಲ", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "ನೀವು load ಮಾಡಲು ಪ್ರಯತ್ನಿಸುತ್ತಿರುವ bundle ಅಮಾನ್ಯವಾಗಿದೆ ಎಂದು ಕಾಣುತ್ತದೆ. ದಯವಿಟ್ಟು file ಪರಿಶೀಲಿಸಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.", + "Package bundle": "ಪ್ಯಾಕೇಜ್ bundle", + "Could not create bundle": "ಬಂಡಲ್ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", + "The package bundle could not be created due to an error.": "ದೋಷದಿಂದ package bundle ರಚಿಸಲಾಗಲಿಲ್ಲ.", + "Bundle security report": "ಬಂಡಲ್ ಭದ್ರತಾ ವರದಿ", + "Hooray! No updates were found.": "ಹುರ್ರೇ! ಯಾವುದೇ ನವೀಕರಣಗಳು ಕಂಡುಬಂದಿಲ್ಲ.", + "Everything is up to date": "ಎಲ್ಲವೂ ನವೀಕೃತವಾಗಿದೆ", + "Uninstall selected packages": "ಆಯ್ಕೆಮಾಡಿದ packages ಗಳನ್ನು uninstall ಮಾಡಿ", + "Update selection": "ಆಯ್ಕೆಯನ್ನು update ಮಾಡಿ", + "Update options": "update ಆಯ್ಕೆಗಳು", + "Uninstall package, then update it": "package uninstall ಮಾಡಿ, ನಂತರ ಅದನ್ನು update ಮಾಡಿ", + "Uninstall package": "package ಅನ್ನು uninstall ಮಾಡಿ", + "Skip this version": "ಈ version ಬಿಟ್ಟುಬಿಡಿ", + "Pause updates for": "ನವೀಕರಣಗಳನ್ನು ಇಷ್ಟು ಕಾಲ ವಿರಮಿಸಿ", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust package manager.
ಒಳಗೊಂಡಿರುವುದು: Rust libraries ಮತ್ತು Rust ನಲ್ಲಿ ಬರೆಯಲ್ಪಟ್ಟ programs", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "windows ಗಾಗಿ ಸಾಂಪ್ರದಾಯಿಕ package manager. ಅಲ್ಲಿ ನೀವು ಎಲ್ಲವನ್ನೂ ಕಾಣಬಹುದು.
ಒಳಗೊಂಡಿರುವುದು: General Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft ನ .NET ಪರಿಸರವ್ಯವಸ್ಥೆಯನ್ನು ಗಮನದಲ್ಲಿಟ್ಟುಕೊಂಡು ರೂಪಿಸಲಾದ tools ಮತ್ತು executables ಗಳಿಂದ ತುಂಬಿರುವ repository.
ಒಳಗೊಂಡಿದೆ: .NET ಸಂಬಂಧಿತ tools ಮತ್ತು scripts", + "NuPkg (zipped manifest)": "NuPkg (zip ಮಾಡಿದ manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS ನ package manager. javascript ಜಗತ್ತನ್ನು ಸುತ್ತುವರಿದ libraries ಮತ್ತು ಇತರ utilities ಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿರುವುದು: Node javascript libraries ಮತ್ತು ಇತರ ಸಂಬಂಧಿತ utilities", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python ನ library manager. python libraries ಮತ್ತು python ಗೆ ಸಂಬಂಧಿತ ಇತರ utilities ಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿರುವುದು: Python libraries ಮತ್ತು ಸಂಬಂಧಿತ utilities", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell ನ package manager. PowerShell ಸಾಮರ್ಥ್ಯಗಳನ್ನು ವಿಸ್ತರಿಸಲು libraries ಮತ್ತು scripts ಕಂಡುಹಿಡಿಯಿರಿ
ಒಳಗೊಂಡಿರುವುದು: Modules, Scripts, Cmdlets", + "extracted": "ಹೊರತೆಗೆದಿದೆ", + "Scoop package": "Scoop ಪ್ಯಾಕೇಜ್", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "ಅಪರಿಚಿತ ಆದರೆ ಉಪಯುಕ್ತ utilities ಮತ್ತು ಇತರೆ ಆಸಕ್ತಿದಾಯಕ ಪ್ಯಾಕೇಜ್‌ಗಳ ಉತ್ತಮ repository.
ಒಳಗೊಂಡಿದೆ: Utilities, command-line ಕಾರ್ಯಕ್ರಮಗಳು, ಸಾಮಾನ್ಯ software (extras bucket ಅಗತ್ಯ)", + "library": "ಗ್ರಂಥಾಲಯ", + "feature": "ವೈಶಿಷ್ಟ್ಯ", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ಜನಪ್ರಿಯ C/C++ ಲೈಬ್ರರಿ ನಿರ್ವಾಹಕ. C/C++ ಲೈಬ್ರರಿಗಳು ಮತ್ತು ಇತರೆ C/C++ ಸಂಬಂಧಿತ ಉಪಯುಕ್ತಿಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿದೆ: C/C++ ಲೈಬ್ರರಿಗಳು ಮತ್ತು ಸಂಬಂಧಿತ ಉಪಯುಕ್ತಿಗಳು", + "option": "ಆಯ್ಕೆ", + "This package cannot be installed from an elevated context.": "ಈ package ಅನ್ನು elevated context ಇಂದ install ಮಾಡಲಾಗುವುದಿಲ್ಲ.", + "Please run UniGetUI as a regular user and try again.": "UniGetUI ಅನ್ನು ಸಾಮಾನ್ಯ ಬಳಕೆದಾರರಂತೆ ಚಲಾಯಿಸಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.", + "Please check the installation options for this package and try again": "ದಯವಿಟ್ಟು ಈ ಪ್ಯಾಕೇಜ್‌ನ installation options ಪರಿಶೀಲಿಸಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft ನ ಅಧಿಕೃತ package manager. ಪ್ರಸಿದ್ಧ ಮತ್ತು ಪರಿಶೀಲಿತ ಪ್ಯಾಕೇಜ್‌ಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿರುವುದು: ಸಾಮಾನ್ಯ software, Microsoft Store apps", + "Local PC": "ಸ್ಥಳೀಯ PC", + "Android Subsystem": "ಆಂಡ್ರಾಯ್ಡ್ ಉಪವ್ಯವಸ್ಥೆ", + "Operation on queue (position {0})...": "queue ಯಲ್ಲಿರುವ ಕಾರ್ಯಾಚರಣೆ (ಸ್ಥಾನ {0})...", + "Click here for more details": "ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ಇಲ್ಲಿ ಕ್ಲಿಕ್ ಮಾಡಿ", + "Operation canceled by user": "ಕಾರ್ಯಾಚರಣೆ ಬಳಕೆದಾರರಿಂದ ರದ್ದುಗೊಂಡಿತು", + "Starting operation...": "ಕಾರ್ಯಾಚರಣೆ ಪ್ರಾರಂಭಗೊಳ್ಳುತ್ತಿದೆ...", + "{package} installer download": "{package} ಇನ್‌ಸ್ಟಾಲರ್ ಡೌನ್‌ಲೋಡ್", + "{0} installer is being downloaded": "{0} installer download ಆಗುತ್ತಿದೆ", + "Download succeeded": "ಡೌನ್‌ಲೋಡ್ ಯಶಸ್ವಿಯಾಯಿತು", + "{package} installer was downloaded successfully": "{package} installer ಯಶಸ್ವಿಯಾಗಿ download ಆಗಿದೆ", + "Download failed": "ಡೌನ್‌ಲೋಡ್ ವಿಫಲವಾಗಿದೆ", + "{package} installer could not be downloaded": "{package} installer download ಮಾಡಲಾಗಲಿಲ್ಲ", + "{package} Installation": "{package} ಸ್ಥಾಪನೆ", + "{0} is being installed": "{0} install ಆಗುತ್ತಿದೆ", + "Installation succeeded": "ಸ್ಥಾಪನೆ ಯಶಸ್ವಿಯಾಗಿದೆ", + "{package} was installed successfully": "{package} ಯಶಸ್ವಿಯಾಗಿ install ಆಗಿದೆ", + "Installation failed": "ಸ್ಥಾಪನೆ ವಿಫಲವಾಗಿದೆ", + "{package} could not be installed": "{package} install ಮಾಡಲಾಗಲಿಲ್ಲ", + "{package} Update": "{package} ನವೀಕರಣ", + "{0} is being updated to version {1}": "{0} ಅನ್ನು version {1} ಗೆ update ಮಾಡಲಾಗುತ್ತಿದೆ", + "Update succeeded": "update ಯಶಸ್ವಿಯಾಯಿತು", + "{package} was updated successfully": "{package} ಯಶಸ್ವಿಯಾಗಿ update ಆಗಿದೆ", + "Update failed": "update ವಿಫಲವಾಗಿದೆ", + "{package} could not be updated": "{package} update ಮಾಡಲಾಗಲಿಲ್ಲ", + "{package} Uninstall": "{package} ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್", + "{0} is being uninstalled": "{0} uninstall ಆಗುತ್ತಿದೆ", + "Uninstall succeeded": "uninstall ಯಶಸ್ವಿಯಾಯಿತು", + "{package} was uninstalled successfully": "{package} ಯಶಸ್ವಿಯಾಗಿ uninstall ಆಗಿದೆ", + "Uninstall failed": "uninstall ವಿಫಲವಾಗಿದೆ", + "{package} could not be uninstalled": "{package} uninstall ಮಾಡಲಾಗಲಿಲ್ಲ", + "Adding source {source}": "ಮೂಲ {source} ಅನ್ನು ಸೇರಿಸಲಾಗುತ್ತಿದೆ", + "Adding source {source} to {manager}": "{manager} ಗೆ ಮೂಲ {source} ಅನ್ನು ಸೇರಿಸಲಾಗುತ್ತಿದೆ", + "Source added successfully": "source ಯಶಸ್ವಿಯಾಗಿ ಸೇರಿಸಲಾಗಿದೆ", + "The source {source} was added to {manager} successfully": "source {source} ಅನ್ನು {manager} ಗೆ ಯಶಸ್ವಿಯಾಗಿ ಸೇರಿಸಲಾಗಿದೆ", + "Could not add source": "ಮೂಲವನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", + "Could not add source {source} to {manager}": "{manager} ಗೆ {source} ಮೂಲವನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", + "Removing source {source}": "source {source} ಅನ್ನು ತೆಗೆದುಹಾಕಲಾಗುತ್ತಿದೆ", + "Removing source {source} from {manager}": "{manager} ನಿಂದ source {source} ಅನ್ನು ತೆಗೆದುಹಾಕಲಾಗುತ್ತಿದೆ", + "Source removed successfully": "source ಯಶಸ್ವಿಯಾಗಿ ತೆಗೆದುಹಾಕಲಾಗಿದೆ", + "The source {source} was removed from {manager} successfully": "source {source} ಅನ್ನು {manager} ಇಂದ ಯಶಸ್ವಿಯಾಗಿ ತೆಗೆದುಹಾಕಲಾಗಿದೆ", + "Could not remove source": "ಮೂಲವನ್ನು ತೆಗೆದುಹಾಕಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", + "Could not remove source {source} from {manager}": "{manager} ಯಿಂದ {source} ಮೂಲವನ್ನು ತೆಗೆದುಹಾಕಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", + "The package manager \"{0}\" was not found": "package manager \"{0}\" ಕಂಡುಬಂದಿಲ್ಲ", + "The package manager \"{0}\" is disabled": "package manager \"{0}\" ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", + "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" ನ configuration ನಲ್ಲಿ ದೋಷವಿದೆ", + "The package \"{0}\" was not found on the package manager \"{1}\"": "\"{0}\" package manager \"{1}\" ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ", + "{0} is disabled": "{0} ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", + "Something went wrong": "ಏನೋ ತಪ್ಪಾಗಿದೆ", + "An interal error occurred. Please view the log for further details.": "ಆಂತರಿಕ ದೋಷ ಸಂಭವಿಸಿದೆ. ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ಲಾಗ್ ಅನ್ನು ವೀಕ್ಷಿಸಿ.", + "No applicable installer was found for the package {0}": "ಪ್ಯಾಕೇಜ್ {0} ಗಾಗಿ ಅನ್ವಯಿಸುವ installer ಕಂಡುಬಂದಿಲ್ಲ", + "We are checking for updates.": "ನಾವು updates ಪರಿಶೀಲಿಸುತ್ತಿದ್ದೇವೆ.", + "Please wait": "ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} download ಆಗುತ್ತಿದೆ.", + "This may take a minute or two": "ಇದಕ್ಕೆ ಒಂದು ಅಥವಾ ಎರಡು ನಿಮಿಷಗಳು ಹಿಡಿಯಬಹುದು", + "The installer authenticity could not be verified.": "installer ನ ಪ್ರಾಮಾಣಿಕತೆಯನ್ನು ಪರಿಶೀಲಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ.", + "The update process has been aborted.": "update ಪ್ರಕ್ರಿಯೆಯನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ.", + "Great! You are on the latest version.": "ಅದ್ಭುತ! ನೀವು ಇತ್ತೀಚಿನ ಆವೃತ್ತಿಯಲ್ಲಿದ್ದೀರಿ.", + "There are no new UniGetUI versions to be installed": "ಸ್ಥಾಪಿಸಲು ಯಾವುದೇ ಹೊಸ UniGetUI versions ಇಲ್ಲ", + "An error occurred when checking for updates: ": "ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ", + "UniGetUI is being updated...": "UniGetUI update ಆಗುತ್ತಿದೆ...", + "Something went wrong while launching the updater.": "updater ಆರಂಭಿಸುವಾಗ ಏನೋ ತಪ್ಪಾಗಿದೆ.", + "Please try again later": "ದಯವಿಟ್ಟು ನಂತರ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Integrity checks will not be performed during this operation": "ಈ ಕಾರ್ಯಾಚರಣೆಯ ವೇಳೆ Integrity checks ನಡೆಸಲಾಗುವುದಿಲ್ಲ", + "This is not recommended.": "ಇದು ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ.", + "Run now": "ಈಗ ಚಾಲನೆ ಮಾಡಿ", + "Run next": "ಮುಂದಿನದಾಗಿ ಚಾಲನೆ ಮಾಡಿ", + "Run last": "ಕೊನೆಯಲ್ಲಿ ಚಾಲನೆ ಮಾಡಿ", + "Retry as administrator": "administrator ಆಗಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Retry interactively": "ಪರಸ್ಪರಕ್ರಿಯಾತ್ಮಕವಾಗಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Retry skipping integrity checks": "integrity checks ಬಿಟ್ಟುಕೊಟ್ಟು ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Installation options": "ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳು", + "Show in explorer": "explorer ನಲ್ಲಿ ತೋರಿಸಿ", + "This package is already installed": "ಈ package ಈಗಾಗಲೇ ಸ್ಥಾಪಿಸಲಾಗಿದೆ", + "This package can be upgraded to version {0}": "ಈ package ಅನ್ನು version {0} ಗೆ upgrade ಮಾಡಬಹುದು", + "Updates for this package are ignored": "ಈ package ಗಾಗಿ updates ನಿರ್ಲಕ್ಷಿಸಲಾಗಿದೆ", + "This package is being processed": "ಈ package ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿದೆ", + "This package is not available": "ಈ package ಲಭ್ಯವಿಲ್ಲ", + "Select the source you want to add:": "ನೀವು ಸೇರಿಸಲು ಬಯಸುವ source ಆಯ್ಕೆಮಾಡಿ:", + "Source name:": "source ಹೆಸರು:", + "Source URL:": "ಮೂಲ URL:", + "An error occurred": "ದೋಷ ಸಂಭವಿಸಿದೆ", + "An error occurred when adding the source: ": "ಮೂಲವನ್ನು ಸೇರಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ:", + "Package management made easy": "ಪ್ಯಾಕೇಜ್ ನಿರ್ವಹಣೆಯನ್ನು ಸುಲಭಗೊಳಿಸಲಾಗಿದೆ", + "version {0}": "ಆವೃತ್ತಿ {0}", + "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR ಆಗಿ ಚಾಲನೆ ಮಾಡಲಾಗಿದೆ]", + "Portable mode": "ಪೋರ್ಟೆಬಲ್ ಮೋಡ್\n", + "DEBUG BUILD": "DEBUG build", + "Available Updates": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳು", + "Show WingetUI": "UniGetUI ತೋರಿಸಿ", + "Quit": "ನಿರ್ಗಮಿಸಿ", + "Attention required": "ಗಮನ ಅಗತ್ಯವಿದೆ", + "Restart required": "ಮರುಪ್ರಾರಂಭ ಅಗತ್ಯವಿದೆ", + "1 update is available": "1 ನವೀಕರಣ ಲಭ್ಯವಿದೆ", + "{0} updates are available": "{0} updates ಲಭ್ಯವಿವೆ", + "WingetUI Homepage": "UniGetUI ಮುಖಪುಟ", + "WingetUI Repository": "UniGetUI ಸಂಗ್ರಹಣೆ", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "ಇಲ್ಲಿ ನೀವು ಕೆಳಗಿನ shortcuts ಕುರಿತು UniGetUI ನ ನಡೆನುಡಿಯನ್ನು ಬದಲಾಯಿಸಬಹುದು. ಒಂದು shortcut ಅನ್ನು ಗುರುತಿಸಿದರೆ, ಭವಿಷ್ಯದ upgrade ವೇಳೆ ಅದು ರಚಿಸಲ್ಪಟ್ಟರೆ UniGetUI ಅದನ್ನು ಅಳಿಸುತ್ತದೆ. ಗುರುತನ್ನು ತೆಗೆಯುವುದರಿಂದ shortcut ಹಾಗೆಯೇ ಉಳಿಯುತ್ತದೆ.", + "Manual scan": "ಕೈಯಾರೆ ಪರಿಶೀಲನೆ", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "ನಿಮ್ಮ desktop‌ನಲ್ಲಿರುವ ಈಗಿರುವ shortcuts ಪರಿಶೀಲಿಸಲಾಗುತ್ತದೆ, ಮತ್ತು ಯಾವುದನ್ನು ಉಳಿಸಬೇಕು ಹಾಗೂ ಯಾವುದನ್ನು ತೆಗೆದುಹಾಕಬೇಕು ಎಂಬುದನ್ನು ನೀವು ಆಯ್ಕೆ ಮಾಡಬೇಕು.", + "Continue": "ಮುಂದುವರಿಸಿ", + "Delete?": "ಅಳಿಸಬೇಕೆ?", + "Missing dependency": "ಕಾಣೆಯಾದ ಅವಲಂಬನೆ", + "Not right now": "ಈಗ ಬೇಡ", + "Install {0}": "{0} ಅನ್ನು ಸ್ಥಾಪಿಸಿ", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ಕಾರ್ಯನಿರ್ವಹಿಸಲು {0} ಅಗತ್ಯವಿದೆ, ಆದರೆ ಅದು ನಿಮ್ಮ system ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "ಸ್ಥಾಪನೆ ಪ್ರಕ್ರಿಯೆಯನ್ನು ಪ್ರಾರಂಭಿಸಲು ಸ್ಥಾಪನೆ ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ. ನೀವು ಸ್ಥಾಪನೆಯನ್ನು ಬಿಟ್ಟುಹೋದರೆ, UniGetUI ನಿರೀಕ್ಷಿತ ರೀತಿಯಲ್ಲಿ ಕಾರ್ಯನಿರ್ವಹಿಸದಿರಬಹುದು", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "ವೈಕಲ್ಪಿಕವಾಗಿ, Windows PowerShell prompt ನಲ್ಲಿ ಕೆಳಗಿನ command ಅನ್ನು ನಡೆಸಿ {0} ಅನ್ನು ಸ್ಥಾಪಿಸಬಹುದು:", + "Do not show this dialog again for {0}": "{0} ಗಾಗಿ ಈ ಸಂವಾದವನ್ನು ಮತ್ತೆ ತೋರಿಸಬೇಡಿ", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} ಸ್ಥಾಪಿಸಲಾಗುತ್ತಿರುವಾಗ ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ. ಕಪ್ಪು ಬಣ್ಣದ ಕಿಟಕಿ ಕಾಣಿಸಬಹುದು. ಅದು ಮುಚ್ಚುವವರೆಗೆ ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ.", + "{0} has been installed successfully.": "{0} ಯಶಸ್ವಿಯಾಗಿ install ಆಗಿದೆ.", + "Please click on \"Continue\" to continue": "ಮುಂದುವರಿಸಲು \"Continue\" ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} ಯಶಸ್ವಿಯಾಗಿ install ಆಗಿದೆ. installation ಪೂರ್ಣಗೊಳಿಸಲು UniGetUI ಮರುಪ್ರಾರಂಭಿಸುವುದು ಶಿಫಾರಸು ಮಾಡಲಾಗಿದೆ", + "Restart later": "ನಂತರ ಮರುಪ್ರಾರಂಭಿಸಿ", + "An error occurred:": "ದೋಷ ಸಂಭವಿಸಿದೆ:", + "I understand": "ನಾನು ಅರ್ಥಮಾಡಿಕೊಂಡಿದ್ದೇನೆ", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ಅನ್ನು administrator ಆಗಿ ಚಾಲನೆ ಮಾಡಲಾಗಿದೆ, ಇದು ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ. UniGetUI ಅನ್ನು administrator ಆಗಿ ಚಾಲನೆ ಮಾಡಿದಾಗ, UniGetUI ನಿಂದ ಪ್ರಾರಂಭವಾಗುವ ಪ್ರತಿಯೊಂದು ಕಾರ್ಯಾಚರಣೆಯೂ administrator privileges ಹೊಂದಿರುತ್ತದೆ. ನೀವು ಇನ್ನೂ program ಬಳಸಬಹುದು, ಆದರೆ UniGetUI ಅನ್ನು administrator privileges ಜೊತೆಗೆ ಚಾಲನೆ ಮಾಡಬಾರದೆಂದು ನಾವು ಬಲವಾಗಿ ಶಿಫಾರಸು ಮಾಡುತ್ತೇವೆ.", + "WinGet was repaired successfully": "WinGet ಯಶಸ್ವಿಯಾಗಿ ಸರಿಪಡಿಸಲಾಗಿದೆ", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet ಸರಿಪಡಿಸಿದ ನಂತರ UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸುವುದು ಶಿಫಾರಸು ಮಾಡಲಾಗಿದೆ", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ಸೂಚನೆ: ಈ troubleshooter ಅನ್ನು UniGetUI Settings ನ WinGet ವಿಭಾಗದಿಂದ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಬಹುದು", + "Restart": "ಮರುಪ್ರಾರಂಭಿಸಿ", + "WinGet could not be repaired": "WinGet ಅನ್ನು ಸರಿಪಡಿಸಲಾಗಲಿಲ್ಲ", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet ಅನ್ನು ದುರಸ್ತಿ ಮಾಡಲು ಪ್ರಯತ್ನಿಸುವಾಗ ಅನಿರೀಕ್ಷಿತ ಸಮಸ್ಯೆ ಸಂಭವಿಸಿದೆ. ದಯವಿಟ್ಟು ನಂತರ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", + "Are you sure you want to delete all shortcuts?": "ಎಲ್ಲ shortcuts ಗಳನ್ನು ಅಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿದ್ದೀರಾ?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ಸ್ಥಾಪನೆ ಅಥವಾ ನವೀಕರಣ ಕಾರ್ಯಾಚರಣೆ ವೇಳೆ ರಚಿಸಲಾದ ಯಾವುದೇ ಹೊಸ shortcuts ಮೊದಲ ಬಾರಿ ಪತ್ತೆಯಾದಾಗ ದೃಢೀಕರಣ prompt ತೋರಿಸುವ ಬದಲು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI ಹೊರಗೆ ರಚಿಸಲಾದ ಅಥವಾ ಬದಲಾಯಿಸಲಾದ ಯಾವುದೇ shortcuts ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಲಾಗುತ್ತದೆ. ನೀವು ಅವನ್ನು {0} ಬಟನ್ ಮೂಲಕ ಸೇರಿಸಬಹುದು.", + "Are you really sure you want to enable this feature?": "ಈ ವೈಶಿಷ್ಟ್ಯವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿಯೂ ಬಯಸುವಿರಾ?", + "No new shortcuts were found during the scan.": "ಪರಿಶೀಲನೆಯ ವೇಳೆ ಯಾವುದೇ ಹೊಸ shortcuts ಕಂಡುಬಂದಿಲ್ಲ.", + "How to add packages to a bundle": "ಬಂಡಲ್‌ಗೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹೇಗೆ ಸೇರಿಸುವುದು", + "In order to add packages to a bundle, you will need to: ": "ಬಂಡಲ್‌ಗೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಲು, ನೀವು ಈ ಹಂತಗಳನ್ನು ಅನುಸರಿಸಬೇಕು: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" ಅಥವಾ \"{1}\" ಪುಟಕ್ಕೆ ಹೋಗಿ.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. ನೀವು ಬಂಡಲ್‌ಗೆ ಸೇರಿಸಬೇಕಾದ ಪ್ಯಾಕೇಜ್(ಗಳು) ಅನ್ನು ಕಂಡುಹಿಡಿದು, ಅವುಗಳ ಎಡಭಾಗದ checkbox ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. ನೀವು ಬಂಡಲ್‌ಗೆ ಸೇರಿಸಬೇಕಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಯ್ಕೆ ಮಾಡಿದ ನಂತರ, toolbar ನಲ್ಲಿ \"{0}\" ಆಯ್ಕೆಯನ್ನು ಕಂಡು ಕ್ಲಿಕ್ ಮಾಡಿ.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. ನಿಮ್ಮ ಪ್ಯಾಕೇಜ್‌ಗಳು ಬಂಡಲ್‌ಗೆ ಸೇರಿಸಲ್ಪಟ್ಟಿರುತ್ತವೆ. ನೀವು ಇನ್ನಷ್ಟು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಬಹುದು ಅಥವಾ ಬಂಡಲ್ ಅನ್ನು ರಫ್ತು ಮಾಡಬಹುದು.", + "Which backup do you want to open?": "ನೀವು ಯಾವ backup ತೆರೆಯಲು ಬಯಸುತ್ತೀರಿ?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "ನೀವು ತೆರೆಯಬೇಕಾದ backup ಆಯ್ಕೆಮಾಡಿ. ನಂತರ ನೀವು ಯಾವ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಬೇಕು ಎಂಬುದನ್ನು ಪರಿಶೀಲಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತದೆ.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "ಪ್ರಸ್ತುತ ಕಾರ್ಯಾಚರಣೆಗಳು ನಡೆಯುತ್ತಿವೆ. UniGetUI ನಿಂದ ನಿರ್ಗಮಿಸಿದರೆ ಅವು ವಿಫಲವಾಗಬಹುದು. ನೀವು ಮುಂದುವರಿಯಲು ಬಯಸುವಿರಾ?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ಅಥವಾ ಅದರ ಕೆಲವು components ಕಾಣೆಯಾಗಿವೆ ಅಥವಾ ಹಾಳಾಗಿವೆ.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "ಈ ಪರಿಸ್ಥಿತಿಯನ್ನು ಸರಿಪಡಿಸಲು UniGetUI ಅನ್ನು ಮರುಸ್ಥಾಪಿಸುವುದು ತೀವ್ರವಾಗಿ ಶಿಫಾರಸು ಮಾಡಲಾಗಿದೆ.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "ಪ್ರಭಾವಿತ file(s) ಬಗ್ಗೆ ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ UniGetUI Logs ಅನ್ನು ನೋಡಿ", + "Integrity checks can be disabled from the Experimental Settings": "Integrity checks ಅನ್ನು Experimental Settings ನಿಂದ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಬಹುದು", + "Repair UniGetUI": "UniGetUI ಅನ್ನು ಸರಿಪಡಿಸಿ", + "Live output": "ನೇರ output", + "Package not found": "ಪ್ಯಾಕೇಜ್ ಕಂಡುಬಂದಿಲ್ಲ", + "An error occurred when attempting to show the package with Id {0}": "Id {0} ಹೊಂದಿರುವ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ತೋರಿಸಲು ಪ್ರಯತ್ನಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ", + "Package": "ಪ್ಯಾಕೇಜ್", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "ಈ package bundle ನಲ್ಲಿ ಕೆಲವು settings ಅಪಾಯಕಾರಿ ಆಗಿರಬಹುದು, ಮತ್ತು ಅವುಗಳನ್ನು default ಆಗಿ ನಿರ್ಲಕ್ಷಿಸಬಹುದು.", + "Entries that show in YELLOW will be IGNORED.": "YELLOW ಬಣ್ಣದಲ್ಲಿ ತೋರಿಸಲಾದ entries IGNORE ಆಗುತ್ತವೆ.", + "Entries that show in RED will be IMPORTED.": "RED ಬಣ್ಣದಲ್ಲಿ ತೋರಿಸಲಾದ entries IMPORT ಆಗುತ್ತವೆ.", + "You can change this behavior on UniGetUI security settings.": "ಈ ವರ್ತನೆಯನ್ನು UniGetUI security settings ನಲ್ಲಿ ಬದಲಾಯಿಸಬಹುದು.", + "Open UniGetUI security settings": "UniGetUI security settings ತೆರೆಯಿರಿ", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "ನೀವು security settings ಬದಲಿಸಿದರೆ, ಬದಲಾವಣೆಗಳು ಪರಿಣಾಮ ಬೀರುವಂತೆ bundle ಅನ್ನು ಮತ್ತೆ ತೆರೆಯಬೇಕಾಗುತ್ತದೆ.", + "Details of the report:": "ವರದಿಯ ವಿವರಗಳು:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ಒಂದು ಸ್ಥಳೀಯ ಪ್ಯಾಕೇಜ್ ಆಗಿದ್ದು ಹಂಚಲಾಗುವುದಿಲ್ಲ", + "Are you sure you want to create a new package bundle? ": "ಹೊಸ ಪ್ಯಾಕೇಜ್ ಬಂಡಲ್ ರಚಿಸಲು ನೀವು ಖಚಿತವಾಗಿದ್ದೀರಾ? ", + "Any unsaved changes will be lost": "ಉಳಿಸದ ಯಾವುದೇ ಬದಲಾವಣೆಗಳು ಕಳೆದುಹೋಗುತ್ತವೆ", + "Warning!": "ಎಚ್ಚರಿಕೆ!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "ಭದ್ರತಾ ಕಾರಣಗಳಿಂದ custom command-line arguments default ಆಗಿ ನಿಷ್ಕ್ರಿಯವಾಗಿವೆ. ಇದನ್ನು ಬದಲಾಯಿಸಲು UniGetUI security settings ಗೆ ಹೋಗಿ. ", + "Change default options": "ಡೀಫಾಲ್ಟ್ ಆಯ್ಕೆಗಳನ್ನು ಬದಲಿಸಿ", + "Ignore future updates for this package": "ಈ ಪ್ಯಾಕೇಜ್‌ಗೆ ಬರುವ ಭವಿಷ್ಯದ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "ಭದ್ರತಾ ಕಾರಣಗಳಿಂದ pre-operation ಮತ್ತು post-operation scripts default ಆಗಿ ನಿಷ್ಕ್ರಿಯವಾಗಿವೆ. ಇದನ್ನು ಬದಲಾಯಿಸಲು UniGetUI security settings ಗೆ ಹೋಗಿ. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "ಈ package install, update ಅಥವಾ uninstall ಆಗುವ ಮೊದಲು ಅಥವಾ ನಂತರ ನಡೆಸಲಾಗುವ commands ಗಳನ್ನು ನೀವು ನಿರ್ಧರಿಸಬಹುದು. ಅವು command prompt ನಲ್ಲಿ ನಡೆಯುತ್ತವೆ, ಆದ್ದರಿಂದ CMD scripts ಇಲ್ಲಿ ಕೆಲಸ ಮಾಡುತ್ತವೆ.", + "Change this and unlock": "ಇದನ್ನು ಬದಲಿಸಿ ಮತ್ತು ಅನ್ಲಾಕ್ ಮಾಡಿ", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} default install options ಅನುಸರಿಸುವುದರಿಂದ {0} install options ಪ್ರಸ್ತುತ lock ಆಗಿವೆ.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "ಈ ಪ್ಯಾಕೇಜ್ ಸ್ಥಾಪನೆ, ನವೀಕರಣ ಅಥವಾ uninstall ಆಗುವ ಮೊದಲು ಮುಚ್ಚಬೇಕಾದ processes ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ.", + "Write here the process names here, separated by commas (,)": "process ಹೆಸರುಗಳನ್ನು ಇಲ್ಲಿ commas (,) ಮೂಲಕ ಬೇರ್ಪಡಿಸಿ ಬರೆಯಿರಿ", + "Unset or unknown": "unset ಅಥವಾ ಅಪರಿಚಿತ", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "ಸಮಸ್ಯೆಯ ಬಗ್ಗೆ ಹೆಚ್ಚಿನ ಮಾಹಿತಿಗಾಗಿ Command-line Output ನೋಡಿ ಅಥವಾ Operation History ಅನ್ನು ಪರಿಶೀಲಿಸಿ.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "ಈ package ನಲ್ಲಿ screenshots ಇಲ್ಲವೇ ಅಥವಾ icon ಕಾಣೆಯೇ? ನಮ್ಮ open, public database ಗೆ ಕಾಣೆಯಾದ icons ಮತ್ತು screenshots ಸೇರಿಸಿ UniGetUI ಗೆ ಕೊಡುಗೆ ನೀಡಿ.", + "Become a contributor": "ಒಂದು ಸಹಾಯಕನಾಗಿ", + "Save": "ಉಳಿಸಿ", + "Update to {0} available": "{0} ಗೆ update ಲಭ್ಯವಿದೆ", + "Reinstall": "ಮರುಸ್ಥಾಪಿಸಿ", + "Installer not available": "Installer ಲಭ್ಯವಿಲ್ಲ", + "Version:": "ಆವೃತ್ತಿ:", + "Performing backup, please wait...": "backup ನಡೆಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", + "An error occurred while logging in: ": "ಲಾಗಿನ್ ಮಾಡುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ: ", + "Fetching available backups...": "ಲಭ್ಯವಿರುವ backups ಅನ್ನು ಪಡೆದುಕೊಳ್ಳುತ್ತಿದೆ...", + "Done!": "ಮುಗಿದಿದೆ!", + "The cloud backup has been loaded successfully.": "cloud backup ಯಶಸ್ವಿಯಾಗಿ load ಆಗಿದೆ.", + "An error occurred while loading a backup: ": "ಬ್ಯಾಕಪ್ ಅನ್ನು ಲೋಡ್ ಮಾಡುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ: ", + "Backing up packages to GitHub Gist...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು GitHub Gist ಗೆ ಬ್ಯಾಕಪ್ ಮಾಡಲಾಗುತ್ತಿದೆ...", + "Backup Successful": "ಬ್ಯಾಕಪ್ ಯಶಸ್ವಿಯಾಗಿದೆ", + "The cloud backup completed successfully.": "cloud backup ಯಶಸ್ವಿಯಾಗಿ ಪೂರ್ಣಗೊಂಡಿತು.", + "Could not back up packages to GitHub Gist: ": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು GitHub Gist ಗೆ ಬ್ಯಾಕಪ್ ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "ನೀಡಲಾದ credentials ಸುರಕ್ಷಿತವಾಗಿ ಸಂಗ್ರಹಿಸಲಾಗುತ್ತದೆ ಎಂಬ ಭರವಸೆ ಇಲ್ಲ, ಆದ್ದರಿಂದ ನಿಮ್ಮ ಬ್ಯಾಂಕ್ ಖಾತೆಯ credentials ಅನ್ನು ಬಳಸದಿರುವುದೇ ಉತ್ತಮ.", + "Enable the automatic WinGet troubleshooter": "ಸ್ವಯಂಚಾಲಿತ WinGet troubleshooter ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Enable an [experimental] improved WinGet troubleshooter": "[experimental] ಸುಧಾರಿತ WinGet troubleshooter ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' ಎಂದು ವಿಫಲವಾಗುವ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿತ ನವೀಕರಣಗಳ ಪಟ್ಟಿಗೆ ಸೇರಿಸಿ", + "Restart WingetUI to fully apply changes": "ಬದಲಾವಣೆಗಳನ್ನು ಸಂಪೂರ್ಣವಾಗಿ ಅನ್ವಯಿಸಲು UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", + "Restart WingetUI": "UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", + "Invalid selection": "ಅಮಾನ್ಯ ಆಯ್ಕೆ", + "No package was selected": "ಯಾವುದೇ ಪ್ಯಾಕೇಜ್ ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ", + "More than 1 package was selected": "1 ಕ್ಕಿಂತ ಹೆಚ್ಚು ಪ್ಯಾಕೇಜ್ ಆಯ್ಕೆ ಮಾಡಲಾಗಿದೆ", + "List": "ಪಟ್ಟಿ", + "Grid": "ಜಾಲಕ", + "Icons": "ಚಿಹ್ನೆಗಳು", "\"{0}\" is a local package and does not have available details": "\"{0}\" ಒಂದು ಸ್ಥಳೀಯ ಪ್ಯಾಕೇಜ್ ಆಗಿದ್ದು ಲಭ್ಯವಿರುವ ವಿವರಗಳಿಲ್ಲ", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ಒಂದು ಸ್ಥಳೀಯ ಪ್ಯಾಕೇಜ್ ಆಗಿದ್ದು ಈ ವೈಶಿಷ್ಟ್ಯಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ", - "(Last checked: {0})": "(ಕೊನೆಯದಾಗಿ ಪರಿಶೀಲಿಸಲಾಗಿದೆ: {0})", + "WinGet malfunction detected": "WinGet ದೋಷ ಪತ್ತೆಯಾಗಿದೆ", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet ಸರಿಯಾಗಿ ಕೆಲಸ ಮಾಡುತ್ತಿಲ್ಲವೆಂದು ಕಾಣುತ್ತದೆ. WinGet ಅನ್ನು ಸರಿಪಡಿಸಲು ಪ್ರಯತ್ನಿಸಲು ಬಯಸುವಿರಾ?", + "Repair WinGet": "WinGet ಅನ್ನು ಸರಿಪಡಿಸಿ", + "Create .ps1 script": ".ps1 ಸ್ಕ್ರಿಪ್ಟ್ ರಚಿಸಿ", + "Add packages to bundle": "ಬಂಡಲ್‌ಗೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ", + "Preparing packages, please wait...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸಿದ್ಧಪಡಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", + "Loading packages, please wait...": "ಪ್ಯಾಕೇಜ್‌ಗಳು load ಆಗುತ್ತಿವೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", + "Saving packages, please wait...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಉಳಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", + "The bundle was created successfully on {0}": "{0} ನಲ್ಲಿ bundle ಯಶಸ್ವಿಯಾಗಿ ರಚಿಸಲಾಗಿದೆ", + "Install script": "ಸ್ಥಾಪನಾ script", + "The installation script saved to {0}": "installation script ಅನ್ನು {0} ಗೆ ಉಳಿಸಲಾಗಿದೆ", + "An error occurred while attempting to create an installation script:": "ಸ್ಥಾಪನಾ script ರಚಿಸಲು ಪ್ರಯತ್ನಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ:", + "{0} packages are being updated": "{0} packages update ಆಗುತ್ತಿವೆ", + "Error": "ದೋಷ", + "Log in failed: ": "ಲಾಗಿನ್ ವಿಫಲವಾಗಿದೆ: ", + "Log out failed: ": "ಲಾಗ್ ಔಟ್ ವಿಫಲವಾಗಿದೆ: ", + "Package backup settings": "ಪ್ಯಾಕೇಜ್ backup settings", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(ಸರದಿಯಲ್ಲಿ ಸಂಖ್ಯೆ {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@skanda890", "0 packages found": "0 ಪ್ಯಾಕೇಜ್ ಕಂಡುಬಂದಿಲ್ಲ", "0 updates found": "0 ನವೀಕರಣಗಳು ಕಂಡುಬಂದಿಲ್ಲ", - "1 - Errors": "1 - ದೋಷಗಳು", - "1 day": "1 ದಿನ", - "1 hour": "1 ಗಂಟೆ", "1 month": "1 ತಿಂಗಳು", "1 package was found": "1 ಪ್ಯಾಕೇಜ್ ಕಂಡುಬಂದಿದೆ", - "1 update is available": "1 ನವೀಕರಣ ಲಭ್ಯವಿದೆ", - "1 week": "1 ವಾರ", "1 year": "1 ವರ್ಷ", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" ಅಥವಾ \"{1}\" ಪುಟಕ್ಕೆ ಹೋಗಿ.", - "2 - Warnings": "2 - ಎಚ್ಚರಿಕೆಗಳು", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. ನೀವು ಬಂಡಲ್‌ಗೆ ಸೇರಿಸಬೇಕಾದ ಪ್ಯಾಕೇಜ್(ಗಳು) ಅನ್ನು ಕಂಡುಹಿಡಿದು, ಅವುಗಳ ಎಡಭಾಗದ checkbox ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ.", - "3 - Information (less)": "3 - ಮಾಹಿತಿ (ಕಡಿಮೆ)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. ನೀವು ಬಂಡಲ್‌ಗೆ ಸೇರಿಸಬೇಕಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಯ್ಕೆ ಮಾಡಿದ ನಂತರ, toolbar ನಲ್ಲಿ \"{0}\" ಆಯ್ಕೆಯನ್ನು ಕಂಡು ಕ್ಲಿಕ್ ಮಾಡಿ.", - "4 - Information (more)": "4 - ಮಾಹಿತಿ (ಹೆಚ್ಚು)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. ನಿಮ್ಮ ಪ್ಯಾಕೇಜ್‌ಗಳು ಬಂಡಲ್‌ಗೆ ಸೇರಿಸಲ್ಪಟ್ಟಿರುತ್ತವೆ. ನೀವು ಇನ್ನಷ್ಟು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಬಹುದು ಅಥವಾ ಬಂಡಲ್ ಅನ್ನು ರಫ್ತು ಮಾಡಬಹುದು.", - "5 - information (debug)": "5 - ಮಾಹಿತಿ (ಡಿಬಗ್)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ಜನಪ್ರಿಯ C/C++ ಲೈಬ್ರರಿ ನಿರ್ವಾಹಕ. C/C++ ಲೈಬ್ರರಿಗಳು ಮತ್ತು ಇತರೆ C/C++ ಸಂಬಂಧಿತ ಉಪಯುಕ್ತಿಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿದೆ: C/C++ ಲೈಬ್ರರಿಗಳು ಮತ್ತು ಸಂಬಂಧಿತ ಉಪಯುಕ್ತಿಗಳು", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft ನ .NET ಪರಿಸರವ್ಯವಸ್ಥೆಯನ್ನು ಗಮನದಲ್ಲಿಟ್ಟುಕೊಂಡು ರೂಪಿಸಲಾದ tools ಮತ್ತು executables ಗಳಿಂದ ತುಂಬಿರುವ repository.
ಒಳಗೊಂಡಿದೆ: .NET ಸಂಬಂಧಿತ tools ಮತ್ತು scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoft ನ .NET ಪರಿಸರವ್ಯವಸ್ಥೆಯನ್ನು ಗಮನದಲ್ಲಿಟ್ಟುಕೊಂಡು ರೂಪಿಸಲಾದ tools ಗಳಿಂದ ತುಂಬಿರುವ repository.
ಒಳಗೊಂಡಿದೆ: .NET ಸಂಬಂಧಿತ tools", "A restart is required": "ಮರುಪ್ರಾರಂಭ ಅಗತ್ಯವಿದೆ", - "Abort install if pre-install command fails": "pre-install command ವಿಫಲವಾದರೆ ಸ್ಥಾಪನೆಯನ್ನು ನಿಲ್ಲಿಸಿ", - "Abort uninstall if pre-uninstall command fails": "pre-uninstall command ವಿಫಲವಾದರೆ ಅಸ್ಥಾಪನೆಯನ್ನು ನಿಲ್ಲಿಸಿ", - "Abort update if pre-update command fails": "pre-update command ವಿಫಲವಾದರೆ ನವೀಕರಣವನ್ನು ನಿಲ್ಲಿಸಿ", - "About": "ಬಗ್ಗೆ", "About Qt6": "Qt6 ಬಗ್ಗೆ", - "About WingetUI": "WingetUI ಬಗ್ಗೆ", "About WingetUI version {0}": "UniGetUI ಆವೃತ್ತಿ {0} ಬಗ್ಗೆ", "About the dev": "ಡೆವ್ ಬಗ್ಗೆ", - "Accept": "ಸ್ವೀಕರಿಸಿ", "Action when double-clicking packages, hide successful installations": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಡಬಲ್ ಕ್ಲಿಕ್ ಮಾಡುವಾಗ ಕ್ರಿಯೆ, ಯಶಸ್ವಿ ಸ್ಥಾಪನೆಗಳನ್ನು ಮರೆಮಾಡಿ", - "Add": "ಸೇರಿಸಿ", "Add a source to {0}": "{0} ಗೆ ಮೂಲವನ್ನು ಸೇರಿಸಿ", - "Add a timestamp to the backup file names": "ಬ್ಯಾಕಪ್ ಫೈಲ್ ಹೆಸರುಗಳಿಗೆ ಟೈಮ್‌ಸ್ಟ್ಯಾಂಪ್ ಸೇರಿಸಿ", "Add a timestamp to the backup files": "ಬ್ಯಾಕಪ್ ಫೈಲ್‌ಗಳಿಗೆ ಟೈಮ್‌ಸ್ಟ್ಯಾಂಪ್ ಸೇರಿಸಿ", "Add packages or open an existing bundle": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ ಅಥವಾ ಇರುವ ಬಂಡಲ್ ಅನ್ನು ತೆರೆಯಿರಿ", - "Add packages or open an existing package bundle": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ ಅಥವಾ ಇರುವ ಪ್ಯಾಕೇಜ್ ಬಂಡಲ್ ಅನ್ನು ತೆರೆಯಿರಿ", - "Add packages to bundle": "ಬಂಡಲ್‌ಗೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ", - "Add packages to start": "ಪ್ರಾರಂಭಿಸಲು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ", - "Add selection to bundle": "ಬಂಡಲ್‌ಗೆ ವಿಭಾಗವನ್ನು ಸೇರಿಸಿ", - "Add source": "ಮೂಲವನ್ನು ಸೇರಿಸಿ", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' ಎಂದು ವಿಫಲವಾಗುವ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿತ ನವೀಕರಣಗಳ ಪಟ್ಟಿಗೆ ಸೇರಿಸಿ", - "Adding source {source}": "ಮೂಲ {source} ಅನ್ನು ಸೇರಿಸಲಾಗುತ್ತಿದೆ", - "Adding source {source} to {manager}": "{manager} ಗೆ ಮೂಲ {source} ಅನ್ನು ಸೇರಿಸಲಾಗುತ್ತಿದೆ", "Addition succeeded": "ಸೇರಿಸುವಿಕೆ ಯಶಸ್ವಿಯಾಯಿತು", - "Administrator privileges": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳು", "Administrator privileges preferences": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳ ಆದ್ಯತೆಗಳು", "Administrator rights": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳು", - "Administrator rights and other dangerous settings": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳು ಮತ್ತು ಇತರೆ ಅಪಾಯಕಾರಿ ಸೆಟ್ಟಿಂಗ್‌ಗಳು", - "Advanced options": "ಮುನ್ನಡೆದ ಆಯ್ಕೆಗಳು", "All files": "ಎಲ್ಲಾ ಫೈಲ್‌ಗಳು", - "All versions": "ಎಲ್ಲಾ ಆವೃತ್ತಿಗಳು", - "Allow changing the paths for package manager executables": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್ executable ಗಳ ದಾರಿಗಳನ್ನು ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಿ", - "Allow custom command-line arguments": "ಕಸ್ಟಮ್ command-line arguments ಗೆ ಅನುಮತಿಸಿ", - "Allow importing custom command-line arguments when importing packages from a bundle": "ಬಂಡಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡುವಾಗ ಕಸ್ಟಮ್ command-line arguments ಗಳನ್ನು ಆಮದು ಮಾಡಲು ಅನುಮತಿಸಿ", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "ಬಂಡಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡುವಾಗ ಕಸ್ಟಮ್ pre-install ಮತ್ತು post-install command ಗಳನ್ನು ಆಮದು ಮಾಡಲು ಅನುಮತಿಸಿ", "Allow package operations to be performed in parallel": "ಪ್ಯಾಕೇಜ್ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಸಮಾಂತರವಾಗಿ ನಿರ್ವಹಿಸಲು ಅನುಮತಿಸಿ", "Allow parallel installs (NOT RECOMMENDED)": "ಸಮಾಂತರ ಸ್ಥಾಪನೆಗೆ ಅನುಮತಿಸಿ (ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ)", - "Allow pre-release versions": "pre-release ಆವೃತ್ತಿಗಳಿಗೆ ಅನುಮತಿಸಿ", "Allow {pm} operations to be performed in parallel": "{pm} ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಸಮಾಂತರವಾಗಿ ನಿರ್ವಹಿಸಲು ಅನುಮತಿಸಿ", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "ವೈಕಲ್ಪಿಕವಾಗಿ, Windows PowerShell prompt ನಲ್ಲಿ ಕೆಳಗಿನ command ಅನ್ನು ನಡೆಸಿ {0} ಅನ್ನು ಸ್ಥಾಪಿಸಬಹುದು:", "Always elevate {pm} installations by default": "{pm} ಸ್ಥಾಪನೆಗಳನ್ನು ಡೀಫಾಲ್ಟ್ ಆಗಿ ಯಾವಾಗಲೂ ಎಲೆವೇಟು ಮಾಡಿ", "Always run {pm} operations with administrator rights": "{pm} ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಸದಾ ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳೊಂದಿಗೆ ನಡೆಸಿ", - "An error occurred": "ದೋಷ ಸಂಭವಿಸಿದೆ", - "An error occurred when adding the source: ": "ಮೂಲವನ್ನು ಸೇರಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ:", - "An error occurred when attempting to show the package with Id {0}": "Id {0} ಹೊಂದಿರುವ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ತೋರಿಸಲು ಪ್ರಯತ್ನಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ", - "An error occurred when checking for updates: ": "ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ", - "An error occurred while attempting to create an installation script:": "ಸ್ಥಾಪನಾ script ರಚಿಸಲು ಪ್ರಯತ್ನಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ:", - "An error occurred while loading a backup: ": "ಬ್ಯಾಕಪ್ ಅನ್ನು ಲೋಡ್ ಮಾಡುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ: ", - "An error occurred while logging in: ": "ಲಾಗಿನ್ ಮಾಡುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ: ", - "An error occurred while processing this package": "ಈ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಪ್ರಕ್ರಿಯೆಗೊಳಿಸುವಾಗ ದೋಷ ಸಂಭವಿಸಿದೆ", - "An error occurred:": "ದೋಷ ಸಂಭವಿಸಿದೆ:", - "An interal error occurred. Please view the log for further details.": "ಆಂತರಿಕ ದೋಷ ಸಂಭವಿಸಿದೆ. ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ಲಾಗ್ ಅನ್ನು ವೀಕ್ಷಿಸಿ.", "An unexpected error occurred:": "ಅನಿರೀಕ್ಷಿತ ದೋಷ ಸಂಭವಿಸಿದೆ:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet ಅನ್ನು ದುರಸ್ತಿ ಮಾಡಲು ಪ್ರಯತ್ನಿಸುವಾಗ ಅನಿರೀಕ್ಷಿತ ಸಮಸ್ಯೆ ಸಂಭವಿಸಿದೆ. ದಯವಿಟ್ಟು ನಂತರ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", - "An update was found!": "ನವೀಕರಣ ಕಂಡುಬಂದಿದೆ!", - "Android Subsystem": "ಆಂಡ್ರಾಯ್ಡ್ ಉಪವ್ಯವಸ್ಥೆ", "Another source": "ಮತ್ತೊಂದು ಮೂಲ", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ಸ್ಥಾಪನೆ ಅಥವಾ ನವೀಕರಣ ಕಾರ್ಯಾಚರಣೆ ವೇಳೆ ರಚಿಸಲಾದ ಯಾವುದೇ ಹೊಸ shortcuts ಮೊದಲ ಬಾರಿ ಪತ್ತೆಯಾದಾಗ ದೃಢೀಕರಣ prompt ತೋರಿಸುವ ಬದಲು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಲಾಗುತ್ತದೆ.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI ಹೊರಗೆ ರಚಿಸಲಾದ ಅಥವಾ ಬದಲಾಯಿಸಲಾದ ಯಾವುದೇ shortcuts ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಲಾಗುತ್ತದೆ. ನೀವು ಅವನ್ನು {0} ಬಟನ್ ಮೂಲಕ ಸೇರಿಸಬಹುದು.", - "Any unsaved changes will be lost": "ಉಳಿಸದ ಯಾವುದೇ ಬದಲಾವಣೆಗಳು ಕಳೆದುಹೋಗುತ್ತವೆ", "App Name": "ಅಪ್ಲಿಕೇಶನ್ ಹೆಸರು", - "Appearance": "ದೃಶ್ಯರೂಪ", - "Application theme, startup page, package icons, clear successful installs automatically": "ಅಪ್ಲಿಕೇಶನ್ ಥೀಮ್, ಪ್ರಾರಂಭ ಪುಟ, ಪ್ಯಾಕೇಜ್ ಚಿಹ್ನೆಗಳು, ಯಶಸ್ವಿ ಸ್ಥಾಪನೆಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ತೆರವುಗೊಳಿಸಿ", - "Application theme:": "ಅಪ್ಲಿಕೇಶನ್ ಥೀಮ್:", - "Apply": "ಅನ್ವಯಿಸಿ", - "Architecture to install:": "ಸ್ಥಾಪಿಸಲು ವಾಸ್ತುಶಿಲ್ಪ:", - "Discover Packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಕಂಡುಹಿಡಿಯಿರಿ", "Are these screenshots wron or blurry?": "ಈ ಸ್ಕ್ರೀನ್‌ಶಾಟ್‌ಗಳು ತಪ್ಪಾಗಿದೆಯೇ ಅಥವಾ ಮಸುಕಾಗಿದೆಯೇ?", - "Are you really sure you want to enable this feature?": "ಈ ವೈಶಿಷ್ಟ್ಯವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿಯೂ ಬಯಸುವಿರಾ?", - "Are you sure you want to create a new package bundle? ": "ಹೊಸ ಪ್ಯಾಕೇಜ್ ಬಂಡಲ್ ರಚಿಸಲು ನೀವು ಖಚಿತವಾಗಿದ್ದೀರಾ? ", - "Are you sure you want to delete all shortcuts?": "ಎಲ್ಲ shortcuts ಗಳನ್ನು ಅಳಿಸಲು ನೀವು ಖಚಿತವಾಗಿದ್ದೀರಾ?", - "Are you sure?": "ನೀವು ಖಚಿತವಾಗಿ ಇದೀರಾ?", - "Ascendant": "ಆರೋಹಣ", - "Homepage": "ಮುಖಪುಟ", - "Ask for administrator privileges once for each batch of operations": "ಪ್ರತಿ ಬ್ಯಾಚ್ ಕಾರ್ಯಾಚರಣೆಗಳಿಗೆ ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಒಮ್ಮೆ ಕೇಳಿ", "Ask for administrator rights when required": "ಅಗತ್ಯವಿರುವಾಗ ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಕೇಳಿ", "Ask once or always for administrator rights, elevate installations by default": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಒಮ್ಮೆ ಅಥವಾ ಯಾವಾಗಲೂ ಕೇಳಿ, ಸ್ಥಾಪನೆಗಳನ್ನು ಡೀಫಾಲ್ಟ್ ಆಗಿ ಎಲೆವೇಟು ಮಾಡಿ", - "Ask only once for administrator privileges": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಒಮ್ಮೆ ಮಾತ್ರ ಕೇಳಿ", "Ask only once for administrator privileges (not recommended)": ": \"ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಒಮ್ಮೆ ಮಾತ್ರ ಕೇಳಿ (ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "ಸ್ಥಾಪನೆ ಅಥವಾ ಅಪ್‌ಗ್ರೇಡ್ ಸಮಯದಲ್ಲಿ ರಚಿಸಲಾದ desktop shortcuts ಗಳನ್ನು ಅಳಿಸಲು ಕೇಳಿ.", - "Install": "ಸ್ಥಾಪಿಸಿ", - "Attention required": "ಗಮನ ಅಗತ್ಯವಿದೆ", - "Installed Packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳು", "Authenticate to the proxy with an user and a password": "proxy ಗೆ ಬಳಕೆದಾರ ಹೆಸರು ಮತ್ತು ಗುಪ್ತಪದದೊಂದಿಗೆ ದೃಢೀಕರಿಸಿ", - "Author": "ಲೇಖಕ", - "Automatic desktop shortcut remover": "ಸ್ವಯಂಚಾಲಿತ desktop shortcut ತೆಗೆಯುವಿಕೆ", - "Automatic updates": "ಸ್ವಯಂಚಾಲಿತ ನವೀಕರಣಗಳು", - "Automatically save a list of all your installed packages to easily restore them.": "ನಿಮ್ಮ ಎಲ್ಲಾ ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ ಪಟ್ಟಿಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಉಳಿಸಿ ಮತ್ತು ಅವುಗಳನ್ನು ಸುಲಭವಾಗಿ ಪುನಃಸ್ಥಾಪಿಸಿ.", - "New Version": "ಹೊಸ ಆವೃತ್ತಿ", "Automatically save a list of your installed packages on your computer.": "ನಿಮ್ಮ ಕಂಪ್ಯೂಟರ್‌ನಲ್ಲಿ ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ ಪಟ್ಟಿಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಉಳಿಸಿ", - "Automatically update this package": "ಈ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ನವೀಕರಿಸಿ", "Autostart WingetUI in the notifications area": "WingetUI ಅನ್ನು ಅಧಿಸೂಚನೆ ಪ್ರದೇಶದಲ್ಲಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪ್ರಾರಂಭಿಸಿ", - "Available Updates": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳು", "Available updates: {0}": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳು: {0}", - "OK": "ಸರಿ", "Available updates: {0}, not finished yet...": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳು: {0}, ಇನ್ನೂ ಪೂರ್ಣಗೊಂಡಿಲ್ಲ...", - "Backing up packages to GitHub Gist...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು GitHub Gist ಗೆ ಬ್ಯಾಕಪ್ ಮಾಡಲಾಗುತ್ತಿದೆ...", - "Backup": "ಬ್ಯಾಕಪ್", - "Backup Failed": "ಬ್ಯಾಕಪ್ ವಿಫಲವಾಗಿದೆ", - "Backup Successful": "ಬ್ಯಾಕಪ್ ಯಶಸ್ವಿಯಾಗಿದೆ", - "Backup and Restore": "ಬ್ಯಾಕಪ್ ಮತ್ತು ಮರುಸ್ಥಾಪನೆ", - "Package Manager": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್", "Backup installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಬ್ಯಾಕಪ್ ಮಾಡಿ", "Backup location": "ಬ್ಯಾಕಪ್ ಸ್ಥಳ", - "Package Managers": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್‌ಗಳು", - "Become a contributor": "ಒಂದು ಸಹಾಯಕನಾಗಿ", - "Become a translator": "ಅನುವಾದಕರಾಗಿ", - "Begin the process to select a cloud backup and review which packages to restore": "cloud ಬ್ಯಾಕಪ್ ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ ಮರುಸ್ಥಾಪಿಸಬೇಕಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಪರಿಶೀಲಿಸುವ ಪ್ರಕ್ರಿಯೆಯನ್ನು ಪ್ರಾರಂಭಿಸಿ", - "Beta features and other options that shouldn't be touched": "ಬೀಟಾ ವೈಶಿಷ್ಟ್ಯಗಳು ಮತ್ತು ಸ್ಪರ್ಶಿಸಬಾರದ ಇತರ ಆಯ್ಕೆಗಳು", - "Both": "ಎರಡೂ", - "Uninstall": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಿ", - "Bundle security report": "ಬಂಡಲ್ ಭದ್ರತಾ ವರದಿ", "But here are other things you can do to learn about WingetUI even more:": "WingetUI ಬಗ್ಗೆ ಇನ್ನಷ್ಟು ತಿಳಿಯಲು ನೀವು ಮಾಡಬಹುದಾದ ಇತರ ವಿಷಯಗಳು ಇಲ್ಲಿವೆ:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್ ಅನ್ನು ಆಫ್ ಮಾಡಿದರೆ, ನೀವು ಅದರ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನೋಡಲು ಅಥವಾ ನವೀಕರಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", "Cache administrator rights and elevate installers by default": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಕ್ಯಾಶ್ ಮಾಡಿ ಮತ್ತು ಸ್ಥಾಪಕರನ್ನು ಡೀಫಾಲ್ಟ್ ಆಗಿ ಎಲೆವೇಟು ಮಾಡಿ", - "WingetUI Log": "UniGetUI ದಾಖಲಾತಿ", "Cache administrator rights, but elevate installers only when required": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಕ್ಯಾಶ್ ಮಾಡಿ ಮತ್ತು ಸ್ಥಾಪಕರನ್ನು ಡೀಫಾಲ್ಟ್ ಆಗಿ ಎಲೆವೇಟು ಮಾಡಿ", "Cache was reset successfully!": "ಕ್ಯಾಶ್ ಯಶಸ್ವಿಯಾಗಿ ಮರುಹೊಂದಿಸಲಾಗಿದೆ!", "Can't {0} {1}": "{0} {1} ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", - "Cancel": "ರದ್ದುಮಾಡಿ", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ಕೆಳಗಿನ libraries ಗಳನ್ನು ಬಳಸುತ್ತದೆ. ಅವುಗಳಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ.", "Cancel all operations": "ಎಲ್ಲ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ರದ್ದುಮಾಡಿ", - "Change backup output directory": "ಬ್ಯಾಕಪ್ ಔಟ್‌ಪುಟ್ ಡೈರೆಕ್ಟರಿಯನ್ನು ಬದಲಾಯಿಸಿ", - "Change default options": "ಡೀಫಾಲ್ಟ್ ಆಯ್ಕೆಗಳನ್ನು ಬದಲಿಸಿ", - "Change how UniGetUI checks and installs available updates for your packages": "ನಿಮ್ಮ ಪ್ಯಾಕೇಜ್‌ಗಳಿಗಾಗಿ ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳನ್ನು UniGetUI ಹೇಗೆ ಪರಿಶೀಲಿಸುತ್ತದೆ ಮತ್ತು ಸ್ಥಾಪಿಸುತ್ತದೆ ಎಂಬುದನ್ನು ಬದಲಾಯಿಸಿ", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI ಸ್ಥಾಪನೆ, ನವೀಕರಣ ಮತ್ತು ಅಸ್ಥಾಪನಾ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಹೇಗೆ ನಿರ್ವಹಿಸುತ್ತದೆ ಎಂಬುದನ್ನು ಬದಲಿಸಿ.", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹೇಗೆ ಸ್ಥಾಪಿಸುತ್ತದೆ, ಮತ್ತು ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳನ್ನು ಹೇಗೆ ಪರಿಶೀಲಿಸಿ ಸ್ಥಾಪಿಸುತ್ತದೆ ಎಂಬುದನ್ನು ಬದಲಿಸಿ", - "Change how operations request administrator rights": "ಕಾರ್ಯಾಚರಣೆಗಳು ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಹೇಗೆ ಕೇಳುತ್ತವೆ ಎಂಬುದನ್ನು ಬದಲಿಸಿ", "Change install location": "ಸ್ಥಾಪನೆ ಸ್ಥಳವನ್ನು ಬದಲಾಯಿಸಿ", - "Change this": "ಇದನ್ನು ಬದಲಿಸಿ", - "Change this and unlock": "ಇದನ್ನು ಬದಲಿಸಿ ಮತ್ತು ಅನ್ಲಾಕ್ ಮಾಡಿ", - "Check for package updates periodically": "ಪ್ಯಾಕೇಜ್ ನವೀಕರಣಗಳನ್ನು ನಿಯಮಿತವಾಗಿ ಪರಿಶೀಲಿಸಿ", - "Check for updates": "ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸಿ", - "Check for updates every:": "ಪ್ರತಿ: ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸಿ", "Check for updates periodically": "ನವೀಕರಣಗಳನ್ನು ನಿಯಮಿತವಾಗಿ ಪರಿಶೀಲಿಸಿ", "Check for updates regularly, and ask me what to do when updates are found.": "ನವೀಕರಣಗಳನ್ನು ನಿಯಮಿತವಾಗಿ ಪರಿಶೀಲಿಸಿ, ಮತ್ತು ನವೀಕರಣಗಳು ಕಂಡುಬಂದಾಗ ನನಗೆ ಏನು ಮಾಡಬೇಕೆಂದು ಕೇಳಿ.", "Check for updates regularly, and automatically install available ones.": "ಅಪ್ಡೇಟ್ಗಳಿಗಾಗಿ ನಿಯಮಿತವಾಗಿ ಪರಿಶೀಲಿಸಿ, ಲಭ್ಯವಿರುವವುಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಿ.", @@ -170,905 +741,335 @@ "Checking for updates...": "ಅಪ್ಡೇಟ್ಗಳಿಗಾಗಿ ಪರಿಶೀಲಿಸಲಾಗುತ್ತಿದೆ", "Checking found instace(s)...": "ಕಂಡುಬಂದ ಉದಾಹರಣೆಗಳನ್ನು ಪರಿಶೀಲಿಸಲಾಗುತ್ತಿದೆ", "Choose how many operations shouls be performed in parallel": "ಎಷ್ಟು ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಸಮಾಂತರವಾಗಿ ನಡೆಸಬೇಕು ಎಂದು ಆಯ್ಕೆಮಾಡಿ", - "Clear cache": "ಕ್ಯಾಶೆ ತೆರವುಗೊಳಿಸಿ", "Clear finished operations": "ಪೂರ್ಣಗೊಂಡ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ತೆರವುಗೊಳಿಸಿ", - "Clear selection": "ಆಯ್ಕೆಯನ್ನು ತೆರವುಗೊಳಿಸಿ", "Clear successful operations": "ಯಶಸ್ವಿ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ತೆರವುಗೊಳಿಸಿ", - "Clear successful operations from the operation list after a 5 second delay": "5 ಸೆಕೆಂಡ್ ವಿಳಂಬದ ನಂತರ ಕಾರ್ಯಾಚರಣೆಗಳ ಪಟ್ಟಿಯಿಂದ ಯಶಸ್ವಿ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ತೆರವುಗೊಳಿಸಿ", "Clear the local icon cache": "ಸ್ಥಳೀಯ icon cache ಅನ್ನು ತೆರವುಗೊಳಿಸಿ", - "Clearing Scoop cache - WingetUI": "Scoop ಕ್ಯಾಶೆ ತೆರವುಗೊಳಿಸಲಾಗುತ್ತಿದೆ - WingetUI", "Clearing Scoop cache...": "Scoop ಕ್ಯಾಶೆ ತೆರವುಗೊಳಿಸಲಾಗುತ್ತಿದೆ...", - "Click here for more details": "ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ಇಲ್ಲಿ ಕ್ಲಿಕ್ ಮಾಡಿ", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "ಸ್ಥಾಪನೆ ಪ್ರಕ್ರಿಯೆಯನ್ನು ಪ್ರಾರಂಭಿಸಲು ಸ್ಥಾಪನೆ ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ. ನೀವು ಸ್ಥಾಪನೆಯನ್ನು ಬಿಟ್ಟುಹೋದರೆ, UniGetUI ನಿರೀಕ್ಷಿತ ರೀತಿಯಲ್ಲಿ ಕಾರ್ಯನಿರ್ವಹಿಸದಿರಬಹುದು", - "Close": "ಮುಚ್ಚಿ", - "Close UniGetUI to the system tray": "UniGetUI ಅನ್ನು system tray ಗೆ ಮುಚ್ಚಿ", "Close WingetUI to the notification area": "UniGetUI ಅನ್ನು notification area ಗೆ ಮುಚ್ಚಿ", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ ಪಟ್ಟಿಯನ್ನು ಸಂಗ್ರಹಿಸಲು cloud ಬ್ಯಾಕಪ್ ಖಾಸಗಿ GitHub Gist ಅನ್ನು ಬಳಸುತ್ತದೆ", - "Cloud package backup": "cloud ಪ್ಯಾಕೇಜ್ ಬ್ಯಾಕಪ್", "Command-line Output": "command-line ಔಟ್‌ಪುಟ್", - "Command-line to run:": "ನಡೆಯಬೇಕಾದ command-line:", "Compare query against": "query ಯನ್ನು ಇದರೊಂದಿಗೆ ಹೋಲಿಸಿ", - "Compatible with authentication": "ದೃಢೀಕರಣದೊಂದಿಗೆ ಹೊಂದಿಕೊಳ್ಳುತ್ತದೆ", - "Compatible with proxy": "proxy ಜೊತೆಗೆ ಹೊಂದಿಕೊಳ್ಳುತ್ತದೆ", "Component Information": "ಘಟಕ ಮಾಹಿತಿ", - "Concurrency and execution": "ಸಮಾಂತರತೆ ಮತ್ತು ಕಾರ್ಯಗತಗೊಳಿಕೆ", - "Connect the internet using a custom proxy": "ಕಸ್ಟಮ್ proxy ಬಳಸಿ ಇಂಟರ್ನೆಟ್‌ಗೆ ಸಂಪರ್ಕಿಸಿರಿ", - "Continue": "ಮುಂದುವರಿಸಿ", "Contribute to the icon and screenshot repository": "icon ಮತ್ತು screenshot repository ಗೆ ಕೊಡುಗೆ ನೀಡಿ", - "Contributors": "ಸಹಯೋಗಿಗಳು", "Copy": "ನಕಲಿಸಿ", - "Copy to clipboard": "ಕ್ಲಿಪ್‌ಬೋರ್ಡ್‌ಗೆ ನಕಲಿಸಿ", - "Could not add source": "ಮೂಲವನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", - "Could not add source {source} to {manager}": "{manager} ಗೆ {source} ಮೂಲವನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", - "Could not back up packages to GitHub Gist: ": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು GitHub Gist ಗೆ ಬ್ಯಾಕಪ್ ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ: ", - "Could not create bundle": "ಬಂಡಲ್ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", "Could not load announcements - ": "ಘೋಷಣೆಗಳನ್ನು ಲೋಡ್ ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ - ", "Could not load announcements - HTTP status code is $CODE": "ಘೋಷಣೆಗಳನ್ನು ಲೋಡ್ ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ - HTTP ಸ್ಥಿತಿ ಕೋಡ್ $CODE ಆಗಿದೆ", - "Could not remove source": "ಮೂಲವನ್ನು ತೆಗೆದುಹಾಕಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", - "Could not remove source {source} from {manager}": "{manager} ಯಿಂದ {source} ಮೂಲವನ್ನು ತೆಗೆದುಹಾಕಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", "Could not remove {source} from {manager}": "{manager} ಯಿಂದ {source} ಅನ್ನು ತೆಗೆದುಹಾಕಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", - "Create .ps1 script": ".ps1 ಸ್ಕ್ರಿಪ್ಟ್ ರಚಿಸಿ", - "Credentials": "ಪರಿಚಯ ವಿವರಗಳು", "Current Version": "ಪ್ರಸ್ತುತ ಆವೃತ್ತಿ", - "Current executable file:": "ಪ್ರಸ್ತುತ ಕಾರ್ಯಗತಗೊಳಿಸಬಹುದಾದ ಕಡತ:", - "Current status: Not logged in": "ಪ್ರಸ್ತುತ ಸ್ಥಿತಿ: ಲಾಗಿನ್ ಆಗಿಲ್ಲ", "Current user": "ಪ್ರಸ್ತುತ ಬಳಕೆದಾರ", "Custom arguments:": "ಕಸ್ಟಮ್ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "ಕಸ್ಟಮ್ command-line ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು UniGetUI ನಿಯಂತ್ರಣದಲ್ಲಿರದ ರೀತಿಯಲ್ಲಿ ಪ್ರೋಗ್ರಾಂಗಳನ್ನು ಸ್ಥಾಪಿಸುವ, ನವೀಕರಿಸುವ ಅಥವಾ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡುವ ವಿಧಾನವನ್ನು ಬದಲಾಯಿಸಬಹುದು. ಕಸ್ಟಮ್ command-lines ಬಳಕೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹಾಳುಮಾಡಬಹುದು. ಎಚ್ಚರಿಕೆಯಿಂದ ಮುಂದುವರಿಯಿರಿ.", "Custom command-line arguments:": "ಕಸ್ಟಮ್ command-line ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", - "Custom install arguments:": "ಕಸ್ಟಮ್ ಸ್ಥಾಪನಾ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", - "Custom uninstall arguments:": "ಕಸ್ಟಮ್ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", - "Custom update arguments:": "ಕಸ್ಟಮ್ ನವೀಕರಣ ಆರ್ಗ್ಯುಮೆಂಟ್‌ಗಳು:", "Customize WingetUI - for hackers and advanced users only": "WingetUI ಅನ್ನು ಕಸ್ಟಮೈಸ್ ಮಾಡಿ - ಹ್ಯಾಕರ್‌ಗಳು ಮತ್ತು ಉನ್ನತ ಬಳಕೆದಾರರಿಗೆ ಮಾತ್ರ", - "DEBUG BUILD": "DEBUG build", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ಘೋಷಣೆ: ಡೌನ್‌ಲೋಡ್ ಮಾಡಿದ ಪ್ಯಾಕೇಜ್‌ಗಳಿಗೆ ನಾವು ಹೊಣೆಗಾರರಲ್ಲ. ದಯವಿಟ್ಟು ವಿಶ್ವಾಸಾರ್ಹ ಸಾಫ್ಟ್‌ವೇರ್ ಮಾತ್ರ ಸ್ಥಾಪಿಸುತ್ತಿರುವುದನ್ನು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ.", - "Dark": "ಗಾಢ", - "Decline": "ನಿರಾಕರಿಸಿ", - "Default": "ಡೀಫಾಲ್ಟ್", - "Default installation options for {0} packages": "{0} ಪ್ಯಾಕೇಜ್‌ಗಳ ಡೀಫಾಲ್ಟ್ ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳು", "Default preferences - suitable for regular users": "ಡೀಫಾಲ್ಟ್ ಅಭಿರುಚಿಗಳು - ಸಾಮಾನ್ಯ ಬಳಕೆದಾರರಿಗೆ ಸೂಕ್ತ", - "Default vcpkg triplet": "ಡೀಫಾಲ್ಟ್ vcpkg triplet", - "Delete?": "ಅಳಿಸಬೇಕೆ?", - "Dependencies:": "ಆಧಾರಗಳು:", - "Descendant": "ಅವರೋಹಿ", "Description:": "ವಿವರಣೆ:", - "Desktop shortcut created": "Desktop shortcut ರಚಿಸಲಾಗಿದೆ", - "Details of the report:": "ವರದಿಯ ವಿವರಗಳು:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "ವಿಕಸನ ಕಷ್ಟದ ಕೆಲಸ, ಮತ್ತು ಈ ಅನ್ವಯಿಕೆ ಉಚಿತ. ಆದರೆ ನಿಮಗೆ ಈ ಅನ್ವಯಿಕೆ ಇಷ್ಟವಾದರೆ, ನೀವು ಯಾವಾಗಲೂ ನನಗೆ ಒಂದು coffee ಕೊಳ್ಳಿಸಬಹುದು :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" ಟ್ಯಾಬ್‌ನಲ್ಲಿ ಒಂದು ಅಂಶವನ್ನು double-click ಮಾಡಿದಾಗ ಪ್ಯಾಕೇಜ್ ಮಾಹಿತಿ ತೋರಿಸುವ ಬದಲು ನೇರವಾಗಿ ಸ್ಥಾಪಿಸಿ", "Disable new share API (port 7058)": "ಹೊಸ share API (port 7058) ಅನ್ನು ಅಚೇತನಗೊಳಿಸಿ", - "Disable the 1-minute timeout for package-related operations": "ಪ್ಯಾಕೇಜ್ ಸಂಬಂಧಿತ ಕಾರ್ಯಗಳಿಗೆ 1-ನಿಮಿಷ timeout ಅನ್ನು ಅಚೇತನಗೊಳಿಸಿ", - "Disabled": "ಅಚೇತನಗೊಂಡಿದೆ", - "Disclaimer": "ಘೋಷಣೆ", "Discover packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಕಂಡುಹಿಡಿಯಿರಿ", "Distinguish between\nuppercase and lowercase": "ದೊಡ್ಡ ಅಕ್ಷರ ಮತ್ತು ಸಣ್ಣ ಅಕ್ಷರಗಳ ನಡುವಿನ ಭೇದವನ್ನು ಗುರುತಿಸಿ", - "Distinguish between uppercase and lowercase": "ದೊಡ್ಡ ಅಕ್ಷರ ಮತ್ತು ಸಣ್ಣ ಅಕ್ಷರಗಳ ನಡುವಿನ ಭೇದವನ್ನು ಗುರುತಿಸಿ", "Do NOT check for updates": "ನವೀಕರಣಗಳನ್ನು ಪರಿಶೀಲಿಸಬೇಡಿ", "Do an interactive install for the selected packages": "ಆಯ್ಕೆಯಾದ ಪ್ಯಾಕೇಜ್‌ಗಳಿಗೆ interactive ಸ್ಥಾಪನೆ ನಡೆಸಿ", "Do an interactive uninstall for the selected packages": "ಆಯ್ಕೆಯಾದ ಪ್ಯಾಕೇಜ್‌ಗಳಿಗೆ interactive ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ನಡೆಸಿ", "Do an interactive update for the selected packages": "ಆಯ್ಕೆಯಾದ ಪ್ಯಾಕೇಜ್‌ಗಳಿಗೆ interactive ನವೀಕರಣ ನಡೆಸಿ", - "Do not automatically install updates when the battery saver is on": "battery saver ಆನ್ ಆಗಿರುವಾಗ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಬೇಡಿ", - "Do not automatically install updates when the device runs on battery": "ಸಾಧನವು ಬ್ಯಾಟರಿಯಲ್ಲಿ ಕಾರ್ಯನಿರ್ವಹಿಸುವಾಗ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಬೇಡಿ", - "Do not automatically install updates when the network connection is metered": "network connection metered ಆಗಿರುವಾಗ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಬೇಡಿ", "Do not download new app translations from GitHub automatically": "GitHub ನಿಂದ ಹೊಸ app ಅನುವಾದಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಡೌನ್‌ಲೋಡ್ ಮಾಡಬೇಡಿ", - "Do not ignore updates for this package anymore": "ಈ ಪ್ಯಾಕೇಜ್‌ನ ನವೀಕರಣಗಳನ್ನು ಇನ್ನು ಮುಂದೆ ನಿರ್ಲಕ್ಷಿಸಬೇಡಿ", "Do not remove successful operations from the list automatically": "ಯಶಸ್ವಿಯಾದ ಕಾರ್ಯಗಳನ್ನು ಪಟ್ಟಿಯಿಂದ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ತೆಗೆದುಹಾಕಬೇಡಿ", - "Do not show this dialog again for {0}": "{0} ಗಾಗಿ ಈ ಸಂವಾದವನ್ನು ಮತ್ತೆ ತೋರಿಸಬೇಡಿ", "Do not update package indexes on launch": "launch ಸಮಯದಲ್ಲಿ package indexes ನವೀಕರಿಸಬೇಡಿ", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "ಬಳಕೆದಾರ ಅನುಭವವನ್ನು ಅರ್ಥಮಾಡಿಕೊಳ್ಳಲು ಮತ್ತು ಸುಧಾರಿಸಲು ಮಾತ್ರ UniGetUI ಅನಾಮಧೇಯ ಬಳಕೆ ಅಂಕಿಅಂಶಗಳನ್ನು ಸಂಗ್ರಹಿಸಿ ಕಳುಹಿಸುವುದನ್ನು ನೀವು ಒಪ್ಪುತ್ತೀರಾ?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "WingetUI ನಿಮಗೆ ಉಪಯುಕ್ತವೆನಿಸುತ್ತಿದೆಯೇ? ಸಾಧ್ಯವಾದರೆ ನನ್ನ ಕೆಲಸಕ್ಕೆ ಬೆಂಬಲ ನೀಡಿ, ಹೀಗೆ ನಾನು WingetUI ಅನ್ನು ಶ್ರೇಷ್ಠ package managing interface ಆಗಿ ಮುಂದುವರಿಸಬಹುದು.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "WingetUI ನಿಮಗೆ ಉಪಯುಕ್ತವೆನಿಸುತ್ತಿದೆಯೇ? developerಗೆ ಬೆಂಬಲ ನೀಡಲು ಬಯಸುವಿರಾ? ಹಾಗಿದ್ದರೆ ನೀವು {0} ಮಾಡಬಹುದು, ಇದು ಬಹಳ ಸಹಾಯ ಮಾಡುತ್ತದೆ!", - "Do you really want to reset this list? This action cannot be reverted.": "ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಪಟ್ಟಿಯನ್ನು reset ಮಾಡಲು ಬಯಸುವಿರಾ? ಈ ಕ್ರಿಯೆಯನ್ನು ಹಿಂದಿರುಗಿಸಲಾಗುವುದಿಲ್ಲ.", - "Do you really want to uninstall the following {0} packages?": "ಕೆಳಗಿನ {0} ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿಜವಾಗಿಯೂ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲು ಬಯಸುವಿರಾ?", "Do you really want to uninstall {0} packages?": "{0} ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿಜವಾಗಿಯೂ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲು ಬಯಸುವಿರಾ?", - "Do you really want to uninstall {0}?": "ನೀವು ನಿಜವಾಗಿಯೂ {0} ಅನ್ನು ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲು ಬಯಸುವಿರಾ?", "Do you want to restart your computer now?": "ನಿಮ್ಮ ಕಂಪ್ಯೂಟರ್ ಅನ್ನು ಈಗ ಮರುಪ್ರಾರಂಭಿಸಲು ಬಯಸುವಿರಾ?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "WingetUI ಅನ್ನು ನಿಮ್ಮ ಭಾಷೆಗೆ ಅನುವಾದಿಸಲು ಬಯಸುವಿರಾ? ಹೇಗೆ ಕೊಡುಗೆ ನೀಡಬೇಕು ಎಂಬುದನ್ನು ಇಲ್ಲಿ! ನೋಡಿ", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "ದಾನ ಮಾಡಲು ಮನಸ್ಸಿಲ್ಲವೇ? ಚಿಂತಿಸಬೇಡಿ, ನೀವು ಯಾವಾಗಲೂ WingetUI ಅನ್ನು ನಿಮ್ಮ ಸ್ನೇಹಿತರೊಂದಿಗೆ ಹಂಚಿಕೊಳ್ಳಬಹುದು. WingetUI ಬಗ್ಗೆ ಮಾಹಿತಿ ಹರಡಿ.", - "Donate": "ದೇಣಿಗೆ ನೀಡಿ", - "Done!": "ಮುಗಿದಿದೆ!", - "Download failed": "ಡೌನ್‌ಲೋಡ್ ವಿಫಲವಾಗಿದೆ", - "Download installer": "installer ಡೌನ್‌ಲೋಡ್ ಮಾಡಿ", - "Download operations are not affected by this setting": "ಡೌನ್‌ಲೋಡ್ ಕಾರ್ಯಗಳು ಈ setting ನಿಂದ ಪ್ರಭಾವಿತವಾಗುವುದಿಲ್ಲ", - "Download selected installers": "ಆಯ್ದ installers ಡೌನ್‌ಲೋಡ್ ಮಾಡಿ", - "Download succeeded": "ಡೌನ್‌ಲೋಡ್ ಯಶಸ್ವಿಯಾಯಿತು", - "Download updated language files from GitHub automatically": "GitHub ನಿಂದ ನವೀಕರಿಸಿದ language files ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಡೌನ್‌ಲೋಡ್ ಮಾಡಿ", - "Downloading": "ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ", - "Downloading backup...": "backup ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ...", - "Downloading installer for {package}": "{package} ಗಾಗಿ installer ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ", - "Downloading package metadata...": "package metadata ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ...", - "Enable Scoop cleanup on launch": "launch ಸಮಯದಲ್ಲಿ Scoop cleanup ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable WingetUI notifications": "WingetUI notifications ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable an [experimental] improved WinGet troubleshooter": "[experimental] ಸುಧಾರಿತ WinGet troubleshooter ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable and disable package managers, change default install options, etc.": "package managers ಅನ್ನು ಸಕ್ರಿಯ ಮತ್ತು ಅಚೇತನಗೊಳಿಸಿ, ಡೀಫಾಲ್ಟ್ ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳನ್ನು ಬದಲಿಸಿ, ಇತ್ಯಾದಿ", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU Usage optimizations ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ (Pull Request #3278 ನೋಡಿ)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background api (WingetUI Widgets and Sharing, port 7058) ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable it to install packages from {pm}.": "{pm} ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಲು ಇದನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ.", - "Enable the automatic WinGet troubleshooter": "ಸ್ವಯಂಚಾಲಿತ WinGet troubleshooter ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable the new UniGetUI-Branded UAC Elevator": "ಹೊಸ UniGetUI-Branded UAC Elevator ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable the new process input handler (StdIn automated closer)": "ಹೊಸ process input handler (StdIn automated closer) ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "ಕೆಳಗಿನ settings ಏನು ಮಾಡುತ್ತವೆ ಮತ್ತು ಅವುಗಳಿಂದಾಗುವ ಪರಿಣಾಮಗಳನ್ನು ನೀವು ಸಂಪೂರ್ಣವಾಗಿ ಅರ್ಥಮಾಡಿಕೊಂಡಿದ್ದರೆ ಮಾತ್ರ ಅವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ.", - "Enable {pm}": "{pm} ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Enabled": "ಸಕ್ರಿಯಗೊಂಡಿದೆ", - "Enter proxy URL here": "proxy URL ಅನ್ನು ಇಲ್ಲಿ ನಮೂದಿಸಿ", - "Entries that show in RED will be IMPORTED.": "RED ಬಣ್ಣದಲ್ಲಿ ತೋರಿಸಲಾದ entries IMPORT ಆಗುತ್ತವೆ.", - "Entries that show in YELLOW will be IGNORED.": "YELLOW ಬಣ್ಣದಲ್ಲಿ ತೋರಿಸಲಾದ entries IGNORE ಆಗುತ್ತವೆ.", - "Error": "ದೋಷ", - "Everything is up to date": "ಎಲ್ಲವೂ ನವೀಕೃತವಾಗಿದೆ", - "Exact match": "ಸೂಕ್ಷ್ಮ ಹೊಂದಿಕೆ", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "ನಿಮ್ಮ desktop‌ನಲ್ಲಿರುವ ಈಗಿರುವ shortcuts ಪರಿಶೀಲಿಸಲಾಗುತ್ತದೆ, ಮತ್ತು ಯಾವುದನ್ನು ಉಳಿಸಬೇಕು ಹಾಗೂ ಯಾವುದನ್ನು ತೆಗೆದುಹಾಕಬೇಕು ಎಂಬುದನ್ನು ನೀವು ಆಯ್ಕೆ ಮಾಡಬೇಕು.", - "Expand version": "ಆವೃತ್ತಿಯನ್ನು ವಿಸ್ತರಿಸಿ", - "Experimental settings and developer options": "ಪ್ರಾಯೋಗಿಕ settings ಮತ್ತು developer ಆಯ್ಕೆಗಳು", - "Export": "ರಫ್ತು ಮಾಡಿ", + "Donate": "ದೇಣಿಗೆ ನೀಡಿ", + "Download updated language files from GitHub automatically": "GitHub ನಿಂದ ನವೀಕರಿಸಿದ language files ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಡೌನ್‌ಲೋಡ್ ಮಾಡಿ", + "Downloading": "ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ", + "Downloading installer for {package}": "{package} ಗಾಗಿ installer ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ", + "Downloading package metadata...": "package metadata ಡೌನ್‌ಲೋಡ್ ಆಗುತ್ತಿದೆ...", + "Enable the new UniGetUI-Branded UAC Elevator": "ಹೊಸ UniGetUI-Branded UAC Elevator ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Enable the new process input handler (StdIn automated closer)": "ಹೊಸ process input handler (StdIn automated closer) ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ", "Export log as a file": "log ಅನ್ನು file ಆಗಿ ರಫ್ತು ಮಾಡಿ", "Export packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ರಫ್ತು ಮಾಡಿ", "Export selected packages to a file": "ಆಯ್ದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು file ಗೆ ರಫ್ತು ಮಾಡಿ", - "Export settings to a local file": "settings ಅನ್ನು local file ಗೆ ರಫ್ತು ಮಾಡಿ", - "Export to a file": "file ಗೆ ರಫ್ತು ಮಾಡಿ", - "Failed": "ವಿಫಲವಾಗಿದೆ", - "Fetching available backups...": "ಲಭ್ಯವಿರುವ backups ಅನ್ನು ಪಡೆದುಕೊಳ್ಳುತ್ತಿದೆ...", "Fetching latest announcements, please wait...": "ಇತ್ತೀಚಿನ announcements ಪಡೆಯುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", - "Filters": "ಫಿಲ್ಟರ್‌ಗಳು", "Finish": "ಮುಗಿಸಿ", - "Follow system color scheme": "system color scheme ಅನ್ನು ಅನುಸರಿಸಿ", - "Follow the default options when installing, upgrading or uninstalling this package": "ಈ ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಸ್ಥಾಪಿಸುವಾಗ, upgrade ಮಾಡುವಾಗ ಅಥವಾ uninstall ಮಾಡುವಾಗ default options ಅನ್ನು ಅನುಸರಿಸಿ", - "For security reasons, changing the executable file is disabled by default": "ಭದ್ರತಾ ಕಾರಣಗಳಿಂದ executable file ಬದಲಿಸುವುದು default ಆಗಿ ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "ಭದ್ರತಾ ಕಾರಣಗಳಿಂದ custom command-line arguments default ಆಗಿ ನಿಷ್ಕ್ರಿಯವಾಗಿವೆ. ಇದನ್ನು ಬದಲಾಯಿಸಲು UniGetUI security settings ಗೆ ಹೋಗಿ. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "ಭದ್ರತಾ ಕಾರಣಗಳಿಂದ pre-operation ಮತ್ತು post-operation scripts default ಆಗಿ ನಿಷ್ಕ್ರಿಯವಾಗಿವೆ. ಇದನ್ನು ಬದಲಾಯಿಸಲು UniGetUI security settings ಗೆ ಹೋಗಿ. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM compiled winget version ಅನ್ನು ಬಲವಂತವಾಗಿ ಬಳಸಿ (ARM64 SYSTEMS ಗಾಗಿ ಮಾತ್ರ)", - "Force install location parameter when updating packages with custom locations": "custom locations ಇರುವ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು update ಮಾಡುವಾಗ install location parameter ಅನ್ನು ಬಲವಂತವಾಗಿ ಬಳಸಿ", "Formerly known as WingetUI": "ಹಿಂದೆ WingetUI ಎಂದು ಕರೆಯಲ್ಪಡುತ್ತಿತ್ತು", "Found": "ಹುಡಕಲಾಗಿದೆ", "Found packages: ": "ಹುಡಕಲಾದ ಪ್ಯಾಕೇಜ್‌ಗಳು: ", "Found packages: {0}": "ಕಂಡುಬಂದ ಪ್ಯಾಕೇಜ್‌ಗಳು: {0}", "Found packages: {0}, not finished yet...": "ಕಂಡುಬಂದ ಪ್ಯಾಕೇಜ್‌ಗಳು: {0}, ಇನ್ನೂ ಪೂರ್ಣಗೊಂಡಿಲ್ಲ...", - "General preferences": "ಸಾಮಾನ್ಯ ಆದ್ಯತೆಗಳು", "GitHub profile": "GitHub ಪ್ರೊಫೈಲ್", "Global": "ಜಾಗತಿಕ", - "Go to UniGetUI security settings": "UniGetUI ಭದ್ರತಾ ಸೆಟ್ಟಿಂಗ್‌ಗಳಿಗೆ ಹೋಗಿ", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "ಅಪರಿಚಿತ ಆದರೆ ಉಪಯುಕ್ತ utilities ಮತ್ತು ಇತರೆ ಆಸಕ್ತಿದಾಯಕ ಪ್ಯಾಕೇಜ್‌ಗಳ ಉತ್ತಮ repository.
ಒಳಗೊಂಡಿದೆ: Utilities, command-line ಕಾರ್ಯಕ್ರಮಗಳು, ಸಾಮಾನ್ಯ software (extras bucket ಅಗತ್ಯ)", - "Great! You are on the latest version.": "ಅದ್ಭುತ! ನೀವು ಇತ್ತೀಚಿನ ಆವೃತ್ತಿಯಲ್ಲಿದ್ದೀರಿ.", - "Grid": "ಜಾಲಕ", - "Help": "ಸಹಾಯ", "Help and documentation": "ಸಹಾಯ ಮತ್ತು ದಸ್ತಾವೇಜು", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "ಇಲ್ಲಿ ನೀವು ಕೆಳಗಿನ shortcuts ಕುರಿತು UniGetUI ನ ನಡೆನುಡಿಯನ್ನು ಬದಲಾಯಿಸಬಹುದು. ಒಂದು shortcut ಅನ್ನು ಗುರುತಿಸಿದರೆ, ಭವಿಷ್ಯದ upgrade ವೇಳೆ ಅದು ರಚಿಸಲ್ಪಟ್ಟರೆ UniGetUI ಅದನ್ನು ಅಳಿಸುತ್ತದೆ. ಗುರುತನ್ನು ತೆಗೆಯುವುದರಿಂದ shortcut ಹಾಗೆಯೇ ಉಳಿಯುತ್ತದೆ.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "ನಮಸ್ಕಾರ, ನನ್ನ ಹೆಸರು Martí, ಮತ್ತು ನಾನು UniGetUI ಯ developer. UniGetUI ಅನ್ನು ಸಂಪೂರ್ಣವಾಗಿ ನನ್ನ ಖಾಲಿ ಸಮಯದಲ್ಲಿ ನಿರ್ಮಿಸಲಾಗಿದೆ!", "Hide details": "ವಿವರಗಳನ್ನು ಮರೆಮಾಡಿ", - "homepage": "ಮುಖಪುಟ", - "Hooray! No updates were found.": "ಹುರ್ರೇ! ಯಾವುದೇ ನವೀಕರಣಗಳು ಕಂಡುಬಂದಿಲ್ಲ.", "How should installations that require administrator privileges be treated?": "ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳನ್ನು ಅಗತ್ಯವಿರುವ ಸ್ಥಾಪನೆಗಳನ್ನು ಹೇಗೆ ನಿರ್ವಹಿಸಬೇಕು?", - "How to add packages to a bundle": "ಬಂಡಲ್‌ಗೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹೇಗೆ ಸೇರಿಸುವುದು", - "I understand": "ನಾನು ಅರ್ಥಮಾಡಿಕೊಂಡಿದ್ದೇನೆ", - "Icons": "ಚಿಹ್ನೆಗಳು", - "Id": "ಗುರುತು", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "ನೀವು cloud backup ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿದ್ದರೆ, ಅದು ಈ ಖಾತೆಯಲ್ಲಿ GitHub Gist ಆಗಿ ಉಳಿಸಲಾಗುತ್ತದೆ", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "ಬಂಡಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡುವಾಗ ಕಸ್ಟಮ್ pre-install ಮತ್ತು post-install command ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", - "Ignore future updates for this package": "ಈ ಪ್ಯಾಕೇಜ್‌ಗೆ ಬರುವ ಭವಿಷ್ಯದ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", - "Ignore packages from {pm} when showing a notification about updates": "ನವೀಕರಣಗಳ ಬಗ್ಗೆ ಅಧಿಸೂಚನೆ ತೋರಿಸುವಾಗ {pm} ನಿಂದ ಬಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", - "Ignore selected packages": "ಆಯ್ದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", - "Ignore special characters": "ವಿಶೇಷ ಅಕ್ಷರಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", "Ignore updates for the selected packages": "ಆಯ್ದ ಪ್ಯಾಕೇಜ್‌ಗಳ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", - "Ignore updates for this package": "ಈ ಪ್ಯಾಕೇಜ್‌ನ ನವೀಕರಣಗಳನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ", "Ignored updates": "ನಿರ್ಲಕ್ಷಿತ ನವೀಕರಣಗಳು", - "Ignored version": "ನಿರ್ಲಕ್ಷಿತ ಆವೃತ್ತಿ", - "Import": "ಆಮದು", "Import packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡಿ", "Import packages from a file": "ಫೈಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಮದು ಮಾಡಿ", - "Import settings from a local file": "ಸ್ಥಳೀಯ ಫೈಲ್‌ನಿಂದ ಸೆಟ್ಟಿಂಗ್‌ಗಳನ್ನು ಆಮದು ಮಾಡಿ", - "In order to add packages to a bundle, you will need to: ": "ಬಂಡಲ್‌ಗೆ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಲು, ನೀವು ಈ ಹಂತಗಳನ್ನು ಅನುಸರಿಸಬೇಕು: ", "Initializing WingetUI...": "UniGetUI ಆರಂಭಗೊಳ್ಳುತ್ತಿದೆ...", - "install": "ಸ್ಥಾಪಿಸು", - "Install Scoop": "Scoop ಅನ್ನು ಸ್ಥಾಪಿಸಿ", "Install and more": "ಸ್ಥಾಪನೆ ಮತ್ತು ಇನ್ನಷ್ಟು", "Install and update preferences": "ಸ್ಥಾಪನೆ ಮತ್ತು ನವೀಕರಣ ಆದ್ಯತೆಗಳು", - "Install as administrator": "ನಿರ್ವಾಹಕರಾಗಿ ಸ್ಥಾಪಿಸಿ", - "Install available updates automatically": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಿ", - "Install location can't be changed for {0} packages": "{0} ಪ್ಯಾಕೇಜ್‌ಗಳಿಗಾಗಿ ಸ್ಥಾಪನಾ ಸ್ಥಳವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", - "Install location:": "ಸ್ಥಾಪನಾ ಸ್ಥಳ:", - "Install options": "ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳು", "Install packages from a file": "ಫೈಲ್‌ನಿಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಿ", - "Install prerelease versions of UniGetUI": "UniGetUI ಯ prerelease ಆವೃತ್ತಿಗಳನ್ನು ಸ್ಥಾಪಿಸಿ", - "Install script": "ಸ್ಥಾಪನಾ script", "Install selected packages": "ಆಯ್ದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಿ", "Install selected packages with administrator privileges": "ಆಯ್ದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿರ್ವಾಹಕ ಹಕ್ಕುಗಳೊಂದಿಗೆ ಸ್ಥಾಪಿಸಿ", - "Install selection": "ಆಯ್ಕೆಯನ್ನು ಸ್ಥಾಪಿಸಿ", "Install the latest prerelease version": "ಇತ್ತೀಚಿನ prerelease ಆವೃತ್ತಿಯನ್ನು ಸ್ಥಾಪಿಸಿ", "Install updates automatically": "ನವೀಕರಣಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸ್ಥಾಪಿಸಿ", - "Install {0}": "{0} ಅನ್ನು ಸ್ಥಾಪಿಸಿ", "Installation canceled by the user!": "ಸ್ಥಾಪನೆಯನ್ನು ಬಳಕೆದಾರನು ರದ್ದುಗೊಳಿಸಿದ್ದಾನೆ!", - "Installation failed": "ಸ್ಥಾಪನೆ ವಿಫಲವಾಗಿದೆ", - "Installation options": "ಸ್ಥಾಪನಾ ಆಯ್ಕೆಗಳು", - "Installation scope:": "ಸ್ಥಾಪನಾ ವ್ಯಾಪ್ತಿ:", - "Installation succeeded": "ಸ್ಥಾಪನೆ ಯಶಸ್ವಿಯಾಗಿದೆ", "Installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳು", - "Installed Version": "ಸ್ಥಾಪಿತ ಆವೃತ್ತಿ", - "Installer SHA256": "ಇನ್‌ಸ್ಟಾಲರ್ SHA256", - "Installer SHA512": "ಇನ್‌ಸ್ಟಾಲರ್ SHA512", - "Installer Type": "Installer ಪ್ರಕಾರ", - "Installer URL": "ಇನ್‌ಸ್ಟಾಲರ್ URL", - "Installer not available": "Installer ಲಭ್ಯವಿಲ್ಲ", "Instance {0} responded, quitting...": "Instance {0} ಪ್ರತಿಕ್ರಿಯಿಸಿದೆ, ನಿರ್ಗಮಿಸುತ್ತಿದೆ...", - "Instant search": "ತಕ್ಷಣದ ಹುಡುಕಾಟ", - "Integrity checks can be disabled from the Experimental Settings": "Integrity checks ಅನ್ನು Experimental Settings ನಿಂದ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಬಹುದು", - "Integrity checks skipped": "Integrity checks ಬಿಟ್ಟುಕೊಡಲಾಗಿದೆ", - "Integrity checks will not be performed during this operation": "ಈ ಕಾರ್ಯಾಚರಣೆಯ ವೇಳೆ Integrity checks ನಡೆಸಲಾಗುವುದಿಲ್ಲ", - "Interactive installation": "Interactive ಸ್ಥಾಪನೆ", - "Interactive operation": "Interactive ಕಾರ್ಯಾಚರಣೆ", - "Interactive uninstall": "Interactive ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್", - "Interactive update": "Interactive ನವೀಕರಣ", - "Internet connection settings": "Internet ಸಂಪರ್ಕ settings", - "Invalid selection": "ಅಮಾನ್ಯ ಆಯ್ಕೆ", "Is this package missing the icon?": "ಈ ಪ್ಯಾಕೇಜ್‌ಗೆ icon ಇಲ್ಲವೇ?", - "Is your language missing or incomplete?": "ನಿಮ್ಮ ಭಾಷೆ ಕಾಣೆಯಾಗಿದೆ ಅಥವಾ ಅಪೂರ್ಣವಾಗಿದೆಯೇ?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "ನೀಡಲಾದ credentials ಸುರಕ್ಷಿತವಾಗಿ ಸಂಗ್ರಹಿಸಲಾಗುತ್ತದೆ ಎಂಬ ಭರವಸೆ ಇಲ್ಲ, ಆದ್ದರಿಂದ ನಿಮ್ಮ ಬ್ಯಾಂಕ್ ಖಾತೆಯ credentials ಅನ್ನು ಬಳಸದಿರುವುದೇ ಉತ್ತಮ.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet ಸರಿಪಡಿಸಿದ ನಂತರ UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸುವುದು ಶಿಫಾರಸು ಮಾಡಲಾಗಿದೆ", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "ಈ ಪರಿಸ್ಥಿತಿಯನ್ನು ಸರಿಪಡಿಸಲು UniGetUI ಅನ್ನು ಮರುಸ್ಥಾಪಿಸುವುದು ತೀವ್ರವಾಗಿ ಶಿಫಾರಸು ಮಾಡಲಾಗಿದೆ.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet ಸರಿಯಾಗಿ ಕೆಲಸ ಮಾಡುತ್ತಿಲ್ಲವೆಂದು ಕಾಣುತ್ತದೆ. WinGet ಅನ್ನು ಸರಿಪಡಿಸಲು ಪ್ರಯತ್ನಿಸಲು ಬಯಸುವಿರಾ?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "ನೀವು WingetUI ಅನ್ನು administrator ಆಗಿ ಚಲಾಯಿಸಿರುವಂತೆ ಕಾಣುತ್ತದೆ, ಇದು ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ. ನೀವು ಇನ್ನೂ ಕಾರ್ಯಕ್ರಮವನ್ನು ಬಳಸಬಹುದು, ಆದರೆ WingetUI ಅನ್ನು administrator privileges ಜೊತೆಗೆ ಚಲಾಯಿಸಬಾರದೆಂದು ನಾವು ತೀವ್ರವಾಗಿ ಶಿಫಾರಸು ಮಾಡುತ್ತೇವೆ. ಏಕೆ ಎಂದು ತಿಳಿಯಲು \"{showDetails}\" ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ.", - "Language": "ಭಾಷೆ", - "Language, theme and other miscellaneous preferences": "ಭಾಷೆ, theme ಮತ್ತು ಇತರ miscellaneous preferences", - "Last updated:": "ಕೊನೆಯಾಗಿ ನವೀಕರಿಸಲಾಗಿದೆ:", - "Latest": "ಇತ್ತೀಚಿನ", "Latest Version": "ಇತ್ತೀಚಿನ ಆವೃತ್ತಿ", "Latest Version:": "ಇತ್ತೀಚಿನ ಆವೃತ್ತಿ:", "Latest details...": "ಇತ್ತೀಚಿನ ವಿವರಗಳು...", "Launching subprocess...": "subprocess ಆರಂಭಗೊಳ್ಳುತ್ತಿದೆ...", - "Leave empty for default": "Default ಗಾಗಿ ಖಾಲಿ ಬಿಡಿ", - "License": "ಪರವಾನಗಿ", "Licenses": "ಪರವಾನಗಿಗಳು", - "Light": "ಬೆಳಕು", - "List": "ಪಟ್ಟಿ", "Live command-line output": "ನೇರ command-line output", - "Live output": "ನೇರ output", "Loading UI components...": "UI ಘಟಕಗಳು load ಆಗುತ್ತಿವೆ...", "Loading WingetUI...": "WingetUI load ಆಗುತ್ತಿದೆ...", - "Loading packages": "ಪ್ಯಾಕೇಜ್‌ಗಳು load ಆಗುತ್ತಿವೆ", - "Loading packages, please wait...": "ಪ್ಯಾಕೇಜ್‌ಗಳು load ಆಗುತ್ತಿವೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", - "Loading...": "Load ಆಗುತ್ತಿದೆ...", - "Local": "ಸ್ಥಳೀಯ", - "Local PC": "ಸ್ಥಳೀಯ PC", - "Local backup advanced options": "ಸ್ಥಳೀಯ backup ಉನ್ನತ ಆಯ್ಕೆಗಳು", "Local machine": "ಸ್ಥಳೀಯ ಯಂತ್ರ", - "Local package backup": "ಸ್ಥಳೀಯ package backup", "Locating {pm}...": "{pm} ಅನ್ನು ಹುಡುಕುತ್ತಿದೆ...", - "Log in": "ಲಾಗಿನ್ ಮಾಡಿ", - "Log in failed: ": "ಲಾಗಿನ್ ವಿಫಲವಾಗಿದೆ: ", - "Log in to enable cloud backup": "Cloud backup ಸಕ್ರಿಯಗೊಳಿಸಲು ಲಾಗಿನ್ ಮಾಡಿ", - "Log in with GitHub": "GitHub ಬಳಸಿ ಲಾಗಿನ್ ಮಾಡಿ", - "Log in with GitHub to enable cloud package backup.": "Cloud package backup ಸಕ್ರಿಯಗೊಳಿಸಲು GitHub ಬಳಸಿ ಲಾಗಿನ್ ಮಾಡಿ.", - "Log level:": "Log ಮಟ್ಟ:", - "Log out": "ಲಾಗ್ ಔಟ್ ಮಾಡಿ", - "Log out failed: ": "ಲಾಗ್ ಔಟ್ ವಿಫಲವಾಗಿದೆ: ", - "Log out from GitHub": "GitHub ನಿಂದ ಲಾಗ್ ಔಟ್ ಮಾಡಿ", "Looking for packages...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕುತ್ತಿದೆ...", "Machine | Global": "ಯಂತ್ರ | ಜಾಗತಿಕ", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "ತಪ್ಪಾಗಿ ರೂಪಿಸಲಾದ command-line arguments ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹಾಳುಮಾಡಬಹುದು, ಅಥವಾ ದುರುದ್ದೇಶಿ ವ್ಯಕ್ತಿಗೆ ಉನ್ನತ ಅಧಿಕಾರದ ನಿರ್ವಹಣೆಯನ್ನು ಪಡೆಯಲು ಸಹ ಅವಕಾಶ ನೀಡಬಹುದು. ಆದ್ದರಿಂದ custom command-line arguments ಆಮದು ಮಾಡುವಿಕೆ default ಆಗಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ.", - "Manage": "ನಿರ್ವಹಿಸಿ", - "Manage UniGetUI settings": "UniGetUI settings ಅನ್ನು ನಿರ್ವಹಿಸಿ", "Manage WingetUI autostart behaviour from the Settings app": "Settings app ನಿಂದ UniGetUI autostart ವರ್ತನೆಯನ್ನು ನಿರ್ವಹಿಸಿ", "Manage ignored packages": "ನಿರ್ಲಕ್ಷ್ಯಗೊಳಿಸಲಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿರ್ವಹಿಸಿ", - "Manage ignored updates": "ನಿರ್ಲಕ್ಷ್ಯಗೊಳಿಸಲಾದ ನವೀಕರಣಗಳನ್ನು ನಿರ್ವಹಿಸಿ", - "Manage shortcuts": "shortcuts ಅನ್ನು ನಿರ್ವಹಿಸಿ", - "Manage telemetry settings": "telemetry settings ಅನ್ನು ನಿರ್ವಹಿಸಿ", - "Manage {0} sources": "{0} sources ಅನ್ನು ನಿರ್ವಹಿಸಿ", - "Manifest": "ಮ್ಯಾನಿಫೆಸ್ಟ್", "Manifests": "ಮ್ಯಾನಿಫೆಸ್ಟ್‌ಗಳು", - "Manual scan": "ಕೈಯಾರೆ ಪರಿಶೀಲನೆ", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft ನ ಅಧಿಕೃತ package manager. ಪ್ರಸಿದ್ಧ ಮತ್ತು ಪರಿಶೀಲಿತ ಪ್ಯಾಕೇಜ್‌ಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿರುವುದು: ಸಾಮಾನ್ಯ software, Microsoft Store apps", - "Missing dependency": "ಕಾಣೆಯಾದ ಅವಲಂಬನೆ", - "More": "ಇನ್ನಷ್ಟು", - "More details": "ಇನ್ನಷ್ಟು ವಿವರಗಳು", - "More details about the shared data and how it will be processed": "ಹಂಚಿಕೊಳ್ಳಲಾದ ಡೇಟಾ ಮತ್ತು ಅದನ್ನು ಹೇಗೆ ಸಂಸ್ಕರಿಸಲಾಗುತ್ತದೆ ಎಂಬುದರ ಬಗ್ಗೆ ಇನ್ನಷ್ಟು ವಿವರಗಳು", - "More info": "ಇನ್ನಷ್ಟು ಮಾಹಿತಿ", - "More than 1 package was selected": "1 ಕ್ಕಿಂತ ಹೆಚ್ಚು ಪ್ಯಾಕೇಜ್ ಆಯ್ಕೆ ಮಾಡಲಾಗಿದೆ", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ಸೂಚನೆ: ಈ troubleshooter ಅನ್ನು UniGetUI Settings ನ WinGet ವಿಭಾಗದಿಂದ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಬಹುದು", - "Name": "ಹೆಸರು", - "New": "ಹೊಸದು", - "New version": "ಹೊಸ ಆವೃತ್ತಿ", + "New Version": "ಹೊಸ ಆವೃತ್ತಿ", "New bundle": "ಹೊಸ bundle", - "Nice! Backups will be uploaded to a private gist on your account": "ಚೆನ್ನಾಗಿದೆ! Backups ನಿಮ್ಮ ಖಾತೆಯ ಖಾಸಗಿ gist ಗೆ ಅಪ್‌ಲೋಡ್ ಆಗುತ್ತದೆ", - "No": "ಇಲ್ಲ", - "No applicable installer was found for the package {0}": "ಪ್ಯಾಕೇಜ್ {0} ಗಾಗಿ ಅನ್ವಯಿಸುವ installer ಕಂಡುಬಂದಿಲ್ಲ", - "No dependencies specified": "ಯಾವುದೇ ಅವಲಂಬನೆಗಳನ್ನು ಸೂಚಿಸಲಾಗಿಲ್ಲ", - "No new shortcuts were found during the scan.": "ಪರಿಶೀಲನೆಯ ವೇಳೆ ಯಾವುದೇ ಹೊಸ shortcuts ಕಂಡುಬಂದಿಲ್ಲ.", - "No package was selected": "ಯಾವುದೇ ಪ್ಯಾಕೇಜ್ ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ", "No packages found": "ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳು ಕಂಡುಬಂದಿಲ್ಲ", "No packages found matching the input criteria": "ನಮೂದಿಸಿದ ಮಾನದಂಡಗಳಿಗೆ ಹೊಂದುವ ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳು ಕಂಡುಬಂದಿಲ್ಲ", "No packages have been added yet": "ಇನ್ನೂ ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಲಾಗಿಲ್ಲ", "No packages selected": "ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ", - "No packages were found": "ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳು ಕಂಡುಬಂದಿಲ್ಲ", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "ಯಾವುದೇ ವೈಯಕ್ತಿಕ ಮಾಹಿತಿಯನ್ನು ಸಂಗ್ರಹಿಸಲಾಗುವುದಿಲ್ಲ ಅಥವಾ ಕಳುಹಿಸಲಾಗುವುದಿಲ್ಲ, ಮತ್ತು ಸಂಗ್ರಹಿಸಲಾದ ಡೇಟಾವನ್ನು ಅನಾಮಧೇಯಗೊಳಿಸಲಾಗಿದೆ, ಆದ್ದರಿಂದ ಅದನ್ನು ನಿಮ್ಮವರೆಗೆ ಹಿಂಬಾಲಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", - "No results were found matching the input criteria": "ನಮೂದಿಸಿದ ಮಾನದಂಡಗಳಿಗೆ ಹೊಂದುವ ಯಾವುದೇ ಫಲಿತಾಂಶಗಳು ಕಂಡುಬಂದಿಲ್ಲ", "No sources found": "ಯಾವುದೇ sources ಕಂಡುಬಂದಿಲ್ಲ", "No sources were found": "ಯಾವುದೇ sources ಕಂಡುಬಂದಿಲ್ಲ", "No updates are available": "ಯಾವುದೇ ನವೀಕರಣಗಳು ಲಭ್ಯವಿಲ್ಲ", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS ನ package manager. javascript ಜಗತ್ತನ್ನು ಸುತ್ತುವರಿದ libraries ಮತ್ತು ಇತರ utilities ಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿರುವುದು: Node javascript libraries ಮತ್ತು ಇತರ ಸಂಬಂಧಿತ utilities", - "Not available": "ಲಭ್ಯವಿಲ್ಲ", - "Not finding the file you are looking for? Make sure it has been added to path.": "ನೀವು ಹುಡುಕುತ್ತಿರುವ file ಸಿಗುತ್ತಿಲ್ಲವೇ? ಅದು path ಗೆ ಸೇರಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ.", - "Not found": "ಕಂಡುಬಂದಿಲ್ಲ", - "Not right now": "ಈಗ ಬೇಡ", "Notes:": "ಟಿಪ್ಪಣಿಗಳು:", - "Notification preferences": "ಅಧಿಸೂಚನೆ ಆದ್ಯತೆಗಳು", "Notification tray options": "ಅಧಿಸೂಚನೆ ಟ್ರೇ ಆಯ್ಕೆಗಳು", - "Notification types": "ಅಧಿಸೂಚನೆ ಪ್ರಕಾರಗಳು", - "NuPkg (zipped manifest)": "NuPkg (zip ಮಾಡಿದ manifest)", "Ok": "ಸರಿ", - "Open": "ತೆರೆಯಿರಿ", "Open GitHub": "GitHub ತೆರೆಯಿರಿ", - "Open UniGetUI": "UniGetUI ತೆರೆಯಿರಿ", - "Open UniGetUI security settings": "UniGetUI security settings ತೆರೆಯಿರಿ", "Open WingetUI": "UniGetUI ತೆರೆಯಿರಿ", "Open backup location": "backup ಸ್ಥಳವನ್ನು ತೆರೆಯಿರಿ", "Open existing bundle": "ಇರುವ bundle ಅನ್ನು ತೆರೆಯಿರಿ", - "Open install location": "install ಸ್ಥಳವನ್ನು ತೆರೆಯಿರಿ", "Open the welcome wizard": "welcome wizard ಅನ್ನು ತೆರೆಯಿರಿ", - "Operation canceled by user": "ಕಾರ್ಯಾಚರಣೆ ಬಳಕೆದಾರರಿಂದ ರದ್ದುಗೊಂಡಿತು", "Operation cancelled": "ಕಾರ್ಯಾಚರಣೆ ರದ್ದುಗೊಂಡಿತು", - "Operation history": "ಕಾರ್ಯಾಚರಣೆ ಇತಿಹಾಸ", - "Operation in progress": "ಕಾರ್ಯಾಚರಣೆ ಪ್ರಗತಿಯಲ್ಲಿದೆ", - "Operation on queue (position {0})...": "queue ಯಲ್ಲಿರುವ ಕಾರ್ಯಾಚರಣೆ (ಸ್ಥಾನ {0})...", - "Operation profile:": "ಕಾರ್ಯಾಚರಣೆ profile:", "Options saved": "ಆಯ್ಕೆಗಳು ಉಳಿಸಲಾಗಿದೆ", - "Order by:": "ಕ್ರಮಗೊಳಿಸುವ ವಿಧಾನ:", - "Other": "ಇತರೆ", - "Other settings": "ಇತರೆ settings", - "Package": "ಪ್ಯಾಕೇಜ್", - "Package Bundles": "ಪ್ಯಾಕೇಜ್ bundles", - "Package ID": "ಪ್ಯಾಕೇಜ್ ID", - "Package manager": "ಪ್ಯಾಕೇಜ್ manager", - "Package Manager logs": "Package Manager ದಾಖಲೆಗಳು", + "Package Manager": "ಪ್ಯಾಕೇಜ್ ಮ್ಯಾನೇಜರ್", "Package managers": "ಪ್ಯಾಕೇಜ್ managers", - "Package Name": "ಪ್ಯಾಕೇಜ್ ಹೆಸರು", - "Package backup": "ಪ್ಯಾಕೇಜ್ backup", - "Package backup settings": "ಪ್ಯಾಕೇಜ್ backup settings", - "Package bundle": "ಪ್ಯಾಕೇಜ್ bundle", - "Package details": "ಪ್ಯಾಕೇಜ್ ವಿವರಗಳು", - "Package lists": "ಪ್ಯಾಕೇಜ್ ಪಟ್ಟಿಗಳು", - "Package management made easy": "ಪ್ಯಾಕೇಜ್ ನಿರ್ವಹಣೆಯನ್ನು ಸುಲಭಗೊಳಿಸಲಾಗಿದೆ", - "Package manager preferences": "ಪ್ಯಾಕೇಜ್ manager ಆದ್ಯತೆಗಳು", - "Package not found": "ಪ್ಯಾಕೇಜ್ ಕಂಡುಬಂದಿಲ್ಲ", - "Package operation preferences": "ಪ್ಯಾಕೇಜ್ ಕಾರ್ಯಾಚರಣೆ ಆದ್ಯತೆಗಳು", - "Package update preferences": "ಪ್ಯಾಕೇಜ್ ನವೀಕರಣ ಆದ್ಯತೆಗಳು", "Package {name} from {manager}": "{manager} ನಿಂದ ಪ್ಯಾಕೇಜ್ {name}", - "Package's default": "ಪ್ಯಾಕೇಜ್‌ನ default", "Packages": "ಪ್ಯಾಕೇಜ್‌ಗಳು", "Packages found: {0}": "ಕಂಡುಬಂದ ಪ್ಯಾಕೇಜ್‌ಗಳು: {0}", - "Partially": "ಭಾಗಶಃ", - "Password": "ಗುಪ್ತಪದ", "Paste a valid URL to the database": "database ಗೆ ಮಾನ್ಯ URL ಅನ್ನು ಅಂಟಿಸಿ", - "Pause updates for": "ನವೀಕರಣಗಳನ್ನು ಇಷ್ಟು ಕಾಲ ವಿರಮಿಸಿ", "Perform a backup now": "ಈಗ backup ನಡೆಸಿ", - "Perform a cloud backup now": "ಈಗ cloud backup ನಡೆಸಿ", - "Perform a local backup now": "ಈಗ local backup ನಡೆಸಿ", - "Perform integrity checks at startup": "ಆರಂಭದಲ್ಲಿ integrity checks ನಡೆಸಿ", - "Performing backup, please wait...": "backup ನಡೆಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", "Periodically perform a backup of the installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ backup ಅನ್ನು ಅವಧಿ ಅವಧಿಯಲ್ಲಿ ನಡೆಸಿ", - "Periodically perform a cloud backup of the installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ cloud backup ಅನ್ನು ಅವಧಿ ಅವಧಿಯಲ್ಲಿ ನಡೆಸಿ", - "Periodically perform a local backup of the installed packages": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳ local backup ಅನ್ನು ಅವಧಿ ಅವಧಿಯಲ್ಲಿ ನಡೆಸಿ", - "Please check the installation options for this package and try again": "ದಯವಿಟ್ಟು ಈ ಪ್ಯಾಕೇಜ್‌ನ installation options ಪರಿಶೀಲಿಸಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", - "Please click on \"Continue\" to continue": "ಮುಂದುವರಿಸಲು \"Continue\" ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ", "Please enter at least 3 characters": "ಕನಿಷ್ಠ 3 ಅಕ್ಷರಗಳನ್ನು ನಮೂದಿಸಿ", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "ದಯವಿಟ್ಟು ಗಮನಿಸಿ: ಈ ಯಂತ್ರದಲ್ಲಿ ಸಕ್ರಿಯಗೊಳಿಸಲಾದ package managers ಕಾರಣದಿಂದ ಕೆಲವು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಲು ಸಾಧ್ಯವಾಗದೇ ಇರಬಹುದು.", - "Please note that not all package managers may fully support this feature": "ಎಲ್ಲಾ package managers ಗಳು ಈ ವೈಶಿಷ್ಟ್ಯವನ್ನು ಸಂಪೂರ್ಣವಾಗಿ ಬೆಂಬಲಿಸದೇ ಇರಬಹುದು ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಗಮನಿಸಿ", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "ದಯವಿಟ್ಟು ಗಮನಿಸಿ: ಕೆಲವು sources ಗಳಿಂದ ಬಂದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು export ಮಾಡಲು ಸಾಧ್ಯವಾಗದೇ ಇರಬಹುದು. ಅವುಗಳನ್ನು ಬೂದು ಬಣ್ಣದಲ್ಲಿ ತೋರಿಸಲಾಗಿದ್ದು, export ಆಗುವುದಿಲ್ಲ.", - "Please run UniGetUI as a regular user and try again.": "UniGetUI ಅನ್ನು ಸಾಮಾನ್ಯ ಬಳಕೆದಾರರಂತೆ ಚಲಾಯಿಸಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "ಸಮಸ್ಯೆಯ ಬಗ್ಗೆ ಹೆಚ್ಚಿನ ಮಾಹಿತಿಗಾಗಿ Command-line Output ನೋಡಿ ಅಥವಾ Operation History ಅನ್ನು ಪರಿಶೀಲಿಸಿ.", "Please select how you want to configure WingetUI": "UniGetUI ಅನ್ನು ಹೇಗೆ ಸಂರಚಿಸಲು ಬಯಸುತ್ತೀರಿ ಎಂಬುದನ್ನು ಆಯ್ಕೆ ಮಾಡಿ", - "Please try again later": "ದಯವಿಟ್ಟು ನಂತರ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", "Please type at least two characters": "ಕನಿಷ್ಠ ಎರಡು ಅಕ್ಷರಗಳನ್ನು ಟೈಪ್ ಮಾಡಿ", - "Please wait": "ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} ಸ್ಥಾಪಿಸಲಾಗುತ್ತಿರುವಾಗ ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ. ಕಪ್ಪು ಬಣ್ಣದ ಕಿಟಕಿ ಕಾಣಿಸಬಹುದು. ಅದು ಮುಚ್ಚುವವರೆಗೆ ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ.", - "Please wait...": "ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", "Portable": "ಪೋರ್ಟೆಬಲ್", - "Portable mode": "ಪೋರ್ಟೆಬಲ್ ಮೋಡ್\n", - "Post-install command:": "ಸ್ಥಾಪನೆಯ ನಂತರದ command:", - "Post-uninstall command:": "uninstall ನಂತರದ command:", - "Post-update command:": "update ನಂತರದ command:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell ನ package manager. PowerShell ಸಾಮರ್ಥ್ಯಗಳನ್ನು ವಿಸ್ತರಿಸಲು libraries ಮತ್ತು scripts ಕಂಡುಹಿಡಿಯಿರಿ
ಒಳಗೊಂಡಿರುವುದು: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre ಮತ್ತು post install commands ಹಾಗೆ ರೂಪಿಸಲಾದರೆ ನಿಮ್ಮ ಸಾಧನಕ್ಕೆ ತುಂಬಾ ಕೆಟ್ಟದ್ದನ್ನು ಮಾಡಬಹುದು. ಆ package bundle ನ ಮೂಲವನ್ನು ನೀವು ನಂಬದಿದ್ದರೆ bundle ನಿಂದ commands ಆಮದು ಮಾಡುವುದು ಬಹಳ ಅಪಾಯಕಾರಿ.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "ಪ್ಯಾಕೇಜ್ ಸ್ಥಾಪನೆ, ನವೀಕರಣ ಅಥವಾ ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಆಗುವ ಮೊದಲು ಮತ್ತು ನಂತರ pre ಮತ್ತು post install commands ಕಾರ್ಯಗೊಳಿಸಲಾಗುತ್ತದೆ. ಜಾಗ್ರತೆಯಿಂದ ಬಳಸದೆ ಇದ್ದರೆ ಅವು ಸಮಸ್ಯೆ ಉಂಟುಮಾಡಬಹುದು ಎಂಬುದನ್ನು ಗಮನದಲ್ಲಿಡಿ.", - "Pre-install command:": "ಸ್ಥಾಪನೆಗೂ ಮುಂಚಿನ command:", - "Pre-uninstall command:": "uninstall ಮುಂಚಿನ command:", - "Pre-update command:": "update ಮುಂಚಿನ command:", - "PreRelease": "ಪ್ರೀರಿಲೀಸ್", - "Preparing packages, please wait...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸಿದ್ಧಪಡಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", - "Proceed at your own risk.": "ನಿಮ್ಮ ಸ್ವಂತ ಜವಾಬ್ದಾರಿಯಲ್ಲಿ ಮುಂದುವರಿಯಿರಿ.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator ಅಥವಾ GSudo ಮೂಲಕ ಯಾವುದೇ ವಿಧದ Elevation ಅನ್ನು ನಿಷೇಧಿಸಿ", - "Proxy URL": "ಪ್ರಾಕ್ಸಿ URL", - "Proxy compatibility table": "Proxy ಹೊಂದಾಣಿಕೆ ಪಟ್ಟಿಕೆ", - "Proxy settings": "ಪ್ರಾಕ್ಸಿ settings", - "Proxy settings, etc.": "Proxy settings, ಇತ್ಯಾದಿ.", "Publication date:": "ಪ್ರಕಟಣೆಯ ದಿನಾಂಕ:", - "Publisher": "ಪ್ರಕಾಶಕ", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python ನ library manager. python libraries ಮತ್ತು python ಗೆ ಸಂಬಂಧಿತ ಇತರ utilities ಗಳಿಂದ ತುಂಬಿದೆ
ಒಳಗೊಂಡಿರುವುದು: Python libraries ಮತ್ತು ಸಂಬಂಧಿತ utilities", - "Quit": "ನಿರ್ಗಮಿಸಿ", "Quit WingetUI": "UniGetUI ನಿಂದ ನಿರ್ಗಮಿಸಿ", - "Ready": "ಸಿದ್ಧವಾಗಿದೆ", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts ಅನ್ನು ಕಡಿಮೆ ಮಾಡಿ, default ಆಗಿ installations ಗೆ elevation ನೀಡಿ, ಕೆಲವು ಅಪಾಯಕಾರಿ ವೈಶಿಷ್ಟ್ಯಗಳನ್ನು ಅನ್‌ಲಾಕ್ ಮಾಡಿ, ಇತ್ಯಾದಿ.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "ಪ್ರಭಾವಿತ file(s) ಬಗ್ಗೆ ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ UniGetUI Logs ಅನ್ನು ನೋಡಿ", - "Reinstall": "ಮರುಸ್ಥಾಪಿಸಿ", - "Reinstall package": "ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಮರುಸ್ಥಾಪಿಸಿ", - "Related settings": "ಸಂಬಂಧಿತ settings", - "Release notes": "ಬಿಡುಗಡೆ ಟಿಪ್ಪಣಿಗಳು", - "Release notes URL": "ಬಿಡುಗಡೆ ಟಿಪ್ಪಣಿಗಳ URL", "Release notes URL:": "ಬಿಡುಗಡೆ ಟಿಪ್ಪಣಿಗಳ URL:", "Release notes:": "ಬಿಡುಗಡೆ ಟಿಪ್ಪಣಿಗಳು:", "Reload": "ಮರುಲೋಡ್ ಮಾಡಿ", - "Reload log": "log ಅನ್ನು ಮರುಲೋಡ್ ಮಾಡಿ", "Removal failed": "ತೆಗೆದುಹಾಕುವುದು ವಿಫಲವಾಗಿದೆ", "Removal succeeded": "ತೆಗೆದುಹಾಕುವುದು ಯಶಸ್ವಿಯಾಯಿತು", - "Remove from list": "ಪಟ್ಟಿಯಿಂದ ತೆಗೆದುಹಾಕಿ", "Remove permanent data": "ಶಾಶ್ವತ ಡೇಟಾವನ್ನು ತೆಗೆದುಹಾಕಿ", - "Remove selection from bundle": "ಆಯ್ಕೆಯನ್ನು bundle ನಿಂದ ತೆಗೆದುಹಾಕಿ", "Remove successful installs/uninstalls/updates from the installation list": "ಯಶಸ್ವಿಯಾದ installs/uninstalls/updates ಅನ್ನು installation list ನಿಂದ ತೆಗೆದುಹಾಕಿ", - "Removing source {source}": "source {source} ಅನ್ನು ತೆಗೆದುಹಾಕಲಾಗುತ್ತಿದೆ", - "Removing source {source} from {manager}": "{manager} ನಿಂದ source {source} ಅನ್ನು ತೆಗೆದುಹಾಕಲಾಗುತ್ತಿದೆ", - "Repair UniGetUI": "UniGetUI ಅನ್ನು ಸರಿಪಡಿಸಿ", - "Repair WinGet": "WinGet ಅನ್ನು ಸರಿಪಡಿಸಿ", - "Report an issue or submit a feature request": "ಸಮಸ್ಯೆಯನ್ನು ವರದಿ ಮಾಡಿ ಅಥವಾ feature request ಸಲ್ಲಿಸಿ", "Repository": "ರೆಪೊಸಿಟರಿ", - "Reset": "ಮರುಹೊಂದಿಸಿ", "Reset Scoop's global app cache": "Scoop ನ global app cache ಅನ್ನು ಮರುಹೊಂದಿಸಿ", - "Reset UniGetUI": "UniGetUI ಅನ್ನು ಮರುಹೊಂದಿಸಿ", - "Reset WinGet": "WinGet ಅನ್ನು ಮರುಹೊಂದಿಸಿ", "Reset Winget sources (might help if no packages are listed)": "Winget sources ಅನ್ನು ಮರುಹೊಂದಿಸಿ (ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳು ಪಟ್ಟಿಯಾಗದಿದ್ದರೆ ಇದು ಸಹಾಯ ಮಾಡಬಹುದು)", - "Reset WingetUI": "UniGetUI ಅನ್ನು ಮರುಹೊಂದಿಸಿ", "Reset WingetUI and its preferences": "UniGetUI ಮತ್ತು ಅದರ ಆದ್ಯತೆಗಳನ್ನು ಮರುಹೊಂದಿಸಿ", "Reset WingetUI icon and screenshot cache": "UniGetUI icon ಮತ್ತು screenshot cache ಅನ್ನು ಮರುಹೊಂದಿಸಿ", - "Reset list": "ಪಟ್ಟಿಯನ್ನು ಮರುಹೊಂದಿಸಿ", "Resetting Winget sources - WingetUI": "Winget sources ಮರುಹೊಂದಿಸಲಾಗುತ್ತಿದೆ - UniGetUI", - "Restart": "ಮರುಪ್ರಾರಂಭಿಸಿ", - "Restart UniGetUI": "UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", - "Restart WingetUI": "UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", - "Restart WingetUI to fully apply changes": "ಬದಲಾವಣೆಗಳನ್ನು ಸಂಪೂರ್ಣವಾಗಿ ಅನ್ವಯಿಸಲು UniGetUI ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", - "Restart later": "ನಂತರ ಮರುಪ್ರಾರಂಭಿಸಿ", "Restart now": "ಈಗ ಮರುಪ್ರಾರಂಭಿಸಿ", - "Restart required": "ಮರುಪ್ರಾರಂಭ ಅಗತ್ಯವಿದೆ", "Restart your PC to finish installation": "ಸ್ಥಾಪನೆ ಪೂರ್ಣಗೊಳಿಸಲು ನಿಮ್ಮ PC ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", "Restart your computer to finish the installation": "ಸ್ಥಾಪನೆಯನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು ನಿಮ್ಮ ಕಂಪ್ಯೂಟರ್ ಅನ್ನು ಮರುಪ್ರಾರಂಭಿಸಿ", - "Restore a backup from the cloud": "cloud ನಿಂದ backup ಅನ್ನು ಮರುಸ್ಥಾಪಿಸಿ", - "Restrictions on package managers": "package managers ಮೇಲಿನ ನಿರ್ಬಂಧಗಳು", - "Restrictions on package operations": "package operations ಮೇಲಿನ ನಿರ್ಬಂಧಗಳು", - "Restrictions when importing package bundles": "package bundles ಅನ್ನು import ಮಾಡುವಾಗ ಇರುವ ನಿರ್ಬಂಧಗಳು", - "Retry": "ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", - "Retry as administrator": "administrator ಆಗಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", "Retry failed operations": "ವಿಫಲವಾದ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", - "Retry interactively": "ಪರಸ್ಪರಕ್ರಿಯಾತ್ಮಕವಾಗಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", - "Retry skipping integrity checks": "integrity checks ಬಿಟ್ಟುಕೊಟ್ಟು ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ", "Retrying, please wait...": "ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", "Return to top": "ಮೇಲಕ್ಕೆ ಹಿಂತಿರುಗಿ", - "Run": "ಚಾಲನೆ ಮಾಡಿ", - "Run as admin": "admin ಆಗಿ ಚಾಲನೆ ಮಾಡಿ", - "Run cleanup and clear cache": "cleanup ನಡೆಸಿ ಮತ್ತು cache ತೆರವುಗೊಳಿಸಿ", - "Run last": "ಕೊನೆಯಲ್ಲಿ ಚಾಲನೆ ಮಾಡಿ", - "Run next": "ಮುಂದಿನದಾಗಿ ಚಾಲನೆ ಮಾಡಿ", - "Run now": "ಈಗ ಚಾಲನೆ ಮಾಡಿ", "Running the installer...": "installer ಕಾರ್ಯಗೊಳಿಸಲಾಗುತ್ತಿದೆ...", "Running the uninstaller...": "uninstaller ಕಾರ್ಯಗೊಳಿಸಲಾಗುತ್ತಿದೆ...", "Running the updater...": "updater ಕಾರ್ಯಗೊಳಿಸಲಾಗುತ್ತಿದೆ...", - "Save": "ಉಳಿಸಿ", - "Save File": "file ಉಳಿಸಿ", - "Save and close": "ಉಳಿಸಿ ಮತ್ತು ಮುಚ್ಚಿ", - "Save as": "ಹಾಗೆ ಉಳಿಸಿ", + "Save File": "file ಉಳಿಸಿ", "Save bundle as": "bundle ಅನ್ನು ಹಾಗೆ ಉಳಿಸಿ", "Save now": "ಈಗ ಉಳಿಸಿ", - "Saving packages, please wait...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಉಳಿಸಲಾಗುತ್ತಿದೆ, ದಯವಿಟ್ಟು ನಿರೀಕ್ಷಿಸಿ...", - "Scoop Installer - WingetUI": "Scoop ಸ್ಥಾಪಕ - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop ಅನ್‌ಇನ್‌ಸ್ಟಾಲರ್ - UniGetUI", - "Scoop package": "Scoop ಪ್ಯಾಕೇಜ್", "Search": "ಹುಡುಕಿ", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "desktop software ಹುಡುಕಿ, updates ಲಭ್ಯವಾದಾಗ ನನಗೆ ತಿಳಿಸಿ ಮತ್ತು nerdy ಕೆಲಸಗಳನ್ನು ಮಾಡಬೇಡಿ. UniGetUI ಅತಿಯಾಗಿ ಸಂಕೀರ್ಣವಾಗಬಾರದು, ನನಗೆ ಸರಳವಾದ software store ಸಾಕು", - "Search for packages": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕಿ", - "Search for packages to start": "ಪ್ರಾರಂಭಿಸಲು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕಿ", - "Search mode": "ಹುಡುಕಾಟ mode", "Search on available updates": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳಲ್ಲಿ ಹುಡುಕಿ", "Search on your software": "ನಿಮ್ಮ software ನಲ್ಲಿ ಹುಡುಕಿ", "Searching for installed packages...": "ಸ್ಥಾಪಿತ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕುತ್ತಿದೆ...", "Searching for packages...": "ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಹುಡುಕುತ್ತಿದೆ...", "Searching for updates...": "ನವೀಕರಣಗಳನ್ನು ಹುಡುಕುತ್ತಿದೆ...", - "Select": "ಆಯ್ಕೆಮಾಡಿ", "Select \"{item}\" to add your custom bucket": "ನಿಮ್ಮ custom bucket ಸೇರಿಸಲು \"{item}\" ಆಯ್ಕೆಮಾಡಿ", "Select a folder": "ಒಂದು folder ಆಯ್ಕೆಮಾಡಿ", - "Select all": "ಎಲ್ಲವನ್ನೂ ಆಯ್ಕೆಮಾಡಿ", "Select all packages": "ಎಲ್ಲಾ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ", - "Select backup": "backup ಆಯ್ಕೆಮಾಡಿ", "Select only if you know what you are doing.": "ನೀವು ಏನು ಮಾಡುತ್ತಿದ್ದೀರಿ ಎಂಬುದು ತಿಳಿದಿದ್ದರೆ ಮಾತ್ರ ಆಯ್ಕೆಮಾಡಿ.", "Select package file": "package file ಆಯ್ಕೆಮಾಡಿ", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "ನೀವು ತೆರೆಯಬೇಕಾದ backup ಆಯ್ಕೆಮಾಡಿ. ನಂತರ ನೀವು ಯಾವ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸ್ಥಾಪಿಸಬೇಕು ಎಂಬುದನ್ನು ಪರಿಶೀಲಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತದೆ.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "ಬಳಸಬೇಕಾದ executable ಆಯ್ಕೆಮಾಡಿ. ಕೆಳಗಿನ ಪಟ್ಟಿಯಲ್ಲಿ UniGetUI ಕಂಡುಹಿಡಿದ executables ತೋರಿಸಲಾಗಿದೆ", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "ಈ ಪ್ಯಾಕೇಜ್ ಸ್ಥಾಪನೆ, ನವೀಕರಣ ಅಥವಾ uninstall ಆಗುವ ಮೊದಲು ಮುಚ್ಚಬೇಕಾದ processes ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ.", - "Select the source you want to add:": "ನೀವು ಸೇರಿಸಲು ಬಯಸುವ source ಆಯ್ಕೆಮಾಡಿ:", - "Select upgradable packages by default": "default ಆಗಿ upgrade ಮಾಡಬಹುದಾದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "ಯಾವ package managers ಬಳಸಬೇಕು ({0}) ಎಂಬುದನ್ನು ಆಯ್ಕೆಮಾಡಿ, packages ಹೇಗೆ install ಆಗಬೇಕು ಎಂಬುದನ್ನು configure ಮಾಡಿ, administrator ಹಕ್ಕುಗಳನ್ನು ಹೇಗೆ ನಿರ್ವಹಿಸಬೇಕು ಎಂಬುದನ್ನು ನಿರ್ಧರಿಸಿ, ಇತ್ಯಾದಿ.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "handshake ಕಳುಹಿಸಲಾಗಿದೆ. instance listener ನ ಉತ್ತರಕ್ಕಾಗಿ ಕಾಯಲಾಗುತ್ತಿದೆ... ({0}%)", - "Set a custom backup file name": "custom backup file name ಒಂದನ್ನು ಹೊಂದಿಸಿ", "Set custom backup file name": "custom backup file name ಹೊಂದಿಸಿ", - "Settings": "settings", - "Share": "ಹಂಚಿಕೊಳ್ಳಿ", "Share WingetUI": "UniGetUI ಹಂಚಿಕೊಳ್ಳಿ", - "Share anonymous usage data": "ಅನಾಮಧೇಯ ಬಳಕೆ ಡೇಟಾವನ್ನು ಹಂಚಿಕೊಳ್ಳಿ", - "Share this package": "ಈ ಪ್ಯಾಕೇಜ್ ಹಂಚಿಕೊಳ್ಳಿ", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "ನೀವು security settings ಬದಲಿಸಿದರೆ, ಬದಲಾವಣೆಗಳು ಪರಿಣಾಮ ಬೀರುವಂತೆ bundle ಅನ್ನು ಮತ್ತೆ ತೆರೆಯಬೇಕಾಗುತ್ತದೆ.", "Show UniGetUI on the system tray": "system tray ನಲ್ಲಿ UniGetUI ತೋರಿಸಿ", - "Show UniGetUI's version and build number on the titlebar.": "titlebar ನಲ್ಲಿ UniGetUI ಯ version ಮತ್ತು build number ತೋರಿಸಿ.", - "Show WingetUI": "UniGetUI ತೋರಿಸಿ", "Show a notification when an installation fails": "installation ವಿಫಲವಾದಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", "Show a notification when an installation finishes successfully": "installation ಯಶಸ್ವಿಯಾಗಿ ಪೂರ್ಣಗೊಂಡಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", - "Show a notification when an operation fails": "ಕಾರ್ಯಾಚರಣೆ ವಿಫಲವಾದಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", - "Show a notification when an operation finishes successfully": "ಕಾರ್ಯಾಚರಣೆ ಯಶಸ್ವಿಯಾಗಿ ಪೂರ್ಣಗೊಂಡಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", - "Show a notification when there are available updates": "ಲಭ್ಯವಿರುವ ನವೀಕರಣಗಳು ಇರುವಾಗ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", - "Show a silent notification when an operation is running": "ಕಾರ್ಯಾಚರಣೆ ನಡೆಯುತ್ತಿರುವಾಗ ಮೌನ ಅಧಿಸೂಚನೆ ತೋರಿಸಿ", "Show details": "ವಿವರಗಳನ್ನು ತೋರಿಸಿ", - "Show in explorer": "explorer ನಲ್ಲಿ ತೋರಿಸಿ", "Show info about the package on the Updates tab": "Updates tab ನಲ್ಲಿ ಪ್ಯಾಕೇಜ್ ಕುರಿತು ಮಾಹಿತಿ ತೋರಿಸಿ", "Show missing translation strings": "ಕಾಣೆಯಾದ translation strings ತೋರಿಸಿ", - "Show notifications on different events": "ವಿಭಿನ್ನ ಘಟನೆಗಳ ಸಂದರ್ಭದಲ್ಲಿ ಅಧಿಸೂಚನೆಗಳನ್ನು ತೋರಿಸಿ", "Show package details": "ಪ್ಯಾಕೇಜ್ ವಿವರಗಳನ್ನು ತೋರಿಸಿ", - "Show package icons on package lists": "package lists ನಲ್ಲಿ package icons ತೋರಿಸಿ", - "Show similar packages": "ಸಮಾನ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ತೋರಿಸಿ", "Show the live output": "live output ತೋರಿಸಿ", - "Size": "ಗಾತ್ರ", "Skip": "ಬಿಟ್ಟುಬಿಡಿ", - "Skip hash check": "hash check ಬಿಟ್ಟುಬಿಡಿ", - "Skip hash checks": "hash checks ಬಿಟ್ಟುಬಿಡಿ", - "Skip integrity checks": "integrity checks ಬಿಟ್ಟುಬಿಡಿ", - "Skip minor updates for this package": "ಈ ಪ್ಯಾಕೇಜ್‌ಗೆ ಸಣ್ಣ ನವೀಕರಣಗಳನ್ನು ಬಿಟ್ಟುಬಿಡಿ", "Skip the hash check when installing the selected packages": "ಆಯ್ಕೆಮಾಡಿದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು install ಮಾಡುವಾಗ hash check ಬಿಟ್ಟುಬಿಡಿ", "Skip the hash check when updating the selected packages": "ಆಯ್ಕೆಮಾಡಿದ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು update ಮಾಡುವಾಗ hash check ಬಿಟ್ಟುಬಿಡಿ", - "Skip this version": "ಈ version ಬಿಟ್ಟುಬಿಡಿ", - "Software Updates": "Software ನವೀಕರಣಗಳು", - "Something went wrong": "ಏನೋ ತಪ್ಪಾಗಿದೆ", - "Something went wrong while launching the updater.": "updater ಆರಂಭಿಸುವಾಗ ಏನೋ ತಪ್ಪಾಗಿದೆ.", - "Source": "ಮೂಲ", - "Source URL:": "ಮೂಲ URL:", - "Source added successfully": "source ಯಶಸ್ವಿಯಾಗಿ ಸೇರಿಸಲಾಗಿದೆ", "Source addition failed": "source ಸೇರಿಸುವುದು ವಿಫಲವಾಗಿದೆ", - "Source name:": "source ಹೆಸರು:", "Source removal failed": "source ತೆಗೆದುಹಾಕುವುದು ವಿಫಲವಾಗಿದೆ", - "Source removed successfully": "source ಯಶಸ್ವಿಯಾಗಿ ತೆಗೆದುಹಾಕಲಾಗಿದೆ", "Source:": "source:", - "Sources": "ಮೂಲಗಳು", "Start": "ಪ್ರಾರಂಭಿಸಿ", "Starting daemons...": "daemons ಪ್ರಾರಂಭಗೊಳ್ಳುತ್ತಿದೆ...", - "Starting operation...": "ಕಾರ್ಯಾಚರಣೆ ಪ್ರಾರಂಭಗೊಳ್ಳುತ್ತಿದೆ...", "Startup options": "startup ಆಯ್ಕೆಗಳು", "Status": "ಸ್ಥಿತಿ", "Stuck here? Skip initialization": "ಇಲ್ಲಿ ಸಿಲುಕಿದ್ದೀರಾ? initialization ಬಿಟ್ಟುಬಿಡಿ", - "Success!": "ಯಶಸ್ಸು!", "Suport the developer": "developer ಅನ್ನು ಬೆಂಬಲಿಸಿ", "Support me": "ನನ್ನನ್ನು ಬೆಂಬಲಿಸಿ", "Support the developer": "developer ಅನ್ನು ಬೆಂಬಲಿಸಿ", "Systems are now ready to go!": "ವ್ಯವಸ್ಥೆಗಳು ಈಗ ಸಿದ್ಧವಾಗಿವೆ!", - "Telemetry": "ಟೆಲಿಮೆಟ್ರಿ", - "Text": "ಪಠ್ಯ", "Text file": "ಪಠ್ಯ file", - "Thank you ❤": "ಧನ್ಯವಾದಗಳು ❤", "Thank you 😉": "ಧನ್ಯವಾದಗಳು 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust package manager.
ಒಳಗೊಂಡಿರುವುದು: Rust libraries ಮತ್ತು Rust ನಲ್ಲಿ ಬರೆಯಲ್ಪಟ್ಟ programs", - "The backup will NOT include any binary file nor any program's saved data.": "backup ನಲ್ಲಿ ಯಾವುದೇ binary file ಅಥವಾ ಯಾವುದೇ program ನ saved data ಸೇರಿರುವುದಿಲ್ಲ.", - "The backup will be performed after login.": "login ನಂತರ backup ನಡೆಸಲಾಗುತ್ತದೆ.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup ನಲ್ಲಿ installed packages ಗಳ ಸಂಪೂರ್ಣ ಪಟ್ಟಿಯೂ ಮತ್ತು ಅವುಗಳ installation options ಕೂಡ ಸೇರಿರುತ್ತದೆ. ignored updates ಮತ್ತು skipped versions ಕೂಡ ಉಳಿಸಲಾಗುತ್ತದೆ.", - "The bundle was created successfully on {0}": "{0} ನಲ್ಲಿ bundle ಯಶಸ್ವಿಯಾಗಿ ರಚಿಸಲಾಗಿದೆ", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "ನೀವು load ಮಾಡಲು ಪ್ರಯತ್ನಿಸುತ್ತಿರುವ bundle ಅಮಾನ್ಯವಾಗಿದೆ ಎಂದು ಕಾಣುತ್ತದೆ. ದಯವಿಟ್ಟು file ಪರಿಶೀಲಿಸಿ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "installer ನ checksum ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ, ಮತ್ತು installer ನ ಪ್ರಾಮಾಣಿಕತೆಯನ್ನು ಪರಿಶೀಲಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. publisher ನನ್ನು ನೀವು ನಂಬಿದರೆ, hash check ಬಿಟ್ಟು ಪ್ಯಾಕೇಜ್ ಅನ್ನು ಮತ್ತೆ {0} ಮಾಡಿ.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "windows ಗಾಗಿ ಸಾಂಪ್ರದಾಯಿಕ package manager. ಅಲ್ಲಿ ನೀವು ಎಲ್ಲವನ್ನೂ ಕಾಣಬಹುದು.
ಒಳಗೊಂಡಿರುವುದು: General Software", - "The cloud backup completed successfully.": "cloud backup ಯಶಸ್ವಿಯಾಗಿ ಪೂರ್ಣಗೊಂಡಿತು.", - "The cloud backup has been loaded successfully.": "cloud backup ಯಶಸ್ವಿಯಾಗಿ load ಆಗಿದೆ.", - "The current bundle has no packages. Add some packages to get started": "ಪ್ರಸ್ತುತ bundle ನಲ್ಲಿ ಯಾವುದೇ ಪ್ಯಾಕೇಜ್‌ಗಳಿಲ್ಲ. ಪ್ರಾರಂಭಿಸಲು ಕೆಲವು ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ಸೇರಿಸಿ", - "The executable file for {0} was not found": "{0} ಗಾಗಿ executable file ಕಂಡುಬಂದಿಲ್ಲ", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "{0} package install, upgrade ಅಥವಾ uninstall ಆಗುವ ಪ್ರತಿಸಾರಿ ಕೆಳಗಿನ ಆಯ್ಕೆಗಳು default ಆಗಿ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "ಕೆಳಗಿನ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು JSON file ಗೆ export ಮಾಡಲಾಗುತ್ತದೆ. ಯಾವುದೇ user data ಅಥವಾ binaries ಉಳಿಸಲಾಗುವುದಿಲ್ಲ.", "The following packages are going to be installed on your system.": "ಕೆಳಗಿನ ಪ್ಯಾಕೇಜ್‌ಗಳನ್ನು ನಿಮ್ಮ system ನಲ್ಲಿ ಸ್ಥಾಪಿಸಲಾಗುತ್ತದೆ.", - "The following settings may pose a security risk, hence they are disabled by default.": "ಕೆಳಗಿನ settings security risk ಉಂಟುಮಾಡಬಹುದು, ಆದ್ದರಿಂದ ಅವು default ಆಗಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ.", - "The following settings will be applied each time this package is installed, updated or removed.": "ಈ package install, update ಅಥವಾ remove ಆಗುವ ಪ್ರತಿಸಾರಿ ಕೆಳಗಿನ settings ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "ಈ package install, update ಅಥವಾ remove ಆಗುವ ಪ್ರತಿಸಾರಿ ಕೆಳಗಿನ settings ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ. ಅವು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಉಳಿಸಲಾಗುತ್ತದೆ.", "The icons and screenshots are maintained by users like you!": "icons ಮತ್ತು screenshots ನಿಮ್ಮಂತಹ ಬಳಕೆದಾರರಿಂದ ನಿರ್ವಹಿಸಲ್ಪಡುತ್ತವೆ!", - "The installation script saved to {0}": "installation script ಅನ್ನು {0} ಗೆ ಉಳಿಸಲಾಗಿದೆ", - "The installer authenticity could not be verified.": "installer ನ ಪ್ರಾಮಾಣಿಕತೆಯನ್ನು ಪರಿಶೀಲಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ.", "The installer has an invalid checksum": "installer ಗೆ ಅಮಾನ್ಯ checksum ಇದೆ", "The installer hash does not match the expected value.": "installer hash ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯಕ್ಕೆ ಹೊಂದುವುದಿಲ್ಲ.", - "The local icon cache currently takes {0} MB": "ಸ್ಥಳೀಯ icon cache ಪ್ರಸ್ತುತ {0} MB ಜಾಗ ಬಳಸುತ್ತಿದೆ", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "ಈ ಯೋಜನೆಯ ಮುಖ್ಯ ಗುರಿ Winget ಮತ್ತು Scoop ಮುಂತಾದ Windows ಗಾಗಿ ಸಾಮಾನ್ಯ CLI package managers ಅನ್ನು ನಿರ್ವಹಿಸಲು ಒಂದು ಸಹಜ UI ರಚಿಸುವುದಾಗಿದೆ.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "\"{0}\" package manager \"{1}\" ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ", - "The package bundle could not be created due to an error.": "ದೋಷದಿಂದ package bundle ರಚಿಸಲಾಗಲಿಲ್ಲ.", - "The package bundle is not valid": "package bundle ಮಾನ್ಯವಲ್ಲ", - "The package manager \"{0}\" is disabled": "package manager \"{0}\" ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", - "The package manager \"{0}\" was not found": "package manager \"{0}\" ಕಂಡುಬಂದಿಲ್ಲ", "The package {0} from {1} was not found.": "{1} ನಿಂದ package {0} ಕಂಡುಬಂದಿಲ್ಲ.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "ಇಲ್ಲಿ ಪಟ್ಟಿ ಮಾಡಲಾದ package ಗಳನ್ನು updates ಪರಿಶೀಲಿಸುವಾಗ ಗಣನೆಗೆ ತೆಗೆದುಕೊಳ್ಳಲಾಗುವುದಿಲ್ಲ. ಅವುಗಳ updates ಅನ್ನು ನಿರ್ಲಕ್ಷಿಸುವುದನ್ನು ನಿಲ್ಲಿಸಲು ಅವುಗಳ ಮೇಲೆ double-click ಮಾಡಿ ಅಥವಾ ಬಲಭಾಗದ button ಮೇಲೆ click ಮಾಡಿ.", "The selected packages have been blacklisted": "ಆಯ್ಕೆಮಾಡಿದ package ಗಳನ್ನು blacklist ಮಾಡಲಾಗಿದೆ", - "The settings will list, in their descriptions, the potential security issues they may have.": "settings ಗಳ ವಿವರಣೆಯಲ್ಲಿ ಅವುಗಳಿಗೆ ಇರಬಹುದಾದ ಭದ್ರತಾ ಸಮಸ್ಯೆಗಳ ಪಟ್ಟಿಯನ್ನು ನೀಡಲಾಗುತ್ತದೆ.", - "The size of the backup is estimated to be less than 1MB.": "backup ಗಾತ್ರವು 1MB ಕ್ಕಿಂತ ಕಡಿಮೆ ಎಂದು ಅಂದಾಜಿಸಲಾಗಿದೆ.", - "The source {source} was added to {manager} successfully": "source {source} ಅನ್ನು {manager} ಗೆ ಯಶಸ್ವಿಯಾಗಿ ಸೇರಿಸಲಾಗಿದೆ", - "The source {source} was removed from {manager} successfully": "source {source} ಅನ್ನು {manager} ಇಂದ ಯಶಸ್ವಿಯಾಗಿ ತೆಗೆದುಹಾಕಲಾಗಿದೆ", - "The system tray icon must be enabled in order for notifications to work": "notifications ಕಾರ್ಯನಿರ್ವಹಿಸಲು system tray icon ಸಕ್ರಿಯವಾಗಿರಬೇಕು", - "The update process has been aborted.": "update ಪ್ರಕ್ರಿಯೆಯನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ.", - "The update process will start after closing UniGetUI": "UniGetUI ಮುಚ್ಚಿದ ನಂತರ update ಪ್ರಕ್ರಿಯೆ ಪ್ರಾರಂಭವಾಗುತ್ತದೆ", "The update will be installed upon closing WingetUI": "UniGetUI ಮುಚ್ಚಿದಾಗ update install ಆಗುತ್ತದೆ", "The update will not continue.": "update ಮುಂದುವರಿಯುವುದಿಲ್ಲ.", "The user has canceled {0}, that was a requirement for {1} to be run": "ಬಳಕೆದಾರರು {0} ಅನ್ನು ರದ್ದುಗೊಳಿಸಿದ್ದಾರೆ, ಅದು {1} ನಡೆಸಲು ಅಗತ್ಯವಾಗಿತ್ತು", - "There are no new UniGetUI versions to be installed": "ಸ್ಥಾಪಿಸಲು ಯಾವುದೇ ಹೊಸ UniGetUI versions ಇಲ್ಲ", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "ಪ್ರಸ್ತುತ ಕಾರ್ಯಾಚರಣೆಗಳು ನಡೆಯುತ್ತಿವೆ. UniGetUI ನಿಂದ ನಿರ್ಗಮಿಸಿದರೆ ಅವು ವಿಫಲವಾಗಬಹುದು. ನೀವು ಮುಂದುವರಿಯಲು ಬಯಸುವಿರಾ?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube ನಲ್ಲಿ UniGetUI ಮತ್ತು ಅದರ ಸಾಮರ್ಥ್ಯಗಳನ್ನು ತೋರಿಸುವ ಕೆಲವು ಉತ್ತಮ videos ಇವೆ. ಉಪಯುಕ್ತ tricks ಮತ್ತು tips ಕಲಿಯಬಹುದು!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI ಅನ್ನು administrator ಆಗಿ ಚಾಲನೆ ಮಾಡಬಾರದ ಎರಡು ಮುಖ್ಯ ಕಾರಣಗಳಿವೆ:\n ಮೊದಲನೆಯದು, Scoop package manager ಅನ್ನು administrator ಹಕ್ಕುಗಳೊಂದಿಗೆ ಚಾಲನೆ ಮಾಡಿದಾಗ ಕೆಲವು commands ನಲ್ಲಿ ಸಮಸ್ಯೆ ಉಂಟಾಗಬಹುದು.\n ಎರಡನೆಯದು, UniGetUI ಅನ್ನು administrator ಆಗಿ ಚಾಲನೆ ಮಾಡಿದರೆ ನೀವು download ಮಾಡುವ ಯಾವುದೇ package ಕೂಡ administrator ಆಗಿ ಚಾಲನೆ ಆಗುತ್ತದೆ (ಇದು ಸುರಕ್ಷಿತವಲ್ಲ).\n ನಿಮಗೆ ನಿರ್ದಿಷ್ಟ package ಅನ್ನು administrator ಆಗಿ install ಮಾಡಬೇಕಾದರೆ, item ಮೇಲೆ right-click ಮಾಡಿ -> Install/Update/Uninstall as administrator ಆಯ್ಕೆಮಾಡಬಹುದು ಎಂಬುದನ್ನು ನೆನಪಿಟ್ಟುಕೊಳ್ಳಿ.", - "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" ನ configuration ನಲ್ಲಿ ದೋಷವಿದೆ", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "ಒಂದು installation ಪ್ರಗತಿಯಲ್ಲಿದೆ. ನೀವು UniGetUI ಅನ್ನು ಮುಚ್ಚಿದರೆ, installation ವಿಫಲವಾಗಬಹುದು ಮತ್ತು ಅನಿರೀಕ್ಷಿತ ಫಲಿತಾಂಶಗಳು ಉಂಟಾಗಬಹುದು. ನೀವು ಇನ್ನೂ UniGetUI ನಿಂದ ನಿರ್ಗಮಿಸಲು ಬಯಸುವಿರಾ?", "They are the programs in charge of installing, updating and removing packages.": "ಅವು packages ಅನ್ನು install, update ಮತ್ತು remove ಮಾಡುವ ಜವಾಬ್ದಾರಿಯಲ್ಲಿರುವ programs ಆಗಿವೆ.", - "Third-party licenses": "ಮೂರನೇ ಪಕ್ಷದ ಪರವಾನಗಿಗಳು", "This could represent a security risk.": "ಇದು security risk ಅನ್ನು ಸೂಚಿಸಬಹುದು.", - "This is not recommended.": "ಇದು ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "ಬಹುಶಃ ಇದು ನಿಮಗೆ ಕಳುಹಿಸಲಾದ package ತೆಗೆದುಹಾಕಲ್ಪಟ್ಟಿರುವುದರಿಂದ ಅಥವಾ ನೀವು ಸಕ್ರಿಯಗೊಳಿಸದ package manager ನಲ್ಲಿ ಪ್ರಕಟಗೊಂಡಿರುವುದರಿಂದ ಆಗಿರಬಹುದು. ಸ್ವೀಕರಿಸಿದ ID {0} ಆಗಿದೆ", "This is the default choice.": "ಇದು default choice ಆಗಿದೆ.", - "This may help if WinGet packages are not shown": "WinGet packages ತೋರಿಸದಿದ್ದರೆ ಇದು ಸಹಾಯ ಮಾಡಬಹುದು", - "This may help if no packages are listed": "ಯಾವುದೇ packages ಪಟ್ಟಿ ಮಾಡದಿದ್ದರೆ ಇದು ಸಹಾಯ ಮಾಡಬಹುದು", - "This may take a minute or two": "ಇದಕ್ಕೆ ಒಂದು ಅಥವಾ ಎರಡು ನಿಮಿಷಗಳು ಹಿಡಿಯಬಹುದು", - "This operation is running interactively.": "ಈ ಕಾರ್ಯಾಚರಣೆ ಪರಸ್ಪರಕ್ರಿಯಾತ್ಮಕವಾಗಿ ನಡೆಯುತ್ತಿದೆ.", - "This operation is running with administrator privileges.": "ಈ ಕಾರ್ಯಾಚರಣೆ administrator privileges ಜೊತೆ ನಡೆಯುತ್ತಿದೆ.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "ಈ ಆಯ್ಕೆ ಖಂಡಿತವಾಗಿಯೂ ಸಮಸ್ಯೆ ಉಂಟುಮಾಡುತ್ತದೆ. ತನ್ನಷ್ಟಕ್ಕೆ elevation ಪಡೆಯಲಾಗದ ಯಾವುದೇ ಕಾರ್ಯಾಚರಣೆ ವಿಫಲವಾಗುತ್ತದೆ. administrator ಆಗಿ install/update/uninstall ಕೆಲಸ ಮಾಡುವುದಿಲ್ಲ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "ಈ package bundle ನಲ್ಲಿ ಕೆಲವು settings ಅಪಾಯಕಾರಿ ಆಗಿರಬಹುದು, ಮತ್ತು ಅವುಗಳನ್ನು default ಆಗಿ ನಿರ್ಲಕ್ಷಿಸಬಹುದು.", "This package can be updated": "ಈ package ಅನ್ನು update ಮಾಡಬಹುದು", "This package can be updated to version {0}": "ಈ package ಅನ್ನು version {0} ಗೆ update ಮಾಡಬಹುದು", - "This package can be upgraded to version {0}": "ಈ package ಅನ್ನು version {0} ಗೆ upgrade ಮಾಡಬಹುದು", - "This package cannot be installed from an elevated context.": "ಈ package ಅನ್ನು elevated context ಇಂದ install ಮಾಡಲಾಗುವುದಿಲ್ಲ.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "ಈ package ನಲ್ಲಿ screenshots ಇಲ್ಲವೇ ಅಥವಾ icon ಕಾಣೆಯೇ? ನಮ್ಮ open, public database ಗೆ ಕಾಣೆಯಾದ icons ಮತ್ತು screenshots ಸೇರಿಸಿ UniGetUI ಗೆ ಕೊಡುಗೆ ನೀಡಿ.", - "This package is already installed": "ಈ package ಈಗಾಗಲೇ ಸ್ಥಾಪಿಸಲಾಗಿದೆ", - "This package is being processed": "ಈ package ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿದೆ", - "This package is not available": "ಈ package ಲಭ್ಯವಿಲ್ಲ", - "This package is on the queue": "ಈ package queue ಯಲ್ಲಿದೆ", "This process is running with administrator privileges": "ಈ process administrator privileges ಜೊತೆ ನಡೆಯುತ್ತಿದೆ", - "This project has no connection with the official {0} project — it's completely unofficial.": "ಈ ಯೋಜನೆಗೆ ಅಧಿಕೃತ {0} ಯೋಜನೆಯೊಂದಿಗೆ ಯಾವುದೇ ಸಂಪರ್ಕವಿಲ್ಲ - ಇದು ಸಂಪೂರ್ಣ ಅನಧಿಕೃತವಾಗಿದೆ.", "This setting is disabled": "ಈ setting ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", "This wizard will help you configure and customize WingetUI!": "ಈ wizard ನಿಮಗೆ UniGetUI ಅನ್ನು configure ಮತ್ತು customize ಮಾಡಲು ಸಹಾಯ ಮಾಡುತ್ತದೆ!", "Toggle search filters pane": "search filters pane ಅನ್ನು ಟಾಗಲ್ ಮಾಡಿ", - "Translators": "ಅನುವಾದಕರು", - "Try to kill the processes that refuse to close when requested to": "ಮುಚ್ಚುವಂತೆ ಕೇಳಿದಾಗ ನಿರಾಕರಿಸುವ processes ಗಳನ್ನು ಕೊಲ್ಲಲು ಪ್ರಯತ್ನಿಸಿ", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "ಇದನ್ನು on ಮಾಡಿದರೆ package managers ಜೊತೆ ಸಂಪರ್ಕಿಸಲು ಬಳಸುವ executable file ಅನ್ನು ಬದಲಾಯಿಸಲು ಅನುಮತಿಸುತ್ತದೆ. ಇದರಿಂದ ನಿಮ್ಮ install processes ಗಳನ್ನು ಇನ್ನಷ್ಟು ಸೂಕ್ಷ್ಮವಾಗಿ customize ಮಾಡಬಹುದು, ಆದರೆ ಇದು ಅಪಾಯಕಾರಿ ಕೂಡ ಆಗಿರಬಹುದು.", "Type here the name and the URL of the source you want to add, separed by a space.": "ನೀವು ಸೇರಿಸಲು ಬಯಸುವ source ನ ಹೆಸರು ಮತ್ತು URL ಅನ್ನು ಇಲ್ಲಿ space ನಿಂದ ಬೇರ್ಪಡಿಸಿ ಟೈಪ್ ಮಾಡಿ.", "Unable to find package": "package ಕಂಡುಹಿಡಿಯಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", "Unable to load informarion": "ಮಾಹಿತಿಯನ್ನು load ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "ಬಳಕೆದಾರ ಅನುಭವವನ್ನು ಉತ್ತಮಗೊಳಿಸಲು UniGetUI ಅನಾಮಧೇಯ ಬಳಕೆ ಡೇಟಾವನ್ನು ಸಂಗ್ರಹಿಸುತ್ತದೆ.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "ಬಳಕೆದಾರ ಅನುಭವವನ್ನು ಅರ್ಥಮಾಡಿಕೊಳ್ಳಲು ಮತ್ತು ಉತ್ತಮಗೊಳಿಸಲು ಮಾತ್ರ UniGetUI ಅನಾಮಧೇಯ ಬಳಕೆ ಡೇಟಾವನ್ನು ಸಂಗ್ರಹಿಸುತ್ತದೆ.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಬಹುದಾದ ಹೊಸ desktop shortcut ಅನ್ನು ಪತ್ತೆಹಚ್ಚಿದೆ.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "ಭವಿಷ್ಯದ upgrades ಗಳಲ್ಲಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ತೆಗೆದುಹಾಕಬಹುದಾದ ಕೆಳಗಿನ desktop shortcuts ಗಳನ್ನು UniGetUI ಪತ್ತೆಹಚ್ಚಿದೆ", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಬಹುದಾದ {0} ಹೊಸ desktop shortcuts ಗಳನ್ನು UniGetUI ಪತ್ತೆಹಚ್ಚಿದೆ.", - "UniGetUI is being updated...": "UniGetUI update ಆಗುತ್ತಿದೆ...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ಯಾವುದೇ ಹೊಂದಾಣಿಕೆಯ package managers ಗಳಿಗೆ ಸಂಬಂಧಿಸಿದುದಲ್ಲ. UniGetUI ಒಂದು ಸ್ವತಂತ್ರ ಯೋಜನೆ.", - "UniGetUI on the background and system tray": "background ಮತ್ತು system tray ಯಲ್ಲಿ UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ಅಥವಾ ಅದರ ಕೆಲವು components ಕಾಣೆಯಾಗಿವೆ ಅಥವಾ ಹಾಳಾಗಿವೆ.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ಕಾರ್ಯನಿರ್ವಹಿಸಲು {0} ಅಗತ್ಯವಿದೆ, ಆದರೆ ಅದು ನಿಮ್ಮ system ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ.", - "UniGetUI startup page:": "UniGetUI ಪ್ರಾರಂಭ ಪುಟ:", - "UniGetUI updater": "UniGetUI ನವೀಕರಣಕಾರ", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} download ಆಗುತ್ತಿದೆ.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} install ಆಗಲು ಸಿದ್ಧವಾಗಿದೆ.", - "uninstall": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಿ", - "Uninstall Scoop (and its packages)": "Scoop (ಮತ್ತು ಅದರ packages) ಅನ್ನು uninstall ಮಾಡಿ", "Uninstall and more": "uninstall ಮತ್ತು ಇನ್ನಷ್ಟು", - "Uninstall and remove data": "uninstall ಮಾಡಿ ಮತ್ತು data ತೆಗೆದುಹಾಕಿ", - "Uninstall as administrator": "administrator ಆಗಿ uninstall ಮಾಡಿ", "Uninstall canceled by the user!": "uninstall ಅನ್ನು ಬಳಕೆದಾರರು ರದ್ದುಗೊಳಿಸಿದ್ದಾರೆ!", - "Uninstall failed": "uninstall ವಿಫಲವಾಗಿದೆ", - "Uninstall options": "uninstall ಆಯ್ಕೆಗಳು", - "Uninstall package": "package ಅನ್ನು uninstall ಮಾಡಿ", - "Uninstall package, then reinstall it": "package uninstall ಮಾಡಿ, ನಂತರ ಅದನ್ನು reinstall ಮಾಡಿ", - "Uninstall package, then update it": "package uninstall ಮಾಡಿ, ನಂತರ ಅದನ್ನು update ಮಾಡಿ", - "Uninstall previous versions when updated": "update ಆದಾಗ ಹಿಂದಿನ versions ಗಳನ್ನು uninstall ಮಾಡಿ", - "Uninstall selected packages": "ಆಯ್ಕೆಮಾಡಿದ packages ಗಳನ್ನು uninstall ಮಾಡಿ", - "Uninstall selection": "ಆಯ್ಕೆಯನ್ನು uninstall ಮಾಡಿ", - "Uninstall succeeded": "uninstall ಯಶಸ್ವಿಯಾಯಿತು", "Uninstall the selected packages with administrator privileges": "administrator privileges ಜೊತೆ ಆಯ್ಕೆಮಾಡಿದ packages ಗಳನ್ನು uninstall ಮಾಡಿ", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "origin ಅನ್ನು \"{0}\" ಎಂದು ಪಟ್ಟಿ ಮಾಡಿರುವ uninstall ಮಾಡಬಹುದಾದ packages ಯಾವುದೂ ಯಾವುದೇ package manager ನಲ್ಲಿ ಪ್ರಕಟವಾಗಿಲ್ಲ, ಆದ್ದರಿಂದ ಅವುಗಳ ಬಗ್ಗೆ ತೋರಿಸಲು ಮಾಹಿತಿ ಲಭ್ಯವಿಲ್ಲ.", - "Unknown": "ಅಪರಿಚಿತ", - "Unknown size": "ಅಪರಿಚಿತ ಗಾತ್ರ", - "Unset or unknown": "unset ಅಥವಾ ಅಪರಿಚಿತ", - "Up to date": "ನವೀಕರಿತವಾಗಿದೆ", - "Update": "ನವೀಕರಿಸಿ", - "Update WingetUI automatically": "UniGetUI ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ update ಮಾಡಿ", - "Update all": "ಎಲ್ಲವನ್ನೂ update ಮಾಡಿ", "Update and more": "update ಮತ್ತು ಇನ್ನಷ್ಟು", - "Update as administrator": "administrator ಆಗಿ update ಮಾಡಿ", - "Update check frequency, automatically install updates, etc.": "update ಪರಿಶೀಲನೆಯ ಅವಧಿ, updates ಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ install ಮಾಡುವುದು, ಇತ್ಯಾದಿ.", - "Update checking": "update ಪರಿಶೀಲನೆ", "Update date": "update ದಿನಾಂಕ", - "Update failed": "update ವಿಫಲವಾಗಿದೆ", "Update found!": "update ಕಂಡುಬಂದಿದೆ!", - "Update now": "ಈಗ update ಮಾಡಿ", - "Update options": "update ಆಯ್ಕೆಗಳು", "Update package indexes on launch": "launch ಸಮಯದಲ್ಲಿ package indexes update ಮಾಡಿ", "Update packages automatically": "packages ಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ update ಮಾಡಿ", "Update selected packages": "ಆಯ್ಕೆಮಾಡಿದ packages ಗಳನ್ನು update ಮಾಡಿ", "Update selected packages with administrator privileges": "administrator privileges ಜೊತೆ ಆಯ್ಕೆಮಾಡಿದ packages ಗಳನ್ನು update ಮಾಡಿ", - "Update selection": "ಆಯ್ಕೆಯನ್ನು update ಮಾಡಿ", - "Update succeeded": "update ಯಶಸ್ವಿಯಾಯಿತು", - "Update to version {0}": "version {0} ಗೆ update ಮಾಡಿ", - "Update to {0} available": "{0} ಗೆ update ಲಭ್ಯವಿದೆ", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg ನ Git portfiles ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ update ಮಾಡಿ (Git installed ಆಗಿರಬೇಕು)", "Updates": "ನವೀಕರಣಗಳು", "Updates available!": "ನವೀಕರಣಗಳು ಲಭ್ಯವಿವೆ!", - "Updates for this package are ignored": "ಈ package ಗಾಗಿ updates ನಿರ್ಲಕ್ಷಿಸಲಾಗಿದೆ", - "Updates found!": "updates ಕಂಡುಬಂದಿವೆ!", "Updates preferences": "updates ಆದ್ಯತೆಗಳು", "Updating WingetUI": "UniGetUI update ಆಗುತ್ತಿದೆ", "Url": "URL ವಿಳಾಸ", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets ಬದಲು Legacy bundled WinGet ಬಳಸಿ", - "Use a custom icon and screenshot database URL": "custom icon ಮತ್ತು screenshot database URL ಬಳಸಿ", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets ಬದಲು bundled WinGet ಬಳಸಿ", - "Use bundled WinGet instead of system WinGet": "system WinGet ಬದಲು bundled WinGet ಬಳಸಿ", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator ಬದಲು installed GSudo ಬಳಸಿ", "Use installed GSudo instead of the bundled one": "bundled ಇರುವುದಕ್ಕೆ ಬದಲು installed GSudo ಬಳಸಿ", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "legacy UniGetUI Elevator ಬಳಸಿ (UniGetUI Elevator ನಲ್ಲಿ ಸಮಸ್ಯೆಗಳಿದ್ದರೆ ಸಹಾಯಕರಾಗಬಹುದು)", - "Use system Chocolatey": "system Chocolatey ಬಳಸಿ", "Use system Chocolatey (Needs a restart)": "system Chocolatey ಬಳಸಿ (ಮರುಪ್ರಾರಂಭ ಅಗತ್ಯವಿದೆ)", "Use system Winget (Needs a restart)": "system Winget ಬಳಸಿ (ಮರುಪ್ರಾರಂಭ ಅಗತ್ಯವಿದೆ)", "Use system Winget (System language must be set to english)": "system Winget ಬಳಸಿ (system ಭಾಷೆಯನ್ನು English ಗೆ ಹೊಂದಿಸಿರಬೇಕು)", "Use the WinGet COM API to fetch packages": "packages ಪಡೆಯಲು WinGet COM API ಬಳಸಿ", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API ಬದಲು WinGet PowerShell Module ಬಳಸಿ", - "Useful links": "ಉಪಯುಕ್ತ links", "User": "ಬಳಕೆದಾರ", - "User interface preferences": "user interface ಆದ್ಯತೆಗಳು", "User | Local": "ಬಳಕೆದಾರ | ಸ್ಥಳೀಯ", - "Username": "username", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI ಬಳಕೆ ಮಾಡುವುದರಿಂದ GNU Lesser General Public License v2.1 ಪರವಾನಗಿಯನ್ನು ಸ್ವೀಕರಿಸಿರುವಂತೆ ಆಗುತ್ತದೆ", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI ಬಳಕೆ ಮಾಡುವುದರಿಂದ MIT ಪರವಾನಗಿಯನ್ನು ಸ್ವೀಕರಿಸಿರುವಂತೆ ಆಗುತ್ತದೆ", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root ಕಂಡುಬಂದಿಲ್ಲ. ದಯವಿಟ್ಟು %VCPKG_ROOT% environment variable ಅನ್ನು ನಿರ್ಧರಿಸಿ ಅಥವಾ ಅದನ್ನು UniGetUI Settings ಇಂದ ನಿರ್ಧರಿಸಿ", "Vcpkg was not found on your system.": "ನಿಮ್ಮ system ನಲ್ಲಿ Vcpkg ಕಂಡುಬಂದಿಲ್ಲ.", - "Verbose": "ವಿವರವಾದ", - "Version": "ಆವೃತ್ತಿ", - "Version to install:": "ಸ್ಥಾಪಿಸಬೇಕಾದ version:", - "Version:": "ಆವೃತ್ತಿ:", - "View GitHub Profile": "GitHub profile ನೋಡಿ", "View WingetUI on GitHub": "GitHub ನಲ್ಲಿ UniGetUI ನೋಡಿ", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI ಯ source code ನೋಡಿ. ಅಲ್ಲಿ നിന്ന് bugs ವರದಿ ಮಾಡಬಹುದು, features ಸೂಚಿಸಬಹುದು, ಅಥವಾ ನೇರವಾಗಿ UniGetUI Project ಗೆ ಕೊಡುಗೆ ನೀಡಬಹುದು", - "View mode:": "view mode:", - "View on UniGetUI": "UniGetUI ನಲ್ಲಿ ನೋಡಿ", - "View page on browser": "browser ನಲ್ಲಿ page ನೋಡಿ", - "View {0} logs": "{0} logs ನೋಡಿ", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet ಸಂಪರ್ಕ ಅಗತ್ಯವಿರುವ ಕಾರ್ಯಗಳನ್ನು ಮಾಡಲು ಪ್ರಯತ್ನಿಸುವ ಮೊದಲು ಸಾಧನವು internet ಗೆ ಸಂಪರ್ಕಗೊಂಡಿರುವುದನ್ನು ಕಾಯಿರಿ.", "Waiting for other installations to finish...": "ಇತರೆ installations ಪೂರ್ಣಗೊಳ್ಳಲು ಕಾಯಲಾಗುತ್ತಿದೆ...", "Waiting for {0} to complete...": "{0} ಪೂರ್ಣಗೊಳ್ಳಲು ಕಾಯಲಾಗುತ್ತಿದೆ...", - "Warning": "ಎಚ್ಚರಿಕೆ", - "Warning!": "ಎಚ್ಚರಿಕೆ!", - "We are checking for updates.": "ನಾವು updates ಪರಿಶೀಲಿಸುತ್ತಿದ್ದೇವೆ.", "We could not load detailed information about this package, because it was not found in any of your package sources": "ಈ package ಕುರಿತು ವಿವರವಾದ ಮಾಹಿತಿಯನ್ನು load ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ, ಏಕೆಂದರೆ ಅದು ನಿಮ್ಮ package sources ಗಳಲ್ಲೊಂದಲ್ಲಿಯೂ ಕಂಡುಬಂದಿಲ್ಲ.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "ಈ package ಕುರಿತು ವಿವರವಾದ ಮಾಹಿತಿಯನ್ನು load ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ, ಏಕೆಂದರೆ ಅದು ಲಭ್ಯವಿರುವ package manager ನಿಂದ install ಆಗಿರಲಿಲ್ಲ.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "ನಾವು {action} {package} ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ. ದಯವಿಟ್ಟು ನಂತರ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. installer ನಿಂದ logs ಪಡೆಯಲು \"{showDetails}\" ಮೇಲೆ click ಮಾಡಿ.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "ನಾವು {action} {package} ಮಾಡಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ. ದಯವಿಟ್ಟು ನಂತರ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. uninstaller ನಿಂದ logs ಪಡೆಯಲು \"{showDetails}\" ಮೇಲೆ click ಮಾಡಿ.", "We couldn't find any package": "ನಮಗೆ ಯಾವುದೇ package ಕಂಡುಬರಲಿಲ್ಲ", "Welcome to WingetUI": "UniGetUI ಗೆ ಸುಸ್ವಾಗತ", - "When batch installing packages from a bundle, install also packages that are already installed": "bundle ಇಂದ batch install ಮಾಡುವಾಗ, ಈಗಾಗಲೇ install ಆಗಿರುವ packages ಗಳನ್ನೂ install ಮಾಡಿ", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "ಹೊಸ shortcuts ಪತ್ತೆಯಾದಾಗ, ಈ dialog ತೋರಿಸುವುದಕ್ಕೆ ಬದಲು ಅವುಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಅಳಿಸಿ.", - "Which backup do you want to open?": "ನೀವು ಯಾವ backup ತೆರೆಯಲು ಬಯಸುತ್ತೀರಿ?", "Which package managers do you want to use?": "ನೀವು ಯಾವ package managers ಬಳಸಲು ಬಯಸುತ್ತೀರಿ?", "Which source do you want to add?": "ನೀವು ಯಾವ source ಸೇರಿಸಲು ಬಯಸುತ್ತೀರಿ?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "UniGetUI ಒಳಗೆ WinGet ಬಳಸಬಹುದಾದರೂ, UniGetUI ಯನ್ನು ಇತರ package managers ಗಳ ಜೊತೆಯೂ ಬಳಸಬಹುದು, ಇದು ಗೊಂದಲ ಉಂಟುಮಾಡಬಹುದು. ಹಿಂದೆ WingetUI ಯನ್ನು Winget ಜೊತೆ ಮಾತ್ರ ಕೆಲಸ ಮಾಡುವಂತೆ ವಿನ್ಯಾಸಗೊಳಿಸಲಾಗಿತ್ತು, ಆದರೆ ಅದು ಈಗ ಸತ್ಯವಲ್ಲ, ಆದ್ದರಿಂದ WingetUI ಈ ಯೋಜನೆ ಏನಾಗಲು ಉದ್ದೇಶಿಸಿದೆ ಎಂಬುದನ್ನು ಪ್ರತಿನಿಧಿಸುವುದಿಲ್ಲ.", - "WinGet could not be repaired": "WinGet ಅನ್ನು ಸರಿಪಡಿಸಲಾಗಲಿಲ್ಲ", - "WinGet malfunction detected": "WinGet ದೋಷ ಪತ್ತೆಯಾಗಿದೆ", - "WinGet was repaired successfully": "WinGet ಯಶಸ್ವಿಯಾಗಿ ಸರಿಪಡಿಸಲಾಗಿದೆ", "WingetUI": "ಯುನಿಗೆಟ್‌ಯುಐ", "WingetUI - Everything is up to date": "UniGetUI - ಎಲ್ಲವೂ ನವೀಕರಿತವಾಗಿದೆ", "WingetUI - {0} updates are available": "UniGetUI - {0} updates ಲಭ್ಯವಿವೆ", "WingetUI - {0} {1}": "ಯುನಿಗೆಟ್‌ಯುಐ - {0} {1}", - "WingetUI Homepage": "UniGetUI ಮುಖಪುಟ", "WingetUI Homepage - Share this link!": "UniGetUI Homepage - ಈ link ಹಂಚಿಕೊಳ್ಳಿ!", - "WingetUI License": "UniGetUI ಪರವಾನಗಿ", - "WingetUI log": "UniGetUI ದಾಖಲಾತಿ", - "WingetUI Repository": "UniGetUI ಸಂಗ್ರಹಣೆ", - "WingetUI Settings": "UniGetUI ಸೆಟ್ಟಿಂಗ್‌ಗಳು", "WingetUI Settings File": "UniGetUI ಸೆಟ್ಟಿಂಗ್‌ಗಳ ಕಡತ", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ಕೆಳಗಿನ libraries ಗಳನ್ನು ಬಳಸುತ್ತದೆ. ಅವುಗಳಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ.", - "WingetUI Version {0}": "UniGetUI ಆವೃತ್ತಿ {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostart ವರ್ತನೆ, application launch settings", "WingetUI can check if your software has available updates, and install them automatically if you want to": "ನಿಮ್ಮ software ಗೆ updates ಲಭ್ಯವಿದೆಯೇ ಎಂದು UniGetUI ಪರಿಶೀಲಿಸಿ, ನೀವು ಬಯಸಿದರೆ ಅವನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ install ಮಾಡಬಹುದು", - "WingetUI display language:": "UniGetUI ಪ್ರದರ್ಶನ ಭಾಷೆ:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ಅನ್ನು administrator ಆಗಿ ಚಾಲನೆ ಮಾಡಲಾಗಿದೆ, ಇದು ಶಿಫಾರಸು ಮಾಡಲಾಗುವುದಿಲ್ಲ. UniGetUI ಅನ್ನು administrator ಆಗಿ ಚಾಲನೆ ಮಾಡಿದಾಗ, UniGetUI ನಿಂದ ಪ್ರಾರಂಭವಾಗುವ ಪ್ರತಿಯೊಂದು ಕಾರ್ಯಾಚರಣೆಯೂ administrator privileges ಹೊಂದಿರುತ್ತದೆ. ನೀವು ಇನ್ನೂ program ಬಳಸಬಹುದು, ಆದರೆ UniGetUI ಅನ್ನು administrator privileges ಜೊತೆಗೆ ಚಾಲನೆ ಮಾಡಬಾರದೆಂದು ನಾವು ಬಲವಾಗಿ ಶಿಫಾರಸು ಮಾಡುತ್ತೇವೆ.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "ಸ್ವಯಂಸೇವಕ ಅನುವಾದಕರಿಂದ UniGetUI ಅನ್ನು 40 ಕ್ಕೂ ಹೆಚ್ಚು ಭಾಷೆಗಳಿಗೆ ಅನುವಾದಿಸಲಾಗಿದೆ. ಧನ್ಯವಾದಗಳು 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI ಅನ್ನು machine translation ಮಾಡಲಾಗಿಲ್ಲ. ಕೆಳಗಿನ ಬಳಕೆದಾರರು ಅನುವಾದಗಳ ಜವಾಬ್ದಾರರಾಗಿದ್ದಾರೆ:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "ನಿಮ್ಮ command-line package managers ಗಾಗಿ all-in-one graphical interface ಒದಗಿಸುವ ಮೂಲಕ ನಿಮ್ಮ software ನಿರ್ವಹಣೆಯನ್ನು ಸುಲಭಗೊಳಿಸುವ application UniGetUI ಆಗಿದೆ.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI (ನೀವು ಈಗ ಬಳಸುತ್ತಿರುವ interface) ಮತ್ತು WinGet (Microsoft ಅಭಿವೃದ್ಧಿಪಡಿಸಿದ, ನನಗೆ ಸಂಬಂಧವಿಲ್ಲದ package manager) ನಡುವಿನ ವ್ಯತ್ಯಾಸವನ್ನು ಒತ್ತಿಹೇಳಲು UniGetUI ಮರುಹೆಸರಿಸಲಾಗುತ್ತಿದೆ", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI update ಆಗುತ್ತಿದೆ. ಪೂರ್ಣಗೊಂಡಾಗ UniGetUI ತನ್ನನ್ನು ತಾನೇ ಮರುಪ್ರಾರಂಭಿಸುತ್ತದೆ", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI ಉಚಿತವಾಗಿದೆ, ಮತ್ತು ಸದಾಕಾಲವೂ ಉಚಿತವಾಗಿಯೇ ಇರುತ್ತದೆ. ads ಇಲ್ಲ, credit card ಇಲ್ಲ, premium version ಇಲ್ಲ. 100% ಉಚಿತ, ಸದಾಕಾಲ.", + "WingetUI log": "UniGetUI ದಾಖಲಾತಿ", "WingetUI tray application preferences": "UniGetUI tray application ಆದ್ಯತೆಗಳು", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ಕೆಳಗಿನ libraries ಗಳನ್ನು ಬಳಸುತ್ತದೆ. ಅವುಗಳಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ.", "WingetUI version {0} is being downloaded.": "UniGetUI version {0} download ಆಗುತ್ತಿದೆ.", "WingetUI will become {newname} soon!": "UniGetUI ಶೀಘ್ರದಲ್ಲೇ {newname} ಆಗಲಿದೆ!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI ನಿಯತಕಾಲಿಕವಾಗಿ updates ಪರಿಶೀಲಿಸುವುದಿಲ್ಲ. launch ಸಮಯದಲ್ಲಿ ಅವುಗಳನ್ನು ಇನ್ನೂ ಪರಿಶೀಲಿಸಲಾಗುತ್ತದೆ, ಆದರೆ ನಿಮಗೆ ಅವುಗಳ ಬಗ್ಗೆ ಎಚ್ಚರಿಕೆ ನೀಡಲಾಗುವುದಿಲ್ಲ.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "ಒಂದು package install ಆಗಲು elevation ಅಗತ್ಯವಿರುವ ಪ್ರತಿಸಾರಿ UniGetUI ಒಂದು UAC prompt ತೋರಿಸುತ್ತದೆ.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "UniGetUI ಶೀಘ್ರದಲ್ಲೇ {newname} ಎಂದು ಕರೆಯಲ್ಪಡಲಿದೆ. ಇದು application ನಲ್ಲಿ ಯಾವುದೇ ಬದಲಾವಣೆಯನ್ನು ಸೂಚಿಸುವುದಿಲ್ಲ. ನಾನು (developer) ಈಗ ಮಾಡುತ್ತಿರುವಂತೆ ಈ ಯೋಜನೆಯ ಅಭಿವೃದ್ಧಿಯನ್ನು ಮುಂದುವರಿಸುತ್ತೇನೆ, ಆದರೆ ಬೇರೆ ಹೆಸರಿನಲ್ಲಿ.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "ನಮ್ಮ ಪ್ರಿಯ contributors ಗಳ ಸಹಾಯವಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ. ಅವರ GitHub profiles ನೋಡಿ, ಅವರಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors ಗಳ ಸಹಾಯವಿಲ್ಲದೆ UniGetUI ಸಾಧ್ಯವಾಗುತ್ತಿರಲಿಲ್ಲ. ಎಲ್ಲರಿಗೂ ಧನ್ಯವಾದಗಳು 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} install ಆಗಲು ಸಿದ್ಧವಾಗಿದೆ.", - "Write here the process names here, separated by commas (,)": "process ಹೆಸರುಗಳನ್ನು ಇಲ್ಲಿ commas (,) ಮೂಲಕ ಬೇರ್ಪಡಿಸಿ ಬರೆಯಿರಿ", - "Yes": "ಹೌದು", - "You are logged in as {0} (@{1})": "ನೀವು {0} (@{1}) ಆಗಿ login ಆಗಿದ್ದೀರಿ", - "You can change this behavior on UniGetUI security settings.": "ಈ ವರ್ತನೆಯನ್ನು UniGetUI security settings ನಲ್ಲಿ ಬದಲಾಯಿಸಬಹುದು.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "ಈ package install, update ಅಥವಾ uninstall ಆಗುವ ಮೊದಲು ಅಥವಾ ನಂತರ ನಡೆಸಲಾಗುವ commands ಗಳನ್ನು ನೀವು ನಿರ್ಧರಿಸಬಹುದು. ಅವು command prompt ನಲ್ಲಿ ನಡೆಯುತ್ತವೆ, ಆದ್ದರಿಂದ CMD scripts ಇಲ್ಲಿ ಕೆಲಸ ಮಾಡುತ್ತವೆ.", - "You have currently version {0} installed": "ನಿಮ್ಮಲ್ಲಿ ಪ್ರಸ್ತುತ version {0} install ಆಗಿದೆ", - "You have installed WingetUI Version {0}": "ನೀವು UniGetUI Version {0} install ಮಾಡಿದ್ದಾರೆ", - "You may lose unsaved data": "ಉಳಿಸದ data ಕಳೆದುಕೊಳ್ಳಬಹುದು", - "You may need to install {pm} in order to use it with WingetUI.": "{pm} ಅನ್ನು UniGetUI ಜೊತೆಗೆ ಬಳಸಲು ನೀವು ಅದನ್ನು install ಮಾಡಬೇಕಾಗಬಹುದು.", "You may restart your computer later if you wish": "ನೀವು ಬಯಸಿದರೆ ನಿಮ್ಮ computer ಅನ್ನು ನಂತರ ಮರುಪ್ರಾರಂಭಿಸಬಹುದು", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "ನಿಮಗೆ ಒಮ್ಮೆ ಮಾತ್ರ prompt ತೋರಿಸಲಾಗುತ್ತದೆ, ಮತ್ತು ಕೇಳುವ packages ಗಳಿಗೆ administrator rights ನೀಡಲಾಗುತ್ತದೆ.", "You will be prompted only once, and every future installation will be elevated automatically.": "ನಿಮಗೆ ಒಮ್ಮೆ ಮಾತ್ರ prompt ತೋರಿಸಲಾಗುತ್ತದೆ, ಮತ್ತು ಮುಂದಿನ ಪ್ರತಿಯೊಂದು installation ಸ್ವಯಂಚಾಲಿತವಾಗಿ elevated ಆಗುತ್ತದೆ.", - "You will likely need to interact with the installer.": "ನೀವು installer ಜೊತೆ ಸಂವಹನ ನಡೆಸಬೇಕಾಗುವ ಸಾಧ್ಯತೆ ಇದೆ.", - "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR ಆಗಿ ಚಾಲನೆ ಮಾಡಲಾಗಿದೆ]", "buy me a coffee": "ನನಗೆ ಒಂದು coffee ಕೊಳ್ಳಿ", - "extracted": "ಹೊರತೆಗೆದಿದೆ", - "feature": "ವೈಶಿಷ್ಟ್ಯ", "formerly WingetUI": "ಹಿಂದೆ WingetUI", + "homepage": "ಮುಖಪುಟ", + "install": "ಸ್ಥಾಪಿಸು", "installation": "ಸ್ಥಾಪನೆ", - "installed": "ಸ್ಥಾಪಿಸಲಾಗಿದೆ", - "installing": "ಸ್ಥಾಪಿಸಲಾಗುತ್ತಿದೆ", - "library": "ಗ್ರಂಥಾಲಯ", - "mandatory": "ಕಡ್ಡಾಯ", - "option": "ಆಯ್ಕೆ", - "optional": "ಐಚ್ಛಿಕ", + "uninstall": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಿ", "uninstallation": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲೇಶನ್", "uninstalled": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲಾಗಿದೆ", - "uninstalling": "ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್ ಮಾಡಲಾಗುತ್ತಿದೆ", "update(noun)": "ನವೀಕರಣ", "update(verb)": "ನವೀಕರಿಸಿ", "updated": "ನವೀಕರಿಸಲಾಗಿದೆ", - "updating": "ನವೀಕರಿಸಲಾಗುತ್ತಿದೆ", - "version {0}": "ಆವೃತ್ತಿ {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} default install options ಅನುಸರಿಸುವುದರಿಂದ {0} install options ಪ್ರಸ್ತುತ lock ಆಗಿವೆ.", "{0} Uninstallation": "{0} ಅನ್‌ಇನ್‌ಸ್ಟಾಲೇಶನ್", "{0} aborted": "{0} ರದ್ದುಗೊಂಡಿತು", "{0} can be updated": "{0} update ಮಾಡಬಹುದು", - "{0} can be updated to version {1}": "{0} ಅನ್ನು version {1} ಗೆ update ಮಾಡಬಹುದು", - "{0} days": "{0} ದಿನಗಳು", - "{0} desktop shortcuts created": "{0} desktop shortcuts ರಚಿಸಲಾಗಿದೆ", "{0} failed": "{0} ವಿಫಲವಾಗಿದೆ", - "{0} has been installed successfully.": "{0} ಯಶಸ್ವಿಯಾಗಿ install ಆಗಿದೆ.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} ಯಶಸ್ವಿಯಾಗಿ install ಆಗಿದೆ. installation ಪೂರ್ಣಗೊಳಿಸಲು UniGetUI ಮರುಪ್ರಾರಂಭಿಸುವುದು ಶಿಫಾರಸು ಮಾಡಲಾಗಿದೆ", "{0} has failed, that was a requirement for {1} to be run": "{0} ವಿಫಲವಾಗಿದೆ, ಅದು {1} ನಡೆಯಲು ಅಗತ್ಯವಾಗಿತ್ತು", - "{0} homepage": "{0} ಮುಖಪುಟ", - "{0} hours": "{0} ಗಂಟೆಗಳು", "{0} installation": "{0} ಸ್ಥಾಪನೆ", - "{0} installation options": "{0} installation ಆಯ್ಕೆಗಳು", - "{0} installer is being downloaded": "{0} installer download ಆಗುತ್ತಿದೆ", - "{0} is being installed": "{0} install ಆಗುತ್ತಿದೆ", - "{0} is being uninstalled": "{0} uninstall ಆಗುತ್ತಿದೆ", "{0} is being updated": "{0} update ಆಗುತ್ತಿದೆ", - "{0} is being updated to version {1}": "{0} ಅನ್ನು version {1} ಗೆ update ಮಾಡಲಾಗುತ್ತಿದೆ", - "{0} is disabled": "{0} ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", - "{0} minutes": "{0} ನಿಮಿಷಗಳು", "{0} months": "{0} ತಿಂಗಳುಗಳು", - "{0} packages are being updated": "{0} packages update ಆಗುತ್ತಿವೆ", - "{0} packages can be updated": "{0} packages update ಮಾಡಬಹುದು", "{0} packages found": "{0} packages ಕಂಡುಬಂದಿವೆ", "{0} packages were found": "{0} packages ಕಂಡುಬಂದಿವೆ", - "{0} packages were found, {1} of which match the specified filters.": "{0} packages ಕಂಡುಬಂದಿವೆ, ಅವುಗಳಲ್ಲಿ {1} ನಿರ್ದಿಷ್ಟ filters ಗೆ ಹೊಂದುತ್ತವೆ.", - "{0} selected": "{0} ಆಯ್ಕೆಮಾಡಲಾಗಿದೆ", - "{0} settings": "{0} ಸೆಟ್ಟಿಂಗ್‌ಗಳು", - "{0} status": "{0} ಸ್ಥಿತಿ", "{0} succeeded": "{0} ಯಶಸ್ವಿಯಾಯಿತು", "{0} update": "{0} ನವೀಕರಣ", - "{0} updates are available": "{0} updates ಲಭ್ಯವಿವೆ", "{0} was {1} successfully!": "{0} ಅನ್ನು {1} ಯಶಸ್ವಿಯಾಗಿ ಮಾಡಲಾಗಿದೆ!", "{0} weeks": "{0} ವಾರಗಳು", "{0} years": "{0} ವರ್ಷಗಳು", "{0} {1} failed": "{0} {1} ವಿಫಲವಾಗಿದೆ", - "{package} Installation": "{package} ಸ್ಥಾಪನೆ", - "{package} Uninstall": "{package} ಅನ್‌ಇನ್‌ಸ್ಟಾಲ್", - "{package} Update": "{package} ನವೀಕರಣ", - "{package} could not be installed": "{package} install ಮಾಡಲಾಗಲಿಲ್ಲ", - "{package} could not be uninstalled": "{package} uninstall ಮಾಡಲಾಗಲಿಲ್ಲ", - "{package} could not be updated": "{package} update ಮಾಡಲಾಗಲಿಲ್ಲ", "{package} installation failed": "{package} installation ವಿಫಲವಾಗಿದೆ", - "{package} installer could not be downloaded": "{package} installer download ಮಾಡಲಾಗಲಿಲ್ಲ", - "{package} installer download": "{package} ಇನ್‌ಸ್ಟಾಲರ್ ಡೌನ್‌ಲೋಡ್", - "{package} installer was downloaded successfully": "{package} installer ಯಶಸ್ವಿಯಾಗಿ download ಆಗಿದೆ", "{package} uninstall failed": "{package} uninstall ವಿಫಲವಾಗಿದೆ", "{package} update failed": "{package} update ವಿಫಲವಾಗಿದೆ", "{package} update failed. Click here for more details.": "{package} update ವಿಫಲವಾಗಿದೆ. ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗೆ ಇಲ್ಲಿ click ಮಾಡಿ.", - "{package} was installed successfully": "{package} ಯಶಸ್ವಿಯಾಗಿ install ಆಗಿದೆ", - "{package} was uninstalled successfully": "{package} ಯಶಸ್ವಿಯಾಗಿ uninstall ಆಗಿದೆ", - "{package} was updated successfully": "{package} ಯಶಸ್ವಿಯಾಗಿ update ಆಗಿದೆ", - "{pcName} installed packages": "{pcName} ನಲ್ಲಿ install ಆಗಿರುವ packages", "{pm} could not be found": "{pm} ಕಂಡುಬರಲಿಲ್ಲ", "{pm} found: {state}": "{pm} ಕಂಡುಬಂದಿದೆ: {state}", - "{pm} is disabled": "{pm} ನಿಷ್ಕ್ರಿಯವಾಗಿದೆ", - "{pm} is enabled and ready to go": "{pm} ಸಕ್ರಿಯವಾಗಿದೆ ಮತ್ತು ಸಿದ್ಧವಾಗಿದೆ", "{pm} package manager specific preferences": "{pm} package manager ಗೆ ಸಂಬಂಧಿಸಿದ ವಿಶೇಷ ಆದ್ಯತೆಗಳು", "{pm} preferences": "{pm} ಆದ್ಯತೆಗಳು", - "{pm} version:": "{pm} ಆವೃತ್ತಿ:", - "{pm} was not found!": "{pm} ಕಂಡುಬಂದಿಲ್ಲ!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "ನಮಸ್ಕಾರ, ನನ್ನ ಹೆಸರು Martí, ಮತ್ತು ನಾನು UniGetUI ಯ developer. UniGetUI ಅನ್ನು ಸಂಪೂರ್ಣವಾಗಿ ನನ್ನ ಖಾಲಿ ಸಮಯದಲ್ಲಿ ನಿರ್ಮಿಸಲಾಗಿದೆ!", + "Thank you ❤": "ಧನ್ಯವಾದಗಳು ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "ಈ ಯೋಜನೆಗೆ ಅಧಿಕೃತ {0} ಯೋಜನೆಯೊಂದಿಗೆ ಯಾವುದೇ ಸಂಪರ್ಕವಿಲ್ಲ - ಇದು ಸಂಪೂರ್ಣ ಅನಧಿಕೃತವಾಗಿದೆ." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ko.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ko.json index d38bd8a73b..906f22e8ed 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ko.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ko.json @@ -1,155 +1,737 @@ { + "Operation in progress": "작업 진행 중", + "Please wait...": "잠시만 기다려주세요...", + "Success!": "성공!", + "Failed": "실패", + "An error occurred while processing this package": "이 패키지를 처리하는 동안 오류가 발생했습니다", + "Log in to enable cloud backup": "클라우드 백업을 활성화하려면 로그인하세요", + "Backup Failed": "백업 실패", + "Downloading backup...": "백업을 다운로드하는 중...", + "An update was found!": "업데이트를 찾았습니다!", + "{0} can be updated to version {1}": "{0}을(를) {1} 버전으로 업데이트할 수 있습니다.", + "Updates found!": "업데이트를 찾았습니다!", + "{0} packages can be updated": "패키지 {0}개 업데이트 가능", + "You have currently version {0} installed": "현재 {0} 버전이 설치되어 있습니다", + "Desktop shortcut created": "바탕 화면 바로 가기 만듦", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI가 자동으로 삭제할 수 있는 새 바탕 화면 바로 가기를 감지했습니다.", + "{0} desktop shortcuts created": "{0} 바탕 화면 바로가기 생성됨", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI가 자동으로 삭제할 수 있는 {0}개의 새 바탕 화면 바로 가기를 감지했습니다.", + "Are you sure?": "확실합니까?", + "Do you really want to uninstall {0}?": "{0}을(를) 제거하시겠습니까?", + "Do you really want to uninstall the following {0} packages?": "다음 {0} 패키지를 정말로 제거하시겠습니까?", + "No": "아니요", + "Yes": "예", + "View on UniGetUI": "UniGetUI에서 보기", + "Update": "업데이트", + "Open UniGetUI": "UniGetUI 열기", + "Update all": "모두 업데이트", + "Update now": "지금 업데이트", + "This package is on the queue": "이 패키지는 대기열에 있습니다", + "installing": "설치 중", + "updating": "업데이트 중", + "uninstalling": "제거 중", + "installed": "설치됨", + "Retry": "다시 시도", + "Install": "설치", + "Uninstall": "제거", + "Open": "열기", + "Operation profile:": "운영 프로필:", + "Follow the default options when installing, upgrading or uninstalling this package": "이 패키지를 설치, 업그레이드 또는 제거할 때 기본 옵션을 따릅니다", + "The following settings will be applied each time this package is installed, updated or removed.": "이 패키지를 설치, 업데이트 또는 제거할 때마다 다음 설정이 적용됩니다.", + "Version to install:": "설치할 버전:", + "Architecture to install:": "설치할 아키텍처:", + "Installation scope:": "설치 범위:", + "Install location:": "설치 위치:", + "Select": "선택", + "Reset": "초기화", + "Custom install arguments:": "사용자 지정 설치 인수:", + "Custom update arguments:": "사용자 지정 업데이트 인수:", + "Custom uninstall arguments:": "사용자 지정 제거 인수:", + "Pre-install command:": "설치 전 명령:", + "Post-install command:": "설치 후 명령:", + "Abort install if pre-install command fails": "설치 전 명령이 실패하면 설치 중단", + "Pre-update command:": "업데이트 전 명령:", + "Post-update command:": "업데이트 후 명령:", + "Abort update if pre-update command fails": "업데이트 전 명령이 실패하면 업데이트 중단", + "Pre-uninstall command:": "제거 전 명령:", + "Post-uninstall command:": "제거 후 명령:", + "Abort uninstall if pre-uninstall command fails": "제거 전 명령이 실패하면 제거 중지", + "Command-line to run:": "실행할 명령줄:", + "Save and close": "저장하고 닫기", + "Run as admin": "관리자 권한으로 실행", + "Interactive installation": "대화형 설치", + "Skip hash check": "해시 검사 건너뛰기", + "Uninstall previous versions when updated": "업데이트 시 이전 버전 제거", + "Skip minor updates for this package": "이 패키지의 마이너 업데이트 건너뛰기", + "Automatically update this package": "이 패키지를 자동으로 업데이트", + "{0} installation options": "{0} 설치 옵션", + "Latest": "최신", + "PreRelease": "사전 릴리스", + "Default": "기본값", + "Manage ignored updates": "무시된 업데이트 관리", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "여기에 나열된 패키지는 업데이트를 확인할 때 고려되지 않습니다. 업데이트 무시를 중지하려면 해당 항목을 두 번 클릭하거나 오른쪽에 있는 버튼을 클릭하세요.", + "Reset list": "목록 초기화", + "Package Name": "패키지 이름", + "Package ID": "패키지 ID", + "Ignored version": "무시된 버전", + "New version": "새 버전", + "Source": "공급자", + "All versions": "모든 버전", + "Unknown": "알 수 없음", + "Up to date": "최신 상태", + "Cancel": "취소", + "Administrator privileges": "관리자 권한", + "This operation is running with administrator privileges.": "이 작업은 관리자 권한으로 실행 중입니다.", + "Interactive operation": "대화형 작업", + "This operation is running interactively.": "이 작업은 대화형으로 실행 중입니다.", + "You will likely need to interact with the installer.": "설치 프로그램과 상호 작용이 필요할 수 있습니다.", + "Integrity checks skipped": "무결성 검사 건너뜀", + "Proceed at your own risk.": "모든 책임은 사용자에게 있습니다.", + "Close": "닫기", + "Loading...": "불러오는 중...", + "Installer SHA256": "설치 프로그램의 SHA256", + "Homepage": "홈페이지", + "Author": "작성자", + "Publisher": "게시자", + "License": "라이선스", + "Manifest": "매니페스트", + "Installer Type": "설치 프로그램 유형", + "Size": "크기", + "Installer URL": "설치 프로그램 URL", + "Last updated:": "마지막 업데이트:", + "Release notes URL": "릴리스 노트 URL", + "Package details": "패키지 세부 정보", + "Dependencies:": "종속성:", + "Release notes": "릴리스 노트", + "Version": "버전", + "Install as administrator": "관리자 권한으로 설치", + "Update to version {0}": "{0} 버전으로 업데이트", + "Installed Version": "설치된 버전", + "Update as administrator": "관리자 권한으로 업데이트", + "Interactive update": "대화형 업데이트", + "Uninstall as administrator": "관리자 권한으로 제거", + "Interactive uninstall": "대화형 제거", + "Uninstall and remove data": "제거 및 데이터 삭제", + "Not available": "사용할 수 없음", + "Installer SHA512": "설치 프로그램의 SHA512", + "Unknown size": "알 수 없는 크기", + "No dependencies specified": "종속성이 지정되지 않았습니다", + "mandatory": "의무적", + "optional": "선택적", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} 설치가 준비되었습니다.", + "The update process will start after closing UniGetUI": "UniGetUI가 닫힌 후에 업데이트 프로세스가 시작됩니다", + "Share anonymous usage data": "익명 사용 데이터 공유", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI는 사용자 경험을 개선하기 위해 익명 사용 데이터를 수집합니다.", + "Accept": "수락", + "You have installed WingetUI Version {0}": "UniGetUI {0} 버전을 설치했습니다.", + "Disclaimer": "면책 조항", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI는 호환되는 패키지 관리자와 관련이 없습니다. UniGetUI는 독립적인 프로젝트입니다.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI는 기여자들의 도움 없이는 불가능했을 것입니다. 모두들 감사합니다🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI는 다음 라이브러리를 사용합니다. 그것들 없이는 UniGetUI가 존재할 수 없습니다.", + "{0} homepage": "{0} 홈페이지", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI는 자원봉사 번역가들 덕분에 40개 이상의 언어로 번역되었습니다. 감사합니다 🤝", + "Verbose": "세부 정보", + "1 - Errors": "1 - 오류", + "2 - Warnings": "2 - 경고", + "3 - Information (less)": "3 - 정보 (더 적게)", + "4 - Information (more)": "4 - 정보 (더 많이)", + "5 - information (debug)": "5 - 정보 (디버그)", + "Warning": "경고", + "The following settings may pose a security risk, hence they are disabled by default.": "다음 설정은 보안 위험을 초래할 수 있으므로 기본적으로 비활성화됩니다.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "아래 설정을 활성화하려면 해당 설정이 무엇을 하는지, 그리고 그로 인해 발생할 수 있는 영향과 위험을 완전히 이해해야만 합니다.", + "The settings will list, in their descriptions, the potential security issues they may have.": "설정은 설명에 잠재적인 보안 문제를 나열할 것입니다.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "백업에는 설치된 패키지의 전체 목록과 해당 설치 옵션이 포함됩니다. 무시된 업데이트와 건너뛴 버전도 저장됩니다.", + "The backup will NOT include any binary file nor any program's saved data.": "백업에는 바이너리 파일이나 프로그램의 저장 데이터가 포함되지 않습니다.", + "The size of the backup is estimated to be less than 1MB.": "백업 크기는 1MB 미만으로 예상됩니다.", + "The backup will be performed after login.": "로그인 후 백업이 수행됩니다.", + "{pcName} installed packages": "{pcName} 설치된 패키지", + "Current status: Not logged in": "현재 상태: 로그인되지 않음", + "You are logged in as {0} (@{1})": "{0} (@{1})으로 로그인했습니다", + "Nice! Backups will be uploaded to a private gist on your account": "좋습니다! 백업은 귀하의 계정의 비공개 gist에 업로드됩니다", + "Select backup": "백업 선택", + "WingetUI Settings": "UniGetUI 설정", + "Allow pre-release versions": "사전 릴리스 버전 허용", + "Apply": "적용", + "Go to UniGetUI security settings": "UniGetUI 보안 설정으로 이동", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "다음 옵션은 {0} 패키지가 설치, 업그레이드 또는 제거될 때마다 기본적으로 적용됩니다.", + "Package's default": "패키지의 기본값", + "Install location can't be changed for {0} packages": "{0} 패키지에 대해 설치 위치를 변경할 수 없습니다", + "The local icon cache currently takes {0} MB": "로컬 아이콘 캐시가 {0} MB를 차지하고 있습니다", + "Username": "사용자 이름", + "Password": "암호", + "Credentials": "자격 증명", + "Partially": "부분적", + "Package manager": "패키지 관리", + "Compatible with proxy": "프록시 호환 여부", + "Compatible with authentication": "인증 호환 여부", + "Proxy compatibility table": "프록시 호환성 표", + "{0} settings": "{0} 설정", + "{0} status": "{0} 상태", + "Default installation options for {0} packages": "{0} 패키지의 기본 설치 옵션", + "Expand version": "버전 확장", + "The executable file for {0} was not found": "{0}에 대한 실행 파일을 찾을 수 없습니다.", + "{pm} is disabled": "{pm}이(가) 꺼져있습니다", + "Enable it to install packages from {pm}.": "{pm}에서 패키지를 설치하도록 활성화합니다.", + "{pm} is enabled and ready to go": "{pm}이(가) 켜져있어 사용할 준비가 되었습니다", + "{pm} version:": "{pm} 버전:", + "{pm} was not found!": "{pm}을(를) 찾을 수 없습니다!", + "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI로 사용하려면 {pm}을(를) 설치해야 할 수 있습니다.", + "Scoop Installer - WingetUI": "Scoop 설치 프로그램 - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop 제거 프로그램 - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop 캐시 지우기 - UniGetUI", + "Restart UniGetUI": "UniGet 다시 시작", + "Manage {0} sources": "{0} 소스 관리", + "Add source": "소스 추가", + "Add": "추가", + "Other": "기타", + "1 day": "1일", + "{0} days": "{0} 일", + "{0} minutes": "{0} 분", + "1 hour": "1시간", + "{0} hours": "{0} 시간", + "1 week": "1주", + "WingetUI Version {0}": "UniGetUI 버전 {0}", + "Search for packages": "패키지 검색", + "Local": "로컬", + "OK": "확인", + "{0} packages were found, {1} of which match the specified filters.": "{0}개의 패키지가 발견되었으며, 그 중 {1}개는 지정된 필터와 일치합니다.", + "{0} selected": "{0}개 ​선택됨", + "(Last checked: {0})": "(마지막 확인 날짜: {0})", + "Enabled": "사용", + "Disabled": "사용 안 함", + "More info": "자세한 정보", + "Log in with GitHub to enable cloud package backup.": "클라우드 패키지 백업을 활성화하려면 GitHub에 로그인하세요.", + "More details": "자세한 정보", + "Log in": "로그인", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "클라우드 백업을 활성화하면 이 계정에 GitHub Gist로 저장됩니다", + "Log out": "로그 아웃", + "About": "정보", + "Third-party licenses": "타사 라이선스", + "Contributors": "기여자", + "Translators": "번역가", + "Manage shortcuts": "바로 가기 관리", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI가 향후 업그레이드 시 자동으로 제거할 수 있는 바탕 화면 바로 가기를 다음과 같이 감지했습니다", + "Do you really want to reset this list? This action cannot be reverted.": "정말로 이 목록을 초기화하시겠습니까? 이 동작은 되돌릴 수 없습니다.", + "Remove from list": "목록에서 제거", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "새 바로 가기가 감지되면 이 대화 상자를 표시하지 않고 자동으로 삭제합니다.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI는 오로지 사용자 경험을 이해 및 개선하기 위해 익명 사용 통계를 수집합니다.", + "More details about the shared data and how it will be processed": "공유 데이터 및 처리 방식에 대한 자세한 정보", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "사용자 경험을 이해 및 개선하기 위해 UniGetUI가 익명 사용 통계를 수집하고 보내도록 허용하시겠습니까?", + "Decline": "거부", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "개인 사용자 정보는 수집되지도 전송되지 않으며 역추적할 수 없도록 익명 처리되어 수집됩니다.", + "About WingetUI": "UniGetUI 정보", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI는 명령줄 패키지 관리자에게 올인원 그래픽 인터페이스를 제공하여 소프트웨어 관리를 더 쉽게 해주는 응용 프로그램입니다.", + "Useful links": "유용한 링크", + "Report an issue or submit a feature request": "문제 신고 또는 기능 요청 제출", + "View GitHub Profile": "GitHub 프로필 보기", + "WingetUI License": "UniGetUI 라이선스", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI를 사용하는 것은 MIT 라이선스에 동의하는 것입니다", + "Become a translator": "번역가 되기", + "View page on browser": "브라우저에서 페이지 보기", + "Copy to clipboard": "클립보드에 복사", + "Export to a file": "파일로 내보내기", + "Log level:": "로그 수준:", + "Reload log": "로그 다시 불러오기", + "Text": "텍스트", + "Change how operations request administrator rights": "작업이 관리자 권한을 요청하는 방식 설정", + "Restrictions on package operations": "패키지 작업에 대한 제한 사항", + "Restrictions on package managers": "패키지 관리자에 대한 제한 사항", + "Restrictions when importing package bundles": "패키지 번들을 가져올 때의 제한 사항", + "Ask for administrator privileges once for each batch of operations": "각 작업 배치마다 한 번씩 관리자 권한 요청", + "Ask only once for administrator privileges": "관리자 권한을 한 번만 요청", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator 또는 GSudo를 통한 모든 종류의 권한 상승 금지", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "이 옵션은 문제를 일으킬 수 있습니다. 스스로 권한을 상승시킬 수 없는 작업은 실패합니다. 관리자 권한으로 설치/업데이트/제거해도 작동하지 않습니다.", + "Allow custom command-line arguments": "사용자 지정 명령줄 인수 허용", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "사용자 지정 명령줄 인수는 UniGetUI가 제어할 수 없는 방식으로 프로그램 설치, 업그레이드 또는 제거 방식을 변경할 수 있습니다. 사용자 지정 명령줄을 사용하면 패키지가 손상될 수 있습니다. 주의해서 진행하세요.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "번들에서 패키지를 가져올 때 사용자 지정 설치 전 및 설치 후 명령 실행 허용", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "패키지가 설치, 업그레이드 또는 제거되기 전후에 사전 및 사후 설치 명령이 실행됩니다. 신중하게 사용하지 않으면 문제가 발생할 수 있다는 점에 유의하세요", + "Allow changing the paths for package manager executables": "패키지 관리자 실행 파일의 경로 변경 허용", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "이 기능을 켜면 패키지 관리자와 상호 작용하는 데 사용되는 실행 파일을 변경할 수 있습니다. 이렇게 하면 설치 프로세스를 세부적으로 사용자 지정할 수 있지만 위험할 수도 있습니다", + "Allow importing custom command-line arguments when importing packages from a bundle": "번들에서 패키지를 가져올 때 사용자 지정 명령줄 인수 가져오기 허용", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "잘못된 형식의 명령줄 인수는 패키지를 깨거나 악의적인 행위자가 권한 있는 실행을 얻도록 허용할 수 있습니다. 따라서 사용자 지정 명령줄 인수를 가져오는 것은 기본적으로 비활성화되어 있습니다", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "번들에서 패키지를 가져올 때 사용자 지정 설치 전 및 설치 후 명령 가져오기 허용", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "설치 전 및 설치 후 명령어는 장치에 매우 불쾌한 영향을 미칠 수 있습니다. 패키지 번들의 출처를 신뢰하지 않는 한 번들에서 명령어를 가져오는 것은 매우 위험할 수 있습니다", + "Administrator rights and other dangerous settings": "관리자 권한 및 기타 위험한 설정", + "Package backup": "패키지 백업", + "Cloud package backup": "클라우드 패키지 백업", + "Local package backup": "로컬 패키지 백업", + "Local backup advanced options": "로컬 백업 고급 옵션", + "Log in with GitHub": "GitHub 로그인", + "Log out from GitHub": "GitHub에서 로그아웃", + "Periodically perform a cloud backup of the installed packages": "설치된 패키지의 클라우드 백업을 주기적으로 수행", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "클라우드 백업은 개인 GitHub Gist를 사용하여 설치된 패키지 목록을 저장합니다", + "Perform a cloud backup now": "지금 클라우드 백업 수행", + "Backup": "백업", + "Restore a backup from the cloud": "클라우드에서 백업 복원", + "Begin the process to select a cloud backup and review which packages to restore": "프로세스를 시작하여 클라우드 백업을 선택하고 복원할 패키지 검토", + "Periodically perform a local backup of the installed packages": "설치된 패키지의 로컬 백업을 주기적으로 수행", + "Perform a local backup now": "지금 로컬 백업 수행", + "Change backup output directory": "백업 출력 디렉터리 변경", + "Set a custom backup file name": "사용자 지정 백업 파일 이름 설정", + "Leave empty for default": "공백은 기본값", + "Add a timestamp to the backup file names": "백업 파일 이름에 타임스탬프 추가", + "Backup and Restore": "백업 및 복원", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "백그라운드 API 사용(UniGetUI 위젯 및 공유 용도, 포트 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "인터넷 연결이 필요한 작업을 수행하기 전에 장치가 인터넷에 연결될 때까지 기다리기.", + "Disable the 1-minute timeout for package-related operations": "패키지 관련 작업에서 1분 시간 제한 끄기", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator 대신 설치된 GSudo 사용", + "Use a custom icon and screenshot database URL": "사용자 지정 아이콘 및 스크린샷 데이터베이스 URL 사용", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "백그라운드 CPU 사용량 최적화(see Pull Request #3278)", + "Perform integrity checks at startup": "시작 시 무결성 검사 수행", + "When batch installing packages from a bundle, install also packages that are already installed": "번들에서 패키지를 일괄 설치할 때 이미 설치된 패키지도 함께 설치", + "Experimental settings and developer options": "실험적 설정 및 개발자 옵션", + "Show UniGetUI's version and build number on the titlebar.": "UniGetUI의 버전과 빌드 번호를 제목 표시줄에 표시합니다.", + "Language": "언어", + "UniGetUI updater": "UniGetUI 업데이트 프로그램", + "Telemetry": "진단", + "Manage UniGetUI settings": "UniGetUI 설정 관리", + "Related settings": "관련 설정", + "Update WingetUI automatically": "자동으로 UniGetUI 업데이트", + "Check for updates": "업데이트 확인", + "Install prerelease versions of UniGetUI": "UniGetUI의 사전 릴리스 버전 설치", + "Manage telemetry settings": "진단 설정 관리", + "Manage": "관리", + "Import settings from a local file": "로컬 파일에서 설정 가져오기", + "Import": "가져오기", + "Export settings to a local file": "로컬 파일로 설정 내보내기", + "Export": "내보내기", + "Reset WingetUI": "UniGetUI 초기화", + "Reset UniGetUI": "UniGetUI 초기화", + "User interface preferences": "사용자 인터페이스 환경 설정", + "Application theme, startup page, package icons, clear successful installs automatically": "응용 프로그램 테마, 시작 페이지, 패키지 아이콘, 성공한 설치 자동으로 지우기", + "General preferences": "일반 환경 설정", + "WingetUI display language:": "UniGetUI 표시 언어:", + "Is your language missing or incomplete?": "언어가 누락되었거나 불완전합니까?", + "Appearance": "모양", + "UniGetUI on the background and system tray": "백그라운드 및 시스템 트레이의 UniGetUI", + "Package lists": "패키지 목록", + "Close UniGetUI to the system tray": "시스템 트레이에 UniGetUI 닫기", + "Show package icons on package lists": "패키지 목록에 패키지 아이콘 표시", + "Clear cache": "캐시 지우기", + "Select upgradable packages by default": "기본적으로 업그레이드 가능한 패키지 선택", + "Light": "밝은 테마", + "Dark": "어두운 테마", + "Follow system color scheme": "시스템 색상 구성표 따르기", + "Application theme:": "응용 프로그램 테마:", + "Discover Packages": "패키지 찾아보기", + "Software Updates": "소프트웨어 업데이트", + "Installed Packages": "설치된 패키지", + "Package Bundles": "패키지 번들", + "Settings": "설정", + "UniGetUI startup page:": "UniGetUI 시작 페이지:", + "Proxy settings": "프록시 설정", + "Other settings": "기타 설정", + "Connect the internet using a custom proxy": "사용자 지정 프록시를 사용하여 인터넷 연결", + "Please note that not all package managers may fully support this feature": "모든 패키지 관리자가 이 기능을 완전히 지원하는 것은 아닙니다", + "Proxy URL": "프록시 URL", + "Enter proxy URL here": "여기에 프록시 URL 입력", + "Package manager preferences": "패키지 관리자 환경 설정", + "Ready": "준비 완료", + "Not found": "찾을 수 없음", + "Notification preferences": "알림 환경 설정", + "Notification types": "알림 종류", + "The system tray icon must be enabled in order for notifications to work": "알림이 작동하려면 시스템 트레이 아이콘을 켜야 합니다", + "Enable WingetUI notifications": "UniGetUI 알림 켜기", + "Show a notification when there are available updates": "사용 가능한 업데이트가 있을 때 알림 표시", + "Show a silent notification when an operation is running": "작업 실행 중일 때 조용한 알림 표시", + "Show a notification when an operation fails": "작업 실패 시 알림 표시", + "Show a notification when an operation finishes successfully": "작업이 성공적으로 완료되면 알림 표시", + "Concurrency and execution": "동시성 및 실행", + "Automatic desktop shortcut remover": "바탕 화면 바로 가기 자동 제거", + "Clear successful operations from the operation list after a 5 second delay": "성공한 작업을 작업 목록에서 5초 후에 지우기", + "Download operations are not affected by this setting": "다운로드 작업은 이 설정에 영향을 받지 않습니다", + "Try to kill the processes that refuse to close when requested to": "요청 시 종료를 거부하는 프로세스를 제거해 보세요", + "You may lose unsaved data": "저장되지 않은 데이터를 잃을 수 있습니다", + "Ask to delete desktop shortcuts created during an install or upgrade.": "설치 또는 업그레이드 중에 생성된 바탕 화면 바로 가기를 삭제할지 묻습니다.", + "Package update preferences": "패키지 업데이트 환경 설정", + "Update check frequency, automatically install updates, etc.": "업데이트 주기적 확인, 업데이트 자동 설치 등", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC 프롬프트 감소, 기본 설치 업그레이드, 특정 위험한 기능 잠금 해제 등.", + "Package operation preferences": "패키지 작업 환경 설정", + "Enable {pm}": "{pm} 켜기", + "Not finding the file you are looking for? Make sure it has been added to path.": "찾고 있는 파일을 찾지 못했나요? 경로에 파일이 추가되었는지 확인하세요.", + "For security reasons, changing the executable file is disabled by default": "보안상의 이유로 실행 파일을 변경하는 것은 기본적으로 비활성화되어 있습니다", + "Change this": "이 항목 변경", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "사용할 실행 파일을 선택합니다. 다음 목록은 UniGetUI에서 찾은 실행 파일을 보여줍니다", + "Current executable file:": "현재 실행 파일:", + "Ignore packages from {pm} when showing a notification about updates": "업데이트 알림을 표시할 때 {pm}에서 패키지 무시", + "View {0} logs": "{0} 로그 보기", + "Advanced options": "고급 옵션", + "Reset WinGet": "WinGet 재설정", + "This may help if no packages are listed": "패키지가 표시되지 않으면 도움이 될 수 있습니다", + "Force install location parameter when updating packages with custom locations": "사용자 지정 위치의 패키지를 업데이트할 때 설치 위치 매개 변수 강제 사용", + "Use bundled WinGet instead of system WinGet": "시스템 WinGet 대신 번들 WinGet 사용", + "This may help if WinGet packages are not shown": "WinGet 패키지가 표시되지 않으면 도움이 될 수 있습니다", + "Install Scoop": "Scoop 설치", + "Uninstall Scoop (and its packages)": "Scoop 제거 및 Scoop으로 설치된 패키지 제거", + "Run cleanup and clear cache": "정리 실행 및 캐시 지우기", + "Run": "실행", + "Enable Scoop cleanup on launch": "프로그램 실행 시 Scoop 정리", + "Use system Chocolatey": "시스템 Chocolatey 사용", + "Default vcpkg triplet": "기본 vcpkg triplet", + "Language, theme and other miscellaneous preferences": "언어, 테마 및 기타 환경 설정", + "Show notifications on different events": "다양한 이벤트에 대한 알림 표시", + "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI가 사용 가능한 업데이트를 확인하고 설치하는 방식을 설정", + "Automatically save a list of all your installed packages to easily restore them.": "설치된 모든 패키지 목록을 자동으로 저장하여 쉽게 복원할 수 있습니다.", + "Enable and disable package managers, change default install options, etc.": "패키지 관리자 활성화 및 비활성화, 기본 설치 옵션 변경 등", + "Internet connection settings": "인터넷 연결 설정", + "Proxy settings, etc.": "프록시 설정 등", + "Beta features and other options that shouldn't be touched": "베타 기능 및 건드리지 말아야 할 기타 옵션", + "Update checking": "업데이트 확인", + "Automatic updates": "자동 업데이트", + "Check for package updates periodically": "주기적으로 패키지 업데이트 확인", + "Check for updates every:": "업데이트 확인 빈도:", + "Install available updates automatically": "사용 가능한 업데이트 자동으로 설치", + "Do not automatically install updates when the network connection is metered": "데이터 통신 연결 네트워크에서 자동 업데이트 안 함", + "Do not automatically install updates when the device runs on battery": "장치가 배터리로 작동할 때 자동으로 업데이트 설치 안 함", + "Do not automatically install updates when the battery saver is on": "배터리 절약 모드(절전 모드)가 켜져 있을 때 자동 업데이트 안 함", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI가 설치, 업데이트 및 제거 작업을 처리하는 방식을 변경합니다.", + "Package Managers": "패키지 관리자", + "More": "자세히 보기", + "WingetUI Log": "UniGetUI 로그", + "Package Manager logs": "패키지 관리자 로그", + "Operation history": "작업 기록", + "Help": "도움말", + "Order by:": "정렬:", + "Name": "이름", + "Id": "아이디", + "Ascendant": "오름차순", + "Descendant": "내림차순", + "View mode:": "보기 모드:", + "Filters": "필터", + "Sources": "공급자", + "Search for packages to start": "시작할 패키지 검색", + "Select all": "모두 선택", + "Clear selection": "모두 선택 해제", + "Instant search": "즉시 검색", + "Distinguish between uppercase and lowercase": "대문자와 소문자 구분", + "Ignore special characters": "특수 문자 무시", + "Search mode": "검색 모드", + "Both": "모두", + "Exact match": "정확히 일치", + "Show similar packages": "유사한 패키지 표시", + "No results were found matching the input criteria": "입력 기준과 일치하는 결과를 찾을 수 없습니다", + "No packages were found": "패키지를 찾을 수 없습니다", + "Loading packages": "패키지 불러오는 중", + "Skip integrity checks": "무결성 검사 건너뛰기", + "Download selected installers": "선택한 설치 프로그램 다운로드", + "Install selection": "설치 항목 선택", + "Install options": "설치 옵션", + "Share": "공유", + "Add selection to bundle": "번들에 선택 항목 추가", + "Download installer": "설치 프로그램 다운로드", + "Share this package": "이 패키지 공유", + "Uninstall selection": "선택 항목 제거", + "Uninstall options": "제거 옵션", + "Ignore selected packages": "선택한 패키지 무시", + "Open install location": "설치 위치 열기", + "Reinstall package": "패키지 재설치", + "Uninstall package, then reinstall it": "패키지 제거 후 재설치", + "Ignore updates for this package": "이 패키지에 대한 업데이트 무시", + "Do not ignore updates for this package anymore": "이 패키지에 대한 업데이트 무시 안 함", + "Add packages or open an existing package bundle": "패키지 추가 또는 기존 패키지 번들 열기", + "Add packages to start": "시작에 패키지 추가", + "The current bundle has no packages. Add some packages to get started": "현재 번들에 패키지가 없습니다. 시작하려면 몇 가지 패키지를 추가하세요", + "New": "새로 만들기", + "Save as": "다른 이름으로 저장", + "Remove selection from bundle": "번들에서 선택 항목 제거", + "Skip hash checks": "해시 검사 건너뛰기", + "The package bundle is not valid": "패키지 번들이 유효하지 않습니다", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "불러오려는 번들이 유효하지 않은 것으로 보입니다. 파일을 확인하고 다시 시도해주세요.", + "Package bundle": "패키지 번들", + "Could not create bundle": "번들을 만들 수 없습니다", + "The package bundle could not be created due to an error.": "오류로 인해 패키지 번들을 만들 수 없습니다.", + "Bundle security report": "번들 보안 보고서", + "Hooray! No updates were found.": "만세! 업데이트가 발견되지 않았습니다.", + "Everything is up to date": "모두 최신 상태입니다", + "Uninstall selected packages": "선택한 패키지 제거", + "Update selection": "선택 항목 업데이트", + "Update options": "업데이트 옵션", + "Uninstall package, then update it": "패키지 제거 후 업데이트", + "Uninstall package": "패키지 제거", + "Skip this version": "이 버전 건너뛰기", + "Pause updates for": "업데이트 일시 중지", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust의 패키지 관리자입니다.
포함 내용: Rust로 작성된 Rust 라이브러리 및 프로그램", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows용 클래식 패키지 관리자. 뭐든지 찾을 수 있습니다.
포함 내용: 일반 소프트웨어", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft의 .NET 생태계를 염두에 두고 설계된 도구와 실행 파일로 가득한 저장소입니다.
포함 내용: .NET 관련 도구 및 스크립트", + "NuPkg (zipped manifest)": "NuPkg(압축된 매니페스트)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS의 패키지 관리자. 자바스크립트와 관련된 라이브러리와 기타 유틸리티로 가득합니다.
포함 내용: 노드 자바스크립트 라이브러리 및 기타 관련 유틸리티", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python 라이브러리 관리자. Python 라이브러리 및 기타 Python 관련 유틸리티가 가득합니다
포함 내용: Python 라이브러리 및 관련 유틸리티", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell의 패키지 관리자. PowerShell 기능을 확장할 라이브러리 및 스크립트를 찾아보세요.
포함 내용: 모듈, 스크립트, Cmdlet", + "extracted": "압축 해제됨", + "Scoop package": "Scoop 패키지", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "알려지지 않았지만 유용한 유틸리티 및 기타 흥미로운 패키지의 훌륭한 저장소입니다.
포함: 유틸리티, 명령줄 프로그램, 일반 소프트웨어 (추가 버킷 필요)/b>", + "library": "라이브러리", + "feature": "기능", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "인기 있는 C/C++ 라이브러리 관리자입니다. C/C++ 라이브러리 및 기타 C/C++ 관련 유틸리티로 가득합니다.
포함 내용: C/C++ 라이브러리 및 관련 유틸리티", + "option": "옵션", + "This package cannot be installed from an elevated context.": "이 패키지는 권한 상승된 컨텍스트에서는 설치할 수 없습니다.", + "Please run UniGetUI as a regular user and try again.": "UniGetUI를 일반 사용자로 실행하고 다시 시도해주세요.", + "Please check the installation options for this package and try again": "이 패키지의 설치 옵션을 확인하고 다시 시도해주세요", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft 공식 패키지 관리자입니다. 잘 알려지고 검증된 패키지로 구성되어 있습니다.
포함: 일반 소프트웨어, Microsoft Store 앱", + "Local PC": "로컬 PC", + "Android Subsystem": "Android 하위 시스템", + "Operation on queue (position {0})...": "작업 대기 중(위치 {0})...", + "Click here for more details": "여기를 눌러 자세한 정보 확인", + "Operation canceled by user": "사용자가 작업을 취소했습니다", + "Starting operation...": "작업 시작 중...", + "{package} installer download": "{package} 설치 프로그램 다운로드", + "{0} installer is being downloaded": "{0} 설치 프로그램을 다운로드하고 있습니다", + "Download succeeded": "다운로드 성공", + "{package} installer was downloaded successfully": "{package} 설치 프로그램을 성공적으로 다운로드했습니다", + "Download failed": "다운로드 실패", + "{package} installer could not be downloaded": "{package} 설치 프로그램을 다운로드할 수 없습니다", + "{package} Installation": "{package} 설치", + "{0} is being installed": "{0}을(를) 설치하고 있습니다", + "Installation succeeded": "설치 성공", + "{package} was installed successfully": "{package}을(를) 성공적으로 설치했습니다", + "Installation failed": "설치 실패", + "{package} could not be installed": "{package}을(를) 설치할 수 없습니다.", + "{package} Update": "{package} 업데이트", + "{0} is being updated to version {1}": "{0}을(를) 버전 {1} (으)로 업데이트하는 중입니다", + "Update succeeded": "업데이트 성공", + "{package} was updated successfully": "{package}을(를) 성공적으로 업데이트했습니다", + "Update failed": "업데이트 실패", + "{package} could not be updated": "{package}를 업데이트할 수 없습니다", + "{package} Uninstall": "{package} 제거", + "{0} is being uninstalled": "{0}을(를) 제거하고 있습니다", + "Uninstall succeeded": "제거 성공", + "{package} was uninstalled successfully": "{package}을(를) 성공적으로 제거했습니다", + "Uninstall failed": "제거 실패", + "{package} could not be uninstalled": "{package}을(를) 제거할 수 없습니다", + "Adding source {source}": "{source} 소스 추가", + "Adding source {source} to {manager}": "{manager}에 {source} 소스 추가", + "Source added successfully": "공급자를 성공적으로 추가했습니다", + "The source {source} was added to {manager} successfully": "공급자 {source}을(를) {manager}에 성공적으로 추가했습니다", + "Could not add source": "소스를 추가할 수 없습니다", + "Could not add source {source} to {manager}": "{manager}에 {source} 소스를 추가할 수 없습니다", + "Removing source {source}": "{source} 소스 제거", + "Removing source {source} from {manager}": "{manager}에서 {source} 소스 제거", + "Source removed successfully": "공급자를 성공적으로 제거했습니다", + "The source {source} was removed from {manager} successfully": "공급자 {source}을(를) {manager}에서 성공적으로 제거했습니다", + "Could not remove source": "소스를 제거할 수 없습니다", + "Could not remove source {source} from {manager}": "{manager}에서 {source} 소스를 제거할 수 없습니다", + "The package manager \"{0}\" was not found": "패키지 관리자 \"{0}\"을(를) 찾을 수 없습니다.", + "The package manager \"{0}\" is disabled": "패키지 관리자 \"{0}\"이(가) 꺼져 있습니다.", + "There is an error with the configuration of the package manager \"{0}\"": "패키지 관리자 \"{0}\" 구성에 오류가 발생했습니다.", + "The package \"{0}\" was not found on the package manager \"{1}\"": "패키지 관리자 \"{1}\"에서 \"{0}\" 패키지를 찾을 수 없습니다.", + "{0} is disabled": "{0}이(가) 비활성화 됨", + "Something went wrong": "문제가 발생했습니다", + "An interal error occurred. Please view the log for further details.": "내부 오류가 발생했습니다. 자세한 내용은 로그를 확인하세요.", + "No applicable installer was found for the package {0}": "패키지 {0}에 적용 가능한 설치 프로그램을 찾을 수 없습니다.", + "We are checking for updates.": "업데이트를 확인하고 있습니다.", + "Please wait": "잠시만 기다려주세요", + "UniGetUI version {0} is being downloaded.": "UniGetUI {0} 버전을 다운로드하고 있습니다.", + "This may take a minute or two": "1~2분 소요될 수 있습니다", + "The installer authenticity could not be verified.": "설치 프로그램의 신뢰성을 검증할 수 없습니다.", + "The update process has been aborted.": "업데이트 프로세스가 중단되었습니다.", + "Great! You are on the latest version.": "훌룡해요! 최신 버전을 사용하고 있습니다.", + "There are no new UniGetUI versions to be installed": "설치할 새로운 UniGetUI 버전이 없습니다", + "An error occurred when checking for updates: ": "업데이트를 확인하는 동안 오류가 발생했습니다: ", + "UniGetUI is being updated...": "UniGetUI를 업데이트하는 중...", + "Something went wrong while launching the updater.": "업데이트 프로그램을 실행하는 도중 문제가 발생했습니다.", + "Please try again later": "나중에 다시 시도해주세요", + "Integrity checks will not be performed during this operation": "이 작업 중에는 무결성 검사가 수행되지 않습니다", + "This is not recommended.": "권장하지 않습니다.", + "Run now": "지금 실행", + "Run next": "다음 항목 실행", + "Run last": "마지막 실행", + "Retry as administrator": "관리자 권한으로 다시 시도", + "Retry interactively": "대화형 다시 시도", + "Retry skipping integrity checks": "건너뛴 무결성 검사 다시 시도", + "Installation options": "설치 옵션", + "Show in explorer": "탐색기에 표시", + "This package is already installed": "이 패키지는 이미 설치되어 있습니다", + "This package can be upgraded to version {0}": "이 패키지는 {0} 버전으로 업그레이드할 수 있습니다.", + "Updates for this package are ignored": "이 패키지에 대한 업데이트 무시", + "This package is being processed": "이 패키지는 처리 중입니다", + "This package is not available": "이 패키지는 사용할 수 없습니다", + "Select the source you want to add:": "추가하고 싶은 소스를 선택하세요:", + "Source name:": "공급자 이름:", + "Source URL:": "공급자 URL:", + "An error occurred": "오류가 발생했습니다", + "An error occurred when adding the source: ": "소스를 추가하는 동안 오류가 발생했습니다: ", + "Package management made easy": "패키지 관리가 더욱 쉬워졌습니다", + "version {0}": "버전 {0}", + "[RAN AS ADMINISTRATOR]": "관리자로 실행", + "Portable mode": "포터블 모드", + "DEBUG BUILD": "디버그 빌드", + "Available Updates": "사용 가능한 업데이트", + "Show WingetUI": "UniGetUI 창 표시", + "Quit": "종료", + "Attention required": "주의 필요", + "Restart required": "다시 시작 필요", + "1 update is available": "1개의 업데이트 사용 가능", + "{0} updates are available": "{0} 업데이트 사용 가능", + "WingetUI Homepage": "UniGetUI 홈페이지", + "WingetUI Repository": "UniGetUI 저장소", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "여기에서 다음 단축키에 대한 UniGetUI의 동작을 변경할 수 있습니다. 단축키를 선택하면 향후 업그레이드 시 생성된 경우 UniGetUI가 이를 삭제합니다. 선택을 해제하면 단축키가 그대로 유지됩니다", + "Manual scan": "수동 검사", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "바탕 화면에 이미 존재하는 바로 가기를 스캔하며, 어떤 바로 가기를 유지하고 어떤 바로 가기를 제거할 지 골라야 합니다.", + "Continue": "계속", + "Delete?": "삭제할까요?", + "Missing dependency": "누락된 의존성", + "Not right now": "지금은 아님", + "Install {0}": "{0} 설치", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI가 작업을 실행하려면 {0}이(가) 필요하지만 시스템에서 찾을 수 없습니다.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "설치 버튼을 눌러 설치 프로세스를 시작하세요. 설치를 건너뛰면 UniGetUI가 예상대로 작동하지 않을 수 있습니다.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "또는 Windows PowerShell 프롬프트에서 다음 명령을 실행하여 {0}을(를) 설치할 수도 있습니다:", + "Do not show this dialog again for {0}": "{0}에 대해 이 대화 상자를 다시 표시 안 함", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0}을(를) 설치하는 동안 잠시만 기다려주세요. 검은(또는 파란) 창이 표시될 수 있습니다. 닫힐 때까지 기다려주세요.", + "{0} has been installed successfully.": "{0}을(를) 성공적으로 설치했습니다.", + "Please click on \"Continue\" to continue": "계속하려면 \"계속\"을 클릭하세요", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0}이(가) 성공적으로 설치되었습니다. 설치를 완료하려면 UniGetUI를 다시 시작하기를 권장합니다", + "Restart later": "나중에 다시 시작", + "An error occurred:": "오류가 발생했습니다:", + "I understand": "알겠습니다", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI를 관리자 권한으로 실행한 것 같습니다. 그러나 이는 권장하지 않습니다. UniGetUI를 관리자 권한으로 실행하면 UniGetUI에서 실행되는 모든 작업이 관리자 권한으로 실행됩니다. 프로그램을 계속 사용할 수는 있지만 UniGetUI를 관리자 권한으로 실행하지 않는 것이 좋습니다.", + "WinGet was repaired successfully": "WinGet을 성공적으로 복구했습니다", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet 복구 후에는 UniGetUI를 다시 시작할 것을 권장합니다", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "참고: 이 문제 해결사는 WinGet 섹션의 UniGetUI 설정에서 비활성화할 수 있습니다", + "Restart": "다시 시작", + "WinGet could not be repaired": "WinGet을 복구할 수 없습니다", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet을 복구하는 동안 예기치 않은 문제가 발생했습니다. 나중에 다시 시도해 주세요", + "Are you sure you want to delete all shortcuts?": "모든 바로 가기를 삭제하시겠습니까?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "설치 또는 업데이트 작업 중에 생성된 새 단축키는 처음 감지되었을 때 확인 메시지가 표시되지 않고 자동으로 삭제됩니다.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI 외부에서 생성되거나 수정된 단축키는 무시됩니다. {0} 버튼을 통해 단축키를 추가할 수 있습니다.", + "Are you really sure you want to enable this feature?": "이 기능을 정말로 켜시겠습니까?", + "No new shortcuts were found during the scan.": "검사 중에 새로운 바로가기가 발견되지 않았습니다.", + "How to add packages to a bundle": "번들에 패키지를 추가하는 방법", + "In order to add packages to a bundle, you will need to: ": "패키지를 번들에 추가하려면 다음이 필요합니다: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" 또는 \"{1}\" 페이지로 탐색하세요.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. 번들에 추가하려는 패키지의 위치를 지정하고 가장 왼쪽의 선택란을 선택하세요.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. 번들에 추가하려는 패키지가 선택되면 도구 모음에서 \"{0}\" 옵션을 찾아 클릭하세요.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. 패키지가 번들에 추가되었습니다. 계속해서 패키지를 추가하거나 번들을 내보낼 수 있습니다.", + "Which backup do you want to open?": "어떤 백업을 열고 싶으신가요?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "열 백업을 선택합니다. 나중에 복원하려는 패키지/프로그램을 검토할 수 있습니다.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "진행 중인 작업이 있습니다. UniGetUI를 끝내면 작업이 실패할 수 있습니다. 계속할까요?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI 또는 일부 구성 요소가 누락되었거나 손상되었습니다.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "이 문제를 해결하기 위해 UniGetUI를 재설치하는 것을 강력히 권장합니다.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "영향을 받은 파일에 대한 자세한 내용은 UniGetUI 로그를 참조하세요", + "Integrity checks can be disabled from the Experimental Settings": "무결성 검사는 실험 설정에서 비활성화할 수 있습니다", + "Repair UniGetUI": "UniGetUI 복구", + "Live output": "실시간 출력", + "Package not found": "패키지를 찾을 수 없음", + "An error occurred when attempting to show the package with Id {0}": "아이디 {0} 패키지를 표시하는 동안 오류가 발생했습니다.", + "Package": "패키지", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "이 패키지 번들에는 잠재적으로 위험할 수 있는 몇 가지 설정이 포함되어 있으며, 기본적으로 무시될 수 있습니다.", + "Entries that show in YELLOW will be IGNORED.": "노란색으로 표시된 항목은 무시됩니다.", + "Entries that show in RED will be IMPORTED.": "빨간색으로 표시된 항목은 가져오기됩니다.", + "You can change this behavior on UniGetUI security settings.": "UniGetUI 보안 설정에서 이 동작을 변경할 수 있습니다.", + "Open UniGetUI security settings": "UniGetUI 보안 설정 열기", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "보안 설정을 수정한 경우 변경 사항을 적용하려면 번들을 다시 열어야 합니다.", + "Details of the report:": "보고서의 세부 사항:", "\"{0}\" is a local package and can't be shared": "\"{0}\"은 로컬 패키지이므로 공유할 수 없습니다", + "Are you sure you want to create a new package bundle? ": "새 패키지 번들을 만드시겠습니까? ", + "Any unsaved changes will be lost": "저장하지 않은 모든 변경 내용이 손실됩니다.", + "Warning!": "경고!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "보안상의 이유로 사용자 지정 명령줄 인수는 기본적으로 비활성화되어 있습니다. 이를 변경하려면 UniGetUI 보안 설정으로 이동하세요. ", + "Change default options": "기본 옵션 변경", + "Ignore future updates for this package": "이 패키지에 대한 향후 업데이트 무시", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "보안상의 이유로 사전 및 사후 스크립트는 기본적으로 비활성화되어 있습니다. 이를 변경하려면 UniGetUI 보안 설정으로 이동하세요. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "이 패키지가 설치, 업데이트 또는 제거되기 전이나 후에 실행될 명령어를 정의할 수 있습니다. 명령 프롬프트에서 실행되므로 CMD 스크립트는 여기에서 작동합니다.", + "Change this and unlock": "이것을 변경하고 잠금 해제", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} 설치 옵션은 현재 잠겨 있습니다. {0}은 기본 설치 옵션을 따르기 때문입니다.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "이 패키지를 설치, 업데이트 또는 제거하기 전에 닫아야 할 프로세스를 선택합니다.", + "Write here the process names here, separated by commas (,)": "여기에 프로세스 이름을 쉼표로 구분하여 작성하세요 (, )", + "Unset or unknown": "설정 안 됨 또는 알 수 없음", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "이 문제에 대한 자세한 내용은 [명령줄 출력]을 참조하거나 [작업 기록]을 참조하세요.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "이 패키지가 스크린샷 또는 아이콘이 없나요? 우리의 오픈 및 공용 데이터베이스에 누락된 아이콘 및 스크린샷을 추가하여 UniGetUI에 기여하세요.", + "Become a contributor": "기여자 되기", + "Save": "저장", + "Update to {0} available": "{0}(으)로 업데이트 가능", + "Reinstall": "재설치", + "Installer not available": "설치 프로그램을 사용할 수 없음", + "Version:": "버전:", + "Performing backup, please wait...": "백업을 수행하는 중. 잠시만 기다려주세요...", + "An error occurred while logging in: ": "로그인하는 동안 오류가 발생했습니다: ", + "Fetching available backups...": "사용 가능한 백업을 가져오는 중...", + "Done!": "완료!", + "The cloud backup has been loaded successfully.": "클라우드 백업이 성공적으로 로드되었습니다.", + "An error occurred while loading a backup: ": "백업을 로드하는 동안 오류가 발생했습니다: ", + "Backing up packages to GitHub Gist...": "GitHub Gist에 패키지 백업 중...", + "Backup Successful": "백업 성공", + "The cloud backup completed successfully.": "클라우드 백업이 성공적으로 완료되었습니다.", + "Could not back up packages to GitHub Gist: ": "GitHub Gist에 패키지를 백업할 수 없습니다: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "제공된 자격 증명이 안전하게 저장될 것이라는 보장이 없으므로 은행 계좌의 자격 증명을 사용하지 않는 것이 좋습니다", + "Enable the automatic WinGet troubleshooter": "WinGet 문제 해결사 자동으로 켜기", + "Enable an [experimental] improved WinGet troubleshooter": "향상된 WinGet 문제 해결사 사용(실험적)", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'해당 업데이트를 찾을 수 없음'으로 실패한 업데이트를 무시된 업데이트 목록에 추가합니다.", + "Restart WingetUI to fully apply changes": "변경 사항을 완전히 적용하려면 UniGetUI를 다시 시작하세요", + "Restart WingetUI": "UniGetUI 다시 시작", + "Invalid selection": "잘못된 선택", + "No package was selected": "선택된 패키지가 없습니다", + "More than 1 package was selected": "두 개 이상의 패키지가 선택되었습니다", + "List": "목록", + "Grid": "격자", + "Icons": "아이콘", "\"{0}\" is a local package and does not have available details": "\"{0}\"은 로컬 패키지이며 사용 가능한 세부 정보가 없습니다", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\"은 로컬 패키지이며 이 기능과 호환되지 않습니다", - "(Last checked: {0})": "(마지막 확인 날짜: {0})", + "WinGet malfunction detected": "WinGet 부조 감지됨", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet이 올바르게 작동하지 않는 것 같습니다. WinGet 복구를 시도하시겠어요?", + "Repair WinGet": "WinGet 복구", + "Create .ps1 script": ".ps1 스크립트 생성", + "Add packages to bundle": "번들에 패키지 추가", + "Preparing packages, please wait...": "패키지 준비 중, 잠시만 기다려주세요...", + "Loading packages, please wait...": "패키지를 불러오는 중입니다. 잠시만 기다려주세요...", + "Saving packages, please wait...": "패키지 저장 중. 잠시만 기다려주세요...", + "The bundle was created successfully on {0}": "{0}에 번들이 성공적으로 생성되었습니다", + "Install script": "설치 스크립트", + "The installation script saved to {0}": "{0}에 저장된 설치 스크립트", + "An error occurred while attempting to create an installation script:": "설치 스크립트를 생성하는 동안 오류가 발생했습니다:", + "{0} packages are being updated": "패키지 {0}개 업데이트 중", + "Error": "오류", + "Log in failed: ": "로그인 실패: ", + "Log out failed: ": "로그아웃 실패: ", + "Package backup settings": "패키지 백업 설정", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(대기열의 {0}번)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@VenusGirl, @thejjw, @shblue21, @minbert, @jihoon416, @MuscularPuky ", "0 packages found": "0개 패키지 찾음", "0 updates found": "0개 업데이트 찾음", - "1 - Errors": "1 - 오류", - "1 day": "1일", - "1 hour": "1시간", "1 month": "1달", "1 package was found": "1개의 패키지 발견", - "1 update is available": "1개의 업데이트 사용 가능", - "1 week": "1주", "1 year": "1년", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" 또는 \"{1}\" 페이지로 탐색하세요.", - "2 - Warnings": "2 - 경고", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. 번들에 추가하려는 패키지의 위치를 지정하고 가장 왼쪽의 선택란을 선택하세요.", - "3 - Information (less)": "3 - 정보 (더 적게)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. 번들에 추가하려는 패키지가 선택되면 도구 모음에서 \"{0}\" 옵션을 찾아 클릭하세요.", - "4 - Information (more)": "4 - 정보 (더 많이)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. 패키지가 번들에 추가되었습니다. 계속해서 패키지를 추가하거나 번들을 내보낼 수 있습니다.", - "5 - information (debug)": "5 - 정보 (디버그)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "인기 있는 C/C++ 라이브러리 관리자입니다. C/C++ 라이브러리 및 기타 C/C++ 관련 유틸리티로 가득합니다.
포함 내용: C/C++ 라이브러리 및 관련 유틸리티", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft의 .NET 생태계를 염두에 두고 설계된 도구와 실행 파일로 가득한 저장소입니다.
포함 내용: .NET 관련 도구 및 스크립트", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoft의 .NET 생태계를 염두에 두고 설계된 도구로 가득한 저장소입니다.
포함 내용: .NET 관련 도구", "A restart is required": "재시작이 필요합니다", - "Abort install if pre-install command fails": "설치 전 명령이 실패하면 설치 중단", - "Abort uninstall if pre-uninstall command fails": "제거 전 명령이 실패하면 제거 중지", - "Abort update if pre-update command fails": "업데이트 전 명령이 실패하면 업데이트 중단", - "About": "정보", "About Qt6": "Qt6 정보", - "About WingetUI": "UniGetUI 정보", "About WingetUI version {0}": "WingetUI 버전 {0} 정보", "About the dev": "개발자 정보", - "Accept": "수락", "Action when double-clicking packages, hide successful installations": "패키지를 두 번 클릭할 때 수행, 성공한 설치 숨기기", - "Add": "추가", "Add a source to {0}": "{0}에 소스 추가", - "Add a timestamp to the backup file names": "백업 파일 이름에 타임스탬프 추가", "Add a timestamp to the backup files": "백업 파일에 타임스탬프 추가", "Add packages or open an existing bundle": "패키지 추가 또는 기존 번들 열기", - "Add packages or open an existing package bundle": "패키지 추가 또는 기존 패키지 번들 열기", - "Add packages to bundle": "번들에 패키지 추가", - "Add packages to start": "시작에 패키지 추가", - "Add selection to bundle": "번들에 선택 항목 추가", - "Add source": "소스 추가", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'해당 업데이트를 찾을 수 없음'으로 실패한 업데이트를 무시된 업데이트 목록에 추가합니다.", - "Adding source {source}": "{source} 소스 추가", - "Adding source {source} to {manager}": "{manager}에 {source} 소스 추가", "Addition succeeded": "추가 성공", - "Administrator privileges": "관리자 권한", "Administrator privileges preferences": "관리자 권한 환경 설정", "Administrator rights": "관리자 권한", - "Administrator rights and other dangerous settings": "관리자 권한 및 기타 위험한 설정", - "Advanced options": "고급 옵션", "All files": "모든 파일", - "All versions": "모든 버전", - "Allow changing the paths for package manager executables": "패키지 관리자 실행 파일의 경로 변경 허용", - "Allow custom command-line arguments": "사용자 지정 명령줄 인수 허용", - "Allow importing custom command-line arguments when importing packages from a bundle": "번들에서 패키지를 가져올 때 사용자 지정 명령줄 인수 가져오기 허용", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "번들에서 패키지를 가져올 때 사용자 지정 설치 전 및 설치 후 명령 가져오기 허용", "Allow package operations to be performed in parallel": "패키지 작업을 병렬로 수행하도록 허용", "Allow parallel installs (NOT RECOMMENDED)": "병렬 설치 허용 (권장하지 않음)", - "Allow pre-release versions": "사전 릴리스 버전 허용", "Allow {pm} operations to be performed in parallel": "{pm} 작업을 병렬로 수행하도록 허용", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "또는 Windows PowerShell 프롬프트에서 다음 명령을 실행하여 {0}을(를) 설치할 수도 있습니다:", "Always elevate {pm} installations by default": "항상 기본적으로 {pm} 설치 권한 높이기", "Always run {pm} operations with administrator rights": "항상 관리자 권한으로 {pm} 작업 실행", - "An error occurred": "오류가 발생했습니다", - "An error occurred when adding the source: ": "소스를 추가하는 동안 오류가 발생했습니다: ", - "An error occurred when attempting to show the package with Id {0}": "아이디 {0} 패키지를 표시하는 동안 오류가 발생했습니다.", - "An error occurred when checking for updates: ": "업데이트를 확인하는 동안 오류가 발생했습니다: ", - "An error occurred while attempting to create an installation script:": "설치 스크립트를 생성하는 동안 오류가 발생했습니다:", - "An error occurred while loading a backup: ": "백업을 로드하는 동안 오류가 발생했습니다: ", - "An error occurred while logging in: ": "로그인하는 동안 오류가 발생했습니다: ", - "An error occurred while processing this package": "이 패키지를 처리하는 동안 오류가 발생했습니다", - "An error occurred:": "오류가 발생했습니다:", - "An interal error occurred. Please view the log for further details.": "내부 오류가 발생했습니다. 자세한 내용은 로그를 확인하세요.", "An unexpected error occurred:": "예기치 않은 오류가 발생했습니다:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet을 복구하는 동안 예기치 않은 문제가 발생했습니다. 나중에 다시 시도해 주세요", - "An update was found!": "업데이트를 찾았습니다!", - "Android Subsystem": "Android 하위 시스템", "Another source": "다른 소스", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "설치 또는 업데이트 작업 중에 생성된 새 단축키는 처음 감지되었을 때 확인 메시지가 표시되지 않고 자동으로 삭제됩니다.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI 외부에서 생성되거나 수정된 단축키는 무시됩니다. {0} 버튼을 통해 단축키를 추가할 수 있습니다.", - "Any unsaved changes will be lost": "저장하지 않은 모든 변경 내용이 손실됩니다.", "App Name": "앱 이름", - "Appearance": "모양", - "Application theme, startup page, package icons, clear successful installs automatically": "응용 프로그램 테마, 시작 페이지, 패키지 아이콘, 성공한 설치 자동으로 지우기", - "Application theme:": "응용 프로그램 테마:", - "Apply": "적용", - "Architecture to install:": "설치할 아키텍처:", "Are these screenshots wron or blurry?": "이 스크린샷이 잘못되었거나 흐릿합니까?", - "Are you really sure you want to enable this feature?": "이 기능을 정말로 켜시겠습니까?", - "Are you sure you want to create a new package bundle? ": "새 패키지 번들을 만드시겠습니까? ", - "Are you sure you want to delete all shortcuts?": "모든 바로 가기를 삭제하시겠습니까?", - "Are you sure?": "확실합니까?", - "Ascendant": "오름차순", - "Ask for administrator privileges once for each batch of operations": "각 작업 배치마다 한 번씩 관리자 권한 요청", "Ask for administrator rights when required": "필요한 경우 관리자 권한 요청", "Ask once or always for administrator rights, elevate installations by default": "관리자 권한을 한 번 또는 항상 요청하고 설치 권한을 기본값으로 상승", - "Ask only once for administrator privileges": "관리자 권한을 한 번만 요청", "Ask only once for administrator privileges (not recommended)": "관리자 권한을 한 번만 요청 (권장하지 않음)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "설치 또는 업그레이드 중에 생성된 바탕 화면 바로 가기를 삭제할지 묻습니다.", - "Attention required": "주의 필요", "Authenticate to the proxy with an user and a password": "사용자와 비밀번호로 프록시 인증", - "Author": "작성자", - "Automatic desktop shortcut remover": "바탕 화면 바로 가기 자동 제거", - "Automatic updates": "자동 업데이트", - "Automatically save a list of all your installed packages to easily restore them.": "설치된 모든 패키지 목록을 자동으로 저장하여 쉽게 복원할 수 있습니다.", "Automatically save a list of your installed packages on your computer.": "설치된 패키지 목록을 컴퓨터에 자동으로 저장합니다.", - "Automatically update this package": "이 패키지를 자동으로 업데이트", "Autostart WingetUI in the notifications area": "UniGetUI를 알림 영역에 자동 시작", - "Available Updates": "사용 가능한 업데이트", "Available updates: {0}": "사용 가능한 업데이트: {0}", "Available updates: {0}, not finished yet...": "사용 가능한 업데이트: {0}, 아직 업데이트 중...", - "Backing up packages to GitHub Gist...": "GitHub Gist에 패키지 백업 중...", - "Backup": "백업", - "Backup Failed": "백업 실패", - "Backup Successful": "백업 성공", - "Backup and Restore": "백업 및 복원", "Backup installed packages": "설치된 패키지 백업", "Backup location": "백업 위치", - "Become a contributor": "기여자 되기", - "Become a translator": "번역가 되기", - "Begin the process to select a cloud backup and review which packages to restore": "프로세스를 시작하여 클라우드 백업을 선택하고 복원할 패키지 검토", - "Beta features and other options that shouldn't be touched": "베타 기능 및 건드리지 말아야 할 기타 옵션", - "Both": "모두", - "Bundle security report": "번들 보안 보고서", "But here are other things you can do to learn about WingetUI even more:": "하지만 UniGetUI에 대해 더 자세히 알아볼 수 있는 다른 방법도 있습니다:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "패키지 관리자를 비활성화하면 해당 패키지 관리자의 패키지들을 확인하거나 업데이트할 수 없게 됩니다.", "Cache administrator rights and elevate installers by default": "기본적으로 관리자 권한을 캐싱 및 설치 프로그램 권한 상승", "Cache administrator rights, but elevate installers only when required": "관리자 권한을 캐시하되 필요한 경우에만 설치 프로그램 권한 높이기", "Cache was reset successfully!": "캐시가 성공적으로 초기화 되었습니다!", "Can't {0} {1}": "{1} {0} 할 수 없음", - "Cancel": "취소", "Cancel all operations": "모든 작업 취소", - "Change backup output directory": "백업 출력 디렉터리 변경", - "Change default options": "기본 옵션 변경", - "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI가 사용 가능한 업데이트를 확인하고 설치하는 방식을 설정", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI가 설치, 업데이트 및 제거 작업을 처리하는 방식을 변경합니다.", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI가 패키지를 설치하고, 사용 가능한 업데이트를 확인하고 설치하는 방식 설정", - "Change how operations request administrator rights": "작업이 관리자 권한을 요청하는 방식 설정", "Change install location": "설치 위치 변경", - "Change this": "이 항목 변경", - "Change this and unlock": "이것을 변경하고 잠금 해제", - "Check for package updates periodically": "주기적으로 패키지 업데이트 확인", - "Check for updates": "업데이트 확인", - "Check for updates every:": "업데이트 확인 빈도:", "Check for updates periodically": "주기적으로 업데이트 확인", "Check for updates regularly, and ask me what to do when updates are found.": "정기적으로 업데이트를 확인하고 업데이트가 발견되면 무엇을 할 지 물어봅니다.", "Check for updates regularly, and automatically install available ones.": "정기적으로 업데이트를 확인하고 사용 가능한 업데이트를 자동으로 설치합니다.", @@ -159,805 +741,283 @@ "Checking for updates...": "업데이트 확인 중...", "Checking found instace(s)...": "찾은 인스턴스 확인 중...", "Choose how many operations shouls be performed in parallel": "병렬로 수행할 작업의 개수를 선택하세요", - "Clear cache": "캐시 지우기", "Clear finished operations": "완료된 작업 지우기", - "Clear selection": "모두 선택 해제", "Clear successful operations": "성공한 작업 지우기", - "Clear successful operations from the operation list after a 5 second delay": "성공한 작업을 작업 목록에서 5초 후에 지우기", "Clear the local icon cache": "로컬 아이콘 캐시 지우기", - "Clearing Scoop cache - WingetUI": "Scoop 캐시 지우기 - UniGetUI", "Clearing Scoop cache...": "Scoop 캐시 지우는 중...", - "Click here for more details": "여기를 눌러 자세한 정보 확인", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "설치 버튼을 눌러 설치 프로세스를 시작하세요. 설치를 건너뛰면 UniGetUI가 예상대로 작동하지 않을 수 있습니다.", - "Close": "닫기", - "Close UniGetUI to the system tray": "시스템 트레이에 UniGetUI 닫기", "Close WingetUI to the notification area": "UniGetUI를 알림 영역으로 닫기", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "클라우드 백업은 개인 GitHub Gist를 사용하여 설치된 패키지 목록을 저장합니다", - "Cloud package backup": "클라우드 패키지 백업", "Command-line Output": "명령줄 출력", - "Command-line to run:": "실행할 명령줄:", "Compare query against": "쿼리 비교", - "Compatible with authentication": "인증 호환 여부", - "Compatible with proxy": "프록시 호환 여부", "Component Information": "구성 요소 정보", - "Concurrency and execution": "동시성 및 실행", - "Connect the internet using a custom proxy": "사용자 지정 프록시를 사용하여 인터넷 연결", - "Continue": "계속", "Contribute to the icon and screenshot repository": "아이콘 및 스크린샷을 저장소에 기여", - "Contributors": "기여자", "Copy": "복사", - "Copy to clipboard": "클립보드에 복사", - "Could not add source": "소스를 추가할 수 없습니다", - "Could not add source {source} to {manager}": "{manager}에 {source} 소스를 추가할 수 없습니다", - "Could not back up packages to GitHub Gist: ": "GitHub Gist에 패키지를 백업할 수 없습니다: ", - "Could not create bundle": "번들을 만들 수 없습니다", "Could not load announcements - ": "공지 사항을 불러올 수 없음 - ", "Could not load announcements - HTTP status code is $CODE": "공지 사항을 불러올 수 없음 - HTTP 상태 코드는 $CODE입니다", - "Could not remove source": "소스를 제거할 수 없습니다", - "Could not remove source {source} from {manager}": "{manager}에서 {source} 소스를 제거할 수 없습니다", "Could not remove {source} from {manager}": "{manager}에서 {source}(을)를 제거할 수 없습니다", - "Create .ps1 script": ".ps1 스크립트 생성", - "Credentials": "자격 증명", "Current Version": "현재 버전", - "Current executable file:": "현재 실행 파일:", - "Current status: Not logged in": "현재 상태: 로그인되지 않음", "Current user": "현재 사용자", "Custom arguments:": "사용자 지정 인자:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "사용자 지정 명령줄 인수는 UniGetUI가 제어할 수 없는 방식으로 프로그램 설치, 업그레이드 또는 제거 방식을 변경할 수 있습니다. 사용자 지정 명령줄을 사용하면 패키지가 손상될 수 있습니다. 주의해서 진행하세요.", "Custom command-line arguments:": "사용자 지정 명령줄 인수:", - "Custom install arguments:": "사용자 지정 설치 인수:", - "Custom uninstall arguments:": "사용자 지정 제거 인수:", - "Custom update arguments:": "사용자 지정 업데이트 인수:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI 사용자 지정 - 해커 및 고급 사용자 전용", - "DEBUG BUILD": "디버그 빌드", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "면책 조항: 당사는 다운로드한 패키지에 대해 책임을 지지 않습니다. 신뢰할 수 있는 소프트웨어만 설치하시기 바랍니다.", - "Dark": "어두운 테마", - "Decline": "거부", - "Default": "기본값", - "Default installation options for {0} packages": "{0} 패키지의 기본 설치 옵션", "Default preferences - suitable for regular users": "기본 환경 설정 - 일반 사용자에게 적합", - "Default vcpkg triplet": "기본 vcpkg triplet", - "Delete?": "삭제할까요?", - "Dependencies:": "종속성:", - "Descendant": "내림차순", "Description:": "설명:", - "Desktop shortcut created": "바탕 화면 바로 가기 만듦", - "Details of the report:": "보고서의 세부 사항:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "개발은 어렵지만, 이 응용 프로그램은 무료입니다. 하지만 응용 프로그램이 마음에 드셨다면 언제든지 커피 한 잔 사주세요 :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "패키지 정보를 표시하는 대신 \"{discoveryTab}\" 탭에서 항목을 두 번 클릭하여 바로 설치", "Disable new share API (port 7058)": "새 공유 API 끄기(포트 7058)", - "Disable the 1-minute timeout for package-related operations": "패키지 관련 작업에서 1분 시간 제한 끄기", - "Disabled": "사용 안 함", - "Disclaimer": "면책 조항", - "Discover Packages": "패키지 찾아보기", "Discover packages": "패키지 찾아보기", "Distinguish between\nuppercase and lowercase": "대문자와 소문자 구분", - "Distinguish between uppercase and lowercase": "대문자와 소문자 구분", "Do NOT check for updates": "업데이트 확인 안 함", "Do an interactive install for the selected packages": "선택한 패키지에 대해 대화형 설치 수행", "Do an interactive uninstall for the selected packages": "선택한 패키지에 대해 대화형 제거 수행", "Do an interactive update for the selected packages": "선택한 패키지에 대해 대화형 업데이트 수행", - "Do not automatically install updates when the battery saver is on": "배터리 절약 모드(절전 모드)가 켜져 있을 때 자동 업데이트 안 함", - "Do not automatically install updates when the device runs on battery": "장치가 배터리로 작동할 때 자동으로 업데이트 설치 안 함", - "Do not automatically install updates when the network connection is metered": "데이터 통신 연결 네트워크에서 자동 업데이트 안 함", "Do not download new app translations from GitHub automatically": "GitHub에서 새 앱 번역을 자동으로 다운로드하지 않음", - "Do not ignore updates for this package anymore": "이 패키지에 대한 업데이트 무시 안 함", "Do not remove successful operations from the list automatically": "성공한 작업을 목록에서 자동으로 제거 안 함", - "Do not show this dialog again for {0}": "{0}에 대해 이 대화 상자를 다시 표시 안 함", "Do not update package indexes on launch": "실행 시 패키지 인덱스 업데이트 안 함", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "사용자 경험을 이해 및 개선하기 위해 UniGetUI가 익명 사용 통계를 수집하고 보내도록 허용하시겠습니까?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "UniGetUI가 유용하다고 생각하시나요? 가능하다면 제 작업을 지원해 주시면 UniGetUI를 궁극적인 패키지 관리 인터페이스로 계속 만들 수 있을 것 같습니다.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "WingetUI가 유용하다고 생각하시나요? 개발자를 지원하고 싶으신가요? 그렇다면 {0}해 주세요. 정말 큰 도움이 됩니다!", - "Do you really want to reset this list? This action cannot be reverted.": "정말로 이 목록을 초기화하시겠습니까? 이 동작은 되돌릴 수 없습니다.", - "Do you really want to uninstall the following {0} packages?": "다음 {0} 패키지를 정말로 제거하시겠습니까?", "Do you really want to uninstall {0} packages?": "정말로 {0} 패키지를 제거하겠습니까?", - "Do you really want to uninstall {0}?": "{0}을(를) 제거하시겠습니까?", "Do you want to restart your computer now?": "컴퓨터를 지금 다시 시작하시겠습니까?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "UniGetUI를 귀하의 언어로 번역하고 싶으신가요? 참여 방법은 여기에서 확인하세요!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "기부하고 싶지 않으세요? 걱정하지 마세요. WingetUI는 언제든지 친구들과 공유할 수 있습니다. WingetUI에 대해 널리 알려주세요.", "Donate": "후원", - "Done!": "완료!", - "Download failed": "다운로드 실패", - "Download installer": "설치 프로그램 다운로드", - "Download operations are not affected by this setting": "다운로드 작업은 이 설정에 영향을 받지 않습니다", - "Download selected installers": "선택한 설치 프로그램 다운로드", - "Download succeeded": "다운로드 성공", "Download updated language files from GitHub automatically": "GitHub에서 업데이트된 언어 파일 자동 다운로드", - "Downloading": "다운로드 중", - "Downloading backup...": "백업을 다운로드하는 중...", - "Downloading installer for {package}": "{package} 설치 프로그램 다운로드 중", - "Downloading package metadata...": "패키지 메타데이터 다운로드 중...", - "Enable Scoop cleanup on launch": "프로그램 실행 시 Scoop 정리", - "Enable WingetUI notifications": "UniGetUI 알림 켜기", - "Enable an [experimental] improved WinGet troubleshooter": "향상된 WinGet 문제 해결사 사용(실험적)", - "Enable and disable package managers, change default install options, etc.": "패키지 관리자 활성화 및 비활성화, 기본 설치 옵션 변경 등", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "백그라운드 CPU 사용량 최적화(see Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "백그라운드 API 사용(UniGetUI 위젯 및 공유 용도, 포트 7058)", - "Enable it to install packages from {pm}.": "{pm}에서 패키지를 설치하도록 활성화합니다.", - "Enable the automatic WinGet troubleshooter": "WinGet 문제 해결사 자동으로 켜기", - "Enable the new UniGetUI-Branded UAC Elevator": "새 UniGetUI 브랜드 UAC 권한 상승 활성화", - "Enable the new process input handler (StdIn automated closer)": "새 프로세스 입력 핸들러 활성화 (StdIn 자동 닫기)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "아래 설정을 활성화하려면 해당 설정이 무엇을 하는지, 그리고 그로 인해 발생할 수 있는 영향과 위험을 완전히 이해해야만 합니다.", - "Enable {pm}": "{pm} 켜기", - "Enabled": "사용", - "Enter proxy URL here": "여기에 프록시 URL 입력", - "Entries that show in RED will be IMPORTED.": "빨간색으로 표시된 항목은 가져오기됩니다.", - "Entries that show in YELLOW will be IGNORED.": "노란색으로 표시된 항목은 무시됩니다.", - "Error": "오류", - "Everything is up to date": "모두 최신 상태입니다", - "Exact match": "정확히 일치", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "바탕 화면에 이미 존재하는 바로 가기를 스캔하며, 어떤 바로 가기를 유지하고 어떤 바로 가기를 제거할 지 골라야 합니다.", - "Expand version": "버전 확장", - "Experimental settings and developer options": "실험적 설정 및 개발자 옵션", - "Export": "내보내기", + "Downloading": "다운로드 중", + "Downloading installer for {package}": "{package} 설치 프로그램 다운로드 중", + "Downloading package metadata...": "패키지 메타데이터 다운로드 중...", + "Enable the new UniGetUI-Branded UAC Elevator": "새 UniGetUI 브랜드 UAC 권한 상승 활성화", + "Enable the new process input handler (StdIn automated closer)": "새 프로세스 입력 핸들러 활성화 (StdIn 자동 닫기)", "Export log as a file": "로그를 파일로 내보내기", "Export packages": "패키지 내보내기", "Export selected packages to a file": "선택한 패키지를 파일로 내보내기", - "Export settings to a local file": "로컬 파일로 설정 내보내기", - "Export to a file": "파일로 내보내기", - "Failed": "실패", - "Fetching available backups...": "사용 가능한 백업을 가져오는 중...", "Fetching latest announcements, please wait...": "최신 공지를 가져오는 중입니다. 잠시만 기다려 주세요...", - "Filters": "필터", "Finish": "완료", - "Follow system color scheme": "시스템 색상 구성표 따르기", - "Follow the default options when installing, upgrading or uninstalling this package": "이 패키지를 설치, 업그레이드 또는 제거할 때 기본 옵션을 따릅니다", - "For security reasons, changing the executable file is disabled by default": "보안상의 이유로 실행 파일을 변경하는 것은 기본적으로 비활성화되어 있습니다", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "보안상의 이유로 사용자 지정 명령줄 인수는 기본적으로 비활성화되어 있습니다. 이를 변경하려면 UniGetUI 보안 설정으로 이동하세요. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "보안상의 이유로 사전 및 사후 스크립트는 기본적으로 비활성화되어 있습니다. 이를 변경하려면 UniGetUI 보안 설정으로 이동하세요. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM 컴파일된 winget 버전 강제 사용(ARM64 시스템 전용)", - "Force install location parameter when updating packages with custom locations": "사용자 지정 위치의 패키지를 업데이트할 때 설치 위치 매개 변수 강제 사용", "Formerly known as WingetUI": "이전 명칭: WingetUI", "Found": "찾음", "Found packages: ": "찾은 패키지: ", "Found packages: {0}": "찾은 패키지: {0}", "Found packages: {0}, not finished yet...": "찾은 패키지: {0}, 아직 검색 중...", - "General preferences": "일반 환경 설정", "GitHub profile": "Github 프로필", "Global": "글로벌", - "Go to UniGetUI security settings": "UniGetUI 보안 설정으로 이동", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "알려지지 않았지만 유용한 유틸리티 및 기타 흥미로운 패키지의 훌륭한 저장소입니다.
포함: 유틸리티, 명령줄 프로그램, 일반 소프트웨어 (추가 버킷 필요)/b>", - "Great! You are on the latest version.": "훌룡해요! 최신 버전을 사용하고 있습니다.", - "Grid": "격자", - "Help": "도움말", "Help and documentation": "도움말 및 문서", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "여기에서 다음 단축키에 대한 UniGetUI의 동작을 변경할 수 있습니다. 단축키를 선택하면 향후 업그레이드 시 생성된 경우 UniGetUI가 이를 삭제합니다. 선택을 해제하면 단축키가 그대로 유지됩니다", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "안녕, 제 이름은 Martí고, UniGetUI 개발자예요. UniGetUI는 오로지 제 여가시간에 만들었죠!", "Hide details": "세부 정보 숨기기", - "Homepage": "홈페이지", - "Hooray! No updates were found.": "만세! 업데이트가 발견되지 않았습니다.", "How should installations that require administrator privileges be treated?": "관리자 권한이 필요한 설치는 어떻게 처리해야 하나요?", - "How to add packages to a bundle": "번들에 패키지를 추가하는 방법", - "I understand": "알겠습니다", - "Icons": "아이콘", - "Id": "아이디", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "클라우드 백업을 활성화하면 이 계정에 GitHub Gist로 저장됩니다", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "번들에서 패키지를 가져올 때 사용자 지정 설치 전 및 설치 후 명령 실행 허용", - "Ignore future updates for this package": "이 패키지에 대한 향후 업데이트 무시", - "Ignore packages from {pm} when showing a notification about updates": "업데이트 알림을 표시할 때 {pm}에서 패키지 무시", - "Ignore selected packages": "선택한 패키지 무시", - "Ignore special characters": "특수 문자 무시", "Ignore updates for the selected packages": "선택한 패키지에 대한 업데이트 무시", - "Ignore updates for this package": "이 패키지에 대한 업데이트 무시", "Ignored updates": "무시된 업데이트", - "Ignored version": "무시된 버전", - "Import": "가져오기", "Import packages": "패키지 가져오기", "Import packages from a file": "파일에서 패키지 가져오기", - "Import settings from a local file": "로컬 파일에서 설정 가져오기", - "In order to add packages to a bundle, you will need to: ": "패키지를 번들에 추가하려면 다음이 필요합니다: ", "Initializing WingetUI...": "UniGetUI 초기 설정 중...", - "Install": "설치", - "Install Scoop": "Scoop 설치", "Install and more": "설치 및 기타", "Install and update preferences": "설치 및 업데이트 환경 설정", - "Install as administrator": "관리자 권한으로 설치", - "Install available updates automatically": "사용 가능한 업데이트 자동으로 설치", - "Install location can't be changed for {0} packages": "{0} 패키지에 대해 설치 위치를 변경할 수 없습니다", - "Install location:": "설치 위치:", - "Install options": "설치 옵션", "Install packages from a file": "파일로부터 패키지 설치", - "Install prerelease versions of UniGetUI": "UniGetUI의 사전 릴리스 버전 설치", - "Install script": "설치 스크립트", "Install selected packages": "선택한 패키지 설치", "Install selected packages with administrator privileges": "선택한 패키지를 관리자 권한으로 설치", - "Install selection": "설치 항목 선택", "Install the latest prerelease version": "최신 사전 릴리스 버전 설치", "Install updates automatically": "자동으로 업데이트 설치", - "Install {0}": "{0} 설치", "Installation canceled by the user!": "사용자가 설치 작업을 취소했습니다!", - "Installation failed": "설치 실패", - "Installation options": "설치 옵션", - "Installation scope:": "설치 범위:", - "Installation succeeded": "설치 성공", - "Installed Packages": "설치된 패키지", - "Installed Version": "설치된 버전", "Installed packages": "설치된 패키지", - "Installer SHA256": "설치 프로그램의 SHA256", - "Installer SHA512": "설치 프로그램의 SHA512", - "Installer Type": "설치 프로그램 유형", - "Installer URL": "설치 프로그램 URL", - "Installer not available": "설치 프로그램을 사용할 수 없음", "Instance {0} responded, quitting...": "인스턴스 {0}이(가) 응답하여 끝내는 중입니다...", - "Instant search": "즉시 검색", - "Integrity checks can be disabled from the Experimental Settings": "무결성 검사는 실험 설정에서 비활성화할 수 있습니다", - "Integrity checks skipped": "무결성 검사 건너뜀", - "Integrity checks will not be performed during this operation": "이 작업 중에는 무결성 검사가 수행되지 않습니다", - "Interactive installation": "대화형 설치", - "Interactive operation": "대화형 작업", - "Interactive uninstall": "대화형 제거", - "Interactive update": "대화형 업데이트", - "Internet connection settings": "인터넷 연결 설정", - "Invalid selection": "잘못된 선택", "Is this package missing the icon?": "이 패키지에 아이콘이 없습니까?", - "Is your language missing or incomplete?": "언어가 누락되었거나 불완전합니까?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "제공된 자격 증명이 안전하게 저장될 것이라는 보장이 없으므로 은행 계좌의 자격 증명을 사용하지 않는 것이 좋습니다", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet 복구 후에는 UniGetUI를 다시 시작할 것을 권장합니다", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "이 문제를 해결하기 위해 UniGetUI를 재설치하는 것을 강력히 권장합니다.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet이 올바르게 작동하지 않는 것 같습니다. WinGet 복구를 시도하시겠어요?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "UniGetUI를 관리자 권한으로 실행한 것 같습니다. 그러나 이는 권장하지 않습니다. 프로그램을 계속 사용할 수는 있지만 UniGetUI를 관리자 권한으로 실행하지 않는 것이 좋습니다. 이유를 확인하려면 \"{showDetails}\"를 클릭하세요.", - "Language": "언어", - "Language, theme and other miscellaneous preferences": "언어, 테마 및 기타 환경 설정", - "Last updated:": "마지막 업데이트:", - "Latest": "최신", "Latest Version": "최신 버전", "Latest Version:": "최신 버전:", "Latest details...": "최신 세부 정보...", "Launching subprocess...": "하위 프로세스 실행 중...", - "Leave empty for default": "공백은 기본값", - "License": "라이선스", "Licenses": "라이선스", - "Light": "밝은 테마", - "List": "목록", "Live command-line output": "실시간 명령줄 출력", - "Live output": "실시간 출력", "Loading UI components...": "UI 구성 요소 불러오는 중...", "Loading WingetUI...": "UniGetUI 불러오는 중...", - "Loading packages": "패키지 불러오는 중", - "Loading packages, please wait...": "패키지를 불러오는 중입니다. 잠시만 기다려주세요...", - "Loading...": "불러오는 중...", - "Local": "로컬", - "Local PC": "로컬 PC", - "Local backup advanced options": "로컬 백업 고급 옵션", "Local machine": "로컬 컴퓨터", - "Local package backup": "로컬 패키지 백업", "Locating {pm}...": "{pm} 찾는 중...", - "Log in": "로그인", - "Log in failed: ": "로그인 실패: ", - "Log in to enable cloud backup": "클라우드 백업을 활성화하려면 로그인하세요", - "Log in with GitHub": "GitHub 로그인", - "Log in with GitHub to enable cloud package backup.": "클라우드 패키지 백업을 활성화하려면 GitHub에 로그인하세요.", - "Log level:": "로그 수준:", - "Log out": "로그 아웃", - "Log out failed: ": "로그아웃 실패: ", - "Log out from GitHub": "GitHub에서 로그아웃", "Looking for packages...": "패키지를 찾는 중...", "Machine | Global": "컴퓨터 | 글로벌", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "잘못된 형식의 명령줄 인수는 패키지를 깨거나 악의적인 행위자가 권한 있는 실행을 얻도록 허용할 수 있습니다. 따라서 사용자 지정 명령줄 인수를 가져오는 것은 기본적으로 비활성화되어 있습니다", - "Manage": "관리", - "Manage UniGetUI settings": "UniGetUI 설정 관리", "Manage WingetUI autostart behaviour from the Settings app": "설정 앱에서 UniGetUI 자동 시작 동작 관리", "Manage ignored packages": "무시된 패키지 관리", - "Manage ignored updates": "무시된 업데이트 관리", - "Manage shortcuts": "바로 가기 관리", - "Manage telemetry settings": "진단 설정 관리", - "Manage {0} sources": "{0} 소스 관리", - "Manifest": "매니페스트", "Manifests": "매니페스트", - "Manual scan": "수동 검사", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft 공식 패키지 관리자입니다. 잘 알려지고 검증된 패키지로 구성되어 있습니다.
포함: 일반 소프트웨어, Microsoft Store 앱", - "Missing dependency": "누락된 의존성", - "More": "자세히 보기", - "More details": "자세한 정보", - "More details about the shared data and how it will be processed": "공유 데이터 및 처리 방식에 대한 자세한 정보", - "More info": "자세한 정보", - "More than 1 package was selected": "두 개 이상의 패키지가 선택되었습니다", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "참고: 이 문제 해결사는 WinGet 섹션의 UniGetUI 설정에서 비활성화할 수 있습니다", - "Name": "이름", - "New": "새로 만들기", "New Version": "새 버전", "New bundle": "새 번들", - "New version": "새 버전", - "Nice! Backups will be uploaded to a private gist on your account": "좋습니다! 백업은 귀하의 계정의 비공개 gist에 업로드됩니다", - "No": "아니요", - "No applicable installer was found for the package {0}": "패키지 {0}에 적용 가능한 설치 프로그램을 찾을 수 없습니다.", - "No dependencies specified": "종속성이 지정되지 않았습니다", - "No new shortcuts were found during the scan.": "검사 중에 새로운 바로가기가 발견되지 않았습니다.", - "No package was selected": "선택된 패키지가 없습니다", "No packages found": "패키지를 찾을 수 없습니다.", "No packages found matching the input criteria": "입력 기준과 일치하는 패키지를 찾을 수 없습니다", "No packages have been added yet": "아직 패키지가 추가되지 않았습니다", "No packages selected": "선택한 패키지 없음", - "No packages were found": "패키지를 찾을 수 없습니다", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "개인 사용자 정보는 수집되지도 전송되지 않으며 역추적할 수 없도록 익명 처리되어 수집됩니다.", - "No results were found matching the input criteria": "입력 기준과 일치하는 결과를 찾을 수 없습니다", "No sources found": "소스를 찾을 수 없음", "No sources were found": "소스를 찾을 수 없습니다.", "No updates are available": "사용 가능한 업데이트 없음", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS의 패키지 관리자. 자바스크립트와 관련된 라이브러리와 기타 유틸리티로 가득합니다.
포함 내용: 노드 자바스크립트 라이브러리 및 기타 관련 유틸리티", - "Not available": "사용할 수 없음", - "Not finding the file you are looking for? Make sure it has been added to path.": "찾고 있는 파일을 찾지 못했나요? 경로에 파일이 추가되었는지 확인하세요.", - "Not found": "찾을 수 없음", - "Not right now": "지금은 아님", "Notes:": "참고:", - "Notification preferences": "알림 환경 설정", "Notification tray options": "알림 영역 옵션", - "Notification types": "알림 종류", - "NuPkg (zipped manifest)": "NuPkg(압축된 매니페스트)", - "OK": "확인", "Ok": "확인", - "Open": "열기", "Open GitHub": "GitHub 열기", - "Open UniGetUI": "UniGetUI 열기", - "Open UniGetUI security settings": "UniGetUI 보안 설정 열기", "Open WingetUI": "UniGetUI 열기", "Open backup location": "백업 위치 열기", "Open existing bundle": "기존 번들 열기", - "Open install location": "설치 위치 열기", "Open the welcome wizard": "시작 마법사 열기", - "Operation canceled by user": "사용자가 작업을 취소했습니다", "Operation cancelled": "작업 취소됨", - "Operation history": "작업 기록", - "Operation in progress": "작업 진행 중", - "Operation on queue (position {0})...": "작업 대기 중(위치 {0})...", - "Operation profile:": "운영 프로필:", "Options saved": "옵션이 저장되었습니다", - "Order by:": "정렬:", - "Other": "기타", - "Other settings": "기타 설정", - "Package": "패키지", - "Package Bundles": "패키지 번들", - "Package ID": "패키지 ID", "Package Manager": "패키지 관리자", - "Package Manager logs": "패키지 관리자 로그", - "Package Managers": "패키지 관리자", - "Package Name": "패키지 이름", - "Package backup": "패키지 백업", - "Package backup settings": "패키지 백업 설정", - "Package bundle": "패키지 번들", - "Package details": "패키지 세부 정보", - "Package lists": "패키지 목록", - "Package management made easy": "패키지 관리가 더욱 쉬워졌습니다", - "Package manager": "패키지 관리", - "Package manager preferences": "패키지 관리자 환경 설정", "Package managers": "패키지 관리자", - "Package not found": "패키지를 찾을 수 없음", - "Package operation preferences": "패키지 작업 환경 설정", - "Package update preferences": "패키지 업데이트 환경 설정", "Package {name} from {manager}": "{manager}의 {name} 패키지", - "Package's default": "패키지의 기본값", "Packages": "패키지", "Packages found: {0}": "찾은 패키지: {0}", - "Partially": "부분적", - "Password": "암호", "Paste a valid URL to the database": "유효한 URL을 데이터베이스에 붙여넣기", - "Pause updates for": "업데이트 일시 중지", "Perform a backup now": "지금 백업 수행", - "Perform a cloud backup now": "지금 클라우드 백업 수행", - "Perform a local backup now": "지금 로컬 백업 수행", - "Perform integrity checks at startup": "시작 시 무결성 검사 수행", - "Performing backup, please wait...": "백업을 수행하는 중. 잠시만 기다려주세요...", "Periodically perform a backup of the installed packages": "설치된 패키지의 백업을 주기적으로 수행", - "Periodically perform a cloud backup of the installed packages": "설치된 패키지의 클라우드 백업을 주기적으로 수행", - "Periodically perform a local backup of the installed packages": "설치된 패키지의 로컬 백업을 주기적으로 수행", - "Please check the installation options for this package and try again": "이 패키지의 설치 옵션을 확인하고 다시 시도해주세요", - "Please click on \"Continue\" to continue": "계속하려면 \"계속\"을 클릭하세요", "Please enter at least 3 characters": "3자 이상 입력하세요", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "이 컴퓨터에서 사용 중인 패키지 관리자로 인해 특정 패키지를 설치하지 못할 수도 있습니다.", - "Please note that not all package managers may fully support this feature": "모든 패키지 관리자가 이 기능을 완전히 지원하는 것은 아닙니다", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "특정 소스의 패키지는 내보내지 못할 수 있습니다. 해당 패키지는 회색으로 표시되어 내보낼 수 없습니다.", - "Please run UniGetUI as a regular user and try again.": "UniGetUI를 일반 사용자로 실행하고 다시 시도해주세요.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "이 문제에 대한 자세한 내용은 [명령줄 출력]을 참조하거나 [작업 기록]을 참조하세요.", "Please select how you want to configure WingetUI": "WingetUI를 구성할 방법을 선택해 주세요", - "Please try again later": "나중에 다시 시도해주세요", "Please type at least two characters": "최소 두 글자를 입력하세요", - "Please wait": "잠시만 기다려주세요", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0}을(를) 설치하는 동안 잠시만 기다려주세요. 검은(또는 파란) 창이 표시될 수 있습니다. 닫힐 때까지 기다려주세요.", - "Please wait...": "잠시만 기다려주세요...", "Portable": "포터블", - "Portable mode": "포터블 모드", - "Post-install command:": "설치 후 명령:", - "Post-uninstall command:": "제거 후 명령:", - "Post-update command:": "업데이트 후 명령:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell의 패키지 관리자. PowerShell 기능을 확장할 라이브러리 및 스크립트를 찾아보세요.
포함 내용: 모듈, 스크립트, Cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "설치 전 및 설치 후 명령어는 장치에 매우 불쾌한 영향을 미칠 수 있습니다. 패키지 번들의 출처를 신뢰하지 않는 한 번들에서 명령어를 가져오는 것은 매우 위험할 수 있습니다", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "패키지가 설치, 업그레이드 또는 제거되기 전후에 사전 및 사후 설치 명령이 실행됩니다. 신중하게 사용하지 않으면 문제가 발생할 수 있다는 점에 유의하세요", - "Pre-install command:": "설치 전 명령:", - "Pre-uninstall command:": "제거 전 명령:", - "Pre-update command:": "업데이트 전 명령:", - "PreRelease": "사전 릴리스", - "Preparing packages, please wait...": "패키지 준비 중, 잠시만 기다려주세요...", - "Proceed at your own risk.": "모든 책임은 사용자에게 있습니다.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator 또는 GSudo를 통한 모든 종류의 권한 상승 금지", - "Proxy URL": "프록시 URL", - "Proxy compatibility table": "프록시 호환성 표", - "Proxy settings": "프록시 설정", - "Proxy settings, etc.": "프록시 설정 등", "Publication date:": "게시 날짜:", - "Publisher": "게시자", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python 라이브러리 관리자. Python 라이브러리 및 기타 Python 관련 유틸리티가 가득합니다
포함 내용: Python 라이브러리 및 관련 유틸리티", - "Quit": "종료", "Quit WingetUI": "UniGetUI 종료", - "Ready": "준비 완료", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC 프롬프트 감소, 기본 설치 업그레이드, 특정 위험한 기능 잠금 해제 등.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "영향을 받은 파일에 대한 자세한 내용은 UniGetUI 로그를 참조하세요", - "Reinstall": "재설치", - "Reinstall package": "패키지 재설치", - "Related settings": "관련 설정", - "Release notes": "릴리스 노트", - "Release notes URL": "릴리스 노트 URL", "Release notes URL:": "릴리스 노트 URL:", "Release notes:": "릴리스 노트:", "Reload": "다시 불러오기", - "Reload log": "로그 다시 불러오기", "Removal failed": "제거 실패", "Removal succeeded": "제거 성공", - "Remove from list": "목록에서 제거", "Remove permanent data": "저장된 데이터 제거", - "Remove selection from bundle": "번들에서 선택 항목 제거", "Remove successful installs/uninstalls/updates from the installation list": "설치/제거/업데이트 성공한 항목을 설치 목록에서 삭제", - "Removing source {source}": "{source} 소스 제거", - "Removing source {source} from {manager}": "{manager}에서 {source} 소스 제거", - "Repair UniGetUI": "UniGetUI 복구", - "Repair WinGet": "WinGet 복구", - "Report an issue or submit a feature request": "문제 신고 또는 기능 요청 제출", "Repository": "저장소", - "Reset": "초기화", "Reset Scoop's global app cache": "Scoop의 전역 앱 캐시 재설정", - "Reset UniGetUI": "UniGetUI 초기화", - "Reset WinGet": "WinGet 재설정", "Reset Winget sources (might help if no packages are listed)": "Winget 소스 재설정 (패키지가 나열되지 않은 경우 도움이 될 수 있음)", - "Reset WingetUI": "UniGetUI 초기화", "Reset WingetUI and its preferences": "UniGetUI 및 설정 초기화", "Reset WingetUI icon and screenshot cache": "UniGetUI 아이콘 및 스크린샷 캐시 재설정", - "Reset list": "목록 초기화", "Resetting Winget sources - WingetUI": "WinGet 소스 초기화 - UniGetUI", - "Restart": "다시 시작", - "Restart UniGetUI": "UniGet 다시 시작", - "Restart WingetUI": "UniGetUI 다시 시작", - "Restart WingetUI to fully apply changes": "변경 사항을 완전히 적용하려면 UniGetUI를 다시 시작하세요", - "Restart later": "나중에 다시 시작", "Restart now": "지금 다시 시작", - "Restart required": "다시 시작 필요", - "Restart your PC to finish installation": "설치를 완료하려면 PC를 다시 시작하세요", - "Restart your computer to finish the installation": "설치를 완료하려면 컴퓨터를 다시 시작하세요", - "Restore a backup from the cloud": "클라우드에서 백업 복원", - "Restrictions on package managers": "패키지 관리자에 대한 제한 사항", - "Restrictions on package operations": "패키지 작업에 대한 제한 사항", - "Restrictions when importing package bundles": "패키지 번들을 가져올 때의 제한 사항", - "Retry": "다시 시도", - "Retry as administrator": "관리자 권한으로 다시 시도", - "Retry failed operations": "실패한 작업 다시 시도", - "Retry interactively": "대화형 다시 시도", - "Retry skipping integrity checks": "건너뛴 무결성 검사 다시 시도", - "Retrying, please wait...": "다시 시도 중. 잠시만 기다려주세요...", - "Return to top": "맨 위로 돌아가기", - "Run": "실행", - "Run as admin": "관리자 권한으로 실행", - "Run cleanup and clear cache": "정리 실행 및 캐시 지우기", - "Run last": "마지막 실행", - "Run next": "다음 항목 실행", - "Run now": "지금 실행", + "Restart your PC to finish installation": "설치를 완료하려면 PC를 다시 시작하세요", + "Restart your computer to finish the installation": "설치를 완료하려면 컴퓨터를 다시 시작하세요", + "Retry failed operations": "실패한 작업 다시 시도", + "Retrying, please wait...": "다시 시도 중. 잠시만 기다려주세요...", + "Return to top": "맨 위로 돌아가기", "Running the installer...": "설치 프로그램 실행 중...", "Running the uninstaller...": "제거 프로그램 실행 중...", "Running the updater...": "업데이트 프로그램 실행 중...", - "Save": "저장", "Save File": "파일 저장", - "Save and close": "저장하고 닫기", - "Save as": "다른 이름으로 저장", "Save bundle as": "번들을 다른 이름으로 저장", "Save now": "지금 저장", - "Saving packages, please wait...": "패키지 저장 중. 잠시만 기다려주세요...", - "Scoop Installer - WingetUI": "Scoop 설치 프로그램 - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop 제거 프로그램 - UniGetUI", - "Scoop package": "Scoop 패키지", "Search": "검색", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "바탕 화면 소프트웨어를 검색해서 업데이트가 있을 때만 알리고 다른 일은 안 합니다. UniGetUI가 복잡해지지 않고 단순히 소프트웨어 스토어이도록 합니다", - "Search for packages": "패키지 검색", - "Search for packages to start": "시작할 패키지 검색", - "Search mode": "검색 모드", "Search on available updates": "사용 가능한 업데이트 검색", "Search on your software": "설치된 소프트웨어 검색", "Searching for installed packages...": "설치된 패키지 검색 중...", "Searching for packages...": "패키지 검색 중...", "Searching for updates...": "업데이트 검색 중...", - "Select": "선택", "Select \"{item}\" to add your custom bucket": "사용자 버킷을 추가하려면 \"{item}\"을(를) 선택하세요", "Select a folder": "폴더 선택", - "Select all": "모두 선택", "Select all packages": "모든 패키지 선택", - "Select backup": "백업 선택", "Select only if you know what you are doing.": "자신이 무엇을 하고 있는지 알고 있는 경우에만 선택합니다.", "Select package file": "패키지 파일 선택", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "열 백업을 선택합니다. 나중에 복원하려는 패키지/프로그램을 검토할 수 있습니다.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "사용할 실행 파일을 선택합니다. 다음 목록은 UniGetUI에서 찾은 실행 파일을 보여줍니다", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "이 패키지를 설치, 업데이트 또는 제거하기 전에 닫아야 할 프로세스를 선택합니다.", - "Select the source you want to add:": "추가하고 싶은 소스를 선택하세요:", - "Select upgradable packages by default": "기본적으로 업그레이드 가능한 패키지 선택", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "사용할 패키지 관리자 선택({0}), 패키지 설치 방법 구성, 관리자 권한 처리 방법 등을 관리합니다.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "핸드셰이크를 보내고 인스턴스 응답을 기다리는 중...({0}%)", - "Set a custom backup file name": "사용자 지정 백업 파일 이름 설정", "Set custom backup file name": "사용자 지정 백업 파일 이름 설정", - "Settings": "설정", - "Share": "공유", "Share WingetUI": "UniGetUI 공유", - "Share anonymous usage data": "익명 사용 데이터 공유", - "Share this package": "이 패키지 공유", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "보안 설정을 수정한 경우 변경 사항을 적용하려면 번들을 다시 열어야 합니다.", "Show UniGetUI on the system tray": "시스템 트레이에 UniGetUI 표시", - "Show UniGetUI's version and build number on the titlebar.": "UniGetUI의 버전과 빌드 번호를 제목 표시줄에 표시합니다.", - "Show WingetUI": "UniGetUI 창 표시", "Show a notification when an installation fails": "설치 실패 시 알림 표시", "Show a notification when an installation finishes successfully": "설치가 성공적으로 완료되면 알림 표시", - "Show a notification when an operation fails": "작업 실패 시 알림 표시", - "Show a notification when an operation finishes successfully": "작업이 성공적으로 완료되면 알림 표시", - "Show a notification when there are available updates": "사용 가능한 업데이트가 있을 때 알림 표시", - "Show a silent notification when an operation is running": "작업 실행 중일 때 조용한 알림 표시", "Show details": "세부 정보 보기", - "Show in explorer": "탐색기에 표시", "Show info about the package on the Updates tab": "[업데이트] 탭에서 패키지에 대한 정보 표시", "Show missing translation strings": "누락된 번역 문자열 표시", - "Show notifications on different events": "다양한 이벤트에 대한 알림 표시", "Show package details": "패키지 세부 정보 표시", - "Show package icons on package lists": "패키지 목록에 패키지 아이콘 표시", - "Show similar packages": "유사한 패키지 표시", "Show the live output": "실시간 출력 표시하기", - "Size": "크기", "Skip": "건너뛰기", - "Skip hash check": "해시 검사 건너뛰기", - "Skip hash checks": "해시 검사 건너뛰기", - "Skip integrity checks": "무결성 검사 건너뛰기", - "Skip minor updates for this package": "이 패키지의 마이너 업데이트 건너뛰기", "Skip the hash check when installing the selected packages": "선택한 패키지를 설치할 때 해시 확인 건너뛰기", "Skip the hash check when updating the selected packages": "선택한 패키지를 업데이트할 때 해시 확인 건너뛰기", - "Skip this version": "이 버전 건너뛰기", - "Software Updates": "소프트웨어 업데이트", - "Something went wrong": "문제가 발생했습니다", - "Something went wrong while launching the updater.": "업데이트 프로그램을 실행하는 도중 문제가 발생했습니다.", - "Source": "공급자", - "Source URL:": "공급자 URL:", - "Source added successfully": "공급자를 성공적으로 추가했습니다", "Source addition failed": "공급자 추가 실패", - "Source name:": "공급자 이름:", "Source removal failed": "공급자 제거 실패", - "Source removed successfully": "공급자를 성공적으로 제거했습니다", "Source:": "공급자:", - "Sources": "공급자", "Start": "시작", "Starting daemons...": "서비스 시작 중...", - "Starting operation...": "작업 시작 중...", "Startup options": "시작 옵션", "Status": "상태", "Stuck here? Skip initialization": "여기서 멈췄나요? 초기 설정 건너뛰기", - "Success!": "성공!", "Suport the developer": "개발자 지원하기", "Support me": "지원하기", "Support the developer": "개발자 지원", "Systems are now ready to go!": "이제 시스템을 사용할 준비가 되었습니다!", - "Telemetry": "진단", - "Text": "텍스트", "Text file": "텍스트 파일", - "Thank you ❤": "감사합니다❤", - "Thank you \uD83D\uDE09": "감사합니다\uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust의 패키지 관리자입니다.
포함 내용: Rust로 작성된 Rust 라이브러리 및 프로그램", - "The backup will NOT include any binary file nor any program's saved data.": "백업에는 바이너리 파일이나 프로그램의 저장 데이터가 포함되지 않습니다.", - "The backup will be performed after login.": "로그인 후 백업이 수행됩니다.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "백업에는 설치된 패키지의 전체 목록과 해당 설치 옵션이 포함됩니다. 무시된 업데이트와 건너뛴 버전도 저장됩니다.", - "The bundle was created successfully on {0}": "{0}에 번들이 성공적으로 생성되었습니다", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "불러오려는 번들이 유효하지 않은 것으로 보입니다. 파일을 확인하고 다시 시도해주세요.", + "Thank you 😉": "감사합니다😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "설치 프로그램의 체크섬이 예상 값과 일치하지 않아 설치 프로그램의 진위 여부를 확인할 수 없습니다. 게시자를 신뢰하는 경우 {0} 패키지의 해시 확인을 건너뛰세요.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows용 클래식 패키지 관리자. 뭐든지 찾을 수 있습니다.
포함 내용: 일반 소프트웨어", - "The cloud backup completed successfully.": "클라우드 백업이 성공적으로 완료되었습니다.", - "The cloud backup has been loaded successfully.": "클라우드 백업이 성공적으로 로드되었습니다.", - "The current bundle has no packages. Add some packages to get started": "현재 번들에 패키지가 없습니다. 시작하려면 몇 가지 패키지를 추가하세요", - "The executable file for {0} was not found": "{0}에 대한 실행 파일을 찾을 수 없습니다.", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "다음 옵션은 {0} 패키지가 설치, 업그레이드 또는 제거될 때마다 기본적으로 적용됩니다.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "다음 패키지를 JSON 파일로 내보냅니다. 사용자 데이터나 바이너리는 저장되지 않습니다.", "The following packages are going to be installed on your system.": "다음 패키지가 시스템에 설치됩니다.", - "The following settings may pose a security risk, hence they are disabled by default.": "다음 설정은 보안 위험을 초래할 수 있으므로 기본적으로 비활성화됩니다.", - "The following settings will be applied each time this package is installed, updated or removed.": "이 패키지를 설치, 업데이트 또는 제거할 때마다 다음 설정이 적용됩니다.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "이 패키지를 설치, 업데이트 또는 제거할 때마다 다음 설정이 적용됩니다. 이 설정은 자동으로 저장됩니다.", "The icons and screenshots are maintained by users like you!": "아이콘과 스크린샷은 여러분과 같은 사용자들에 의해 유지되고 있습니다!", - "The installation script saved to {0}": "{0}에 저장된 설치 스크립트", - "The installer authenticity could not be verified.": "설치 프로그램의 신뢰성을 검증할 수 없습니다.", "The installer has an invalid checksum": "설치 프로그램에 잘못된 체크섬이 있습니다", "The installer hash does not match the expected value.": "설치 프로그램의 해시가 예상한 값과 일치하지 않습니다.", - "The local icon cache currently takes {0} MB": "로컬 아이콘 캐시가 {0} MB를 차지하고 있습니다", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "이 프로젝트의 주요 목표는 Winget 및 Scoop과 같은 가장 일반적인 Windows용 CLI 패키지 관리자를 관리하기 위한 직관적인 UI를 만드는 것입니다.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "패키지 관리자 \"{1}\"에서 \"{0}\" 패키지를 찾을 수 없습니다.", - "The package bundle could not be created due to an error.": "오류로 인해 패키지 번들을 만들 수 없습니다.", - "The package bundle is not valid": "패키지 번들이 유효하지 않습니다", - "The package manager \"{0}\" is disabled": "패키지 관리자 \"{0}\"이(가) 꺼져 있습니다.", - "The package manager \"{0}\" was not found": "패키지 관리자 \"{0}\"을(를) 찾을 수 없습니다.", "The package {0} from {1} was not found.": "{1}에서 {0} 패키지를 찾을 수 없습니다.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "여기에 나열된 패키지는 업데이트를 확인할 때 고려되지 않습니다. 업데이트 무시를 중지하려면 해당 항목을 두 번 클릭하거나 오른쪽에 있는 버튼을 클릭하세요.", "The selected packages have been blacklisted": "선택된 패키지가 블랙리스트에 등록되었습니다", - "The settings will list, in their descriptions, the potential security issues they may have.": "설정은 설명에 잠재적인 보안 문제를 나열할 것입니다.", - "The size of the backup is estimated to be less than 1MB.": "백업 크기는 1MB 미만으로 예상됩니다.", - "The source {source} was added to {manager} successfully": "공급자 {source}을(를) {manager}에 성공적으로 추가했습니다", - "The source {source} was removed from {manager} successfully": "공급자 {source}을(를) {manager}에서 성공적으로 제거했습니다", - "The system tray icon must be enabled in order for notifications to work": "알림이 작동하려면 시스템 트레이 아이콘을 켜야 합니다", - "The update process has been aborted.": "업데이트 프로세스가 중단되었습니다.", - "The update process will start after closing UniGetUI": "UniGetUI가 닫힌 후에 업데이트 프로세스가 시작됩니다", "The update will be installed upon closing WingetUI": "UniGetUI를 닫으면 업데이트가 설치됩니다", "The update will not continue.": "업데이트를 계속하지 않습니다.", "The user has canceled {0}, that was a requirement for {1} to be run": "사용자가 {0}을(를) 취소했습니다. 이는 {1}을(를) 실행하기 위한 요구 사항이었습니다", - "There are no new UniGetUI versions to be installed": "설치할 새로운 UniGetUI 버전이 없습니다", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "진행 중인 작업이 있습니다. UniGetUI를 끝내면 작업이 실패할 수 있습니다. 계속할까요?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube에는 UniGetUI와 그 기능을 보여주는 훌륭한 동영상이 몇 개 있습니다. 유용한 요령과 팁을 배울 수 있습니다!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI를 관리자로 실행하지 않는 데에는 두 가지 이유가 있습니다. 첫 번째는 Scoop 패키지 관리자가 관리자 권한으로 실행할 때 일부 명령에 문제가 발생할 수 있다는 것입니다. UniGetUI를 관리자 권한으로 실행하면 다운로드하는 모든 패키지가 관리자 권한으로 실행됩니다(안전하지 않음). 특정 패키지를 관리자 권한으로 설치해야 하는 경우 항목을 마우스 오른쪽 버튼으로 클릭하여 관리자 권한으로 설치/업데이트/제거할 수 있습니다.", - "There is an error with the configuration of the package manager \"{0}\"": "패키지 관리자 \"{0}\" 구성에 오류가 발생했습니다.", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "설치가 진행 중입니다. UniGetUI를 닫으면 설치가 실패하고 예기치 않은 결과가 발생할 수 있습니다. 그래도 UniGetUI를 끝내시겠습니까?", "They are the programs in charge of installing, updating and removing packages.": "패키지 설치, 업데이트 및 제거를 담당하는 프로그램입니다.", - "Third-party licenses": "타사 라이선스", "This could represent a security risk.": "이는 보안 위험을 발생시킬 수 있습니다.", - "This is not recommended.": "권장하지 않습니다.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "이는 보낸 패키지가 제거되었거나 사용하도록 설정하지 않은 패키지 관리자에 게시되었기 때문일 수 있습니다. 받은 ID는 {0}입니다.", "This is the default choice.": "이것은 기본 선택입니다.", - "This may help if WinGet packages are not shown": "WinGet 패키지가 표시되지 않으면 도움이 될 수 있습니다", - "This may help if no packages are listed": "패키지가 표시되지 않으면 도움이 될 수 있습니다", - "This may take a minute or two": "1~2분 소요될 수 있습니다", - "This operation is running interactively.": "이 작업은 대화형으로 실행 중입니다.", - "This operation is running with administrator privileges.": "이 작업은 관리자 권한으로 실행 중입니다.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "이 옵션은 문제를 일으킬 수 있습니다. 스스로 권한을 상승시킬 수 없는 작업은 실패합니다. 관리자 권한으로 설치/업데이트/제거해도 작동하지 않습니다.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "이 패키지 번들에는 잠재적으로 위험할 수 있는 몇 가지 설정이 포함되어 있으며, 기본적으로 무시될 수 있습니다.", "This package can be updated": "이 패키지를 업데이트할 수 있습니다", "This package can be updated to version {0}": "이 패키지를 {0} 버전으로 업데이트할 수 있습니다", - "This package can be upgraded to version {0}": "이 패키지는 {0} 버전으로 업그레이드할 수 있습니다.", - "This package cannot be installed from an elevated context.": "이 패키지는 권한 상승된 컨텍스트에서는 설치할 수 없습니다.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "이 패키지가 스크린샷 또는 아이콘이 없나요? 우리의 오픈 및 공용 데이터베이스에 누락된 아이콘 및 스크린샷을 추가하여 UniGetUI에 기여하세요.", - "This package is already installed": "이 패키지는 이미 설치되어 있습니다", - "This package is being processed": "이 패키지는 처리 중입니다", - "This package is not available": "이 패키지는 사용할 수 없습니다", - "This package is on the queue": "이 패키지는 대기열에 있습니다", "This process is running with administrator privileges": "이 프로세스는 관리자 권한으로 실행 중입니다", - "This project has no connection with the official {0} project — it's completely unofficial.": "이 프로젝트는 공식 {0} 프로젝트와 관련이 없습니다. — 완전히 비공식적인 프로젝트입니다.", "This setting is disabled": "이 설정은 꺼져 있습니다", "This wizard will help you configure and customize WingetUI!": "이 마법사는 UniGetUI를 구성하고 사용자 지정하는 데 도움이 됩니다!", "Toggle search filters pane": "검색 필터 창 전환", - "Translators": "번역가", - "Try to kill the processes that refuse to close when requested to": "요청 시 종료를 거부하는 프로세스를 제거해 보세요", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "이 기능을 켜면 패키지 관리자와 상호 작용하는 데 사용되는 실행 파일을 변경할 수 있습니다. 이렇게 하면 설치 프로세스를 세부적으로 사용자 지정할 수 있지만 위험할 수도 있습니다", "Type here the name and the URL of the source you want to add, separed by a space.": "여기에 추가하려는 소스의 이름과 URL을 공백으로 구분하여 입력하세요.", "Unable to find package": "패키지를 찾을 수 없습니다", "Unable to load informarion": "패키지 정보를 불러올 수 없음", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI는 사용자 경험을 개선하기 위해 익명 사용 데이터를 수집합니다.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI는 오로지 사용자 경험을 이해 및 개선하기 위해 익명 사용 통계를 수집합니다.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI가 자동으로 삭제할 수 있는 새 바탕 화면 바로 가기를 감지했습니다.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI가 향후 업그레이드 시 자동으로 제거할 수 있는 바탕 화면 바로 가기를 다음과 같이 감지했습니다", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI가 자동으로 삭제할 수 있는 {0}개의 새 바탕 화면 바로 가기를 감지했습니다.", - "UniGetUI is being updated...": "UniGetUI를 업데이트하는 중...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI는 호환되는 패키지 관리자와 관련이 없습니다. UniGetUI는 독립적인 프로젝트입니다.", - "UniGetUI on the background and system tray": "백그라운드 및 시스템 트레이의 UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI 또는 일부 구성 요소가 누락되었거나 손상되었습니다.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI가 작업을 실행하려면 {0}이(가) 필요하지만 시스템에서 찾을 수 없습니다.", - "UniGetUI startup page:": "UniGetUI 시작 페이지:", - "UniGetUI updater": "UniGetUI 업데이트 프로그램", - "UniGetUI version {0} is being downloaded.": "UniGetUI {0} 버전을 다운로드하고 있습니다.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} 설치가 준비되었습니다.", - "Uninstall": "제거", - "Uninstall Scoop (and its packages)": "Scoop 제거 및 Scoop으로 설치된 패키지 제거", "Uninstall and more": "제거 및 기타", - "Uninstall and remove data": "제거 및 데이터 삭제", - "Uninstall as administrator": "관리자 권한으로 제거", "Uninstall canceled by the user!": "사용자가 제거 작업을 취소했습니다!", - "Uninstall failed": "제거 실패", - "Uninstall options": "제거 옵션", - "Uninstall package": "패키지 제거", - "Uninstall package, then reinstall it": "패키지 제거 후 재설치", - "Uninstall package, then update it": "패키지 제거 후 업데이트", - "Uninstall previous versions when updated": "업데이트 시 이전 버전 제거", - "Uninstall selected packages": "선택한 패키지 제거", - "Uninstall selection": "선택 항목 제거", - "Uninstall succeeded": "제거 성공", "Uninstall the selected packages with administrator privileges": "선택한 패키지를 관리자 권한으로 제거합니다", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "원본이 \"{0}\"(으)로 나열된 제거할 수 없는 패키지는 패키지 관리자에 게시되지 않으므로, 해당 패키지에 대해 불러올 정보가 없습니다.", - "Unknown": "알 수 없음", - "Unknown size": "알 수 없는 크기", - "Unset or unknown": "설정 안 됨 또는 알 수 없음", - "Up to date": "최신 상태", - "Update": "업데이트", - "Update WingetUI automatically": "자동으로 UniGetUI 업데이트", - "Update all": "모두 업데이트", "Update and more": "업데이트 및 기타", - "Update as administrator": "관리자 권한으로 업데이트", - "Update check frequency, automatically install updates, etc.": "업데이트 주기적 확인, 업데이트 자동 설치 등", - "Update checking": "업데이트 확인", "Update date": "업데이트 날짜", - "Update failed": "업데이트 실패", "Update found!": "업데이트를 찾았습니다!", - "Update now": "지금 업데이트", - "Update options": "업데이트 옵션", "Update package indexes on launch": "실행 시 업데이트 패키지 인덱싱", "Update packages automatically": "자동으로 패키지 업데이트", "Update selected packages": "선택한 패키지 업데이트", "Update selected packages with administrator privileges": "선택한 패키지를 관리자 권한으로 업데이트", - "Update selection": "선택 항목 업데이트", - "Update succeeded": "업데이트 성공", - "Update to version {0}": "{0} 버전으로 업데이트", - "Update to {0} available": "{0}(으)로 업데이트 가능", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg의 Git 포트 파일을 자동으로 업데이트 (Git 설치 필요)", "Updates": "업데이트", "Updates available!": "업데이트를 사용할 수 있음!", - "Updates for this package are ignored": "이 패키지에 대한 업데이트 무시", - "Updates found!": "업데이트를 찾았습니다!", "Updates preferences": "업데이트 환경 설정", "Updating WingetUI": "UniGetUI 업데이트", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLet 대신 레거시 번들 WinGet 사용", - "Use a custom icon and screenshot database URL": "사용자 지정 아이콘 및 스크린샷 데이터베이스 URL 사용", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDLet 대신 번들 WinGet 사용", - "Use bundled WinGet instead of system WinGet": "시스템 WinGet 대신 번들 WinGet 사용", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator 대신 설치된 GSudo 사용", "Use installed GSudo instead of the bundled one": "번들 GSudo 대신 설치된 GSudo 사용", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "기존 UniGetUI Elevator 사용 (UniGetUI Elevator에 문제가 있는 경우 도움이 될 수 있습니다)", - "Use system Chocolatey": "시스템 Chocolatey 사용", "Use system Chocolatey (Needs a restart)": "시스템 Chocolatey 사용(다시 시작 필요)", "Use system Winget (Needs a restart)": "시스템 Winget 사용(다시 시작 필요)", "Use system Winget (System language must be set to english)": "WinGet 사용 (시스템 언어는 영어로 설정해야 함)", "Use the WinGet COM API to fetch packages": "패키지를 페치하기 위해 WinGet COM API 사용", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API 대신 WinGet PowerShell 모듈 사용", - "Useful links": "유용한 링크", "User": "사용자", - "User interface preferences": "사용자 인터페이스 환경 설정", "User | Local": "사용자 | 로컬", - "Username": "사용자 이름", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "WingetUI를 사용한다는 것은 GNU Lesser General Public License v2.1 라이선스의 수락을 의미합니다", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI를 사용하는 것은 MIT 라이선스에 동의하는 것입니다", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg 최상위 경로를 찾을 수 없습니다. UniGetUI에서 설정하거나 %VCPKG_ROOT% 환경 변수를 정의해주세요", "Vcpkg was not found on your system.": "Vcpkg를 시스템에서 찾을 수 없습니다.", - "Verbose": "세부 정보", - "Version": "버전", - "Version to install:": "설치할 버전:", - "Version:": "버전:", - "View GitHub Profile": "GitHub 프로필 보기", "View WingetUI on GitHub": "GitHub에서 UniGetUI 보기", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI의 소스 코드를 확인하세요. 여기에서 버그를 보고하거나 기능을 제안할 수 있으며, UniGetUI 프로젝트에 직접 기여할 수도 있습니다", - "View mode:": "보기 모드:", - "View on UniGetUI": "UniGetUI에서 보기", - "View page on browser": "브라우저에서 페이지 보기", - "View {0} logs": "{0} 로그 보기", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "인터넷 연결이 필요한 작업을 수행하기 전에 장치가 인터넷에 연결될 때까지 기다리기.", "Waiting for other installations to finish...": "다른 설치 작업이 끝날 때까지 기다리는 중...", "Waiting for {0} to complete...": "완료하기 위해 {0} 기다리는 중...", - "Warning": "경고", - "Warning!": "경고!", - "We are checking for updates.": "업데이트를 확인하고 있습니다.", "We could not load detailed information about this package, because it was not found in any of your package sources": "패키지 공급자에서 이 패키지에 대한 자세한 정보를 찾을 수 없으므로 불러올 수 없습니다.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "사용 가능한 패키지 관리자에서 설치되지 않았기 때문에 이 패키지에 대한 자세한 정보를 불러올 수 없습니다.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "{package} {action} 할 수 없습니다. 나중에 다시 시도 해주세요. 설치 프로그램에서 로그를 가져오라면 \"{showDetails}\"(을)를 클릭하세요.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "{package}을(를) {action}할 수 없습니다. 나중에 다시 시도하십시오. 제거 프로그램에서 로그를 가져오려면 \"{showDetails}\"를 클릭하세요.", "We couldn't find any package": "아무 패키지도 찾을 수 없습니다", "Welcome to WingetUI": "UniGetUI에 오신 것을 환영합니다", - "When batch installing packages from a bundle, install also packages that are already installed": "번들에서 패키지를 일괄 설치할 때 이미 설치된 패키지도 함께 설치", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "새 바로 가기가 감지되면 이 대화 상자를 표시하지 않고 자동으로 삭제합니다.", - "Which backup do you want to open?": "어떤 백업을 열고 싶으신가요?", "Which package managers do you want to use?": "어떤 패키지 관리자를 사용하시겠습니까?", "Which source do you want to add?": "어떤 공급자를 추가하시겠습니까?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WingetUI는 WingetUI 내에서 사용할 수 있지만, WingetUI는 다른 패키지 관리자와 함께 사용할 수 있어 혼란스러울 수 있습니다. 과거에는 WingetUI가 Winget과만 작동하도록 설계되었지만, 이제는 그렇지 않기 때문에 WingetUI는 이 프로젝트의 목표를 반영하지 않습니다.", - "WinGet could not be repaired": "WinGet을 복구할 수 없습니다", - "WinGet malfunction detected": "WinGet 부조 감지됨", - "WinGet was repaired successfully": "WinGet을 성공적으로 복구했습니다", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGet - 모두 최신 상태입니다", "WingetUI - {0} updates are available": "UniGetUI - {0}개의 업데이트가 있습니다", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI 홈페이지", "WingetUI Homepage - Share this link!": "UniGetUI 홈페이지 - 이 링크를 공유하세요!", - "WingetUI License": "UniGetUI 라이선스", - "WingetUI Log": "UniGetUI 로그", - "WingetUI Repository": "UniGetUI 저장소", - "WingetUI Settings": "UniGetUI 설정", "WingetUI Settings File": "UniGetUI 설정 파일", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI는 다음 라이브러리를 사용합니다. 그것들 없이는 UniGetUI가 존재할 수 없습니다.", - "WingetUI Version {0}": "UniGetUI 버전 {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI 자동 시작 동작, 응용 프로그램 시작 설정", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI는 소프트웨어에 사용 가능한 업데이트가 있는지 확인하고 원하는 경우 자동으로 설치할 수 있습니다", - "WingetUI display language:": "UniGetUI 표시 언어:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI를 관리자 권한으로 실행한 것 같습니다. 그러나 이는 권장하지 않습니다. UniGetUI를 관리자 권한으로 실행하면 UniGetUI에서 실행되는 모든 작업이 관리자 권한으로 실행됩니다. 프로그램을 계속 사용할 수는 있지만 UniGetUI를 관리자 권한으로 실행하지 않는 것이 좋습니다.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI는 자원봉사 번역가들 덕분에 40개 이상의 언어로 번역되었습니다. 감사합니다 \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI는 기계 번역되지 않았습니다! 다음 사용자들이 번역을 담당했습니다:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI는 명령줄 패키지 관리자에게 올인원 그래픽 인터페이스를 제공하여 소프트웨어 관리를 더 쉽게 해주는 응용 프로그램입니다.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI는 UniGetUI(지금 사용 중인 인터페이스)와 WinGet(저와 관련이 없는 Microsoft에서 개발한 패키지 관리자)의 차이점을 강조하기 위해 이름이 바뀌었습니다.", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI가 업데이트 중입니다. 완료되면 UniGetUI가 자동으로 다시 시작됩니다", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI는 무료이며, 앞으로도 쭉 무료입니다. 광고 없음, 신용카드 없음, 프리미엄 버전 없음. 영원히 100% 무료입니다.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI는 패키지를 설치를 위해 권한 상승이 필요할 때마다 UAC 프롬프트를 표시합니다.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI의 이름이 곧 {newname}으로 변경됩니다. 이는 응용 프로그램에 어떤 변경 사항도 포함하지 않습니다. 저 (개발자)는 현재 진행 중인 프로젝트와 마찬가지로 다른 이름으로 이 프로젝트를 계속 개발할 것입니다.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI는 소중한 기여자분들의 도움 없이는 불가능했을 것입니다. GitHub 프로필을 확인해 보세요. 기여자분들이 없었다면 UniGetUI는 불가능했을 것입니다!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI는 기여자들의 도움 없이는 불가능했을 것입니다. 모두들 감사합니다\uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} 설치가 준비되었습니다.", - "Write here the process names here, separated by commas (,)": "여기에 프로세스 이름을 쉼표로 구분하여 작성하세요 (, )", - "Yes": "예", - "You are logged in as {0} (@{1})": "{0} (@{1})으로 로그인했습니다", - "You can change this behavior on UniGetUI security settings.": "UniGetUI 보안 설정에서 이 동작을 변경할 수 있습니다.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "이 패키지가 설치, 업데이트 또는 제거되기 전이나 후에 실행될 명령어를 정의할 수 있습니다. 명령 프롬프트에서 실행되므로 CMD 스크립트는 여기에서 작동합니다.", - "You have currently version {0} installed": "현재 {0} 버전이 설치되어 있습니다", - "You have installed WingetUI Version {0}": "UniGetUI {0} 버전을 설치했습니다.", - "You may lose unsaved data": "저장되지 않은 데이터를 잃을 수 있습니다", - "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI로 사용하려면 {pm}을(를) 설치해야 할 수 있습니다.", "You may restart your computer later if you wish": "원하는 경우 컴퓨터를 나중에 다시 시작할 수 있습니다", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "메시지는 한 번만 표시되며, 관리자 권한을 요청하는 패키지에 해당 권한이 부여됩니다.", "You will be prompted only once, and every future installation will be elevated automatically.": "한 번만 메시지가 표시되며 이후 모든 설치는 자동으로 승격됩니다.", - "You will likely need to interact with the installer.": "설치 프로그램과 상호 작용이 필요할 수 있습니다.", - "[RAN AS ADMINISTRATOR]": "관리자로 실행", "buy me a coffee": "커피 한 잔 사주기", - "extracted": "압축 해제됨", - "feature": "기능", "formerly WingetUI": "전 WingetUI", "homepage": "웹사이트", "install": "설치", "installation": "설치", - "installed": "설치됨", - "installing": "설치 중", - "library": "라이브러리", - "mandatory": "의무적", - "option": "옵션", - "optional": "선택적", "uninstall": "제거", "uninstallation": "제거", "uninstalled": "제거", - "uninstalling": "제거 중", "update(noun)": "업데이트", "update(verb)": "업데이트", "updated": "업데이트", - "updating": "업데이트 중", - "version {0}": "버전 {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} 설치 옵션은 현재 잠겨 있습니다. {0}은 기본 설치 옵션을 따르기 때문입니다.", "{0} Uninstallation": "{0} 제거", "{0} aborted": "{0} 중단됨", "{0} can be updated": "{0}을(를) 업데이트할 수 있습니다", - "{0} can be updated to version {1}": "{0}을(를) {1} 버전으로 업데이트할 수 있습니다.", - "{0} days": "{0} 일", - "{0} desktop shortcuts created": "{0} 바탕 화면 바로가기 생성됨", "{0} failed": "{0} 실패", - "{0} has been installed successfully.": "{0}을(를) 성공적으로 설치했습니다.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0}이(가) 성공적으로 설치되었습니다. 설치를 완료하려면 UniGetUI를 다시 시작하기를 권장합니다", "{0} has failed, that was a requirement for {1} to be run": "{0}이(가) 실패했습니다. 이는 {1}을(를) 실행하기 위한 요구 사항이었습니다", - "{0} homepage": "{0} 홈페이지", - "{0} hours": "{0} 시간", "{0} installation": "{0} 설치", - "{0} installation options": "{0} 설치 옵션", - "{0} installer is being downloaded": "{0} 설치 프로그램을 다운로드하고 있습니다", - "{0} is being installed": "{0}을(를) 설치하고 있습니다", - "{0} is being uninstalled": "{0}을(를) 제거하고 있습니다", "{0} is being updated": "{0}을(를) 업데이트하는 중입니다", - "{0} is being updated to version {1}": "{0}을(를) 버전 {1} (으)로 업데이트하는 중입니다", - "{0} is disabled": "{0}이(가) 비활성화 됨", - "{0} minutes": "{0} 분", "{0} months": "{0} 달", - "{0} packages are being updated": "패키지 {0}개 업데이트 중", - "{0} packages can be updated": "패키지 {0}개 업데이트 가능", "{0} packages found": "패키지 {0}개 찾음", "{0} packages were found": "패키지를 {0}개 찾았습니다.", - "{0} packages were found, {1} of which match the specified filters.": "{0}개의 패키지가 발견되었으며, 그 중 {1}개는 지정된 필터와 일치합니다.", - "{0} selected": "{0}개 ​선택됨", - "{0} settings": "{0} 설정", - "{0} status": "{0} 상태", "{0} succeeded": "{0} 성공", "{0} update": "{0} 업데이트", - "{0} updates are available": "{0} 업데이트 사용 가능", "{0} was {1} successfully!": "{0}을(를) 성공적으로 {1}했습니다!", "{0} weeks": "{0} 주", "{0} years": "{0} 년", "{0} {1} failed": "{0} {1} 실패", - "{package} Installation": "{package} 설치", - "{package} Uninstall": "{package} 제거", - "{package} Update": "{package} 업데이트", - "{package} could not be installed": "{package}을(를) 설치할 수 없습니다.", - "{package} could not be uninstalled": "{package}을(를) 제거할 수 없습니다", - "{package} could not be updated": "{package}를 업데이트할 수 없습니다", "{package} installation failed": "{package} 설치 실패", - "{package} installer could not be downloaded": "{package} 설치 프로그램을 다운로드할 수 없습니다", - "{package} installer download": "{package} 설치 프로그램 다운로드", - "{package} installer was downloaded successfully": "{package} 설치 프로그램을 성공적으로 다운로드했습니다", "{package} uninstall failed": "{package} 제거 실패", "{package} update failed": "{package} 업데이트 실패", "{package} update failed. Click here for more details.": "{package} 업데이트 실패. 여기를 눌러 자세한 정보를 확인하세요.", - "{package} was installed successfully": "{package}을(를) 성공적으로 설치했습니다", - "{package} was uninstalled successfully": "{package}을(를) 성공적으로 제거했습니다", - "{package} was updated successfully": "{package}을(를) 성공적으로 업데이트했습니다", - "{pcName} installed packages": "{pcName} 설치된 패키지", "{pm} could not be found": "{pm}을(를) 찾을 수 없습니다.", "{pm} found: {state}": "{pm} 찾음: {state}", - "{pm} is disabled": "{pm}이(가) 꺼져있습니다", - "{pm} is enabled and ready to go": "{pm}이(가) 켜져있어 사용할 준비가 되었습니다", "{pm} package manager specific preferences": "{pm} 패키지 관리자 환경 설정", "{pm} preferences": "{pm} 환경 설정", - "{pm} version:": "{pm} 버전:", - "{pm} was not found!": "{pm}을(를) 찾을 수 없습니다!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "안녕, 제 이름은 Martí고, UniGetUI 개발자예요. UniGetUI는 오로지 제 여가시간에 만들었죠!", + "Thank you ❤": "감사합니다❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "이 프로젝트는 공식 {0} 프로젝트와 관련이 없습니다. — 완전히 비공식적인 프로젝트입니다." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ku.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ku.json index eba4ea2b40..c220edf243 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ku.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ku.json @@ -1,1074 +1,1075 @@ { - "\"{0}\" is a local package and can't be shared": null, - "\"{0}\" is a local package and does not have available details": null, - "\"{0}\" is a local package and is not compatible with this feature": null, - "(Last checked: {0})": null, - "(Number {0} in the queue)": null, - "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": null, - "0 packages found": null, - "0 updates found": null, - "1 - Errors": null, - "1 day": null, - "1 hour": null, - "1 month": null, - "1 package was found": null, - "1 update is available": null, - "1 week": null, - "1 year": null, - "1. Navigate to the \"{0}\" or \"{1}\" page.": null, - "2 - Warnings": null, - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": null, - "3 - Information (less)": null, - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": null, - "4 - Information (more)": null, - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": null, - "5 - information (debug)": null, - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": null, - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": null, - "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": null, - "A restart is required": null, - "Abort install if pre-install command fails": null, - "Abort uninstall if pre-uninstall command fails": null, - "Abort update if pre-update command fails": null, - "About": null, - "About Qt6": null, - "About WingetUI": null, - "About WingetUI version {0}": null, - "About the dev": null, - "Accept": null, - "Action when double-clicking packages, hide successful installations": null, - "Add": null, - "Add a source to {0}": null, - "Add a timestamp to the backup file names": null, - "Add a timestamp to the backup files": null, - "Add packages or open an existing bundle": null, - "Add packages or open an existing package bundle": null, - "Add packages to bundle": null, - "Add packages to start": null, - "Add selection to bundle": null, - "Add source": null, - "Add updates that fail with a 'no applicable update found' to the ignored updates list": null, - "Adding source {source}": null, - "Adding source {source} to {manager}": null, - "Addition succeeded": null, - "Administrator privileges": null, - "Administrator privileges preferences": null, - "Administrator rights": null, - "Administrator rights and other dangerous settings": null, - "Advanced options": null, - "All files": null, - "All versions": null, - "Allow changing the paths for package manager executables": null, - "Allow custom command-line arguments": null, - "Allow importing custom command-line arguments when importing packages from a bundle": null, - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": null, - "Allow package operations to be performed in parallel": null, - "Allow parallel installs (NOT RECOMMENDED)": null, - "Allow pre-release versions": null, - "Allow {pm} operations to be performed in parallel": null, - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": null, - "Always elevate {pm} installations by default": null, - "Always run {pm} operations with administrator rights": null, - "An error occurred": null, - "An error occurred when adding the source: ": null, - "An error occurred when attempting to show the package with Id {0}": null, - "An error occurred when checking for updates: ": null, - "An error occurred while attempting to create an installation script:": null, - "An error occurred while loading a backup: ": null, - "An error occurred while logging in: ": null, - "An error occurred while processing this package": null, - "An error occurred:": null, - "An interal error occurred. Please view the log for further details.": null, - "An unexpected error occurred:": null, - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": null, - "An update was found!": null, - "Android Subsystem": null, - "Another source": null, - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": null, - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": null, - "Any unsaved changes will be lost": null, - "App Name": null, - "Appearance": null, - "Application theme, startup page, package icons, clear successful installs automatically": null, - "Application theme:": null, - "Apply": null, - "Architecture to install:": null, - "Are these screenshots wron or blurry?": null, - "Are you really sure you want to enable this feature?": null, - "Are you sure you want to create a new package bundle? ": null, - "Are you sure you want to delete all shortcuts?": null, - "Are you sure?": null, - "Ascendant": null, - "Ask for administrator privileges once for each batch of operations": null, - "Ask for administrator rights when required": null, - "Ask once or always for administrator rights, elevate installations by default": null, - "Ask only once for administrator privileges": null, - "Ask only once for administrator privileges (not recommended)": null, - "Ask to delete desktop shortcuts created during an install or upgrade.": null, - "Attention required": null, - "Authenticate to the proxy with an user and a password": null, - "Author": null, - "Automatic desktop shortcut remover": null, - "Automatic updates": null, - "Automatically save a list of all your installed packages to easily restore them.": null, - "Automatically save a list of your installed packages on your computer.": null, - "Automatically update this package": null, - "Autostart WingetUI in the notifications area": null, - "Available Updates": null, - "Available updates: {0}": null, - "Available updates: {0}, not finished yet...": null, - "Backing up packages to GitHub Gist...": null, - "Backup": null, - "Backup Failed": null, - "Backup Successful": null, - "Backup and Restore": null, - "Backup installed packages": null, - "Backup location": null, - "Become a contributor": null, - "Become a translator": null, - "Begin the process to select a cloud backup and review which packages to restore": null, - "Beta features and other options that shouldn't be touched": null, - "Both": null, - "Bundle security report": null, - "But here are other things you can do to learn about WingetUI even more:": null, - "By toggling a package manager off, you will no longer be able to see or update its packages.": null, - "Cache administrator rights and elevate installers by default": null, - "Cache administrator rights, but elevate installers only when required": null, - "Cache was reset successfully!": null, - "Can't {0} {1}": null, - "Cancel": null, - "Cancel all operations": null, - "Change backup output directory": null, - "Change default options": null, - "Change how UniGetUI checks and installs available updates for your packages": null, - "Change how UniGetUI handles install, update and uninstall operations.": null, - "Change how UniGetUI installs packages, and checks and installs available updates": null, - "Change how operations request administrator rights": null, - "Change install location": null, - "Change this": null, - "Change this and unlock": null, - "Check for package updates periodically": null, - "Check for updates": null, - "Check for updates every:": null, - "Check for updates periodically": null, - "Check for updates regularly, and ask me what to do when updates are found.": null, - "Check for updates regularly, and automatically install available ones.": null, - "Check out my {0} and my {1}!": null, - "Check out some WingetUI overviews": null, - "Checking for other running instances...": null, - "Checking for updates...": null, - "Checking found instace(s)...": null, - "Choose how many operations shouls be performed in parallel": null, - "Clear cache": null, - "Clear finished operations": null, - "Clear selection": null, - "Clear successful operations": null, - "Clear successful operations from the operation list after a 5 second delay": null, - "Clear the local icon cache": null, - "Clearing Scoop cache - WingetUI": null, - "Clearing Scoop cache...": null, - "Click here for more details": null, - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": null, - "Close": null, - "Close UniGetUI to the system tray": null, - "Close WingetUI to the notification area": null, - "Cloud backup uses a private GitHub Gist to store a list of installed packages": null, - "Cloud package backup": null, - "Command-line Output": null, - "Command-line to run:": null, - "Compare query against": null, - "Compatible with authentication": null, - "Compatible with proxy": null, - "Component Information": null, - "Concurrency and execution": null, - "Connect the internet using a custom proxy": null, - "Continue": null, - "Contribute to the icon and screenshot repository": null, - "Contributors": null, - "Copy": null, - "Copy to clipboard": null, - "Could not add source": null, - "Could not add source {source} to {manager}": null, - "Could not back up packages to GitHub Gist: ": null, - "Could not create bundle": null, - "Could not load announcements - ": null, - "Could not load announcements - HTTP status code is $CODE": null, - "Could not remove source": null, - "Could not remove source {source} from {manager}": null, - "Could not remove {source} from {manager}": null, - "Create .ps1 script": null, - "Credentials": null, - "Current Version": null, - "Current executable file:": null, - "Current status: Not logged in": null, - "Current user": null, - "Custom arguments:": null, - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": null, - "Custom command-line arguments:": null, - "Custom install arguments:": null, - "Custom uninstall arguments:": null, - "Custom update arguments:": null, - "Customize WingetUI - for hackers and advanced users only": null, - "DEBUG BUILD": null, - "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": null, - "Dark": null, - "Decline": null, - "Default": null, - "Default installation options for {0} packages": null, - "Default preferences - suitable for regular users": null, - "Default vcpkg triplet": null, - "Delete?": null, - "Dependencies:": null, - "Descendant": null, - "Description:": null, - "Desktop shortcut created": null, - "Details of the report:": null, - "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": null, - "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": null, - "Disable new share API (port 7058)": null, - "Disable the 1-minute timeout for package-related operations": null, - "Disabled": null, - "Disclaimer": null, - "Discover Packages": null, - "Discover packages": null, - "Distinguish between\nuppercase and lowercase": null, - "Distinguish between uppercase and lowercase": null, - "Do NOT check for updates": null, - "Do an interactive install for the selected packages": null, - "Do an interactive uninstall for the selected packages": null, - "Do an interactive update for the selected packages": null, - "Do not automatically install updates when the battery saver is on": null, - "Do not automatically install updates when the device runs on battery": null, - "Do not automatically install updates when the network connection is metered": null, - "Do not download new app translations from GitHub automatically": null, - "Do not ignore updates for this package anymore": null, - "Do not remove successful operations from the list automatically": null, - "Do not show this dialog again for {0}": null, - "Do not update package indexes on launch": null, - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": null, - "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": null, - "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": null, - "Do you really want to reset this list? This action cannot be reverted.": null, - "Do you really want to uninstall the following {0} packages?": null, - "Do you really want to uninstall {0} packages?": null, - "Do you really want to uninstall {0}?": null, - "Do you want to restart your computer now?": null, - "Do you want to translate WingetUI to your language? See how to contribute HERE!": null, - "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": null, - "Donate": null, - "Done!": null, - "Download failed": null, - "Download installer": null, - "Download operations are not affected by this setting": null, - "Download selected installers": null, - "Download succeeded": null, - "Download updated language files from GitHub automatically": null, - "Downloading": null, - "Downloading backup...": null, - "Downloading installer for {package}": null, - "Downloading package metadata...": null, - "Enable Scoop cleanup on launch": null, - "Enable WingetUI notifications": null, - "Enable an [experimental] improved WinGet troubleshooter": null, - "Enable and disable package managers, change default install options, etc.": null, - "Enable background CPU Usage optimizations (see Pull Request #3278)": null, - "Enable background api (WingetUI Widgets and Sharing, port 7058)": null, - "Enable it to install packages from {pm}.": null, - "Enable the automatic WinGet troubleshooter": null, - "Enable the new UniGetUI-Branded UAC Elevator": null, - "Enable the new process input handler (StdIn automated closer)": null, - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": null, - "Enable {pm}": null, - "Enabled": null, - "Enter proxy URL here": null, - "Entries that show in RED will be IMPORTED.": null, - "Entries that show in YELLOW will be IGNORED.": null, - "Error": null, - "Everything is up to date": null, - "Exact match": null, - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": null, - "Expand version": null, - "Experimental settings and developer options": null, - "Export": null, - "Export log as a file": null, - "Export packages": null, - "Export selected packages to a file": null, - "Export settings to a local file": null, - "Export to a file": null, - "Failed": null, - "Fetching available backups...": null, - "Fetching latest announcements, please wait...": null, - "Filters": null, - "Finish": null, - "Follow system color scheme": null, - "Follow the default options when installing, upgrading or uninstalling this package": null, - "For security reasons, changing the executable file is disabled by default": null, - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": null, - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": null, - "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": null, - "Force install location parameter when updating packages with custom locations": null, - "Formerly known as WingetUI": null, - "Found": null, - "Found packages: ": null, - "Found packages: {0}": null, - "Found packages: {0}, not finished yet...": null, - "General preferences": null, - "GitHub profile": null, - "Global": null, - "Go to UniGetUI security settings": null, - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": null, - "Great! You are on the latest version.": null, - "Grid": null, - "Help": null, - "Help and documentation": null, - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": null, - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": null, - "Hide details": null, - "Homepage": null, - "Hooray! No updates were found.": null, - "How should installations that require administrator privileges be treated?": null, - "How to add packages to a bundle": null, - "I understand": null, - "Icons": null, - "Id": null, - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": null, - "Ignore custom pre-install and post-install commands when importing packages from a bundle": null, - "Ignore future updates for this package": null, - "Ignore packages from {pm} when showing a notification about updates": null, - "Ignore selected packages": null, - "Ignore special characters": null, - "Ignore updates for the selected packages": null, - "Ignore updates for this package": null, - "Ignored updates": null, - "Ignored version": null, - "Import": null, - "Import packages": null, - "Import packages from a file": null, - "Import settings from a local file": null, - "In order to add packages to a bundle, you will need to: ": null, - "Initializing WingetUI...": null, - "Install": null, - "Install Scoop": null, - "Install and more": null, - "Install and update preferences": null, - "Install as administrator": null, - "Install available updates automatically": null, - "Install location can't be changed for {0} packages": null, - "Install location:": null, - "Install options": null, - "Install packages from a file": null, - "Install prerelease versions of UniGetUI": null, - "Install script": null, - "Install selected packages": null, - "Install selected packages with administrator privileges": null, - "Install selection": null, - "Install the latest prerelease version": null, - "Install updates automatically": null, - "Install {0}": null, - "Installation canceled by the user!": null, - "Installation failed": null, - "Installation options": null, - "Installation scope:": null, - "Installation succeeded": null, - "Installed Packages": null, - "Installed Version": null, - "Installed packages": null, - "Installer SHA256": null, - "Installer SHA512": null, - "Installer Type": null, - "Installer URL": null, - "Installer not available": null, - "Instance {0} responded, quitting...": null, - "Instant search": null, - "Integrity checks can be disabled from the Experimental Settings": null, - "Integrity checks skipped": null, - "Integrity checks will not be performed during this operation": null, - "Interactive installation": null, - "Interactive operation": null, - "Interactive uninstall": null, - "Interactive update": null, - "Internet connection settings": null, - "Invalid selection": null, - "Is this package missing the icon?": null, - "Is your language missing or incomplete?": null, - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": null, - "It is recommended to restart UniGetUI after WinGet has been repaired": null, - "It is strongly recommended to reinstall UniGetUI to adress the situation.": null, - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": null, - "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": null, - "Language": null, - "Language, theme and other miscellaneous preferences": null, - "Last updated:": null, - "Latest": null, - "Latest Version": null, - "Latest Version:": null, - "Latest details...": null, - "Launching subprocess...": null, - "Leave empty for default": null, - "License": null, - "Licenses": null, - "Light": null, - "List": null, - "Live command-line output": null, - "Live output": null, - "Loading UI components...": null, - "Loading WingetUI...": null, - "Loading packages": null, - "Loading packages, please wait...": null, - "Loading...": null, - "Local": null, - "Local PC": null, - "Local backup advanced options": null, - "Local machine": null, - "Local package backup": null, - "Locating {pm}...": null, - "Log in": null, - "Log in failed: ": null, - "Log in to enable cloud backup": null, - "Log in with GitHub": null, - "Log in with GitHub to enable cloud package backup.": null, - "Log level:": null, - "Log out": null, - "Log out failed: ": null, - "Log out from GitHub": null, - "Looking for packages...": null, - "Machine | Global": null, - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": null, - "Manage": null, - "Manage UniGetUI settings": null, - "Manage WingetUI autostart behaviour from the Settings app": null, - "Manage ignored packages": null, - "Manage ignored updates": null, - "Manage shortcuts": null, - "Manage telemetry settings": null, - "Manage {0} sources": null, - "Manifest": null, - "Manifests": null, - "Manual scan": null, - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": null, - "Missing dependency": null, - "More": null, - "More details": null, - "More details about the shared data and how it will be processed": null, - "More info": null, - "More than 1 package was selected": null, - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": null, - "Name": null, - "New": null, - "New Version": null, - "New bundle": null, - "New version": null, - "Nice! Backups will be uploaded to a private gist on your account": null, - "No": null, - "No applicable installer was found for the package {0}": null, - "No dependencies specified": null, - "No new shortcuts were found during the scan.": null, - "No package was selected": null, - "No packages found": null, - "No packages found matching the input criteria": null, - "No packages have been added yet": null, - "No packages selected": null, - "No packages were found": null, - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": null, - "No results were found matching the input criteria": null, - "No sources found": null, - "No sources were found": null, - "No updates are available": null, - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": null, - "Not available": null, - "Not finding the file you are looking for? Make sure it has been added to path.": null, - "Not found": null, - "Not right now": null, - "Notes:": null, - "Notification preferences": null, - "Notification tray options": null, - "Notification types": null, - "NuPkg (zipped manifest)": null, - "OK": null, - "Ok": null, - "Open": null, - "Open GitHub": null, - "Open UniGetUI": null, - "Open UniGetUI security settings": null, - "Open WingetUI": null, - "Open backup location": null, - "Open existing bundle": null, - "Open install location": null, - "Open the welcome wizard": null, - "Operation canceled by user": null, - "Operation cancelled": null, - "Operation history": null, - "Operation in progress": null, - "Operation on queue (position {0})...": null, - "Operation profile:": null, - "Options saved": null, - "Order by:": null, - "Other": null, - "Other settings": null, - "Package": null, - "Package Bundles": null, - "Package ID": null, - "Package Manager": null, - "Package Manager logs": null, - "Package Managers": null, - "Package Name": null, - "Package backup": null, - "Package backup settings": null, - "Package bundle": null, - "Package details": null, - "Package lists": null, - "Package management made easy": null, - "Package manager": null, - "Package manager preferences": null, - "Package managers": null, - "Package not found": null, - "Package operation preferences": null, - "Package update preferences": null, - "Package {name} from {manager}": null, - "Package's default": null, - "Packages": null, - "Packages found: {0}": null, - "Partially": null, - "Password": null, - "Paste a valid URL to the database": null, - "Pause updates for": null, - "Perform a backup now": null, - "Perform a cloud backup now": null, - "Perform a local backup now": null, - "Perform integrity checks at startup": null, - "Performing backup, please wait...": null, - "Periodically perform a backup of the installed packages": null, - "Periodically perform a cloud backup of the installed packages": null, - "Periodically perform a local backup of the installed packages": null, - "Please check the installation options for this package and try again": null, - "Please click on \"Continue\" to continue": null, - "Please enter at least 3 characters": null, - "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": null, - "Please note that not all package managers may fully support this feature": null, - "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": null, - "Please run UniGetUI as a regular user and try again.": null, - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": null, - "Please select how you want to configure WingetUI": null, - "Please try again later": null, - "Please type at least two characters": null, - "Please wait": null, - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": null, - "Please wait...": null, - "Portable": null, - "Portable mode": null, - "Post-install command:": null, - "Post-uninstall command:": null, - "Post-update command:": null, - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": null, - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": null, - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": null, - "Pre-install command:": null, - "Pre-uninstall command:": null, - "Pre-update command:": null, - "PreRelease": null, - "Preparing packages, please wait...": null, - "Proceed at your own risk.": null, - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": null, - "Proxy URL": null, - "Proxy compatibility table": null, - "Proxy settings": null, - "Proxy settings, etc.": null, - "Publication date:": null, - "Publisher": null, - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": null, - "Quit": null, - "Quit WingetUI": null, - "Ready": null, - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": null, - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": null, - "Reinstall": null, - "Reinstall package": null, - "Related settings": null, - "Release notes": null, - "Release notes URL": null, - "Release notes URL:": null, - "Release notes:": null, - "Reload": null, - "Reload log": null, - "Removal failed": null, - "Removal succeeded": null, - "Remove from list": null, - "Remove permanent data": null, - "Remove selection from bundle": null, - "Remove successful installs/uninstalls/updates from the installation list": null, - "Removing source {source}": null, - "Removing source {source} from {manager}": null, - "Repair UniGetUI": null, - "Repair WinGet": null, - "Report an issue or submit a feature request": null, - "Repository": null, - "Reset": null, - "Reset Scoop's global app cache": null, - "Reset UniGetUI": null, - "Reset WinGet": null, - "Reset Winget sources (might help if no packages are listed)": null, - "Reset WingetUI": null, - "Reset WingetUI and its preferences": null, - "Reset WingetUI icon and screenshot cache": null, - "Reset list": null, - "Resetting Winget sources - WingetUI": null, - "Restart": null, - "Restart UniGetUI": null, - "Restart WingetUI": null, - "Restart WingetUI to fully apply changes": null, - "Restart later": null, - "Restart now": null, - "Restart required": null, - "Restart your PC to finish installation": null, - "Restart your computer to finish the installation": null, - "Restore a backup from the cloud": null, - "Restrictions on package managers": null, - "Restrictions on package operations": null, - "Restrictions when importing package bundles": null, - "Retry": null, - "Retry as administrator": null, - "Retry failed operations": null, - "Retry interactively": null, - "Retry skipping integrity checks": null, - "Retrying, please wait...": null, - "Return to top": null, - "Run": null, - "Run as admin": null, - "Run cleanup and clear cache": null, - "Run last": null, - "Run next": null, - "Run now": null, - "Running the installer...": null, - "Running the uninstaller...": null, - "Running the updater...": null, - "Save": null, - "Save File": null, - "Save and close": null, - "Save as": null, - "Save bundle as": null, - "Save now": null, - "Saving packages, please wait...": null, - "Scoop Installer - WingetUI": null, - "Scoop Uninstaller - WingetUI": null, - "Scoop package": null, - "Search": null, - "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": null, - "Search for packages": null, - "Search for packages to start": null, - "Search mode": null, - "Search on available updates": null, - "Search on your software": null, - "Searching for installed packages...": null, - "Searching for packages...": null, - "Searching for updates...": null, - "Select": null, - "Select \"{item}\" to add your custom bucket": null, - "Select a folder": null, - "Select all": null, - "Select all packages": null, - "Select backup": null, - "Select only if you know what you are doing.": null, - "Select package file": null, - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": null, - "Select the executable to be used. The following list shows the executables found by UniGetUI": null, - "Select the processes that should be closed before this package is installed, updated or uninstalled.": null, - "Select the source you want to add:": null, - "Select upgradable packages by default": null, - "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": null, - "Sent handshake. Waiting for instance listener's answer... ({0}%)": null, - "Set a custom backup file name": null, - "Set custom backup file name": null, - "Settings": null, - "Share": null, - "Share WingetUI": null, - "Share anonymous usage data": null, - "Share this package": null, - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": null, - "Show UniGetUI on the system tray": null, - "Show UniGetUI's version and build number on the titlebar.": null, - "Show WingetUI": null, - "Show a notification when an installation fails": null, - "Show a notification when an installation finishes successfully": null, - "Show a notification when an operation fails": null, - "Show a notification when an operation finishes successfully": null, - "Show a notification when there are available updates": null, - "Show a silent notification when an operation is running": null, - "Show details": null, - "Show in explorer": null, - "Show info about the package on the Updates tab": null, - "Show missing translation strings": null, - "Show notifications on different events": null, - "Show package details": null, - "Show package icons on package lists": null, - "Show similar packages": null, - "Show the live output": null, - "Size": null, - "Skip": null, - "Skip hash check": null, - "Skip hash checks": null, - "Skip integrity checks": null, - "Skip minor updates for this package": null, - "Skip the hash check when installing the selected packages": null, - "Skip the hash check when updating the selected packages": null, - "Skip this version": null, - "Software Updates": null, - "Something went wrong": null, - "Something went wrong while launching the updater.": null, - "Source": null, - "Source URL:": null, - "Source added successfully": null, - "Source addition failed": null, - "Source name:": null, - "Source removal failed": null, - "Source removed successfully": null, - "Source:": null, - "Sources": null, - "Start": null, - "Starting daemons...": null, - "Starting operation...": null, - "Startup options": null, - "Status": null, - "Stuck here? Skip initialization": null, - "Success!": null, - "Suport the developer": null, - "Support me": null, - "Support the developer": null, - "Systems are now ready to go!": null, - "Telemetry": null, - "Text": null, - "Text file": null, - "Thank you ❤": null, - "Thank you \uD83D\uDE09": null, - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": null, - "The backup will NOT include any binary file nor any program's saved data.": null, - "The backup will be performed after login.": null, - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": null, - "The bundle was created successfully on {0}": null, - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": null, - "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": null, - "The classical package manager for windows. You'll find everything there.
Contains: General Software": null, - "The cloud backup completed successfully.": null, - "The cloud backup has been loaded successfully.": null, - "The current bundle has no packages. Add some packages to get started": null, - "The executable file for {0} was not found": null, - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": null, - "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": null, - "The following packages are going to be installed on your system.": null, - "The following settings may pose a security risk, hence they are disabled by default.": null, - "The following settings will be applied each time this package is installed, updated or removed.": null, - "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": null, - "The icons and screenshots are maintained by users like you!": null, - "The installation script saved to {0}": null, - "The installer authenticity could not be verified.": null, - "The installer has an invalid checksum": null, - "The installer hash does not match the expected value.": null, - "The local icon cache currently takes {0} MB": null, - "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": null, - "The package \"{0}\" was not found on the package manager \"{1}\"": null, - "The package bundle could not be created due to an error.": null, - "The package bundle is not valid": null, - "The package manager \"{0}\" is disabled": null, - "The package manager \"{0}\" was not found": null, - "The package {0} from {1} was not found.": null, - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": null, - "The selected packages have been blacklisted": null, - "The settings will list, in their descriptions, the potential security issues they may have.": null, - "The size of the backup is estimated to be less than 1MB.": null, - "The source {source} was added to {manager} successfully": null, - "The source {source} was removed from {manager} successfully": null, - "The system tray icon must be enabled in order for notifications to work": null, - "The update process has been aborted.": null, - "The update process will start after closing UniGetUI": null, - "The update will be installed upon closing WingetUI": null, - "The update will not continue.": null, - "The user has canceled {0}, that was a requirement for {1} to be run": null, - "There are no new UniGetUI versions to be installed": null, - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": null, - "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": null, - "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": null, - "There is an error with the configuration of the package manager \"{0}\"": null, - "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": null, - "They are the programs in charge of installing, updating and removing packages.": null, - "Third-party licenses": null, - "This could represent a security risk.": null, - "This is not recommended.": null, - "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": null, - "This is the default choice.": null, - "This may help if WinGet packages are not shown": null, - "This may help if no packages are listed": null, - "This may take a minute or two": null, - "This operation is running interactively.": null, - "This operation is running with administrator privileges.": null, - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": null, - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": null, - "This package can be updated": null, - "This package can be updated to version {0}": null, - "This package can be upgraded to version {0}": null, - "This package cannot be installed from an elevated context.": null, - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": null, - "This package is already installed": null, - "This package is being processed": null, - "This package is not available": null, - "This package is on the queue": null, - "This process is running with administrator privileges": null, - "This project has no connection with the official {0} project — it's completely unofficial.": null, - "This setting is disabled": null, - "This wizard will help you configure and customize WingetUI!": null, - "Toggle search filters pane": null, - "Translators": null, - "Try to kill the processes that refuse to close when requested to": null, - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": null, - "Type here the name and the URL of the source you want to add, separed by a space.": null, - "Unable to find package": null, - "Unable to load informarion": null, - "UniGetUI collects anonymous usage data in order to improve the user experience.": null, - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": null, - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": null, - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": null, - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": null, - "UniGetUI is being updated...": null, - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": null, - "UniGetUI on the background and system tray": null, - "UniGetUI or some of its components are missing or corrupt.": null, - "UniGetUI requires {0} to operate, but it was not found on your system.": null, - "UniGetUI startup page:": null, - "UniGetUI updater": null, - "UniGetUI version {0} is being downloaded.": null, - "UniGetUI {0} is ready to be installed.": null, - "Uninstall": null, - "Uninstall Scoop (and its packages)": null, - "Uninstall and more": null, - "Uninstall and remove data": null, - "Uninstall as administrator": null, - "Uninstall canceled by the user!": null, - "Uninstall failed": null, - "Uninstall options": null, - "Uninstall package": null, - "Uninstall package, then reinstall it": null, - "Uninstall package, then update it": null, - "Uninstall previous versions when updated": null, - "Uninstall selected packages": null, - "Uninstall selection": null, - "Uninstall succeeded": null, - "Uninstall the selected packages with administrator privileges": null, - "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": null, - "Unknown": null, - "Unknown size": null, - "Unset or unknown": null, - "Up to date": null, - "Update": null, - "Update WingetUI automatically": null, - "Update all": null, - "Update and more": null, - "Update as administrator": null, - "Update check frequency, automatically install updates, etc.": null, - "Update checking": null, - "Update date": null, - "Update failed": null, - "Update found!": null, - "Update now": null, - "Update options": null, - "Update package indexes on launch": null, - "Update packages automatically": null, - "Update selected packages": null, - "Update selected packages with administrator privileges": null, - "Update selection": null, - "Update succeeded": null, - "Update to version {0}": null, - "Update to {0} available": null, - "Update vcpkg's Git portfiles automatically (requires Git installed)": null, - "Updates": null, - "Updates available!": null, - "Updates for this package are ignored": null, - "Updates found!": null, - "Updates preferences": null, - "Updating WingetUI": null, - "Url": null, - "Use Legacy bundled WinGet instead of PowerShell CMDLets": null, - "Use a custom icon and screenshot database URL": null, - "Use bundled WinGet instead of PowerShell CMDlets": null, - "Use bundled WinGet instead of system WinGet": null, - "Use installed GSudo instead of UniGetUI Elevator": null, - "Use installed GSudo instead of the bundled one": null, - "Use legacy UniGetUI Elevator (disable AdminByRequest support)": null, - "Use system Chocolatey": null, - "Use system Chocolatey (Needs a restart)": null, - "Use system Winget (Needs a restart)": null, - "Use system Winget (System language must be set to english)": null, - "Use the WinGet COM API to fetch packages": null, - "Use the WinGet PowerShell Module instead of the WinGet COM API": null, - "Useful links": null, - "User": null, - "User interface preferences": null, - "User | Local": null, - "Username": null, - "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": null, - "Using WingetUI implies the acceptation of the MIT License": null, - "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": null, - "Vcpkg was not found on your system.": null, - "Verbose": null, - "Version": null, - "Version to install:": null, - "Version:": null, - "View GitHub Profile": null, - "View WingetUI on GitHub": null, - "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": null, - "View mode:": null, - "View on UniGetUI": null, - "View page on browser": null, - "View {0} logs": null, - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": null, - "Waiting for other installations to finish...": null, - "Waiting for {0} to complete...": null, - "Warning": null, - "Warning!": null, - "We are checking for updates.": null, - "We could not load detailed information about this package, because it was not found in any of your package sources": null, - "We could not load detailed information about this package, because it was not installed from an available package manager.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": null, - "We couldn't find any package": null, - "Welcome to WingetUI": null, - "When batch installing packages from a bundle, install also packages that are already installed": null, - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": null, - "Which backup do you want to open?": null, - "Which package managers do you want to use?": null, - "Which source do you want to add?": null, - "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": null, - "WinGet could not be repaired": null, - "WinGet malfunction detected": null, - "WinGet was repaired successfully": null, - "WingetUI": null, - "WingetUI - Everything is up to date": null, - "WingetUI - {0} updates are available": null, - "WingetUI - {0} {1}": null, - "WingetUI Homepage": null, - "WingetUI Homepage - Share this link!": null, - "WingetUI License": null, - "WingetUI Log": null, - "WingetUI Repository": null, - "WingetUI Settings": null, - "WingetUI Settings File": null, - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI Version {0}": null, - "WingetUI autostart behaviour, application launch settings": null, - "WingetUI can check if your software has available updates, and install them automatically if you want to": null, - "WingetUI display language:": null, - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": null, - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": null, - "WingetUI has not been machine translated. The following users have been in charge of the translations:": null, - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": null, - "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": null, - "WingetUI is being updated. When finished, WingetUI will restart itself": null, - "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": null, - "WingetUI log": null, - "WingetUI tray application preferences": null, - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI version {0} is being downloaded.": null, - "WingetUI will become {newname} soon!": null, - "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": null, - "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": null, - "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": null, - "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": null, - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": null, - "WingetUI {0} is ready to be installed.": null, - "Write here the process names here, separated by commas (,)": null, - "Yes": null, - "You are logged in as {0} (@{1})": null, - "You can change this behavior on UniGetUI security settings.": null, - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": null, - "You have currently version {0} installed": null, - "You have installed WingetUI Version {0}": null, - "You may lose unsaved data": null, - "You may need to install {pm} in order to use it with WingetUI.": null, - "You may restart your computer later if you wish": null, - "You will be prompted only once, and administrator rights will be granted to packages that request them.": null, - "You will be prompted only once, and every future installation will be elevated automatically.": null, - "You will likely need to interact with the installer.": null, - "[RAN AS ADMINISTRATOR]": null, - "buy me a coffee": null, - "extracted": null, - "feature": null, - "formerly WingetUI": null, - "homepage": null, - "install": null, - "installation": null, - "installed": null, - "installing": null, - "library": null, - "mandatory": null, - "option": null, - "optional": null, - "uninstall": null, - "uninstallation": null, - "uninstalled": null, - "uninstalling": null, - "update(noun)": null, - "update(verb)": null, - "updated": null, - "updating": null, - "version {0}": null, - "{0} Install options are currently locked because {0} follows the default install options.": null, - "{0} Uninstallation": null, - "{0} aborted": null, - "{0} can be updated": null, - "{0} can be updated to version {1}": null, - "{0} days": null, - "{0} desktop shortcuts created": null, - "{0} failed": null, - "{0} has been installed successfully.": null, - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": null, - "{0} has failed, that was a requirement for {1} to be run": null, - "{0} homepage": null, - "{0} hours": null, - "{0} installation": null, - "{0} installation options": null, - "{0} installer is being downloaded": null, - "{0} is being installed": null, - "{0} is being uninstalled": null, - "{0} is being updated": null, - "{0} is being updated to version {1}": null, - "{0} is disabled": null, - "{0} minutes": null, - "{0} months": null, - "{0} packages are being updated": null, - "{0} packages can be updated": null, - "{0} packages found": null, - "{0} packages were found": null, - "{0} packages were found, {1} of which match the specified filters.": null, - "{0} selected": null, - "{0} settings": null, - "{0} status": null, - "{0} succeeded": null, - "{0} update": null, - "{0} updates are available": null, - "{0} was {1} successfully!": null, - "{0} weeks": null, - "{0} years": null, - "{0} {1} failed": null, - "{package} Installation": null, - "{package} Uninstall": null, - "{package} Update": null, - "{package} could not be installed": null, - "{package} could not be uninstalled": null, - "{package} could not be updated": null, - "{package} installation failed": null, - "{package} installer could not be downloaded": null, - "{package} installer download": null, - "{package} installer was downloaded successfully": null, - "{package} uninstall failed": null, - "{package} update failed": null, - "{package} update failed. Click here for more details.": null, - "{package} was installed successfully": null, - "{package} was uninstalled successfully": null, - "{package} was updated successfully": null, - "{pcName} installed packages": null, - "{pm} could not be found": null, - "{pm} found: {state}": null, - "{pm} is disabled": null, - "{pm} is enabled and ready to go": null, - "{pm} package manager specific preferences": null, - "{pm} preferences": null, - "{pm} version:": null, - "{pm} was not found!": null -} \ No newline at end of file + "Operation in progress": "", + "Please wait...": "", + "Success!": "", + "Failed": "", + "An error occurred while processing this package": "", + "Log in to enable cloud backup": "", + "Backup Failed": "", + "Downloading backup...": "", + "An update was found!": "", + "{0} can be updated to version {1}": "", + "Updates found!": "", + "{0} packages can be updated": "", + "You have currently version {0} installed": "", + "Desktop shortcut created": "", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "", + "{0} desktop shortcuts created": "", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "", + "Are you sure?": "", + "Do you really want to uninstall {0}?": "", + "Do you really want to uninstall the following {0} packages?": "", + "No": "", + "Yes": "", + "View on UniGetUI": "", + "Update": "", + "Open UniGetUI": "", + "Update all": "", + "Update now": "", + "This package is on the queue": "", + "installing": "", + "updating": "", + "uninstalling": "", + "installed": "", + "Retry": "", + "Install": "", + "Uninstall": "", + "Open": "", + "Operation profile:": "", + "Follow the default options when installing, upgrading or uninstalling this package": "", + "The following settings will be applied each time this package is installed, updated or removed.": "", + "Version to install:": "", + "Architecture to install:": "", + "Installation scope:": "", + "Install location:": "", + "Select": "", + "Reset": "", + "Custom install arguments:": "", + "Custom update arguments:": "", + "Custom uninstall arguments:": "", + "Pre-install command:": "", + "Post-install command:": "", + "Abort install if pre-install command fails": "", + "Pre-update command:": "", + "Post-update command:": "", + "Abort update if pre-update command fails": "", + "Pre-uninstall command:": "", + "Post-uninstall command:": "", + "Abort uninstall if pre-uninstall command fails": "", + "Command-line to run:": "", + "Save and close": "", + "Run as admin": "", + "Interactive installation": "", + "Skip hash check": "", + "Uninstall previous versions when updated": "", + "Skip minor updates for this package": "", + "Automatically update this package": "", + "{0} installation options": "", + "Latest": "", + "PreRelease": "", + "Default": "", + "Manage ignored updates": "", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "", + "Reset list": "", + "Package Name": "", + "Package ID": "", + "Ignored version": "", + "New version": "", + "Source": "", + "All versions": "", + "Unknown": "", + "Up to date": "", + "Cancel": "", + "Administrator privileges": "", + "This operation is running with administrator privileges.": "", + "Interactive operation": "", + "This operation is running interactively.": "", + "You will likely need to interact with the installer.": "", + "Integrity checks skipped": "", + "Proceed at your own risk.": "", + "Close": "", + "Loading...": "", + "Installer SHA256": "", + "Homepage": "", + "Author": "", + "Publisher": "", + "License": "", + "Manifest": "", + "Installer Type": "", + "Size": "", + "Installer URL": "", + "Last updated:": "", + "Release notes URL": "", + "Package details": "", + "Dependencies:": "", + "Release notes": "", + "Version": "", + "Install as administrator": "", + "Update to version {0}": "", + "Installed Version": "", + "Update as administrator": "", + "Interactive update": "", + "Uninstall as administrator": "", + "Interactive uninstall": "", + "Uninstall and remove data": "", + "Not available": "", + "Installer SHA512": "", + "Unknown size": "", + "No dependencies specified": "", + "mandatory": "", + "optional": "", + "UniGetUI {0} is ready to be installed.": "", + "The update process will start after closing UniGetUI": "", + "Share anonymous usage data": "", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "", + "Accept": "", + "You have installed WingetUI Version {0}": "", + "Disclaimer": "", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "{0} homepage": "", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "", + "Verbose": "", + "1 - Errors": "", + "2 - Warnings": "", + "3 - Information (less)": "", + "4 - Information (more)": "", + "5 - information (debug)": "", + "Warning": "", + "The following settings may pose a security risk, hence they are disabled by default.": "", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "", + "The settings will list, in their descriptions, the potential security issues they may have.": "", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "", + "The backup will NOT include any binary file nor any program's saved data.": "", + "The size of the backup is estimated to be less than 1MB.": "", + "The backup will be performed after login.": "", + "{pcName} installed packages": "", + "Current status: Not logged in": "", + "You are logged in as {0} (@{1})": "", + "Nice! Backups will be uploaded to a private gist on your account": "", + "Select backup": "", + "WingetUI Settings": "", + "Allow pre-release versions": "", + "Apply": "", + "Go to UniGetUI security settings": "", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "", + "Package's default": "", + "Install location can't be changed for {0} packages": "", + "The local icon cache currently takes {0} MB": "", + "Username": "", + "Password": "", + "Credentials": "", + "Partially": "", + "Package manager": "", + "Compatible with proxy": "", + "Compatible with authentication": "", + "Proxy compatibility table": "", + "{0} settings": "", + "{0} status": "", + "Default installation options for {0} packages": "", + "Expand version": "", + "The executable file for {0} was not found": "", + "{pm} is disabled": "", + "Enable it to install packages from {pm}.": "", + "{pm} is enabled and ready to go": "", + "{pm} version:": "", + "{pm} was not found!": "", + "You may need to install {pm} in order to use it with WingetUI.": "", + "Scoop Installer - WingetUI": "", + "Scoop Uninstaller - WingetUI": "", + "Clearing Scoop cache - WingetUI": "", + "Restart UniGetUI": "", + "Manage {0} sources": "", + "Add source": "", + "Add": "", + "Other": "", + "1 day": "", + "{0} days": "", + "{0} minutes": "", + "1 hour": "", + "{0} hours": "", + "1 week": "", + "WingetUI Version {0}": "", + "Search for packages": "", + "Local": "", + "OK": "", + "{0} packages were found, {1} of which match the specified filters.": "", + "{0} selected": "", + "(Last checked: {0})": "", + "Enabled": "", + "Disabled": "", + "More info": "", + "Log in with GitHub to enable cloud package backup.": "", + "More details": "", + "Log in": "", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "", + "Log out": "", + "About": "", + "Third-party licenses": "", + "Contributors": "", + "Translators": "", + "Manage shortcuts": "", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "", + "Do you really want to reset this list? This action cannot be reverted.": "", + "Remove from list": "", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "", + "More details about the shared data and how it will be processed": "", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "", + "Decline": "", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "", + "About WingetUI": "", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "", + "Useful links": "", + "Report an issue or submit a feature request": "", + "View GitHub Profile": "", + "WingetUI License": "", + "Using WingetUI implies the acceptation of the MIT License": "", + "Become a translator": "", + "View page on browser": "", + "Copy to clipboard": "", + "Export to a file": "", + "Log level:": "", + "Reload log": "", + "Text": "", + "Change how operations request administrator rights": "", + "Restrictions on package operations": "", + "Restrictions on package managers": "", + "Restrictions when importing package bundles": "", + "Ask for administrator privileges once for each batch of operations": "", + "Ask only once for administrator privileges": "", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "", + "Allow custom command-line arguments": "", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "", + "Allow changing the paths for package manager executables": "", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "", + "Allow importing custom command-line arguments when importing packages from a bundle": "", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "", + "Administrator rights and other dangerous settings": "", + "Package backup": "", + "Cloud package backup": "", + "Local package backup": "", + "Local backup advanced options": "", + "Log in with GitHub": "", + "Log out from GitHub": "", + "Periodically perform a cloud backup of the installed packages": "", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "", + "Perform a cloud backup now": "", + "Backup": "", + "Restore a backup from the cloud": "", + "Begin the process to select a cloud backup and review which packages to restore": "", + "Periodically perform a local backup of the installed packages": "", + "Perform a local backup now": "", + "Change backup output directory": "", + "Set a custom backup file name": "", + "Leave empty for default": "", + "Add a timestamp to the backup file names": "", + "Backup and Restore": "", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "", + "Disable the 1-minute timeout for package-related operations": "", + "Use installed GSudo instead of UniGetUI Elevator": "", + "Use a custom icon and screenshot database URL": "", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "", + "Perform integrity checks at startup": "", + "When batch installing packages from a bundle, install also packages that are already installed": "", + "Experimental settings and developer options": "", + "Show UniGetUI's version and build number on the titlebar.": "", + "Language": "", + "UniGetUI updater": "", + "Telemetry": "", + "Manage UniGetUI settings": "", + "Related settings": "", + "Update WingetUI automatically": "", + "Check for updates": "", + "Install prerelease versions of UniGetUI": "", + "Manage telemetry settings": "", + "Manage": "", + "Import settings from a local file": "", + "Import": "", + "Export settings to a local file": "", + "Export": "", + "Reset WingetUI": "", + "Reset UniGetUI": "", + "User interface preferences": "", + "Application theme, startup page, package icons, clear successful installs automatically": "", + "General preferences": "", + "WingetUI display language:": "", + "Is your language missing or incomplete?": "", + "Appearance": "", + "UniGetUI on the background and system tray": "", + "Package lists": "", + "Close UniGetUI to the system tray": "", + "Show package icons on package lists": "", + "Clear cache": "", + "Select upgradable packages by default": "", + "Light": "", + "Dark": "", + "Follow system color scheme": "", + "Application theme:": "", + "Discover Packages": "", + "Software Updates": "", + "Installed Packages": "", + "Package Bundles": "", + "Settings": "", + "UniGetUI startup page:": "", + "Proxy settings": "", + "Other settings": "", + "Connect the internet using a custom proxy": "", + "Please note that not all package managers may fully support this feature": "", + "Proxy URL": "", + "Enter proxy URL here": "", + "Package manager preferences": "", + "Ready": "", + "Not found": "", + "Notification preferences": "", + "Notification types": "", + "The system tray icon must be enabled in order for notifications to work": "", + "Enable WingetUI notifications": "", + "Show a notification when there are available updates": "", + "Show a silent notification when an operation is running": "", + "Show a notification when an operation fails": "", + "Show a notification when an operation finishes successfully": "", + "Concurrency and execution": "", + "Automatic desktop shortcut remover": "", + "Clear successful operations from the operation list after a 5 second delay": "", + "Download operations are not affected by this setting": "", + "Try to kill the processes that refuse to close when requested to": "", + "You may lose unsaved data": "", + "Ask to delete desktop shortcuts created during an install or upgrade.": "", + "Package update preferences": "", + "Update check frequency, automatically install updates, etc.": "", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "", + "Package operation preferences": "", + "Enable {pm}": "", + "Not finding the file you are looking for? Make sure it has been added to path.": "", + "For security reasons, changing the executable file is disabled by default": "", + "Change this": "", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "", + "Current executable file:": "", + "Ignore packages from {pm} when showing a notification about updates": "", + "View {0} logs": "", + "Advanced options": "", + "Reset WinGet": "", + "This may help if no packages are listed": "", + "Force install location parameter when updating packages with custom locations": "", + "Use bundled WinGet instead of system WinGet": "", + "This may help if WinGet packages are not shown": "", + "Install Scoop": "", + "Uninstall Scoop (and its packages)": "", + "Run cleanup and clear cache": "", + "Run": "", + "Enable Scoop cleanup on launch": "", + "Use system Chocolatey": "", + "Default vcpkg triplet": "", + "Language, theme and other miscellaneous preferences": "", + "Show notifications on different events": "", + "Change how UniGetUI checks and installs available updates for your packages": "", + "Automatically save a list of all your installed packages to easily restore them.": "", + "Enable and disable package managers, change default install options, etc.": "", + "Internet connection settings": "", + "Proxy settings, etc.": "", + "Beta features and other options that shouldn't be touched": "", + "Update checking": "", + "Automatic updates": "", + "Check for package updates periodically": "", + "Check for updates every:": "", + "Install available updates automatically": "", + "Do not automatically install updates when the network connection is metered": "", + "Do not automatically install updates when the device runs on battery": "", + "Do not automatically install updates when the battery saver is on": "", + "Change how UniGetUI handles install, update and uninstall operations.": "", + "Package Managers": "", + "More": "", + "WingetUI Log": "", + "Package Manager logs": "", + "Operation history": "", + "Help": "", + "Order by:": "", + "Name": "", + "Id": "", + "Ascendant": "", + "Descendant": "", + "View mode:": "", + "Filters": "", + "Sources": "", + "Search for packages to start": "", + "Select all": "", + "Clear selection": "", + "Instant search": "", + "Distinguish between uppercase and lowercase": "", + "Ignore special characters": "", + "Search mode": "", + "Both": "", + "Exact match": "", + "Show similar packages": "", + "No results were found matching the input criteria": "", + "No packages were found": "", + "Loading packages": "", + "Skip integrity checks": "", + "Download selected installers": "", + "Install selection": "", + "Install options": "", + "Share": "", + "Add selection to bundle": "", + "Download installer": "", + "Share this package": "", + "Uninstall selection": "", + "Uninstall options": "", + "Ignore selected packages": "", + "Open install location": "", + "Reinstall package": "", + "Uninstall package, then reinstall it": "", + "Ignore updates for this package": "", + "Do not ignore updates for this package anymore": "", + "Add packages or open an existing package bundle": "", + "Add packages to start": "", + "The current bundle has no packages. Add some packages to get started": "", + "New": "", + "Save as": "", + "Remove selection from bundle": "", + "Skip hash checks": "", + "The package bundle is not valid": "", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "", + "Package bundle": "", + "Could not create bundle": "", + "The package bundle could not be created due to an error.": "", + "Bundle security report": "", + "Hooray! No updates were found.": "", + "Everything is up to date": "", + "Uninstall selected packages": "", + "Update selection": "", + "Update options": "", + "Uninstall package, then update it": "", + "Uninstall package": "", + "Skip this version": "", + "Pause updates for": "", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "", + "NuPkg (zipped manifest)": "", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "", + "extracted": "", + "Scoop package": "", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "", + "library": "", + "feature": "", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "", + "option": "", + "This package cannot be installed from an elevated context.": "", + "Please run UniGetUI as a regular user and try again.": "", + "Please check the installation options for this package and try again": "", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "", + "Local PC": "", + "Android Subsystem": "", + "Operation on queue (position {0})...": "", + "Click here for more details": "", + "Operation canceled by user": "", + "Starting operation...": "", + "{package} installer download": "", + "{0} installer is being downloaded": "", + "Download succeeded": "", + "{package} installer was downloaded successfully": "", + "Download failed": "", + "{package} installer could not be downloaded": "", + "{package} Installation": "", + "{0} is being installed": "", + "Installation succeeded": "", + "{package} was installed successfully": "", + "Installation failed": "", + "{package} could not be installed": "", + "{package} Update": "", + "{0} is being updated to version {1}": "", + "Update succeeded": "", + "{package} was updated successfully": "", + "Update failed": "", + "{package} could not be updated": "", + "{package} Uninstall": "", + "{0} is being uninstalled": "", + "Uninstall succeeded": "", + "{package} was uninstalled successfully": "", + "Uninstall failed": "", + "{package} could not be uninstalled": "", + "Adding source {source}": "", + "Adding source {source} to {manager}": "", + "Source added successfully": "", + "The source {source} was added to {manager} successfully": "", + "Could not add source": "", + "Could not add source {source} to {manager}": "", + "Removing source {source}": "", + "Removing source {source} from {manager}": "", + "Source removed successfully": "", + "The source {source} was removed from {manager} successfully": "", + "Could not remove source": "", + "Could not remove source {source} from {manager}": "", + "The package manager \"{0}\" was not found": "", + "The package manager \"{0}\" is disabled": "", + "There is an error with the configuration of the package manager \"{0}\"": "", + "The package \"{0}\" was not found on the package manager \"{1}\"": "", + "{0} is disabled": "", + "Something went wrong": "", + "An interal error occurred. Please view the log for further details.": "", + "No applicable installer was found for the package {0}": "", + "We are checking for updates.": "", + "Please wait": "", + "UniGetUI version {0} is being downloaded.": "", + "This may take a minute or two": "", + "The installer authenticity could not be verified.": "", + "The update process has been aborted.": "", + "Great! You are on the latest version.": "", + "There are no new UniGetUI versions to be installed": "", + "An error occurred when checking for updates: ": "", + "UniGetUI is being updated...": "", + "Something went wrong while launching the updater.": "", + "Please try again later": "", + "Integrity checks will not be performed during this operation": "", + "This is not recommended.": "", + "Run now": "", + "Run next": "", + "Run last": "", + "Retry as administrator": "", + "Retry interactively": "", + "Retry skipping integrity checks": "", + "Installation options": "", + "Show in explorer": "", + "This package is already installed": "", + "This package can be upgraded to version {0}": "", + "Updates for this package are ignored": "", + "This package is being processed": "", + "This package is not available": "", + "Select the source you want to add:": "", + "Source name:": "", + "Source URL:": "", + "An error occurred": "", + "An error occurred when adding the source: ": "", + "Package management made easy": "", + "version {0}": "", + "[RAN AS ADMINISTRATOR]": "", + "Portable mode": "", + "DEBUG BUILD": "", + "Available Updates": "", + "Show WingetUI": "", + "Quit": "", + "Attention required": "", + "Restart required": "", + "1 update is available": "", + "{0} updates are available": "", + "WingetUI Homepage": "", + "WingetUI Repository": "", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "", + "Manual scan": "", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "", + "Continue": "", + "Delete?": "", + "Missing dependency": "", + "Not right now": "", + "Install {0}": "", + "UniGetUI requires {0} to operate, but it was not found on your system.": "", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "", + "Do not show this dialog again for {0}": "", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "", + "{0} has been installed successfully.": "", + "Please click on \"Continue\" to continue": "", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "", + "Restart later": "", + "An error occurred:": "", + "I understand": "", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "", + "WinGet was repaired successfully": "", + "It is recommended to restart UniGetUI after WinGet has been repaired": "", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "", + "Restart": "", + "WinGet could not be repaired": "", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "", + "Are you sure you want to delete all shortcuts?": "", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "", + "Are you really sure you want to enable this feature?": "", + "No new shortcuts were found during the scan.": "", + "How to add packages to a bundle": "", + "In order to add packages to a bundle, you will need to: ": "", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "", + "Which backup do you want to open?": "", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "", + "UniGetUI or some of its components are missing or corrupt.": "", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "", + "Integrity checks can be disabled from the Experimental Settings": "", + "Repair UniGetUI": "", + "Live output": "", + "Package not found": "", + "An error occurred when attempting to show the package with Id {0}": "", + "Package": "", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "", + "Entries that show in YELLOW will be IGNORED.": "", + "Entries that show in RED will be IMPORTED.": "", + "You can change this behavior on UniGetUI security settings.": "", + "Open UniGetUI security settings": "", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "", + "Details of the report:": "", + "\"{0}\" is a local package and can't be shared": "", + "Are you sure you want to create a new package bundle? ": "", + "Any unsaved changes will be lost": "", + "Warning!": "", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "", + "Change default options": "", + "Ignore future updates for this package": "", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "", + "Change this and unlock": "", + "{0} Install options are currently locked because {0} follows the default install options.": "", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "", + "Write here the process names here, separated by commas (,)": "", + "Unset or unknown": "", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "", + "Become a contributor": "", + "Save": "", + "Update to {0} available": "", + "Reinstall": "", + "Installer not available": "", + "Version:": "", + "Performing backup, please wait...": "", + "An error occurred while logging in: ": "", + "Fetching available backups...": "", + "Done!": "", + "The cloud backup has been loaded successfully.": "", + "An error occurred while loading a backup: ": "", + "Backing up packages to GitHub Gist...": "", + "Backup Successful": "", + "The cloud backup completed successfully.": "", + "Could not back up packages to GitHub Gist: ": "", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "", + "Enable the automatic WinGet troubleshooter": "", + "Enable an [experimental] improved WinGet troubleshooter": "", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "", + "Restart WingetUI to fully apply changes": "", + "Restart WingetUI": "", + "Invalid selection": "", + "No package was selected": "", + "More than 1 package was selected": "", + "List": "", + "Grid": "", + "Icons": "", + "\"{0}\" is a local package and does not have available details": "", + "\"{0}\" is a local package and is not compatible with this feature": "", + "WinGet malfunction detected": "", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "", + "Repair WinGet": "", + "Create .ps1 script": "", + "Add packages to bundle": "", + "Preparing packages, please wait...": "", + "Loading packages, please wait...": "", + "Saving packages, please wait...": "", + "The bundle was created successfully on {0}": "", + "Install script": "", + "The installation script saved to {0}": "", + "An error occurred while attempting to create an installation script:": "", + "{0} packages are being updated": "", + "Error": "", + "Log in failed: ": "", + "Log out failed: ": "", + "Package backup settings": "", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", + "(Number {0} in the queue)": "", + "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "", + "0 packages found": "", + "0 updates found": "", + "1 month": "", + "1 package was found": "", + "1 year": "", + "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "", + "A restart is required": "", + "About Qt6": "", + "About WingetUI version {0}": "", + "About the dev": "", + "Action when double-clicking packages, hide successful installations": "", + "Add a source to {0}": "", + "Add a timestamp to the backup files": "", + "Add packages or open an existing bundle": "", + "Addition succeeded": "", + "Administrator privileges preferences": "", + "Administrator rights": "", + "All files": "", + "Allow package operations to be performed in parallel": "", + "Allow parallel installs (NOT RECOMMENDED)": "", + "Allow {pm} operations to be performed in parallel": "", + "Always elevate {pm} installations by default": "", + "Always run {pm} operations with administrator rights": "", + "An unexpected error occurred:": "", + "Another source": "", + "App Name": "", + "Are these screenshots wron or blurry?": "", + "Ask for administrator rights when required": "", + "Ask once or always for administrator rights, elevate installations by default": "", + "Ask only once for administrator privileges (not recommended)": "", + "Authenticate to the proxy with an user and a password": "", + "Automatically save a list of your installed packages on your computer.": "", + "Autostart WingetUI in the notifications area": "", + "Available updates: {0}": "", + "Available updates: {0}, not finished yet...": "", + "Backup installed packages": "", + "Backup location": "", + "But here are other things you can do to learn about WingetUI even more:": "", + "By toggling a package manager off, you will no longer be able to see or update its packages.": "", + "Cache administrator rights and elevate installers by default": "", + "Cache administrator rights, but elevate installers only when required": "", + "Cache was reset successfully!": "", + "Can't {0} {1}": "", + "Cancel all operations": "", + "Change how UniGetUI installs packages, and checks and installs available updates": "", + "Change install location": "", + "Check for updates periodically": "", + "Check for updates regularly, and ask me what to do when updates are found.": "", + "Check for updates regularly, and automatically install available ones.": "", + "Check out my {0} and my {1}!": "", + "Check out some WingetUI overviews": "", + "Checking for other running instances...": "", + "Checking for updates...": "", + "Checking found instace(s)...": "", + "Choose how many operations shouls be performed in parallel": "", + "Clear finished operations": "", + "Clear successful operations": "", + "Clear the local icon cache": "", + "Clearing Scoop cache...": "", + "Close WingetUI to the notification area": "", + "Command-line Output": "", + "Compare query against": "", + "Component Information": "", + "Contribute to the icon and screenshot repository": "", + "Copy": "", + "Could not load announcements - ": "", + "Could not load announcements - HTTP status code is $CODE": "", + "Could not remove {source} from {manager}": "", + "Current Version": "", + "Current user": "", + "Custom arguments:": "", + "Custom command-line arguments:": "", + "Customize WingetUI - for hackers and advanced users only": "", + "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "", + "Default preferences - suitable for regular users": "", + "Description:": "", + "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "", + "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "", + "Disable new share API (port 7058)": "", + "Discover packages": "", + "Distinguish between\nuppercase and lowercase": "", + "Do NOT check for updates": "", + "Do an interactive install for the selected packages": "", + "Do an interactive uninstall for the selected packages": "", + "Do an interactive update for the selected packages": "", + "Do not download new app translations from GitHub automatically": "", + "Do not remove successful operations from the list automatically": "", + "Do not update package indexes on launch": "", + "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "", + "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "", + "Do you really want to uninstall {0} packages?": "", + "Do you want to restart your computer now?": "", + "Do you want to translate WingetUI to your language? See how to contribute HERE!": "", + "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "", + "Donate": "", + "Download updated language files from GitHub automatically": "", + "Downloading": "", + "Downloading installer for {package}": "", + "Downloading package metadata...": "", + "Enable the new UniGetUI-Branded UAC Elevator": "", + "Enable the new process input handler (StdIn automated closer)": "", + "Export log as a file": "", + "Export packages": "", + "Export selected packages to a file": "", + "Fetching latest announcements, please wait...": "", + "Finish": "", + "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "", + "Formerly known as WingetUI": "", + "Found": "", + "Found packages: ": "", + "Found packages: {0}": "", + "Found packages: {0}, not finished yet...": "", + "GitHub profile": "", + "Global": "", + "Help and documentation": "", + "Hide details": "", + "How should installations that require administrator privileges be treated?": "", + "Ignore updates for the selected packages": "", + "Ignored updates": "", + "Import packages": "", + "Import packages from a file": "", + "Initializing WingetUI...": "", + "Install and more": "", + "Install and update preferences": "", + "Install packages from a file": "", + "Install selected packages": "", + "Install selected packages with administrator privileges": "", + "Install the latest prerelease version": "", + "Install updates automatically": "", + "Installation canceled by the user!": "", + "Installed packages": "", + "Instance {0} responded, quitting...": "", + "Is this package missing the icon?": "", + "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "", + "Latest Version": "", + "Latest Version:": "", + "Latest details...": "", + "Launching subprocess...": "", + "Licenses": "", + "Live command-line output": "", + "Loading UI components...": "", + "Loading WingetUI...": "", + "Local machine": "", + "Locating {pm}...": "", + "Looking for packages...": "", + "Machine | Global": "", + "Manage WingetUI autostart behaviour from the Settings app": "", + "Manage ignored packages": "", + "Manifests": "", + "New Version": "", + "New bundle": "", + "No packages found": "", + "No packages found matching the input criteria": "", + "No packages have been added yet": "", + "No packages selected": "", + "No sources found": "", + "No sources were found": "", + "No updates are available": "", + "Notes:": "", + "Notification tray options": "", + "Ok": "", + "Open GitHub": "", + "Open WingetUI": "", + "Open backup location": "", + "Open existing bundle": "", + "Open the welcome wizard": "", + "Operation cancelled": "", + "Options saved": "", + "Package Manager": "", + "Package managers": "", + "Package {name} from {manager}": "", + "Packages": "", + "Packages found: {0}": "", + "Paste a valid URL to the database": "", + "Perform a backup now": "", + "Periodically perform a backup of the installed packages": "", + "Please enter at least 3 characters": "", + "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "", + "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "", + "Please select how you want to configure WingetUI": "", + "Please type at least two characters": "", + "Portable": "", + "Publication date:": "", + "Quit WingetUI": "", + "Release notes URL:": "", + "Release notes:": "", + "Reload": "", + "Removal failed": "", + "Removal succeeded": "", + "Remove permanent data": "", + "Remove successful installs/uninstalls/updates from the installation list": "", + "Repository": "", + "Reset Scoop's global app cache": "", + "Reset Winget sources (might help if no packages are listed)": "", + "Reset WingetUI and its preferences": "", + "Reset WingetUI icon and screenshot cache": "", + "Resetting Winget sources - WingetUI": "", + "Restart now": "", + "Restart your PC to finish installation": "", + "Restart your computer to finish the installation": "", + "Retry failed operations": "", + "Retrying, please wait...": "", + "Return to top": "", + "Running the installer...": "", + "Running the uninstaller...": "", + "Running the updater...": "", + "Save File": "", + "Save bundle as": "", + "Save now": "", + "Search": "", + "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "", + "Search on available updates": "", + "Search on your software": "", + "Searching for installed packages...": "", + "Searching for packages...": "", + "Searching for updates...": "", + "Select \"{item}\" to add your custom bucket": "", + "Select a folder": "", + "Select all packages": "", + "Select only if you know what you are doing.": "", + "Select package file": "", + "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "", + "Sent handshake. Waiting for instance listener's answer... ({0}%)": "", + "Set custom backup file name": "", + "Share WingetUI": "", + "Show UniGetUI on the system tray": "", + "Show a notification when an installation fails": "", + "Show a notification when an installation finishes successfully": "", + "Show details": "", + "Show info about the package on the Updates tab": "", + "Show missing translation strings": "", + "Show package details": "", + "Show the live output": "", + "Skip": "", + "Skip the hash check when installing the selected packages": "", + "Skip the hash check when updating the selected packages": "", + "Source addition failed": "", + "Source removal failed": "", + "Source:": "", + "Start": "", + "Starting daemons...": "", + "Startup options": "", + "Status": "", + "Stuck here? Skip initialization": "", + "Suport the developer": "", + "Support me": "", + "Support the developer": "", + "Systems are now ready to go!": "", + "Text file": "", + "Thank you 😉": "", + "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "", + "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "", + "The following packages are going to be installed on your system.": "", + "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "", + "The icons and screenshots are maintained by users like you!": "", + "The installer has an invalid checksum": "", + "The installer hash does not match the expected value.": "", + "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "", + "The package {0} from {1} was not found.": "", + "The selected packages have been blacklisted": "", + "The update will be installed upon closing WingetUI": "", + "The update will not continue.": "", + "The user has canceled {0}, that was a requirement for {1} to be run": "", + "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "", + "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "", + "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "", + "They are the programs in charge of installing, updating and removing packages.": "", + "This could represent a security risk.": "", + "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "", + "This is the default choice.": "", + "This package can be updated": "", + "This package can be updated to version {0}": "", + "This process is running with administrator privileges": "", + "This setting is disabled": "", + "This wizard will help you configure and customize WingetUI!": "", + "Toggle search filters pane": "", + "Type here the name and the URL of the source you want to add, separed by a space.": "", + "Unable to find package": "", + "Unable to load informarion": "", + "Uninstall and more": "", + "Uninstall canceled by the user!": "", + "Uninstall the selected packages with administrator privileges": "", + "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "", + "Update and more": "", + "Update date": "", + "Update found!": "", + "Update package indexes on launch": "", + "Update packages automatically": "", + "Update selected packages": "", + "Update selected packages with administrator privileges": "", + "Update vcpkg's Git portfiles automatically (requires Git installed)": "", + "Updates": "", + "Updates available!": "", + "Updates preferences": "", + "Updating WingetUI": "", + "Url": "", + "Use Legacy bundled WinGet instead of PowerShell CMDLets": "", + "Use bundled WinGet instead of PowerShell CMDlets": "", + "Use installed GSudo instead of the bundled one": "", + "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "", + "Use system Chocolatey (Needs a restart)": "", + "Use system Winget (Needs a restart)": "", + "Use system Winget (System language must be set to english)": "", + "Use the WinGet COM API to fetch packages": "", + "Use the WinGet PowerShell Module instead of the WinGet COM API": "", + "User": "", + "User | Local": "", + "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "", + "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "", + "Vcpkg was not found on your system.": "", + "View WingetUI on GitHub": "", + "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "", + "Waiting for other installations to finish...": "", + "Waiting for {0} to complete...": "", + "We could not load detailed information about this package, because it was not found in any of your package sources": "", + "We could not load detailed information about this package, because it was not installed from an available package manager.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "", + "We couldn't find any package": "", + "Welcome to WingetUI": "", + "Which package managers do you want to use?": "", + "Which source do you want to add?": "", + "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "", + "WingetUI": "", + "WingetUI - Everything is up to date": "", + "WingetUI - {0} updates are available": "", + "WingetUI - {0} {1}": "", + "WingetUI Homepage - Share this link!": "", + "WingetUI Settings File": "", + "WingetUI autostart behaviour, application launch settings": "", + "WingetUI can check if your software has available updates, and install them automatically if you want to": "", + "WingetUI has not been machine translated. The following users have been in charge of the translations:": "", + "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "", + "WingetUI is being updated. When finished, WingetUI will restart itself": "", + "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "", + "WingetUI log": "", + "WingetUI tray application preferences": "", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "WingetUI version {0} is being downloaded.": "", + "WingetUI will become {newname} soon!": "", + "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "", + "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "", + "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "", + "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "", + "WingetUI {0} is ready to be installed.": "", + "You may restart your computer later if you wish": "", + "You will be prompted only once, and administrator rights will be granted to packages that request them.": "", + "You will be prompted only once, and every future installation will be elevated automatically.": "", + "buy me a coffee": "", + "formerly WingetUI": "", + "homepage": "", + "install": "", + "installation": "", + "uninstall": "", + "uninstallation": "", + "uninstalled": "", + "update(noun)": "", + "update(verb)": "", + "updated": "", + "{0} Uninstallation": "", + "{0} aborted": "", + "{0} can be updated": "", + "{0} failed": "", + "{0} has failed, that was a requirement for {1} to be run": "", + "{0} installation": "", + "{0} is being updated": "", + "{0} months": "", + "{0} packages found": "", + "{0} packages were found": "", + "{0} succeeded": "", + "{0} update": "", + "{0} was {1} successfully!": "", + "{0} weeks": "", + "{0} years": "", + "{0} {1} failed": "", + "{package} installation failed": "", + "{package} uninstall failed": "", + "{package} update failed": "", + "{package} update failed. Click here for more details.": "", + "{pm} could not be found": "", + "{pm} found: {state}": "", + "{pm} package manager specific preferences": "", + "{pm} preferences": "", + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "", + "Thank you ❤": "", + "This project has no connection with the official {0} project — it's completely unofficial.": "" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_lt.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_lt.json index a113a3139b..4c27685d25 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_lt.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_lt.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operacija vykdoma", + "Please wait...": "Prašome palaukti...", + "Success!": "Sėkmė!", + "Failed": "Nepavyko", + "An error occurred while processing this package": "Apdorojant šį paketą įvyko klaida:", + "Log in to enable cloud backup": "Prisijunkite, kad įjungtumėte debesies atsarginę kopiją", + "Backup Failed": "Nepavyko sukurti atsargines kopijos", + "Downloading backup...": "Atsisiunčiama atsarginė kopija...", + "An update was found!": "Buvo rastas (at-)naujinimas/-ys!", + "{0} can be updated to version {1}": "„{0}“ gali būti atnaujintas į – {1}", + "Updates found!": "Atnaujinimai rasti!", + "{0} packages can be updated": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} gali būti atnaujinti", + "You have currently version {0} installed": "Jūsų dabartinė įdiegta versija – {0}", + "Desktop shortcut created": "Sukurta darbalaukio nuoroda", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "„UniGetUI“ aptiko naują darbalaukio nuorodą, kuri gali būti ištrinta automatiškai.", + "{0} desktop shortcuts created": "Sukurta {0} darbalaukio sparčiųjų klavišų", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "„UniGetUI“ aptiko {0} naujus darbalaukio sparčiuosius klavišus, kuriuos galima ištrinti automatiškai.", + "Are you sure?": "Ar Jūs esate tikras (-a)?", + "Do you really want to uninstall {0}?": "Ar Jūs tikrai norite išdiegti – „{0}“?", + "Do you really want to uninstall the following {0} packages?": "Ar Jūs tikrai norite išdiegti nurodomą/-us – {0} paketą/-us?", + "No": "Ne", + "Yes": "Taip", + "View on UniGetUI": "Peržiūrėti per „UniGetUI“", + "Update": "Atnaujinti", + "Open UniGetUI": "Atidaryti „UniGetUI“", + "Update all": "Atnaujinti visus", + "Update now": "(At-)Naujinti dabar", + "This package is on the queue": "Šis paketas yra eilėje", + "installing": "(į-)diegiama/-s", + "updating": "atnaujinama", + "uninstalling": "išdiegiama/-s", + "installed": "įdiegta/-s", + "Retry": "Bandyti dar kartą", + "Install": "Įdiegti", + "Uninstall": "Išdiegti", + "Open": "Atidaryti", + "Operation profile:": "Operacijos/-nis profilis:", + "Follow the default options when installing, upgrading or uninstalling this package": "Sekti numatytąsias parinktis, kai (į-)diegiate, (at-)naujinate ar išdiegiate šį paketą", + "The following settings will be applied each time this package is installed, updated or removed.": "Toliau esantys nustatymai bus pritaikyti kiekvieną kartą, kai šis paketas yra įdiegtas, atnaujintas ar pašalintas.", + "Version to install:": "Versija, kurią įdiegti:", + "Architecture to install:": "Architektūra, kurią įdiegti:", + "Installation scope:": "Įdiegimo sritis:", + "Install location:": "Įdiegimo vietovė:", + "Select": "Pažymėti", + "Reset": "Atstatyti", + "Custom install arguments:": "Pasirinktiniai (į-)diegimo argumentai:", + "Custom update arguments:": "Pasirinktiniai (at-)naujinimo/-io (-ų/-ių) argumentai:", + "Custom uninstall arguments:": "Pasirinktiniai išdiegimo argumentai:", + "Pre-install command:": "Parengtinė (į-)diegimo komanda:", + "Post-install command:": "Paskesnioji (į-)diegimo komanda:", + "Abort install if pre-install command fails": "Nutraukti (į-)diegimą, jei parengtinė (į-)diegimo komanda patiria klaidą", + "Pre-update command:": "Parengtinė (at-)naujinimo komanda:", + "Post-update command:": "Paskesnioji (at-)naujinimo komanda:", + "Abort update if pre-update command fails": "Nutraukti (at-)naujinimą, jei parengtinė (at-)naujinimo komanda patiria klaidą", + "Pre-uninstall command:": "Parengtinė išdiegimo komanda:", + "Post-uninstall command:": "Paskesnioji išdiegimo komanda:", + "Abort uninstall if pre-uninstall command fails": "Nutraukti išdiegimą, jei parengtinė išdiegimo komanda patiria klaidą", + "Command-line to run:": "Komandos/-ų eilutė, kurią vykdyti:", + "Save and close": "Išsaugoti ir uždaryti", + "Run as admin": "Vykdyti kaip administratorių", + "Interactive installation": "Sąveikaujantis įdiegimas", + "Skip hash check": "Praleisti maišos patikrą", + "Uninstall previous versions when updated": "Išdiegti buvusias versijas, kai atnaujinsime", + "Skip minor updates for this package": "Praleisti smulkius (at-)naujinimus šiam paketui", + "Automatically update this package": "Automatiškai atnaujinti šį paketą", + "{0} installation options": "„{0}“ įdiegimo parinktys", + "Latest": "Paskiausias/Naujausias", + "PreRelease": "Išankstinis išleidimas", + "Default": "Numatyta/-s", + "Manage ignored updates": "Tvarkyti ignoruotus atnaujinimus", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paketai pateikti čia nebus įtraukiami, kai tikrinama ar yra atnaujinimų. Du kart spaustelėjus ar paspaudus ant mygtuko jo dešinėje sustabdys jų atnaujinimus.", + "Reset list": "Atstatyti sąrašą", + "Package Name": "Paketo pavadinimas", + "Package ID": "Paketo ID", + "Ignored version": "Ignoruota versija", + "New version": "Naują versiją", + "Source": "Šaltinį", + "All versions": "Visos versijos", + "Unknown": "Nežinoma/-s", + "Up to date": "Naudojate naujausią/paskiausią versijos leidinį", + "Cancel": "Atšaukti", + "Administrator privileges": "Administratoriaus privilegijos", + "This operation is running with administrator privileges.": "Ši operacija veikia su administratoriaus privilegijom.", + "Interactive operation": "Interaktyvus veiksmas", + "This operation is running interactively.": "Šis veiksmas vykdomas interaktyviai.", + "You will likely need to interact with the installer.": "Jums greičiausiai reikės sąveikauti su įdiegikliu.", + "Integrity checks skipped": "Vientisumo patikrinimai praleisti", + "Proceed at your own risk.": "Tęskite savo nuožiūra.", + "Close": "Uždaryti/Užverti", + "Loading...": "Įkeliama...", + "Installer SHA256": "Įdiegiklio „SHA256“", + "Homepage": "Pagrindinis puslapis", + "Author": "Autorius/-ė", + "Publisher": "Leidė́jas", + "License": "Licencija", + "Manifest": "Manifestas", + "Installer Type": "Įdiegiklio tipas", + "Size": "Dydis", + "Installer URL": "Įdiegiklio „URL“ – saitas", + "Last updated:": "Paskutinį kartą atnaujinta:", + "Release notes URL": "Išleidimo užrašų „URL“ – saitas", + "Package details": "Paketo išsamumas", + "Dependencies:": "Priklausomybės:", + "Release notes": "Išleidimo užrašai", + "Version": "Versiją", + "Install as administrator": "Įdiegti kaip administratorių", + "Update to version {0}": "Atnaujinti į versiją – {0}", + "Installed Version": "Įdiegta versija:", + "Update as administrator": "Atnaujinti kaip administratorius", + "Interactive update": "Sąveikaujantis (at-)naujinimas", + "Uninstall as administrator": "Išdiegti kaip administratorius", + "Interactive uninstall": "Sąveikaujantis išdiegimas", + "Uninstall and remove data": "Išdiegti ir pašalinti duomenis", + "Not available": "Nepasiekiama/-s", + "Installer SHA512": "Įdiegiklio „SHA512“", + "Unknown size": "Nežinomas dydis", + "No dependencies specified": "Priklausomybės nenurodytos", + "mandatory": "privaloma/-s", + "optional": "pasirinktina/-s", + "UniGetUI {0} is ready to be installed.": "„UniGetUI“ – {0} yra pasiruošusi/-ęs būti įdiegta/-s.", + "The update process will start after closing UniGetUI": "Atnaujinimo vyksmas prasidės po „UniGetUI“ uždarymo", + "Share anonymous usage data": "Siųsti anoniminius naudojimo duomenis", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "„UniGetUI“ surenka anonimišką naudojimosi duomenis, siekiant patobulinti naudotojo/vartotojo patirtį.", + "Accept": "Priimti", + "You have installed WingetUI Version {0}": "Jūs esate įdiegę „UniGetUI“ versiją – {0}", + "Disclaimer": "Atsakomýbės ribójimas", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "„UniGetUI“ nėra susijęs su jokiais/-omis palaikomais/-omis paketų tvarkytuvais/-ėmis. „UniGetUI“ yra nepriklausomas projektas.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI nebūtų galima sukurti be visų prisidėjusių pagalbos. Ačiū Jums visiems! 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "„UniGetUI“ naudoja šias bibliotekas. Be jų, „UniGetUI“ nebūtų galimas.", + "{0} homepage": "Pagrindinis tinklalapio puslapis – {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "„UniGetUI“ buvo išverstas į daugiau, nei 40 kalbų, savanorių vertėjų dėka. Ačiū/Dėkui/Diekoju Jums! 🤝", + "Verbose": "Plačiai/Išsamiai/Daugiažodiškai", + "1 - Errors": "1 – Klaidos", + "2 - Warnings": "2 – Įspėjimai", + "3 - Information (less)": "3 – Informacija (mažiau)", + "4 - Information (more)": "4 – Informacija (daugiau)", + "5 - information (debug)": "5 – Informacija (klaidų šalinimui)", + "Warning": "Įspėjimas", + "The following settings may pose a security risk, hence they are disabled by default.": "Toliau pateikti nustatymai gali kelti saugumo riziką, todėl pagal numatytuosius nustatymus jie yra išjungti.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Įjunkite toliau pateiktus nustatymus TIK TADA, jei visiškai suprantate, ką jie daro ir kokias pasekmes bei pavojus jie gali sukelti.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Nustatymų aprašuose bus nurodytos galimos saugumo problemos, kurias jie gali sukelti.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Atsarginė kopija įtraukia pilnąjį įdiegtų paketų sąrašą su jų įdiegimo parinktys. Ignoruojami atnaujinimai ir praleistos versijos irgi yra išsaugomos.", + "The backup will NOT include any binary file nor any program's saved data.": "Atsarginė kopija NEĮTRAUKIA jokių dvejetainių failų, nei jokių programų/-ėlių išsaugotų duomenų.", + "The size of the backup is estimated to be less than 1MB.": "Atsarginės kopijos dydis yra numatomas, kad bus mažesnis nei – 1MB.", + "The backup will be performed after login.": "Atsarginės kopija bus atlikta po prisijungimo.", + "{pcName} installed packages": "Įdiegti paketai – {pcName}", + "Current status: Not logged in": "Dabartinė būsena: Neprisijungęs/-usi", + "You are logged in as {0} (@{1})": "Esate prisijungę kaip {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Puiku! Atsarginės kopijos bus įkeltos į privatų „gist“ jūsų paskyroje", + "Select backup": "Pasirinkti atsarginę kopiją", + "WingetUI Settings": "„UniGetUI“ nustatymai", + "Allow pre-release versions": "Leisti išankstines versijas", + "Apply": "Pritaikyti", + "Go to UniGetUI security settings": "Eiti į „UniGetUI“ saugumo nustatymus", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Toliau pateiktos parinktys bus taikomos pagal numatytuosius nustatymus kiekvieną kartą, kai {0} paketas bus įdiegtas, atnaujintas arba pašalintas.", + "Package's default": "Numatytoji paketo parinktis", + "Install location can't be changed for {0} packages": "Diegimo vietos negalima pakeisti {0} paketams", + "The local icon cache currently takes {0} MB": "Vietinė/-is piktogramų talpykla/podėlis užima – {0} MB", + "Username": "Naudotojo/Vartotojo vardas (t.y. Slapyvardis)", + "Password": "Slaptažodis", + "Credentials": "Prisijungimo duomenys", + "Partially": "Dalinai", + "Package manager": "Paketų tvarkytuvas/-ė", + "Compatible with proxy": "Suderintas su įgaliotiniu", + "Compatible with authentication": "Palaikomas su autentifikavimu", + "Proxy compatibility table": "Įgaliotinių/-ųjų suderinimo lentelė", + "{0} settings": "„{0}“ nustatymai", + "{0} status": "{0} būsena", + "Default installation options for {0} packages": "Numatytosios (į-)diegimo parinktys – „{0}“ paketams", + "Expand version": "Išplėsti versiją", + "The executable file for {0} was not found": "Vykdomasis failas, skirtas – „{0}“, nebuvo rastas", + "{pm} is disabled": "„{pm}“ išjungta/išgalinta (-s)", + "Enable it to install packages from {pm}.": "Įjunkite/Įgalinkite jį, norint įdiegti paketą/-us iš – „{pm}“.", + "{pm} is enabled and ready to go": "„{pm}“ yra įjungta/įgalinta (-s) ir pasiruošusi/-ęs", + "{pm} version:": "„{pm}“ versija:", + "{pm} was not found!": "„{pm}“ nebuvo rasta/-s!", + "You may need to install {pm} in order to use it with WingetUI.": "Kad galėtumėte naudoti „UniGetUI“, jums gali tekti į(-si)diegti – „{pm}“.", + "Scoop Installer - WingetUI": "„Scoop“ įdiegiklis – „UniGetUI“", + "Scoop Uninstaller - WingetUI": "„Scoop“ išdiegiklis – „UniGetUI“", + "Clearing Scoop cache - WingetUI": "Išvaloma/-s „Scoop“ talpykla/podėlis – „UniGetUI“", + "Restart UniGetUI": "Iš naujo paleisti – „UniGetUI“", + "Manage {0} sources": "Tvarkyti – „{0}“ šaltinius", + "Add source": "Pridėti šaltinį", + "Add": "Pridėti", + "Other": "Kita/-s/-i", + "1 day": "1-ai dienai", + "{0} days": "{0} {0, plural, one {diena} few {dienas/-os/-om} other {dienų}}", + "{0} minutes": "{0} {0, plural, one {minutė} few {minutės/-ėm} other {minučių}}", + "1 hour": "1-ai valandai", + "{0} hours": "{0} {0, plural, one {valanda} few {valandas/-os/-om} other {valandų}}", + "1 week": "1-ai savaitei", + "WingetUI Version {0}": "„UniGetUI“ versija – {0}", + "Search for packages": "Ieškoti paketų", + "Local": "Vietinis", + "OK": "Gerai", + "{0} packages were found, {1} of which match the specified filters.": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} buvo rastas/-i/-ų iš kurių {1} sutampa su esamais/pritaikytais filtrais.", + "{0} selected": "Pasirinkta {0}", + "(Last checked: {0})": "(Paskutinį kartą tikrinta: {0})", + "Enabled": "Įjungta", + "Disabled": "Išjungta/Neįgalinta (-s)", + "More info": "Daugiau informacijos", + "Log in with GitHub to enable cloud package backup.": "Prisijunkite su „GitHub“, kad įjungtumėte/įgalintumėte debesijos paketų atsarginių kopijų vykdymą.", + "More details": "Daugiau išsamumo", + "Log in": "Prisijungti", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jeigu Jūs turite atsarginių kopijų kūrimą įjungtą/įgalintą debesijoje, tada jis bus išsaugotas kaip „GitHub Gist“ šioje paskyroje.", + "Log out": "Atsijungti", + "About": "Apie", + "Third-party licenses": "Trečios šalies licencija", + "Contributors": "Talkininkai", + "Translators": "Vertėjai", + "Manage shortcuts": "Tvarkyti/Valdyti nuorodas", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "„UniGetUI“ aptiko šias darbalaukio nuorodas, kurios gali būti ištrintos automatiškai po (ateities) atnaujinimų.", + "Do you really want to reset this list? This action cannot be reverted.": "Ar Jūs tikrai norite atstatyti šį sąrašą? Šis veiksmas negali būti anuliuotas.", + "Remove from list": "Pašalinti iš sąrašo", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kai aptinkami nauji spartieji klavišai, ištrinkite juos automatiškai, užuot rodę šį dialogą.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "„UniGetUI“ surenka anonimišką naudojimosi duomenis su esmine paskirtimi, siekiant suprasti ir patobulinti naudotojo/vartotojo patirtį.", + "More details about the shared data and how it will be processed": "Daugiau informacijos apie bendrinamus duomenis ir kaip jie bus apdorojami", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Ar Jūs sutinkate, kad „UniGetUI“ rinks ir siųs anonimiškus programos naudojimo statinius duomenis, skirtus vien susipažinti ir patobulinti naudotojo/vartotojo patirtį?", + "Decline": "Atmesti/Nepriimti", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Jokia asmeninė informacija nėra reikama ar siunčiama, o surinkti duomenys yra anonimizuoti (t.y. jie negali būti atsekti atgal, kad jie būtent Jūsų).", + "About WingetUI": "Apie „UniGetUI“", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "„UniGetUI“ yra programa, kuri padeda tvarkyti/valdyti taikomąsias programas paprasčiau, pateikdama paprastą „viskas viename“ grafinę sąsają, skirtą komandines eilutes vykdantiems paketų tvarkytuvams/-ėms.", + "Useful links": "Naudingos nuorodos", + "Report an issue or submit a feature request": "Pranešti apie problemą arba pridėti funkcijų pasiūlymą", + "View GitHub Profile": "Peržiūrėti „GitHub“ profilį", + "WingetUI License": "„UniGetUI“ licencija", + "Using WingetUI implies the acceptation of the MIT License": "„UniGetUI“ naudojimas, nurodo neišreikštinį „MIT“ licencijos priėmimą", + "Become a translator": "Tapkite vertėju", + "View page on browser": "Peržiūrėti puslapį naršyklėje", + "Copy to clipboard": "Kopijuoti į mainų sritį", + "Export to a file": "Eksportuoti į failą", + "Log level:": "Žurnalo lygis:", + "Reload log": "Perkrovimų žurnalas", + "Text": "Tekstas", + "Change how operations request administrator rights": "Pakeisti kaip operacijos prašo administratoriaus teisių", + "Restrictions on package operations": "Apribojimai paketo/-ų operacijom/-s", + "Restrictions on package managers": "Apribojimai paketų tvarkytuvams/-ėms", + "Restrictions when importing package bundles": "Apribojimai importuojant paketo/-ų rinkinį/-ius", + "Ask for administrator privileges once for each batch of operations": "Klausti dėl administratoriaus teisių tik vieną kartą, kiekvienai operacijų partijai (veiksmo)", + "Ask only once for administrator privileges": "Klausti tik kartą dėl administratoriaus privilegijų", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Uždrausti bet kokį teisių pakėlimą per „UniGetUI Elevator“ arba „GSudo“", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ši parinktis PADARYS trukdžių. Bet kokia operacija negalinti išsiaukštinti savęs PATIRS KLAIDĄ. Įdiegimas/(At-)Naujinimas/Išdiegimas kaip administratorius NEVEIKS!", + "Allow custom command-line arguments": "Leisti pasirinktinius komandines eilutes argumentus", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Pasirinktinės komandinės eilutės argumentai, gali pakeisti kaip šios programos yra (į-)diegiamos, (at-)naujinamos ar išdiegiamos, tokiu būdu, kokiu „UniGetUI“ negali valdyti. Naudojant pasirinktines komandinės eilutės argumentus, gali sugadinti paketų veikimą. Tęskite atsargiai, pagal savo nuožiūra.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Leisti vykdyti pasirinktines priešdiegimo ir podiegimo komandas importuojant paketus iš rinkinio", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Parengtinės ir paskesniosios komandos bus vykdomos prieš, bei po to, kada paketas būna įdiegtas, atnaujintas ar išdiegtas. Būkite atidūs, kad jie galimai sugadins kažką, nebendrais viską atliekate atsargiai.", + "Allow changing the paths for package manager executables": "Leisti keisti paketų tvarkyklių vykdomųjų failų kelius", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Įjungus tai, galima keisti vykdomąjį failą, naudojamą bendravimui su paketų tvarkytuvais. Nors tai leidžia smulkiau pritaikyti diegimo procesus, tai taip pat gali būti pavojinga", + "Allow importing custom command-line arguments when importing packages from a bundle": "Leisti importuoti pasirinktinius komandų eilutės argumentus importuojant paketus iš rinkinio", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Netaisyklingi komandų eilutės argumentai gali sugadinti paketus ar net leisti piktavaliui gauti privilegijuotą vykdymą. Todėl pasirinktinių komandų eilutės argumentų importavimas pagal numatytuosius nustatymus yra išjungtas.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Leisti importuoti pasirinktines parengtines ir paskesniąsias (į-)diegimo komandas, kai importuojami paketai iš rinkinio", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Parengtinės ir paskesniosios įdiegimo komandos gali sukelti daug problemų Jūsų įrenginiui, jeigu piktavališki asmenys jas taip sukūrę. Importuoti šias komandas iš paketo/-ų rinkinio gali būti labai pavojinga, patartina nenaudoti jų, nebent pasitikite jais.", + "Administrator rights and other dangerous settings": "Administratoriaus teisės ir kiti pavojingi nustatymai", + "Package backup": "Atsarginės paketų kopijos", + "Cloud package backup": "Debesies paketų atsarginė kopija", + "Local package backup": "Vietinė paketų atsarginė kopija", + "Local backup advanced options": "Išplėstinės vietinės atsarginės kopijos parinktys", + "Log in with GitHub": "Prisijungti su „GitHub“", + "Log out from GitHub": "Atsijungti iš „GitHub“", + "Periodically perform a cloud backup of the installed packages": "Periodiškai atlikti debesijos atsarginės kopijos sukūrimą, įdiegtų paketų", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Atsargines kopijas laikyti – debesija naudoja privatų „GitHub Gist“, kad laikytų įdiegtų paketų sąrašą", + "Perform a cloud backup now": "Atlikti debesies atsarginę kopiją dabar", + "Backup": "Sukurti atsarginę kopiją", + "Restore a backup from the cloud": "Atkurti atsarginę kopiją iš debesijos", + "Begin the process to select a cloud backup and review which packages to restore": "Pradėti debesijos pasirinkimo atsarginėj kopijai vyksmą ir apžiūrėkite kuriuos paketus atkurti", + "Periodically perform a local backup of the installed packages": "Periodiškai atlikti vietinę atsarginės kopijos sukūrimą, įdiegtų paketų", + "Perform a local backup now": "Atlikti vietinę atsarginę kopiją dabar", + "Change backup output directory": "Pakeisti atsarginės kopijos išvesties katalogą", + "Set a custom backup file name": "Nustatykite pasirinktinį atsarginės kopijos, failo pavadinimą", + "Leave empty for default": "Numatytai, palikti tuščią", + "Add a timestamp to the backup file names": "Pridėti laiko žymę prie atsarginių failų pavadinimų", + "Backup and Restore": "Sukurti atsarginę kopiją ir atkurti", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Įjungti foninį „API“ („UniGetUI“ valdikliai ir bendrinimas, prievadas – 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Palaukite, kol įrenginys prisijungs prie interneto, prieš bandydami atlikti užduotis, kurioms reikalingas interneto ryšys.", + "Disable the 1-minute timeout for package-related operations": "Išjungti/Išgalinti vienos minutės laukimo laiką, vykdant (susijusio/-ų) paketo/-ų operacijas", + "Use installed GSudo instead of UniGetUI Elevator": "Naudoti įdiegtą „GSudo“ vietoj „UniGetUI Elevator“", + "Use a custom icon and screenshot database URL": "Naudoti pasirinktinę piktogramą ir ekranų kopijų/iškarpų duomenų bazės „URL“ – saitą", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Įjungti/Įgalinti fonines „CPU“ naudosenos optimizacijas (peržiūrėti „Pull Request #3278“)", + "Perform integrity checks at startup": "Atlikti vientisumo patikrinimus paleidimo metu", + "When batch installing packages from a bundle, install also packages that are already installed": "Kai paketai iš rinkinio diegiami paketu, taip pat įdiekite jau įdiegtus paketus", + "Experimental settings and developer options": "Eksperimentiniai nustatymai ir kūrėjo parinktys", + "Show UniGetUI's version and build number on the titlebar.": "Rodyti „UniGetUI“ versiją ant lango antraštės juostos", + "Language": "Kalba", + "UniGetUI updater": "„UniGetUI“ atnaujinimo priemonė", + "Telemetry": "Telemètrija", + "Manage UniGetUI settings": "Tvarkyti ir valdyti „UniGetUI“ nustatymus", + "Related settings": "Susiję nustatymai", + "Update WingetUI automatically": "Automatiškai (at-)naujinti „UniGetUI“", + "Check for updates": "Tikrinti, ar yra (at-)naujinimų/-ių", + "Install prerelease versions of UniGetUI": "Įdiegti išankstines „UniGetUI“ versijas", + "Manage telemetry settings": "Tvarkyti/Valdyti telemetrijos nustatymus", + "Manage": "Tvarkyti/Valdyti", + "Import settings from a local file": "Importuoti nustatymus iš vietinio failo", + "Import": "Importuoti", + "Export settings to a local file": "Eksportuoti nustatymus į failą", + "Export": "Eksportuoti", + "Reset WingetUI": "Atstatyti „UniGetUI“", + "Reset UniGetUI": "Atstatyti „UniGetUI“", + "User interface preferences": "Naudotojo/Vartotojo sąsajos nuostatos", + "Application theme, startup page, package icons, clear successful installs automatically": "Programos apipavidalinimas, paleisties puslapis, paketo/-ų piktogramos ir išvalyti sėkmingus įdiegimus automatiškai.", + "General preferences": "Bendros parinktys", + "WingetUI display language:": "„UniGetUI“ programos atvaizdavimo kalba:", + "Is your language missing or incomplete?": "Ar Jūsų kalba nepasiekiama ar neužbaigta?", + "Appearance": "Išvaizda", + "UniGetUI on the background and system tray": "„UniGetUI“ fone ir sistemos dėkle", + "Package lists": "Paketų sąrašai", + "Close UniGetUI to the system tray": "Uždaryti „UniGetUI“ į sistemos juostelę", + "Show package icons on package lists": "Rodyti paketų piktogramas, paketų sąraše", + "Clear cache": "Išvalyti talpyklą/podėlį", + "Select upgradable packages by default": "Pasirinkti/Pažymėti atnaujinamus paketus numatytai", + "Light": "Šviesus", + "Dark": "Tamsus", + "Follow system color scheme": "Sekti sistemos spalvų schemą/parinktį", + "Application theme:": "Programos apipavidalinimas:", + "Discover Packages": "Atrasti paketus", + "Software Updates": "Taikomieji atnaujinimai", + "Installed Packages": "Įdiegti paketai", + "Package Bundles": "Paketo/-ų rinkiniai", + "Settings": "Nustatymai", + "UniGetUI startup page:": "„UniGetUI“ paleisties puslapis:", + "Proxy settings": "Įgaliotinių/-ųjų nustatymai", + "Other settings": "Kiti nustatymai", + "Connect the internet using a custom proxy": "Prijunkite internetą naudojant pasirinktinį įgaliotąjį serverį", + "Please note that not all package managers may fully support this feature": "Atkreipkite dėmesį, kad ne visi paketų tvarkytuvai gali visiškai palaikyti šią funkciją", + "Proxy URL": "Įgaliotojo/-inio „URL“ – saitas", + "Enter proxy URL here": "Įveskite įgaliotojo „URL“ – saitą čia", + "Package manager preferences": "Paketų tvarkytuvo/-ės nuostatos", + "Ready": "Paruošta/-s", + "Not found": "Nerasta/-s", + "Notification preferences": "Pranešimų parinktys", + "Notification types": "Pranešimų tipai", + "The system tray icon must be enabled in order for notifications to work": "Kad pranešimai veiktų, sistemos dėklo piktograma turi būti įjungta", + "Enable WingetUI notifications": "Įjungti „UniGetUI“ pranešimus", + "Show a notification when there are available updates": "Rodyti pranešimą, kai yra pasiekiami atnaujinimai", + "Show a silent notification when an operation is running": "Rodyti tylų pranešimą, kai operacija yra vykdoma", + "Show a notification when an operation fails": "Rodyti pranešimą, kai operacija nepavyksta ar patiria klaidą", + "Show a notification when an operation finishes successfully": "Rodyti pranešimą, kai operacija pavyksta ar baigia be problemų", + "Concurrency and execution": "Lygiagretumas ir vykdymas", + "Automatic desktop shortcut remover": "Automatinis/-iškas darbalaukio nuorodų nuėmiklis/nuimtuvas/naikiklis/šalintuvas (-ė).\n\n", + "Clear successful operations from the operation list after a 5 second delay": "Išvalyti sėkmingas operacijas iš operacijų sąrašo po 5-ių sekundžių atidėjimo", + "Download operations are not affected by this setting": "Atsisiuntimo operacijos nėra paveiktos šio nustatymo", + "Try to kill the processes that refuse to close when requested to": "Bandykite nutraukti procesus, kurie atsisako užsidaryti paprašius", + "You may lose unsaved data": "Jūs galimai prarasite visus neišsaugotus duomenis", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Klausti, ar ištrinti darbalaukio nuorodas, kurios buvo sukurtas (į-)diegimo ar (at-)naujinimo metu.", + "Package update preferences": "Paketų (at-)naujinimų parinktys ir nuostatos", + "Update check frequency, automatically install updates, etc.": "Atnaujinimų tikrinimo dažnis, automatinis atnaujinimų diegimas ir kt.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Sumažinti UAC užklausų skaičių, pagal numatytuosius nustatymus pakelti teises diegimams, atrakinti tam tikras pavojingas funkcijas ir t. t.", + "Package operation preferences": "Paketų operacijų parinktys ir nuostatos", + "Enable {pm}": "Įjungti/Įgalinti „{pm}“", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nerandate ieškomo failo? Įsitikinkite, kad jis pridėtas prie kelio.", + "For security reasons, changing the executable file is disabled by default": "Numatytai dėl saugumo priežasčių, vykdomojo failo keitimas yra negalimas.", + "Change this": "Pakeisti tai/šį/šitą", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Pasirinkite vykdomąjį, kurį norite naudoti. Toliau pateikiamas sąrašas parodo, visus vykdomuosius, kuriuos rado „UniGetUI“.", + "Current executable file:": "Dabartinis vykdomasis failas:", + "Ignore packages from {pm} when showing a notification about updates": "Rodydami pranešimą apie atnaujinimus, ignoruokite paketus iš {pm}", + "View {0} logs": "Peržiūrėti {0} žurnalus", + "Advanced options": "Pažangios parinktys", + "Reset WinGet": "Atstatyti „WinGet“", + "This may help if no packages are listed": "Šis gali padėti, jei nėra paketų sąraše", + "Force install location parameter when updating packages with custom locations": "Atnaujinant paketus su pasirinktinėmis vietomis, priverstinai naudoti diegimo vietos parametrą", + "Use bundled WinGet instead of system WinGet": "Naudoti įtraukta „WinGet“ vietoj sistemos „WinGet“", + "This may help if WinGet packages are not shown": "Šis gali padėti, jei „WinGet“ paketai nesirodo", + "Install Scoop": "Įdiegti „Scoop“", + "Uninstall Scoop (and its packages)": "Išdiegti „Scoop“ (ir jo paketus)", + "Run cleanup and clear cache": "Vykdyti apvalymą ir išvalyti podėlį/talpyklą", + "Run": "Vykdyti", + "Enable Scoop cleanup on launch": "Įjungti/Įgalinti „Scoop“ apvalymą paleidimo metu", + "Use system Chocolatey": "Naudoti sistemos „Chocolatey“", + "Default vcpkg triplet": "Numatyta „vcpkg“ trilypė", + "Language, theme and other miscellaneous preferences": "Kalba, apipavidalinimas ir kitos pašalinės parinktys", + "Show notifications on different events": "Rodyti pranešimus, skirtinguose įvykiuose", + "Change how UniGetUI checks and installs available updates for your packages": "Pakeisti kaip „UniGetUI“ patikrina ir įdiegia pasiekiamus (at-)naujinimus/-ius Jūsų paketams", + "Automatically save a list of all your installed packages to easily restore them.": "Automatiškai išsaugoti įdiegtų paketų sąrašą, kad lengvai juos atkurtumėte.", + "Enable and disable package managers, change default install options, etc.": "Įjungti/Išjungti (Įgalinti/Išgalinti) paketų tvarkytuvus/-es, pakeisti numatytąsias (į-)diegimo parinktis ir t.t.", + "Internet connection settings": "Interneto jungties nustatymai", + "Proxy settings, etc.": "Įgaliotinių/-ųjų nustatymai ir pan.", + "Beta features and other options that shouldn't be touched": "„Beta“ funkcijos ir kitos parinktys, kurios neturėtų būti sąveikaujamos", + "Update checking": "Atnaujinimų tikrinimas", + "Automatic updates": "Automatiniai (at-)naujinimai", + "Check for package updates periodically": "Periodiškai tikrinti, ar yra paketų (at-)naujinimų/-ių", + "Check for updates every:": "Tikrinti, ar yra (at-)naujinimų/-ių kas:", + "Install available updates automatically": "Įdiegti pasiekiamus atnaujinimus automatiškai", + "Do not automatically install updates when the network connection is metered": "Automatiškai neįdiegti (at-)naujinimų/-ių, kai prijungtas tinklas yra apskaitomas", + "Do not automatically install updates when the device runs on battery": "Automatiškai neįdiegti (at-)naujinimų/-ių, kai įrenginys veikia akumuliatoriaus ar baterijų dėka.", + "Do not automatically install updates when the battery saver is on": "Automatiškai neįdiegti (at-)naujinimų/-ių, kai yra įjungtas energijos taupymas", + "Change how UniGetUI handles install, update and uninstall operations.": "Pakeisti kaip „UniGetUI“ įdiegia, (at-)naujina ir išdiegia.", + "Package Managers": "Paketų tvarkytuvai/-ės", + "More": "Daugiau", + "WingetUI Log": "„UniGetUI“ žurnalas", + "Package Manager logs": "Paketų tvarkytuvo/-ės žurnalai", + "Operation history": "Operacijos istorija", + "Help": "Pagalba", + "Order by:": "Rikiuoti/Rūšiuoti pagal:", + "Name": "Pavadinimą", + "Id": "ID", + "Ascendant": "Didėjančia tvarką", + "Descendant": "Mažėjančia tvarką", + "View mode:": "Žiūrėsena:", + "Filters": "Filtrai", + "Sources": "Šaltiniai", + "Search for packages to start": "Ieškoti paketų, norint pradėti", + "Select all": "Pažymėti visus", + "Clear selection": "Atžymėti pasirinktus", + "Instant search": "Akimirksnio (pa-)ieška", + "Distinguish between uppercase and lowercase": "Atskirti didžiąsias ir mažąsias raides ", + "Ignore special characters": "Nepaisyti specialių rašmenų", + "Search mode": "(Pa-)Ieškos veiksena", + "Both": "Abu/-i", + "Exact match": "Tikslus sutapimas", + "Show similar packages": "Rodyti panašius paketus", + "No results were found matching the input criteria": "Jokių rezultatų nebuvo rasta, atitinkančių įvesties kriterijų", + "No packages were found": "Paketų nerasta", + "Loading packages": "Įkeliami paketai", + "Skip integrity checks": "Praleisti vientisumo patikrinimus", + "Download selected installers": "Atsisiųsti pasirinktus/pažymėtus įdiegiklius", + "Install selection": "Įdiegimo atranka", + "Install options": "(Į-)Diegimo parinktys", + "Share": "Bendrinti/Dalytis", + "Add selection to bundle": "Pridėti pažymėtus į rinkinį", + "Download installer": "Atsisiųsti įdiegiklį", + "Share this package": "Bendrinti šį paketą", + "Uninstall selection": "Pašalinti pažymėtus", + "Uninstall options": "Išdiegimo parinktys", + "Ignore selected packages": "Ignoruoti pasirinktus/-ą paketus/-ą", + "Open install location": "Atidaryti įdiegimo vietovę", + "Reinstall package": "Perdiegti paketą", + "Uninstall package, then reinstall it": "Išdiegti paketą, tada jį perdiegti", + "Ignore updates for this package": "Ignoruoti atnaujinimus šiam paketui", + "Do not ignore updates for this package anymore": "Nebeignoruoti (at-)naujinimų/-ių šiam paketui", + "Add packages or open an existing package bundle": "Pridėkite paketus arba atidarykite jau egzistuojantį paketo/-ų rinkinį", + "Add packages to start": "Pridėkite paketus, norint pradėti", + "The current bundle has no packages. Add some packages to get started": "Dabartinis rinkinys neturi paketų. Pridėkite keletą paketų, norint pradėti", + "New": "Nauja/-s", + "Save as": "Išsaugoti kaip", + "Remove selection from bundle": "Pašalinti pasirinkimą iš rinkinio", + "Skip hash checks": "Praleisti maišos patikrinimus", + "The package bundle is not valid": "Paketo/-ų rinkinys yra negalimas", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Rinkinys, kurį bandot įkrauti (atrodomai) yra negalimas. Prašome patikrinti failą ir bandykite dar kartą.", + "Package bundle": "Paketo/-ų rinkinys", + "Could not create bundle": "Nepavyko sukurti rinkinio", + "The package bundle could not be created due to an error.": "Nepavyko sukurti paketo/-ų rinkinio dėl klaidos.", + "Bundle security report": "Rinkinio saugumo ataskaita", + "Hooray! No updates were found.": "Sveikinam! (At-)Naujinimų/-ių nerasta.", + "Everything is up to date": "Viskas yra atnaujinta (Liuks!)", + "Uninstall selected packages": "Išdiegti pažymėtus/-ą paketus/-ą", + "Update selection": "(At-)Naujinti pasirinktus/pažymėtus", + "Update options": "Naujinimosi parinktys", + "Uninstall package, then update it": "Išdiegti paketą, tada jį atnaujinti", + "Uninstall package": "Išdiegti paketą", + "Skip this version": "Praleisti šią versiją", + "Pause updates for": "Pristabdyti (at-)naujinimus/-ius —", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "„Rust“ paketų tvarkytuvė/-as.
Sudaro: „Rust“ bibliotekos ir programos, kurios sukurtos „Rust“ programavimo kalba", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasikinė/-is paketų tvarkytuvė/-as, skirta/-s „Windows“. Jūs rasite viską ten.
Sudaro: Bendros taikomosios programos", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Saugykla, pilna įrankių ir vykdomųjų, sukurti su „Microsoft'o“ „.NET ekosistemą“ mintyje.
Sudaro: „.NET“ susijsiais įrankiais ir skriptais", + "NuPkg (zipped manifest)": "„NuPkg“ (archyvuotas manifestas)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "„Node JS“ paketų tvarkytuvas/-ė. Pilnas įvairių programinių bibliotekų ir įvairių įrankių, kurie apima „Javascript pasaulį“
Sudaro: „Node Javascript“ bibliotekos ir įvairūs įrankiai", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "„Python“ programinių bibliotekų tvarkytuvas/-ė. Pilnas „Python“ bibliotekų ir kitų „Python“ susijusių įrankių
Sudaro: „Python“ bibliotekas ir kitus „Python“ susijusius įrankius", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "„PowerShell“ paketų tvarkytuvas/-ė. Pilnas programinių bibliotekų ir skriptų
Sudaro: Modulius, skriptus ir „cmdlets“", + "extracted": "išskleista/-s", + "Scoop package": "„Scoop“ paketas", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Gera saugykla nežinomų, bet naudingų įrankių ir kitų įdomių paketų.
Sudaro: Įrankiai, komandinės eilutės programos, bendrosios taikomosios programos (papildomiems „bucket“ reikalingas)", + "library": "biblioteka", + "feature": "funkcija", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Populiari „C“/„C++“ bibliotekų tvarkyklė/-uvė. Pilna „C“/„C++“ bibliotekų ir kitokių susijusių įrankių
Sudaro: „C“/„C++“ bibliotekas ir susijusius įrankius", + "option": "parinktis", + "This package cannot be installed from an elevated context.": "Šis paketas negali būti įdiegtas su paaukštintom teisėm („UniGetUI“ kontekstas).", + "Please run UniGetUI as a regular user and try again.": "Prašome vykdyti „UniGetUI“ kaip paprasta (-s) vartotoją/naudotoją (-as) ir bandykite dar kartą", + "Please check the installation options for this package and try again": "Prašome patikrinti įdiegimo parinktis šiam paketui ir bandykite dar kartą", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficialus/-i „Microsoft“ paketų tvarkytuvas/-ė. Pilnas gerai žinomų ir patvirtintų paketų
Sudaro: Bendrąsias taikomąsias programas ir „Microsoft Store“ programėles", + "Local PC": "Vietinis AK", + "Android Subsystem": "„Android“ posistemis", + "Operation on queue (position {0})...": "Operacija eilėje (vieta eilėje – {0})...", + "Click here for more details": "Spauskite/Spustelėkite čia, norint gauti daugiau išsamumo", + "Operation canceled by user": "Operacija atšaukta naudotojo/vartotojo", + "Starting operation...": "Pradedama operacija...", + "{package} installer download": "„{package}“ diegiklio atsisiuntimas", + "{0} installer is being downloaded": "Atsisiunčiamas „{0}“ diegiklis", + "Download succeeded": "Atsisiuntimas buvo sėkmingas", + "{package} installer was downloaded successfully": "„{package}“ įdiegiklis buvo sėkmingai atsisiųstas", + "Download failed": "Nepavyko atsisiųsti/Atsisiuntimas nepavyko", + "{package} installer could not be downloaded": "„{package}“ diegiklio nepavyko atsisiųsti", + "{package} Installation": "„{package}“ įdiegimas", + "{0} is being installed": "„{0}“ yra įdiegama/-s", + "Installation succeeded": "Įdiegimas buvo sėkmingas", + "{package} was installed successfully": "„{package}“ buvo sėkmingai įdiegta/-s", + "Installation failed": "Įdiegimas nepavyko", + "{package} could not be installed": "Nepavyko įdiegti „{package}“", + "{package} Update": "Atnaujinti „{package}“", + "{0} is being updated to version {1}": "„{0}“ yra atnaujinama/-s į versiją – „{1}“", + "Update succeeded": "Sėkmingai atnaujinta", + "{package} was updated successfully": "„{package}“ buvo sėkmingai atnaujinta/-s", + "Update failed": "Atnaujinimas nepavyko", + "{package} could not be updated": "Nepavyko atnaujinti „{package}“", + "{package} Uninstall": "Išdiegti „{package}“", + "{0} is being uninstalled": "„{0}“ yra išdiegama/-s", + "Uninstall succeeded": "Išdiegimas buvo sėkmingas", + "{package} was uninstalled successfully": "„{package}“ buvo sėkmingai išdiegta/-s", + "Uninstall failed": "Išdiegimas buvo nesėkmingas", + "{package} could not be uninstalled": "Nepavyko išdiegti „{package}“", + "Adding source {source}": "Pridedamas šaltinis – „{source}“", + "Adding source {source} to {manager}": "Pridedamas šaltinis – „{source}“ į „{manager}“", + "Source added successfully": "Šaltinis sėkmingai pridėtas", + "The source {source} was added to {manager} successfully": "Šaltinis – „{source}“ buvo sėkmingai pridėtas prie – „{manager}", + "Could not add source": "Nepavyko pridėti šaltinio", + "Could not add source {source} to {manager}": "Nepavyko pridėti šaltinio – „{source}“ prie – „{manager}“", + "Removing source {source}": "(Pa-)Šalinimas šaltinis – „{source}“", + "Removing source {source} from {manager}": "(Pa-)Šalinimas šaltinis – „{source}“ iš – „{manager}“", + "Source removed successfully": "Šaltinis sėkmingai pašalintas", + "The source {source} was removed from {manager} successfully": "Šaltinis – „{source}“ buvo sėkmingai pašalintas iš – „{manager}", + "Could not remove source": "Nepavyko pašalinti šaltinio", + "Could not remove source {source} from {manager}": "Nepavyko pašalinti šaltinio – „{source}“ iš – „{manager}“", + "The package manager \"{0}\" was not found": "Paketų tvarkytuvė/-as – „{0}“ yra nerasta/-s", + "The package manager \"{0}\" is disabled": "Paketų tvarkytuvė/-as – „{0}“ yra išjungta/išgalinta (-s)", + "There is an error with the configuration of the package manager \"{0}\"": "Yra klaida su konfigūracija, siejančią paketų tvarkytuve/-u – „{0}“", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paketas – „{0}“ nebuvo rastas paketų tvarkytuvėje – „{1}“", + "{0} is disabled": "„{0}“ – yra išjungta/išgalinta (-s)", + "Something went wrong": "Kažkas, kažkur įvyko blogai", + "An interal error occurred. Please view the log for further details.": "Įvyko vidinė klaida. Prašome peržiūrėti žurnalą, norint sužinoti daugiau.", + "No applicable installer was found for the package {0}": "Joks pritaikomas įdiegiklis nebuvo rastas, paketui – „{0}“", + "We are checking for updates.": "Tikriname, ar yra (at-)naujinimų.", + "Please wait": "Prašome palaukti", + "UniGetUI version {0} is being downloaded.": "„UniGetUI“ versija – {0} yra atsisiunčiama/-s.", + "This may take a minute or two": "Šis gali užtrukti minutę ar dvi", + "The installer authenticity could not be verified.": "Nebuvo galima patvirtinti įdiegiklio autentiškumą.", + "The update process has been aborted.": "Atnaujinimo vyksmas buvo nutrauktas.", + "Great! You are on the latest version.": "Sveikiname! Jūs naudojate naujausią/paskiausią versiją!", + "There are no new UniGetUI versions to be installed": "Nėra naujų „UniGetUI“ versijų, kurias būtu galima įdiegti", + "An error occurred when checking for updates: ": "Tikrinant ar yra (at-)naujinimų/-ių įvyko klaida:", + "UniGetUI is being updated...": "„UniGetUI“ yra naujinamas...", + "Something went wrong while launching the updater.": "Kažkas įvyko negerai, bandant paleisti naujinį.", + "Please try again later": "Prašome pabandyti dar kartą, vėlesniu laiku", + "Integrity checks will not be performed during this operation": "Vientisumo patikrinimai nebus vykdomi šios operacijos metu", + "This is not recommended.": "Tai nerekomenduojama.", + "Run now": "Vykdyti dabar", + "Run next": "Vykdyti kitą", + "Run last": "Vykdyti paskutinį", + "Retry as administrator": "Bandyti dar kartą, kaip administratorius", + "Retry interactively": "Bandyti dar kartą interaktyviai", + "Retry skipping integrity checks": "Bandyti dar kartą, praleidžiant vientisumo patikrinimus", + "Installation options": "Įdiegimo parinktys", + "Show in explorer": "Rodyti failų naršyklėje", + "This package is already installed": "Šis paketas jau įdiegtas", + "This package can be upgraded to version {0}": "Šis paketas gali būti aukštutiniškai atnaujintas į versiją – {0}", + "Updates for this package are ignored": "Atnaujinimai šiam paketui yra ignoruojami", + "This package is being processed": "Šis paketas yra apdorojamas", + "This package is not available": "Šis paketas nėra pasiekiamas", + "Select the source you want to add:": "Pažymėkite šaltinį, kurį norite pridėti:", + "Source name:": "Šaltinio pavadinimas:", + "Source URL:": "Šaltinio „URL“ – saitas:", + "An error occurred": "Įvyko klaida", + "An error occurred when adding the source: ": "Pridėdant šaltinį įvyko klaida:", + "Package management made easy": "Paketų valdymas ir tvarkymas padarytas lengvu!", + "version {0}": "versija – {0}", + "[RAN AS ADMINISTRATOR]": "VYKDĖ KAIP ADMINISTRATORIUS", + "Portable mode": "Nešiojamasis režimas\n", + "DEBUG BUILD": "Derinimo darinys", + "Available Updates": "Pasiekiami (at-)naujinimai/-iai", + "Show WingetUI": "Rodyti „UniGetUI“", + "Quit": "Išeiti", + "Attention required": "Reikalauja dėmesio", + "Restart required": "Reikalingas paleidimas iš naujo", + "1 update is available": "Pasiekiamas 1-as (at-)naujinimas/-ys", + "{0} updates are available": "Pasiekiama/-s/-i {0} {0, plural, one {(at-)naujinimas/naujinys} few {(at-)naujinimai/naujiniai} other {(at-)naujinimų/naujinių}", + "WingetUI Homepage": "Pagrindinis „UniGetUI“ tinklalapio puslapis", + "WingetUI Repository": "„UniGetUI“ saugykla", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Štai čia, Jūs galite pakeisti „UniGetUI“ elgseną su nurodytomis nuorodomis. Pažymint nuorodos parinktį, „UniGetUI“ ištrins ją, jeigu ji bus sukurta po atnaujinimo. (At-/Ne-)pažymint nuorodos parinktį, išlaikys nuorodą ten kur buvo", + "Manual scan": "Rankinis skenavimas", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Bus nuskenuoti esami darbalaukio spartieji klavišai, ir turėsite pasirinkti, kuriuos palikti, o kuriuos pašalinti.", + "Continue": "Tęsti", + "Delete?": "Ištrinti?", + "Missing dependency": "Trūkstama priklausomybė", + "Not right now": "Ne dabar", + "Install {0}": "Įdiegti – „{0}“", + "UniGetUI requires {0} to operate, but it was not found on your system.": "„UniGetUI“ reikalauja „{0}“, kad veiktu, bet ji/-s nebuvo rasta/-s Jūsų sistemoje.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Spauskite – „Įdiegti“ mygtuką, norint pradėti įdiegimo vyksmą. Jeigu Jūs praleisite įdiegimą, „UniGetUI“ galimai neveiks kaip derėtų. ", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Kitu atveju, Jūs galite įdiegti – „{0}“ vykdant šią nurodančią komandą „Windows PowerShell“ lange:", + "Do not show this dialog again for {0}": "Neberodyti šio diologo lango „{0}“", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Prašome palaukti kol „{0}“ yra įdiegiama/-s. Juodas langas galimai atsiras. Prašome palaukti, kol ji/-s užsidarys.", + "{0} has been installed successfully.": "„{0}“ buvo sėkmingai įdiegtas.", + "Please click on \"Continue\" to continue": "Prašome paspausti – „Tęsti“, norint tęsti (pasiektas pasiekimas: Pirmieji žingsniai!)", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "„{0}“ buvo sėkmingai įdiegtas. Yra rekomenduojama, kad perleistumėte „UniGetUI“, kad užbaigtų įdiegimą", + "Restart later": "Paleisti iš naujo vėliau", + "An error occurred:": "Įvyko klaida:", + "I understand": "Aš supratau", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI buvo vykdytas kaip administratorius, o tai nėra rekomenduojama. Kai vykdote UniGetUI kaip administratorių, KIEKVIENA jos vykdoma operacija turės šias privilegijas. Jūs galite naudotis programa laisvai, bet mes stipriai rekomenduojame dėl saugumo to nedaryti.", + "WinGet was repaired successfully": "„WinGet“ buvo sėkmingai sutaisytas", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Yra rekomenduojama perleisti „UniGetUI“ po to, kai „WinGet“ buvo sutaisytas", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "Pastaba: Šis trikdžių tikrinimas gali būti išjungtas/išgalintas iš „UniGetUI“ nustatymų, „WinGet“ skyriuje", + "Restart": "Paleisti iš naujo", + "WinGet could not be repaired": "Nebuvo galima sutaisyti „WinGet“", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Įvyko netikėta problema/klaida, kol buvo bandoma taisyti „WinGet“. Prašome bandyti dar kartą, vėlesniu laiku", + "Are you sure you want to delete all shortcuts?": "Ar Jūs tikrai norite pašalinti visas nuorodas?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Bet kokios naujos nuorodos, sukurtos per (į-)diegimo ar (at-)naujinimo operacija, bus automatiškai ištrintos, vietoj to, kad rodytų patvirtinimo langą, pirmą kartą būnant jiems aptiktiems.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Bet kokios sukurtos ir modifikuotos nuorodos išorės „UniGetUI“, bus ignoruojamos/nepaisomos. Jūs galėsite jas pridėti naudodami – „{0}“ mygtuką.", + "Are you really sure you want to enable this feature?": "Ar Jūs tikrai norite įjungti/įgalinti šią funkciją?", + "No new shortcuts were found during the scan.": "Nebuvo rasta naujų nuorodų per skenavimą.", + "How to add packages to a bundle": "Kaip pridėti paketus į rinkinį", + "In order to add packages to a bundle, you will need to: ": "Norėdami pridėti paketus į rinkinį, turėsite: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Pereikite į „{0}“ arba „{1}“ puslapį.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Atraskite paketą/-us, kurį/-iuos Jūs norite pridėti prie rinkinio ir pažymėkite jų kairiausiąją skiltį.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kai paketai, kuriuos norite pridėti į rinkinį, yra pažymėti, įrankių juostoje suraskite ir spustelėkite parinktį „{0}“.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Jūsų paketai buvo pridėti prie rinkinio. Jūs galite tęsti jų pridėjimą, arba galite eksportuoti šį rinkinį.", + "Which backup do you want to open?": "Kurią atsarginę kopiją norite atidaryti?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Pasirinkite atsarginę kopiją, kurią norite atidaryti. Vėliau galėsite peržiūrėti, kuriuos paketus ar programas norite atkurti.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Yra einančios/vykdomos operacijos. Išeinant iš UniGetUI gali sukelti jų gedimą. Ar Jūs norite tęsti?", + "UniGetUI or some of its components are missing or corrupt.": "„UniGetUI“ arba kai kurie jo komponentai yra dingę arba sugadinti.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Yra stipriai rekomenduojama, kad perdiegtumėte „UniGetUI“, norint sutaisyti šią situaciją sukeliančia problemą.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Peržvelkite „UniGetUI“ veikimo žurnalus, norint daugiau sužinoti apie paveiktą (-us) failą (-us)", + "Integrity checks can be disabled from the Experimental Settings": "Vientisumo patikrinimai gali būti išjungti/išgalinti per eksperimentinius nustatymus", + "Repair UniGetUI": "(Su-)Taisyti „UniGetUI“", + "Live output": "Gyva išvestis", + "Package not found": "Paketas nerastas", + "An error occurred when attempting to show the package with Id {0}": "Įvyko klaida, bandant parodyti paketą su ID – {0}", + "Package": "Paketas", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Šis paketų rinkinys turėjo kai kurių potencialiai pavojingų nustatymų, kurie pagal numatytuosius nustatymus gali būti ignoruojami.", + "Entries that show in YELLOW will be IGNORED.": "GELTONAI rodomi įrašai BUS IGNORUOJAMI.", + "Entries that show in RED will be IMPORTED.": "RAUDONAI rodomi įrašai BUS IMPORTUOTI.", + "You can change this behavior on UniGetUI security settings.": "Jūs galite pakeisti šią elgseną „UniGetUI“ saugumo nustatymuose.", + "Open UniGetUI security settings": "Atidaryti „UniGetUI“ saugumo nustatymus", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Jei pakeisite saugumo nustatymus, turėsite iš naujo atidaryti rinkinį, kad pakeitimai įsigaliotų.", + "Details of the report:": "At(-a)skaitos išsamumas:", "\"{0}\" is a local package and can't be shared": "„{0}“ yra vietinis paketas, kuris negali būti bendrinamas", + "Are you sure you want to create a new package bundle? ": "Ar Jūs tikrai norite sukurti naują paketo/-ų rinkinį?", + "Any unsaved changes will be lost": "Bet kokie neišsaugoti pakeitimai bus prarasti", + "Warning!": "Įspėjimas!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Numatytai dėl saugumo priežasčių, pasirinktiniai komandinės eilutės argumentai yra negalimi. Norint pakeisti, nueikite į „UniGetUI“ saugumo nustatymus.", + "Change default options": "Pakeisti numatytąsias parinktis", + "Ignore future updates for this package": "Ignoruoti paskesnius atnaujinimus šiam paketui", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Numatytai dėl saugumo priežasčių, parengtinės ir paskesniosios operacijos skriptai yra negalimi. Norint pakeisti, nueikite į „UniGetUI“ saugumo nustatymus.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Jūs galite apibrėžti komandas, kurios bus vykdomos prieš ar po šio paketo įdiegimą, (at-)naujinimą ar išdiegimą. Jie bus vykdomi komandines eilutės principu, tai „CMD“ skriptai yra priimtini.", + "Change this and unlock": "Pakeisti tai/šį/šitą ir atrakinti", + "{0} Install options are currently locked because {0} follows the default install options.": "„{0}“ (į-)diegimo parinktys šiuo metu yra užrakintos, nes „{0}“ seka pagal numatytąsias (į-)diegimo parinktis.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Pasirinkite procesus, kurie turi būti uždaryti prieš įdiegiant, atnaujinant ar pašalinant šį paketą.", + "Write here the process names here, separated by commas (,)": "Čia įrašykite procesų pavadinimus, atskirtus kableliais (,)", + "Unset or unknown": "Nenustatyta arba nežinoma", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Prašome peržiūrėti komandinės eilutės išvestį arba telkitės – „Operacijos istorijos“, norint gauti daugiau informacijos apie tam tikrą bėdą.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Šis paketas neturi ekrano kopijų, iškarpų ar neturi piktogramos? Prisidėkite prie UniGetUI pridėdami trūkstamus piktogramas, ekrano kopijas ir iškarpas į mūsų atvirą, viešą duomenų bazę.", + "Become a contributor": "Tapkite talkininku", + "Save": "Išsaugoti", + "Update to {0} available": "Atnaujinimas į – {0} pasiekiamas", + "Reinstall": "Perdiegti", + "Installer not available": "Įdiegiklis nepasiekiamas", + "Version:": "Versija:", + "Performing backup, please wait...": "Atliekamas atsarginės kopijos sukūrimas, prašome palaukti...", + "An error occurred while logging in: ": "Bandant prisijungti, įvyko klaida:", + "Fetching available backups...": "Gaunamos galimos atsarginės kopijos...", + "Done!": "Atlikta!", + "The cloud backup has been loaded successfully.": "Debesies atsarginė kopija sėkmingai įkelta.", + "An error occurred while loading a backup: ": "Įkeliant atsarginę kopiją įvyko klaida: ", + "Backing up packages to GitHub Gist...": "Kuriamos ir siunčiamos atsarginės paketų kopijos į „GitHub Gist“...", + "Backup Successful": "Atsarginė kopija sėkmingai sukurta", + "The cloud backup completed successfully.": "Debesies atsarginė kopija sėkmingai baigta.", + "Could not back up packages to GitHub Gist: ": "Nepavyko sukurti paketų atsarginės kopijos į „GitHub Gist“: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nėra garantijos, kad pateikti prisijungimo duomenys bus saugomi saugiai, todėl geriau nenaudoti savo banko sąskaitos prisijungimo duomenų", + "Enable the automatic WinGet troubleshooter": "Įjungti/Įgalinti automatinį „WinGet“ trikdžių nagrinėjimą", + "Enable an [experimental] improved WinGet troubleshooter": "Įjungti/Įgalinti [eksperimentinį] patobulintą „WinGet“ trikdžių šalinimo priemonę", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Pridėti (at-)naujinimus/-ius, kurie patiria klaidą – „negalima rasti atitaikomo (at-)naujinimo“ prie ignoruojamų sąrašo.", + "Restart WingetUI to fully apply changes": "Iš naujo paleiskite – „UniGetUI“, norint pilnai pritaikyti pakeitimus", + "Restart WingetUI": "Iš naujo paleisti – „UniGetUI“", + "Invalid selection": "Netinkamas pasirinkimas", + "No package was selected": "Nepasirinktas joks paketas", + "More than 1 package was selected": "Pasirinktas daugiau nei 1 paketas", + "List": "Sąrašas", + "Grid": "Tinklelis", + "Icons": "Piktogramos", "\"{0}\" is a local package and does not have available details": "„{0}“ yra vietinis paketas, kuris neturi pasiekiamo išsamumo", "\"{0}\" is a local package and is not compatible with this feature": "„{0}“ yra vietinis paketas, kuris nepalaiko šios funkcijos", - "(Last checked: {0})": "(Paskutinį kartą tikrinta: {0})", + "WinGet malfunction detected": "Aptikta/-s „WinGet“ triktis/sutrikimas", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Atrodo, kad „WinGet“ neveikia tinkamai. Ar norite bandyti jį ištaisyti?", + "Repair WinGet": "Sutaisyti „WinGet“", + "Create .ps1 script": "Sukurti „*.ps1“ skriptą", + "Add packages to bundle": "Pridėti paketus į rinkinį", + "Preparing packages, please wait...": "Paruošiami paketai, prašome palaukti...", + "Loading packages, please wait...": "Įkeliami paketai, prašome palaukti...", + "Saving packages, please wait...": "Išsaugomi paketai, prašome palaukti...", + "The bundle was created successfully on {0}": "Rinkinys buvo sėkmingai sukurtas {0}", + "Install script": "(Į-)Diegimo skriptas", + "The installation script saved to {0}": "Diegimo scenarijus išsaugotas į {0}", + "An error occurred while attempting to create an installation script:": "Įvyko klaida, bandant sukurti (į-)diegimo skriptą:", + "{0} packages are being updated": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} yra atnaujinamas/naujinamas (-inami/-ama)", + "Error": "Klaida", + "Log in failed: ": "Prisijungimas nepavyko:", + "Log out failed: ": "Nepavyko atsijungti:", + "Package backup settings": "Paketų atsarginės kopijos nustatymai", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Numeris – {0} eilėje)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@dziugas1959, Džiugas Januševičius, @martyn3z", "0 packages found": "Paketų nerasta", "0 updates found": "(At-)Naujinimų/-ių nerasta", - "1 - Errors": "1 – Klaidos", - "1 day": "1-ai dienai", - "1 hour": "1-ai valandai", "1 month": "1-am mėnesiui", "1 package was found": "1-as paketas buvo rastas", - "1 update is available": "Pasiekiamas 1-as (at-)naujinimas/-ys", - "1 week": "1-ai savaitei", "1 year": "1-iems metams", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Pereikite į „{0}“ arba „{1}“ puslapį.", - "2 - Warnings": "2 – Įspėjimai", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Atraskite paketą/-us, kurį/-iuos Jūs norite pridėti prie rinkinio ir pažymėkite jų kairiausiąją skiltį.", - "3 - Information (less)": "3 – Informacija (mažiau)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kai paketai, kuriuos norite pridėti į rinkinį, yra pažymėti, įrankių juostoje suraskite ir spustelėkite parinktį „{0}“.", - "4 - Information (more)": "4 – Informacija (daugiau)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Jūsų paketai buvo pridėti prie rinkinio. Jūs galite tęsti jų pridėjimą, arba galite eksportuoti šį rinkinį.", - "5 - information (debug)": "5 – Informacija (klaidų šalinimui)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Populiari „C“/„C++“ bibliotekų tvarkyklė/-uvė. Pilna „C“/„C++“ bibliotekų ir kitokių susijusių įrankių
Sudaro: „C“/„C++“ bibliotekas ir susijusius įrankius", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Saugykla, pilna įrankių ir vykdomųjų, sukurti su „Microsoft'o“ „.NET ekosistemą“ mintyje.
Sudaro: „.NET“ susijsiais įrankiais ir skriptais", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Saugykla, pilna įrankių, sukurti su „Microsoft'o“ „.NET ekosistemą“ mintyje.
Sudaro: „.NET“ susijsiais įrankiais", "A restart is required": "Paleidimas iš naujo, yra reikalingas", - "Abort install if pre-install command fails": "Nutraukti (į-)diegimą, jei parengtinė (į-)diegimo komanda patiria klaidą", - "Abort uninstall if pre-uninstall command fails": "Nutraukti išdiegimą, jei parengtinė išdiegimo komanda patiria klaidą", - "Abort update if pre-update command fails": "Nutraukti (at-)naujinimą, jei parengtinė (at-)naujinimo komanda patiria klaidą", - "About": "Apie", "About Qt6": "Apie „Qt6“", - "About WingetUI": "Apie „UniGetUI“", "About WingetUI version {0}": "Apie „UniGetUI“ versiją – {0}", "About the dev": "Apie kūrėją", - "Accept": "Priimti", "Action when double-clicking packages, hide successful installations": "Veiksmas dvigubai paspaudus/spustelėjus ant paketų, paslėpti sėkmingo įdiegimo metu", - "Add": "Pridėti", "Add a source to {0}": "Pridėti šaltinį prie – {0}", - "Add a timestamp to the backup file names": "Pridėti laiko žymę prie atsarginių failų pavadinimų", "Add a timestamp to the backup files": "Pridėti laiko žymę prie atsarginių failų", "Add packages or open an existing bundle": "Pridėti paketus arba atidaryti jau esantį rinkinį", - "Add packages or open an existing package bundle": "Pridėkite paketus arba atidarykite jau egzistuojantį paketo/-ų rinkinį", - "Add packages to bundle": "Pridėti paketus į rinkinį", - "Add packages to start": "Pridėkite paketus, norint pradėti", - "Add selection to bundle": "Pridėti pažymėtus į rinkinį", - "Add source": "Pridėti šaltinį", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Pridėti (at-)naujinimus/-ius, kurie patiria klaidą – „negalima rasti atitaikomo (at-)naujinimo“ prie ignoruojamų sąrašo.", - "Adding source {source}": "Pridedamas šaltinis – „{source}“", - "Adding source {source} to {manager}": "Pridedamas šaltinis – „{source}“ į „{manager}“", "Addition succeeded": "Pridėjimas sėkmingas", - "Administrator privileges": "Administratoriaus privilegijos", "Administrator privileges preferences": "Administratoriaus privilegijų parinktys", "Administrator rights": "Administratoriaus teisės", - "Administrator rights and other dangerous settings": "Administratoriaus teisės ir kiti pavojingi nustatymai", - "Advanced options": "Pažangios parinktys", "All files": "Visi failai", - "All versions": "Visos versijos", - "Allow changing the paths for package manager executables": "Leisti keisti paketų tvarkyklių vykdomųjų failų kelius", - "Allow custom command-line arguments": "Leisti pasirinktinius komandines eilutes argumentus", - "Allow importing custom command-line arguments when importing packages from a bundle": "Leisti importuoti pasirinktinius komandų eilutės argumentus importuojant paketus iš rinkinio", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Leisti importuoti pasirinktines parengtines ir paskesniąsias (į-)diegimo komandas, kai importuojami paketai iš rinkinio", "Allow package operations to be performed in parallel": "Leisti paketų operacijos atlikti lygiagrečiai", "Allow parallel installs (NOT RECOMMENDED)": "Leisti lygiagrečius (į-)diegimus (NEREKOMENDUOJAMA)", - "Allow pre-release versions": "Leisti išankstines versijas", "Allow {pm} operations to be performed in parallel": "Leisti „{pm}“ operacijas atlikti lygiagrečiai", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Kitu atveju, Jūs galite įdiegti – „{0}“ vykdant šią nurodančią komandą „Windows PowerShell“ lange:", "Always elevate {pm} installations by default": "Visada numatytai iškelti „{pm}“ įdiegimus", "Always run {pm} operations with administrator rights": "Visada vykdyti „{pm}“ operacijas su administratoriaus teisėmis", - "An error occurred": "Įvyko klaida", - "An error occurred when adding the source: ": "Pridėdant šaltinį įvyko klaida:", - "An error occurred when attempting to show the package with Id {0}": "Įvyko klaida, bandant parodyti paketą su ID – {0}", - "An error occurred when checking for updates: ": "Tikrinant ar yra (at-)naujinimų/-ių įvyko klaida:", - "An error occurred while attempting to create an installation script:": "Įvyko klaida, bandant sukurti (į-)diegimo skriptą:", - "An error occurred while loading a backup: ": "Įkeliant atsarginę kopiją įvyko klaida: ", - "An error occurred while logging in: ": "Bandant prisijungti, įvyko klaida:", - "An error occurred while processing this package": "Apdorojant šį paketą įvyko klaida:", - "An error occurred:": "Įvyko klaida:", - "An interal error occurred. Please view the log for further details.": "Įvyko vidinė klaida. Prašome peržiūrėti žurnalą, norint sužinoti daugiau.", "An unexpected error occurred:": "Įvyko netikėta klaida:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Įvyko netikėta problema/klaida, kol buvo bandoma taisyti „WinGet“. Prašome bandyti dar kartą, vėlesniu laiku", - "An update was found!": "Buvo rastas (at-)naujinimas/-ys!", - "Android Subsystem": "„Android“ posistemis", "Another source": "Kitas/-oks šaltinis", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Bet kokios naujos nuorodos, sukurtos per (į-)diegimo ar (at-)naujinimo operacija, bus automatiškai ištrintos, vietoj to, kad rodytų patvirtinimo langą, pirmą kartą būnant jiems aptiktiems.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Bet kokios sukurtos ir modifikuotos nuorodos išorės „UniGetUI“, bus ignoruojamos/nepaisomos. Jūs galėsite jas pridėti naudodami – „{0}“ mygtuką.", - "Any unsaved changes will be lost": "Bet kokie neišsaugoti pakeitimai bus prarasti", "App Name": "Programos pavadinimas", - "Appearance": "Išvaizda", - "Application theme, startup page, package icons, clear successful installs automatically": "Programos apipavidalinimas, paleisties puslapis, paketo/-ų piktogramos ir išvalyti sėkmingus įdiegimus automatiškai.", - "Application theme:": "Programos apipavidalinimas:", - "Apply": "Pritaikyti", - "Architecture to install:": "Architektūra, kurią įdiegti:", "Are these screenshots wron or blurry?": "Ar šios ekrano kopijos/iškarpos neteisingas ar neryškios?", - "Are you really sure you want to enable this feature?": "Ar Jūs tikrai norite įjungti/įgalinti šią funkciją?", - "Are you sure you want to create a new package bundle? ": "Ar Jūs tikrai norite sukurti naują paketo/-ų rinkinį?", - "Are you sure you want to delete all shortcuts?": "Ar Jūs tikrai norite pašalinti visas nuorodas?", - "Are you sure?": "Ar Jūs esate tikras (-a)?", - "Ascendant": "Didėjančia tvarką", - "Ask for administrator privileges once for each batch of operations": "Klausti dėl administratoriaus teisių tik vieną kartą, kiekvienai operacijų partijai (veiksmo)", "Ask for administrator rights when required": "Klausti dėl administratoriaus teisių, kai to reikalauja/reikalinga", "Ask once or always for administrator rights, elevate installations by default": "Klausti tik vieną kartą ar visada dėl administratoriaus teisių. Išaukštinti įdiegimus numatytai", - "Ask only once for administrator privileges": "Klausti tik kartą dėl administratoriaus privilegijų", "Ask only once for administrator privileges (not recommended)": "Klausti tik vieną kartą dėl administratoriaus teisių (nerekomenduojama)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Klausti, ar ištrinti darbalaukio nuorodas, kurios buvo sukurtas (į-)diegimo ar (at-)naujinimo metu.", - "Attention required": "Reikalauja dėmesio", "Authenticate to the proxy with an user and a password": "Patvirtinkite įgaliotojo tapatybę su naudotojo/vartotojo ir slaptažodžio duomenimis", - "Author": "Autorius/-ė", - "Automatic desktop shortcut remover": "Automatinis/-iškas darbalaukio nuorodų nuėmiklis/nuimtuvas/naikiklis/šalintuvas (-ė).\n\n", - "Automatic updates": "Automatiniai (at-)naujinimai", - "Automatically save a list of all your installed packages to easily restore them.": "Automatiškai išsaugoti įdiegtų paketų sąrašą, kad lengvai juos atkurtumėte.", "Automatically save a list of your installed packages on your computer.": "Automatiškai išsaugoti įdiegtų paketų sąrašą Jūsų kompiuteryje.", - "Automatically update this package": "Automatiškai atnaujinti šį paketą", "Autostart WingetUI in the notifications area": "Automatiškai paleisti „UniGetUI“ pranešimų skiltyje", - "Available Updates": "Pasiekiami (at-)naujinimai/-iai", "Available updates: {0}": "Pasiekiami (at-)naujinimai/-iai: {0}", "Available updates: {0}, not finished yet...": "Pasiekiami (at-)naujinimai/-iai: {0}, dar nebaigta...", - "Backing up packages to GitHub Gist...": "Kuriamos ir siunčiamos atsarginės paketų kopijos į „GitHub Gist“...", - "Backup": "Sukurti atsarginę kopiją", - "Backup Failed": "Nepavyko sukurti atsargines kopijos", - "Backup Successful": "Atsarginė kopija sėkmingai sukurta", - "Backup and Restore": "Sukurti atsarginę kopiją ir atkurti", "Backup installed packages": "Sukurti įdiegtų paketų atsarginę kopiją", "Backup location": "Atsarginės kopijos vietovė", - "Become a contributor": "Tapkite talkininku", - "Become a translator": "Tapkite vertėju", - "Begin the process to select a cloud backup and review which packages to restore": "Pradėti debesijos pasirinkimo atsarginėj kopijai vyksmą ir apžiūrėkite kuriuos paketus atkurti", - "Beta features and other options that shouldn't be touched": "„Beta“ funkcijos ir kitos parinktys, kurios neturėtų būti sąveikaujamos", - "Both": "Abu/-i", - "Bundle security report": "Rinkinio saugumo ataskaita", "But here are other things you can do to learn about WingetUI even more:": "Štai čia yra kitų dalykų, kuriuos tu gali sužinoti apie UniGetUI daugiau:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Perjungiant paketų tvarkytuvą/-ę į išgalinta/išjungta būsena, Jūs nebegalėsi matyti ar (at-)naujinti jo paketus.", "Cache administrator rights and elevate installers by default": "Išlaikyti (atminties) podėlyje administratoriaus teises ir išaukštinti įdiegiklius numatytai", "Cache administrator rights, but elevate installers only when required": "Išlaikyti (atminties) podėlyje administratoriaus teises, bet išaukštinti įdiegiklius tik tada, kai tas reikalinga", "Cache was reset successfully!": "Talpykla/Podėlis buvo sėkmingai atstatytas!", "Can't {0} {1}": "Negalima/-e {0} {1}", - "Cancel": "Atšaukti", "Cancel all operations": "Atšaukti visas operacijas", - "Change backup output directory": "Pakeisti atsarginės kopijos išvesties katalogą", - "Change default options": "Pakeisti numatytąsias parinktis", - "Change how UniGetUI checks and installs available updates for your packages": "Pakeisti kaip „UniGetUI“ patikrina ir įdiegia pasiekiamus (at-)naujinimus/-ius Jūsų paketams", - "Change how UniGetUI handles install, update and uninstall operations.": "Pakeisti kaip „UniGetUI“ įdiegia, (at-)naujina ir išdiegia.", "Change how UniGetUI installs packages, and checks and installs available updates": "Pakeisti kaip „UniGetUI“ įdiegia paketus ir tikrina, bei įdiegia jų pasiekiamus (at-)naujinimus/-ius", - "Change how operations request administrator rights": "Pakeisti kaip operacijos prašo administratoriaus teisių", "Change install location": "Pakeisti įdiegimo vietovę", - "Change this": "Pakeisti tai/šį/šitą", - "Change this and unlock": "Pakeisti tai/šį/šitą ir atrakinti", - "Check for package updates periodically": "Periodiškai tikrinti, ar yra paketų (at-)naujinimų/-ių", - "Check for updates": "Tikrinti, ar yra (at-)naujinimų/-ių", - "Check for updates every:": "Tikrinti, ar yra (at-)naujinimų/-ių kas:", "Check for updates periodically": "Periodiškai tikrinti, ar yra (at-)naujinimų/-ių", "Check for updates regularly, and ask me what to do when updates are found.": "Reguliariai̇̃ tikrinti, ar yra (at-)naujinimų/-ių ir klausti manęs ką su jais daryti, jeigu jų yra.", "Check for updates regularly, and automatically install available ones.": "Reguliariai̇̃ tikrinti, ar yra (at-)naujinimų/-ių ir automatiškai įdiegti pasiekiamus.", @@ -159,805 +741,283 @@ "Checking for updates...": "Tikrinama, ar yra (at-)naujinimų/-ių...", "Checking found instace(s)...": "Tikrinama rastą/-us egzempliorių/-ius...", "Choose how many operations shouls be performed in parallel": "Pasirinkti kiek operacijų turėtų būti vykdomų lygiagrečiai", - "Clear cache": "Išvalyti talpyklą/podėlį", "Clear finished operations": "Išvalyti baigtas operacijas", - "Clear selection": "Atžymėti pasirinktus", "Clear successful operations": "Išvalyti sėkmingas operacijas", - "Clear successful operations from the operation list after a 5 second delay": "Išvalyti sėkmingas operacijas iš operacijų sąrašo po 5-ių sekundžių atidėjimo", "Clear the local icon cache": "Išvalyti vietinę piktogramų talpyklą/podėlį", - "Clearing Scoop cache - WingetUI": "Išvaloma/-s „Scoop“ talpykla/podėlis – „UniGetUI“", "Clearing Scoop cache...": "Išvaloma/-s „Scoop“ talpykla/podėlis...", - "Click here for more details": "Spauskite/Spustelėkite čia, norint gauti daugiau išsamumo", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Spauskite – „Įdiegti“ mygtuką, norint pradėti įdiegimo vyksmą. Jeigu Jūs praleisite įdiegimą, „UniGetUI“ galimai neveiks kaip derėtų. ", - "Close": "Uždaryti/Užverti", - "Close UniGetUI to the system tray": "Uždaryti „UniGetUI“ į sistemos juostelę", "Close WingetUI to the notification area": "Uždaryti/Užverti „UniGetUI“ į pranešimų skiltį", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Atsargines kopijas laikyti – debesija naudoja privatų „GitHub Gist“, kad laikytų įdiegtų paketų sąrašą", - "Cloud package backup": "Debesies paketų atsarginė kopija", "Command-line Output": "Komandinės eilutės išvestis", - "Command-line to run:": "Komandos/-ų eilutė, kurią vykdyti:", "Compare query against": "Palyginti užklausa su", - "Compatible with authentication": "Palaikomas su autentifikavimu", - "Compatible with proxy": "Suderintas su įgaliotiniu", "Component Information": "Komponento/-ų informacija", - "Concurrency and execution": "Lygiagretumas ir vykdymas", - "Connect the internet using a custom proxy": "Prijunkite internetą naudojant pasirinktinį įgaliotąjį serverį", - "Continue": "Tęsti", "Contribute to the icon and screenshot repository": "Prisidėti prie piktogramų ir ekrano kopijų/iškarpų saugyklos", - "Contributors": "Talkininkai", "Copy": "Kopijuoti", - "Copy to clipboard": "Kopijuoti į mainų sritį", - "Could not add source": "Nepavyko pridėti šaltinio", - "Could not add source {source} to {manager}": "Nepavyko pridėti šaltinio – „{source}“ prie – „{manager}“", - "Could not back up packages to GitHub Gist: ": "Nepavyko sukurti paketų atsarginės kopijos į „GitHub Gist“: ", - "Could not create bundle": "Nepavyko sukurti rinkinio", "Could not load announcements - ": "Nepavyko įkelti paskelbimų –", "Could not load announcements - HTTP status code is $CODE": "Nepavyko įkelti paskelbimų – „HTTP“ būsenos/būklės kodas: „$CODE“", - "Could not remove source": "Nepavyko pašalinti šaltinio", - "Could not remove source {source} from {manager}": "Nepavyko pašalinti šaltinio – „{source}“ iš – „{manager}“", "Could not remove {source} from {manager}": "Nepavyko pašalint „{source}“ iš „{manager}“", - "Create .ps1 script": "Sukurti „*.ps1“ skriptą", - "Credentials": "Prisijungimo duomenys", "Current Version": "Dabartinė versija", - "Current executable file:": "Dabartinis vykdomasis failas:", - "Current status: Not logged in": "Dabartinė būsena: Neprisijungęs/-usi", "Current user": "Dabartinis naudotojas/vartotojas", "Custom arguments:": "Pasirinktiniai argumentai:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Pasirinktinės komandinės eilutės argumentai, gali pakeisti kaip šios programos yra (į-)diegiamos, (at-)naujinamos ar išdiegiamos, tokiu būdu, kokiu „UniGetUI“ negali valdyti. Naudojant pasirinktines komandinės eilutės argumentus, gali sugadinti paketų veikimą. Tęskite atsargiai, pagal savo nuožiūra.", "Custom command-line arguments:": "Pasirinktiniai komandinės eilutės argumentai:", - "Custom install arguments:": "Pasirinktiniai (į-)diegimo argumentai:", - "Custom uninstall arguments:": "Pasirinktiniai išdiegimo argumentai:", - "Custom update arguments:": "Pasirinktiniai (at-)naujinimo/-io (-ų/-ių) argumentai:", "Customize WingetUI - for hackers and advanced users only": "Derinti „UniGetUI“ – skirta tik programišiams ir pažangiems naudotojams/vartotojams", - "DEBUG BUILD": "Derinimo darinys", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "Atsakomýbės ribójimas ir neprisiėmi̇̀mas: MES NESAME ATSAKINGI UŽ ATSISIŲSTUS PAKETUS. PRAŠOME BŪTI ATIDIEMS IR ĮDIEGTI TIK PATIKIMUS PAKETUS.", - "Dark": "Tamsus", - "Decline": "Atmesti/Nepriimti", - "Default": "Numatyta/-s", - "Default installation options for {0} packages": "Numatytosios (į-)diegimo parinktys – „{0}“ paketams", "Default preferences - suitable for regular users": "Numatytosios parinktys – tinkamos tipiniam (-ei) naudotojui/vartotojui (-ai)", - "Default vcpkg triplet": "Numatyta „vcpkg“ trilypė", - "Delete?": "Ištrinti?", - "Dependencies:": "Priklausomybės:", - "Descendant": "Mažėjančia tvarką", "Description:": "Aprašas/-ymas:", - "Desktop shortcut created": "Sukurta darbalaukio nuoroda", - "Details of the report:": "At(-a)skaitos išsamumas:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Kurti yra sunku, ir ši programa yra nemokama. Jeigu Jums patiko ši programa, Jūs visada galite nupirkti man kavos :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Tiesiogiai įdiegti, kai dukart paspaudžiama/spustelėjama ant „{discoveryTab}“ skirtuko (vietoj paketo informacijos rodymo)", "Disable new share API (port 7058)": "Išjungti naują bendrinimo „API“ (prievadas – 7058)", - "Disable the 1-minute timeout for package-related operations": "Išjungti/Išgalinti vienos minutės laukimo laiką, vykdant (susijusio/-ų) paketo/-ų operacijas", - "Disabled": "Išjungta/Neįgalinta (-s)", - "Disclaimer": "Atsakomýbės ribójimas", - "Discover Packages": "Atrasti paketus", "Discover packages": "Atrasti paketus", "Distinguish between\nuppercase and lowercase": "Atskirti didžiąsias ir mažąsias raides", - "Distinguish between uppercase and lowercase": "Atskirti didžiąsias ir mažąsias raides ", "Do NOT check for updates": "NETIKRINTI, ar yra (at-)naujinimų/-ių", "Do an interactive install for the selected packages": "Vykdyti interaktyvų įdiegimą pasirinktam/-iems paketui/-ams", "Do an interactive uninstall for the selected packages": "Vykdyti interaktyvų išdiegimą pasirinktam/-iems paketui/-ams", "Do an interactive update for the selected packages": "Vykdyti interaktyvų (at-)naujinimą pasirinktam/-iems paketui/-ams", - "Do not automatically install updates when the battery saver is on": "Automatiškai neįdiegti (at-)naujinimų/-ių, kai yra įjungtas energijos taupymas", - "Do not automatically install updates when the device runs on battery": "Automatiškai neįdiegti (at-)naujinimų/-ių, kai įrenginys veikia akumuliatoriaus ar baterijų dėka.", - "Do not automatically install updates when the network connection is metered": "Automatiškai neįdiegti (at-)naujinimų/-ių, kai prijungtas tinklas yra apskaitomas", "Do not download new app translations from GitHub automatically": "Nesisiųsti naujų programėlės vertimų iš „GitHub“ automatiškai", - "Do not ignore updates for this package anymore": "Nebeignoruoti (at-)naujinimų/-ių šiam paketui", "Do not remove successful operations from the list automatically": "Nepašalinti sėkmingų operacijų iš sąrašo automatiškai", - "Do not show this dialog again for {0}": "Neberodyti šio diologo lango „{0}“", "Do not update package indexes on launch": "Paleidus ne(at-)naujinti paketų indeksus", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Ar Jūs sutinkate, kad „UniGetUI“ rinks ir siųs anonimiškus programos naudojimo statinius duomenis, skirtus vien susipažinti ir patobulinti naudotojo/vartotojo patirtį?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Ar Jums naudingas „UniGetUI“? Jeigu Jūs galite, galite padėti palaikyti mano darbą, kad ir toliau kurčiau „UniGetUI“ kaip galingiausią paketų tvarkytuvą/-ę.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Ar Jums „UniGetUI“ naudingas? Norėtumėte palaikyti kūrėją? Jeigu taip, tada galite – „{0}“, tai labai padeda!", - "Do you really want to reset this list? This action cannot be reverted.": "Ar Jūs tikrai norite atstatyti šį sąrašą? Šis veiksmas negali būti anuliuotas.", - "Do you really want to uninstall the following {0} packages?": "Ar Jūs tikrai norite išdiegti nurodomą/-us – {0} paketą/-us?", "Do you really want to uninstall {0} packages?": "Ar Jūs tikrai norite išdiegti {0} paketą/-us?", - "Do you really want to uninstall {0}?": "Ar Jūs tikrai norite išdiegti – „{0}“?", "Do you want to restart your computer now?": "Ar norite paleisti iš naujo savo kompiuterį dabar?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Norite „UniGetUI“ išversti į savo kalbą? Pažiūrėkite, kaip galite prisidėti – ČIA!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Nenorite paremti finansiškai? Nesijaudinkite, Jūs visada galite pasidalinti „UniGetUI“ su savo draugais. Papasakokite apie „UniGetUI“ kitiems.", "Donate": "Paremti", - "Done!": "Atlikta!", - "Download failed": "Nepavyko atsisiųsti/Atsisiuntimas nepavyko", - "Download installer": "Atsisiųsti įdiegiklį", - "Download operations are not affected by this setting": "Atsisiuntimo operacijos nėra paveiktos šio nustatymo", - "Download selected installers": "Atsisiųsti pasirinktus/pažymėtus įdiegiklius", - "Download succeeded": "Atsisiuntimas buvo sėkmingas", "Download updated language files from GitHub automatically": "Automatiškai atsisiųsti atnaujintus kalbos failus iš „Github“", - "Downloading": "Atsisiunčiama", - "Downloading backup...": "Atsisiunčiama atsarginė kopija...", - "Downloading installer for {package}": "Atisiunčiamas įdiegiklis, skirtas – „{package}“", - "Downloading package metadata...": "Atsisiunčiami paketo metadúomenys", - "Enable Scoop cleanup on launch": "Įjungti/Įgalinti „Scoop“ apvalymą paleidimo metu", - "Enable WingetUI notifications": "Įjungti „UniGetUI“ pranešimus", - "Enable an [experimental] improved WinGet troubleshooter": "Įjungti/Įgalinti [eksperimentinį] patobulintą „WinGet“ trikdžių šalinimo priemonę", - "Enable and disable package managers, change default install options, etc.": "Įjungti/Išjungti (Įgalinti/Išgalinti) paketų tvarkytuvus/-es, pakeisti numatytąsias (į-)diegimo parinktis ir t.t.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Įjungti/Įgalinti fonines „CPU“ naudosenos optimizacijas (peržiūrėti „Pull Request #3278“)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Įjungti foninį „API“ („UniGetUI“ valdikliai ir bendrinimas, prievadas – 7058)", - "Enable it to install packages from {pm}.": "Įjunkite/Įgalinkite jį, norint įdiegti paketą/-us iš – „{pm}“.", - "Enable the automatic WinGet troubleshooter": "Įjungti/Įgalinti automatinį „WinGet“ trikdžių nagrinėjimą", - "Enable the new UniGetUI-Branded UAC Elevator": "Įjungti/Įgalinti naująjį „UniGetUI“ įdaguotą vartotojo/naudotojo paskyros valdymo („UAC“) lango iškeltoją", - "Enable the new process input handler (StdIn automated closer)": "Įjungti naują proceso įvesties tvarkytuvę (automatinį „StdIn“ uždarymą)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Įjunkite toliau pateiktus nustatymus TIK TADA, jei visiškai suprantate, ką jie daro ir kokias pasekmes bei pavojus jie gali sukelti.", - "Enable {pm}": "Įjungti/Įgalinti „{pm}“", - "Enabled": "Įjungta", - "Enter proxy URL here": "Įveskite įgaliotojo „URL“ – saitą čia", - "Entries that show in RED will be IMPORTED.": "RAUDONAI rodomi įrašai BUS IMPORTUOTI.", - "Entries that show in YELLOW will be IGNORED.": "GELTONAI rodomi įrašai BUS IGNORUOJAMI.", - "Error": "Klaida", - "Everything is up to date": "Viskas yra atnaujinta (Liuks!)", - "Exact match": "Tikslus sutapimas", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Bus nuskenuoti esami darbalaukio spartieji klavišai, ir turėsite pasirinkti, kuriuos palikti, o kuriuos pašalinti.", - "Expand version": "Išplėsti versiją", - "Experimental settings and developer options": "Eksperimentiniai nustatymai ir kūrėjo parinktys", - "Export": "Eksportuoti", + "Downloading": "Atsisiunčiama", + "Downloading installer for {package}": "Atisiunčiamas įdiegiklis, skirtas – „{package}“", + "Downloading package metadata...": "Atsisiunčiami paketo metadúomenys", + "Enable the new UniGetUI-Branded UAC Elevator": "Įjungti/Įgalinti naująjį „UniGetUI“ įdaguotą vartotojo/naudotojo paskyros valdymo („UAC“) lango iškeltoją", + "Enable the new process input handler (StdIn automated closer)": "Įjungti naują proceso įvesties tvarkytuvę (automatinį „StdIn“ uždarymą)", "Export log as a file": "Eksportuoti žurnalą kaip failą", "Export packages": "Eksportuoti paketus", "Export selected packages to a file": "Eksportuoti pasirinktus paketus į failą", - "Export settings to a local file": "Eksportuoti nustatymus į failą", - "Export to a file": "Eksportuoti į failą", - "Failed": "Nepavyko", - "Fetching available backups...": "Gaunamos galimos atsarginės kopijos...", "Fetching latest announcements, please wait...": "Gaunami naujausi/paskiausi paskelbimai, prašome palaukti...", - "Filters": "Filtrai", "Finish": "Baigti", - "Follow system color scheme": "Sekti sistemos spalvų schemą/parinktį", - "Follow the default options when installing, upgrading or uninstalling this package": "Sekti numatytąsias parinktis, kai (į-)diegiate, (at-)naujinate ar išdiegiate šį paketą", - "For security reasons, changing the executable file is disabled by default": "Numatytai dėl saugumo priežasčių, vykdomojo failo keitimas yra negalimas.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Numatytai dėl saugumo priežasčių, pasirinktiniai komandinės eilutės argumentai yra negalimi. Norint pakeisti, nueikite į „UniGetUI“ saugumo nustatymus.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Numatytai dėl saugumo priežasčių, parengtinės ir paskesniosios operacijos skriptai yra negalimi. Norint pakeisti, nueikite į „UniGetUI“ saugumo nustatymus.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Priversti „ARM“ sukurtai „winget“ versijai (SKIRTA TIK „ARM64“ SISTEMOMS)", - "Force install location parameter when updating packages with custom locations": "Atnaujinant paketus su pasirinktinėmis vietomis, priverstinai naudoti diegimo vietos parametrą", "Formerly known as WingetUI": "Seniau žinomas kaip „WingetUI“", "Found": "Rasta", "Found packages: ": "Rasti paketai:", "Found packages: {0}": "Rasti paketai: {0}", "Found packages: {0}, not finished yet...": "Rasti paketai: {0}, dar nebaigta...", - "General preferences": "Bendros parinktys", "GitHub profile": "„GitHub“ profilis", "Global": "Visuotinis/-ė", - "Go to UniGetUI security settings": "Eiti į „UniGetUI“ saugumo nustatymus", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Gera saugykla nežinomų, bet naudingų įrankių ir kitų įdomių paketų.
Sudaro: Įrankiai, komandinės eilutės programos, bendrosios taikomosios programos (papildomiems „bucket“ reikalingas)", - "Great! You are on the latest version.": "Sveikiname! Jūs naudojate naujausią/paskiausią versiją!", - "Grid": "Tinklelis", - "Help": "Pagalba", "Help and documentation": "Pagalba ir dokumentacija", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Štai čia, Jūs galite pakeisti „UniGetUI“ elgseną su nurodytomis nuorodomis. Pažymint nuorodos parinktį, „UniGetUI“ ištrins ją, jeigu ji bus sukurta po atnaujinimo. (At-/Ne-)pažymint nuorodos parinktį, išlaikys nuorodą ten kur buvo", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Sveiki, mano vardas yra Martí, ir aš esu „UniGetUI“ kūrėjas. „UniGetUI“ sukūriau savo laisvalaikio metu!", "Hide details": "Slėpti išsamumą", - "Homepage": "Pagrindinis puslapis", - "Hooray! No updates were found.": "Sveikinam! (At-)Naujinimų/-ių nerasta.", "How should installations that require administrator privileges be treated?": "Kaip elgtis su įdiegimais, kurie reikalauja administratoriaus privilegijų?", - "How to add packages to a bundle": "Kaip pridėti paketus į rinkinį", - "I understand": "Aš supratau", - "Icons": "Piktogramos", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jeigu Jūs turite atsarginių kopijų kūrimą įjungtą/įgalintą debesijoje, tada jis bus išsaugotas kaip „GitHub Gist“ šioje paskyroje.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Leisti vykdyti pasirinktines priešdiegimo ir podiegimo komandas importuojant paketus iš rinkinio", - "Ignore future updates for this package": "Ignoruoti paskesnius atnaujinimus šiam paketui", - "Ignore packages from {pm} when showing a notification about updates": "Rodydami pranešimą apie atnaujinimus, ignoruokite paketus iš {pm}", - "Ignore selected packages": "Ignoruoti pasirinktus/-ą paketus/-ą", - "Ignore special characters": "Nepaisyti specialių rašmenų", "Ignore updates for the selected packages": "Ignoruoti atnaujinimus pasirinktiems/-am paketams/-ui", - "Ignore updates for this package": "Ignoruoti atnaujinimus šiam paketui", "Ignored updates": "Ignoruoti atnaujinimai", - "Ignored version": "Ignoruota versija", - "Import": "Importuoti", "Import packages": "Importuoti paketus", "Import packages from a file": "Importuoti paketus iš failo", - "Import settings from a local file": "Importuoti nustatymus iš vietinio failo", - "In order to add packages to a bundle, you will need to: ": "Norėdami pridėti paketus į rinkinį, turėsite: ", "Initializing WingetUI...": "Paleidžiamas „UniGetUI“...", - "Install": "Įdiegti", - "Install Scoop": "Įdiegti „Scoop“", "Install and more": "Įdiegti ir daugiau", "Install and update preferences": "(Į-)Diegimo ir (at-)naujinimo parinktys", - "Install as administrator": "Įdiegti kaip administratorių", - "Install available updates automatically": "Įdiegti pasiekiamus atnaujinimus automatiškai", - "Install location can't be changed for {0} packages": "Diegimo vietos negalima pakeisti {0} paketams", - "Install location:": "Įdiegimo vietovė:", - "Install options": "(Į-)Diegimo parinktys", "Install packages from a file": "Įdiegti paketus iš failo", - "Install prerelease versions of UniGetUI": "Įdiegti išankstines „UniGetUI“ versijas", - "Install script": "(Į-)Diegimo skriptas", "Install selected packages": "Įdiegti pasirinktus paketus", "Install selected packages with administrator privileges": "Įdiegti pasirinktus paketus su administratoriaus privilegijom", - "Install selection": "Įdiegimo atranka", "Install the latest prerelease version": "Įdiegti paskiausią/naujausią išankstinę laidos versiją", "Install updates automatically": "Įdiegti atnaujinimus automatiškai", - "Install {0}": "Įdiegti – „{0}“", "Installation canceled by the user!": "(-Į)Diegimas atšauktas vartotojo/naudotojo!", - "Installation failed": "Įdiegimas nepavyko", - "Installation options": "Įdiegimo parinktys", - "Installation scope:": "Įdiegimo sritis:", - "Installation succeeded": "Įdiegimas buvo sėkmingas", - "Installed Packages": "Įdiegti paketai", - "Installed Version": "Įdiegta versija:", "Installed packages": "Įdiegti paketai", - "Installer SHA256": "Įdiegiklio „SHA256“", - "Installer SHA512": "Įdiegiklio „SHA512“", - "Installer Type": "Įdiegiklio tipas", - "Installer URL": "Įdiegiklio „URL“ – saitas", - "Installer not available": "Įdiegiklis nepasiekiamas", "Instance {0} responded, quitting...": "Egzempliorius – „{0}“ atsakė, išeinama...", - "Instant search": "Akimirksnio (pa-)ieška", - "Integrity checks can be disabled from the Experimental Settings": "Vientisumo patikrinimai gali būti išjungti/išgalinti per eksperimentinius nustatymus", - "Integrity checks skipped": "Vientisumo patikrinimai praleisti", - "Integrity checks will not be performed during this operation": "Vientisumo patikrinimai nebus vykdomi šios operacijos metu", - "Interactive installation": "Sąveikaujantis įdiegimas", - "Interactive operation": "Interaktyvus veiksmas", - "Interactive uninstall": "Sąveikaujantis išdiegimas", - "Interactive update": "Sąveikaujantis (at-)naujinimas", - "Internet connection settings": "Interneto jungties nustatymai", - "Invalid selection": "Netinkamas pasirinkimas", "Is this package missing the icon?": "Ar šis paketas neturi piktogramos?", - "Is your language missing or incomplete?": "Ar Jūsų kalba nepasiekiama ar neužbaigta?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nėra garantijos, kad pateikti prisijungimo duomenys bus saugomi saugiai, todėl geriau nenaudoti savo banko sąskaitos prisijungimo duomenų", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Yra rekomenduojama perleisti „UniGetUI“ po to, kai „WinGet“ buvo sutaisytas", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Yra stipriai rekomenduojama, kad perdiegtumėte „UniGetUI“, norint sutaisyti šią situaciją sukeliančia problemą.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Atrodo, kad „WinGet“ neveikia tinkamai. Ar norite bandyti jį ištaisyti?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Atrodo, kad Jūs vykdėte UniGetUI administratoriaus privilegijomis. Tai nerekomenduojama, tačiau jokių ribojimų Jums nebus. Peržiūrėkite „{showDetails}“ norėdami sužinoti, kodėl.", - "Language": "Kalba", - "Language, theme and other miscellaneous preferences": "Kalba, apipavidalinimas ir kitos pašalinės parinktys", - "Last updated:": "Paskutinį kartą atnaujinta:", - "Latest": "Paskiausias/Naujausias", "Latest Version": "Paskiausia/Naujausia versija", "Latest Version:": "Paskiausia/Naujausia versija:", "Latest details...": "Paskiausi/Naujausi išsamumai...", "Launching subprocess...": "Paleidžiami pãprocesai...", - "Leave empty for default": "Numatytai, palikti tuščią", - "License": "Licencija", "Licenses": "Licencijos", - "Light": "Šviesus", - "List": "Sąrašas", "Live command-line output": "Tiesioginė komandinės eilutės išvestis", - "Live output": "Gyva išvestis", "Loading UI components...": "Įkeliami vartotojo/naudotojo sąsajos komponentai...", "Loading WingetUI...": "Įkeliamas „UniGetUI“...", - "Loading packages": "Įkeliami paketai", - "Loading packages, please wait...": "Įkeliami paketai, prašome palaukti...", - "Loading...": "Įkeliama...", - "Local": "Vietinis", - "Local PC": "Vietinis AK", - "Local backup advanced options": "Išplėstinės vietinės atsarginės kopijos parinktys", "Local machine": "Vietinis įrenginys", - "Local package backup": "Vietinė paketų atsarginė kopija", "Locating {pm}...": "Aptinkama – {pm}...", - "Log in": "Prisijungti", - "Log in failed: ": "Prisijungimas nepavyko:", - "Log in to enable cloud backup": "Prisijunkite, kad įjungtumėte debesies atsarginę kopiją", - "Log in with GitHub": "Prisijungti su „GitHub“", - "Log in with GitHub to enable cloud package backup.": "Prisijunkite su „GitHub“, kad įjungtumėte/įgalintumėte debesijos paketų atsarginių kopijų vykdymą.", - "Log level:": "Žurnalo lygis:", - "Log out": "Atsijungti", - "Log out failed: ": "Nepavyko atsijungti:", - "Log out from GitHub": "Atsijungti iš „GitHub“", "Looking for packages...": "Ieškoma paketų...", "Machine | Global": "Įrenginys | Visuotinis", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Netaisyklingi komandų eilutės argumentai gali sugadinti paketus ar net leisti piktavaliui gauti privilegijuotą vykdymą. Todėl pasirinktinių komandų eilutės argumentų importavimas pagal numatytuosius nustatymus yra išjungtas.", - "Manage": "Tvarkyti/Valdyti", - "Manage UniGetUI settings": "Tvarkyti ir valdyti „UniGetUI“ nustatymus", "Manage WingetUI autostart behaviour from the Settings app": "Valdyti/Nurodyti „UniGetUI“ automatinio paleidimo veiksmą per „Windows – Parametrų“ nustatymų programą", "Manage ignored packages": "Tvarkyti ignoruotus paketus", - "Manage ignored updates": "Tvarkyti ignoruotus atnaujinimus", - "Manage shortcuts": "Tvarkyti/Valdyti nuorodas", - "Manage telemetry settings": "Tvarkyti/Valdyti telemetrijos nustatymus", - "Manage {0} sources": "Tvarkyti – „{0}“ šaltinius", - "Manifest": "Manifestas", "Manifests": "Manifestai", - "Manual scan": "Rankinis skenavimas", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficialus/-i „Microsoft“ paketų tvarkytuvas/-ė. Pilnas gerai žinomų ir patvirtintų paketų
Sudaro: Bendrąsias taikomąsias programas ir „Microsoft Store“ programėles", - "Missing dependency": "Trūkstama priklausomybė", - "More": "Daugiau", - "More details": "Daugiau išsamumo", - "More details about the shared data and how it will be processed": "Daugiau informacijos apie bendrinamus duomenis ir kaip jie bus apdorojami", - "More info": "Daugiau informacijos", - "More than 1 package was selected": "Pasirinktas daugiau nei 1 paketas", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "Pastaba: Šis trikdžių tikrinimas gali būti išjungtas/išgalintas iš „UniGetUI“ nustatymų, „WinGet“ skyriuje", - "Name": "Pavadinimą", - "New": "Nauja/-s", "New Version": "Nauja versija", "New bundle": "Naujas rinkinys", - "New version": "Naują versiją", - "Nice! Backups will be uploaded to a private gist on your account": "Puiku! Atsarginės kopijos bus įkeltos į privatų „gist“ jūsų paskyroje", - "No": "Ne", - "No applicable installer was found for the package {0}": "Joks pritaikomas įdiegiklis nebuvo rastas, paketui – „{0}“", - "No dependencies specified": "Priklausomybės nenurodytos", - "No new shortcuts were found during the scan.": "Nebuvo rasta naujų nuorodų per skenavimą.", - "No package was selected": "Nepasirinktas joks paketas", "No packages found": "Paketų nerasta", "No packages found matching the input criteria": "Paketų nerasta, pagal (atitinkančius) įvesties kriterijus", "No packages have been added yet": "Nėra pridėtų paketų (kol kas)", "No packages selected": "Nėra pažymėtų paketų", - "No packages were found": "Paketų nerasta", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Jokia asmeninė informacija nėra reikama ar siunčiama, o surinkti duomenys yra anonimizuoti (t.y. jie negali būti atsekti atgal, kad jie būtent Jūsų).", - "No results were found matching the input criteria": "Jokių rezultatų nebuvo rasta, atitinkančių įvesties kriterijų", "No sources found": "Jokių šaltinių nerasta", "No sources were found": "Jokie šaltiniai nebuvo rasti", "No updates are available": "Nėra pasiekiamų atnaujinimų", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "„Node JS“ paketų tvarkytuvas/-ė. Pilnas įvairių programinių bibliotekų ir įvairių įrankių, kurie apima „Javascript pasaulį“
Sudaro: „Node Javascript“ bibliotekos ir įvairūs įrankiai", - "Not available": "Nepasiekiama/-s", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nerandate ieškomo failo? Įsitikinkite, kad jis pridėtas prie kelio.", - "Not found": "Nerasta/-s", - "Not right now": "Ne dabar", "Notes:": "Užrašai/Pastabos:", - "Notification preferences": "Pranešimų parinktys", "Notification tray options": "Pranešimų juostelės parinktys", - "Notification types": "Pranešimų tipai", - "NuPkg (zipped manifest)": "„NuPkg“ (archyvuotas manifestas)", - "OK": "Gerai", "Ok": "Gerai", - "Open": "Atidaryti", "Open GitHub": "Atidaryti „GitHub“", - "Open UniGetUI": "Atidaryti „UniGetUI“", - "Open UniGetUI security settings": "Atidaryti „UniGetUI“ saugumo nustatymus", "Open WingetUI": "Atidaryti „UniGetUI“", "Open backup location": "Atidaryti atsarginės kopijos vietovę", "Open existing bundle": "Atidaryti jau egzistuojanti rinkinį", - "Open install location": "Atidaryti įdiegimo vietovę", "Open the welcome wizard": "Atidaryti „Sveiki!“ sąranka/vedly", - "Operation canceled by user": "Operacija atšaukta naudotojo/vartotojo", "Operation cancelled": "Operacija atšaukta", - "Operation history": "Operacijos istorija", - "Operation in progress": "Operacija vykdoma", - "Operation on queue (position {0})...": "Operacija eilėje (vieta eilėje – {0})...", - "Operation profile:": "Operacijos/-nis profilis:", "Options saved": "Parinktys išsaugotos", - "Order by:": "Rikiuoti/Rūšiuoti pagal:", - "Other": "Kita/-s/-i", - "Other settings": "Kiti nustatymai", - "Package": "Paketas", - "Package Bundles": "Paketo/-ų rinkiniai", - "Package ID": "Paketo ID", "Package Manager": "Paketų tvarkytuvas/-ė", - "Package Manager logs": "Paketų tvarkytuvo/-ės žurnalai", - "Package Managers": "Paketų tvarkytuvai/-ės", - "Package Name": "Paketo pavadinimas", - "Package backup": "Atsarginės paketų kopijos", - "Package backup settings": "Paketų atsarginės kopijos nustatymai", - "Package bundle": "Paketo/-ų rinkinys", - "Package details": "Paketo išsamumas", - "Package lists": "Paketų sąrašai", - "Package management made easy": "Paketų valdymas ir tvarkymas padarytas lengvu!", - "Package manager": "Paketų tvarkytuvas/-ė", - "Package manager preferences": "Paketų tvarkytuvo/-ės nuostatos", "Package managers": "Paketų tvarkytuvai/-ės", - "Package not found": "Paketas nerastas", - "Package operation preferences": "Paketų operacijų parinktys ir nuostatos", - "Package update preferences": "Paketų (at-)naujinimų parinktys ir nuostatos", "Package {name} from {manager}": "Paketas – „{name}“ iš – „{manager}“", - "Package's default": "Numatytoji paketo parinktis", "Packages": "Paketai", "Packages found: {0}": "Rasti paketai: {0}", - "Partially": "Dalinai", - "Password": "Slaptažodis", "Paste a valid URL to the database": "Įklijuokite tinkama „URL“ – saitą prie duomenų bazės", - "Pause updates for": "Pristabdyti (at-)naujinimus/-ius —", "Perform a backup now": "Atlikti atsarginės kopijos sukūrimą dabar", - "Perform a cloud backup now": "Atlikti debesies atsarginę kopiją dabar", - "Perform a local backup now": "Atlikti vietinę atsarginę kopiją dabar", - "Perform integrity checks at startup": "Atlikti vientisumo patikrinimus paleidimo metu", - "Performing backup, please wait...": "Atliekamas atsarginės kopijos sukūrimas, prašome palaukti...", "Periodically perform a backup of the installed packages": "Periodiškai atlikti atsarginės kopijos sukūrimą įdiegtų paketų", - "Periodically perform a cloud backup of the installed packages": "Periodiškai atlikti debesijos atsarginės kopijos sukūrimą, įdiegtų paketų", - "Periodically perform a local backup of the installed packages": "Periodiškai atlikti vietinę atsarginės kopijos sukūrimą, įdiegtų paketų", - "Please check the installation options for this package and try again": "Prašome patikrinti įdiegimo parinktis šiam paketui ir bandykite dar kartą", - "Please click on \"Continue\" to continue": "Prašome paspausti – „Tęsti“, norint tęsti (pasiektas pasiekimas: Pirmieji žingsniai!)", "Please enter at least 3 characters": "Prašome įvesti nors tris (3) rašmenis", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Atkreipkite dėmesį, kad kai kurie paketai gali būti neįdiegiami, nes paketų tvarkytuvai/-ės, kurios įjungtos/įgalintos šiame kompiuteryje, tai draudžia.", - "Please note that not all package managers may fully support this feature": "Atkreipkite dėmesį, kad ne visi paketų tvarkytuvai gali visiškai palaikyti šią funkciją", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Atkreipkite dėmesį, kad paketai iš kai kurių šaltinių, gali būti neišeksportuojami. Jie buvo pažymėti pilkai ir nebus išeksportuoti.", - "Please run UniGetUI as a regular user and try again.": "Prašome vykdyti „UniGetUI“ kaip paprasta (-s) vartotoją/naudotoją (-as) ir bandykite dar kartą", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Prašome peržiūrėti komandinės eilutės išvestį arba telkitės – „Operacijos istorijos“, norint gauti daugiau informacijos apie tam tikrą bėdą.", "Please select how you want to configure WingetUI": "Prašome pasirinkti kaip Jūs norite konfigūruoti „UniGetUI“", - "Please try again later": "Prašome pabandyti dar kartą, vėlesniu laiku", "Please type at least two characters": "Prašome įvesti nors dvi (2) rašmenis", - "Please wait": "Prašome palaukti", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Prašome palaukti kol „{0}“ yra įdiegiama/-s. Juodas langas galimai atsiras. Prašome palaukti, kol ji/-s užsidarys.", - "Please wait...": "Prašome palaukti...", "Portable": "Perkeliama/-s", - "Portable mode": "Nešiojamasis režimas\n", - "Post-install command:": "Paskesnioji (į-)diegimo komanda:", - "Post-uninstall command:": "Paskesnioji išdiegimo komanda:", - "Post-update command:": "Paskesnioji (at-)naujinimo komanda:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "„PowerShell“ paketų tvarkytuvas/-ė. Pilnas programinių bibliotekų ir skriptų
Sudaro: Modulius, skriptus ir „cmdlets“", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Parengtinės ir paskesniosios įdiegimo komandos gali sukelti daug problemų Jūsų įrenginiui, jeigu piktavališki asmenys jas taip sukūrę. Importuoti šias komandas iš paketo/-ų rinkinio gali būti labai pavojinga, patartina nenaudoti jų, nebent pasitikite jais.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Parengtinės ir paskesniosios komandos bus vykdomos prieš, bei po to, kada paketas būna įdiegtas, atnaujintas ar išdiegtas. Būkite atidūs, kad jie galimai sugadins kažką, nebendrais viską atliekate atsargiai.", - "Pre-install command:": "Parengtinė (į-)diegimo komanda:", - "Pre-uninstall command:": "Parengtinė išdiegimo komanda:", - "Pre-update command:": "Parengtinė (at-)naujinimo komanda:", - "PreRelease": "Išankstinis išleidimas", - "Preparing packages, please wait...": "Paruošiami paketai, prašome palaukti...", - "Proceed at your own risk.": "Tęskite savo nuožiūra.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Uždrausti bet kokį teisių pakėlimą per „UniGetUI Elevator“ arba „GSudo“", - "Proxy URL": "Įgaliotojo/-inio „URL“ – saitas", - "Proxy compatibility table": "Įgaliotinių/-ųjų suderinimo lentelė", - "Proxy settings": "Įgaliotinių/-ųjų nustatymai", - "Proxy settings, etc.": "Įgaliotinių/-ųjų nustatymai ir pan.", "Publication date:": "Publikacijos data:", - "Publisher": "Leidė́jas", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "„Python“ programinių bibliotekų tvarkytuvas/-ė. Pilnas „Python“ bibliotekų ir kitų „Python“ susijusių įrankių
Sudaro: „Python“ bibliotekas ir kitus „Python“ susijusius įrankius", - "Quit": "Išeiti", "Quit WingetUI": "Išeiti iš „UniGetUI“", - "Ready": "Paruošta/-s", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Sumažinti UAC užklausų skaičių, pagal numatytuosius nustatymus pakelti teises diegimams, atrakinti tam tikras pavojingas funkcijas ir t. t.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Peržvelkite „UniGetUI“ veikimo žurnalus, norint daugiau sužinoti apie paveiktą (-us) failą (-us)", - "Reinstall": "Perdiegti", - "Reinstall package": "Perdiegti paketą", - "Related settings": "Susiję nustatymai", - "Release notes": "Išleidimo užrašai", - "Release notes URL": "Išleidimo užrašų „URL“ – saitas", "Release notes URL:": "Išleidimo užrašų „URL“ – saitas:", "Release notes:": "Išleidimo užrašai:", "Reload": "Perkrauti", - "Reload log": "Perkrovimų žurnalas", "Removal failed": "Pašalinimas nepavyko", "Removal succeeded": "Pašalinimas sėkmingas", - "Remove from list": "Pašalinti iš sąrašo", "Remove permanent data": "Ištrinti nuolatinius duomenis", - "Remove selection from bundle": "Pašalinti pasirinkimą iš rinkinio", "Remove successful installs/uninstalls/updates from the installation list": "Pašalinti sėkmingus įdiegimus/išdiegimus/atnaujinimus/naujinius iš sąrašo", - "Removing source {source}": "(Pa-)Šalinimas šaltinis – „{source}“", - "Removing source {source} from {manager}": "(Pa-)Šalinimas šaltinis – „{source}“ iš – „{manager}“", - "Repair UniGetUI": "(Su-)Taisyti „UniGetUI“", - "Repair WinGet": "Sutaisyti „WinGet“", - "Report an issue or submit a feature request": "Pranešti apie problemą arba pridėti funkcijų pasiūlymą", "Repository": "Saugykla", - "Reset": "Atstatyti", "Reset Scoop's global app cache": "Atstatyti visuotinį „Scoop“ programos/-ėlės talpyklą/podėlį", - "Reset UniGetUI": "Atstatyti „UniGetUI“", - "Reset WinGet": "Atstatyti „WinGet“", "Reset Winget sources (might help if no packages are listed)": "Atstatyti „WinGet“ šaltinius (gali padėti, jeigu nėra paketų sąraše)", - "Reset WingetUI": "Atstatyti „UniGetUI“", "Reset WingetUI and its preferences": "Atstatyti „UniGetUI“ ir jo parinktis", "Reset WingetUI icon and screenshot cache": "Atstatyti „UniGetUI“ piktogramų ir ekrano kopijų/iškarpų talpyklą", - "Reset list": "Atstatyti sąrašą", "Resetting Winget sources - WingetUI": "Atstatomi „WinGet“ šaltiniai – „UniGetUI“", - "Restart": "Paleisti iš naujo", - "Restart UniGetUI": "Iš naujo paleisti – „UniGetUI“", - "Restart WingetUI": "Iš naujo paleisti – „UniGetUI“", - "Restart WingetUI to fully apply changes": "Iš naujo paleiskite – „UniGetUI“, norint pilnai pritaikyti pakeitimus", - "Restart later": "Paleisti iš naujo vėliau", "Restart now": "Paleisti iš naujo dabar", - "Restart required": "Reikalingas paleidimas iš naujo", - "Restart your PC to finish installation": "Paleiskite iš naujo savo AK, kad pabaigtumėte įdiegimą", - "Restart your computer to finish the installation": "Paleiskite iš naujo savo kompiuterį, kad pabaigtumėte įdiegimą", - "Restore a backup from the cloud": "Atkurti atsarginę kopiją iš debesijos", - "Restrictions on package managers": "Apribojimai paketų tvarkytuvams/-ėms", - "Restrictions on package operations": "Apribojimai paketo/-ų operacijom/-s", - "Restrictions when importing package bundles": "Apribojimai importuojant paketo/-ų rinkinį/-ius", - "Retry": "Bandyti dar kartą", - "Retry as administrator": "Bandyti dar kartą, kaip administratorius", - "Retry failed operations": "Bandyti dar kartą, visas nepavykusias operacijas", - "Retry interactively": "Bandyti dar kartą interaktyviai", - "Retry skipping integrity checks": "Bandyti dar kartą, praleidžiant vientisumo patikrinimus", - "Retrying, please wait...": "Bandoma vėl, prašome palaukti...", - "Return to top": "Sugrįžti atgal į viršų", - "Run": "Vykdyti", - "Run as admin": "Vykdyti kaip administratorių", - "Run cleanup and clear cache": "Vykdyti apvalymą ir išvalyti podėlį/talpyklą", - "Run last": "Vykdyti paskutinį", - "Run next": "Vykdyti kitą", - "Run now": "Vykdyti dabar", + "Restart your PC to finish installation": "Paleiskite iš naujo savo AK, kad pabaigtumėte įdiegimą", + "Restart your computer to finish the installation": "Paleiskite iš naujo savo kompiuterį, kad pabaigtumėte įdiegimą", + "Retry failed operations": "Bandyti dar kartą, visas nepavykusias operacijas", + "Retrying, please wait...": "Bandoma vėl, prašome palaukti...", + "Return to top": "Sugrįžti atgal į viršų", "Running the installer...": "Vykdomas įdiegiklis...", "Running the uninstaller...": "Vykdomas išdiegiklis...", "Running the updater...": "Vykdomas naujinys...", - "Save": "Išsaugoti", "Save File": "Išsaugoti failą", - "Save and close": "Išsaugoti ir uždaryti", - "Save as": "Išsaugoti kaip", "Save bundle as": "Išsaugoti rinkinį kaip", "Save now": "Išsaugoti dabar", - "Saving packages, please wait...": "Išsaugomi paketai, prašome palaukti...", - "Scoop Installer - WingetUI": "„Scoop“ įdiegiklis – „UniGetUI“", - "Scoop Uninstaller - WingetUI": "„Scoop“ išdiegiklis – „UniGetUI“", - "Scoop package": "„Scoop“ paketas", "Search": "Ieškoti", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Ieškoti kompiuterinių taikomųjų programų, įspėti mane kai atnaujinimai yra pasiekiami ir nedaryti „mėmiškų dalykų“. Aš nenoriu, kad UniGetUI pernelyg daug komplikuotų, o tiesiog kad būtų paprasta taikomųjų programų parduotuvė", - "Search for packages": "Ieškoti paketų", - "Search for packages to start": "Ieškoti paketų, norint pradėti", - "Search mode": "(Pa-)Ieškos veiksena", "Search on available updates": "Ieškoti pasiekiamų atnaujinimų", "Search on your software": "Ieškoti Jūsų taikomųjų programų", "Searching for installed packages...": "Ieškoma įdiegtų paketų...", "Searching for packages...": "Ieškoma paketų...", "Searching for updates...": "Tikrinama, ar yra naujinimų...", - "Select": "Pažymėti", "Select \"{item}\" to add your custom bucket": "Pažymėti – „{item}“, kad pridėtumėte į savo pasirinktinį „bucket“", "Select a folder": "Pažymėti aplanką", - "Select all": "Pažymėti visus", "Select all packages": "Pažymėti visus paketus", - "Select backup": "Pasirinkti atsarginę kopiją", "Select only if you know what you are doing.": "Pažymėti – „“, tik tada, jeigu žinote ką darote.", "Select package file": "Pažymėti paketo failą", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Pasirinkite atsarginę kopiją, kurią norite atidaryti. Vėliau galėsite peržiūrėti, kuriuos paketus ar programas norite atkurti.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Pasirinkite vykdomąjį, kurį norite naudoti. Toliau pateikiamas sąrašas parodo, visus vykdomuosius, kuriuos rado „UniGetUI“.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Pasirinkite procesus, kurie turi būti uždaryti prieš įdiegiant, atnaujinant ar pašalinant šį paketą.", - "Select the source you want to add:": "Pažymėkite šaltinį, kurį norite pridėti:", - "Select upgradable packages by default": "Pasirinkti/Pažymėti atnaujinamus paketus numatytai", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Pažymėti kurias/-uos paketų tvarkytuvės/-us naudoti/vartoti ({0}), konfigūruokite kaip paketai yra įdiegti, valdyti kaip administratoriaus teisės yra išduodamos ir pan.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "(Nu/Iš)-siųstas išankstinis suderinimas. Laukiama egzemplioriaus klausytojo atsako... ({0}%)", - "Set a custom backup file name": "Nustatykite pasirinktinį atsarginės kopijos, failo pavadinimą", "Set custom backup file name": "Nustatykite pasirinktinį atsarginės kopijos, failo pavadinimą", - "Settings": "Nustatymai", - "Share": "Bendrinti/Dalytis", "Share WingetUI": "Dalykitės/Bendrinkite „UniGetUI“", - "Share anonymous usage data": "Siųsti anoniminius naudojimo duomenis", - "Share this package": "Bendrinti šį paketą", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Jei pakeisite saugumo nustatymus, turėsite iš naujo atidaryti rinkinį, kad pakeitimai įsigaliotų.", "Show UniGetUI on the system tray": "Rodyti „UniGetUI“ sistemos juostelėje", - "Show UniGetUI's version and build number on the titlebar.": "Rodyti „UniGetUI“ versiją ant lango antraštės juostos", - "Show WingetUI": "Rodyti „UniGetUI“", "Show a notification when an installation fails": "Rodyti pranešimą, kai įdiegimas yra nesėkmingas", "Show a notification when an installation finishes successfully": "Rodyti pranešimą, kai įdiegimas baigiasi sėkmingai", - "Show a notification when an operation fails": "Rodyti pranešimą, kai operacija nepavyksta ar patiria klaidą", - "Show a notification when an operation finishes successfully": "Rodyti pranešimą, kai operacija pavyksta ar baigia be problemų", - "Show a notification when there are available updates": "Rodyti pranešimą, kai yra pasiekiami atnaujinimai", - "Show a silent notification when an operation is running": "Rodyti tylų pranešimą, kai operacija yra vykdoma", "Show details": "Rodyti išsamumą", - "Show in explorer": "Rodyti failų naršyklėje", "Show info about the package on the Updates tab": "Rodyti informaciją apie tam tikra paketą; „Atnaujinimų“ skirtuke", "Show missing translation strings": "Rodyti trūkstamų vertimų tekstus", - "Show notifications on different events": "Rodyti pranešimus, skirtinguose įvykiuose", "Show package details": "Rodyti paketo išsamumą", - "Show package icons on package lists": "Rodyti paketų piktogramas, paketų sąraše", - "Show similar packages": "Rodyti panašius paketus", "Show the live output": "Rodyti gyvą išvestį", - "Size": "Dydis", "Skip": "Praleisti", - "Skip hash check": "Praleisti maišos patikrą", - "Skip hash checks": "Praleisti maišos patikrinimus", - "Skip integrity checks": "Praleisti vientisumo patikrinimus", - "Skip minor updates for this package": "Praleisti smulkius (at-)naujinimus šiam paketui", "Skip the hash check when installing the selected packages": "Praleisti maišos patikrą, diegiant pažymėtus paketus", "Skip the hash check when updating the selected packages": "Praleisti maišos patikrą, (at-)naujinant pasirinktus/pažymėtus paketus", - "Skip this version": "Praleisti šią versiją", - "Software Updates": "Taikomieji atnaujinimai", - "Something went wrong": "Kažkas, kažkur įvyko blogai", - "Something went wrong while launching the updater.": "Kažkas įvyko negerai, bandant paleisti naujinį.", - "Source": "Šaltinį", - "Source URL:": "Šaltinio „URL“ – saitas:", - "Source added successfully": "Šaltinis sėkmingai pridėtas", "Source addition failed": "Šaltinio pridėjimas nepavyko", - "Source name:": "Šaltinio pavadinimas:", "Source removal failed": "Šaltinio pašalinimas nepavyko", - "Source removed successfully": "Šaltinis sėkmingai pašalintas", "Source:": "Šaltinis:", - "Sources": "Šaltiniai", "Start": "Pradėti", "Starting daemons...": "Paleidžiamos paslaugų teikimo sistemos...", - "Starting operation...": "Pradedama operacija...", "Startup options": "Paleidimo parinktys", "Status": "Būsena/Būklė", "Stuck here? Skip initialization": "Užstrigę? Praleiskite inicijavimą", - "Success!": "Sėkmė!", "Suport the developer": "Palaikykite kūrėją", "Support me": "Palaikykite mane", "Support the developer": "Palaikykite kūrėją", "Systems are now ready to go!": "Sistemos yra pasiruošusios!", - "Telemetry": "Telemètrija", - "Text": "Tekstas", "Text file": "Teksto failas", - "Thank you ❤": "Ačiū ❤", - "Thank you \uD83D\uDE09": "Ačiū \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "„Rust“ paketų tvarkytuvė/-as.
Sudaro: „Rust“ bibliotekos ir programos, kurios sukurtos „Rust“ programavimo kalba", - "The backup will NOT include any binary file nor any program's saved data.": "Atsarginė kopija NEĮTRAUKIA jokių dvejetainių failų, nei jokių programų/-ėlių išsaugotų duomenų.", - "The backup will be performed after login.": "Atsarginės kopija bus atlikta po prisijungimo.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Atsarginė kopija įtraukia pilnąjį įdiegtų paketų sąrašą su jų įdiegimo parinktys. Ignoruojami atnaujinimai ir praleistos versijos irgi yra išsaugomos.", - "The bundle was created successfully on {0}": "Rinkinys buvo sėkmingai sukurtas {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Rinkinys, kurį bandot įkrauti (atrodomai) yra negalimas. Prašome patikrinti failą ir bandykite dar kartą.", + "Thank you 😉": "Ačiū 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Įdiegiklio patikros suma nesutampa su numatytąją reikšme ir įdiegiklio autentiškumas negali būti patvirtintas. Jeigu Jūs pasitikite leidėju, tada „{0}“ paketą galite įdiegti praleisdami patikros sumos patikrinimą.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasikinė/-is paketų tvarkytuvė/-as, skirta/-s „Windows“. Jūs rasite viską ten.
Sudaro: Bendros taikomosios programos", - "The cloud backup completed successfully.": "Debesies atsarginė kopija sėkmingai baigta.", - "The cloud backup has been loaded successfully.": "Debesies atsarginė kopija sėkmingai įkelta.", - "The current bundle has no packages. Add some packages to get started": "Dabartinis rinkinys neturi paketų. Pridėkite keletą paketų, norint pradėti", - "The executable file for {0} was not found": "Vykdomasis failas, skirtas – „{0}“, nebuvo rastas", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Toliau pateiktos parinktys bus taikomos pagal numatytuosius nustatymus kiekvieną kartą, kai {0} paketas bus įdiegtas, atnaujintas arba pašalintas.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Toliau esantys paketai bus eksportuoti į „JSON“ failą. Jokie naudotojo/vartotojo duomenys ar dvejetainės nebus išsaugomi.", "The following packages are going to be installed on your system.": "Toliau esantys paktai bus įdiegti Jūsų sistemoje.", - "The following settings may pose a security risk, hence they are disabled by default.": "Toliau pateikti nustatymai gali kelti saugumo riziką, todėl pagal numatytuosius nustatymus jie yra išjungti.", - "The following settings will be applied each time this package is installed, updated or removed.": "Toliau esantys nustatymai bus pritaikyti kiekvieną kartą, kai šis paketas yra įdiegtas, atnaujintas ar pašalintas.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Toliau esantys nustatymai bus pritaikyti kiekvieną kartą, kai šis paketas yra įdiegtas, atnaujintas ar pašalintas. Jie bus automatiškai išsaugoti.", "The icons and screenshots are maintained by users like you!": "Piktogramos, iškarpos ir ekrano nuotraukos yra pateikiamos vartotojų/naudotojų kaip ir tu!", - "The installation script saved to {0}": "Diegimo scenarijus išsaugotas į {0}", - "The installer authenticity could not be verified.": "Nebuvo galima patvirtinti įdiegiklio autentiškumą.", "The installer has an invalid checksum": "Įdiegiklis turi netinkamą patikros sumą", "The installer hash does not match the expected value.": "Įdiegiklio maiša nesutampa su tikėtinąją reikšme.", - "The local icon cache currently takes {0} MB": "Vietinė/-is piktogramų talpykla/podėlis užima – {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Pagrindinis šio projekto tikslas yra – sukurti patrauklią naudotojo/vartotojo sąsają, skirta tvarkyti dažniausius „CLI“ paketų tvarkytuvus/-es, skirtus „Windows“; tokie kaip „Winget“ ir „Scoop“.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paketas – „{0}“ nebuvo rastas paketų tvarkytuvėje – „{1}“", - "The package bundle could not be created due to an error.": "Nepavyko sukurti paketo/-ų rinkinio dėl klaidos.", - "The package bundle is not valid": "Paketo/-ų rinkinys yra negalimas", - "The package manager \"{0}\" is disabled": "Paketų tvarkytuvė/-as – „{0}“ yra išjungta/išgalinta (-s)", - "The package manager \"{0}\" was not found": "Paketų tvarkytuvė/-as – „{0}“ yra nerasta/-s", "The package {0} from {1} was not found.": "Paketas – „{0}“ iš – „{1}“ nebuvo rastas.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paketai pateikti čia nebus įtraukiami, kai tikrinama ar yra atnaujinimų. Du kart spaustelėjus ar paspaudus ant mygtuko jo dešinėje sustabdys jų atnaujinimus.", "The selected packages have been blacklisted": "Pažymėti paketai buvo įtraukti į draudžiamąjį sąrašą", - "The settings will list, in their descriptions, the potential security issues they may have.": "Nustatymų aprašuose bus nurodytos galimos saugumo problemos, kurias jie gali sukelti.", - "The size of the backup is estimated to be less than 1MB.": "Atsarginės kopijos dydis yra numatomas, kad bus mažesnis nei – 1MB.", - "The source {source} was added to {manager} successfully": "Šaltinis – „{source}“ buvo sėkmingai pridėtas prie – „{manager}", - "The source {source} was removed from {manager} successfully": "Šaltinis – „{source}“ buvo sėkmingai pašalintas iš – „{manager}", - "The system tray icon must be enabled in order for notifications to work": "Kad pranešimai veiktų, sistemos dėklo piktograma turi būti įjungta", - "The update process has been aborted.": "Atnaujinimo vyksmas buvo nutrauktas.", - "The update process will start after closing UniGetUI": "Atnaujinimo vyksmas prasidės po „UniGetUI“ uždarymo", "The update will be installed upon closing WingetUI": "Atnaujinimas bus įdiegtas, uždarius UniGetUI", "The update will not continue.": "Atnaujinimas nebus tęsiamas", "The user has canceled {0}, that was a requirement for {1} to be run": "Naudotojas atšaukė {0}; tai buvo būtina, kad būtų paleista {1}", - "There are no new UniGetUI versions to be installed": "Nėra naujų „UniGetUI“ versijų, kurias būtu galima įdiegti", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Yra einančios/vykdomos operacijos. Išeinant iš UniGetUI gali sukelti jų gedimą. Ar Jūs norite tęsti?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Yra gerų vaizdo įrašų „Youtube“ platformoje, kurie apibūdina „UniGetUI“ ir parodo jo galimybes. Jūs galėsite sužinoti naudingų triukų ir patarimų!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Yra dvi pagrindinės priežastys dėl ko nederėtų vykdyti „UniGetUI administratoriaus privilegijomis: Pirmoji – „Scoop“ paketų tvarkytuvas/-ė gali sukelti problemų su savo komandomis, kai turi išplėstas privilegijas. Antroji – paketai, atsiųsti per „UniGetUI“, perteiks šias privilegijas (saugumo rizika). Atminkite, kad visada galite vykdyti tam tikro paketo įdiegimą su išplėstomis privilegijomis -> Įdiegti/Atnaujinti/Išdiegti kaip administratorius.", - "There is an error with the configuration of the package manager \"{0}\"": "Yra klaida su konfigūracija, siejančią paketų tvarkytuve/-u – „{0}“", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Yra vykdomas įdiegimas. Jei Jūs uždarysite UniGetUI, tada įdiegimas gali patirti nesėkmių ir turės netikėtų rezultatų. Ar Jūs vis dar norite uždaryti UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Tai yra programos, kurios valdo įdiegimo, atnaujinimo ir šalinimo (nurodytų) paketų.", - "Third-party licenses": "Trečios šalies licencija", "This could represent a security risk.": "Šis gali sukelti saugomo riziką.", - "This is not recommended.": "Tai nerekomenduojama.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Šis greičiausiai yra, nes paketas kurį gavote buvo pašalintas arba leidėjas paketų tvarkytuve/-ėje nėra jo pridėję viešai. Gautas ID yra – {0}", "This is the default choice.": "Šis yra – numatytoji parinktis.", - "This may help if WinGet packages are not shown": "Šis gali padėti, jei „WinGet“ paketai nesirodo", - "This may help if no packages are listed": "Šis gali padėti, jei nėra paketų sąraše", - "This may take a minute or two": "Šis gali užtrukti minutę ar dvi", - "This operation is running interactively.": "Šis veiksmas vykdomas interaktyviai.", - "This operation is running with administrator privileges.": "Ši operacija veikia su administratoriaus privilegijom.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ši parinktis PADARYS trukdžių. Bet kokia operacija negalinti išsiaukštinti savęs PATIRS KLAIDĄ. Įdiegimas/(At-)Naujinimas/Išdiegimas kaip administratorius NEVEIKS!", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Šis paketų rinkinys turėjo kai kurių potencialiai pavojingų nustatymų, kurie pagal numatytuosius nustatymus gali būti ignoruojami.", "This package can be updated": "Šis paketas gali būti atnaujintas", "This package can be updated to version {0}": "Šis paketas gali būti atnaujintas į versiją – {0}", - "This package can be upgraded to version {0}": "Šis paketas gali būti aukštutiniškai atnaujintas į versiją – {0}", - "This package cannot be installed from an elevated context.": "Šis paketas negali būti įdiegtas su paaukštintom teisėm („UniGetUI“ kontekstas).", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Šis paketas neturi ekrano kopijų, iškarpų ar neturi piktogramos? Prisidėkite prie UniGetUI pridėdami trūkstamus piktogramas, ekrano kopijas ir iškarpas į mūsų atvirą, viešą duomenų bazę.", - "This package is already installed": "Šis paketas jau įdiegtas", - "This package is being processed": "Šis paketas yra apdorojamas", - "This package is not available": "Šis paketas nėra pasiekiamas", - "This package is on the queue": "Šis paketas yra eilėje", "This process is running with administrator privileges": "Šis vyksmas veikia su administratoriaus privilegijom", - "This project has no connection with the official {0} project — it's completely unofficial.": "Šis projektas neturi jokių ryšių su oficialiu „{0}“ projektu – ji/-s yra visiškai neoficiali/-us.", "This setting is disabled": "Šis nustatymas yra išjungtas/išgalintas", "This wizard will help you configure and customize WingetUI!": "Šis vedlys padės Jums susikonfigūruoti ir pritaikyti UniGetUI!", "Toggle search filters pane": "Perjungti (pa-)ieškos filtrų skydą", - "Translators": "Vertėjai", - "Try to kill the processes that refuse to close when requested to": "Bandykite nutraukti procesus, kurie atsisako užsidaryti paprašius", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Įjungus tai, galima keisti vykdomąjį failą, naudojamą bendravimui su paketų tvarkytuvais. Nors tai leidžia smulkiau pritaikyti diegimo procesus, tai taip pat gali būti pavojinga", "Type here the name and the URL of the source you want to add, separed by a space.": "Rašykite čia pavadinimą ir „URL“ – saitą šaltinio, kurį Jūs norite pridėti, atskirti tarpais.", "Unable to find package": "Nepavyko rasti paketo", "Unable to load informarion": "Nepavyko įkelti informacijos", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "„UniGetUI“ surenka anonimišką naudojimosi duomenis, siekiant patobulinti naudotojo/vartotojo patirtį.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "„UniGetUI“ surenka anonimišką naudojimosi duomenis su esmine paskirtimi, siekiant suprasti ir patobulinti naudotojo/vartotojo patirtį.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "„UniGetUI“ aptiko naują darbalaukio nuorodą, kuri gali būti ištrinta automatiškai.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "„UniGetUI“ aptiko šias darbalaukio nuorodas, kurios gali būti ištrintos automatiškai po (ateities) atnaujinimų.", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "„UniGetUI“ aptiko {0} naujus darbalaukio sparčiuosius klavišus, kuriuos galima ištrinti automatiškai.", - "UniGetUI is being updated...": "„UniGetUI“ yra naujinamas...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "„UniGetUI“ nėra susijęs su jokiais/-omis palaikomais/-omis paketų tvarkytuvais/-ėmis. „UniGetUI“ yra nepriklausomas projektas.", - "UniGetUI on the background and system tray": "„UniGetUI“ fone ir sistemos dėkle", - "UniGetUI or some of its components are missing or corrupt.": "„UniGetUI“ arba kai kurie jo komponentai yra dingę arba sugadinti.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "„UniGetUI“ reikalauja „{0}“, kad veiktu, bet ji/-s nebuvo rasta/-s Jūsų sistemoje.", - "UniGetUI startup page:": "„UniGetUI“ paleisties puslapis:", - "UniGetUI updater": "„UniGetUI“ atnaujinimo priemonė", - "UniGetUI version {0} is being downloaded.": "„UniGetUI“ versija – {0} yra atsisiunčiama/-s.", - "UniGetUI {0} is ready to be installed.": "„UniGetUI“ – {0} yra pasiruošusi/-ęs būti įdiegta/-s.", - "Uninstall": "Išdiegti", - "Uninstall Scoop (and its packages)": "Išdiegti „Scoop“ (ir jo paketus)", "Uninstall and more": "Išdiegti ir daugiau", - "Uninstall and remove data": "Išdiegti ir pašalinti duomenis", - "Uninstall as administrator": "Išdiegti kaip administratorius", "Uninstall canceled by the user!": "Išdiegimas buvo atšauktas naudotojo/vartotojo", - "Uninstall failed": "Išdiegimas buvo nesėkmingas", - "Uninstall options": "Išdiegimo parinktys", - "Uninstall package": "Išdiegti paketą", - "Uninstall package, then reinstall it": "Išdiegti paketą, tada jį perdiegti", - "Uninstall package, then update it": "Išdiegti paketą, tada jį atnaujinti", - "Uninstall previous versions when updated": "Išdiegti buvusias versijas, kai atnaujinsime", - "Uninstall selected packages": "Išdiegti pažymėtus/-ą paketus/-ą", - "Uninstall selection": "Pašalinti pažymėtus", - "Uninstall succeeded": "Išdiegimas buvo sėkmingas", "Uninstall the selected packages with administrator privileges": "Išdiegti pažymėtus/-ą paketus/-ą su administratoriaus privilegijom", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Išdiegiami paketai su kilme parašytais kaip – „{0}“ nėra pateikiami jokiuose paketų tvarkytuvuose/-ėse, todėl nėra jokios informacijos apie juos.", - "Unknown": "Nežinoma/-s", - "Unknown size": "Nežinomas dydis", - "Unset or unknown": "Nenustatyta arba nežinoma", - "Up to date": "Naudojate naujausią/paskiausią versijos leidinį", - "Update": "Atnaujinti", - "Update WingetUI automatically": "Automatiškai (at-)naujinti „UniGetUI“", - "Update all": "Atnaujinti visus", "Update and more": "Atnaujinti ir daugiau", - "Update as administrator": "Atnaujinti kaip administratorius", - "Update check frequency, automatically install updates, etc.": "Atnaujinimų tikrinimo dažnis, automatinis atnaujinimų diegimas ir kt.", - "Update checking": "Atnaujinimų tikrinimas", "Update date": "Atnaujinimo data", - "Update failed": "Atnaujinimas nepavyko", "Update found!": "Rastas atnaujinimas!", - "Update now": "(At-)Naujinti dabar", - "Update options": "Naujinimosi parinktys", "Update package indexes on launch": "Paleidus, atnaujinti paketų indeksus", "Update packages automatically": "Automatiškai atnaujinti paketus", "Update selected packages": "Atnaujinti pažymėtus/-ą paketus/-ą", "Update selected packages with administrator privileges": "Atnaujinti pažymėtus/-ą paketus/-ą su administratoriaus privilegijom", - "Update selection": "(At-)Naujinti pasirinktus/pažymėtus", - "Update succeeded": "Sėkmingai atnaujinta", - "Update to version {0}": "Atnaujinti į versiją – {0}", - "Update to {0} available": "Atnaujinimas į – {0} pasiekiamas", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Automatiškai atnaujinti „vcpkg's“ „Git-port“ failus (reikalauja, kad „Git“ būtu įdiegtas)", "Updates": "(At-)Naujinimai/-iai", "Updates available!": "Atnaujinimai pasiekiami!", - "Updates for this package are ignored": "Atnaujinimai šiam paketui yra ignoruojami", - "Updates found!": "Atnaujinimai rasti!", "Updates preferences": "Atnaujinimų parinktys", "Updating WingetUI": "Atnaujinama/-s „UniGetUI“", "Url": "„URL“ – Saitas", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Naudosi pasenusio standarto įtrauktą „WinGet“ vietoj „PowerShell CMDLets“", - "Use a custom icon and screenshot database URL": "Naudoti pasirinktinę piktogramą ir ekranų kopijų/iškarpų duomenų bazės „URL“ – saitą", "Use bundled WinGet instead of PowerShell CMDlets": "Naudoti įtraukta „WinGet“ vietoj sistemos „PowerShell CMDlets“", - "Use bundled WinGet instead of system WinGet": "Naudoti įtraukta „WinGet“ vietoj sistemos „WinGet“", - "Use installed GSudo instead of UniGetUI Elevator": "Naudoti įdiegtą „GSudo“ vietoj „UniGetUI Elevator“", "Use installed GSudo instead of the bundled one": "Naudoti įdiegtą „GSudo“ vietoj susieto su (kartu)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Naudoti senąjį „UniGetUI Elevator“ (gali padėti, jei kyla problemų su „UniGetUI Elevator“)", - "Use system Chocolatey": "Naudoti sistemos „Chocolatey“", "Use system Chocolatey (Needs a restart)": "Naudoti sistemos „Chocolatey“ (reikalauja paleidimo iš naujo)", "Use system Winget (Needs a restart)": "Naudoti sistemos „Winget“ (reikalauja paleidimo iš naujo)", "Use system Winget (System language must be set to english)": "Naudoti sistemos „Winget“ (sistemos kalba turi būti – anglų)", "Use the WinGet COM API to fetch packages": "Naudoti „WinGet COM API“, kad gautumėt paketus", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Naudoti „WinGet PowerShell“ modulį vietoj „WinGet COM API“", - "Useful links": "Naudingos nuorodos", "User": "Naudotojas/Vartotojas", - "User interface preferences": "Naudotojo/Vartotojo sąsajos nuostatos", "User | Local": "Naudotojas/Vartotojos | Vietinis", - "Username": "Naudotojo/Vartotojo vardas (t.y. Slapyvardis)", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "„UniGetUI“ naudojimas, nurodo neišreikštinį „GNU Lesser General Public License v2.1“ licencijos priėmimą", - "Using WingetUI implies the acceptation of the MIT License": "„UniGetUI“ naudojimas, nurodo neišreikštinį „MIT“ licencijos priėmimą", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "„Vcpkg root“ nebuvo aptiktas. Prašome apibrėžti – „%VCPKG_ROOT%“ aplinkos kintamąjį arba apibrėžkite jį patį per „UniGetUI“ nustatymus/-uose.", "Vcpkg was not found on your system.": "„Vcpkg“ nebuvo rastas Jūsų sistemoje.", - "Verbose": "Plačiai/Išsamiai/Daugiažodiškai", - "Version": "Versiją", - "Version to install:": "Versija, kurią įdiegti:", - "Version:": "Versija:", - "View GitHub Profile": "Peržiūrėti „GitHub“ profilį", "View WingetUI on GitHub": "Peržiūrėti „UniGetUI“, „GitHub“ svetainėje", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Peržiūrėti pirminį „UniGetUI“ kodą. Ten Jūs galite pranešti apie spragas ar pasiūlyti funkcijas, net galite tiesiogiai prisidėti prie „UniGetUI“ projekto.", - "View mode:": "Žiūrėsena:", - "View on UniGetUI": "Peržiūrėti per „UniGetUI“", - "View page on browser": "Peržiūrėti puslapį naršyklėje", - "View {0} logs": "Peržiūrėti {0} žurnalus", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Palaukite, kol įrenginys prisijungs prie interneto, prieš bandydami atlikti užduotis, kurioms reikalingas interneto ryšys.", "Waiting for other installations to finish...": "Laukiama, kol kiti įdiegimai bus baigti...", "Waiting for {0} to complete...": "Laukiama, kol {0} bus baigta...", - "Warning": "Įspėjimas", - "Warning!": "Įspėjimas!", - "We are checking for updates.": "Tikriname, ar yra (at-)naujinimų.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Mes negalėjome įkelti išsamios informacijos apie šį paketą, nes ji/-s nebuvo rasta/-s jokiuose, iš Jūsų paketų pateiktų šaltinių.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Mes negalėjome įkelti išsamios informacijos apie šį paketą, nes ji/-s nebuvo įdiegta/-s iš pasiekiamo/-s paketų tvarkytuvo/-ės.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Negalėjo {action} „{package}“. Prašome vėlesniu laiku pabandyti dar kartą. Spustelėkite ant – „{showDetails}“, norint gauti žurnalus iš įdiegiklio.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Negalėjo {action} „{package}“. Prašome vėlesniu laiku pabandyti dar kartą. Spustelėkite ant – „{showDetails}“, norint gauti žurnalus iš išdiegiklio.", "We couldn't find any package": "Negalėjome surasti jokių paketų", "Welcome to WingetUI": "Sveiki, naudojant „UniGetUI“", - "When batch installing packages from a bundle, install also packages that are already installed": "Kai paketai iš rinkinio diegiami paketu, taip pat įdiekite jau įdiegtus paketus", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kai aptinkami nauji spartieji klavišai, ištrinkite juos automatiškai, užuot rodę šį dialogą.", - "Which backup do you want to open?": "Kurią atsarginę kopiją norite atidaryti?", "Which package managers do you want to use?": "Kurį/-ią paketų tvarkytuvą/-ę norite naudoti?", "Which source do you want to add?": "Kokį šaltinį norite pridėti?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Kol „WinGet“ gali būti naudojamas „UniGetUI“ programoje; pats „UniGetUI“ tai pat, gali būti naudojamas su kitais/-omis paketų tvarkytuvais/-ėmis. Tai gali sukelti neaiškumų, nes seniau, jis tik tam ir buvo skirtas, tačiau šis nebegalioja. Todėl „WingetUI“ nebeatspindi projekto funkcijų ir tikslų. Dėl šios priežasties jis tapo „UniGetUI“.", - "WinGet could not be repaired": "Nebuvo galima sutaisyti „WinGet“", - "WinGet malfunction detected": "Aptikta/-s „WinGet“ triktis/sutrikimas", - "WinGet was repaired successfully": "„WinGet“ buvo sėkmingai sutaisytas", "WingetUI": "„UniGetUI“", "WingetUI - Everything is up to date": "„UniGetUI“ – Viskas atnaujinta", "WingetUI - {0} updates are available": "„UniGetUI“ – Pasiekiama/-s/-i {0} {0, plural, one {(at-)naujinimas/naujinys} few {(at-)naujinimai/naujiniai} other {(at-)naujinimų/naujinių}", "WingetUI - {0} {1}": "„UniGetUI“ – {0} {1}", - "WingetUI Homepage": "Pagrindinis „UniGetUI“ tinklalapio puslapis", "WingetUI Homepage - Share this link!": "Pagrindinis „UniGetUI“ tinklalapio puslapis – Bendrinkite ir pasidalinkite šia nuoroda!", - "WingetUI License": "„UniGetUI“ licencija", - "WingetUI Log": "„UniGetUI“ žurnalas", - "WingetUI Repository": "„UniGetUI“ saugykla", - "WingetUI Settings": "„UniGetUI“ nustatymai", "WingetUI Settings File": "„UniGetUI“ nustatymų failas", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "„UniGetUI“ naudoja šias bibliotekas. Be jų, „UniGetUI“ nebūtų galimas.", - "WingetUI Version {0}": "„UniGetUI“ versija – {0}", "WingetUI autostart behaviour, application launch settings": "„UniGetUI“ automatinio paleidimo elgsena, programos paleidimo nustatymai", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI gali patikrinti, ar Jūsų taikomosios programos turi pasiekiamus atnaujinimus ir įdiegia juos automatiškai, jeigu Jūs to pageidaujate", - "WingetUI display language:": "„UniGetUI“ programos atvaizdavimo kalba:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI buvo vykdytas kaip administratorius, o tai nėra rekomenduojama. Kai vykdote UniGetUI kaip administratorių, KIEKVIENA jos vykdoma operacija turės šias privilegijas. Jūs galite naudotis programa laisvai, bet mes stipriai rekomenduojame dėl saugumo to nedaryti.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "„UniGetUI“ buvo išverstas į daugiau, nei 40 kalbų, savanorių vertėjų dėka. Ačiū/Dėkui/Diekoju Jums! \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "„UniGetUI“ nėra išverstas pagalbinėm/paslaugų (t.y. robotų) priemonėm! Šie asmenys yra atsakingi už vertimus:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "„UniGetUI“ yra programa, kuri padeda tvarkyti/valdyti taikomąsias programas paprasčiau, pateikdama paprastą „viskas viename“ grafinę sąsają, skirtą komandines eilutes vykdantiems paketų tvarkytuvams/-ėms.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "„UniGetUI“ yra pervadinamas siekiant išryškinti skirtumą tarp „UniGetUI“ (kaip sąsajos) ir „Winget“ (kaip paketų tvarkytuvo/-ės, kuri(-s) priklauso „Microsoft“, o aš su ja/juo nesusijęs)", "WingetUI is being updated. When finished, WingetUI will restart itself": "„UniGetUI“ yra atnaujinama/-s. Pasibaigus šiam vyksmui, „UniGetUI“ pasileis iš naujo pats.", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "„UniGetUI“ yra nemokamas ir visada tokiu bus. Jokių reklamų/skelbimų, jokių mokėjimų, jokių „premium“ versijų. 100% proc. nemokamas. Visada.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "„UniGetUI“ rodys vartotojo/naudotojo paskyros valdymo („UAC“) langą kiekvieną kartą, kada paketas reikalaus išaukštinimo, kad būtų įdiegtas.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "„WingetUI“ neužilgo bus pavadintas – „{newname}“.\nŠis neatspindės jokių pakeitimų programoje. Aš (kūrėjas) toliau tęsiu šio projekto kūrimą, tik kitokiu pavadinimu.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "„UniGetUI“ nebūtų galima sukurti be visų prisidėjusių pagalbos. Peržiūrėkite jų „GitHub“ profilius. „UniGetUI“ be jų būtų negalimas!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI nebūtų galima sukurti be visų prisidėjusių pagalbos. Ačiū Jums visiems! \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "„UniGetUI {0}“ paruoštas diegimui.", - "Write here the process names here, separated by commas (,)": "Čia įrašykite procesų pavadinimus, atskirtus kableliais (,)", - "Yes": "Taip", - "You are logged in as {0} (@{1})": "Esate prisijungę kaip {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Jūs galite pakeisti šią elgseną „UniGetUI“ saugumo nustatymuose.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Jūs galite apibrėžti komandas, kurios bus vykdomos prieš ar po šio paketo įdiegimą, (at-)naujinimą ar išdiegimą. Jie bus vykdomi komandines eilutės principu, tai „CMD“ skriptai yra priimtini.", - "You have currently version {0} installed": "Jūsų dabartinė įdiegta versija – {0}", - "You have installed WingetUI Version {0}": "Jūs esate įdiegę „UniGetUI“ versiją – {0}", - "You may lose unsaved data": "Jūs galimai prarasite visus neišsaugotus duomenis", - "You may need to install {pm} in order to use it with WingetUI.": "Kad galėtumėte naudoti „UniGetUI“, jums gali tekti į(-si)diegti – „{pm}“.", "You may restart your computer later if you wish": "Jūs galėsite paleisti kompiuterį iš naujo vėlesniu laiku, jeigu to pageidaujate", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Jums bus pateikta tik kartą; ir administratoriaus teisės bus suteiktos paketams, kurie jų prašo.", "You will be prompted only once, and every future installation will be elevated automatically.": "Jums bus pateikta tik kartą; ir toliau einantys įdiegimai bus išaukštinti automatiškai.", - "You will likely need to interact with the installer.": "Jums greičiausiai reikės sąveikauti su įdiegikliu.", - "[RAN AS ADMINISTRATOR]": "VYKDĖ KAIP ADMINISTRATORIUS", "buy me a coffee": "nupirkite man kavos", - "extracted": "išskleista/-s", - "feature": "funkcija", "formerly WingetUI": "seniau žinomas kaip „WingetUI“", "homepage": "pagrindinis tinklalapio puslapis", "install": "įdiegti", "installation": "įdiegimas", - "installed": "įdiegta/-s", - "installing": "(į-)diegiama/-s", - "library": "biblioteka", - "mandatory": "privaloma/-s", - "option": "parinktis", - "optional": "pasirinktina/-s", "uninstall": "išdiegti", "uninstallation": "išdiegimas", "uninstalled": "išdiegta/-s", - "uninstalling": "išdiegiama/-s", "update(noun)": "atnaujinimas/naujinys", "update(verb)": "(at-)naujinti", "updated": "atnaujinta", - "updating": "atnaujinama", - "version {0}": "versija – {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "„{0}“ (į-)diegimo parinktys šiuo metu yra užrakintos, nes „{0}“ seka pagal numatytąsias (į-)diegimo parinktis.", "{0} Uninstallation": "„{0}“ išdiegimas", "{0} aborted": "„{0}“ buvo nutrauktas", "{0} can be updated": "„{0}“ gali būti atnaujinta/-s", - "{0} can be updated to version {1}": "„{0}“ gali būti atnaujintas į – {1}", - "{0} days": "{0} {0, plural, one {diena} few {dienas/-os/-om} other {dienų}}", - "{0} desktop shortcuts created": "Sukurta {0} darbalaukio sparčiųjų klavišų", "{0} failed": "{0} nepavyko", - "{0} has been installed successfully.": "„{0}“ buvo sėkmingai įdiegtas.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "„{0}“ buvo sėkmingai įdiegtas. Yra rekomenduojama, kad perleistumėte „UniGetUI“, kad užbaigtų įdiegimą", "{0} has failed, that was a requirement for {1} to be run": "{0} nepavyko, o tai buvo būtina, kad būtų paleista {1}", - "{0} homepage": "Pagrindinis tinklalapio puslapis – {0}", - "{0} hours": "{0} {0, plural, one {valanda} few {valandas/-os/-om} other {valandų}}", "{0} installation": "„{0}“ įdiegimas", - "{0} installation options": "„{0}“ įdiegimo parinktys", - "{0} installer is being downloaded": "Atsisiunčiamas „{0}“ diegiklis", - "{0} is being installed": "„{0}“ yra įdiegama/-s", - "{0} is being uninstalled": "„{0}“ yra išdiegama/-s", "{0} is being updated": "„{0}“ yra atnaujinama/-s", - "{0} is being updated to version {1}": "„{0}“ yra atnaujinama/-s į versiją – „{1}“", - "{0} is disabled": "„{0}“ – yra išjungta/išgalinta (-s)", - "{0} minutes": "{0} {0, plural, one {minutė} few {minutės/-ėm} other {minučių}}", "{0} months": "{0} mėn.", - "{0} packages are being updated": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} yra atnaujinamas/naujinamas (-inami/-ama)", - "{0} packages can be updated": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} gali būti atnaujinti", "{0} packages found": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} rastas/-i/-ų", "{0} packages were found": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} buvo rastas/-i/-ų", - "{0} packages were found, {1} of which match the specified filters.": "{0} {0, plural, one {paketas} few {paketai} other {paketų}} buvo rastas/-i/-ų iš kurių {1} sutampa su esamais/pritaikytais filtrais.", - "{0} selected": "Pasirinkta {0}", - "{0} settings": "„{0}“ nustatymai", - "{0} status": "{0} būsena", "{0} succeeded": "„{0}“ buvo sėkmingas", "{0} update": "Atnaujinti „{0}“", - "{0} updates are available": "Pasiekiama/-s/-i {0} {0, plural, one {(at-)naujinimas/naujinys} few {(at-)naujinimai/naujiniai} other {(at-)naujinimų/naujinių}", "{0} was {1} successfully!": "„{0}“ buvo „{1}“ sėkmingai!", "{0} weeks": "{0} sav.", "{0} years": "{0} m.", "{0} {1} failed": "{0} {1} nepavyko", - "{package} Installation": "„{package}“ įdiegimas", - "{package} Uninstall": "Išdiegti „{package}“", - "{package} Update": "Atnaujinti „{package}“", - "{package} could not be installed": "Nepavyko įdiegti „{package}“", - "{package} could not be uninstalled": "Nepavyko išdiegti „{package}“", - "{package} could not be updated": "Nepavyko atnaujinti „{package}“", "{package} installation failed": "„{package}“ įdiegimas nepavyko", - "{package} installer could not be downloaded": "„{package}“ diegiklio nepavyko atsisiųsti", - "{package} installer download": "„{package}“ diegiklio atsisiuntimas", - "{package} installer was downloaded successfully": "„{package}“ įdiegiklis buvo sėkmingai atsisiųstas", "{package} uninstall failed": "„{package}“ išdiegimas nepavyko", "{package} update failed": "„{package}“ atnaujinimas nepavyko", "{package} update failed. Click here for more details.": "„{package}“ atnaujinimas nepavyko. Paspauskite čia, norint sužinoti daugiau.", - "{package} was installed successfully": "„{package}“ buvo sėkmingai įdiegta/-s", - "{package} was uninstalled successfully": "„{package}“ buvo sėkmingai išdiegta/-s", - "{package} was updated successfully": "„{package}“ buvo sėkmingai atnaujinta/-s", - "{pcName} installed packages": "Įdiegti paketai – {pcName}", "{pm} could not be found": "Nepavyko rasti „{pm}“", "{pm} found: {state}": "„{pm}“ rasta/-s: „{state}“", - "{pm} is disabled": "„{pm}“ išjungta/išgalinta (-s)", - "{pm} is enabled and ready to go": "„{pm}“ yra įjungta/įgalinta (-s) ir pasiruošusi/-ęs", "{pm} package manager specific preferences": "„{pm}“ paketų tvarkytuvei/-ui specifinės parinktys", "{pm} preferences": "„{pm}“ parinktys", - "{pm} version:": "„{pm}“ versija:", - "{pm} was not found!": "„{pm}“ nebuvo rasta/-s!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Sveiki, mano vardas yra Martí, ir aš esu „UniGetUI“ kūrėjas. „UniGetUI“ sukūriau savo laisvalaikio metu!", + "Thank you ❤": "Ačiū ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Šis projektas neturi jokių ryšių su oficialiu „{0}“ projektu – ji/-s yra visiškai neoficiali/-us." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mk.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mk.json index 66c56a9a0f..a18ac7f832 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mk.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mk.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Операција во тек", + "Please wait...": "Ве молиме почекајте...", + "Success!": "Успех!", + "Failed": "Не успеа", + "An error occurred while processing this package": "Настана грешка при обработката на овој пакет", + "Log in to enable cloud backup": "Најавете се за да овозможите резервна копија во облак", + "Backup Failed": "Резервната копија не успеа", + "Downloading backup...": "Се презема резервната копија...", + "An update was found!": "Пронајдено е ажурирање!", + "{0} can be updated to version {1}": "{0} може да се ажурира на верзија {1}", + "Updates found!": "Најдени се ажурирањата!", + "{0} packages can be updated": "{0} пакети може да се ажурираат", + "You have currently version {0} installed": "Моментално ја имате инсталирано верзијата {0}", + "Desktop shortcut created": "Создадена е кратенка на работната површина", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI откри нова кратенка на работната површина што може автоматски да се избрише.", + "{0} desktop shortcuts created": "Создадени се {0} кратенки на работната површина", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI откри {0} нови кратенки на работната површина што можат автоматски да се избришат.", + "Are you sure?": "Дали сте сигурни?", + "Do you really want to uninstall {0}?": "Дали навистина сакате да деинсталирате {0}?", + "Do you really want to uninstall the following {0} packages?": "Дали навистина сакате да ги деинсталирате следниве {0} пакети?", + "No": "Не", + "Yes": "Да", + "View on UniGetUI": "Прикажи во UniGetUI", + "Update": "Ажурирај", + "Open UniGetUI": "Отвори UniGetUI", + "Update all": "Ажурирај сè", + "Update now": "Ажурирај сега", + "This package is on the queue": "Овој пакет е во редицата", + "installing": "инсталирање", + "updating": "ажурирање", + "uninstalling": "деинсталирање", + "installed": "инсталирано", + "Retry": "Обидете се повторно", + "Install": "инсталирај", + "Uninstall": "деинсталирај", + "Open": "Отвори", + "Operation profile:": "Профил на операцијата:", + "Follow the default options when installing, upgrading or uninstalling this package": "Следи ги стандардните опции при инсталација, надградба или деинсталација на овој пакет", + "The following settings will be applied each time this package is installed, updated or removed.": "Следниве поставки ќе се применуваат секојпат кога овој пакет ќе се инсталира, ажурира или отстрани.", + "Version to install:": "Верзија за инсталирање:", + "Architecture to install:": "Архитектура за инсталирање:", + "Installation scope:": "Опсег на инсталација:", + "Install location:": "Локација на инсталација:", + "Select": "Избери", + "Reset": "Ресетирај", + "Custom install arguments:": "Сопствени аргументи за инсталација:", + "Custom update arguments:": "Сопствени аргументи за ажурирање:", + "Custom uninstall arguments:": "Сопствени аргументи за деинсталација:", + "Pre-install command:": "Команда пред инсталација:", + "Post-install command:": "Команда по инсталација:", + "Abort install if pre-install command fails": "Прекини ја инсталацијата ако командата пред инсталација не успее", + "Pre-update command:": "Команда пред ажурирање:", + "Post-update command:": "Команда по ажурирање:", + "Abort update if pre-update command fails": "Прекини го ажурирањето ако командата пред ажурирање не успее", + "Pre-uninstall command:": "Команда пред деинсталација:", + "Post-uninstall command:": "Команда по деинсталација:", + "Abort uninstall if pre-uninstall command fails": "Прекини ја деинсталацијата ако командата пред деинсталација не успее", + "Command-line to run:": "Команда за извршување:", + "Save and close": "Зачувај и затвори", + "Run as admin": "Стартувај како администратор", + "Interactive installation": "Интерактивна инсталација", + "Skip hash check": "Прескокни ја проверката на хашот", + "Uninstall previous versions when updated": "Деинсталирај ги претходните верзии при ажурирање", + "Skip minor updates for this package": "Прескокни помали ажурирања за овој пакет", + "Automatically update this package": "Автоматски ажурирај го овој пакет", + "{0} installation options": "Опции за инсталација за {0}", + "Latest": "Најнова", + "PreRelease": "Предиздание", + "Default": "Стандардно", + "Manage ignored updates": "Управувајте со игнорираните ажурирања", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакетите наведени овде нема да се земат во предвид при проверка за ажурирања. Кликнете двапати на нив или кликнете на копчето на нивната десна страна за да престанете да ги игнорирате нивните ажурирања.", + "Reset list": "Ресетирај список", + "Package Name": "Име на пакетот", + "Package ID": "ИД на пакетот", + "Ignored version": "Игнорирана верзија", + "New version": "Нова верзија", + "Source": "Извор", + "All versions": "Сите верзии", + "Unknown": "Непознато", + "Up to date": "Ажурирано", + "Cancel": "Откажи", + "Administrator privileges": "Администраторски привилегии", + "This operation is running with administrator privileges.": "Оваа операција се извршува со администраторски привилегии.", + "Interactive operation": "Интерактивна операција", + "This operation is running interactively.": "Оваа операција се извршува интерактивно.", + "You will likely need to interact with the installer.": "Веројатно ќе треба да комуницирате со инсталаторот.", + "Integrity checks skipped": "Проверките на интегритет се прескокнати", + "Proceed at your own risk.": "Продолжете на сопствен ризик.", + "Close": "Затвори", + "Loading...": "Се вчитува...", + "Installer SHA256": "SHA256 инсталатер", + "Homepage": "страна", + "Author": "Автор", + "Publisher": "Издавач", + "License": "Лиценца", + "Manifest": "Манифест", + "Installer Type": "Тип на инсталатер", + "Size": "Големина", + "Installer URL": "URL инсталатер", + "Last updated:": "Последно ажурирање:", + "Release notes URL": "URL на белешките за изданието", + "Package details": "Детали за пакетот", + "Dependencies:": "Зависности:", + "Release notes": "Белешки за изданието", + "Version": "Верзија", + "Install as administrator": "Инсталирај како администратор", + "Update to version {0}": "Ажурирај на верзија {0}", + "Installed Version": "Инсталирана верзија", + "Update as administrator": "Ажурирај како администратор", + "Interactive update": "Интерактивно ажурирање", + "Uninstall as administrator": "Деинсталирај како администратор", + "Interactive uninstall": "Интерактивна деинсталација", + "Uninstall and remove data": "Деинсталирај и отстрани податоци", + "Not available": "Не е достапно", + "Installer SHA512": "SHA512 инсталатер", + "Unknown size": "Непозната големина", + "No dependencies specified": "Нема наведени зависности", + "mandatory": "задолжително", + "optional": "опционално", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} е подготвен за инсталација.", + "The update process will start after closing UniGetUI": "Процесот на ажурирање ќе започне по затворањето на UniGetUI", + "Share anonymous usage data": "Сподели анонимни податоци за користење", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI собира анонимни податоци за користење за да го подобри корисничкото искуство.", + "Accept": "Прифати", + "You have installed WingetUI Version {0}": "Ја имате инсталирано UniGetUI верзија {0}", + "Disclaimer": "Одрекување од одговорност", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не е поврзан со ниту еден од компатибилните менаџери на пакети. UniGetUI е независен проект.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI не би бил можен без помошта на придонесувачите. Ви благодарам на сите 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ги користи следниве библиотеки. Без нив, UniGetUI немаше да биде можен.", + "{0} homepage": "Почетна страница на {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI е преведен на повеќе од 40 јазици благодарение на волонтерите преведувачи. Ви благодариме 🤝", + "Verbose": "Детално", + "1 - Errors": "1 - Грешки", + "2 - Warnings": "2 - Предупредувања", + "3 - Information (less)": "3 - Информации (помалку)", + "4 - Information (more)": "4 - Информации (повеќе)", + "5 - information (debug)": "5 - Информации (дебаг)", + "Warning": "Предупредување", + "The following settings may pose a security risk, hence they are disabled by default.": "Следниве поставки можат да претставуваат безбедносен ризик, па затоа се стандардно оневозможени.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Овозможете ги поставките подолу ако и само ако целосно разбирате што прават и какви последици можат да имаат.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Поставките во своите описи ќе ги наведат потенцијалните безбедносни проблеми што можат да ги имаат.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервната копија ќе ја вклучи целосната листа на инсталирани пакети и нивните опции за инсталација. Ќе се зачуваат и игнорираните ажурирања и прескокнатите верзии.", + "The backup will NOT include any binary file nor any program's saved data.": "Резервната копија НЕМА да вклучува никаква бинарна датотека ниту зачувани податоци од било која програма.", + "The size of the backup is estimated to be less than 1MB.": "Големината на резервната копија се проценува дека е помала од 1MB.", + "The backup will be performed after login.": "Резервната копија ќе биде креирана по најавување.", + "{pcName} installed packages": "Инсталирани пакети на {pcName}", + "Current status: Not logged in": "Тековен статус: не сте најавени", + "You are logged in as {0} (@{1})": "Најавени сте како {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Одлично! Резервните копии ќе се прикачуваат во приватен gist на вашата сметка", + "Select backup": "Избери резервна копија", + "WingetUI Settings": "Поставки за WingetUI", + "Allow pre-release versions": "Дозволи предиздавачки верзии", + "Apply": "Примени", + "Go to UniGetUI security settings": "Оди во безбедносните поставки на UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следниве опции ќе се применуваат стандардно секогаш кога пакет {0} ќе се инсталира, надгради или деинсталира.", + "Package's default": "Стандардно за пакетот", + "Install location can't be changed for {0} packages": "Локацијата за инсталација не може да се смени за пакетите {0}", + "The local icon cache currently takes {0} MB": "Локалниот кеш на икони моментално зафаќа {0} MB", + "Username": "Корисничко име", + "Password": "Лозинка", + "Credentials": "Акредитиви", + "Partially": "Делумно", + "Package manager": "Менаџер на пакети", + "Compatible with proxy": "Компатибилно со прокси", + "Compatible with authentication": "Компатибилно со автентикација", + "Proxy compatibility table": "Табела за компатибилност со прокси", + "{0} settings": "Поставки за {0}", + "{0} status": "Статус на {0}", + "Default installation options for {0} packages": "Стандардни опции за инсталација за пакетите {0}", + "Expand version": "Прошири ја верзијата", + "The executable file for {0} was not found": "Извршната датотека за {0} не беше пронајдена", + "{pm} is disabled": "{pm} е оневозможен", + "Enable it to install packages from {pm}.": "Овозможи го за да инсталира пакети од {pm}.", + "{pm} is enabled and ready to go": "{pm} е овозможен и подготвен за работа", + "{pm} version:": "Верзија на {pm}:", + "{pm} was not found!": "{pm} не беше пронајден!", + "You may need to install {pm} in order to use it with WingetUI.": "Можеби ќе треба да го инсталирате {pm} за да го користите со UniGetUI.", + "Scoop Installer - WingetUI": "Scoop инсталатор - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop деинсталатор - UniGetUI", + "Clearing Scoop cache - WingetUI": "Се чисти кешот на Scoop - UniGetUI", + "Restart UniGetUI": "Рестартирај го UniGetUI", + "Manage {0} sources": "Управувајте со {0} извори", + "Add source": "Додај извор", + "Add": "Додај", + "Other": "Друго", + "1 day": "1 ден", + "{0} days": "{0} дена", + "{0} minutes": "{0} минути", + "1 hour": "1 час", + "{0} hours": "{0} часа", + "1 week": "1 недела", + "WingetUI Version {0}": "UniGetUI верзија {0}", + "Search for packages": "Пребарај пакети", + "Local": "Локално", + "OK": "Во ред", + "{0} packages were found, {1} of which match the specified filters.": "Пронајдени се {0} пакети, од кои {1} одговараат на наведените филтри.", + "{0} selected": "Избрани се {0}", + "(Last checked: {0})": "(Последна проверка: {0})", + "Enabled": "Овозможено", + "Disabled": "Оневозможено", + "More info": "Повеќе информации", + "Log in with GitHub to enable cloud package backup.": "Најавете се со GitHub за да овозможите резервна копија на пакети во облак.", + "More details": "Повеќе детали", + "Log in": "Најави се", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ако имате овозможена резервна копија во облак, таа ќе биде зачувана како GitHub Gist на оваа сметка", + "Log out": "Одјави се", + "About": "За", + "Third-party licenses": "Лиценци од трети страни", + "Contributors": "Придонесувачи", + "Translators": "Преведувачи", + "Manage shortcuts": "Управувај со кратенки", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ги откри следниве кратенки на работната површина што можат автоматски да се отстрануваат при идни надградби", + "Do you really want to reset this list? This action cannot be reverted.": "Дали навистина сакате да го ресетирате овој список? Ова дејство не може да се врати.", + "Remove from list": "Отстрани од списокот", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Кога ќе се откријат нови кратенки, избриши ги автоматски наместо да го прикажуваш овој дијалог.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI собира анонимни податоци за користење со единствена цел да го разбере и подобри корисничкото искуство.", + "More details about the shared data and how it will be processed": "Повеќе детали за споделените податоци и како ќе бидат обработени", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Дали прифаќате UniGetUI да собира и испраќа анонимна статистика за користење, со единствена цел да го разбере и подобри корисничкото искуство?", + "Decline": "Одбиј", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Не се собираат ниту се испраќаат лични информации, а собраните податоци се анонимизирани, па не можат да се поврзат назад со вас.", + "About WingetUI": "За WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI е апликација што го олеснува управувањето со вашиот софтвер, обезбедувајќи сеопфатен графички интерфејс за вашите менаџери на пакети од командна линија.", + "Useful links": "Корисни врски", + "Report an issue or submit a feature request": "Пријави проблем или испрати барање за функција", + "View GitHub Profile": "Погледни го GitHub профилот", + "WingetUI License": "Лиценца на UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Користењето на UniGetUI подразбира прифаќање на MIT лиценцата", + "Become a translator": "Станете преведувач", + "View page on browser": "Прикажи ја страницата во прелистувач", + "Copy to clipboard": "Копирај во таблата со исечоци", + "Export to a file": "Експортирај во датотека", + "Log level:": "Ниво на дневник:", + "Reload log": "Повторно вчитајте го дневникот", + "Text": "Текст", + "Change how operations request administrator rights": "Промени како операциите бараат администраторски права", + "Restrictions on package operations": "Ограничувања на операциите со пакети", + "Restrictions on package managers": "Ограничувања на менаџерите на пакети", + "Restrictions when importing package bundles": "Ограничувања при увоз на збирки на пакети", + "Ask for administrator privileges once for each batch of operations": "Побарај администраторски привилегии еднаш за секоја група операции", + "Ask only once for administrator privileges": "Побарај администраторски привилегии само еднаш", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забрани каков било вид на подигнување преку UniGetUI Elevator или GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Оваа опција ЌЕ предизвика проблеми. Секоја операција што не може самата да се подигне ЌЕ НЕ УСПЕЕ. Инсталирање/ажурирање/деинсталирање како администратор НЕМА ДА РАБОТИ.", + "Allow custom command-line arguments": "Дозволи сопствени аргументи на командната линија", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Сопствените аргументи на командната линија можат да го променат начинот на кој програмите се инсталираат, надградуваат или деинсталираат, на начин што UniGetUI не може да го контролира. Користењето сопствени командни линии може да ги расипе пакетите. Продолжете внимателно.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Игнорирај ги сопствените команди пред и по инсталација при увоз на пакети од збирка", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Командите пред и по инсталација ќе се извршуваат пред и по инсталирање, надградба или деинсталирање на пакет. Имајте предвид дека можат да предизвикаат проблеми ако не се користат внимателно", + "Allow changing the paths for package manager executables": "Дозволи промена на патеките за извршните датотеки на менаџерите на пакети", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Овозможувањето на оваа опција дозволува промена на извршната датотека што се користи за работа со менаџерите на пакети. Иако ова овозможува пофино приспособување на процесите на инсталација, може да биде и опасно", + "Allow importing custom command-line arguments when importing packages from a bundle": "Дозволи увоз на сопствени аргументи на командната линија при увоз на пакети од збирка", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправилно оформените аргументи на командната линија можат да ги расипат пакетите, па дури и да му дозволат на злонамерен актер да добие привилегирано извршување. Затоа, увозот на сопствени аргументи на командната линија е стандардно оневозможен.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дозволи увоз на сопствени команди пред и по инсталација при увоз на пакети од збирка", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Командите пред и по инсталација можат да направат многу лоши работи на вашиот уред, ако се така дизајнирани. Може да биде многу опасно да увезувате команди од збирка, освен ако му верувате на изворот на таа збирка на пакети", + "Administrator rights and other dangerous settings": "Администраторски права и други опасни поставки", + "Package backup": "Резервна копија на пакети", + "Cloud package backup": "Резервна копија на пакети во облак", + "Local package backup": "Локална резервна копија на пакети", + "Local backup advanced options": "Напредни опции за локална резервна копија", + "Log in with GitHub": "Најави се со GitHub", + "Log out from GitHub": "Одјави се од GitHub", + "Periodically perform a cloud backup of the installed packages": "Периодично прави резервна копија во облак на инсталираните пакети", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Резервната копија во облак користи приватен GitHub Gist за чување список на инсталирани пакети", + "Perform a cloud backup now": "Направи резервна копија во облак сега", + "Backup": "Резервна копија", + "Restore a backup from the cloud": "Врати резервна копија од облакот", + "Begin the process to select a cloud backup and review which packages to restore": "Започни го процесот на избор на резервна копија од облакот и преглед на пакетите за враќање", + "Periodically perform a local backup of the installed packages": "Периодично прави локална резервна копија на инсталираните пакети", + "Perform a local backup now": "Направи локална резервна копија сега", + "Change backup output directory": "Променете ја папката за резервни копии", + "Set a custom backup file name": "Постави сопствено име на резервната датотека", + "Leave empty for default": "Оставете празно за стандардно", + "Add a timestamp to the backup file names": "Додај временска ознака во имињата на резервните датотеки", + "Backup and Restore": "Резервна копија и враќање", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Овозможи background API (UniGetUI виџети и споделување, порта 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Почекајте уредот да се поврзе на интернет пред да се обидете да извршите задачи што бараат интернет конекција.", + "Disable the 1-minute timeout for package-related operations": "Оневозможи го 1-минутното временско ограничување за операциите поврзани со пакети", + "Use installed GSudo instead of UniGetUI Elevator": "Користи инсталиран GSudo наместо UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Користи сопствен URL за базата на икони и слики од екранот", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Овозможи оптимизации за користење на CPU во заднина (види Pull Request #3278)", + "Perform integrity checks at startup": "Изврши проверки на интегритет при стартување", + "When batch installing packages from a bundle, install also packages that are already installed": "При масовна инсталација на пакети од збирка, инсталирај ги и пакетите што се веќе инсталирани", + "Experimental settings and developer options": "Експериментални поставки и опции за програмери", + "Show UniGetUI's version and build number on the titlebar.": "Прикажи ги верзијата и бројот на издание на UniGetUI во насловната лента.", + "Language": "Јазик", + "UniGetUI updater": "Ажурирач на UniGetUI", + "Telemetry": "Телеметрија", + "Manage UniGetUI settings": "Управувај со поставките на UniGetUI", + "Related settings": "Поврзани поставки", + "Update WingetUI automatically": "Ажурирај го WingetUI автоматски", + "Check for updates": "Провери за ажурирања", + "Install prerelease versions of UniGetUI": "Инсталирај предиздавачки верзии на UniGetUI", + "Manage telemetry settings": "Управувај со поставките за телеметрија", + "Manage": "Управувај", + "Import settings from a local file": "Импортирајте подесувања од локална датотека", + "Import": "Импортирање", + "Export settings to a local file": "Експортирај ги поставките во локална датотека", + "Export": "Експортирај", + "Reset WingetUI": "Ресетирај го WingetUI", + "Reset UniGetUI": "Ресетирај го UniGetUI", + "User interface preferences": "Поставки за корисничкиот интерфејс", + "Application theme, startup page, package icons, clear successful installs automatically": "Тема на апликацијата, почетна страница, икони на пакети, автоматско чистење на успешните инсталации", + "General preferences": "Општи поставки", + "WingetUI display language:": "Јазик на приказ на WingetUI:", + "Is your language missing or incomplete?": "Дали вашиот јазик недостасува или е нецелосен?", + "Appearance": "Изглед", + "UniGetUI on the background and system tray": "UniGetUI во заднина и системската фиока", + "Package lists": "Списоци на пакети", + "Close UniGetUI to the system tray": "Затвори го UniGetUI во системската фиока", + "Show package icons on package lists": "Прикажувај икони на пакетите во списоците со пакети", + "Clear cache": "Исчисти кеш", + "Select upgradable packages by default": "Стандардно избирај пакети што можат да се ажурираат", + "Light": "Светла", + "Dark": "Темна", + "Follow system color scheme": "Следете ја системската шема на бои", + "Application theme:": "Тема на апликацијата:", + "Discover Packages": "Откриј пакети", + "Software Updates": "Софтверски ажурирања", + "Installed Packages": "Инсталирани пакети", + "Package Bundles": "Збирки на пакети", + "Settings": "Поставки", + "UniGetUI startup page:": "Почетна страница на UniGetUI:", + "Proxy settings": "Поставки за прокси", + "Other settings": "Други поставки", + "Connect the internet using a custom proxy": "Поврзи се на интернет преку сопствен прокси", + "Please note that not all package managers may fully support this feature": "Имајте предвид дека не сите менаџери на пакети можеби целосно ја поддржуваат оваа функција", + "Proxy URL": "URL на прокси", + "Enter proxy URL here": "Внесете URL на проксито тука", + "Package manager preferences": "Поставки на менаџерот на пакети", + "Ready": "Подготвено", + "Not found": "Не е пронајдено", + "Notification preferences": "Поставки за известувања", + "Notification types": "Типови известувања", + "The system tray icon must be enabled in order for notifications to work": "Иконата во системската фиока мора да биде овозможена за известувањата да работат", + "Enable WingetUI notifications": "Овозможи известувања од WingetUI", + "Show a notification when there are available updates": "Прикажи известување кога има достапни ажурирања", + "Show a silent notification when an operation is running": "Прикажи тивко известување додека трае операција", + "Show a notification when an operation fails": "Прикажи известување кога операција ќе не успее", + "Show a notification when an operation finishes successfully": "Прикажи известување кога операција ќе заврши успешно", + "Concurrency and execution": "Паралелност и извршување", + "Automatic desktop shortcut remover": "Автоматско отстранување на кратенки од работната површина", + "Clear successful operations from the operation list after a 5 second delay": "Исчисти ги успешните операции од списокот на операции по одложување од 5 секунди", + "Download operations are not affected by this setting": "Операциите за преземање не се засегнати од оваа поставка", + "Try to kill the processes that refuse to close when requested to": "Обиди се да ги прекинеш процесите што одбиваат да се затворат кога ќе им биде побарано", + "You may lose unsaved data": "Може да изгубите незачувани податоци", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Прашај за бришење на кратенките на работната површина создадени при инсталација или надградба.", + "Package update preferences": "Поставки за ажурирање на пакети", + "Update check frequency, automatically install updates, etc.": "Фреквенција на проверка за ажурирања, автоматска инсталација на ажурирања итн.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Намали ги UAC барањата, стандардно подигнувај инсталации, отклучи одредени опасни функции итн.", + "Package operation preferences": "Поставки за операции со пакети", + "Enable {pm}": "Овозможи {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Не ја наоѓате датотеката што ја барате? Проверете дали е додадена во path.", + "For security reasons, changing the executable file is disabled by default": "Поради безбедносни причини, менувањето на извршната датотека е стандардно оневозможено", + "Change this": "Промени го ова", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Изберете ја извршната датотека што ќе се користи. Следниот список ги прикажува извршните датотеки пронајдени од UniGetUI", + "Current executable file:": "Тековна извршна датотека:", + "Ignore packages from {pm} when showing a notification about updates": "Игнорирај ги пакетите од {pm} при прикажување известување за ажурирања", + "View {0} logs": "Погледни ги дневниците за {0}", + "Advanced options": "Напредни опции", + "Reset WinGet": "Ресетирај го WinGet", + "This may help if no packages are listed": "Ова може да помогне ако не се прикажуваат пакети", + "Force install location parameter when updating packages with custom locations": "Присили параметар за локација на инсталација при ажурирање пакети со сопствени локации", + "Use bundled WinGet instead of system WinGet": "Користи го вградениот WinGet наместо системскиот WinGet", + "This may help if WinGet packages are not shown": "Ова може да помогне ако пакетите на WinGet не се прикажуваат", + "Install Scoop": "Инсталирај Scoop", + "Uninstall Scoop (and its packages)": "Деинсталирај го Scoop (и неговите пакети)", + "Run cleanup and clear cache": "Изврши чистење и избриши кеш", + "Run": "Изврши", + "Enable Scoop cleanup on launch": "Овозможи чистење на Scoop при стартување", + "Use system Chocolatey": "Користи системски Chocolatey", + "Default vcpkg triplet": "Стандарден vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Јазик, тема и останати поставки", + "Show notifications on different events": "Прикажувај известувања при различни настани", + "Change how UniGetUI checks and installs available updates for your packages": "Промени како UniGetUI ги проверува и инсталира достапните ажурирања за вашите пакети", + "Automatically save a list of all your installed packages to easily restore them.": "Автоматски зачувајте листа со сите ваши инсталирани пакети за лесно да ги вратите.", + "Enable and disable package managers, change default install options, etc.": "Овозможувај и оневозможувај менаџери на пакети, менувај стандардни опции за инсталација итн.", + "Internet connection settings": "Поставки за интернет конекција", + "Proxy settings, etc.": "Поставки за прокси итн.", + "Beta features and other options that shouldn't be touched": "Бета функции и други опции што не треба да се допираат", + "Update checking": "Проверка за ажурирања", + "Automatic updates": "Автоматски ажурирања", + "Check for package updates periodically": "Повремено проверувајте за ажурирања на пакетите", + "Check for updates every:": "Проверувајте за ажурирања секој:", + "Install available updates automatically": "Автоматски инсталирај достапни ажурирања", + "Do not automatically install updates when the network connection is metered": "Не инсталирај ажурирања автоматски кога мрежната врска е мерена", + "Do not automatically install updates when the device runs on battery": "Не инсталирај ажурирања автоматски кога уредот работи на батерија", + "Do not automatically install updates when the battery saver is on": "Не инсталирај ажурирања автоматски кога е вклучен штедачот на батерија", + "Change how UniGetUI handles install, update and uninstall operations.": "Промени како UniGetUI се справува со операциите за инсталација, ажурирање и деинсталација.", + "Package Managers": "Менаџери на пакети", + "More": "Повеќе", + "WingetUI Log": "WingetUI дневник", + "Package Manager logs": "Дневници на менаџерот на пакети", + "Operation history": "Историја на операции", + "Help": "Помош", + "Order by:": "Подреди по:", + "Name": "Име", + "Id": "ID", + "Ascendant": "Растечки", + "Descendant": "Опаѓачки", + "View mode:": "Режим на приказ:", + "Filters": "Филтри", + "Sources": "Извори", + "Search for packages to start": "Пребарај пакети за да започнете", + "Select all": "Избери сè", + "Clear selection": "Исчисти го изборот", + "Instant search": "Инстант пребарување", + "Distinguish between uppercase and lowercase": "Разликувај помеѓу големи и мали букви", + "Ignore special characters": "Игнорирај специјални знаци", + "Search mode": "Режим на пребарување", + "Both": "Двете", + "Exact match": "Точно совпаѓање", + "Show similar packages": "Прикажи слични пакети", + "No results were found matching the input criteria": "Не беа пронајдени резултати што одговараат на внесените критериуми", + "No packages were found": "Не беа пронајдени пакети", + "Loading packages": "Се вчитуваат пакети", + "Skip integrity checks": "Прескокни проверки на интегритет", + "Download selected installers": "Преземи ги избраните инсталатори", + "Install selection": "Инсталирај го избраното", + "Install options": "Опции за инсталација", + "Share": "Сподели", + "Add selection to bundle": "Додај го избраното во збирката", + "Download installer": "Преземи инсталатор", + "Share this package": "Споделете го овој пакет", + "Uninstall selection": "Деинсталирај го избраното", + "Uninstall options": "Опции за деинсталација", + "Ignore selected packages": "Игнорирај ги избраните пакети", + "Open install location": "Отвори локација на инсталација", + "Reinstall package": "Реинсталирај го пакетот", + "Uninstall package, then reinstall it": "Деинсталирај го пакетот, а потоа повторно го инсталирај", + "Ignore updates for this package": "Игнорирај ажурирања за овој пакет", + "Do not ignore updates for this package anymore": "Повеќе не ги игнорирај ажурирањата за овој пакет", + "Add packages or open an existing package bundle": "Додај пакети или отвори постоечка збирка на пакети", + "Add packages to start": "Додај пакети за почеток", + "The current bundle has no packages. Add some packages to get started": "Тековната збирка нема пакети. Додајте неколку пакети за да започнете", + "New": "Ново", + "Save as": "Зачувај како", + "Remove selection from bundle": "Отстрани го избраното од збирката", + "Skip hash checks": "Прескокни проверки на хаш", + "The package bundle is not valid": "Збирката на пакети не е валидна", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Збирката што се обидувате да ја вчитате изгледа невалидна. Проверете ја датотеката и обидете се повторно.", + "Package bundle": "Збирка на пакети", + "Could not create bundle": "Не можеше да се создаде збирката", + "The package bundle could not be created due to an error.": "Збирката на пакети не можеше да се создаде поради грешка.", + "Bundle security report": "Безбедносен извештај за збирката", + "Hooray! No updates were found.": "Ура! Не беа пронајдени ажурирања!", + "Everything is up to date": "Сè е ажурирано", + "Uninstall selected packages": "Деинсталирај ги избраните пакети", + "Update selection": "Ажурирај го избраното", + "Update options": "Опции за ажурирање", + "Uninstall package, then update it": "Деинсталирај го пакетот, а потоа го ажурирај", + "Uninstall package": "Деинсталирај го пакетот", + "Skip this version": "Прескокни ја оваа верзија", + "Pause updates for": "Паузирај ажурирања за", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Менаџерот на пакети за Rust.
Содржи: Rust библиотеки и програми напишани на Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класичниот менаџер на пакети за Windows. Таму ќе најдете сè.
Содржи: Општ софтвер", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиториум полн со алатки и извршни датотеки дизајнирани за .NET екосистемот на Microsoft.
Содржи: .NET алатки и скрипти", + "NuPkg (zipped manifest)": "NuPkg (спакуван манифест)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS управувач со пакети. Полн со библиотеки и други алатки што орбитираат околу светот на Javascript
Содржи: Библиотеки на Node javascript и други поврзани алатки", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менаџер со библиотека на Python. Полн со библиотеки на Python и други алатки поврзани со Python
Содржи: библиотеки на Python и поврзани алатки", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Менаџерот на пакети на PowerShell. Пронајдете библиотеки и скрипти за проширување на можностите на PowerShell
Содржи: Модули, скрипти, Cmdlets", + "extracted": "извлечено", + "Scoop package": "Scoop пакет", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Одличен репозиториум со непознати но корисни алатки и други интересни пакети.
Содржи: Алатки, програми од командна линија, општ софтвер (потребен е extras bucket)", + "library": "библиотека", + "feature": "функција", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популарен менаџер за C/C++ библиотеки. Полн со C/C++ библиотеки и други алатки поврзани со C/C++
Содржи: C/C++ библиотеки и поврзани алатки", + "option": "опција", + "This package cannot be installed from an elevated context.": "Овој пакет не може да се инсталира од подигнат контекст.", + "Please run UniGetUI as a regular user and try again.": "Извршете го UniGetUI како обичен корисник и обидете се повторно.", + "Please check the installation options for this package and try again": "Проверете ги опциите за инсталација за овој пакет и обидете се повторно", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Официјален менаџер на пакети на Microsoft. Полн со добро познати и проверени пакети
Содржи: Општ софтвер, апликации од Microsoft Store", + "Local PC": "Локален компјутер", + "Android Subsystem": "Андроид подсистем", + "Operation on queue (position {0})...": "Операција во редица (позиција {0})...", + "Click here for more details": "Кликнете овде за повеќе детали", + "Operation canceled by user": "Операцијата е откажана од корисникот", + "Starting operation...": "Се започнува операцијата...", + "{package} installer download": "Преземање на инсталаторот за {package}", + "{0} installer is being downloaded": "Се презема инсталаторот за {0}", + "Download succeeded": "Преземањето успеа", + "{package} installer was downloaded successfully": "Инсталаторот за {package} е успешно преземен", + "Download failed": "Преземањето не успеа", + "{package} installer could not be downloaded": "Инсталаторот за {package} не можеше да се преземе", + "{package} Installation": "Инсталација на {package}", + "{0} is being installed": "Се инсталира {0}", + "Installation succeeded": "Инсталацијата успеа", + "{package} was installed successfully": "{package} е успешно инсталиран", + "Installation failed": "Инсталацијата не успеа", + "{package} could not be installed": "{package} не можеше да се инсталира", + "{package} Update": "Ажурирање на {package}", + "{0} is being updated to version {1}": "{0} се ажурира на верзија {1}", + "Update succeeded": "Ажурирањето успеа", + "{package} was updated successfully": "{package} е успешно ажуриран", + "Update failed": "Ажурирањето не успеа", + "{package} could not be updated": "{package} не можеше да се ажурира", + "{package} Uninstall": "Деинсталација на {package}", + "{0} is being uninstalled": "Се деинсталира {0}", + "Uninstall succeeded": "Деинсталацијата успеа", + "{package} was uninstalled successfully": "{package} е успешно деинсталиран", + "Uninstall failed": "Деинсталацијата не успеа", + "{package} could not be uninstalled": "{package} не можеше да се деинсталира", + "Adding source {source}": "Се додава изворот {source}", + "Adding source {source} to {manager}": "Се додава изворот {source} во {manager}", + "Source added successfully": "Изворот е успешно додаден", + "The source {source} was added to {manager} successfully": "Изворот {source} е успешно додаден во {manager}", + "Could not add source": "Не можеше да се додаде изворот", + "Could not add source {source} to {manager}": "Не можеше да се додаде изворот {source} во {manager}", + "Removing source {source}": "Се отстранува изворот {source}", + "Removing source {source} from {manager}": "Се отстранува изворот {source} од {manager}", + "Source removed successfully": "Изворот е успешно отстранет", + "The source {source} was removed from {manager} successfully": "Изворот {source} е успешно отстранет од {manager}", + "Could not remove source": "Не можеше да се отстрани изворот", + "Could not remove source {source} from {manager}": "Не можеше да се отстрани изворот {source} од {manager}", + "The package manager \"{0}\" was not found": "Менаџерот на пакети \"{0}\" не беше пронајден", + "The package manager \"{0}\" is disabled": "Менаџерот на пакети \"{0}\" е оневозможен", + "There is an error with the configuration of the package manager \"{0}\"": "Има грешка во конфигурацијата на менаџерот на пакети \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакетот \"{0}\" не беше пронајден во менаџерот на пакети \"{1}\"", + "{0} is disabled": "{0} е оневозможен", + "Something went wrong": "Нешто тргна наопаку", + "An interal error occurred. Please view the log for further details.": "Настана внатрешна грешка. Погледнете го дневникот за повеќе детали.", + "No applicable installer was found for the package {0}": "Не беше пронајден соодветен инсталатор за пакетот {0}", + "We are checking for updates.": "Проверуваме за ажурирања.", + "Please wait": "Почекајте", + "UniGetUI version {0} is being downloaded.": "Се презема UniGetUI верзија {0}.", + "This may take a minute or two": "Ова може да потрае една или две минути", + "The installer authenticity could not be verified.": "Автентичноста на инсталаторот не можеше да се потврди.", + "The update process has been aborted.": "Процесот на ажурирање е прекинат.", + "Great! You are on the latest version.": "Одлично! Ја користите најновата верзија.", + "There are no new UniGetUI versions to be installed": "Нема нови верзии на UniGetUI за инсталација", + "An error occurred when checking for updates: ": "Настана грешка при проверката за ажурирања: ", + "UniGetUI is being updated...": "UniGetUI се ажурира...", + "Something went wrong while launching the updater.": "Нешто тргна наопаку при стартување на ажурирачот.", + "Please try again later": "Обидете се повторно подоцна", + "Integrity checks will not be performed during this operation": "Проверките на интегритет нема да се извршат за време на оваа операција", + "This is not recommended.": "Ова не се препорачува.", + "Run now": "Изврши сега", + "Run next": "Изврши следно", + "Run last": "Изврши последно", + "Retry as administrator": "Обиди се повторно како администратор", + "Retry interactively": "Повтори интерактивно", + "Retry skipping integrity checks": "Повтори со прескокнување на проверките на интегритет", + "Installation options": "Опции за инсталација", + "Show in explorer": "Прикажи во Explorer", + "This package is already installed": "Овој пакет е веќе инсталиран", + "This package can be upgraded to version {0}": "Овој пакет може да се надгради на верзија {0}", + "Updates for this package are ignored": "Ажурирањата за овој пакет се игнорираат", + "This package is being processed": "Овој пакет се обработува", + "This package is not available": "Овој пакет не е достапен", + "Select the source you want to add:": "Изберете го изворот што сакате да го додадете:", + "Source name:": "Име на изворот:", + "Source URL:": "URL на изворот:", + "An error occurred": "Настана грешка", + "An error occurred when adding the source: ": "Настана грешка при додавање на изворот: ", + "Package management made easy": "Лесно управување со пакети", + "version {0}": "верзија {0}", + "[RAN AS ADMINISTRATOR]": "[ИЗВРШЕНО КАКО АДМИНИСТРАТОР]", + "Portable mode": "Пренослив режим\n", + "DEBUG BUILD": "DEBUG ИЗДАНИЕ", + "Available Updates": "Достапни ажурирања", + "Show WingetUI": "Прикажи го WingetUI", + "Quit": "Затвори", + "Attention required": "Потребно е внимание", + "Restart required": "Потребно е рестартирање", + "1 update is available": "Достапно е 1 ажурирање", + "{0} updates are available": "Достапни се {0} ажурирања", + "WingetUI Homepage": "Почетна страница на UniGetUI", + "WingetUI Repository": "Репозиториум на UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тука можете да го промените однесувањето на UniGetUI во врска со следниве кратенки. Ако означите кратенка, UniGetUI ќе ја избрише ако се создаде при некое идно ажурирање. Ако ја отштиклирате, кратенката ќе остане недопрена.", + "Manual scan": "Рачно скенирање", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Постоечките кратенки на вашата работна површина ќе бидат скенирани и ќе треба да изберете кои да ги задржите, а кои да ги отстраните.", + "Continue": "Продолжи", + "Delete?": "Избриши?", + "Missing dependency": "Недостасува зависност", + "Not right now": "Не сега", + "Install {0}": "Инсталирај {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "На UniGetUI му е потребен {0} за работа, но тој не беше пронајден на вашиот систем.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Кликнете на Инсталирај за да го започнете процесот на инсталација. Ако ја прескокнете инсталацијата, UniGetUI можеби нема да работи како што се очекува.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Исто така, можете да го инсталирате {0} со извршување на следнава команда во Windows PowerShell:", + "Do not show this dialog again for {0}": "Не го прикажувај повторно овој дијалог за {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Почекајте додека се инсталира {0}. Може да се појави црн прозорец. Почекајте додека не се затвори.", + "{0} has been installed successfully.": "{0} е успешно инсталиран.", + "Please click on \"Continue\" to continue": "Кликнете на \"Продолжи\" за да продолжите", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} е успешно инсталиран. Препорачливо е да го рестартирате UniGetUI за да се заврши инсталацијата", + "Restart later": "Рестартирај подоцна", + "An error occurred:": "Настана грешка:", + "I understand": "Разбирам", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI е извршен како администратор, што не се препорачува. Кога UniGetUI се извршува како администратор, СЕКОЈА операција стартувана од UniGetUI ќе има администраторски привилегии. Сè уште можете да ја користите програмата, но силно ви препорачуваме да не го извршувате UniGetUI со администраторски привилегии.", + "WinGet was repaired successfully": "WinGet е успешно поправен", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Препорачливо е да го рестартирате UniGetUI откако WinGet ќе биде поправен", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ЗАБЕЛЕШКА: Овој решавач на проблеми може да се оневозможи од Поставките на UniGetUI, во делот за WinGet", + "Restart": "Рестартирај", + "WinGet could not be repaired": "WinGet не можеше да се поправи", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Настана неочекуван проблем при обидот да се поправи WinGet. Обидете се повторно подоцна", + "Are you sure you want to delete all shortcuts?": "Дали сте сигурни дека сакате да ги избришете сите кратенки?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Сите нови кратенки создадени при инсталација или ажурирање ќе бидат избришани автоматски, наместо да се прикаже барање за потврда при првото откривање.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Сите кратенки создадени или изменети надвор од UniGetUI ќе бидат игнорирани. Ќе можете да ги додадете преку копчето {0}.", + "Are you really sure you want to enable this feature?": "Дали сте навистина сигурни дека сакате да ја овозможите оваа функција?", + "No new shortcuts were found during the scan.": "Не беа пронајдени нови кратенки при скенирањето.", + "How to add packages to a bundle": "Како да додадете пакети во збирка", + "In order to add packages to a bundle, you will need to: ": "За да додадете пакети во збирка, ќе треба да: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Одете на страницата \"{0}\" или \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Пронајдете ги пакетите што сакате да ги додадете во збирката и изберете го најлевото поле за избор.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Кога пакетите што сакате да ги додадете во збирката ќе бидат избрани, пронајдете ја и кликнете ја опцијата \"{0}\" на лентата со алатки.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вашите пакети ќе бидат додадени во збирката. Можете да продолжите со додавање пакети или да ја извезете збирката.", + "Which backup do you want to open?": "Која резервна копија сакате да ја отворите?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Изберете ја резервната копија што сакате да ја отворите. Подоцна ќе можете да прегледате кои пакети сакате да ги инсталирате.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Во тек се операции. Затворањето на UniGetUI може да предизвика нивен неуспех. Дали сакате да продолжите?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или некои од неговите компоненти недостасуваат или се оштетени.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Силно се препорачува повторно да го инсталирате UniGetUI за да се реши ситуацијата.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Погледнете ги дневниците на UniGetUI за повеќе детали за засегнатите датотеки", + "Integrity checks can be disabled from the Experimental Settings": "Проверките на интегритет можат да се оневозможат од Експерименталните поставки", + "Repair UniGetUI": "Поправи UniGetUI", + "Live output": "Излез во живо", + "Package not found": "Пакетот не е пронајден", + "An error occurred when attempting to show the package with Id {0}": "Настана грешка при обидот да се прикаже пакетот со ID {0}", + "Package": "Пакет", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Оваа збирка на пакети имаше некои потенцијално опасни поставки, кои стандардно можат да бидат игнорирани.", + "Entries that show in YELLOW will be IGNORED.": "Ставките прикажани со ЖОЛТО ќе бидат ИГНОРИРАНИ.", + "Entries that show in RED will be IMPORTED.": "Ставките прикажани со ЦРВЕНО ќе бидат УВЕЗЕНИ.", + "You can change this behavior on UniGetUI security settings.": "Можете да го промените ова однесување во безбедносните поставки на UniGetUI.", + "Open UniGetUI security settings": "Отвори ги безбедносните поставки на UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ако ги измените безбедносните поставки, ќе треба повторно да ја отворите збирката за да стапат промените на сила.", + "Details of the report:": "Детали за извештајот:", "\"{0}\" is a local package and can't be shared": "\"{0}\" е локален пакет и не може да се сподели", + "Are you sure you want to create a new package bundle? ": "Дали сте сигурни дека сакате да создадете нова збирка на пакети? ", + "Any unsaved changes will be lost": "Сите незачувани промени ќе бидат изгубени", + "Warning!": "Предупредување!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Поради безбедносни причини, сопствените аргументи на командната линија се стандардно оневозможени. Одете во безбедносните поставки на UniGetUI за да го промените ова. ", + "Change default options": "Промени ги стандардните опции", + "Ignore future updates for this package": "Игнорирај идни ажурирања за овој пакет", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Поради безбедносни причини, скриптите пред и по операција се стандардно оневозможени. Одете во безбедносните поставки на UniGetUI за да го промените ова. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можете да ги дефинирате командите што ќе се извршуваат пред или по инсталирање, ажурирање или деинсталирање на овој пакет. Тие ќе се извршуваат во command prompt, па CMD скриптите ќе работат тука.", + "Change this and unlock": "Промени го ова и отклучи", + "{0} Install options are currently locked because {0} follows the default install options.": "Опциите за инсталација на {0} моментално се заклучени затоа што {0} ги следи стандардните опции за инсталација.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Изберете ги процесите што треба да се затворат пред овој пакет да биде инсталиран, ажуриран или деинсталиран.", + "Write here the process names here, separated by commas (,)": "Напишете ги овде имињата на процесите, разделени со запирки (,)", + "Unset or unknown": "Непоставено или непознато", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Погледнете го Излезот од командна линија или Историјата на операции за повеќе информации за проблемот.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Овој пакет нема слики од екранот или му недостасува икона? Придонесете кон UniGetUI со додавање на иконите и сликите од екранот што недостасуваат во нашата отворена, јавна база на податоци.", + "Become a contributor": "Станете придонесувач", + "Save": "Зачувај", + "Update to {0} available": "Достапно е ажурирање на {0}", + "Reinstall": "Реинсталирај", + "Installer not available": "Инсталаторот не е достапен", + "Version:": "Верзија:", + "Performing backup, please wait...": "Се прави резервна копија, почекајте...", + "An error occurred while logging in: ": "Настана грешка при најавување: ", + "Fetching available backups...": "Се преземаат достапните резервни копии...", + "Done!": "Завршено!", + "The cloud backup has been loaded successfully.": "Резервната копија во облак е успешно вчитана.", + "An error occurred while loading a backup: ": "Настана грешка при вчитување резервна копија: ", + "Backing up packages to GitHub Gist...": "Се прави резервна копија на пакетите во GitHub Gist...", + "Backup Successful": "Резервната копија успеа", + "The cloud backup completed successfully.": "Резервната копија во облак заврши успешно.", + "Could not back up packages to GitHub Gist: ": "Не можеше да се направи резервна копија на пакетите во GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не е загарантирано дека внесените акредитиви ќе се чуваат безбедно, затоа не користете ги акредитивите од вашата банкарска сметка", + "Enable the automatic WinGet troubleshooter": "Овозможи автоматски решавач на проблеми за WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Овозможи [експериментален] подобрен решавач на проблеми за WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Додај ги ажурирањата што не успеваат со 'не е пронајдено соодветно ажурирање' во списокот со игнорирани ажурирања.", + "Restart WingetUI to fully apply changes": "Рестартирајте го WingetUI за целосно применување на промените", + "Restart WingetUI": "Рестартирај го WingetUI", + "Invalid selection": "Невалиден избор", + "No package was selected": "Не беше избран пакет", + "More than 1 package was selected": "Избрани беа повеќе од 1 пакет", + "List": "Листа", + "Grid": "Мрежа", + "Icons": "Икони", "\"{0}\" is a local package and does not have available details": "\"{0}\" е локален пакет и нема достапни детали", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" е локален пакет и не е компатибилен со оваа функција", - "(Last checked: {0})": "(Последна проверка: {0})", + "WinGet malfunction detected": "Откриен е проблем во WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Изгледа дека WinGet не работи правилно. Дали сакате да се обидете да го поправите WinGet?", + "Repair WinGet": "Поправи WinGet", + "Create .ps1 script": "Создај .ps1 скрипта", + "Add packages to bundle": "Додај пакети во збирката", + "Preparing packages, please wait...": "Се подготвуваат пакетите, почекајте...", + "Loading packages, please wait...": "Се вчитуваат пакети, почекајте...", + "Saving packages, please wait...": "Се зачувуваат пакетите, почекајте...", + "The bundle was created successfully on {0}": "Збирката е успешно создадена на {0}", + "Install script": "Инсталациска скрипта", + "The installation script saved to {0}": "Инсталациската скрипта е зачувана во {0}", + "An error occurred while attempting to create an installation script:": "Настана грешка при обидот за создавање инсталациска скрипта:", + "{0} packages are being updated": "{0} пакети се ажурираат", + "Error": "Грешка", + "Log in failed: ": "Најавувањето не успеа: ", + "Log out failed: ": "Одјавувањето не успеа: ", + "Package backup settings": "Поставки за резервна копија на пакети", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Број {0} во редицата)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "LordDeatHunter", "0 packages found": "Пронајдени се 0 пакети", "0 updates found": "Пронајдени се 0 ажурирања", - "1 - Errors": "1 - Грешки", - "1 day": "1 ден", - "1 hour": "1 час", "1 month": "1 месец", "1 package was found": "Пронајден е 1 пакет", - "1 update is available": "Достапно е 1 ажурирање", - "1 week": "1 недела", "1 year": "1 година", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Одете на страницата \"{0}\" или \"{1}\".", - "2 - Warnings": "2 - Предупредувања", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Пронајдете ги пакетите што сакате да ги додадете во збирката и изберете го најлевото поле за избор.", - "3 - Information (less)": "3 - Информации (помалку)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Кога пакетите што сакате да ги додадете во збирката ќе бидат избрани, пронајдете ја и кликнете ја опцијата \"{0}\" на лентата со алатки.", - "4 - Information (more)": "4 - Информации (повеќе)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вашите пакети ќе бидат додадени во збирката. Можете да продолжите со додавање пакети или да ја извезете збирката.", - "5 - information (debug)": "5 - Информации (дебаг)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популарен менаџер за C/C++ библиотеки. Полн со C/C++ библиотеки и други алатки поврзани со C/C++
Содржи: C/C++ библиотеки и поврзани алатки", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиториум полн со алатки и извршни датотеки дизајнирани за .NET екосистемот на Microsoft.
Содржи: .NET алатки и скрипти", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Репозиториум полн со алатки дизајнирани со .NET екосистемот на Microsoft во ум.
Содржи: Алатки поврзани со .NET", "A restart is required": "Потребно е рестартирање", - "Abort install if pre-install command fails": "Прекини ја инсталацијата ако командата пред инсталација не успее", - "Abort uninstall if pre-uninstall command fails": "Прекини ја деинсталацијата ако командата пред деинсталација не успее", - "Abort update if pre-update command fails": "Прекини го ажурирањето ако командата пред ажурирање не успее", - "About": "За", "About Qt6": "За Qt6", - "About WingetUI": "За WingetUI", "About WingetUI version {0}": "За WingetUI верзија {0}", "About the dev": "За девелоперот", - "Accept": "Прифати", "Action when double-clicking packages, hide successful installations": "Дејство при двоен клик на пакети, сокриј успешни инсталации", - "Add": "Додај", "Add a source to {0}": "Додај извор на {0}", - "Add a timestamp to the backup file names": "Додај временска ознака во имињата на резервните датотеки", "Add a timestamp to the backup files": "Додадете временска ознака во резервните датотеки", "Add packages or open an existing bundle": "Додај пакети или отвори постоечка збирка", - "Add packages or open an existing package bundle": "Додај пакети или отвори постоечка збирка на пакети", - "Add packages to bundle": "Додај пакети во збирката", - "Add packages to start": "Додај пакети за почеток", - "Add selection to bundle": "Додај го избраното во збирката", - "Add source": "Додај извор", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Додај ги ажурирањата што не успеваат со 'не е пронајдено соодветно ажурирање' во списокот со игнорирани ажурирања.", - "Adding source {source}": "Се додава изворот {source}", - "Adding source {source} to {manager}": "Се додава изворот {source} во {manager}", "Addition succeeded": "Додавањето успеа", - "Administrator privileges": "Администраторски привилегии", "Administrator privileges preferences": "Преференци за администраторски привилегии", "Administrator rights": "Администраторски права", - "Administrator rights and other dangerous settings": "Администраторски права и други опасни поставки", - "Advanced options": "Напредни опции", "All files": "Сите датотеки", - "All versions": "Сите верзии", - "Allow changing the paths for package manager executables": "Дозволи промена на патеките за извршните датотеки на менаџерите на пакети", - "Allow custom command-line arguments": "Дозволи сопствени аргументи на командната линија", - "Allow importing custom command-line arguments when importing packages from a bundle": "Дозволи увоз на сопствени аргументи на командната линија при увоз на пакети од збирка", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дозволи увоз на сопствени команди пред и по инсталација при увоз на пакети од збирка", "Allow package operations to be performed in parallel": "Дозволи операциите со пакети да се извршуваат паралелно", "Allow parallel installs (NOT RECOMMENDED)": "Дозволи паралелни инсталации (НЕ СЕ ПРЕПОРАЧУВА)", - "Allow pre-release versions": "Дозволи предиздавачки верзии", "Allow {pm} operations to be performed in parallel": "Дозволи операциите на {pm} да се извршуваат паралелно", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Исто така, можете да го инсталирате {0} со извршување на следнава команда во Windows PowerShell:", "Always elevate {pm} installations by default": "Секогаш стандардно подигнувај ги инсталациите на {pm}", "Always run {pm} operations with administrator rights": "Секогаш извршувај ги операциите на {pm} со администраторски права", - "An error occurred": "Настана грешка", - "An error occurred when adding the source: ": "Настана грешка при додавање на изворот: ", - "An error occurred when attempting to show the package with Id {0}": "Настана грешка при обидот да се прикаже пакетот со ID {0}", - "An error occurred when checking for updates: ": "Настана грешка при проверката за ажурирања: ", - "An error occurred while attempting to create an installation script:": "Настана грешка при обидот за создавање инсталациска скрипта:", - "An error occurred while loading a backup: ": "Настана грешка при вчитување резервна копија: ", - "An error occurred while logging in: ": "Настана грешка при најавување: ", - "An error occurred while processing this package": "Настана грешка при обработката на овој пакет", - "An error occurred:": "Настана грешка:", - "An interal error occurred. Please view the log for further details.": "Настана внатрешна грешка. Погледнете го дневникот за повеќе детали.", "An unexpected error occurred:": "Настана неочекувана грешка:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Настана неочекуван проблем при обидот да се поправи WinGet. Обидете се повторно подоцна", - "An update was found!": "Пронајдено е ажурирање!", - "Android Subsystem": "Андроид подсистем", "Another source": "Друг извор", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Сите нови кратенки создадени при инсталација или ажурирање ќе бидат избришани автоматски, наместо да се прикаже барање за потврда при првото откривање.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Сите кратенки создадени или изменети надвор од UniGetUI ќе бидат игнорирани. Ќе можете да ги додадете преку копчето {0}.", - "Any unsaved changes will be lost": "Сите незачувани промени ќе бидат изгубени", "App Name": "Име на апликацијата", - "Appearance": "Изглед", - "Application theme, startup page, package icons, clear successful installs automatically": "Тема на апликацијата, почетна страница, икони на пакети, автоматско чистење на успешните инсталации", - "Application theme:": "Тема на апликацијата:", - "Apply": "Примени", - "Architecture to install:": "Архитектура за инсталирање:", "Are these screenshots wron or blurry?": "Дали овие слики од екранот се погрешни или заматени?", - "Are you really sure you want to enable this feature?": "Дали сте навистина сигурни дека сакате да ја овозможите оваа функција?", - "Are you sure you want to create a new package bundle? ": "Дали сте сигурни дека сакате да создадете нова збирка на пакети? ", - "Are you sure you want to delete all shortcuts?": "Дали сте сигурни дека сакате да ги избришете сите кратенки?", - "Are you sure?": "Дали сте сигурни?", - "Ascendant": "Растечки", - "Ask for administrator privileges once for each batch of operations": "Побарај администраторски привилегии еднаш за секоја група операции", "Ask for administrator rights when required": "Побарај администраторски права кога е потребно", "Ask once or always for administrator rights, elevate installations by default": "Побарајте еднаш или секогаш за администраторски права, подигнете ги инсталациите стандардно", - "Ask only once for administrator privileges": "Побарај администраторски привилегии само еднаш", "Ask only once for administrator privileges (not recommended)": "Побарај администраторски привилегии само еднаш (не е препорачано)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Прашај за бришење на кратенките на работната површина создадени при инсталација или надградба.", - "Attention required": "Потребно е внимание", "Authenticate to the proxy with an user and a password": "Автентицирај се на проксито со корисник и лозинка", - "Author": "Автор", - "Automatic desktop shortcut remover": "Автоматско отстранување на кратенки од работната површина", - "Automatic updates": "Автоматски ажурирања", - "Automatically save a list of all your installed packages to easily restore them.": "Автоматски зачувајте листа со сите ваши инсталирани пакети за лесно да ги вратите.", "Automatically save a list of your installed packages on your computer.": "Автоматски зачувајте листа со инсталираните пакети на вашиот компјутер.", - "Automatically update this package": "Автоматски ажурирај го овој пакет", "Autostart WingetUI in the notifications area": "Автоматско стартување на WingetUI во областа за известувања", - "Available Updates": "Достапни ажурирања", "Available updates: {0}": "Достапни ажурирања: {0}", "Available updates: {0}, not finished yet...": "Достапни ажурирања: {0}, сè уште не е завршено...", - "Backing up packages to GitHub Gist...": "Се прави резервна копија на пакетите во GitHub Gist...", - "Backup": "Резервна копија", - "Backup Failed": "Резервната копија не успеа", - "Backup Successful": "Резервната копија успеа", - "Backup and Restore": "Резервна копија и враќање", "Backup installed packages": "Резервна копија на инсталираните пакети", "Backup location": "Локација на резервната копија", - "Become a contributor": "Станете придонесувач", - "Become a translator": "Станете преведувач", - "Begin the process to select a cloud backup and review which packages to restore": "Започни го процесот на избор на резервна копија од облакот и преглед на пакетите за враќање", - "Beta features and other options that shouldn't be touched": "Бета функции и други опции што не треба да се допираат", - "Both": "Двете", - "Bundle security report": "Безбедносен извештај за збирката", "But here are other things you can do to learn about WingetUI even more:": "Но, еве други работи што можете да ги направите за да научите повеќе за WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ако исклучите менаџер на пакети, повеќе нема да можете да ги гледате или ажурирате неговите пакети.", "Cache administrator rights and elevate installers by default": "Зачувај ги администраторските права и стандардно подигнувај ги инсталаторите", "Cache administrator rights, but elevate installers only when required": "Зачувај ги администраторските права, но подигнувај ги инсталаторите само кога е потребно", "Cache was reset successfully!": "Кешот е успешно ресетиран!", "Can't {0} {1}": "Не е возможно {0} на {1}", - "Cancel": "Откажи", "Cancel all operations": "Откажи ги сите операции", - "Change backup output directory": "Променете ја папката за резервни копии", - "Change default options": "Промени ги стандардните опции", - "Change how UniGetUI checks and installs available updates for your packages": "Промени како UniGetUI ги проверува и инсталира достапните ажурирања за вашите пакети", - "Change how UniGetUI handles install, update and uninstall operations.": "Промени како UniGetUI се справува со операциите за инсталација, ажурирање и деинсталација.", "Change how UniGetUI installs packages, and checks and installs available updates": "Промени како UniGetUI инсталира пакети и ги проверува и инсталира достапните ажурирања", - "Change how operations request administrator rights": "Промени како операциите бараат администраторски права", "Change install location": "Променете ја локацијата за инсталирање", - "Change this": "Промени го ова", - "Change this and unlock": "Промени го ова и отклучи", - "Check for package updates periodically": "Повремено проверувајте за ажурирања на пакетите", - "Check for updates": "Провери за ажурирања", - "Check for updates every:": "Проверувајте за ажурирања секој:", "Check for updates periodically": "Повремено проверувајте за ажурирања", "Check for updates regularly, and ask me what to do when updates are found.": "Редовно проверувај за ажурирања и прашајте ме што да правам кога ќе се најдат ажурирања.", "Check for updates regularly, and automatically install available ones.": "Редовно проверувајте за ажурирања и автоматски инсталирај ги достапните.", @@ -159,916 +741,335 @@ "Checking for updates...": "Се проверува за ажурирања...", "Checking found instace(s)...": "Се проверуваат пронајдените инстаци...", "Choose how many operations shouls be performed in parallel": "Изберете колку операции треба да се извршуваат паралелно", - "Clear cache": "Исчисти кеш", "Clear finished operations": "Исчисти ги завршените операции", - "Clear selection": "Исчисти го изборот", "Clear successful operations": "Исчисти ги успешните операции", - "Clear successful operations from the operation list after a 5 second delay": "Исчисти ги успешните операции од списокот на операции по одложување од 5 секунди", "Clear the local icon cache": "Исчисти го локалниот кеш на икони", - "Clearing Scoop cache - WingetUI": "Се чисти кешот на Scoop - UniGetUI", "Clearing Scoop cache...": "Се чисти Scoop кешот...", - "Click here for more details": "Кликнете овде за повеќе детали", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Кликнете на Инсталирај за да го започнете процесот на инсталација. Ако ја прескокнете инсталацијата, UniGetUI можеби нема да работи како што се очекува.", - "Close": "Затвори", - "Close UniGetUI to the system tray": "Затвори го UniGetUI во системската фиока", "Close WingetUI to the notification area": "Затвори го WingetUI во областа за известување", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Резервната копија во облак користи приватен GitHub Gist за чување список на инсталирани пакети", - "Cloud package backup": "Резервна копија на пакети во облак", "Command-line Output": "Излез од командна линија", - "Command-line to run:": "Команда за извршување:", "Compare query against": "Спореди го барањето со", - "Compatible with authentication": "Компатибилно со автентикација", - "Compatible with proxy": "Компатибилно со прокси", "Component Information": "Информации за компонентите", - "Concurrency and execution": "Паралелност и извршување", - "Connect the internet using a custom proxy": "Поврзи се на интернет преку сопствен прокси", - "Continue": "Продолжи", "Contribute to the icon and screenshot repository": "Придонесете во репозиториумот за икони и слики од екранот", - "Contributors": "Придонесувачи", "Copy": "Копирај", - "Copy to clipboard": "Копирај во таблата со исечоци", - "Could not add source": "Не можеше да се додаде изворот", - "Could not add source {source} to {manager}": "Не можеше да се додаде изворот {source} во {manager}", - "Could not back up packages to GitHub Gist: ": "Не можеше да се направи резервна копија на пакетите во GitHub Gist: ", - "Could not create bundle": "Не можеше да се создаде збирката", "Could not load announcements - ": "Не можеа да се вчитаат известувањата - ", "Could not load announcements - HTTP status code is $CODE": "Не можеа да се вчитаат известувањата - HTTP статус кодот е $CODE", - "Could not remove source": "Не можеше да се отстрани изворот", - "Could not remove source {source} from {manager}": "Не можеше да се отстрани изворот {source} од {manager}", "Could not remove {source} from {manager}": "Не можеше да се отстрани {source} од {manager}", - "Create .ps1 script": "Создај .ps1 скрипта", - "Credentials": "Акредитиви", "Current Version": "Тековна верзија", - "Current executable file:": "Тековна извршна датотека:", - "Current status: Not logged in": "Тековен статус: не сте најавени", "Current user": "Тековен корисник", "Custom arguments:": "Сопствени аргументи:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Сопствените аргументи на командната линија можат да го променат начинот на кој програмите се инсталираат, надградуваат или деинсталираат, на начин што UniGetUI не може да го контролира. Користењето сопствени командни линии може да ги расипе пакетите. Продолжете внимателно.", "Custom command-line arguments:": "Приспособени аргументи на командната линија:", - "Custom install arguments:": "Сопствени аргументи за инсталација:", - "Custom uninstall arguments:": "Сопствени аргументи за деинсталација:", - "Custom update arguments:": "Сопствени аргументи за ажурирање:", "Customize WingetUI - for hackers and advanced users only": "Прилагодете го WingetUI - само за хакери и напредни корисници", - "DEBUG BUILD": "DEBUG ИЗДАНИЕ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ОДГОВОРУВАЊЕ: НИЕ НЕ СМЕ ОДГОВОРНИ ЗА ПРЕЗЕМАНИТЕ ПАКЕТИ. ВЕ МОЛИМЕ ОСИГУРАЈТЕ СЕ ДА ИНСТАЛИРАТЕ САМО ДОВЕРЛИВ СОФТВЕР.", - "Dark": "Темна", - "Decline": "Одбиј", - "Default": "Стандардно", - "Default installation options for {0} packages": "Стандардни опции за инсталација за пакетите {0}", "Default preferences - suitable for regular users": "Стандардни поставки - погодни за обични корисници", - "Default vcpkg triplet": "Стандарден vcpkg triplet", - "Delete?": "Избриши?", - "Dependencies:": "Зависности:", - "Descendant": "Опаѓачки", "Description:": "Опис:", - "Desktop shortcut created": "Создадена е кратенка на работната површина", - "Details of the report:": "Детали за извештајот:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Развивањето е тешко, а оваа апликација е бесплатна. Но, ако ви се допадна апликацијата, секогаш можете да ми купите кафе :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Инсталирај директно при двоен клик на ставка во јазичето \"{discoveryTab}\" (наместо да се прикажат информациите за пакетот)", "Disable new share API (port 7058)": "Оневозможи ново API за споделување (порта 7058)", - "Disable the 1-minute timeout for package-related operations": "Оневозможи го 1-минутното временско ограничување за операциите поврзани со пакети", - "Disabled": "Оневозможено", - "Disclaimer": "Одрекување од одговорност", - "Discover Packages": "Откриј пакети", "Discover packages": "Откриј пакети", "Distinguish between\nuppercase and lowercase": "Разликувај помеѓу големи и мали букви", - "Distinguish between uppercase and lowercase": "Разликувај помеѓу големи и мали букви", "Do NOT check for updates": "НЕ проверувајте за ажурирања", "Do an interactive install for the selected packages": "Направи интерактивна инсталација за избраните пакети", "Do an interactive uninstall for the selected packages": "Направи интерактивно деинсталирање на избраните пакети", "Do an interactive update for the selected packages": "Направи интерактивно ажурирање за избраните пакети", - "Do not automatically install updates when the battery saver is on": "Не инсталирај ажурирања автоматски кога е вклучен штедачот на батерија", - "Do not automatically install updates when the device runs on battery": "Не инсталирај ажурирања автоматски кога уредот работи на батерија", - "Do not automatically install updates when the network connection is metered": "Не инсталирај ажурирања автоматски кога мрежната врска е мерена", "Do not download new app translations from GitHub automatically": "Не преземајте автоматски нови преводи на апликацијата од GitHub", - "Do not ignore updates for this package anymore": "Повеќе не ги игнорирај ажурирањата за овој пакет", "Do not remove successful operations from the list automatically": "Не ги отстранувај автоматски успешните операции од списокот", - "Do not show this dialog again for {0}": "Не го прикажувај повторно овој дијалог за {0}", "Do not update package indexes on launch": "Не ги ажурирајте индексите на пакетите при стартување", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Дали прифаќате UniGetUI да собира и испраќа анонимна статистика за користење, со единствена цел да го разбере и подобри корисничкото искуство?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Дали ви е корисен UniGetUI? Ако можете, можеби ќе сакате да ја поддржите мојата работа, за да можам да продолжам да го правам UniGetUI врвниот интерфејс за управување со пакети.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Дали ви е кориснен WingetUI? Сакатге да го поддржите програмерот? Ако е така, можете да ми {0}, тоа многу помага!", - "Do you really want to reset this list? This action cannot be reverted.": "Дали навистина сакате да го ресетирате овој список? Ова дејство не може да се врати.", - "Do you really want to uninstall the following {0} packages?": "Дали навистина сакате да ги деинсталирате следниве {0} пакети?", "Do you really want to uninstall {0} packages?": "Дали навистина сакате да деинсталирате {0} пакети?", - "Do you really want to uninstall {0}?": "Дали навистина сакате да деинсталирате {0}?", "Do you want to restart your computer now?": "Дали сакате да го рестартирате компјутерот сега?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Сакате да го преведете WingetUI на вашиот јазик? Погледнете како да придонесете ТУКА!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Не ви се донира? Не грижете се, секогаш можете да го споделите UniGetUI со вашите пријатели. Ширете го зборот за UniGetUI.", "Donate": "Донирајте", - "Done!": "Завршено!", - "Download failed": "Преземањето не успеа", - "Download installer": "Преземи инсталатор", - "Download operations are not affected by this setting": "Операциите за преземање не се засегнати од оваа поставка", - "Download selected installers": "Преземи ги избраните инсталатори", - "Download succeeded": "Преземањето успеа", "Download updated language files from GitHub automatically": "Автоматски преземај ажурирани јазични датотеки од GitHub", "Downloading": "Се презема", - "Downloading backup...": "Се презема резервната копија...", "Downloading installer for {package}": "Се презема инсталатор за {package}", "Downloading package metadata...": "Се преземаат метаподатоци за пакетот...", - "Enable Scoop cleanup on launch": "Овозможи чистење на Scoop при стартување", - "Enable WingetUI notifications": "Овозможи известувања од WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Овозможи [експериментален] подобрен решавач на проблеми за WinGet", - "Enable and disable package managers, change default install options, etc.": "Овозможувај и оневозможувај менаџери на пакети, менувај стандардни опции за инсталација итн.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Овозможи оптимизации за користење на CPU во заднина (види Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Овозможи background API (UniGetUI виџети и споделување, порта 7058)", - "Enable it to install packages from {pm}.": "Овозможи го за да инсталира пакети од {pm}.", - "Enable the automatic WinGet troubleshooter": "Овозможи автоматски решавач на проблеми за WinGet", "Enable the new UniGetUI-Branded UAC Elevator": "Овозможи нов UniGetUI-брендиран UAC Elevator", "Enable the new process input handler (StdIn automated closer)": "Овозможи нов управувач за влез на процеси (автоматско затворање на StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Овозможете ги поставките подолу ако и само ако целосно разбирате што прават и какви последици можат да имаат.", - "Enable {pm}": "Овозможи {pm}", - "Enabled": "Овозможено", - "Enter proxy URL here": "Внесете URL на проксито тука", - "Entries that show in RED will be IMPORTED.": "Ставките прикажани со ЦРВЕНО ќе бидат УВЕЗЕНИ.", - "Entries that show in YELLOW will be IGNORED.": "Ставките прикажани со ЖОЛТО ќе бидат ИГНОРИРАНИ.", - "Error": "Грешка", - "Everything is up to date": "Сè е ажурирано", - "Exact match": "Точно совпаѓање", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Постоечките кратенки на вашата работна површина ќе бидат скенирани и ќе треба да изберете кои да ги задржите, а кои да ги отстраните.", - "Expand version": "Прошири ја верзијата", - "Experimental settings and developer options": "Експериментални поставки и опции за програмери", - "Export": "Експортирај", - "Export log as a file": "Експортирај го дневникот како датотека", - "Export packages": "Експортирај пакети", - "Export selected packages to a file": "Експортирај ги избраните пакети во датотека", - "Export settings to a local file": "Експортирај ги поставките во локална датотека", - "Export to a file": "Експортирај во датотека", - "Failed": "Не успеа", - "Fetching available backups...": "Се преземаат достапните резервни копии...", + "Export log as a file": "Експортирај го дневникот како датотека", + "Export packages": "Експортирај пакети", + "Export selected packages to a file": "Експортирај ги избраните пакети во датотека", "Fetching latest announcements, please wait...": "Се преземаат најновите известувања, почекајте...", - "Filters": "Филтри", "Finish": "Заврши", - "Follow system color scheme": "Следете ја системската шема на бои", - "Follow the default options when installing, upgrading or uninstalling this package": "Следи ги стандардните опции при инсталација, надградба или деинсталација на овој пакет", - "For security reasons, changing the executable file is disabled by default": "Поради безбедносни причини, менувањето на извршната датотека е стандардно оневозможено", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Поради безбедносни причини, сопствените аргументи на командната линија се стандардно оневозможени. Одете во безбедносните поставки на UniGetUI за да го промените ова. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Поради безбедносни причини, скриптите пред и по операција се стандардно оневозможени. Одете во безбедносните поставки на UniGetUI за да го промените ова. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Форсирај ARM компајлирана winget верзија (САМО ЗА ARM64 СИСТЕМИ)", - "Force install location parameter when updating packages with custom locations": "Присили параметар за локација на инсталација при ажурирање пакети со сопствени локации", "Formerly known as WingetUI": "Порано познат како WingetUI", "Found": "Пронајдено", "Found packages: ": "Пронајдени пакети: ", "Found packages: {0}": "Пронајдени пакети: {0}", "Found packages: {0}, not finished yet...": "Пронајдени пакети: {0}, сè уште не е завршено...", - "General preferences": "Општи поставки", "GitHub profile": "GitHub профил", "Global": "Глобално", - "Go to UniGetUI security settings": "Оди во безбедносните поставки на UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Одличен репозиториум со непознати но корисни алатки и други интересни пакети.
Содржи: Алатки, програми од командна линија, општ софтвер (потребен е extras bucket)", - "Great! You are on the latest version.": "Одлично! Ја користите најновата верзија.", - "Grid": "Мрежа", - "Help": "Помош", "Help and documentation": "Помош и документација", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тука можете да го промените однесувањето на UniGetUI во врска со следниве кратенки. Ако означите кратенка, UniGetUI ќе ја избрише ако се создаде при некое идно ажурирање. Ако ја отштиклирате, кратенката ќе остане недопрена.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Здраво, моето име е Марти, и јас сум програмерот на WingetUI. WingetUI е целосно направен во моето слободно време!", "Hide details": "Сокриј детали", - "Homepage": "страна", - "homepage": "страна", - "Hooray! No updates were found.": "Ура! Не беа пронајдени ажурирања!", "How should installations that require administrator privileges be treated?": "Како да се третираат инсталациите кои бараат администраторски привилегии?", - "How to add packages to a bundle": "Како да додадете пакети во збирка", - "I understand": "Разбирам", - "Icons": "Икони", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ако имате овозможена резервна копија во облак, таа ќе биде зачувана како GitHub Gist на оваа сметка", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Игнорирај ги сопствените команди пред и по инсталација при увоз на пакети од збирка", - "Ignore future updates for this package": "Игнорирај идни ажурирања за овој пакет", - "Ignore packages from {pm} when showing a notification about updates": "Игнорирај ги пакетите од {pm} при прикажување известување за ажурирања", - "Ignore selected packages": "Игнорирај ги избраните пакети", - "Ignore special characters": "Игнорирај специјални знаци", "Ignore updates for the selected packages": "Игнорирај ажурирања за избраните пакети", - "Ignore updates for this package": "Игнорирај ажурирања за овој пакет", "Ignored updates": "Игнорирани ажурирања", - "Ignored version": "Игнорирана верзија", - "Import": "Импортирање", "Import packages": "Импортирај пакети", "Import packages from a file": "Импортирајте пакети од датотека", - "Import settings from a local file": "Импортирајте подесувања од локална датотека", - "In order to add packages to a bundle, you will need to: ": "За да додадете пакети во збирка, ќе треба да: ", "Initializing WingetUI...": "Иницијализирање на WingetUI...", - "Install": "инсталирај", - "install": "инсталирај", - "Install Scoop": "Инсталирај Scoop", "Install and more": "Инсталирај и повеќе", "Install and update preferences": "Поставки за инсталација и ажурирање", - "Install as administrator": "Инсталирај како администратор", - "Install available updates automatically": "Автоматски инсталирај достапни ажурирања", - "Install location can't be changed for {0} packages": "Локацијата за инсталација не може да се смени за пакетите {0}", - "Install location:": "Локација на инсталација:", - "Install options": "Опции за инсталација", "Install packages from a file": "Инсталирајте пакети од датотека", - "Install prerelease versions of UniGetUI": "Инсталирај предиздавачки верзии на UniGetUI", - "Install script": "Инсталациска скрипта", "Install selected packages": "Инсталирај ги избраните пакети", "Install selected packages with administrator privileges": "Инсталирај ги избраните пакети со администраторски привилегии", - "Install selection": "Инсталирај го избраното", "Install the latest prerelease version": "Инсталирај ја најновата предиздавачка верзија", "Install updates automatically": "Автоматски инсталирај ажурирања", - "Install {0}": "Инсталирај {0}", "Installation canceled by the user!": "Инсталацијата е откажана од корисникот!", - "Installation failed": "Инсталацијата не успеа", - "Installation options": "Опции за инсталација", - "Installation scope:": "Опсег на инсталација:", - "Installation succeeded": "Инсталацијата успеа", - "Installed Packages": "Инсталирани пакети", "Installed packages": "Инсталирани пакети", - "Installed Version": "Инсталирана верзија", - "Installer SHA256": "SHA256 инсталатер", - "Installer SHA512": "SHA512 инсталатер", - "Installer Type": "Тип на инсталатер", - "Installer URL": "URL инсталатер", - "Installer not available": "Инсталаторот не е достапен", "Instance {0} responded, quitting...": "Инстанцата {0} одговори, откажување...", - "Instant search": "Инстант пребарување", - "Integrity checks can be disabled from the Experimental Settings": "Проверките на интегритет можат да се оневозможат од Експерименталните поставки", - "Integrity checks skipped": "Проверките на интегритет се прескокнати", - "Integrity checks will not be performed during this operation": "Проверките на интегритет нема да се извршат за време на оваа операција", - "Interactive installation": "Интерактивна инсталација", - "Interactive operation": "Интерактивна операција", - "Interactive uninstall": "Интерактивна деинсталација", - "Interactive update": "Интерактивно ажурирање", - "Internet connection settings": "Поставки за интернет конекција", - "Invalid selection": "Невалиден избор", "Is this package missing the icon?": "Дали на овој пакет му недостасува икона?", - "Is your language missing or incomplete?": "Дали вашиот јазик недостасува или е нецелосен?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не е загарантирано дека внесените акредитиви ќе се чуваат безбедно, затоа не користете ги акредитивите од вашата банкарска сметка", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Препорачливо е да го рестартирате UniGetUI откако WinGet ќе биде поправен", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Силно се препорачува повторно да го инсталирате UniGetUI за да се реши ситуацијата.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Изгледа дека WinGet не работи правилно. Дали сакате да се обидете да го поправите WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Изгледа дека го имате пуштено WingetUI како администратор, што не се препорачува. Сè уште можете да ја користите програмата, но топло ви препорачуваме да не го стартувате WingetUI со администраторски привилегии. Кликнете на „{showDetails}“ за да видите зошто.", - "Language": "Јазик", - "Language, theme and other miscellaneous preferences": "Јазик, тема и останати поставки", - "Last updated:": "Последно ажурирање:", - "Latest": "Најнова", "Latest Version": "Најнова верзија", "Latest Version:": "Најнова верзија:", "Latest details...": "Најнови детали...", "Launching subprocess...": "Се стартува потпроцес...", - "Leave empty for default": "Оставете празно за стандардно", - "License": "Лиценца", "Licenses": "Лиценци", - "Light": "Светла", - "List": "Листа", "Live command-line output": "Излез од командна линија во живо", - "Live output": "Излез во живо", "Loading UI components...": "Се вчитуваат UI компонентите...", "Loading WingetUI...": "Се вчитува WingetUI...", - "Loading packages": "Се вчитуваат пакети", - "Loading packages, please wait...": "Се вчитуваат пакети, почекајте...", - "Loading...": "Се вчитува...", - "Local": "Локално", - "Local PC": "Локален компјутер", - "Local backup advanced options": "Напредни опции за локална резервна копија", "Local machine": "Локална машина", - "Local package backup": "Локална резервна копија на пакети", "Locating {pm}...": "Се лоцира {pm}...", - "Log in": "Најави се", - "Log in failed: ": "Најавувањето не успеа: ", - "Log in to enable cloud backup": "Најавете се за да овозможите резервна копија во облак", - "Log in with GitHub": "Најави се со GitHub", - "Log in with GitHub to enable cloud package backup.": "Најавете се со GitHub за да овозможите резервна копија на пакети во облак.", - "Log level:": "Ниво на дневник:", - "Log out": "Одјави се", - "Log out failed: ": "Одјавувањето не успеа: ", - "Log out from GitHub": "Одјави се од GitHub", "Looking for packages...": "Се бараат пакети...", "Machine | Global": "Машина | Глобално", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправилно оформените аргументи на командната линија можат да ги расипат пакетите, па дури и да му дозволат на злонамерен актер да добие привилегирано извршување. Затоа, увозот на сопствени аргументи на командната линија е стандардно оневозможен.", - "Manage": "Управувај", - "Manage UniGetUI settings": "Управувај со поставките на UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Управувај со автоматското стартување на UniGetUI од апликацијата Поставки", "Manage ignored packages": "Управувајте со игнорирани пакети", - "Manage ignored updates": "Управувајте со игнорираните ажурирања", - "Manage shortcuts": "Управувај со кратенки", - "Manage telemetry settings": "Управувај со поставките за телеметрија", - "Manage {0} sources": "Управувајте со {0} извори", - "Manifest": "Манифест", "Manifests": "Манифести", - "Manual scan": "Рачно скенирање", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Официјален менаџер на пакети на Microsoft. Полн со добро познати и проверени пакети
Содржи: Општ софтвер, апликации од Microsoft Store", - "Missing dependency": "Недостасува зависност", - "More": "Повеќе", - "More details": "Повеќе детали", - "More details about the shared data and how it will be processed": "Повеќе детали за споделените податоци и како ќе бидат обработени", - "More info": "Повеќе информации", - "More than 1 package was selected": "Избрани беа повеќе од 1 пакет", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ЗАБЕЛЕШКА: Овој решавач на проблеми може да се оневозможи од Поставките на UniGetUI, во делот за WinGet", - "Name": "Име", - "New": "Ново", "New Version": "Нова верзија", - "New version": "Нова верзија", "New bundle": "Нова збирка", - "Nice! Backups will be uploaded to a private gist on your account": "Одлично! Резервните копии ќе се прикачуваат во приватен gist на вашата сметка", - "No": "Не", - "No applicable installer was found for the package {0}": "Не беше пронајден соодветен инсталатор за пакетот {0}", - "No dependencies specified": "Нема наведени зависности", - "No new shortcuts were found during the scan.": "Не беа пронајдени нови кратенки при скенирањето.", - "No package was selected": "Не беше избран пакет", "No packages found": "Не се пронајдени пакети", "No packages found matching the input criteria": "Не се пронајдени пакети што одговараат на внесените критериуми", "No packages have been added yet": "Сè уште не се додадени пакети", "No packages selected": "Нема избрани пакети", - "No packages were found": "Не беа пронајдени пакети", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Не се собираат ниту се испраќаат лични информации, а собраните податоци се анонимизирани, па не можат да се поврзат назад со вас.", - "No results were found matching the input criteria": "Не беа пронајдени резултати што одговараат на внесените критериуми", "No sources found": "Не беа пронајдени извори", "No sources were found": "Не беа пронајдени извори", "No updates are available": "Нема достапни ажурирања", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS управувач со пакети. Полн со библиотеки и други алатки што орбитираат околу светот на Javascript
Содржи: Библиотеки на Node javascript и други поврзани алатки", - "Not available": "Не е достапно", - "Not finding the file you are looking for? Make sure it has been added to path.": "Не ја наоѓате датотеката што ја барате? Проверете дали е додадена во path.", - "Not found": "Не е пронајдено", - "Not right now": "Не сега", "Notes:": "Белешки:", - "Notification preferences": "Поставки за известувања", "Notification tray options": "Опции за фиоката за известувања", - "Notification types": "Типови известувања", - "NuPkg (zipped manifest)": "NuPkg (спакуван манифест)", - "OK": "Во ред", "Ok": "Во ред", - "Open": "Отвори", "Open GitHub": "Отвори GitHub", - "Open UniGetUI": "Отвори UniGetUI", - "Open UniGetUI security settings": "Отвори ги безбедносните поставки на UniGetUI", "Open WingetUI": "Отвори UniGetUI", "Open backup location": "Отвори ја локацијата за резервни копии", "Open existing bundle": "Отвори постоечка збирка", - "Open install location": "Отвори локација на инсталација", "Open the welcome wizard": "Отвори го волшебникот за добредојде", - "Operation canceled by user": "Операцијата е откажана од корисникот", "Operation cancelled": "Операцијата е откажана", - "Operation history": "Историја на операции", - "Operation in progress": "Операција во тек", - "Operation on queue (position {0})...": "Операција во редица (позиција {0})...", - "Operation profile:": "Профил на операцијата:", "Options saved": "Опциите се зачувани", - "Order by:": "Подреди по:", - "Other": "Друго", - "Other settings": "Други поставки", - "Package": "Пакет", - "Package Bundles": "Збирки на пакети", - "Package ID": "ИД на пакетот", "Package Manager": "Менаџер на пакети", - "Package manager": "Менаџер на пакети", - "Package Manager logs": "Дневници на менаџерот на пакети", - "Package Managers": "Менаџери на пакети", "Package managers": "Менаџери на пакети", - "Package Name": "Име на пакетот", - "Package backup": "Резервна копија на пакети", - "Package backup settings": "Поставки за резервна копија на пакети", - "Package bundle": "Збирка на пакети", - "Package details": "Детали за пакетот", - "Package lists": "Списоци на пакети", - "Package management made easy": "Лесно управување со пакети", - "Package manager preferences": "Поставки на менаџерот на пакети", - "Package not found": "Пакетот не е пронајден", - "Package operation preferences": "Поставки за операции со пакети", - "Package update preferences": "Поставки за ажурирање на пакети", "Package {name} from {manager}": "Пакетот {name} од {manager}", - "Package's default": "Стандардно за пакетот", "Packages": "Пакети", "Packages found: {0}": "Пронајдени пакети: {0}", - "Partially": "Делумно", - "Password": "Лозинка", "Paste a valid URL to the database": "Залепете валидно URL во базата на податоци", - "Pause updates for": "Паузирај ажурирања за", "Perform a backup now": "Направи резервна копија сега", - "Perform a cloud backup now": "Направи резервна копија во облак сега", - "Perform a local backup now": "Направи локална резервна копија сега", - "Perform integrity checks at startup": "Изврши проверки на интегритет при стартување", - "Performing backup, please wait...": "Се прави резервна копија, почекајте...", "Periodically perform a backup of the installed packages": "Периодично прави резервна копија на инсталираните пакети", - "Periodically perform a cloud backup of the installed packages": "Периодично прави резервна копија во облак на инсталираните пакети", - "Periodically perform a local backup of the installed packages": "Периодично прави локална резервна копија на инсталираните пакети", - "Please check the installation options for this package and try again": "Проверете ги опциите за инсталација за овој пакет и обидете се повторно", - "Please click on \"Continue\" to continue": "Кликнете на \"Продолжи\" за да продолжите", "Please enter at least 3 characters": "Внесете најмалку 3 знаци", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Имајте во предвид дека одредени пакети можеби нема да можат да се инсталираат, поради менаџерите на пакети што се овозможени на оваа машина.", - "Please note that not all package managers may fully support this feature": "Имајте предвид дека не сите менаџери на пакети можеби целосно ја поддржуваат оваа функција", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Имајте во предвид дека пакети од одредени извори можеби не можат да се експортират. Тие се затемнети и нема да бидат експортирани.", - "Please run UniGetUI as a regular user and try again.": "Извршете го UniGetUI како обичен корисник и обидете се повторно.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Погледнете го Излезот од командна линија или Историјата на операции за повеќе информации за проблемот.", "Please select how you want to configure WingetUI": "Ве молиме изберете како сакате да го конфигурирате WingetUI", - "Please try again later": "Обидете се повторно подоцна", "Please type at least two characters": "Ве молиме внесете најмалку два знака", - "Please wait": "Почекајте", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Почекајте додека се инсталира {0}. Може да се појави црн прозорец. Почекајте додека не се затвори.", - "Please wait...": "Ве молиме почекајте...", "Portable": "Преносливо", - "Portable mode": "Пренослив режим\n", - "Post-install command:": "Команда по инсталација:", - "Post-uninstall command:": "Команда по деинсталација:", - "Post-update command:": "Команда по ажурирање:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Менаџерот на пакети на PowerShell. Пронајдете библиотеки и скрипти за проширување на можностите на PowerShell
Содржи: Модули, скрипти, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Командите пред и по инсталација можат да направат многу лоши работи на вашиот уред, ако се така дизајнирани. Може да биде многу опасно да увезувате команди од збирка, освен ако му верувате на изворот на таа збирка на пакети", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Командите пред и по инсталација ќе се извршуваат пред и по инсталирање, надградба или деинсталирање на пакет. Имајте предвид дека можат да предизвикаат проблеми ако не се користат внимателно", - "Pre-install command:": "Команда пред инсталација:", - "Pre-uninstall command:": "Команда пред деинсталација:", - "Pre-update command:": "Команда пред ажурирање:", - "PreRelease": "Предиздание", - "Preparing packages, please wait...": "Се подготвуваат пакетите, почекајте...", - "Proceed at your own risk.": "Продолжете на сопствен ризик.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забрани каков било вид на подигнување преку UniGetUI Elevator или GSudo", - "Proxy URL": "URL на прокси", - "Proxy compatibility table": "Табела за компатибилност со прокси", - "Proxy settings": "Поставки за прокси", - "Proxy settings, etc.": "Поставки за прокси итн.", "Publication date:": "Датум на објавување:", - "Publisher": "Издавач", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менаџер со библиотека на Python. Полн со библиотеки на Python и други алатки поврзани со Python
Содржи: библиотеки на Python и поврзани алатки", - "Quit": "Затвори", "Quit WingetUI": "Затвори UniGetUI", - "Ready": "Подготвено", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Намали ги UAC барањата, стандардно подигнувај инсталации, отклучи одредени опасни функции итн.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Погледнете ги дневниците на UniGetUI за повеќе детали за засегнатите датотеки", - "Reinstall": "Реинсталирај", - "Reinstall package": "Реинсталирај го пакетот", - "Related settings": "Поврзани поставки", - "Release notes": "Белешки за изданието", - "Release notes URL": "URL на белешките за изданието", "Release notes URL:": "URL на белешки за издавање:", "Release notes:": "Белешки за изданието:", "Reload": "Вчитај повторно", - "Reload log": "Повторно вчитајте го дневникот", "Removal failed": "Отстранувањето не успеа", "Removal succeeded": "Отстранувањето успеа", - "Remove from list": "Отстрани од списокот", "Remove permanent data": "Отстрани ги трајните податоци", - "Remove selection from bundle": "Отстрани го избраното од збирката", "Remove successful installs/uninstalls/updates from the installation list": "Отстранете ги успешните инсталации/деинсталации/ажурирања од списокот за инсталација", - "Removing source {source}": "Се отстранува изворот {source}", - "Removing source {source} from {manager}": "Се отстранува изворот {source} од {manager}", - "Repair UniGetUI": "Поправи UniGetUI", - "Repair WinGet": "Поправи WinGet", - "Report an issue or submit a feature request": "Пријави проблем или испрати барање за функција", "Repository": "Репозиториум", - "Reset": "Ресетирај", "Reset Scoop's global app cache": "Ресетирај го глобалниот апликациски кеш на Scoop", - "Reset UniGetUI": "Ресетирај го UniGetUI", - "Reset WinGet": "Ресетирај го WinGet", "Reset Winget sources (might help if no packages are listed)": "Ресетирај ги изворите на Winget (може да помогне ако нема наведени пакети)", - "Reset WingetUI": "Ресетирај го WingetUI", "Reset WingetUI and its preferences": "Ресетирај го WingetUI и неговите поставки", "Reset WingetUI icon and screenshot cache": "Ресетирајте го WingetUI кешот за икони и слики од екранот", - "Reset list": "Ресетирај список", "Resetting Winget sources - WingetUI": "Се ресетираат изворите на WinGet - UniGetUI", - "Restart": "Рестартирај", - "Restart UniGetUI": "Рестартирај го UniGetUI", - "Restart WingetUI": "Рестартирај го WingetUI", - "Restart WingetUI to fully apply changes": "Рестартирајте го WingetUI за целосно применување на промените", - "Restart later": "Рестартирај подоцна", "Restart now": "Рестартирај сега", - "Restart required": "Потребно е рестартирање", "Restart your PC to finish installation": "Рестартирајте го компјутерот за да ја завршите инсталацијата", "Restart your computer to finish the installation": "Рестартирајте го компјутерот за да ја завршите инсталацијата", - "Restore a backup from the cloud": "Врати резервна копија од облакот", - "Restrictions on package managers": "Ограничувања на менаџерите на пакети", - "Restrictions on package operations": "Ограничувања на операциите со пакети", - "Restrictions when importing package bundles": "Ограничувања при увоз на збирки на пакети", - "Retry": "Обидете се повторно", - "Retry as administrator": "Обиди се повторно како администратор", "Retry failed operations": "Повтори неуспешни операции", - "Retry interactively": "Повтори интерактивно", - "Retry skipping integrity checks": "Повтори со прескокнување на проверките на интегритет", "Retrying, please wait...": "Се обидува повторно, почекајте...", "Return to top": "Врати се горе", - "Run": "Изврши", - "Run as admin": "Стартувај како администратор", - "Run cleanup and clear cache": "Изврши чистење и избриши кеш", - "Run last": "Изврши последно", - "Run next": "Изврши следно", - "Run now": "Изврши сега", "Running the installer...": "Се извршува инсталатерот...", "Running the uninstaller...": "Се извршува деинсталаторот...", "Running the updater...": "Се извршува ажурирачот...", - "Save": "Зачувај", "Save File": "Зачувај датотека", - "Save and close": "Зачувај и затвори", - "Save as": "Зачувај како", - "Save bundle as": "Зачувај ја збирката како", - "Save now": "Зачувај сега", - "Saving packages, please wait...": "Се зачувуваат пакетите, почекајте...", - "Scoop Installer - WingetUI": "Scoop инсталатор - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop деинсталатор - UniGetUI", - "Scoop package": "Scoop пакет", + "Save bundle as": "Зачувај ја збирката како", + "Save now": "Зачувај сега", "Search": "Пребарување", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Пребарај софтвер за десктоп, предупреди ме кога има достапни ажурирања и не прави чудни работи. Не сакам WingetUI да прекомплицира, сакам само едноставна продавница за софтвер", - "Search for packages": "Пребарај пакети", - "Search for packages to start": "Пребарај пакети за да започнете", - "Search mode": "Режим на пребарување", "Search on available updates": "Пребарувај на достапни ажурирања", "Search on your software": "Пребарај во вашиот софтвер", "Searching for installed packages...": "Се пребаруваат инсталирани пакети...", "Searching for packages...": "Се бараат пакети...", "Searching for updates...": "Се бараат ажурирања...", - "Select": "Избери", "Select \"{item}\" to add your custom bucket": "Изберете „{item}“ за да ја додадете вашата прилагодена кофа", "Select a folder": "Изберете папка", - "Select all": "Избери сè", "Select all packages": "Избери ги сите пакети", - "Select backup": "Избери резервна копија", "Select only if you know what you are doing.": "Изберете само ако знаете што правите.", "Select package file": "Изберете пакет датотека", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Изберете ја резервната копија што сакате да ја отворите. Подоцна ќе можете да прегледате кои пакети сакате да ги инсталирате.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Изберете ја извршната датотека што ќе се користи. Следниот список ги прикажува извршните датотеки пронајдени од UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Изберете ги процесите што треба да се затворат пред овој пакет да биде инсталиран, ажуриран или деинсталиран.", - "Select the source you want to add:": "Изберете го изворот што сакате да го додадете:", - "Select upgradable packages by default": "Стандардно избирај пакети што можат да се ажурираат", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Изберете кои менаџери на пакети да се користат ({0}), конфигурирајте како се инсталираат пакетите, управувајте со администраторските права итн.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Испратено ракување. Се чека одговор од слушателот на инстанцата... ({0}%)", - "Set a custom backup file name": "Постави сопствено име на резервната датотека", "Set custom backup file name": "Поставете име на резервната датотека", - "Settings": "Поставки", - "Share": "Сподели", "Share WingetUI": "Сподели UniGetUI", - "Share anonymous usage data": "Сподели анонимни податоци за користење", - "Share this package": "Споделете го овој пакет", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ако ги измените безбедносните поставки, ќе треба повторно да ја отворите збирката за да стапат промените на сила.", "Show UniGetUI on the system tray": "Прикажи го UniGetUI во системската фиока", - "Show UniGetUI's version and build number on the titlebar.": "Прикажи ги верзијата и бројот на издание на UniGetUI во насловната лента.", - "Show WingetUI": "Прикажи го WingetUI", "Show a notification when an installation fails": "Прикажи известување кога инсталација не успее", "Show a notification when an installation finishes successfully": "Прикажи известување кога инсталацијата ќе заврши успешно", - "Show a notification when an operation fails": "Прикажи известување кога операција ќе не успее", - "Show a notification when an operation finishes successfully": "Прикажи известување кога операција ќе заврши успешно", - "Show a notification when there are available updates": "Прикажи известување кога има достапни ажурирања", - "Show a silent notification when an operation is running": "Прикажи тивко известување додека трае операција", "Show details": "Прикажи детали", - "Show in explorer": "Прикажи во Explorer", "Show info about the package on the Updates tab": "Прикажи информации за пакетот на јазичето Ажурирања", "Show missing translation strings": "Прикажи ги преводите што недостасуваат", - "Show notifications on different events": "Прикажувај известувања при различни настани", "Show package details": "Прикажи детали за пакетот", - "Show package icons on package lists": "Прикажувај икони на пакетите во списоците со пакети", - "Show similar packages": "Прикажи слични пакети", "Show the live output": "Прикажи го излезот во живо", - "Size": "Големина", "Skip": "Прескокни", - "Skip hash check": "Прескокни ја проверката на хашот", - "Skip hash checks": "Прескокни проверки на хаш", - "Skip integrity checks": "Прескокни проверки на интегритет", - "Skip minor updates for this package": "Прескокни помали ажурирања за овој пакет", "Skip the hash check when installing the selected packages": "Прескокни ја проверката на хашот при инсталирање на избраните пакети", "Skip the hash check when updating the selected packages": "Прескокни ја проверката на хашот при ажурирање на избраните пакети", - "Skip this version": "Прескокни ја оваа верзија", - "Software Updates": "Софтверски ажурирања", - "Something went wrong": "Нешто тргна наопаку", - "Something went wrong while launching the updater.": "Нешто тргна наопаку при стартување на ажурирачот.", - "Source": "Извор", - "Source URL:": "URL на изворот:", - "Source added successfully": "Изворот е успешно додаден", "Source addition failed": "Додавањето на изворот не успеа", - "Source name:": "Име на изворот:", "Source removal failed": "Отстранувањето на изворот не успеа", - "Source removed successfully": "Изворот е успешно отстранет", "Source:": "Извор:", - "Sources": "Извори", "Start": "Почни", "Starting daemons...": "Се креваат позадински сервиси...", - "Starting operation...": "Се започнува операцијата...", "Startup options": "Поставки при стартување", "Status": "Статус", "Stuck here? Skip initialization": "Заглавени сте тука? Прескокнете ја иницијализацијата", - "Success!": "Успех!", "Suport the developer": "Поддржете го програмерот", "Support me": "Поддржи ме", "Support the developer": "Поддржи го развивачот", "Systems are now ready to go!": "Системите се сега подготвени за работа!", - "Telemetry": "Телеметрија", - "Text": "Текст", "Text file": "Текстуална датотека", - "Thank you ❤": "Ви благодарам ❤", "Thank you 😉": "Ви благодарам 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Менаџерот на пакети за Rust.
Содржи: Rust библиотеки и програми напишани на Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Резервната копија НЕМА да вклучува никаква бинарна датотека ниту зачувани податоци од било која програма.", - "The backup will be performed after login.": "Резервната копија ќе биде креирана по најавување.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервната копија ќе ја вклучи целосната листа на инсталирани пакети и нивните опции за инсталација. Ќе се зачуваат и игнорираните ажурирања и прескокнатите верзии.", - "The bundle was created successfully on {0}": "Збирката е успешно создадена на {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Збирката што се обидувате да ја вчитате изгледа невалидна. Проверете ја датотеката и обидете се повторно.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Контролната сума на инсталаторот не се совпаѓа со очекуваната вредност и автентичноста на инсталаторот не може да се потврди. Ако му верувате на издавачот, {0} го пакетот повторно со прескокнување на проверката на хашот.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класичниот менаџер на пакети за Windows. Таму ќе најдете сè.
Содржи: Општ софтвер", - "The cloud backup completed successfully.": "Резервната копија во облак заврши успешно.", - "The cloud backup has been loaded successfully.": "Резервната копија во облак е успешно вчитана.", - "The current bundle has no packages. Add some packages to get started": "Тековната збирка нема пакети. Додајте неколку пакети за да започнете", - "The executable file for {0} was not found": "Извршната датотека за {0} не беше пронајдена", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следниве опции ќе се применуваат стандардно секогаш кога пакет {0} ќе се инсталира, надгради или деинсталира.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Следниве пакети ќе се експортираат во JSON датотека. Нема да се зачуваат кориснички податоци или бинарни датотеки.", "The following packages are going to be installed on your system.": "Следните пакети ќе бидат инсталирани на вашиот систем.", - "The following settings may pose a security risk, hence they are disabled by default.": "Следниве поставки можат да претставуваат безбедносен ризик, па затоа се стандардно оневозможени.", - "The following settings will be applied each time this package is installed, updated or removed.": "Следниве поставки ќе се применуваат секојпат кога овој пакет ќе се инсталира, ажурира или отстрани.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Следниве поставки ќе се применуваат секојпат кога овој пакет ќе се инсталира, ажурира или отстрани. Тие ќе се зачувуваат автоматски.", "The icons and screenshots are maintained by users like you!": "Иконите и сликите од екранот се одржуваат од корисници како вас!", - "The installation script saved to {0}": "Инсталациската скрипта е зачувана во {0}", - "The installer authenticity could not be verified.": "Автентичноста на инсталаторот не можеше да се потврди.", "The installer has an invalid checksum": "Инсталаторот има невалидна контролна сума", "The installer hash does not match the expected value.": "Хашот на инсталаторот не се совпаѓа со очекуваната вредност.", - "The local icon cache currently takes {0} MB": "Локалниот кеш на икони моментално зафаќа {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Главната цел на овој проект е да создаде интуитивен интерфејс за управување со најчестите CLI менаџери на пакети за Windows, како WinGet и Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакетот \"{0}\" не беше пронајден во менаџерот на пакети \"{1}\"", - "The package bundle could not be created due to an error.": "Збирката на пакети не можеше да се создаде поради грешка.", - "The package bundle is not valid": "Збирката на пакети не е валидна", - "The package manager \"{0}\" is disabled": "Менаџерот на пакети \"{0}\" е оневозможен", - "The package manager \"{0}\" was not found": "Менаџерот на пакети \"{0}\" не беше пронајден", "The package {0} from {1} was not found.": "Пакетот {0} од {1} не беше пронајден.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакетите наведени овде нема да се земат во предвид при проверка за ажурирања. Кликнете двапати на нив или кликнете на копчето на нивната десна страна за да престанете да ги игнорирате нивните ажурирања.", "The selected packages have been blacklisted": "Избраните пакети се ставени на црна листа", - "The settings will list, in their descriptions, the potential security issues they may have.": "Поставките во своите описи ќе ги наведат потенцијалните безбедносни проблеми што можат да ги имаат.", - "The size of the backup is estimated to be less than 1MB.": "Големината на резервната копија се проценува дека е помала од 1MB.", - "The source {source} was added to {manager} successfully": "Изворот {source} е успешно додаден во {manager}", - "The source {source} was removed from {manager} successfully": "Изворот {source} е успешно отстранет од {manager}", - "The system tray icon must be enabled in order for notifications to work": "Иконата во системската фиока мора да биде овозможена за известувањата да работат", - "The update process has been aborted.": "Процесот на ажурирање е прекинат.", - "The update process will start after closing UniGetUI": "Процесот на ажурирање ќе започне по затворањето на UniGetUI", "The update will be installed upon closing WingetUI": "Ажурирањето ќе се инсталира при затворање на UniGetUI", "The update will not continue.": "Ажурирањето нема да продолжи.", "The user has canceled {0}, that was a requirement for {1} to be run": "Корисникот го откажа {0}, а тоа беше услов за извршување на {1}", - "There are no new UniGetUI versions to be installed": "Нема нови верзии на UniGetUI за инсталација", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Во тек се операции. Затворањето на UniGetUI може да предизвика нивен неуспех. Дали сакате да продолжите?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Има неколку одлични видеа на YouTube кои го прикажуваат WingetUI и неговите способности. Може да научите корисни трикови и совети!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Постојат две главни причини да не се извршува WingetUI како администратор:\n Првата е дека Scoop менаџерот на пакети може да предизвика проблеми со некои команди кога работи со администраторски права.\n Втората е дека извршувањето на WingetUI како администратор значи дека секој пакет што ќе го преземете ќе се извршува како администратор, а тоа не е безбедно.\n Запомнете дека, ако треба да инсталирате одреден пакет како администратор, секогаш можете да кликнете со десното копче на ставката -> Инсталирај/Ажурирај/Деинсталирај како администратор.", - "There is an error with the configuration of the package manager \"{0}\"": "Има грешка во конфигурацијата на менаџерот на пакети \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Во тек е инсталација. Ако го затворите UniGetUI, инсталацијата може да не успее и да има неочекувани резултати. Дали сè уште сакате да го затворите UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Тие се програмите задолжени за инсталирање, ажурирање и отстранување на пакети.", - "Third-party licenses": "Лиценци од трети страни", "This could represent a security risk.": "Ова може да претставува безбедносен ризик.", - "This is not recommended.": "Ова не се препорачува.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ова веројатно се должи на тоа што пакетот што ви е испратен е отстранет или е објавен на менаџер на пакети што не ви е овозможен. Добиениот ID е {0}", "This is the default choice.": "Ова е стандардниот избор.", - "This may help if WinGet packages are not shown": "Ова може да помогне ако пакетите на WinGet не се прикажуваат", - "This may help if no packages are listed": "Ова може да помогне ако не се прикажуваат пакети", - "This may take a minute or two": "Ова може да потрае една или две минути", - "This operation is running interactively.": "Оваа операција се извршува интерактивно.", - "This operation is running with administrator privileges.": "Оваа операција се извршува со администраторски привилегии.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Оваа опција ЌЕ предизвика проблеми. Секоја операција што не може самата да се подигне ЌЕ НЕ УСПЕЕ. Инсталирање/ажурирање/деинсталирање како администратор НЕМА ДА РАБОТИ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Оваа збирка на пакети имаше некои потенцијално опасни поставки, кои стандардно можат да бидат игнорирани.", "This package can be updated": "Овој пакет може да се ажурира", "This package can be updated to version {0}": "Овој пакет може да се ажурира на верзија {0}", - "This package can be upgraded to version {0}": "Овој пакет може да се надгради на верзија {0}", - "This package cannot be installed from an elevated context.": "Овој пакет не може да се инсталира од подигнат контекст.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Овој пакет нема слики од екранот или му недостасува икона? Придонесете кон UniGetUI со додавање на иконите и сликите од екранот што недостасуваат во нашата отворена, јавна база на податоци.", - "This package is already installed": "Овој пакет е веќе инсталиран", - "This package is being processed": "Овој пакет се обработува", - "This package is not available": "Овој пакет не е достапен", - "This package is on the queue": "Овој пакет е во редицата", "This process is running with administrator privileges": "Овој процес се извршува со администраторски права", - "This project has no connection with the official {0} project — it's completely unofficial.": "Овој проект нема никаква поврзаност со официјалниот {0} проект — целосно е неофицијален.", "This setting is disabled": "Оваа поставка е оневозможена", "This wizard will help you configure and customize WingetUI!": "Овој волшебник ќе ви помогне да го конфигурирате и приспособите WingetUI!", "Toggle search filters pane": "Промени го приказот на панелот за филтри за пребарување", - "Translators": "Преведувачи", - "Try to kill the processes that refuse to close when requested to": "Обиди се да ги прекинеш процесите што одбиваат да се затворат кога ќе им биде побарано", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Овозможувањето на оваа опција дозволува промена на извршната датотека што се користи за работа со менаџерите на пакети. Иако ова овозможува пофино приспособување на процесите на инсталација, може да биде и опасно", "Type here the name and the URL of the source you want to add, separed by a space.": "Внесете го овде името и URL-от на изворот што сакате да го додадете, одделени со празно место.", "Unable to find package": "Не може да се пронајде пакетот", "Unable to load informarion": "Не може да се вчитаат информациите", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI собира анонимни податоци за користење за да го подобри корисничкото искуство.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI собира анонимни податоци за користење со единствена цел да го разбере и подобри корисничкото искуство.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI откри нова кратенка на работната површина што може автоматски да се избрише.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ги откри следниве кратенки на работната површина што можат автоматски да се отстрануваат при идни надградби", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI откри {0} нови кратенки на работната површина што можат автоматски да се избришат.", - "UniGetUI is being updated...": "UniGetUI се ажурира...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не е поврзан со ниту еден од компатибилните менаџери на пакети. UniGetUI е независен проект.", - "UniGetUI on the background and system tray": "UniGetUI во заднина и системската фиока", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или некои од неговите компоненти недостасуваат или се оштетени.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "На UniGetUI му е потребен {0} за работа, но тој не беше пронајден на вашиот систем.", - "UniGetUI startup page:": "Почетна страница на UniGetUI:", - "UniGetUI updater": "Ажурирач на UniGetUI", - "UniGetUI version {0} is being downloaded.": "Се презема UniGetUI верзија {0}.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} е подготвен за инсталација.", - "Uninstall": "деинсталирај", - "uninstall": "деинсталирај", - "Uninstall Scoop (and its packages)": "Деинсталирај го Scoop (и неговите пакети)", "Uninstall and more": "Деинсталирај и повеќе", - "Uninstall and remove data": "Деинсталирај и отстрани податоци", - "Uninstall as administrator": "Деинсталирај како администратор", "Uninstall canceled by the user!": "Деинсталацијата е откажана од корисникот!", - "Uninstall failed": "Деинсталацијата не успеа", - "Uninstall options": "Опции за деинсталација", - "Uninstall package": "Деинсталирај го пакетот", - "Uninstall package, then reinstall it": "Деинсталирај го пакетот, а потоа повторно го инсталирај", - "Uninstall package, then update it": "Деинсталирај го пакетот, а потоа го ажурирај", - "Uninstall previous versions when updated": "Деинсталирај ги претходните верзии при ажурирање", - "Uninstall selected packages": "Деинсталирај ги избраните пакети", - "Uninstall selection": "Деинсталирај го избраното", - "Uninstall succeeded": "Деинсталацијата успеа", "Uninstall the selected packages with administrator privileges": "Деинсталирај ги избраните пакети со администраторски привилегии", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Пакетите што можат да се деинсталираат и имаат потекло наведено како \"{0}\" не се објавени на ниеден менаџер на пакети, па нема достапни информации за нив.", - "Unknown": "Непознато", - "Unknown size": "Непозната големина", - "Unset or unknown": "Непоставено или непознато", - "Up to date": "Ажурирано", - "Update": "Ажурирај", - "Update WingetUI automatically": "Ажурирај го WingetUI автоматски", - "Update all": "Ажурирај сè", "Update and more": "Ажурирај и повеќе", - "Update as administrator": "Ажурирај како администратор", - "Update check frequency, automatically install updates, etc.": "Фреквенција на проверка за ажурирања, автоматска инсталација на ажурирања итн.", - "Update checking": "Проверка за ажурирања", "Update date": "Датум на ажурирање", - "Update failed": "Ажурирањето не успеа", "Update found!": "Пронајдено е ажурирање!", - "Update now": "Ажурирај сега", - "Update options": "Опции за ажурирање", "Update package indexes on launch": "Ажурирај ги индексите на пакетите при стартување", "Update packages automatically": "Ажурирај ги пакетите автоматски", "Update selected packages": "Ажурирај ги избраните пакети", "Update selected packages with administrator privileges": "Ажурирајте ги избраните пакети со администраторски привилегии", - "Update selection": "Ажурирај го избраното", - "Update succeeded": "Ажурирањето успеа", - "Update to version {0}": "Ажурирај на верзија {0}", - "Update to {0} available": "Достапно е ажурирање на {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Автоматски ажурирај ги Git portfiles на vcpkg (бара инсталиран Git)", "Updates": "Ажурирања", "Updates available!": "Достапни се ажурирања!", - "Updates for this package are ignored": "Ажурирањата за овој пакет се игнорираат", - "Updates found!": "Најдени се ажурирањата!", "Updates preferences": "Поставки за ажурирања", "Updating WingetUI": "Ажурирање на WingetUI", "Url": "URL-адреса", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Користи го вградениот legacy WinGet наместо PowerShell CMDlets", - "Use a custom icon and screenshot database URL": "Користи сопствен URL за базата на икони и слики од екранот", "Use bundled WinGet instead of PowerShell CMDlets": "Користи го вградениот WinGet наместо PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Користи го вградениот WinGet наместо системскиот WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Користи инсталиран GSudo наместо UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Користи го инсталираниот GSudo наместо вградениот (потребно е рестартирање на апликацијата)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Користи legacy UniGetUI Elevator (оневозможи поддршка за AdminByRequest)", - "Use system Chocolatey": "Користи системски Chocolatey", "Use system Chocolatey (Needs a restart)": "Користете го системскиот Chocolatey (Потребно е рестартирање)", "Use system Winget (Needs a restart)": "Користете го системскиот Winget (Потребно е рестартирање)", "Use system Winget (System language must be set to english)": "Користи системски WinGet (јазикот на системот мора да биде поставен на English)", "Use the WinGet COM API to fetch packages": "Користи WinGet COM API за преземање пакети", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Користи го WinGet PowerShell модулот наместо WinGet COM API", - "Useful links": "Корисни врски", "User": "Корисник", - "User interface preferences": "Поставки за корисничкиот интерфејс", "User | Local": "Корисник | Локално", - "Username": "Корисничко име", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Користењето на UniGetUI подразбира прифаќање на GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Користењето на UniGetUI подразбира прифаќање на MIT лиценцата", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root не беше пронајден. Дефинирајте ја променливата на околина %VCPKG_ROOT% или поставете ја од Поставките на UniGetUI", "Vcpkg was not found on your system.": "Vcpkg не беше пронајден на вашиот систем.", - "Verbose": "Детално", - "Version": "Верзија", - "Version to install:": "Верзија за инсталирање:", - "Version:": "Верзија:", - "View GitHub Profile": "Погледни го GitHub профилот", "View WingetUI on GitHub": "Погледнете го WingetUI на GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Погледнете го изворниот код на UniGetUI. Оттаму можете да пријавите грешки или да предложите функции, па дури и директно да придонесете кон проектот UniGetUI", - "View mode:": "Режим на приказ:", - "View on UniGetUI": "Прикажи во UniGetUI", - "View page on browser": "Прикажи ја страницата во прелистувач", - "View {0} logs": "Погледни ги дневниците за {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Почекајте уредот да се поврзе на интернет пред да се обидете да извршите задачи што бараат интернет конекција.", "Waiting for other installations to finish...": "Се чека да завршат другите инсталации...", "Waiting for {0} to complete...": "Се чека {0} да заврши...", - "Warning": "Предупредување", - "Warning!": "Предупредување!", - "We are checking for updates.": "Проверуваме за ажурирања.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Не можевме да вчитаме детални информации за овој пакет, бидејќи не беше пронајден во ниту еден од вашите извори на пакети.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Не можевме да вчитаме детални информации за овој пакет, бидејќи не беше инсталиран од достапен менаџер на пакети.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Не можевме да го {action} {package}. Ве молиме обидете се повторно подоцна. Кликнете на „{showDetails}“ за да ги добиете дневниците од инсталатерот.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Не можевме да го {action} {package}. Ве молиме обидете се повторно подоцна. Кликнете на „{showDetails}“ за да ги добиете дневниците од деинсталаторот.", "We couldn't find any package": "Не можевме да пронајдеме ниту еден пакет", "Welcome to WingetUI": "Добредојдовте во WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "При масовна инсталација на пакети од збирка, инсталирај ги и пакетите што се веќе инсталирани", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Кога ќе се откријат нови кратенки, избриши ги автоматски наместо да го прикажуваш овој дијалог.", - "Which backup do you want to open?": "Која резервна копија сакате да ја отворите?", "Which package managers do you want to use?": "Кои менаџери на пакети сакате да ги користите?", "Which source do you want to add?": "Кој извор сакате да го додадете?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Иако WinGet може да се користи во UniGetUI, UniGetUI може да се користи и со други менаџери на пакети, што може да биде збунувачко. Во минатото WingetUI беше дизајниран да работи само со WinGet, но тоа повеќе не е така, па затоа WingetUI не го претставува она што овој проект сака да стане.", - "WinGet could not be repaired": "WinGet не можеше да се поправи", - "WinGet malfunction detected": "Откриен е проблем во WinGet", - "WinGet was repaired successfully": "WinGet е успешно поправен", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "WingetUI - Сè е ажурирано", "WingetUI - {0} updates are available": "WingetUI - {0} ажурирања се достапни", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Почетна страница на UniGetUI", "WingetUI Homepage - Share this link!": "Почетна страница на UniGetUI - Споделете ја оваа врска!", - "WingetUI License": "Лиценца на UniGetUI", - "WingetUI Log": "WingetUI дневник", - "WingetUI log": "WingetUI дневник", - "WingetUI Repository": "Репозиториум на UniGetUI", - "WingetUI Settings": "Поставки за WingetUI", "WingetUI Settings File": "Датотека со поставки на WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ги користи следниве библиотеки. Без нив, UniGetUI немаше да биде можен.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ги користи следниве библиотеки. Без нив, UniGetUI немаше да биде можен.", - "WingetUI Version {0}": "UniGetUI верзија {0}", "WingetUI autostart behaviour, application launch settings": "Однесување на автоматско стартување на WingetUI, поставки за стартување на апликацијата", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI може да провери дали вашиот софтвер има достапни ажурирања и да ги инсталира автоматски ако сакате", - "WingetUI display language:": "Јазик на приказ на WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI е извршен како администратор, што не се препорачува. Кога UniGetUI се извршува како администратор, СЕКОЈА операција стартувана од UniGetUI ќе има администраторски привилегии. Сè уште можете да ја користите програмата, но силно ви препорачуваме да не го извршувате UniGetUI со администраторски привилегии.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI е преведен на повеќе од 40 јазици благодарение на волонтерите преведувачи. Ви благодариме 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI не е преведен машински. За преводите беа задолжени следните корисници:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI е апликација што го олеснува управувањето со вашиот софтвер, обезбедувајќи сеопфатен графички интерфејс за вашите менаџери на пакети од командна линија.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI се преименува за да се нагласи разликата помеѓу UniGetUI (интерфејсот што го користите сега) и WinGet (менаџер на пакети развиен од Microsoft со кој не сум поврзан)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI се ажурира. Кога ќе заврши, WingetUI ќе се рестартира самиот", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI е бесплатен и ќе остане бесплатен засекогаш. Без реклами, без кредитна картичка, без премиум верзија. 100% бесплатно, засекогаш.", + "WingetUI log": "WingetUI дневник", "WingetUI tray application preferences": "Поставки за апликацијата UniGetUI во фиоката", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ги користи следниве библиотеки. Без нив, UniGetUI немаше да биде можен.", "WingetUI version {0} is being downloaded.": "Се презема UniGetUI верзија {0}.", "WingetUI will become {newname} soon!": "WingetUI наскоро ќе стане {newname}!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI нема повремено да проверува за ажурирања. Тие сепак ќе бидат проверени при стартување, но нема да бидете предупредени за нив.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI ќе прикаже UAC барање секогаш кога пакетот бара подигање за да се инсталира.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI наскоро ќе се вика {newname}. Ова нема да претставува никаква промена во апликацијата. Јас (развивачот) ќе продолжам со развојот на овој проект како и досега, но под друго име.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI не би бил возможен без помошта од нашите драги соработници. Проверете ги нивните GitHub профили, WingetUI не би бил возможен без нив!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI не би бил можен без помошта на придонесувачите. Ви благодарам на сите 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} е подготвен за инсталација.", - "Write here the process names here, separated by commas (,)": "Напишете ги овде имињата на процесите, разделени со запирки (,)", - "Yes": "Да", - "You are logged in as {0} (@{1})": "Најавени сте како {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Можете да го промените ова однесување во безбедносните поставки на UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можете да ги дефинирате командите што ќе се извршуваат пред или по инсталирање, ажурирање или деинсталирање на овој пакет. Тие ќе се извршуваат во command prompt, па CMD скриптите ќе работат тука.", - "You have currently version {0} installed": "Моментално ја имате инсталирано верзијата {0}", - "You have installed WingetUI Version {0}": "Ја имате инсталирано UniGetUI верзија {0}", - "You may lose unsaved data": "Може да изгубите незачувани податоци", - "You may need to install {pm} in order to use it with WingetUI.": "Можеби ќе треба да го инсталирате {pm} за да го користите со UniGetUI.", "You may restart your computer later if you wish": "Може да го рестартирате компјутерот подоцна ако сакате", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Ќе бидете прашани само еднаш, и администраторски права ќе им бидат доделени на пакетите што ќе ги побараат.", "You will be prompted only once, and every future installation will be elevated automatically.": "Ќе бидете прашани само еднаш, и секоја идна инсталација ќе се подигне автоматски.", - "You will likely need to interact with the installer.": "Веројатно ќе треба да комуницирате со инсталаторот.", - "[RAN AS ADMINISTRATOR]": "[ИЗВРШЕНО КАКО АДМИНИСТРАТОР]", "buy me a coffee": "купете кафе", - "extracted": "извлечено", - "feature": "функција", "formerly WingetUI": "порано WingetUI", + "homepage": "страна", + "install": "инсталирај", "installation": "инсталација", - "installed": "инсталирано", - "installing": "инсталирање", - "library": "библиотека", - "mandatory": "задолжително", - "option": "опција", - "optional": "опционално", + "uninstall": "деинсталирај", "uninstallation": "деинсталација", "uninstalled": "деинсталирано", - "uninstalling": "деинсталирање", "update(noun)": "ажурирање", "update(verb)": "ажурирај", "updated": "ажурирано", - "updating": "ажурирање", - "version {0}": "верзија {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Опциите за инсталација на {0} моментално се заклучени затоа што {0} ги следи стандардните опции за инсталација.", "{0} Uninstallation": "{0} Деинсталација", "{0} aborted": "{0} е прекинат", "{0} can be updated": "{0} може да се ажурира", - "{0} can be updated to version {1}": "{0} може да се ажурира на верзија {1}", - "{0} days": "{0} дена", - "{0} desktop shortcuts created": "Создадени се {0} кратенки на работната површина", "{0} failed": "{0} не успеа", - "{0} has been installed successfully.": "{0} е успешно инсталиран.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} е успешно инсталиран. Препорачливо е да го рестартирате UniGetUI за да се заврши инсталацијата", "{0} has failed, that was a requirement for {1} to be run": "{0} не успеа, а тоа беше услов за извршување на {1}", - "{0} homepage": "Почетна страница на {0}", - "{0} hours": "{0} часа", "{0} installation": "{0} инсталација", - "{0} installation options": "Опции за инсталација за {0}", - "{0} installer is being downloaded": "Се презема инсталаторот за {0}", - "{0} is being installed": "Се инсталира {0}", - "{0} is being uninstalled": "Се деинсталира {0}", "{0} is being updated": "{0} се ажурира", - "{0} is being updated to version {1}": "{0} се ажурира на верзија {1}", - "{0} is disabled": "{0} е оневозможен", - "{0} minutes": "{0} минути", "{0} months": "{0} месеци", - "{0} packages are being updated": "{0} пакети се ажурираат", - "{0} packages can be updated": "{0} пакети може да се ажурираат", "{0} packages found": "Пронајдени се {0} пакети", "{0} packages were found": "Беа пронајдени {0} пакети", - "{0} packages were found, {1} of which match the specified filters.": "Пронајдени се {0} пакети, од кои {1} одговараат на наведените филтри.", - "{0} selected": "Избрани се {0}", - "{0} settings": "Поставки за {0}", - "{0} status": "Статус на {0}", "{0} succeeded": "{0} успеа", "{0} update": "{0} ажурирање", - "{0} updates are available": "Достапни се {0} ажурирања", "{0} was {1} successfully!": "{0} беше успешно {1}!", "{0} weeks": "{0} недели", "{0} years": "{0} години", "{0} {1} failed": "{0} {1} не успеа", - "{package} Installation": "Инсталација на {package}", - "{package} Uninstall": "Деинсталација на {package}", - "{package} Update": "Ажурирање на {package}", - "{package} could not be installed": "{package} не можеше да се инсталира", - "{package} could not be uninstalled": "{package} не можеше да се деинсталира", - "{package} could not be updated": "{package} не можеше да се ажурира", "{package} installation failed": "Инсталацијата на {package} не успеа", - "{package} installer could not be downloaded": "Инсталаторот за {package} не можеше да се преземе", - "{package} installer download": "Преземање на инсталаторот за {package}", - "{package} installer was downloaded successfully": "Инсталаторот за {package} е успешно преземен", "{package} uninstall failed": "Деинсталацијата на {package} не успеа", "{package} update failed": "Ажурирањето на {package} не успеа", "{package} update failed. Click here for more details.": "Ажурирањето на {package} не успеа. Кликнете овде за повеќе детали.", - "{package} was installed successfully": "{package} е успешно инсталиран", - "{package} was uninstalled successfully": "{package} е успешно деинсталиран", - "{package} was updated successfully": "{package} е успешно ажуриран", - "{pcName} installed packages": "Инсталирани пакети на {pcName}", "{pm} could not be found": "Не можеше да се најде {pm}", "{pm} found: {state}": "Пронајдено {pm}: {state}", - "{pm} is disabled": "{pm} е оневозможен", - "{pm} is enabled and ready to go": "{pm} е овозможен и подготвен за работа", "{pm} package manager specific preferences": "Поставки специфични за {pm} менаџерот на пакети", "{pm} preferences": "Поставки за {pm}", - "{pm} version:": "Верзија на {pm}:", - "{pm} was not found!": "{pm} не беше пронајден!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Здраво, моето име е Марти, и јас сум програмерот на WingetUI. WingetUI е целосно направен во моето слободно време!", + "Thank you ❤": "Ви благодарам ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Овој проект нема никаква поврзаност со официјалниот {0} проект — целосно е неофицијален." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mr.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mr.json index eba4ea2b40..c220edf243 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mr.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_mr.json @@ -1,1074 +1,1075 @@ { - "\"{0}\" is a local package and can't be shared": null, - "\"{0}\" is a local package and does not have available details": null, - "\"{0}\" is a local package and is not compatible with this feature": null, - "(Last checked: {0})": null, - "(Number {0} in the queue)": null, - "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": null, - "0 packages found": null, - "0 updates found": null, - "1 - Errors": null, - "1 day": null, - "1 hour": null, - "1 month": null, - "1 package was found": null, - "1 update is available": null, - "1 week": null, - "1 year": null, - "1. Navigate to the \"{0}\" or \"{1}\" page.": null, - "2 - Warnings": null, - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": null, - "3 - Information (less)": null, - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": null, - "4 - Information (more)": null, - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": null, - "5 - information (debug)": null, - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": null, - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": null, - "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": null, - "A restart is required": null, - "Abort install if pre-install command fails": null, - "Abort uninstall if pre-uninstall command fails": null, - "Abort update if pre-update command fails": null, - "About": null, - "About Qt6": null, - "About WingetUI": null, - "About WingetUI version {0}": null, - "About the dev": null, - "Accept": null, - "Action when double-clicking packages, hide successful installations": null, - "Add": null, - "Add a source to {0}": null, - "Add a timestamp to the backup file names": null, - "Add a timestamp to the backup files": null, - "Add packages or open an existing bundle": null, - "Add packages or open an existing package bundle": null, - "Add packages to bundle": null, - "Add packages to start": null, - "Add selection to bundle": null, - "Add source": null, - "Add updates that fail with a 'no applicable update found' to the ignored updates list": null, - "Adding source {source}": null, - "Adding source {source} to {manager}": null, - "Addition succeeded": null, - "Administrator privileges": null, - "Administrator privileges preferences": null, - "Administrator rights": null, - "Administrator rights and other dangerous settings": null, - "Advanced options": null, - "All files": null, - "All versions": null, - "Allow changing the paths for package manager executables": null, - "Allow custom command-line arguments": null, - "Allow importing custom command-line arguments when importing packages from a bundle": null, - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": null, - "Allow package operations to be performed in parallel": null, - "Allow parallel installs (NOT RECOMMENDED)": null, - "Allow pre-release versions": null, - "Allow {pm} operations to be performed in parallel": null, - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": null, - "Always elevate {pm} installations by default": null, - "Always run {pm} operations with administrator rights": null, - "An error occurred": null, - "An error occurred when adding the source: ": null, - "An error occurred when attempting to show the package with Id {0}": null, - "An error occurred when checking for updates: ": null, - "An error occurred while attempting to create an installation script:": null, - "An error occurred while loading a backup: ": null, - "An error occurred while logging in: ": null, - "An error occurred while processing this package": null, - "An error occurred:": null, - "An interal error occurred. Please view the log for further details.": null, - "An unexpected error occurred:": null, - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": null, - "An update was found!": null, - "Android Subsystem": null, - "Another source": null, - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": null, - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": null, - "Any unsaved changes will be lost": null, - "App Name": null, - "Appearance": null, - "Application theme, startup page, package icons, clear successful installs automatically": null, - "Application theme:": null, - "Apply": null, - "Architecture to install:": null, - "Are these screenshots wron or blurry?": null, - "Are you really sure you want to enable this feature?": null, - "Are you sure you want to create a new package bundle? ": null, - "Are you sure you want to delete all shortcuts?": null, - "Are you sure?": null, - "Ascendant": null, - "Ask for administrator privileges once for each batch of operations": null, - "Ask for administrator rights when required": null, - "Ask once or always for administrator rights, elevate installations by default": null, - "Ask only once for administrator privileges": null, - "Ask only once for administrator privileges (not recommended)": null, - "Ask to delete desktop shortcuts created during an install or upgrade.": null, - "Attention required": null, - "Authenticate to the proxy with an user and a password": null, - "Author": null, - "Automatic desktop shortcut remover": null, - "Automatic updates": null, - "Automatically save a list of all your installed packages to easily restore them.": null, - "Automatically save a list of your installed packages on your computer.": null, - "Automatically update this package": null, - "Autostart WingetUI in the notifications area": null, - "Available Updates": null, - "Available updates: {0}": null, - "Available updates: {0}, not finished yet...": null, - "Backing up packages to GitHub Gist...": null, - "Backup": null, - "Backup Failed": null, - "Backup Successful": null, - "Backup and Restore": null, - "Backup installed packages": null, - "Backup location": null, - "Become a contributor": null, - "Become a translator": null, - "Begin the process to select a cloud backup and review which packages to restore": null, - "Beta features and other options that shouldn't be touched": null, - "Both": null, - "Bundle security report": null, - "But here are other things you can do to learn about WingetUI even more:": null, - "By toggling a package manager off, you will no longer be able to see or update its packages.": null, - "Cache administrator rights and elevate installers by default": null, - "Cache administrator rights, but elevate installers only when required": null, - "Cache was reset successfully!": null, - "Can't {0} {1}": null, - "Cancel": null, - "Cancel all operations": null, - "Change backup output directory": null, - "Change default options": null, - "Change how UniGetUI checks and installs available updates for your packages": null, - "Change how UniGetUI handles install, update and uninstall operations.": null, - "Change how UniGetUI installs packages, and checks and installs available updates": null, - "Change how operations request administrator rights": null, - "Change install location": null, - "Change this": null, - "Change this and unlock": null, - "Check for package updates periodically": null, - "Check for updates": null, - "Check for updates every:": null, - "Check for updates periodically": null, - "Check for updates regularly, and ask me what to do when updates are found.": null, - "Check for updates regularly, and automatically install available ones.": null, - "Check out my {0} and my {1}!": null, - "Check out some WingetUI overviews": null, - "Checking for other running instances...": null, - "Checking for updates...": null, - "Checking found instace(s)...": null, - "Choose how many operations shouls be performed in parallel": null, - "Clear cache": null, - "Clear finished operations": null, - "Clear selection": null, - "Clear successful operations": null, - "Clear successful operations from the operation list after a 5 second delay": null, - "Clear the local icon cache": null, - "Clearing Scoop cache - WingetUI": null, - "Clearing Scoop cache...": null, - "Click here for more details": null, - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": null, - "Close": null, - "Close UniGetUI to the system tray": null, - "Close WingetUI to the notification area": null, - "Cloud backup uses a private GitHub Gist to store a list of installed packages": null, - "Cloud package backup": null, - "Command-line Output": null, - "Command-line to run:": null, - "Compare query against": null, - "Compatible with authentication": null, - "Compatible with proxy": null, - "Component Information": null, - "Concurrency and execution": null, - "Connect the internet using a custom proxy": null, - "Continue": null, - "Contribute to the icon and screenshot repository": null, - "Contributors": null, - "Copy": null, - "Copy to clipboard": null, - "Could not add source": null, - "Could not add source {source} to {manager}": null, - "Could not back up packages to GitHub Gist: ": null, - "Could not create bundle": null, - "Could not load announcements - ": null, - "Could not load announcements - HTTP status code is $CODE": null, - "Could not remove source": null, - "Could not remove source {source} from {manager}": null, - "Could not remove {source} from {manager}": null, - "Create .ps1 script": null, - "Credentials": null, - "Current Version": null, - "Current executable file:": null, - "Current status: Not logged in": null, - "Current user": null, - "Custom arguments:": null, - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": null, - "Custom command-line arguments:": null, - "Custom install arguments:": null, - "Custom uninstall arguments:": null, - "Custom update arguments:": null, - "Customize WingetUI - for hackers and advanced users only": null, - "DEBUG BUILD": null, - "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": null, - "Dark": null, - "Decline": null, - "Default": null, - "Default installation options for {0} packages": null, - "Default preferences - suitable for regular users": null, - "Default vcpkg triplet": null, - "Delete?": null, - "Dependencies:": null, - "Descendant": null, - "Description:": null, - "Desktop shortcut created": null, - "Details of the report:": null, - "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": null, - "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": null, - "Disable new share API (port 7058)": null, - "Disable the 1-minute timeout for package-related operations": null, - "Disabled": null, - "Disclaimer": null, - "Discover Packages": null, - "Discover packages": null, - "Distinguish between\nuppercase and lowercase": null, - "Distinguish between uppercase and lowercase": null, - "Do NOT check for updates": null, - "Do an interactive install for the selected packages": null, - "Do an interactive uninstall for the selected packages": null, - "Do an interactive update for the selected packages": null, - "Do not automatically install updates when the battery saver is on": null, - "Do not automatically install updates when the device runs on battery": null, - "Do not automatically install updates when the network connection is metered": null, - "Do not download new app translations from GitHub automatically": null, - "Do not ignore updates for this package anymore": null, - "Do not remove successful operations from the list automatically": null, - "Do not show this dialog again for {0}": null, - "Do not update package indexes on launch": null, - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": null, - "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": null, - "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": null, - "Do you really want to reset this list? This action cannot be reverted.": null, - "Do you really want to uninstall the following {0} packages?": null, - "Do you really want to uninstall {0} packages?": null, - "Do you really want to uninstall {0}?": null, - "Do you want to restart your computer now?": null, - "Do you want to translate WingetUI to your language? See how to contribute HERE!": null, - "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": null, - "Donate": null, - "Done!": null, - "Download failed": null, - "Download installer": null, - "Download operations are not affected by this setting": null, - "Download selected installers": null, - "Download succeeded": null, - "Download updated language files from GitHub automatically": null, - "Downloading": null, - "Downloading backup...": null, - "Downloading installer for {package}": null, - "Downloading package metadata...": null, - "Enable Scoop cleanup on launch": null, - "Enable WingetUI notifications": null, - "Enable an [experimental] improved WinGet troubleshooter": null, - "Enable and disable package managers, change default install options, etc.": null, - "Enable background CPU Usage optimizations (see Pull Request #3278)": null, - "Enable background api (WingetUI Widgets and Sharing, port 7058)": null, - "Enable it to install packages from {pm}.": null, - "Enable the automatic WinGet troubleshooter": null, - "Enable the new UniGetUI-Branded UAC Elevator": null, - "Enable the new process input handler (StdIn automated closer)": null, - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": null, - "Enable {pm}": null, - "Enabled": null, - "Enter proxy URL here": null, - "Entries that show in RED will be IMPORTED.": null, - "Entries that show in YELLOW will be IGNORED.": null, - "Error": null, - "Everything is up to date": null, - "Exact match": null, - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": null, - "Expand version": null, - "Experimental settings and developer options": null, - "Export": null, - "Export log as a file": null, - "Export packages": null, - "Export selected packages to a file": null, - "Export settings to a local file": null, - "Export to a file": null, - "Failed": null, - "Fetching available backups...": null, - "Fetching latest announcements, please wait...": null, - "Filters": null, - "Finish": null, - "Follow system color scheme": null, - "Follow the default options when installing, upgrading or uninstalling this package": null, - "For security reasons, changing the executable file is disabled by default": null, - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": null, - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": null, - "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": null, - "Force install location parameter when updating packages with custom locations": null, - "Formerly known as WingetUI": null, - "Found": null, - "Found packages: ": null, - "Found packages: {0}": null, - "Found packages: {0}, not finished yet...": null, - "General preferences": null, - "GitHub profile": null, - "Global": null, - "Go to UniGetUI security settings": null, - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": null, - "Great! You are on the latest version.": null, - "Grid": null, - "Help": null, - "Help and documentation": null, - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": null, - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": null, - "Hide details": null, - "Homepage": null, - "Hooray! No updates were found.": null, - "How should installations that require administrator privileges be treated?": null, - "How to add packages to a bundle": null, - "I understand": null, - "Icons": null, - "Id": null, - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": null, - "Ignore custom pre-install and post-install commands when importing packages from a bundle": null, - "Ignore future updates for this package": null, - "Ignore packages from {pm} when showing a notification about updates": null, - "Ignore selected packages": null, - "Ignore special characters": null, - "Ignore updates for the selected packages": null, - "Ignore updates for this package": null, - "Ignored updates": null, - "Ignored version": null, - "Import": null, - "Import packages": null, - "Import packages from a file": null, - "Import settings from a local file": null, - "In order to add packages to a bundle, you will need to: ": null, - "Initializing WingetUI...": null, - "Install": null, - "Install Scoop": null, - "Install and more": null, - "Install and update preferences": null, - "Install as administrator": null, - "Install available updates automatically": null, - "Install location can't be changed for {0} packages": null, - "Install location:": null, - "Install options": null, - "Install packages from a file": null, - "Install prerelease versions of UniGetUI": null, - "Install script": null, - "Install selected packages": null, - "Install selected packages with administrator privileges": null, - "Install selection": null, - "Install the latest prerelease version": null, - "Install updates automatically": null, - "Install {0}": null, - "Installation canceled by the user!": null, - "Installation failed": null, - "Installation options": null, - "Installation scope:": null, - "Installation succeeded": null, - "Installed Packages": null, - "Installed Version": null, - "Installed packages": null, - "Installer SHA256": null, - "Installer SHA512": null, - "Installer Type": null, - "Installer URL": null, - "Installer not available": null, - "Instance {0} responded, quitting...": null, - "Instant search": null, - "Integrity checks can be disabled from the Experimental Settings": null, - "Integrity checks skipped": null, - "Integrity checks will not be performed during this operation": null, - "Interactive installation": null, - "Interactive operation": null, - "Interactive uninstall": null, - "Interactive update": null, - "Internet connection settings": null, - "Invalid selection": null, - "Is this package missing the icon?": null, - "Is your language missing or incomplete?": null, - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": null, - "It is recommended to restart UniGetUI after WinGet has been repaired": null, - "It is strongly recommended to reinstall UniGetUI to adress the situation.": null, - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": null, - "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": null, - "Language": null, - "Language, theme and other miscellaneous preferences": null, - "Last updated:": null, - "Latest": null, - "Latest Version": null, - "Latest Version:": null, - "Latest details...": null, - "Launching subprocess...": null, - "Leave empty for default": null, - "License": null, - "Licenses": null, - "Light": null, - "List": null, - "Live command-line output": null, - "Live output": null, - "Loading UI components...": null, - "Loading WingetUI...": null, - "Loading packages": null, - "Loading packages, please wait...": null, - "Loading...": null, - "Local": null, - "Local PC": null, - "Local backup advanced options": null, - "Local machine": null, - "Local package backup": null, - "Locating {pm}...": null, - "Log in": null, - "Log in failed: ": null, - "Log in to enable cloud backup": null, - "Log in with GitHub": null, - "Log in with GitHub to enable cloud package backup.": null, - "Log level:": null, - "Log out": null, - "Log out failed: ": null, - "Log out from GitHub": null, - "Looking for packages...": null, - "Machine | Global": null, - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": null, - "Manage": null, - "Manage UniGetUI settings": null, - "Manage WingetUI autostart behaviour from the Settings app": null, - "Manage ignored packages": null, - "Manage ignored updates": null, - "Manage shortcuts": null, - "Manage telemetry settings": null, - "Manage {0} sources": null, - "Manifest": null, - "Manifests": null, - "Manual scan": null, - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": null, - "Missing dependency": null, - "More": null, - "More details": null, - "More details about the shared data and how it will be processed": null, - "More info": null, - "More than 1 package was selected": null, - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": null, - "Name": null, - "New": null, - "New Version": null, - "New bundle": null, - "New version": null, - "Nice! Backups will be uploaded to a private gist on your account": null, - "No": null, - "No applicable installer was found for the package {0}": null, - "No dependencies specified": null, - "No new shortcuts were found during the scan.": null, - "No package was selected": null, - "No packages found": null, - "No packages found matching the input criteria": null, - "No packages have been added yet": null, - "No packages selected": null, - "No packages were found": null, - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": null, - "No results were found matching the input criteria": null, - "No sources found": null, - "No sources were found": null, - "No updates are available": null, - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": null, - "Not available": null, - "Not finding the file you are looking for? Make sure it has been added to path.": null, - "Not found": null, - "Not right now": null, - "Notes:": null, - "Notification preferences": null, - "Notification tray options": null, - "Notification types": null, - "NuPkg (zipped manifest)": null, - "OK": null, - "Ok": null, - "Open": null, - "Open GitHub": null, - "Open UniGetUI": null, - "Open UniGetUI security settings": null, - "Open WingetUI": null, - "Open backup location": null, - "Open existing bundle": null, - "Open install location": null, - "Open the welcome wizard": null, - "Operation canceled by user": null, - "Operation cancelled": null, - "Operation history": null, - "Operation in progress": null, - "Operation on queue (position {0})...": null, - "Operation profile:": null, - "Options saved": null, - "Order by:": null, - "Other": null, - "Other settings": null, - "Package": null, - "Package Bundles": null, - "Package ID": null, - "Package Manager": null, - "Package Manager logs": null, - "Package Managers": null, - "Package Name": null, - "Package backup": null, - "Package backup settings": null, - "Package bundle": null, - "Package details": null, - "Package lists": null, - "Package management made easy": null, - "Package manager": null, - "Package manager preferences": null, - "Package managers": null, - "Package not found": null, - "Package operation preferences": null, - "Package update preferences": null, - "Package {name} from {manager}": null, - "Package's default": null, - "Packages": null, - "Packages found: {0}": null, - "Partially": null, - "Password": null, - "Paste a valid URL to the database": null, - "Pause updates for": null, - "Perform a backup now": null, - "Perform a cloud backup now": null, - "Perform a local backup now": null, - "Perform integrity checks at startup": null, - "Performing backup, please wait...": null, - "Periodically perform a backup of the installed packages": null, - "Periodically perform a cloud backup of the installed packages": null, - "Periodically perform a local backup of the installed packages": null, - "Please check the installation options for this package and try again": null, - "Please click on \"Continue\" to continue": null, - "Please enter at least 3 characters": null, - "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": null, - "Please note that not all package managers may fully support this feature": null, - "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": null, - "Please run UniGetUI as a regular user and try again.": null, - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": null, - "Please select how you want to configure WingetUI": null, - "Please try again later": null, - "Please type at least two characters": null, - "Please wait": null, - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": null, - "Please wait...": null, - "Portable": null, - "Portable mode": null, - "Post-install command:": null, - "Post-uninstall command:": null, - "Post-update command:": null, - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": null, - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": null, - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": null, - "Pre-install command:": null, - "Pre-uninstall command:": null, - "Pre-update command:": null, - "PreRelease": null, - "Preparing packages, please wait...": null, - "Proceed at your own risk.": null, - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": null, - "Proxy URL": null, - "Proxy compatibility table": null, - "Proxy settings": null, - "Proxy settings, etc.": null, - "Publication date:": null, - "Publisher": null, - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": null, - "Quit": null, - "Quit WingetUI": null, - "Ready": null, - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": null, - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": null, - "Reinstall": null, - "Reinstall package": null, - "Related settings": null, - "Release notes": null, - "Release notes URL": null, - "Release notes URL:": null, - "Release notes:": null, - "Reload": null, - "Reload log": null, - "Removal failed": null, - "Removal succeeded": null, - "Remove from list": null, - "Remove permanent data": null, - "Remove selection from bundle": null, - "Remove successful installs/uninstalls/updates from the installation list": null, - "Removing source {source}": null, - "Removing source {source} from {manager}": null, - "Repair UniGetUI": null, - "Repair WinGet": null, - "Report an issue or submit a feature request": null, - "Repository": null, - "Reset": null, - "Reset Scoop's global app cache": null, - "Reset UniGetUI": null, - "Reset WinGet": null, - "Reset Winget sources (might help if no packages are listed)": null, - "Reset WingetUI": null, - "Reset WingetUI and its preferences": null, - "Reset WingetUI icon and screenshot cache": null, - "Reset list": null, - "Resetting Winget sources - WingetUI": null, - "Restart": null, - "Restart UniGetUI": null, - "Restart WingetUI": null, - "Restart WingetUI to fully apply changes": null, - "Restart later": null, - "Restart now": null, - "Restart required": null, - "Restart your PC to finish installation": null, - "Restart your computer to finish the installation": null, - "Restore a backup from the cloud": null, - "Restrictions on package managers": null, - "Restrictions on package operations": null, - "Restrictions when importing package bundles": null, - "Retry": null, - "Retry as administrator": null, - "Retry failed operations": null, - "Retry interactively": null, - "Retry skipping integrity checks": null, - "Retrying, please wait...": null, - "Return to top": null, - "Run": null, - "Run as admin": null, - "Run cleanup and clear cache": null, - "Run last": null, - "Run next": null, - "Run now": null, - "Running the installer...": null, - "Running the uninstaller...": null, - "Running the updater...": null, - "Save": null, - "Save File": null, - "Save and close": null, - "Save as": null, - "Save bundle as": null, - "Save now": null, - "Saving packages, please wait...": null, - "Scoop Installer - WingetUI": null, - "Scoop Uninstaller - WingetUI": null, - "Scoop package": null, - "Search": null, - "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": null, - "Search for packages": null, - "Search for packages to start": null, - "Search mode": null, - "Search on available updates": null, - "Search on your software": null, - "Searching for installed packages...": null, - "Searching for packages...": null, - "Searching for updates...": null, - "Select": null, - "Select \"{item}\" to add your custom bucket": null, - "Select a folder": null, - "Select all": null, - "Select all packages": null, - "Select backup": null, - "Select only if you know what you are doing.": null, - "Select package file": null, - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": null, - "Select the executable to be used. The following list shows the executables found by UniGetUI": null, - "Select the processes that should be closed before this package is installed, updated or uninstalled.": null, - "Select the source you want to add:": null, - "Select upgradable packages by default": null, - "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": null, - "Sent handshake. Waiting for instance listener's answer... ({0}%)": null, - "Set a custom backup file name": null, - "Set custom backup file name": null, - "Settings": null, - "Share": null, - "Share WingetUI": null, - "Share anonymous usage data": null, - "Share this package": null, - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": null, - "Show UniGetUI on the system tray": null, - "Show UniGetUI's version and build number on the titlebar.": null, - "Show WingetUI": null, - "Show a notification when an installation fails": null, - "Show a notification when an installation finishes successfully": null, - "Show a notification when an operation fails": null, - "Show a notification when an operation finishes successfully": null, - "Show a notification when there are available updates": null, - "Show a silent notification when an operation is running": null, - "Show details": null, - "Show in explorer": null, - "Show info about the package on the Updates tab": null, - "Show missing translation strings": null, - "Show notifications on different events": null, - "Show package details": null, - "Show package icons on package lists": null, - "Show similar packages": null, - "Show the live output": null, - "Size": null, - "Skip": null, - "Skip hash check": null, - "Skip hash checks": null, - "Skip integrity checks": null, - "Skip minor updates for this package": null, - "Skip the hash check when installing the selected packages": null, - "Skip the hash check when updating the selected packages": null, - "Skip this version": null, - "Software Updates": null, - "Something went wrong": null, - "Something went wrong while launching the updater.": null, - "Source": null, - "Source URL:": null, - "Source added successfully": null, - "Source addition failed": null, - "Source name:": null, - "Source removal failed": null, - "Source removed successfully": null, - "Source:": null, - "Sources": null, - "Start": null, - "Starting daemons...": null, - "Starting operation...": null, - "Startup options": null, - "Status": null, - "Stuck here? Skip initialization": null, - "Success!": null, - "Suport the developer": null, - "Support me": null, - "Support the developer": null, - "Systems are now ready to go!": null, - "Telemetry": null, - "Text": null, - "Text file": null, - "Thank you ❤": null, - "Thank you \uD83D\uDE09": null, - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": null, - "The backup will NOT include any binary file nor any program's saved data.": null, - "The backup will be performed after login.": null, - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": null, - "The bundle was created successfully on {0}": null, - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": null, - "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": null, - "The classical package manager for windows. You'll find everything there.
Contains: General Software": null, - "The cloud backup completed successfully.": null, - "The cloud backup has been loaded successfully.": null, - "The current bundle has no packages. Add some packages to get started": null, - "The executable file for {0} was not found": null, - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": null, - "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": null, - "The following packages are going to be installed on your system.": null, - "The following settings may pose a security risk, hence they are disabled by default.": null, - "The following settings will be applied each time this package is installed, updated or removed.": null, - "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": null, - "The icons and screenshots are maintained by users like you!": null, - "The installation script saved to {0}": null, - "The installer authenticity could not be verified.": null, - "The installer has an invalid checksum": null, - "The installer hash does not match the expected value.": null, - "The local icon cache currently takes {0} MB": null, - "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": null, - "The package \"{0}\" was not found on the package manager \"{1}\"": null, - "The package bundle could not be created due to an error.": null, - "The package bundle is not valid": null, - "The package manager \"{0}\" is disabled": null, - "The package manager \"{0}\" was not found": null, - "The package {0} from {1} was not found.": null, - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": null, - "The selected packages have been blacklisted": null, - "The settings will list, in their descriptions, the potential security issues they may have.": null, - "The size of the backup is estimated to be less than 1MB.": null, - "The source {source} was added to {manager} successfully": null, - "The source {source} was removed from {manager} successfully": null, - "The system tray icon must be enabled in order for notifications to work": null, - "The update process has been aborted.": null, - "The update process will start after closing UniGetUI": null, - "The update will be installed upon closing WingetUI": null, - "The update will not continue.": null, - "The user has canceled {0}, that was a requirement for {1} to be run": null, - "There are no new UniGetUI versions to be installed": null, - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": null, - "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": null, - "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": null, - "There is an error with the configuration of the package manager \"{0}\"": null, - "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": null, - "They are the programs in charge of installing, updating and removing packages.": null, - "Third-party licenses": null, - "This could represent a security risk.": null, - "This is not recommended.": null, - "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": null, - "This is the default choice.": null, - "This may help if WinGet packages are not shown": null, - "This may help if no packages are listed": null, - "This may take a minute or two": null, - "This operation is running interactively.": null, - "This operation is running with administrator privileges.": null, - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": null, - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": null, - "This package can be updated": null, - "This package can be updated to version {0}": null, - "This package can be upgraded to version {0}": null, - "This package cannot be installed from an elevated context.": null, - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": null, - "This package is already installed": null, - "This package is being processed": null, - "This package is not available": null, - "This package is on the queue": null, - "This process is running with administrator privileges": null, - "This project has no connection with the official {0} project — it's completely unofficial.": null, - "This setting is disabled": null, - "This wizard will help you configure and customize WingetUI!": null, - "Toggle search filters pane": null, - "Translators": null, - "Try to kill the processes that refuse to close when requested to": null, - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": null, - "Type here the name and the URL of the source you want to add, separed by a space.": null, - "Unable to find package": null, - "Unable to load informarion": null, - "UniGetUI collects anonymous usage data in order to improve the user experience.": null, - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": null, - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": null, - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": null, - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": null, - "UniGetUI is being updated...": null, - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": null, - "UniGetUI on the background and system tray": null, - "UniGetUI or some of its components are missing or corrupt.": null, - "UniGetUI requires {0} to operate, but it was not found on your system.": null, - "UniGetUI startup page:": null, - "UniGetUI updater": null, - "UniGetUI version {0} is being downloaded.": null, - "UniGetUI {0} is ready to be installed.": null, - "Uninstall": null, - "Uninstall Scoop (and its packages)": null, - "Uninstall and more": null, - "Uninstall and remove data": null, - "Uninstall as administrator": null, - "Uninstall canceled by the user!": null, - "Uninstall failed": null, - "Uninstall options": null, - "Uninstall package": null, - "Uninstall package, then reinstall it": null, - "Uninstall package, then update it": null, - "Uninstall previous versions when updated": null, - "Uninstall selected packages": null, - "Uninstall selection": null, - "Uninstall succeeded": null, - "Uninstall the selected packages with administrator privileges": null, - "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": null, - "Unknown": null, - "Unknown size": null, - "Unset or unknown": null, - "Up to date": null, - "Update": null, - "Update WingetUI automatically": null, - "Update all": null, - "Update and more": null, - "Update as administrator": null, - "Update check frequency, automatically install updates, etc.": null, - "Update checking": null, - "Update date": null, - "Update failed": null, - "Update found!": null, - "Update now": null, - "Update options": null, - "Update package indexes on launch": null, - "Update packages automatically": null, - "Update selected packages": null, - "Update selected packages with administrator privileges": null, - "Update selection": null, - "Update succeeded": null, - "Update to version {0}": null, - "Update to {0} available": null, - "Update vcpkg's Git portfiles automatically (requires Git installed)": null, - "Updates": null, - "Updates available!": null, - "Updates for this package are ignored": null, - "Updates found!": null, - "Updates preferences": null, - "Updating WingetUI": null, - "Url": null, - "Use Legacy bundled WinGet instead of PowerShell CMDLets": null, - "Use a custom icon and screenshot database URL": null, - "Use bundled WinGet instead of PowerShell CMDlets": null, - "Use bundled WinGet instead of system WinGet": null, - "Use installed GSudo instead of UniGetUI Elevator": null, - "Use installed GSudo instead of the bundled one": null, - "Use legacy UniGetUI Elevator (disable AdminByRequest support)": null, - "Use system Chocolatey": null, - "Use system Chocolatey (Needs a restart)": null, - "Use system Winget (Needs a restart)": null, - "Use system Winget (System language must be set to english)": null, - "Use the WinGet COM API to fetch packages": null, - "Use the WinGet PowerShell Module instead of the WinGet COM API": null, - "Useful links": null, - "User": null, - "User interface preferences": null, - "User | Local": null, - "Username": null, - "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": null, - "Using WingetUI implies the acceptation of the MIT License": null, - "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": null, - "Vcpkg was not found on your system.": null, - "Verbose": null, - "Version": null, - "Version to install:": null, - "Version:": null, - "View GitHub Profile": null, - "View WingetUI on GitHub": null, - "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": null, - "View mode:": null, - "View on UniGetUI": null, - "View page on browser": null, - "View {0} logs": null, - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": null, - "Waiting for other installations to finish...": null, - "Waiting for {0} to complete...": null, - "Warning": null, - "Warning!": null, - "We are checking for updates.": null, - "We could not load detailed information about this package, because it was not found in any of your package sources": null, - "We could not load detailed information about this package, because it was not installed from an available package manager.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": null, - "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": null, - "We couldn't find any package": null, - "Welcome to WingetUI": null, - "When batch installing packages from a bundle, install also packages that are already installed": null, - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": null, - "Which backup do you want to open?": null, - "Which package managers do you want to use?": null, - "Which source do you want to add?": null, - "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": null, - "WinGet could not be repaired": null, - "WinGet malfunction detected": null, - "WinGet was repaired successfully": null, - "WingetUI": null, - "WingetUI - Everything is up to date": null, - "WingetUI - {0} updates are available": null, - "WingetUI - {0} {1}": null, - "WingetUI Homepage": null, - "WingetUI Homepage - Share this link!": null, - "WingetUI License": null, - "WingetUI Log": null, - "WingetUI Repository": null, - "WingetUI Settings": null, - "WingetUI Settings File": null, - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI Version {0}": null, - "WingetUI autostart behaviour, application launch settings": null, - "WingetUI can check if your software has available updates, and install them automatically if you want to": null, - "WingetUI display language:": null, - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": null, - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": null, - "WingetUI has not been machine translated. The following users have been in charge of the translations:": null, - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": null, - "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": null, - "WingetUI is being updated. When finished, WingetUI will restart itself": null, - "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": null, - "WingetUI log": null, - "WingetUI tray application preferences": null, - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": null, - "WingetUI version {0} is being downloaded.": null, - "WingetUI will become {newname} soon!": null, - "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": null, - "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": null, - "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": null, - "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": null, - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": null, - "WingetUI {0} is ready to be installed.": null, - "Write here the process names here, separated by commas (,)": null, - "Yes": null, - "You are logged in as {0} (@{1})": null, - "You can change this behavior on UniGetUI security settings.": null, - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": null, - "You have currently version {0} installed": null, - "You have installed WingetUI Version {0}": null, - "You may lose unsaved data": null, - "You may need to install {pm} in order to use it with WingetUI.": null, - "You may restart your computer later if you wish": null, - "You will be prompted only once, and administrator rights will be granted to packages that request them.": null, - "You will be prompted only once, and every future installation will be elevated automatically.": null, - "You will likely need to interact with the installer.": null, - "[RAN AS ADMINISTRATOR]": null, - "buy me a coffee": null, - "extracted": null, - "feature": null, - "formerly WingetUI": null, - "homepage": null, - "install": null, - "installation": null, - "installed": null, - "installing": null, - "library": null, - "mandatory": null, - "option": null, - "optional": null, - "uninstall": null, - "uninstallation": null, - "uninstalled": null, - "uninstalling": null, - "update(noun)": null, - "update(verb)": null, - "updated": null, - "updating": null, - "version {0}": null, - "{0} Install options are currently locked because {0} follows the default install options.": null, - "{0} Uninstallation": null, - "{0} aborted": null, - "{0} can be updated": null, - "{0} can be updated to version {1}": null, - "{0} days": null, - "{0} desktop shortcuts created": null, - "{0} failed": null, - "{0} has been installed successfully.": null, - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": null, - "{0} has failed, that was a requirement for {1} to be run": null, - "{0} homepage": null, - "{0} hours": null, - "{0} installation": null, - "{0} installation options": null, - "{0} installer is being downloaded": null, - "{0} is being installed": null, - "{0} is being uninstalled": null, - "{0} is being updated": null, - "{0} is being updated to version {1}": null, - "{0} is disabled": null, - "{0} minutes": null, - "{0} months": null, - "{0} packages are being updated": null, - "{0} packages can be updated": null, - "{0} packages found": null, - "{0} packages were found": null, - "{0} packages were found, {1} of which match the specified filters.": null, - "{0} selected": null, - "{0} settings": null, - "{0} status": null, - "{0} succeeded": null, - "{0} update": null, - "{0} updates are available": null, - "{0} was {1} successfully!": null, - "{0} weeks": null, - "{0} years": null, - "{0} {1} failed": null, - "{package} Installation": null, - "{package} Uninstall": null, - "{package} Update": null, - "{package} could not be installed": null, - "{package} could not be uninstalled": null, - "{package} could not be updated": null, - "{package} installation failed": null, - "{package} installer could not be downloaded": null, - "{package} installer download": null, - "{package} installer was downloaded successfully": null, - "{package} uninstall failed": null, - "{package} update failed": null, - "{package} update failed. Click here for more details.": null, - "{package} was installed successfully": null, - "{package} was uninstalled successfully": null, - "{package} was updated successfully": null, - "{pcName} installed packages": null, - "{pm} could not be found": null, - "{pm} found: {state}": null, - "{pm} is disabled": null, - "{pm} is enabled and ready to go": null, - "{pm} package manager specific preferences": null, - "{pm} preferences": null, - "{pm} version:": null, - "{pm} was not found!": null -} \ No newline at end of file + "Operation in progress": "", + "Please wait...": "", + "Success!": "", + "Failed": "", + "An error occurred while processing this package": "", + "Log in to enable cloud backup": "", + "Backup Failed": "", + "Downloading backup...": "", + "An update was found!": "", + "{0} can be updated to version {1}": "", + "Updates found!": "", + "{0} packages can be updated": "", + "You have currently version {0} installed": "", + "Desktop shortcut created": "", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "", + "{0} desktop shortcuts created": "", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "", + "Are you sure?": "", + "Do you really want to uninstall {0}?": "", + "Do you really want to uninstall the following {0} packages?": "", + "No": "", + "Yes": "", + "View on UniGetUI": "", + "Update": "", + "Open UniGetUI": "", + "Update all": "", + "Update now": "", + "This package is on the queue": "", + "installing": "", + "updating": "", + "uninstalling": "", + "installed": "", + "Retry": "", + "Install": "", + "Uninstall": "", + "Open": "", + "Operation profile:": "", + "Follow the default options when installing, upgrading or uninstalling this package": "", + "The following settings will be applied each time this package is installed, updated or removed.": "", + "Version to install:": "", + "Architecture to install:": "", + "Installation scope:": "", + "Install location:": "", + "Select": "", + "Reset": "", + "Custom install arguments:": "", + "Custom update arguments:": "", + "Custom uninstall arguments:": "", + "Pre-install command:": "", + "Post-install command:": "", + "Abort install if pre-install command fails": "", + "Pre-update command:": "", + "Post-update command:": "", + "Abort update if pre-update command fails": "", + "Pre-uninstall command:": "", + "Post-uninstall command:": "", + "Abort uninstall if pre-uninstall command fails": "", + "Command-line to run:": "", + "Save and close": "", + "Run as admin": "", + "Interactive installation": "", + "Skip hash check": "", + "Uninstall previous versions when updated": "", + "Skip minor updates for this package": "", + "Automatically update this package": "", + "{0} installation options": "", + "Latest": "", + "PreRelease": "", + "Default": "", + "Manage ignored updates": "", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "", + "Reset list": "", + "Package Name": "", + "Package ID": "", + "Ignored version": "", + "New version": "", + "Source": "", + "All versions": "", + "Unknown": "", + "Up to date": "", + "Cancel": "", + "Administrator privileges": "", + "This operation is running with administrator privileges.": "", + "Interactive operation": "", + "This operation is running interactively.": "", + "You will likely need to interact with the installer.": "", + "Integrity checks skipped": "", + "Proceed at your own risk.": "", + "Close": "", + "Loading...": "", + "Installer SHA256": "", + "Homepage": "", + "Author": "", + "Publisher": "", + "License": "", + "Manifest": "", + "Installer Type": "", + "Size": "", + "Installer URL": "", + "Last updated:": "", + "Release notes URL": "", + "Package details": "", + "Dependencies:": "", + "Release notes": "", + "Version": "", + "Install as administrator": "", + "Update to version {0}": "", + "Installed Version": "", + "Update as administrator": "", + "Interactive update": "", + "Uninstall as administrator": "", + "Interactive uninstall": "", + "Uninstall and remove data": "", + "Not available": "", + "Installer SHA512": "", + "Unknown size": "", + "No dependencies specified": "", + "mandatory": "", + "optional": "", + "UniGetUI {0} is ready to be installed.": "", + "The update process will start after closing UniGetUI": "", + "Share anonymous usage data": "", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "", + "Accept": "", + "You have installed WingetUI Version {0}": "", + "Disclaimer": "", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "{0} homepage": "", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "", + "Verbose": "", + "1 - Errors": "", + "2 - Warnings": "", + "3 - Information (less)": "", + "4 - Information (more)": "", + "5 - information (debug)": "", + "Warning": "", + "The following settings may pose a security risk, hence they are disabled by default.": "", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "", + "The settings will list, in their descriptions, the potential security issues they may have.": "", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "", + "The backup will NOT include any binary file nor any program's saved data.": "", + "The size of the backup is estimated to be less than 1MB.": "", + "The backup will be performed after login.": "", + "{pcName} installed packages": "", + "Current status: Not logged in": "", + "You are logged in as {0} (@{1})": "", + "Nice! Backups will be uploaded to a private gist on your account": "", + "Select backup": "", + "WingetUI Settings": "", + "Allow pre-release versions": "", + "Apply": "", + "Go to UniGetUI security settings": "", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "", + "Package's default": "", + "Install location can't be changed for {0} packages": "", + "The local icon cache currently takes {0} MB": "", + "Username": "", + "Password": "", + "Credentials": "", + "Partially": "", + "Package manager": "", + "Compatible with proxy": "", + "Compatible with authentication": "", + "Proxy compatibility table": "", + "{0} settings": "", + "{0} status": "", + "Default installation options for {0} packages": "", + "Expand version": "", + "The executable file for {0} was not found": "", + "{pm} is disabled": "", + "Enable it to install packages from {pm}.": "", + "{pm} is enabled and ready to go": "", + "{pm} version:": "", + "{pm} was not found!": "", + "You may need to install {pm} in order to use it with WingetUI.": "", + "Scoop Installer - WingetUI": "", + "Scoop Uninstaller - WingetUI": "", + "Clearing Scoop cache - WingetUI": "", + "Restart UniGetUI": "", + "Manage {0} sources": "", + "Add source": "", + "Add": "", + "Other": "", + "1 day": "", + "{0} days": "", + "{0} minutes": "", + "1 hour": "", + "{0} hours": "", + "1 week": "", + "WingetUI Version {0}": "", + "Search for packages": "", + "Local": "", + "OK": "", + "{0} packages were found, {1} of which match the specified filters.": "", + "{0} selected": "", + "(Last checked: {0})": "", + "Enabled": "", + "Disabled": "", + "More info": "", + "Log in with GitHub to enable cloud package backup.": "", + "More details": "", + "Log in": "", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "", + "Log out": "", + "About": "", + "Third-party licenses": "", + "Contributors": "", + "Translators": "", + "Manage shortcuts": "", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "", + "Do you really want to reset this list? This action cannot be reverted.": "", + "Remove from list": "", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "", + "More details about the shared data and how it will be processed": "", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "", + "Decline": "", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "", + "About WingetUI": "", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "", + "Useful links": "", + "Report an issue or submit a feature request": "", + "View GitHub Profile": "", + "WingetUI License": "", + "Using WingetUI implies the acceptation of the MIT License": "", + "Become a translator": "", + "View page on browser": "", + "Copy to clipboard": "", + "Export to a file": "", + "Log level:": "", + "Reload log": "", + "Text": "", + "Change how operations request administrator rights": "", + "Restrictions on package operations": "", + "Restrictions on package managers": "", + "Restrictions when importing package bundles": "", + "Ask for administrator privileges once for each batch of operations": "", + "Ask only once for administrator privileges": "", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "", + "Allow custom command-line arguments": "", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "", + "Allow changing the paths for package manager executables": "", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "", + "Allow importing custom command-line arguments when importing packages from a bundle": "", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "", + "Administrator rights and other dangerous settings": "", + "Package backup": "", + "Cloud package backup": "", + "Local package backup": "", + "Local backup advanced options": "", + "Log in with GitHub": "", + "Log out from GitHub": "", + "Periodically perform a cloud backup of the installed packages": "", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "", + "Perform a cloud backup now": "", + "Backup": "", + "Restore a backup from the cloud": "", + "Begin the process to select a cloud backup and review which packages to restore": "", + "Periodically perform a local backup of the installed packages": "", + "Perform a local backup now": "", + "Change backup output directory": "", + "Set a custom backup file name": "", + "Leave empty for default": "", + "Add a timestamp to the backup file names": "", + "Backup and Restore": "", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "", + "Disable the 1-minute timeout for package-related operations": "", + "Use installed GSudo instead of UniGetUI Elevator": "", + "Use a custom icon and screenshot database URL": "", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "", + "Perform integrity checks at startup": "", + "When batch installing packages from a bundle, install also packages that are already installed": "", + "Experimental settings and developer options": "", + "Show UniGetUI's version and build number on the titlebar.": "", + "Language": "", + "UniGetUI updater": "", + "Telemetry": "", + "Manage UniGetUI settings": "", + "Related settings": "", + "Update WingetUI automatically": "", + "Check for updates": "", + "Install prerelease versions of UniGetUI": "", + "Manage telemetry settings": "", + "Manage": "", + "Import settings from a local file": "", + "Import": "", + "Export settings to a local file": "", + "Export": "", + "Reset WingetUI": "", + "Reset UniGetUI": "", + "User interface preferences": "", + "Application theme, startup page, package icons, clear successful installs automatically": "", + "General preferences": "", + "WingetUI display language:": "", + "Is your language missing or incomplete?": "", + "Appearance": "", + "UniGetUI on the background and system tray": "", + "Package lists": "", + "Close UniGetUI to the system tray": "", + "Show package icons on package lists": "", + "Clear cache": "", + "Select upgradable packages by default": "", + "Light": "", + "Dark": "", + "Follow system color scheme": "", + "Application theme:": "", + "Discover Packages": "", + "Software Updates": "", + "Installed Packages": "", + "Package Bundles": "", + "Settings": "", + "UniGetUI startup page:": "", + "Proxy settings": "", + "Other settings": "", + "Connect the internet using a custom proxy": "", + "Please note that not all package managers may fully support this feature": "", + "Proxy URL": "", + "Enter proxy URL here": "", + "Package manager preferences": "", + "Ready": "", + "Not found": "", + "Notification preferences": "", + "Notification types": "", + "The system tray icon must be enabled in order for notifications to work": "", + "Enable WingetUI notifications": "", + "Show a notification when there are available updates": "", + "Show a silent notification when an operation is running": "", + "Show a notification when an operation fails": "", + "Show a notification when an operation finishes successfully": "", + "Concurrency and execution": "", + "Automatic desktop shortcut remover": "", + "Clear successful operations from the operation list after a 5 second delay": "", + "Download operations are not affected by this setting": "", + "Try to kill the processes that refuse to close when requested to": "", + "You may lose unsaved data": "", + "Ask to delete desktop shortcuts created during an install or upgrade.": "", + "Package update preferences": "", + "Update check frequency, automatically install updates, etc.": "", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "", + "Package operation preferences": "", + "Enable {pm}": "", + "Not finding the file you are looking for? Make sure it has been added to path.": "", + "For security reasons, changing the executable file is disabled by default": "", + "Change this": "", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "", + "Current executable file:": "", + "Ignore packages from {pm} when showing a notification about updates": "", + "View {0} logs": "", + "Advanced options": "", + "Reset WinGet": "", + "This may help if no packages are listed": "", + "Force install location parameter when updating packages with custom locations": "", + "Use bundled WinGet instead of system WinGet": "", + "This may help if WinGet packages are not shown": "", + "Install Scoop": "", + "Uninstall Scoop (and its packages)": "", + "Run cleanup and clear cache": "", + "Run": "", + "Enable Scoop cleanup on launch": "", + "Use system Chocolatey": "", + "Default vcpkg triplet": "", + "Language, theme and other miscellaneous preferences": "", + "Show notifications on different events": "", + "Change how UniGetUI checks and installs available updates for your packages": "", + "Automatically save a list of all your installed packages to easily restore them.": "", + "Enable and disable package managers, change default install options, etc.": "", + "Internet connection settings": "", + "Proxy settings, etc.": "", + "Beta features and other options that shouldn't be touched": "", + "Update checking": "", + "Automatic updates": "", + "Check for package updates periodically": "", + "Check for updates every:": "", + "Install available updates automatically": "", + "Do not automatically install updates when the network connection is metered": "", + "Do not automatically install updates when the device runs on battery": "", + "Do not automatically install updates when the battery saver is on": "", + "Change how UniGetUI handles install, update and uninstall operations.": "", + "Package Managers": "", + "More": "", + "WingetUI Log": "", + "Package Manager logs": "", + "Operation history": "", + "Help": "", + "Order by:": "", + "Name": "", + "Id": "", + "Ascendant": "", + "Descendant": "", + "View mode:": "", + "Filters": "", + "Sources": "", + "Search for packages to start": "", + "Select all": "", + "Clear selection": "", + "Instant search": "", + "Distinguish between uppercase and lowercase": "", + "Ignore special characters": "", + "Search mode": "", + "Both": "", + "Exact match": "", + "Show similar packages": "", + "No results were found matching the input criteria": "", + "No packages were found": "", + "Loading packages": "", + "Skip integrity checks": "", + "Download selected installers": "", + "Install selection": "", + "Install options": "", + "Share": "", + "Add selection to bundle": "", + "Download installer": "", + "Share this package": "", + "Uninstall selection": "", + "Uninstall options": "", + "Ignore selected packages": "", + "Open install location": "", + "Reinstall package": "", + "Uninstall package, then reinstall it": "", + "Ignore updates for this package": "", + "Do not ignore updates for this package anymore": "", + "Add packages or open an existing package bundle": "", + "Add packages to start": "", + "The current bundle has no packages. Add some packages to get started": "", + "New": "", + "Save as": "", + "Remove selection from bundle": "", + "Skip hash checks": "", + "The package bundle is not valid": "", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "", + "Package bundle": "", + "Could not create bundle": "", + "The package bundle could not be created due to an error.": "", + "Bundle security report": "", + "Hooray! No updates were found.": "", + "Everything is up to date": "", + "Uninstall selected packages": "", + "Update selection": "", + "Update options": "", + "Uninstall package, then update it": "", + "Uninstall package": "", + "Skip this version": "", + "Pause updates for": "", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "", + "NuPkg (zipped manifest)": "", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "", + "extracted": "", + "Scoop package": "", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "", + "library": "", + "feature": "", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "", + "option": "", + "This package cannot be installed from an elevated context.": "", + "Please run UniGetUI as a regular user and try again.": "", + "Please check the installation options for this package and try again": "", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "", + "Local PC": "", + "Android Subsystem": "", + "Operation on queue (position {0})...": "", + "Click here for more details": "", + "Operation canceled by user": "", + "Starting operation...": "", + "{package} installer download": "", + "{0} installer is being downloaded": "", + "Download succeeded": "", + "{package} installer was downloaded successfully": "", + "Download failed": "", + "{package} installer could not be downloaded": "", + "{package} Installation": "", + "{0} is being installed": "", + "Installation succeeded": "", + "{package} was installed successfully": "", + "Installation failed": "", + "{package} could not be installed": "", + "{package} Update": "", + "{0} is being updated to version {1}": "", + "Update succeeded": "", + "{package} was updated successfully": "", + "Update failed": "", + "{package} could not be updated": "", + "{package} Uninstall": "", + "{0} is being uninstalled": "", + "Uninstall succeeded": "", + "{package} was uninstalled successfully": "", + "Uninstall failed": "", + "{package} could not be uninstalled": "", + "Adding source {source}": "", + "Adding source {source} to {manager}": "", + "Source added successfully": "", + "The source {source} was added to {manager} successfully": "", + "Could not add source": "", + "Could not add source {source} to {manager}": "", + "Removing source {source}": "", + "Removing source {source} from {manager}": "", + "Source removed successfully": "", + "The source {source} was removed from {manager} successfully": "", + "Could not remove source": "", + "Could not remove source {source} from {manager}": "", + "The package manager \"{0}\" was not found": "", + "The package manager \"{0}\" is disabled": "", + "There is an error with the configuration of the package manager \"{0}\"": "", + "The package \"{0}\" was not found on the package manager \"{1}\"": "", + "{0} is disabled": "", + "Something went wrong": "", + "An interal error occurred. Please view the log for further details.": "", + "No applicable installer was found for the package {0}": "", + "We are checking for updates.": "", + "Please wait": "", + "UniGetUI version {0} is being downloaded.": "", + "This may take a minute or two": "", + "The installer authenticity could not be verified.": "", + "The update process has been aborted.": "", + "Great! You are on the latest version.": "", + "There are no new UniGetUI versions to be installed": "", + "An error occurred when checking for updates: ": "", + "UniGetUI is being updated...": "", + "Something went wrong while launching the updater.": "", + "Please try again later": "", + "Integrity checks will not be performed during this operation": "", + "This is not recommended.": "", + "Run now": "", + "Run next": "", + "Run last": "", + "Retry as administrator": "", + "Retry interactively": "", + "Retry skipping integrity checks": "", + "Installation options": "", + "Show in explorer": "", + "This package is already installed": "", + "This package can be upgraded to version {0}": "", + "Updates for this package are ignored": "", + "This package is being processed": "", + "This package is not available": "", + "Select the source you want to add:": "", + "Source name:": "", + "Source URL:": "", + "An error occurred": "", + "An error occurred when adding the source: ": "", + "Package management made easy": "", + "version {0}": "", + "[RAN AS ADMINISTRATOR]": "", + "Portable mode": "", + "DEBUG BUILD": "", + "Available Updates": "", + "Show WingetUI": "", + "Quit": "", + "Attention required": "", + "Restart required": "", + "1 update is available": "", + "{0} updates are available": "", + "WingetUI Homepage": "", + "WingetUI Repository": "", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "", + "Manual scan": "", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "", + "Continue": "", + "Delete?": "", + "Missing dependency": "", + "Not right now": "", + "Install {0}": "", + "UniGetUI requires {0} to operate, but it was not found on your system.": "", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "", + "Do not show this dialog again for {0}": "", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "", + "{0} has been installed successfully.": "", + "Please click on \"Continue\" to continue": "", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "", + "Restart later": "", + "An error occurred:": "", + "I understand": "", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "", + "WinGet was repaired successfully": "", + "It is recommended to restart UniGetUI after WinGet has been repaired": "", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "", + "Restart": "", + "WinGet could not be repaired": "", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "", + "Are you sure you want to delete all shortcuts?": "", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "", + "Are you really sure you want to enable this feature?": "", + "No new shortcuts were found during the scan.": "", + "How to add packages to a bundle": "", + "In order to add packages to a bundle, you will need to: ": "", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "", + "Which backup do you want to open?": "", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "", + "UniGetUI or some of its components are missing or corrupt.": "", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "", + "Integrity checks can be disabled from the Experimental Settings": "", + "Repair UniGetUI": "", + "Live output": "", + "Package not found": "", + "An error occurred when attempting to show the package with Id {0}": "", + "Package": "", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "", + "Entries that show in YELLOW will be IGNORED.": "", + "Entries that show in RED will be IMPORTED.": "", + "You can change this behavior on UniGetUI security settings.": "", + "Open UniGetUI security settings": "", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "", + "Details of the report:": "", + "\"{0}\" is a local package and can't be shared": "", + "Are you sure you want to create a new package bundle? ": "", + "Any unsaved changes will be lost": "", + "Warning!": "", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "", + "Change default options": "", + "Ignore future updates for this package": "", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "", + "Change this and unlock": "", + "{0} Install options are currently locked because {0} follows the default install options.": "", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "", + "Write here the process names here, separated by commas (,)": "", + "Unset or unknown": "", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "", + "Become a contributor": "", + "Save": "", + "Update to {0} available": "", + "Reinstall": "", + "Installer not available": "", + "Version:": "", + "Performing backup, please wait...": "", + "An error occurred while logging in: ": "", + "Fetching available backups...": "", + "Done!": "", + "The cloud backup has been loaded successfully.": "", + "An error occurred while loading a backup: ": "", + "Backing up packages to GitHub Gist...": "", + "Backup Successful": "", + "The cloud backup completed successfully.": "", + "Could not back up packages to GitHub Gist: ": "", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "", + "Enable the automatic WinGet troubleshooter": "", + "Enable an [experimental] improved WinGet troubleshooter": "", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "", + "Restart WingetUI to fully apply changes": "", + "Restart WingetUI": "", + "Invalid selection": "", + "No package was selected": "", + "More than 1 package was selected": "", + "List": "", + "Grid": "", + "Icons": "", + "\"{0}\" is a local package and does not have available details": "", + "\"{0}\" is a local package and is not compatible with this feature": "", + "WinGet malfunction detected": "", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "", + "Repair WinGet": "", + "Create .ps1 script": "", + "Add packages to bundle": "", + "Preparing packages, please wait...": "", + "Loading packages, please wait...": "", + "Saving packages, please wait...": "", + "The bundle was created successfully on {0}": "", + "Install script": "", + "The installation script saved to {0}": "", + "An error occurred while attempting to create an installation script:": "", + "{0} packages are being updated": "", + "Error": "", + "Log in failed: ": "", + "Log out failed: ": "", + "Package backup settings": "", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", + "(Number {0} in the queue)": "", + "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "", + "0 packages found": "", + "0 updates found": "", + "1 month": "", + "1 package was found": "", + "1 year": "", + "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "", + "A restart is required": "", + "About Qt6": "", + "About WingetUI version {0}": "", + "About the dev": "", + "Action when double-clicking packages, hide successful installations": "", + "Add a source to {0}": "", + "Add a timestamp to the backup files": "", + "Add packages or open an existing bundle": "", + "Addition succeeded": "", + "Administrator privileges preferences": "", + "Administrator rights": "", + "All files": "", + "Allow package operations to be performed in parallel": "", + "Allow parallel installs (NOT RECOMMENDED)": "", + "Allow {pm} operations to be performed in parallel": "", + "Always elevate {pm} installations by default": "", + "Always run {pm} operations with administrator rights": "", + "An unexpected error occurred:": "", + "Another source": "", + "App Name": "", + "Are these screenshots wron or blurry?": "", + "Ask for administrator rights when required": "", + "Ask once or always for administrator rights, elevate installations by default": "", + "Ask only once for administrator privileges (not recommended)": "", + "Authenticate to the proxy with an user and a password": "", + "Automatically save a list of your installed packages on your computer.": "", + "Autostart WingetUI in the notifications area": "", + "Available updates: {0}": "", + "Available updates: {0}, not finished yet...": "", + "Backup installed packages": "", + "Backup location": "", + "But here are other things you can do to learn about WingetUI even more:": "", + "By toggling a package manager off, you will no longer be able to see or update its packages.": "", + "Cache administrator rights and elevate installers by default": "", + "Cache administrator rights, but elevate installers only when required": "", + "Cache was reset successfully!": "", + "Can't {0} {1}": "", + "Cancel all operations": "", + "Change how UniGetUI installs packages, and checks and installs available updates": "", + "Change install location": "", + "Check for updates periodically": "", + "Check for updates regularly, and ask me what to do when updates are found.": "", + "Check for updates regularly, and automatically install available ones.": "", + "Check out my {0} and my {1}!": "", + "Check out some WingetUI overviews": "", + "Checking for other running instances...": "", + "Checking for updates...": "", + "Checking found instace(s)...": "", + "Choose how many operations shouls be performed in parallel": "", + "Clear finished operations": "", + "Clear successful operations": "", + "Clear the local icon cache": "", + "Clearing Scoop cache...": "", + "Close WingetUI to the notification area": "", + "Command-line Output": "", + "Compare query against": "", + "Component Information": "", + "Contribute to the icon and screenshot repository": "", + "Copy": "", + "Could not load announcements - ": "", + "Could not load announcements - HTTP status code is $CODE": "", + "Could not remove {source} from {manager}": "", + "Current Version": "", + "Current user": "", + "Custom arguments:": "", + "Custom command-line arguments:": "", + "Customize WingetUI - for hackers and advanced users only": "", + "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "", + "Default preferences - suitable for regular users": "", + "Description:": "", + "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "", + "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "", + "Disable new share API (port 7058)": "", + "Discover packages": "", + "Distinguish between\nuppercase and lowercase": "", + "Do NOT check for updates": "", + "Do an interactive install for the selected packages": "", + "Do an interactive uninstall for the selected packages": "", + "Do an interactive update for the selected packages": "", + "Do not download new app translations from GitHub automatically": "", + "Do not remove successful operations from the list automatically": "", + "Do not update package indexes on launch": "", + "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "", + "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "", + "Do you really want to uninstall {0} packages?": "", + "Do you want to restart your computer now?": "", + "Do you want to translate WingetUI to your language? See how to contribute HERE!": "", + "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "", + "Donate": "", + "Download updated language files from GitHub automatically": "", + "Downloading": "", + "Downloading installer for {package}": "", + "Downloading package metadata...": "", + "Enable the new UniGetUI-Branded UAC Elevator": "", + "Enable the new process input handler (StdIn automated closer)": "", + "Export log as a file": "", + "Export packages": "", + "Export selected packages to a file": "", + "Fetching latest announcements, please wait...": "", + "Finish": "", + "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "", + "Formerly known as WingetUI": "", + "Found": "", + "Found packages: ": "", + "Found packages: {0}": "", + "Found packages: {0}, not finished yet...": "", + "GitHub profile": "", + "Global": "", + "Help and documentation": "", + "Hide details": "", + "How should installations that require administrator privileges be treated?": "", + "Ignore updates for the selected packages": "", + "Ignored updates": "", + "Import packages": "", + "Import packages from a file": "", + "Initializing WingetUI...": "", + "Install and more": "", + "Install and update preferences": "", + "Install packages from a file": "", + "Install selected packages": "", + "Install selected packages with administrator privileges": "", + "Install the latest prerelease version": "", + "Install updates automatically": "", + "Installation canceled by the user!": "", + "Installed packages": "", + "Instance {0} responded, quitting...": "", + "Is this package missing the icon?": "", + "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "", + "Latest Version": "", + "Latest Version:": "", + "Latest details...": "", + "Launching subprocess...": "", + "Licenses": "", + "Live command-line output": "", + "Loading UI components...": "", + "Loading WingetUI...": "", + "Local machine": "", + "Locating {pm}...": "", + "Looking for packages...": "", + "Machine | Global": "", + "Manage WingetUI autostart behaviour from the Settings app": "", + "Manage ignored packages": "", + "Manifests": "", + "New Version": "", + "New bundle": "", + "No packages found": "", + "No packages found matching the input criteria": "", + "No packages have been added yet": "", + "No packages selected": "", + "No sources found": "", + "No sources were found": "", + "No updates are available": "", + "Notes:": "", + "Notification tray options": "", + "Ok": "", + "Open GitHub": "", + "Open WingetUI": "", + "Open backup location": "", + "Open existing bundle": "", + "Open the welcome wizard": "", + "Operation cancelled": "", + "Options saved": "", + "Package Manager": "", + "Package managers": "", + "Package {name} from {manager}": "", + "Packages": "", + "Packages found: {0}": "", + "Paste a valid URL to the database": "", + "Perform a backup now": "", + "Periodically perform a backup of the installed packages": "", + "Please enter at least 3 characters": "", + "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "", + "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "", + "Please select how you want to configure WingetUI": "", + "Please type at least two characters": "", + "Portable": "", + "Publication date:": "", + "Quit WingetUI": "", + "Release notes URL:": "", + "Release notes:": "", + "Reload": "", + "Removal failed": "", + "Removal succeeded": "", + "Remove permanent data": "", + "Remove successful installs/uninstalls/updates from the installation list": "", + "Repository": "", + "Reset Scoop's global app cache": "", + "Reset Winget sources (might help if no packages are listed)": "", + "Reset WingetUI and its preferences": "", + "Reset WingetUI icon and screenshot cache": "", + "Resetting Winget sources - WingetUI": "", + "Restart now": "", + "Restart your PC to finish installation": "", + "Restart your computer to finish the installation": "", + "Retry failed operations": "", + "Retrying, please wait...": "", + "Return to top": "", + "Running the installer...": "", + "Running the uninstaller...": "", + "Running the updater...": "", + "Save File": "", + "Save bundle as": "", + "Save now": "", + "Search": "", + "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "", + "Search on available updates": "", + "Search on your software": "", + "Searching for installed packages...": "", + "Searching for packages...": "", + "Searching for updates...": "", + "Select \"{item}\" to add your custom bucket": "", + "Select a folder": "", + "Select all packages": "", + "Select only if you know what you are doing.": "", + "Select package file": "", + "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "", + "Sent handshake. Waiting for instance listener's answer... ({0}%)": "", + "Set custom backup file name": "", + "Share WingetUI": "", + "Show UniGetUI on the system tray": "", + "Show a notification when an installation fails": "", + "Show a notification when an installation finishes successfully": "", + "Show details": "", + "Show info about the package on the Updates tab": "", + "Show missing translation strings": "", + "Show package details": "", + "Show the live output": "", + "Skip": "", + "Skip the hash check when installing the selected packages": "", + "Skip the hash check when updating the selected packages": "", + "Source addition failed": "", + "Source removal failed": "", + "Source:": "", + "Start": "", + "Starting daemons...": "", + "Startup options": "", + "Status": "", + "Stuck here? Skip initialization": "", + "Suport the developer": "", + "Support me": "", + "Support the developer": "", + "Systems are now ready to go!": "", + "Text file": "", + "Thank you 😉": "", + "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "", + "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "", + "The following packages are going to be installed on your system.": "", + "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "", + "The icons and screenshots are maintained by users like you!": "", + "The installer has an invalid checksum": "", + "The installer hash does not match the expected value.": "", + "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "", + "The package {0} from {1} was not found.": "", + "The selected packages have been blacklisted": "", + "The update will be installed upon closing WingetUI": "", + "The update will not continue.": "", + "The user has canceled {0}, that was a requirement for {1} to be run": "", + "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "", + "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "", + "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "", + "They are the programs in charge of installing, updating and removing packages.": "", + "This could represent a security risk.": "", + "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "", + "This is the default choice.": "", + "This package can be updated": "", + "This package can be updated to version {0}": "", + "This process is running with administrator privileges": "", + "This setting is disabled": "", + "This wizard will help you configure and customize WingetUI!": "", + "Toggle search filters pane": "", + "Type here the name and the URL of the source you want to add, separed by a space.": "", + "Unable to find package": "", + "Unable to load informarion": "", + "Uninstall and more": "", + "Uninstall canceled by the user!": "", + "Uninstall the selected packages with administrator privileges": "", + "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "", + "Update and more": "", + "Update date": "", + "Update found!": "", + "Update package indexes on launch": "", + "Update packages automatically": "", + "Update selected packages": "", + "Update selected packages with administrator privileges": "", + "Update vcpkg's Git portfiles automatically (requires Git installed)": "", + "Updates": "", + "Updates available!": "", + "Updates preferences": "", + "Updating WingetUI": "", + "Url": "", + "Use Legacy bundled WinGet instead of PowerShell CMDLets": "", + "Use bundled WinGet instead of PowerShell CMDlets": "", + "Use installed GSudo instead of the bundled one": "", + "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "", + "Use system Chocolatey (Needs a restart)": "", + "Use system Winget (Needs a restart)": "", + "Use system Winget (System language must be set to english)": "", + "Use the WinGet COM API to fetch packages": "", + "Use the WinGet PowerShell Module instead of the WinGet COM API": "", + "User": "", + "User | Local": "", + "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "", + "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "", + "Vcpkg was not found on your system.": "", + "View WingetUI on GitHub": "", + "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "", + "Waiting for other installations to finish...": "", + "Waiting for {0} to complete...": "", + "We could not load detailed information about this package, because it was not found in any of your package sources": "", + "We could not load detailed information about this package, because it was not installed from an available package manager.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "", + "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "", + "We couldn't find any package": "", + "Welcome to WingetUI": "", + "Which package managers do you want to use?": "", + "Which source do you want to add?": "", + "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "", + "WingetUI": "", + "WingetUI - Everything is up to date": "", + "WingetUI - {0} updates are available": "", + "WingetUI - {0} {1}": "", + "WingetUI Homepage - Share this link!": "", + "WingetUI Settings File": "", + "WingetUI autostart behaviour, application launch settings": "", + "WingetUI can check if your software has available updates, and install them automatically if you want to": "", + "WingetUI has not been machine translated. The following users have been in charge of the translations:": "", + "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "", + "WingetUI is being updated. When finished, WingetUI will restart itself": "", + "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "", + "WingetUI log": "", + "WingetUI tray application preferences": "", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "", + "WingetUI version {0} is being downloaded.": "", + "WingetUI will become {newname} soon!": "", + "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "", + "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "", + "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "", + "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "", + "WingetUI {0} is ready to be installed.": "", + "You may restart your computer later if you wish": "", + "You will be prompted only once, and administrator rights will be granted to packages that request them.": "", + "You will be prompted only once, and every future installation will be elevated automatically.": "", + "buy me a coffee": "", + "formerly WingetUI": "", + "homepage": "", + "install": "", + "installation": "", + "uninstall": "", + "uninstallation": "", + "uninstalled": "", + "update(noun)": "", + "update(verb)": "", + "updated": "", + "{0} Uninstallation": "", + "{0} aborted": "", + "{0} can be updated": "", + "{0} failed": "", + "{0} has failed, that was a requirement for {1} to be run": "", + "{0} installation": "", + "{0} is being updated": "", + "{0} months": "", + "{0} packages found": "", + "{0} packages were found": "", + "{0} succeeded": "", + "{0} update": "", + "{0} was {1} successfully!": "", + "{0} weeks": "", + "{0} years": "", + "{0} {1} failed": "", + "{package} installation failed": "", + "{package} uninstall failed": "", + "{package} update failed": "", + "{package} update failed. Click here for more details.": "", + "{pm} could not be found": "", + "{pm} found: {state}": "", + "{pm} package manager specific preferences": "", + "{pm} preferences": "", + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "", + "Thank you ❤": "", + "This project has no connection with the official {0} project — it's completely unofficial.": "" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nb.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nb.json index 0b662453d8..105ce1b68a 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nb.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nb.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Handlinger som utføres", + "Please wait...": "Vennligst vent...", + "Success!": "Suksess!", + "Failed": "Mislyktes", + "An error occurred while processing this package": "En feil oppstod i behandlingen av denne pakken", + "Log in to enable cloud backup": "Logg inn for å aktivere skysikkerhetskopi", + "Backup Failed": "Sikkerhetskopiering mislyktes", + "Downloading backup...": "Laster ned sikkerhetskopi...", + "An update was found!": "En oppdatering ble funnet!", + "{0} can be updated to version {1}": "{0} kan oppdateres til versjon {1}", + "Updates found!": "Oppdateringer funnet!", + "{0} packages can be updated": "{0} pakker kan oppdateres", + "You have currently version {0} installed": "Nå har du versjon {0} installert", + "Desktop shortcut created": "Skrivebordsnarvei opprettet", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har oppdaget en ny skrivebordsnarvei som kan bli slettet automatisk", + "{0} desktop shortcuts created": "{0} skrivebordssnarveier opprettet", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har oppdaget {0} nye skrivebordsnarveier som kan bli slettet automatisk", + "Are you sure?": "Er du sikker?", + "Do you really want to uninstall {0}?": "Vil du virkelig avinstallere {0}?", + "Do you really want to uninstall the following {0} packages?": "Vil du virkelig avinstallere følgende {0} pakker?", + "No": "Nei", + "Yes": "Ja", + "View on UniGetUI": "Vis i UniGetUI", + "Update": "Oppdater", + "Open UniGetUI": "Åpne UniGetUI", + "Update all": "Oppdater alle", + "Update now": "Oppdater nå", + "This package is on the queue": "Denne pakken er i køen", + "installing": "installerer", + "updating": "oppdaterer", + "uninstalling": "avinstallerer", + "installed": "installert", + "Retry": "Prøv igjen", + "Install": "Installer", + "Uninstall": "Avinstaller", + "Open": "Åpne", + "Operation profile:": "Operasjonsprofil:", + "Follow the default options when installing, upgrading or uninstalling this package": "Følg standardalternativene når du installerer, oppgraderer eller avinstallerer denne pakken", + "The following settings will be applied each time this package is installed, updated or removed.": "Følgende innstillinger kommer til å bli brukt hver gang denne pakken installeres, oppdateres, eller fjernes.", + "Version to install:": "Versjon å installere:", + "Architecture to install:": "Arkitektur som installeres:", + "Installation scope:": "Installasjonsomfang:", + "Install location:": "Installasjonsplassering:", + "Select": "Velg", + "Reset": "Tilbakestill", + "Custom install arguments:": "Egendefinerte installasjonsparametre:", + "Custom update arguments:": "Egendefinerte oppdateringsparametre:", + "Custom uninstall arguments:": "Egendefinerte avinstallasjonsparametre:", + "Pre-install command:": "Pre-installasjonskommando:", + "Post-install command:": "Post-installasjonskommando:", + "Abort install if pre-install command fails": "Avbryt installasjonen hvis pre-installasjonskommandoen mislykkes", + "Pre-update command:": "Pre-oppdateringskommando:", + "Post-update command:": "Post-oppdateringskommando:", + "Abort update if pre-update command fails": "Avbryt oppdateringen hvis pre-oppdateringskommandoen mislykkes", + "Pre-uninstall command:": "Pre-avinstallasjonskommando:", + "Post-uninstall command:": "Post-avinstallasjonskommando:", + "Abort uninstall if pre-uninstall command fails": "Avbryt avinstallasjonen hvis pre-avinstallasjonskommandoen mislykkes", + "Command-line to run:": "Kommandolinje som skal kjøres:", + "Save and close": "Lagre og lukk", + "Run as admin": "Kjør som administrator", + "Interactive installation": "Interaktiv installasjon", + "Skip hash check": "Hopp over sjekk av hash", + "Uninstall previous versions when updated": "Avinstaller forrige versjoner ved oppdatering", + "Skip minor updates for this package": "Hopp over mindre oppdateringer for denne pakken", + "Automatically update this package": "Automatisk oppdater denne pakken", + "{0} installation options": "{0} sine installasjonsvalg", + "Latest": "Siste", + "PreRelease": "Forhåndsutgivelse", + "Default": "Standard", + "Manage ignored updates": "Behandle ignorerte oppdateringer", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakkene i denne listen kommer ikke til å bli tatt hensyn til ved sjekking etter oppdateringer. Dobbeltklikk på dem eller klikk på knappen til høyre for dem for å slutte å ignorere oppdateringene deres.", + "Reset list": "Tilbakestill liste", + "Package Name": "Pakkenavn", + "Package ID": "Pakke-ID", + "Ignored version": "Ignorert versjon", + "New version": "Ny versjon", + "Source": "Kilde", + "All versions": "Alle versjoner", + "Unknown": "Ukjent", + "Up to date": "Oppdatert", + "Cancel": "Avbryt", + "Administrator privileges": "Administratorrettigheter", + "This operation is running with administrator privileges.": "Denne handlingen kjører med adminprivilegier.", + "Interactive operation": "Interaktiv operasjon", + "This operation is running interactively.": "Denne operasjonen kjøres interaktivt.", + "You will likely need to interact with the installer.": "Du må sannsynligvis samhandle med installasjonsprogrammet.", + "Integrity checks skipped": "Integritetssjekk hoppet over", + "Proceed at your own risk.": "Fortsett på eget ansvar.", + "Close": "Lukk", + "Loading...": "Laster...", + "Installer SHA256": "Installasjonsprogram SHA256", + "Homepage": "Hjemmeside", + "Author": "Forfatter", + "Publisher": "Utgiver", + "License": "Lisens", + "Manifest": "Konfigurasjonsfil", + "Installer Type": "Type installasjonsprogram", + "Size": "Størrelse", + "Installer URL": "URL til installasjonsprogram", + "Last updated:": "Sist oppdatert:", + "Release notes URL": "URL for utgivelsesnotater", + "Package details": "Pakkedetaljer", + "Dependencies:": "Avhengigheter:", + "Release notes": "Utgivelsesnotater", + "Version": "Versjon", + "Install as administrator": "Installér som administrator", + "Update to version {0}": "Oppdater til versjon {0}", + "Installed Version": "Installert versjon", + "Update as administrator": "Oppdater som administrator", + "Interactive update": "Interaktiv oppdatering", + "Uninstall as administrator": "Avinstaller som administrator", + "Interactive uninstall": "Interaktiv avinstallering", + "Uninstall and remove data": "Avinstaller og fjern data", + "Not available": "Ikke tilgjengelig", + "Installer SHA512": "Installasjonsprogram SHA512", + "Unknown size": "Ukjent størrelse", + "No dependencies specified": "Ingen avhengigheter er spesifisert", + "mandatory": "obligatorisk", + "optional": "valgfri", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} er klar til å bli installert.", + "The update process will start after closing UniGetUI": "Oppdateringsprosessen starter etter at du lukker UniGetUI", + "Share anonymous usage data": "Del anonyme bruksdata", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI samler inn anonyme bruksdata for å forbedre brukeropplevelsen.", + "Accept": "Aksepter", + "You have installed WingetUI Version {0}": "Du har installert WingetUI versjon {0}", + "Disclaimer": "Ansvarsfraskrivelse", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI er ikke knyttet til noen av de kompatible pakkehåndtererne. UniGetUI er et uavhengig prosjekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ville ikke vært mulig uten hjelpen fra alle bidragsyterne. Takk alle sammen🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruker følgende biblioteker. Uten dem ville ikke WingetUI vært mulig.", + "{0} homepage": "{0} sin hjemmeside", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI har blitt oversatt til mer enn 40 språk takket være frivillige oversettere. Takk 🤝", + "Verbose": "Utfyllende", + "1 - Errors": "1 - Feilmeldinger", + "2 - Warnings": "2 - Advarsler", + "3 - Information (less)": "3 - Informasjon (mindre)", + "4 - Information (more)": "4 - Informasjon (mer)", + "5 - information (debug)": "5 - Informasjon (feilsøking)", + "Warning": "Advarsel", + "The following settings may pose a security risk, hence they are disabled by default.": "Følgende innstillinger kan utgjøre en sikkerhetsrisiko, derfor er de deaktivert som standard.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiver innstillingene nedenfor hvis og bare hvis du fullt ut forstår hva de gjør, og konsekvensene de kan ha.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Innstillingene vil liste opp de potensielle sikkerhetsproblemene de kan ha i beskrivelsene sine.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sikkerhetskopien vil inneholde en fullstendig liste over de installerte pakkene og deres installasjonsvalg. Ignorerte oppdateringer og versjoner som har blitt hoppet over vil også bli lagret.", + "The backup will NOT include any binary file nor any program's saved data.": "Sikkerhetskopien vil ikke inneholde noen binære filer eller programmers lagrede data.", + "The size of the backup is estimated to be less than 1MB.": "Størrelsen på sikkerhetskopien er estimert at vil være mindre enn 1MB.", + "The backup will be performed after login.": "Sikkerhetskopien vil utføres etter innlogging", + "{pcName} installed packages": "{pcName}: Installerte pakker", + "Current status: Not logged in": "Gjeldende status: Ikke logget inn", + "You are logged in as {0} (@{1})": "Du er logget inn som {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Flott! Sikkerhetskopier vil bli lastet opp til en privat gist på kontoen din", + "Select backup": "Velg sikkerhetskopi", + "WingetUI Settings": "Innstillinger for WingetUI", + "Allow pre-release versions": "Tillat forhåndsversjoner", + "Apply": "Bruk", + "Go to UniGetUI security settings": "Gå til UniGetUI-sikkerhetsinnstillinger", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Følgende alternativer vil bli brukt som standard hver gang en {0}-pakke blir installert, oppgradert eller avinstallert.", + "Package's default": "Pakkens standard", + "Install location can't be changed for {0} packages": "Installasjonsplassering kan ikke endres for {0} pakker", + "The local icon cache currently takes {0} MB": "Den lokale ikonhurtigbufferen tar for øyeblikket opp {0} MB", + "Username": "Brukernavn", + "Password": "Passord", + "Credentials": "Legitimasjon", + "Partially": "Delvis", + "Package manager": "Pakkebehandler", + "Compatible with proxy": "Kompatibel med mellomtjener", + "Compatible with authentication": "Kompatibel med autentisering", + "Proxy compatibility table": "Mellomtjenerkompatibilitetstabell", + "{0} settings": "{0}-innstillinger", + "{0} status": "{0}-status", + "Default installation options for {0} packages": "Standardinstallasjonsvalg for {0} pakker", + "Expand version": "Utvid versjon", + "The executable file for {0} was not found": "Den kjørbare filen for {0} ble ikke funnet", + "{pm} is disabled": "{pm} er deaktivert", + "Enable it to install packages from {pm}.": "Aktiver det for å installere pakker fra {pm}", + "{pm} is enabled and ready to go": "{pm} er aktivert og klar for bruk", + "{pm} version:": "{pm} versjon: ", + "{pm} was not found!": "{pm} ble ikke funnet!", + "You may need to install {pm} in order to use it with WingetUI.": "Du må kanskje installere {pm} for å bruke det med WingetUI.", + "Scoop Installer - WingetUI": "Scoop-installasjonsprogram - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop-avinstallasjonsprogram - WingetUI", + "Clearing Scoop cache - WingetUI": "Renser Scoop-cachen - WingetUI", + "Restart UniGetUI": "Start UniGetUI på nytt", + "Manage {0} sources": "Behandle {0} kilder", + "Add source": "Legg til kilde", + "Add": "Legg til", + "Other": "Andre", + "1 day": "1 dag", + "{0} days": "{0} dager", + "{0} minutes": "{0} minutter", + "1 hour": "1 time", + "{0} hours": "{0} timer", + "1 week": "1 uke", + "WingetUI Version {0}": "WingetUI versjon {0}", + "Search for packages": "Søk etter pakker", + "Local": "Lokal", + "OK": "Greit", + "{0} packages were found, {1} of which match the specified filters.": "{1} pakker ble funnet, hvorav {0} samsvarte med filtrene dine.", + "{0} selected": "{0} valgt", + "(Last checked: {0})": "(Sist sjekket: {0})", + "Enabled": "Skrudd på", + "Disabled": "Skrudd av", + "More info": "Mer informasjon", + "Log in with GitHub to enable cloud package backup.": "Logg inn med GitHub for å skru på skylagrede pakkesikkerhetskopier.", + "More details": "Flere detaljer", + "Log in": "Logg inn", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Hvis du har skysikkerhetskopi aktivert, blir den lagret som en GitHub Gist på denne kontoen", + "Log out": "Logg ut", + "About": "Om", + "Third-party licenses": "Tredjepartslisenser", + "Contributors": "Bidragsytere", + "Translators": "Oversettere", + "Manage shortcuts": "Behandle snarveier", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har oppdaget følgende skrivebordssnarveier som kan fjernes automatisk ved fremtidige oppgraderinger", + "Do you really want to reset this list? This action cannot be reverted.": "Vil du virkelig tilbakestille denne listen? Denne handlingen kan ikke reverseres.", + "Remove from list": "Fjern fra liste", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Når nye snarveier oppdages, slett dem automatisk i stedet for å vise denne dialogen.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI samler inn anonyme bruksdata utelukkende for å forstå og forbedre brukeropplevelsen.", + "More details about the shared data and how it will be processed": "Mer informasjon om delte data og hvordan de vil bli behandlet", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Godtar du at UniGetUI samler inn og sender anonyme bruksstatistikker, utelukkende for å forstå og forbedre brukeropplevelsen?", + "Decline": "Avslå", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ingen personlig informasjon blir samlet inn eller sendt, og de innsamlede dataene er anonymiserte, slik at de ikke kan spores tilbake til deg.", + "About WingetUI": "Om WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI er en applikasjon som forenkler håndtering av programvare, ved å tilby et alt-i-ett grafisk grensesnitt for kommandolinjepakkehåndtererne dine.", + "Useful links": "Nyttige lenker", + "Report an issue or submit a feature request": "Si fra om en feil eller send inn forslag til nye funksjoner", + "View GitHub Profile": "Vis GitHub-profil", + "WingetUI License": "WingetUI - Lisens", + "Using WingetUI implies the acceptation of the MIT License": "Bruk av UniGetUI innebærer å godta MIT-lisensen", + "Become a translator": "Bli en oversetter", + "View page on browser": "Vis siden i nettleseren", + "Copy to clipboard": "Kopier til utklippstavlen", + "Export to a file": "Eksporter til en fil", + "Log level:": "Loggnivå:", + "Reload log": "Last inn logg på nytt", + "Text": "Tekst", + "Change how operations request administrator rights": "Endre hvordan handlinger spør om adminrettigheter", + "Restrictions on package operations": "Begrensninger for pakkeoperasjoner", + "Restrictions on package managers": "Begrensninger på pakkebehandlere", + "Restrictions when importing package bundles": "Begrensninger ved import av pakkebundler", + "Ask for administrator privileges once for each batch of operations": "Spør etter administratorrettigheter en gang per gruppe operasjoner", + "Ask only once for administrator privileges": "Spør kun én gang om adminprivilegier", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Forby enhver form for opphøying via UniGetUI Elevator eller GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Dette alternativet VIL forårsake problemer. Enhver operasjon som ikke klarer å opphøye seg selv VIL MISLYKKES. Installasjon/oppdatering/avinstallering som administrator VIL IKKE FUNGERE.", + "Allow custom command-line arguments": "Tillat tilpassede kommandolinjeparametre", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Egendefinerte kommandolinjeparametre kan endre måten programmer installeres, oppgraderes eller avinstalleres på, på en måte som UniGetUI ikke kan kontrollere. Bruk av egendefinerte kommandolinjer kan ødelegge pakker. Fortsett med forsiktighet.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillat at egendefinerte pre-installasjons- og post-installasjonskommandoer kjøres", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre- og post-installasjonskommandoer vil kjøres før og etter at en pakke blir installert, oppgradert eller avinstallert. Vær oppmerksom på at de kan ødelegge ting med mindre de brukes nøye", + "Allow changing the paths for package manager executables": "Tillat endring av stier for pakkehåndtereres kjørbare filer", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Hvis du slår dette på, kan du endre den kjørbare filen som brukes til å samhandle med pakkehåndterere. Selv om dette gir mer detaljert tilpasning av installasjonsprosessene dine, kan det også være farlig", + "Allow importing custom command-line arguments when importing packages from a bundle": "Tillat import av tilpassede kommandolinjeparametre ved import av pakker fra en pakkebundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Feilformede kommandolinjeparametre kan ødelegge pakker, eller til og med tillate en ondsinnet aktør å oppnå privilegert kjøring. Derfor er import av egendefinerte kommandolinjeparametre deaktivert som standard.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillat import av egendefinerte pre-installasjons- og post-installasjonskommandoer ved import av pakker fra en pakkebundle", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre- og post-installasjonskommandoer kan gjøre veldig ubehagelige ting med enheten din, hvis de er designet for det. Det kan være veldig farlig å importere kommandoene fra en pakkebundle, med mindre du stoler på kilden til pakkebundlen", + "Administrator rights and other dangerous settings": "Adminrettigheter og andre risikable innstillinger", + "Package backup": "Pakke-sikkerhetskopiering", + "Cloud package backup": "Skylagret pakkesikkerhetskopi", + "Local package backup": "Lokal pakkesikkerhetskopi", + "Local backup advanced options": "Avanserte valg for lokal sikkerhetskopi", + "Log in with GitHub": "Logg inn med GitHub", + "Log out from GitHub": "Logg ut fra GitHub", + "Periodically perform a cloud backup of the installed packages": "Utfør periodisk en skysikkerhetskopi av de installerte pakkene", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Skysikkerhetskopiering bruker en privat GitHub Gist til å lagre en liste over installerte pakker", + "Perform a cloud backup now": "Utfør en skysikkerhetskopi nå", + "Backup": "Ta sikkerhetskopi", + "Restore a backup from the cloud": "Gjenopprett en sikkerhetskopi fra skyen", + "Begin the process to select a cloud backup and review which packages to restore": "Start prosessen for å velge en skylagret sikkerhetskopi og gjennomgå hvilke pakker som skal gjenopprettes", + "Periodically perform a local backup of the installed packages": "Utfør periodisk en lokal sikkerhetskopi av de installerte pakkene", + "Perform a local backup now": "Utfør en lokal sikkerhetskopi nå", + "Change backup output directory": "Endre utdatamappen for sikkerhetskopier", + "Set a custom backup file name": "Velg et eget navn for sikkerhetskopifilen", + "Leave empty for default": "La stå tomt for standardvalget", + "Add a timestamp to the backup file names": "Legg til et tidsstempel til sikkerhetskopi-filnavnene", + "Backup and Restore": "Sikkerhetskopier og gjenopprett", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiver bakgrunns-API-et (WingetUI Widgets and Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vent til enheten er koblet til internett før du prøver å utføre oppgaver som krever internettilkobling.", + "Disable the 1-minute timeout for package-related operations": "Deaktiver 1-minutters tidsavbrudd for pakkerelaterte operasjoner", + "Use installed GSudo instead of UniGetUI Elevator": "Bruk installert GSudo i stedet for UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Bruk et egendefinert ikon og en egendefinert URL til databasen", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiver optimaliseringer for CPU-bruk i bakgrunnen (se Pull Request #3278)", + "Perform integrity checks at startup": "Utfør integritetssjekker ved oppstart", + "When batch installing packages from a bundle, install also packages that are already installed": "Ved bunkeinstallasjon av pakker fra en pakkebundle, installer også pakker som allerede er installert", + "Experimental settings and developer options": "Eksperimentelle innstillinger og valg for utviklere", + "Show UniGetUI's version and build number on the titlebar.": "Vis UniGetUI-versjonen på tittellinjen.", + "Language": "Språk", + "UniGetUI updater": "UniGetUI-oppdaterer", + "Telemetry": "Telemetri", + "Manage UniGetUI settings": "Behandle UniGetUI-innstillinger", + "Related settings": "Relaterte innstillinger", + "Update WingetUI automatically": "Oppdater WingetUI automatisk", + "Check for updates": "Se etter oppdateringer", + "Install prerelease versions of UniGetUI": "Installer forhåndsversjoner av UniGetUI", + "Manage telemetry settings": "Administrer telemetriinnstillinger", + "Manage": "Behandle", + "Import settings from a local file": "Importer innstillinger fra en lokal fil", + "Import": "Importer", + "Export settings to a local file": "Eksporter innstillinger til en lokal fil", + "Export": "Eksporter", + "Reset WingetUI": "Tilbakestill WingetUI", + "Reset UniGetUI": "Tilbakestill UniGetUI", + "User interface preferences": "Alternativer for brukergrensesnitt", + "Application theme, startup page, package icons, clear successful installs automatically": "App-tema, oppstartsfane, pakkeikoner, fjern suksessfulle installasjoner automatisk", + "General preferences": "Generelle innstillinger", + "WingetUI display language:": "WingetUI sitt visningsspråk:", + "Is your language missing or incomplete?": "Mangler språket ditt eller er det uferdig?", + "Appearance": "Utseende", + "UniGetUI on the background and system tray": "UniGetUI i bakgrunnen og systemkurven", + "Package lists": "Pakkelister", + "Close UniGetUI to the system tray": "Lukk UniGetUI til systemkurven", + "Show package icons on package lists": "Vis pakkeikoner i pakkelistene", + "Clear cache": "Tøm hurtigbuffer (cache)", + "Select upgradable packages by default": "Velg oppgraderbare pakker som standard", + "Light": "Lys", + "Dark": "Mørk", + "Follow system color scheme": "Følg systemtemaet", + "Application theme:": "Applikasjonstema:", + "Discover Packages": "Oppdag pakker", + "Software Updates": "Programoppdateringer", + "Installed Packages": "Installerte pakker", + "Package Bundles": "Pakkebundler", + "Settings": "Innstillinger", + "UniGetUI startup page:": "UniGetUI-oppstartsside:", + "Proxy settings": "Mellomtjenerinnstillinger", + "Other settings": "Andre innstillinger", + "Connect the internet using a custom proxy": "Koble til internettet med en selvvalgt mellomtjener", + "Please note that not all package managers may fully support this feature": "Vær oppmerksom på at ikke alle pakkehåndterere kan støtte denne funksjonen fullt ut", + "Proxy URL": "Mellomtjener-URL", + "Enter proxy URL here": "Skriv inn mellomtjener-URL her", + "Package manager preferences": "Innstillinger for pakkehåndterer", + "Ready": "Klar", + "Not found": "Ikke funnet", + "Notification preferences": "Varslingsinnstillinger", + "Notification types": "Varslingstyper", + "The system tray icon must be enabled in order for notifications to work": "Systemkurv-ikonet må være aktivert for at varsler skal fungere", + "Enable WingetUI notifications": "Aktiver varsler fra WingetUI", + "Show a notification when there are available updates": "Vis et varsel når oppdateringer er tilgjengelige", + "Show a silent notification when an operation is running": "Vis en stille varsling når en operasjon kjører", + "Show a notification when an operation fails": "Vis en varsling når en operasjon feiler", + "Show a notification when an operation finishes successfully": "Vis en varsling når en operasjon fullføres", + "Concurrency and execution": "Samtidighet og kjøring", + "Automatic desktop shortcut remover": "Automatisk fjerner av skrivebordssnarveier", + "Clear successful operations from the operation list after a 5 second delay": "Tøm vellykkede handlinger fra handlingslisten etter en 5-sekunders forsinkelse", + "Download operations are not affected by this setting": "Nedlastningshandlinger er ikke påvirket av denne innstillingen", + "Try to kill the processes that refuse to close when requested to": "Prøv å tvangsavslutte prosesser som nekter å lukkes når de blir bedt om det", + "You may lose unsaved data": "Du kan miste ulagrede data", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Be om å slette skrivebordssnarveier som ble opprettet under installasjon eller oppgradering.", + "Package update preferences": "Preferanser for pakkeoppdateringer", + "Update check frequency, automatically install updates, etc.": "Hvor ofte oppdateringer ses etter, installer oppdateringer automatisk, osv.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduser UAC-forespørsler, kjør installerere som admin som standard, lås opp visse risikable funksjoner, osv.", + "Package operation preferences": "Pakkehandlingsinnstillinger", + "Enable {pm}": "Aktiver {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Finner du ikke filen du leter etter? Kontroller at den har blitt lagt til i stien.", + "For security reasons, changing the executable file is disabled by default": "Av sikkerhetsgrunner er endring av kjørbar fil deaktivert som standard", + "Change this": "Endre dette", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Velg den kjørbare filen som skal brukes. Følgende liste viser de kjørbare filene funnet av UniGetUI", + "Current executable file:": "Gjeldende kjørbar fil:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorer pakker fra {pm} når det vises et varsel om oppdateringer", + "View {0} logs": "Vis {0} logger", + "Advanced options": "Avanserte innstillinger", + "Reset WinGet": "Tilbakestill UniGetUI", + "This may help if no packages are listed": "Dette kan hjelpe hvis ingen pakker vises", + "Force install location parameter when updating packages with custom locations": "Tving installasjonslokasjonsparameter ved oppdatering av pakker med egendefinerte plasseringer", + "Use bundled WinGet instead of system WinGet": "Bruk bundlet WinGet i stedet for systemets WinGet", + "This may help if WinGet packages are not shown": "Dette kan hjelpe hvis WinGet-pakker ikke vises", + "Install Scoop": "Installer Scoop", + "Uninstall Scoop (and its packages)": "Avinstaller Scoop (og alle tilhørende pakker)", + "Run cleanup and clear cache": "Kjør opprensing og fjern buffer", + "Run": "Kjør", + "Enable Scoop cleanup on launch": "Aktiver Scoop-cleanup (nullstilling av buffer) ved oppstart", + "Use system Chocolatey": "Bruk systemets Chocolatey", + "Default vcpkg triplet": "Standard vcpkg-triplet", + "Language, theme and other miscellaneous preferences": "Språk, tema og diverse andre preferanser", + "Show notifications on different events": "Vis varslinger for ulike hendelser", + "Change how UniGetUI checks and installs available updates for your packages": "Endre hvordan UniGetUI sjekker for og installerer tilgjengelige oppdateringer for pakkene dine", + "Automatically save a list of all your installed packages to easily restore them.": "Lagre en liste over alle dine installerte pakker automatisk for å forenkle gjenoppretting av dem.", + "Enable and disable package managers, change default install options, etc.": "Skru på eller av pakkebehandlere, endre standardinnstillingene for installeringer, osv.", + "Internet connection settings": "Internettilkoblingsinnstillinger", + "Proxy settings, etc.": "Mellomtjenerinnstillinger, osv.", + "Beta features and other options that shouldn't be touched": "Beta-funksjonalitet og andre innstillinger som ikke bør røres", + "Update checking": "Oppdateringssjekker", + "Automatic updates": "Automatiske oppdateringer", + "Check for package updates periodically": "Sjekk etter pakkeoppdateringer med jevne mellomrom", + "Check for updates every:": "Søk etter oppdateringer hver:", + "Install available updates automatically": "Installer tilgjengelige oppdateringer automatisk", + "Do not automatically install updates when the network connection is metered": "Ikke automatisk oppdater pakker hvis nettverkstilkoblingen er på mobildata", + "Do not automatically install updates when the device runs on battery": "Ikke automatisk oppdater pakker mens enheten kjører på batteri", + "Do not automatically install updates when the battery saver is on": "Ikke automatisk installer oppdateringer mens Batterisparing er på", + "Change how UniGetUI handles install, update and uninstall operations.": "Endre hvordan UniGetUI håndterer installasjons-, oppdaterings- og avinstallasjonsoperasjoner.", + "Package Managers": "Pakkehåndterere", + "More": "Mer", + "WingetUI Log": "WingetUI-logg", + "Package Manager logs": "Pakkehåndteringslogger", + "Operation history": "Handlingshistorikk", + "Help": "Hjelp", + "Order by:": "Sortér etter:", + "Name": "Navn", + "Id": "ID", + "Ascendant": "Stigende", + "Descendant": "Synkende", + "View mode:": "Visningsmodus:", + "Filters": "Filtre", + "Sources": "Kilder", + "Search for packages to start": "Søk etter en eller flere pakker for å starte", + "Select all": "Velg alle", + "Clear selection": "Tøm valg", + "Instant search": "Hurtigsøk", + "Distinguish between uppercase and lowercase": "Skill mellom store og små bokstaver", + "Ignore special characters": "Ignorer spesialtegn", + "Search mode": "Søkemodus", + "Both": "Begge", + "Exact match": "Eksakt samsvar", + "Show similar packages": "Vis lignende pakker", + "No results were found matching the input criteria": "Ingen resultater som matchet kriteriene ble funnet", + "No packages were found": "Ingen pakker ble funnet", + "Loading packages": "Laster inn pakker", + "Skip integrity checks": "Hopp over integritetssjekker", + "Download selected installers": "Last ned de valgte installerere", + "Install selection": "Installer utvalg", + "Install options": "Installeringsalternativer", + "Share": "Del", + "Add selection to bundle": "Legg til utvalg til bundlen", + "Download installer": "Last ned installasjonsprogram", + "Share this package": "Del denne pakken", + "Uninstall selection": "Avinstaller valgte", + "Uninstall options": "Avinstallasjonsvalg", + "Ignore selected packages": "Ignorer valgte pakker", + "Open install location": "Åpne installasjonsplassering", + "Reinstall package": "Installer pakke på nytt", + "Uninstall package, then reinstall it": "Avinstaller pakken, og så reinstaller den", + "Ignore updates for this package": "Ignorer oppdateringer til denne pakken", + "Do not ignore updates for this package anymore": "Ikke ignorer oppdateringer for denne pakken lenger", + "Add packages or open an existing package bundle": "Legg til pakker eller åpne en eksisterende bundle", + "Add packages to start": "Legg til pakker for å starte", + "The current bundle has no packages. Add some packages to get started": "Nåværende bundle har ingen pakker. Legg til pakker for å sette i gang", + "New": "Ny", + "Save as": "Lagre som", + "Remove selection from bundle": "Fjern utvalg fra bundle", + "Skip hash checks": "Hopp over hash-sjekker", + "The package bundle is not valid": "Pakkebundlen er ikke gyldig", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Pakkebundlen du prøver å laste inn ser ut til å være ugyldig. Kontroller filen og prøv igjen.", + "Package bundle": "Pakkebundle", + "Could not create bundle": "Klarte ikke å lage pakkebundle", + "The package bundle could not be created due to an error.": "Pakkebundlen kunne ikke opprettes på grunn av en feil.", + "Bundle security report": "Sikkerhetsrapport for pakkebundle", + "Hooray! No updates were found.": "Hurra! Ingen oppdateringer ble funnet!", + "Everything is up to date": "Alt er oppdatert", + "Uninstall selected packages": "Avinstaller valgte pakker", + "Update selection": "Oppdater utvalg", + "Update options": "Oppdateringsinnstillinger", + "Uninstall package, then update it": "Avinstaller pakken, og så oppdater den", + "Uninstall package": "Avinstaller pakken", + "Skip this version": "Hopp over denne versjonen", + "Pause updates for": "Sett oppdateringer på pause i", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-pakkehåndtereren.
Inneholder: Rust-biblioteker og programmer skrevet i Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Den klassiske pakkehåndtereren for Windows. Du kan finne alt mulig rart der.
Inneholder: Generell programvare", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Et pakkelager fullt av verktøy og programmer designet for Microsoft sitt .NET-økosystem.
Inneholder: .NET-relaterte verktøy og skript", + "NuPkg (zipped manifest)": "NuPkg (zippet manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS sin pakkehåndterer. Full av biblioteker og andre verktøy som svever rundt i JavaScript-universet
Inneholder: Node.js-biblioteker og andre relaterte verktøy", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python sin bibliotekshåndterer. Full av Python-biblioteker og andre python-relaterte verktøy
Inneholder: Python-biblioteker og relaterte verktøy", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell sin pakkehåndterer. Finn bibliotek og skript for å utvide PowerShell sine evner
Inneholder: Moduler, skript, cmdlets", + "extracted": "utpakket", + "Scoop package": "Scoop-pakke", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Flott pakkehåndterer med ukjente men nyttige verktøy og andre interessante pakker.
Inneholder:Verktøy, kommandolinjeprogrammer, generell programvare (ekstra buckets trengs)", + "library": "bibliotek", + "feature": "funksjon", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities\nEn populær C/C++-bibliotekhåndterer. Full av C/C++-biblioteer og andre relaterte verktøy.
Inneholder:C/C++-biblioteker og relaterte verktøy", + "option": "valg", + "This package cannot be installed from an elevated context.": "Denne pakken kan ikke installeres fra en opphøyd kontekst.", + "Please run UniGetUI as a regular user and try again.": "Kjør UniGetUI som en vanlig bruker og prøv igjen.", + "Please check the installation options for this package and try again": "Kontroller installasjonsalternativene for denne pakken og prøv igjen", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft sin offisielle pakkehåndterer. Full av velkjente og verifiserte pakker
Inneholder: Generell programvare, Microsoft Store-apper", + "Local PC": "Lokal PC", + "Android Subsystem": "Android-undersystem", + "Operation on queue (position {0})...": "Handlingen er i køen (posisjon {0})...", + "Click here for more details": "Klikk her for flere detaljer", + "Operation canceled by user": "Operasjon avbrutt av bruker", + "Starting operation...": "Starter operasjon...", + "{package} installer download": "{package} installasjonsprogramnedlasting", + "{0} installer is being downloaded": "{0} installasjonsprogram lastes ned", + "Download succeeded": "Nedlasting var suksessfull", + "{package} installer was downloaded successfully": "{package} installasjonsprogram ble lastet ned vellykket", + "Download failed": "Nedlasting mislyktes", + "{package} installer could not be downloaded": "{package} installasjonsprogram kunne ikke lastes ned", + "{package} Installation": "{package} Installasjon", + "{0} is being installed": "{0} blir installert", + "Installation succeeded": "Installasjon fullført", + "{package} was installed successfully": "{package} ble suksessfullt installert", + "Installation failed": "Installasjon feilet", + "{package} could not be installed": "{package} kunne ikke installeres", + "{package} Update": "{package} Oppdater", + "{0} is being updated to version {1}": "{0} oppdateres til versjon {1}", + "Update succeeded": "Suksessfull oppdatering", + "{package} was updated successfully": "{package} ble suksessfullt oppdatert", + "Update failed": "Oppdatering feilet", + "{package} could not be updated": "{package} kunne ikke oppdateres", + "{package} Uninstall": "{package} Avinstaller", + "{0} is being uninstalled": "{0} blir avinstallert", + "Uninstall succeeded": "Suksessfull avinstallering", + "{package} was uninstalled successfully": "{package} ble suksessfullt avinstallert", + "Uninstall failed": "Avinstallering feilet", + "{package} could not be uninstalled": "{package} kunne ikke avinstalleres", + "Adding source {source}": "Legger til kilde {source}", + "Adding source {source} to {manager}": "Legger til kilde {source} til {manager}", + "Source added successfully": "Kilde lagt til vellykket", + "The source {source} was added to {manager} successfully": "Kilden {source} ble suksessfullt lag til hos {manager}", + "Could not add source": "Mislyktes i å legge til kilde", + "Could not add source {source} to {manager}": "Kunne ikke legge til kilde {source} til {manager}", + "Removing source {source}": "Fjerner kilden {source}", + "Removing source {source} from {manager}": "Fjerner kilde {source} fra {manager}", + "Source removed successfully": "Kilde fjernet vellykket", + "The source {source} was removed from {manager} successfully": "Kilden {source} ble suksessfullt fjernet fra {manager}", + "Could not remove source": "Klarte ikke å fjerne kilde", + "Could not remove source {source} from {manager}": "Kunne ikke fjerne kilde {source} fra {manager}", + "The package manager \"{0}\" was not found": "«{0}»-pakkebehandleren ble ikke funnet", + "The package manager \"{0}\" is disabled": "«{0}»-pakkebehandleren er skrudd av", + "There is an error with the configuration of the package manager \"{0}\"": "Det er en feil med konfigurasjonen til pakkehåndtereren \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakken \"{0}\" ble ikke funnet hos pakkehåndtereren \"{1}\"", + "{0} is disabled": "{0} er deaktivert", + "Something went wrong": "Noe gikk galt", + "An interal error occurred. Please view the log for further details.": "En intern feil oppstod. Vennligst se loggen for flere detaljer.", + "No applicable installer was found for the package {0}": "Ingen gjeldende installasjonsprogram ble funnet for pakken {0}", + "We are checking for updates.": "Vi søker etter oppdateringer.", + "Please wait": "Vennligst vent", + "UniGetUI version {0} is being downloaded.": "UniGetUI versjon {0} lastes ned.", + "This may take a minute or two": "Dette kan ta noen få minutter", + "The installer authenticity could not be verified.": "Autentisiteten til installasjonsprogrammet kunne ikke bekreftes.", + "The update process has been aborted.": "Oppdateringsprosessen har blitt avbrutt.", + "Great! You are on the latest version.": "Flott! Du har den nyeste versjonen.", + "There are no new UniGetUI versions to be installed": "Det er ingen nye UniGetUI-versjoner å installere", + "An error occurred when checking for updates: ": "En feil oppstod ved sjekking for oppdateringer", + "UniGetUI is being updated...": "UniGetUI oppdateres...", + "Something went wrong while launching the updater.": "Noe gikk galt under oppstart av oppdateringsprogrammet.", + "Please try again later": "Vennligst prøv igjen senere", + "Integrity checks will not be performed during this operation": "Integritetssjekker vil ikke bli utført under denne operasjonen", + "This is not recommended.": "Dette anbefales ikke.", + "Run now": "Kjør nå", + "Run next": "Kjør neste", + "Run last": "Kjør sist", + "Retry as administrator": "Prøv igjen som administrator", + "Retry interactively": "Prøv igjen interaktivt", + "Retry skipping integrity checks": "Prøv igjen og hopp over integritetssjekker", + "Installation options": "Installasjonsvalg", + "Show in explorer": "Vis i utforsker", + "This package is already installed": "Denne pakken er allerede installert", + "This package can be upgraded to version {0}": "Denne pakken kan oppgraderes til versjon {0}", + "Updates for this package are ignored": "Oppdateringer for denne pakken er ignorert", + "This package is being processed": "Denne pakken behandles", + "This package is not available": "Denne pakken er ikke tilgjengelig", + "Select the source you want to add:": "Velg kilden du ønsker å legge til:", + "Source name:": "Kildenavn:", + "Source URL:": "Kilde-URL:", + "An error occurred": "En feil oppstod", + "An error occurred when adding the source: ": "En feil oppstod da kilden ble lagt til:", + "Package management made easy": "Pakkebehandling gjort enkelt", + "version {0}": "versjon {0}", + "[RAN AS ADMINISTRATOR]": "KJØRTE SOM ADMINISTRATOR", + "Portable mode": "Bærbar modus\n", + "DEBUG BUILD": "FEILSØKINGSVERSJON", + "Available Updates": "Tilgjengelige oppdateringer", + "Show WingetUI": "Vis WingetUI", + "Quit": "Lukk", + "Attention required": "Oppmerksomhet kreves", + "Restart required": "Omstart kreves", + "1 update is available": "1 oppdatering er tilgjengelig", + "{0} updates are available": "{0} oppdateringer er tilgjengelige", + "WingetUI Homepage": "WingetUI - Hjemmeside", + "WingetUI Repository": "WingetUI - Pakkelagre", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Her kan du endre hvordan UniGetUI håndterer følgende snarveier. Hvis en snarvei er avkrysset, vil UniGetUI slette den hvis den opprettes under en fremtidig oppgradering. Hvis den ikke er avkrysset, vil snarveien forbli uendret.", + "Manual scan": "Manuell skanning", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Eksisterende snarveier på skrivebordet ditt vil bli skannet, og du må velge hvilke du vil beholde og hvilke du vil fjerne.", + "Continue": "Fortsett", + "Delete?": "Vil du slette?", + "Missing dependency": "Mangler avhengighet", + "Not right now": "Ikke akkurat nå", + "Install {0}": "Installer {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI krever {0} for å fungere, men det ble ikke funnet på systemet ditt.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Trykk på \"Installer\" for å starte installasjonsprosessen. Hvis du hopper over installasjonen, kan det hende at UniGetUI ikke fungerer som den skal.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Du kan eventuelt også installere {0} ved å kjøre følgende kommando i Windows PowerShell:", + "Do not show this dialog again for {0}": "Ikke vis denne dialogen igjen for {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vent mens {0} blir installert. Et svart (eller blått) vindu kan vises. Vent til det lukkes.", + "{0} has been installed successfully.": "{0} har blitt installert vellykket.", + "Please click on \"Continue\" to continue": "Vennligst klikk på \"Fortsett\" for å fortsette", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} har blitt installert vellykket. Det anbefales å starte UniGetUI på nytt for å fullføre installasjonen", + "Restart later": "Start på nytt senere", + "An error occurred:": "En feil oppstod:", + "I understand": "Jeg forstår", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI har blitt kjørt som administrator, noe som ikke anbefales. Når du kjører WingetUI som administrator, får ALLE programmer WingetUI starter administratortillatelser. Du kan fortsatt bruke programmet, men vi anbefaler på det sterkeste å ikke kjøre WingetUI med administratortillatelser.", + "WinGet was repaired successfully": "WinGet ble reparert vellykket", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Det anbefales å starte UniGetUI på nytt etter at WinGet har blitt reparert", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MERK: Denne feilsøkeren kan deaktiveres fra UniGetUI-innstillinger, i WinGet-seksjonen", + "Restart": "Omstart", + "WinGet could not be repaired": "WinGet kunne ikke repareres", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "En uventet feil oppstod mens vi forsøkte å reparere WinGet. Vennligst prøv igjen senere", + "Are you sure you want to delete all shortcuts?": "Er du sikker på at du vil slette alle snarveiene?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nye snarveier som opprettes under en installasjon eller oppdateringsoperasjon vil bli slettet automatisk, i stedet for å vise en bekreftelsesmelding første gang de oppdages.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Snarveier opprettet eller endret utenfor UniGetUI blir ignorert. Du vil kunne legge dem til via {0}-knappen.", + "Are you really sure you want to enable this feature?": "Er du virkelig sikker på at du vil aktivere denne funksjonen?", + "No new shortcuts were found during the scan.": "Ingen nye snarveier ble funnet under skanningen.", + "How to add packages to a bundle": "Hvordan legge pakker til i en pakkebundle", + "In order to add packages to a bundle, you will need to: ": "For å legge pakker til i en pakkebundle, må du: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Gå til «{0}»- eller «{1}»-siden.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Finn pakken(e) du vil legge til i pakkebundlen, og velg avmerkingsboksen lengst til venstre.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Når pakkene du vil legge til i pakkebundlen er valgt, finner du og klikker på alternativet \"{0}\" på verktøylinja.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pakkene dine vil ha blitt lagt til i pakkebundlen. Du kan fortsette med å legge til pakker, eller eksportere pakkebundlen.", + "Which backup do you want to open?": "Hvilken sikkerhetskopi vil du åpne?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Velg sikkerhetskopien du vil åpne. Senere vil du kunne gjennomgå hvilke pakker/programmer du vil gjenopprette.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Det er mange pågående operasjoner. Å avslutte WingetUI kan føre til at de feiler. Vil du fortsette?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller noen av komponentene mangler eller er ødelagte.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Det anbefales sterkt å reinstallere UniGetUI for å håndtere situasjonen.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Se UniGetUI-loggene for å få mer informasjon om de berørte filene", + "Integrity checks can be disabled from the Experimental Settings": "Integritetssjekker kan deaktiveres fra eksperimentelle innstillinger", + "Repair UniGetUI": "Reparer UniGetUI", + "Live output": "Direkte output", + "Package not found": "Pakke ble ikke funnet", + "An error occurred when attempting to show the package with Id {0}": "En feil oppstod med visningen av en pakke med ID {0}", + "Package": "Pakke", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denne pakkebundlen hadde noen innstillinger som potensielt er farlige, og kan være ignorert som standard.", + "Entries that show in YELLOW will be IGNORED.": "Oppføringer som vises i GULT blir IGNORERT.", + "Entries that show in RED will be IMPORTED.": "Oppføringer som vises i RØDT vil bli IMPORTERT.", + "You can change this behavior on UniGetUI security settings.": "Du kan endre denne oppførselen i UniGetUI-sikkerhetsinnstillingene.", + "Open UniGetUI security settings": "Åpne UniGetUI-sikkerhetsinnstillinger", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Hvis du endrer sikkerhetsinnstillingene, må du åpne pakkebundlen igjen for at endringene skal tre i kraft.", + "Details of the report:": "Rapportens detaljer:", "\"{0}\" is a local package and can't be shared": "«{0}» er en lokal pakke og kan ikke deles", + "Are you sure you want to create a new package bundle? ": "Er du sikker på at du vil lage en ny pakkebundle?", + "Any unsaved changes will be lost": "Ulagrede endringer vill gå tapt", + "Warning!": "Advarsel!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Av sikkerhetsgrunner er egendefinerte kommandolinjeparametre deaktivert som standard. Gå til UniGetUI-sikkerhetsinnstillingene for å endre dette. ", + "Change default options": "Endre standardalternativene", + "Ignore future updates for this package": "Ignorer fremtidige oppdateringer for denne pakken", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Av sikkerhetsgrunner er pre-operasjons- og post-operasjonsskript deaktivert som standard. Gå til UniGetUI-sikkerhetsinnstillingene for å endre dette. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definere kommandoene som skal kjøres før eller etter at denne pakken blir installert, oppdatert eller avinstallert. De kjøres i en kommandoprompt, slik at CMD-skript fungerer her.", + "Change this and unlock": "Endre dette og lås opp", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} installeringsalternativer er for øyeblikket låst fordi {0} følger standardinstalleringsalternativene.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Velg prosessene som skal lukkes før denne pakken blir installert, oppdatert eller avinstallert.", + "Write here the process names here, separated by commas (,)": "Skriv prosessnavnene her, atskilt med kommaer (,)", + "Unset or unknown": "Ikke satt eller ukjent", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Vennligst se på kommandolinje-outputen eller handlingshistorikken for mer informasjon om problemet.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denne pakken har ingen skjermbilder eller mangler et ikon? Bidra til WingetUI ved å legge til de manglende ikonene og skjermbildene til vår åpne, offentlige database.", + "Become a contributor": "Bli en bidragsyter", + "Save": "Lagre", + "Update to {0} available": "Oppdatering for {0} er tilgjengelig", + "Reinstall": "Reinstaller", + "Installer not available": "Installerer ikke tilgjengelig", + "Version:": "Versjon:", + "Performing backup, please wait...": "Utfører sikkerhetskopi, vennligst vent...", + "An error occurred while logging in: ": "En feil oppstod under innlogging: ", + "Fetching available backups...": "Henter tilgjengelige sikkerhetskopier...", + "Done!": "Ferdig!", + "The cloud backup has been loaded successfully.": "Skysikkerhetskopien har blitt lastet inn vellykket.", + "An error occurred while loading a backup: ": "En feil oppstod under lasting av en sikkerhetskopi: ", + "Backing up packages to GitHub Gist...": "Sikkerhetskopierer pakker til GitHub Gist...", + "Backup Successful": "Sikkerhetskopieringen lyktes", + "The cloud backup completed successfully.": "Skysikkerhetskopieringen ble fullført vellykket.", + "Could not back up packages to GitHub Gist: ": "Klarte ikke å sikkerhetskopiere pakker til GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Det er ikke garantert at oppgitte legitimasjonsdata blir lagret sikkert, så du bør helst ikke bruke legitimasjonsdata fra bankkontoen din", + "Enable the automatic WinGet troubleshooter": "Aktiver den automatiske WinGet-feilsøkeren", + "Enable an [experimental] improved WinGet troubleshooter": "Aktiver en [eksperimentell] forbedret WinGet-feilsøker", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Legg til oppdateringer som mislykkes med \"ingen gjeldende oppdatering funnet\" i listen over ignorerte oppdateringer.", + "Restart WingetUI to fully apply changes": "Start WingetUI på nytt for at alle endringene skal bli tatt i bruk", + "Restart WingetUI": "Start WingetUI på nytt", + "Invalid selection": "Ugyldig utvalg", + "No package was selected": "Ingen pakke ble valgt", + "More than 1 package was selected": "Mer enn 1 pakke var valgt", + "List": "Liste", + "Grid": "Rutenett", + "Icons": "Ikoner", "\"{0}\" is a local package and does not have available details": "«{0}» er en lokal pakke og har ikke tilgjengelige detaljer", "\"{0}\" is a local package and is not compatible with this feature": "«{0}» er en lokal pakke og støtter ikke denne funksjonen", - "(Last checked: {0})": "(Sist sjekket: {0})", + "WinGet malfunction detected": "Feilfunksjon i WinGet oppdaget", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det ser ut til at WinGet ikke fungerer som det skal. Vil du forsøke å reparere WinGet?", + "Repair WinGet": "Reparer WinGet", + "Create .ps1 script": "Lag et .ps1-skript", + "Add packages to bundle": "Legg til pakker i pakkebundle", + "Preparing packages, please wait...": "Forbereder pakker, vennligst vent...", + "Loading packages, please wait...": "Laster pakker, vennligst vent...", + "Saving packages, please wait...": "Lagrer pakker, vennligst vent...", + "The bundle was created successfully on {0}": "Pakkebundlen ble opprettet vellykket på {0}", + "Install script": "Installasjonsskript", + "The installation script saved to {0}": "Installasjonsskriptet ble lagret til {0}", + "An error occurred while attempting to create an installation script:": "En feil oppstod under forsøk på å lage et installasjonsskript:", + "{0} packages are being updated": "{0} pakker oppdateres", + "Error": "Feil", + "Log in failed: ": "Innlogging mislyktes:", + "Log out failed: ": "Utlogging mislyktes: ", + "Package backup settings": "Innstillinger for pakkesikkerhetskopi", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nummer {0} i køen)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@yrjarv, @mikaelkw, @DandelionSprout", "0 packages found": "0 pakker funnet", "0 updates found": "0 oppdateringer funnet", - "1 - Errors": "1 - Feilmeldinger", - "1 day": "1 dag", - "1 hour": "1 time", "1 month": "1 måned", "1 package was found": "1 pakke ble funnet", - "1 update is available": "1 oppdatering er tilgjengelig", - "1 week": "1 uke", "1 year": "1 år", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Gå til «{0}»- eller «{1}»-siden.", - "2 - Warnings": "2 - Advarsler", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Finn pakken(e) du vil legge til i pakkebundlen, og velg avmerkingsboksen lengst til venstre.", - "3 - Information (less)": "3 - Informasjon (mindre)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Når pakkene du vil legge til i pakkebundlen er valgt, finner du og klikker på alternativet \"{0}\" på verktøylinja.", - "4 - Information (more)": "4 - Informasjon (mer)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pakkene dine vil ha blitt lagt til i pakkebundlen. Du kan fortsette med å legge til pakker, eller eksportere pakkebundlen.", - "5 - information (debug)": "5 - Informasjon (feilsøking)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities\nEn populær C/C++-bibliotekhåndterer. Full av C/C++-biblioteer og andre relaterte verktøy.
Inneholder:C/C++-biblioteker og relaterte verktøy", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Et pakkelager fullt av verktøy og programmer designet for Microsoft sitt .NET-økosystem.
Inneholder: .NET-relaterte verktøy og skript", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Et pakkelager fylt med verktøy, designet med Microsoft sitt .NET-økosystem i tankene.
Inneholder:.NET-relaterte verktøy: ", "A restart is required": "Omstart av datamaskinen er nødvendig", - "Abort install if pre-install command fails": "Avbryt installasjonen hvis pre-installasjonskommandoen mislykkes", - "Abort uninstall if pre-uninstall command fails": "Avbryt avinstallasjonen hvis pre-avinstallasjonskommandoen mislykkes", - "Abort update if pre-update command fails": "Avbryt oppdateringen hvis pre-oppdateringskommandoen mislykkes", - "About": "Om", "About Qt6": "Om Qt6", - "About WingetUI": "Om WingetUI", "About WingetUI version {0}": "Om WingetUI versjon {0}", "About the dev": "Om utvikleren", - "Accept": "Aksepter", "Action when double-clicking packages, hide successful installations": "Handling ved dobbelklikking på pakker, skjul fullførte installasjoner", - "Add": "Legg til", "Add a source to {0}": "Legg til en kilde til {0}", - "Add a timestamp to the backup file names": "Legg til et tidsstempel til sikkerhetskopi-filnavnene", "Add a timestamp to the backup files": "Legg til et tidsstempel til sikkerhetskopi-filene", "Add packages or open an existing bundle": "Legg til pakker eller åpne en eksisterende bundle", - "Add packages or open an existing package bundle": "Legg til pakker eller åpne en eksisterende bundle", - "Add packages to bundle": "Legg til pakker i pakkebundle", - "Add packages to start": "Legg til pakker for å starte", - "Add selection to bundle": "Legg til utvalg til bundlen", - "Add source": "Legg til kilde", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Legg til oppdateringer som mislykkes med \"ingen gjeldende oppdatering funnet\" i listen over ignorerte oppdateringer.", - "Adding source {source}": "Legger til kilde {source}", - "Adding source {source} to {manager}": "Legger til kilde {source} til {manager}", "Addition succeeded": "Suksessfull tillegging", - "Administrator privileges": "Administratorrettigheter", "Administrator privileges preferences": "Preferanser for administratorrettigheter", "Administrator rights": "Administratorrettigheter", - "Administrator rights and other dangerous settings": "Adminrettigheter og andre risikable innstillinger", - "Advanced options": "Avanserte innstillinger", "All files": "Alle filer", - "All versions": "Alle versjoner", - "Allow changing the paths for package manager executables": "Tillat endring av stier for pakkehåndtereres kjørbare filer", - "Allow custom command-line arguments": "Tillat tilpassede kommandolinjeparametre", - "Allow importing custom command-line arguments when importing packages from a bundle": "Tillat import av tilpassede kommandolinjeparametre ved import av pakker fra en pakkebundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillat import av egendefinerte pre-installasjons- og post-installasjonskommandoer ved import av pakker fra en pakkebundle", "Allow package operations to be performed in parallel": "Tillat at pakkehandlinger skjer parallelt", "Allow parallel installs (NOT RECOMMENDED)": "Tillat parallelle installasjoner (IKKE ANBEFALT)", - "Allow pre-release versions": "Tillat forhåndsversjoner", "Allow {pm} operations to be performed in parallel": "Tillat at {pm}-operasjoner kan kjøre i parallell", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Du kan eventuelt også installere {0} ved å kjøre følgende kommando i Windows PowerShell:", "Always elevate {pm} installations by default": "Alltid øk tillatelsesnivået for {pm}-installasjoner", "Always run {pm} operations with administrator rights": "Alltid kjør {pm}-operasjoner med administratorrettigheter", - "An error occurred": "En feil oppstod", - "An error occurred when adding the source: ": "En feil oppstod da kilden ble lagt til:", - "An error occurred when attempting to show the package with Id {0}": "En feil oppstod med visningen av en pakke med ID {0}", - "An error occurred when checking for updates: ": "En feil oppstod ved sjekking for oppdateringer", - "An error occurred while attempting to create an installation script:": "En feil oppstod under forsøk på å lage et installasjonsskript:", - "An error occurred while loading a backup: ": "En feil oppstod under lasting av en sikkerhetskopi: ", - "An error occurred while logging in: ": "En feil oppstod under innlogging: ", - "An error occurred while processing this package": "En feil oppstod i behandlingen av denne pakken", - "An error occurred:": "En feil oppstod:", - "An interal error occurred. Please view the log for further details.": "En intern feil oppstod. Vennligst se loggen for flere detaljer.", "An unexpected error occurred:": "En uventet feil oppstod:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "En uventet feil oppstod mens vi forsøkte å reparere WinGet. Vennligst prøv igjen senere", - "An update was found!": "En oppdatering ble funnet!", - "Android Subsystem": "Android-undersystem", "Another source": "Annen kilde", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nye snarveier som opprettes under en installasjon eller oppdateringsoperasjon vil bli slettet automatisk, i stedet for å vise en bekreftelsesmelding første gang de oppdages.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Snarveier opprettet eller endret utenfor UniGetUI blir ignorert. Du vil kunne legge dem til via {0}-knappen.", - "Any unsaved changes will be lost": "Ulagrede endringer vill gå tapt", "App Name": "Appnavn", - "Appearance": "Utseende", - "Application theme, startup page, package icons, clear successful installs automatically": "App-tema, oppstartsfane, pakkeikoner, fjern suksessfulle installasjoner automatisk", - "Application theme:": "Applikasjonstema:", - "Apply": "Bruk", - "Architecture to install:": "Arkitektur som installeres:", "Are these screenshots wron or blurry?": "Er disse skjermbildene feil eller uklare?", - "Are you really sure you want to enable this feature?": "Er du virkelig sikker på at du vil aktivere denne funksjonen?", - "Are you sure you want to create a new package bundle? ": "Er du sikker på at du vil lage en ny pakkebundle?", - "Are you sure you want to delete all shortcuts?": "Er du sikker på at du vil slette alle snarveiene?", - "Are you sure?": "Er du sikker?", - "Ascendant": "Stigende", - "Ask for administrator privileges once for each batch of operations": "Spør etter administratorrettigheter en gang per gruppe operasjoner", "Ask for administrator rights when required": "Spør om administratorrettigheter ved behov", "Ask once or always for administrator rights, elevate installations by default": "Spør en gang eller alltid etter administratorrettigheter, øk tillatelsesnivået som standard", - "Ask only once for administrator privileges": "Spør kun én gang om adminprivilegier", "Ask only once for administrator privileges (not recommended)": "Bare spør om administratortilgang en gang (ikke anbefalt)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Be om å slette skrivebordssnarveier som ble opprettet under installasjon eller oppgradering.", - "Attention required": "Oppmerksomhet kreves", "Authenticate to the proxy with an user and a password": "Koble til mellomtjeneren med en bruker og et passord", - "Author": "Forfatter", - "Automatic desktop shortcut remover": "Automatisk fjerner av skrivebordssnarveier", - "Automatic updates": "Automatiske oppdateringer", - "Automatically save a list of all your installed packages to easily restore them.": "Lagre en liste over alle dine installerte pakker automatisk for å forenkle gjenoppretting av dem.", "Automatically save a list of your installed packages on your computer.": "Lagre en liste over dine installerte pakker på datamaskinen din automatisk.", - "Automatically update this package": "Automatisk oppdater denne pakken", "Autostart WingetUI in the notifications area": "Start WingetUI automatisk i varselfeltet", - "Available Updates": "Tilgjengelige oppdateringer", "Available updates: {0}": "Tilgjengelige oppdateringer: {0}", "Available updates: {0}, not finished yet...": "Tilgjengelige oppdateringer: {0}, jobber fortsatt...", - "Backing up packages to GitHub Gist...": "Sikkerhetskopierer pakker til GitHub Gist...", - "Backup": "Ta sikkerhetskopi", - "Backup Failed": "Sikkerhetskopiering mislyktes", - "Backup Successful": "Sikkerhetskopieringen lyktes", - "Backup and Restore": "Sikkerhetskopier og gjenopprett", "Backup installed packages": "Sikkerhetskopier installerte pakker", "Backup location": "Plassering for sikkerhetskopi", - "Become a contributor": "Bli en bidragsyter", - "Become a translator": "Bli en oversetter", - "Begin the process to select a cloud backup and review which packages to restore": "Start prosessen for å velge en skylagret sikkerhetskopi og gjennomgå hvilke pakker som skal gjenopprettes", - "Beta features and other options that shouldn't be touched": "Beta-funksjonalitet og andre innstillinger som ikke bør røres", - "Both": "Begge", - "Bundle security report": "Sikkerhetsrapport for pakkebundle", "But here are other things you can do to learn about WingetUI even more:": "Men her er andre ting du kan gjøre for å lære enda mer om WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ved å deaktivere en pakkehåndterer kommer du ikke lenger til å kunne se eller oppdatere pakkene dens", "Cache administrator rights and elevate installers by default": "Bufre administratorrettigheter og gi installasjonsprogrammer administratorrettigheter automatisk", "Cache administrator rights, but elevate installers only when required": "Bufre administratorrettigheter, men bare gi installasjonsprogrammer administratorrettigheter når det er nødvendig", "Cache was reset successfully!": "Buffer har blitt nullstillt!", "Can't {0} {1}": "Kan ikke {0} {1}", - "Cancel": "Avbryt", "Cancel all operations": "Avbryt alle operasjoner", - "Change backup output directory": "Endre utdatamappen for sikkerhetskopier", - "Change default options": "Endre standardalternativene", - "Change how UniGetUI checks and installs available updates for your packages": "Endre hvordan UniGetUI sjekker for og installerer tilgjengelige oppdateringer for pakkene dine", - "Change how UniGetUI handles install, update and uninstall operations.": "Endre hvordan UniGetUI håndterer installasjons-, oppdaterings- og avinstallasjonsoperasjoner.", "Change how UniGetUI installs packages, and checks and installs available updates": "Endre hvordan UniGetUI installerer pakker, samt søker etter og installerer tilgjengelige oppdateringer", - "Change how operations request administrator rights": "Endre hvordan handlinger spør om adminrettigheter", "Change install location": "Endre plassering for installasjon", - "Change this": "Endre dette", - "Change this and unlock": "Endre dette og lås opp", - "Check for package updates periodically": "Sjekk etter pakkeoppdateringer med jevne mellomrom", - "Check for updates": "Se etter oppdateringer", - "Check for updates every:": "Søk etter oppdateringer hver:", "Check for updates periodically": "Søk etter nye oppdateringer med jevne mellomrom", "Check for updates regularly, and ask me what to do when updates are found.": "Sjekk etter oppdateringer regelmessig og spør meg hva jeg vil gjøre når oppdateringer er funnet.", "Check for updates regularly, and automatically install available ones.": "Sjekk etter oppdateringer jevnlig, og installer tilgjengelige oppdateringer automatisk.", @@ -159,916 +741,335 @@ "Checking for updates...": "Søker etter oppdateringer...", "Checking found instace(s)...": "Sjekker oppdagede instans(er)...", "Choose how many operations shouls be performed in parallel": "Velg hvor mange handlinger som burde kjøres samtidig", - "Clear cache": "Tøm hurtigbuffer (cache)", "Clear finished operations": "Fjern fullførte operasjoner", - "Clear selection": "Tøm valg", "Clear successful operations": "Tøm vellykkede handlinger", - "Clear successful operations from the operation list after a 5 second delay": "Tøm vellykkede handlinger fra handlingslisten etter en 5-sekunders forsinkelse", "Clear the local icon cache": "Tøm den lokale ikonhurtigbufferen", - "Clearing Scoop cache - WingetUI": "Renser Scoop-cachen - WingetUI", "Clearing Scoop cache...": "Tømmer Scoop sin buffer...", - "Click here for more details": "Klikk her for flere detaljer", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Trykk på \"Installer\" for å starte installasjonsprosessen. Hvis du hopper over installasjonen, kan det hende at UniGetUI ikke fungerer som den skal.", - "Close": "Lukk", - "Close UniGetUI to the system tray": "Lukk UniGetUI til systemkurven", "Close WingetUI to the notification area": "Minimer WingetUI til systemstatusfeltet", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Skysikkerhetskopiering bruker en privat GitHub Gist til å lagre en liste over installerte pakker", - "Cloud package backup": "Skylagret pakkesikkerhetskopi", "Command-line Output": "Kommandolinje-output", - "Command-line to run:": "Kommandolinje som skal kjøres:", "Compare query against": "Sammenlign spørring mot", - "Compatible with authentication": "Kompatibel med autentisering", - "Compatible with proxy": "Kompatibel med mellomtjener", "Component Information": "Komponentinformasjon", - "Concurrency and execution": "Samtidighet og kjøring", - "Connect the internet using a custom proxy": "Koble til internettet med en selvvalgt mellomtjener", - "Continue": "Fortsett", "Contribute to the icon and screenshot repository": "Bidra til ikon- og skjermbildearkivet", - "Contributors": "Bidragsytere", "Copy": "Kopier", - "Copy to clipboard": "Kopier til utklippstavlen", - "Could not add source": "Mislyktes i å legge til kilde", - "Could not add source {source} to {manager}": "Kunne ikke legge til kilde {source} til {manager}", - "Could not back up packages to GitHub Gist: ": "Klarte ikke å sikkerhetskopiere pakker til GitHub Gist: ", - "Could not create bundle": "Klarte ikke å lage pakkebundle", "Could not load announcements - ": "Kunne ikke laste inn annonseringer -", "Could not load announcements - HTTP status code is $CODE": "Kunne ikke laste inn annonseringer - HTTP-statuskoden er $CODE", - "Could not remove source": "Klarte ikke å fjerne kilde", - "Could not remove source {source} from {manager}": "Kunne ikke fjerne kilde {source} fra {manager}", "Could not remove {source} from {manager}": "Kunne ikke fjerne {source} fra {manager}", - "Create .ps1 script": "Lag et .ps1-skript", - "Credentials": "Legitimasjon", "Current Version": "Nåværende versjon", - "Current executable file:": "Gjeldende kjørbar fil:", - "Current status: Not logged in": "Gjeldende status: Ikke logget inn", "Current user": "Nåværende bruker", "Custom arguments:": "Tilpassede parametre:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Egendefinerte kommandolinjeparametre kan endre måten programmer installeres, oppgraderes eller avinstalleres på, på en måte som UniGetUI ikke kan kontrollere. Bruk av egendefinerte kommandolinjer kan ødelegge pakker. Fortsett med forsiktighet.", "Custom command-line arguments:": "Tilpassede kommandolinje-parametre:", - "Custom install arguments:": "Egendefinerte installasjonsparametre:", - "Custom uninstall arguments:": "Egendefinerte avinstallasjonsparametre:", - "Custom update arguments:": "Egendefinerte oppdateringsparametre:", "Customize WingetUI - for hackers and advanced users only": "Tilpass WingetUI - kun for hackere og avanserte brukere", - "DEBUG BUILD": "FEILSØKINGSVERSJON", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ANSVARSFRASKRIVELSE: VI ER IKKE ANSVARLIGE FOR DE NEDLASTEDE PAKKENE. VENNLIGST BARE INSTALLER PROGRAMVARE DU STOLER PÅ.", - "Dark": "Mørk", - "Decline": "Avslå", - "Default": "Standard", - "Default installation options for {0} packages": "Standardinstallasjonsvalg for {0} pakker", "Default preferences - suitable for regular users": "Standardpreferanser - tilpasset normale brukere", - "Default vcpkg triplet": "Standard vcpkg-triplet", - "Delete?": "Vil du slette?", - "Dependencies:": "Avhengigheter:", - "Descendant": "Synkende", "Description:": "Beskrivelse:", - "Desktop shortcut created": "Skrivebordsnarvei opprettet", - "Details of the report:": "Rapportens detaljer:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Utvikling er vanskelig og dette programmet er gratis, men om du liker det kan du alltids spandere en kaffe på meg :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installer direkte ved å dobbeltklikke på et element under fanen \"{discoveryTab}\" (i stedet for å vise pakkeinformasjon)", "Disable new share API (port 7058)": "Deaktiver det nye delings-API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Deaktiver 1-minutters tidsavbrudd for pakkerelaterte operasjoner", - "Disabled": "Skrudd av", - "Disclaimer": "Ansvarsfraskrivelse", - "Discover Packages": "Oppdag pakker", "Discover packages": "Oppdag pakker", "Distinguish between\nuppercase and lowercase": "Skill mellom store og små bokstaver", - "Distinguish between uppercase and lowercase": "Skill mellom store og små bokstaver", "Do NOT check for updates": "IKKE søk etter oppdateringer", "Do an interactive install for the selected packages": "Utfør en interaktiv installasjon for den valgte pakken", "Do an interactive uninstall for the selected packages": "Utfør en interaktiv avinstallasjon for den valgte pakken", "Do an interactive update for the selected packages": "Utfør en interaktiv oppdatering for den valgte pakken", - "Do not automatically install updates when the battery saver is on": "Ikke automatisk installer oppdateringer mens Batterisparing er på", - "Do not automatically install updates when the device runs on battery": "Ikke automatisk oppdater pakker mens enheten kjører på batteri", - "Do not automatically install updates when the network connection is metered": "Ikke automatisk oppdater pakker hvis nettverkstilkoblingen er på mobildata", "Do not download new app translations from GitHub automatically": "Ikke last ned nye oversettelser av appen automatisk fra GitHub", - "Do not ignore updates for this package anymore": "Ikke ignorer oppdateringer for denne pakken lenger", "Do not remove successful operations from the list automatically": "Ikke fjern suksessfulle operasjoner automatisk fra listen", - "Do not show this dialog again for {0}": "Ikke vis denne dialogen igjen for {0}", "Do not update package indexes on launch": "Ikke oppdater pakkeindekser ved oppstart", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Godtar du at UniGetUI samler inn og sender anonyme bruksstatistikker, utelukkende for å forstå og forbedre brukeropplevelsen?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Synes du at WingetUI er nyttig? Hvis du kan, vil du kanskje støtte arbeidet mitt, så jeg kan fortsette å gjøre WingetUI til det ultimate pakkehåndterergrensesnittet.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Synes du at WingetUI er nyttig? Ønsker du å støtte utvikleren? I så fall kan du {0}, det hjelper masse!", - "Do you really want to reset this list? This action cannot be reverted.": "Vil du virkelig tilbakestille denne listen? Denne handlingen kan ikke reverseres.", - "Do you really want to uninstall the following {0} packages?": "Vil du virkelig avinstallere følgende {0} pakker?", "Do you really want to uninstall {0} packages?": "Vil du virkelig avinstallere {0} pakker?", - "Do you really want to uninstall {0}?": "Vil du virkelig avinstallere {0}?", "Do you want to restart your computer now?": "Vil du starte datamaskinen på nytt nå?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Vil du oversette WingetUI til ditt språk? Se hvordan du kan bidra HER!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Har du ikke lyst til å donere? Null stress, du kan alltid dele WingetUI med vennene dine. Spre ordet om WingetUI.", "Donate": "Donér", - "Done!": "Ferdig!", - "Download failed": "Nedlasting mislyktes", - "Download installer": "Last ned installasjonsprogram", - "Download operations are not affected by this setting": "Nedlastningshandlinger er ikke påvirket av denne innstillingen", - "Download selected installers": "Last ned de valgte installerere", - "Download succeeded": "Nedlasting var suksessfull", "Download updated language files from GitHub automatically": "Last ned oppdaterte språkfiler fra GitHub automatisk", "Downloading": "Laster ned", - "Downloading backup...": "Laster ned sikkerhetskopi...", "Downloading installer for {package}": "Laster ned installasjonsprogram for {package}", "Downloading package metadata...": "Laster ned metadata for pakken...", - "Enable Scoop cleanup on launch": "Aktiver Scoop-cleanup (nullstilling av buffer) ved oppstart", - "Enable WingetUI notifications": "Aktiver varsler fra WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Aktiver en [eksperimentell] forbedret WinGet-feilsøker", - "Enable and disable package managers, change default install options, etc.": "Skru på eller av pakkebehandlere, endre standardinnstillingene for installeringer, osv.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiver optimaliseringer for CPU-bruk i bakgrunnen (se Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiver bakgrunns-API-et (WingetUI Widgets and Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Aktiver det for å installere pakker fra {pm}", - "Enable the automatic WinGet troubleshooter": "Aktiver den automatiske WinGet-feilsøkeren", "Enable the new UniGetUI-Branded UAC Elevator": "Aktiver den nye UniGetUI-merkede UAC Elevator", "Enable the new process input handler (StdIn automated closer)": "Aktiver den nye prosessinngangsbehandleren (StdIn automatisk lukker)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiver innstillingene nedenfor hvis og bare hvis du fullt ut forstår hva de gjør, og konsekvensene de kan ha.", - "Enable {pm}": "Aktiver {pm}", - "Enabled": "Skrudd på", - "Enter proxy URL here": "Skriv inn mellomtjener-URL her", - "Entries that show in RED will be IMPORTED.": "Oppføringer som vises i RØDT vil bli IMPORTERT.", - "Entries that show in YELLOW will be IGNORED.": "Oppføringer som vises i GULT blir IGNORERT.", - "Error": "Feil", - "Everything is up to date": "Alt er oppdatert", - "Exact match": "Eksakt samsvar", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Eksisterende snarveier på skrivebordet ditt vil bli skannet, og du må velge hvilke du vil beholde og hvilke du vil fjerne.", - "Expand version": "Utvid versjon", - "Experimental settings and developer options": "Eksperimentelle innstillinger og valg for utviklere", - "Export": "Eksporter", - "Export log as a file": "Eksporter logg som en fil", - "Export packages": "Eksporter pakker", - "Export selected packages to a file": "Eksporter valgte pakker til en fil", - "Export settings to a local file": "Eksporter innstillinger til en lokal fil", - "Export to a file": "Eksporter til en fil", - "Failed": "Mislyktes", - "Fetching available backups...": "Henter tilgjengelige sikkerhetskopier...", + "Export log as a file": "Eksporter logg som en fil", + "Export packages": "Eksporter pakker", + "Export selected packages to a file": "Eksporter valgte pakker til en fil", "Fetching latest announcements, please wait...": "Henter siste annonseringer, vennligst vent...", - "Filters": "Filtre", "Finish": "Ferdig", - "Follow system color scheme": "Følg systemtemaet", - "Follow the default options when installing, upgrading or uninstalling this package": "Følg standardalternativene når du installerer, oppgraderer eller avinstallerer denne pakken", - "For security reasons, changing the executable file is disabled by default": "Av sikkerhetsgrunner er endring av kjørbar fil deaktivert som standard", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Av sikkerhetsgrunner er egendefinerte kommandolinjeparametre deaktivert som standard. Gå til UniGetUI-sikkerhetsinnstillingene for å endre dette. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Av sikkerhetsgrunner er pre-operasjons- og post-operasjonsskript deaktivert som standard. Gå til UniGetUI-sikkerhetsinnstillingene for å endre dette. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Bruk ARM-kompilert versjon av winget (BARE FOR ARM64-SYSTEMER)", - "Force install location parameter when updating packages with custom locations": "Tving installasjonslokasjonsparameter ved oppdatering av pakker med egendefinerte plasseringer", "Formerly known as WingetUI": "Tidligere kjent som WingetUI", "Found": "Funnet", "Found packages: ": "Funnede pakker:", "Found packages: {0}": "Fant pakker: {0}", "Found packages: {0}, not finished yet...": "Fant pakker: {0}, jobber fortsatt...", - "General preferences": "Generelle innstillinger", "GitHub profile": "GitHub-profil", "Global": "Globalt", - "Go to UniGetUI security settings": "Gå til UniGetUI-sikkerhetsinnstillinger", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Flott pakkehåndterer med ukjente men nyttige verktøy og andre interessante pakker.
Inneholder:Verktøy, kommandolinjeprogrammer, generell programvare (ekstra buckets trengs)", - "Great! You are on the latest version.": "Flott! Du har den nyeste versjonen.", - "Grid": "Rutenett", - "Help": "Hjelp", "Help and documentation": "Hjelp og dokumentasjon", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Her kan du endre hvordan UniGetUI håndterer følgende snarveier. Hvis en snarvei er avkrysset, vil UniGetUI slette den hvis den opprettes under en fremtidig oppgradering. Hvis den ikke er avkrysset, vil snarveien forbli uendret.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hei, mitt navn er Martí, og jeg er utvikleren som står bak WingetUI. WingetUI har utelukkende blitt laget på fritiden min!", "Hide details": "Skjul detaljer", - "Homepage": "Hjemmeside", - "homepage": "hjemmeside", - "Hooray! No updates were found.": "Hurra! Ingen oppdateringer ble funnet!", "How should installations that require administrator privileges be treated?": "Hva skal gjøres med installasjoner som krever administratorrettigheter?", - "How to add packages to a bundle": "Hvordan legge pakker til i en pakkebundle", - "I understand": "Jeg forstår", - "Icons": "Ikoner", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Hvis du har skysikkerhetskopi aktivert, blir den lagret som en GitHub Gist på denne kontoen", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillat at egendefinerte pre-installasjons- og post-installasjonskommandoer kjøres", - "Ignore future updates for this package": "Ignorer fremtidige oppdateringer for denne pakken", - "Ignore packages from {pm} when showing a notification about updates": "Ignorer pakker fra {pm} når det vises et varsel om oppdateringer", - "Ignore selected packages": "Ignorer valgte pakker", - "Ignore special characters": "Ignorer spesialtegn", "Ignore updates for the selected packages": "Ignorer oppdateringer for de valgte pakkene", - "Ignore updates for this package": "Ignorer oppdateringer til denne pakken", "Ignored updates": "Ignorerte oppdateringer", - "Ignored version": "Ignorert versjon", - "Import": "Importer", "Import packages": "Importer pakker", "Import packages from a file": "Importer pakker fra en fil", - "Import settings from a local file": "Importer innstillinger fra en lokal fil", - "In order to add packages to a bundle, you will need to: ": "For å legge pakker til i en pakkebundle, må du: ", "Initializing WingetUI...": "Initialiserer WingetUI...", - "install": "installer", - "Install": "Installer", - "Install Scoop": "Installer Scoop", "Install and more": "Installer og mer", "Install and update preferences": "Innstillinger for installasjon og oppdatering", - "Install as administrator": "Installér som administrator", - "Install available updates automatically": "Installer tilgjengelige oppdateringer automatisk", - "Install location can't be changed for {0} packages": "Installasjonsplassering kan ikke endres for {0} pakker", - "Install location:": "Installasjonsplassering:", - "Install options": "Installeringsalternativer", "Install packages from a file": "Installer pakker fra en fil", - "Install prerelease versions of UniGetUI": "Installer forhåndsversjoner av UniGetUI", - "Install script": "Installasjonsskript", "Install selected packages": "Installer valgte pakker", "Install selected packages with administrator privileges": "Installer valgte pakker med administratorrettigheter", - "Install selection": "Installer utvalg", "Install the latest prerelease version": "Installer siste forhåndsutgivelsesversjon", "Install updates automatically": "Installer oppdateringer automatisk", - "Install {0}": "Installer {0}", "Installation canceled by the user!": "Installasjon avbrutt av bruker!", - "Installation failed": "Installasjon feilet", - "Installation options": "Installasjonsvalg", - "Installation scope:": "Installasjonsomfang:", - "Installation succeeded": "Installasjon fullført", - "Installed Packages": "Installerte pakker", "Installed packages": "Installerte pakker", - "Installed Version": "Installert versjon", - "Installer SHA256": "Installasjonsprogram SHA256", - "Installer SHA512": "Installasjonsprogram SHA512", - "Installer Type": "Type installasjonsprogram", - "Installer URL": "URL til installasjonsprogram", - "Installer not available": "Installerer ikke tilgjengelig", "Instance {0} responded, quitting...": "Instans {0} ga svar, avslutter...", - "Instant search": "Hurtigsøk", - "Integrity checks can be disabled from the Experimental Settings": "Integritetssjekker kan deaktiveres fra eksperimentelle innstillinger", - "Integrity checks skipped": "Integritetssjekk hoppet over", - "Integrity checks will not be performed during this operation": "Integritetssjekker vil ikke bli utført under denne operasjonen", - "Interactive installation": "Interaktiv installasjon", - "Interactive operation": "Interaktiv operasjon", - "Interactive uninstall": "Interaktiv avinstallering", - "Interactive update": "Interaktiv oppdatering", - "Internet connection settings": "Internettilkoblingsinnstillinger", - "Invalid selection": "Ugyldig utvalg", "Is this package missing the icon?": "Mangler ikonet for denne pakken?", - "Is your language missing or incomplete?": "Mangler språket ditt eller er det uferdig?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Det er ikke garantert at oppgitte legitimasjonsdata blir lagret sikkert, så du bør helst ikke bruke legitimasjonsdata fra bankkontoen din", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Det anbefales å starte UniGetUI på nytt etter at WinGet har blitt reparert", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Det anbefales sterkt å reinstallere UniGetUI for å håndtere situasjonen.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det ser ut til at WinGet ikke fungerer som det skal. Vil du forsøke å reparere WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Det ser ut til at du kjørte WingetUI som administrator, noe som ikke anbefales. Du kan fortsatt bruke programmet, men vi anbefaler sterkt å ikke kjøre WingetUI med administratorrettigheter. Klikk på \"{showDetails}\" for å vise årsaken til det.", - "Language": "Språk", - "Language, theme and other miscellaneous preferences": "Språk, tema og diverse andre preferanser", - "Last updated:": "Sist oppdatert:", - "Latest": "Siste", "Latest Version": "Siste versjon", "Latest Version:": "Siste versjon:", "Latest details...": "Siste detaljer...", "Launching subprocess...": "Starter subprosess...", - "Leave empty for default": "La stå tomt for standardvalget", - "License": "Lisens", "Licenses": "Lisenser", - "Light": "Lys", - "List": "Liste", "Live command-line output": "Direkte output fra kommandolinja", - "Live output": "Direkte output", "Loading UI components...": "Laster UI-komponenter...", "Loading WingetUI...": "Laster inn WingetUI...", - "Loading packages": "Laster inn pakker", - "Loading packages, please wait...": "Laster pakker, vennligst vent...", - "Loading...": "Laster...", - "Local": "Lokal", - "Local PC": "Lokal PC", - "Local backup advanced options": "Avanserte valg for lokal sikkerhetskopi", "Local machine": "Lokal maskin", - "Local package backup": "Lokal pakkesikkerhetskopi", "Locating {pm}...": "Finner {pm}...", - "Log in": "Logg inn", - "Log in failed: ": "Innlogging mislyktes:", - "Log in to enable cloud backup": "Logg inn for å aktivere skysikkerhetskopi", - "Log in with GitHub": "Logg inn med GitHub", - "Log in with GitHub to enable cloud package backup.": "Logg inn med GitHub for å skru på skylagrede pakkesikkerhetskopier.", - "Log level:": "Loggnivå:", - "Log out": "Logg ut", - "Log out failed: ": "Utlogging mislyktes: ", - "Log out from GitHub": "Logg ut fra GitHub", "Looking for packages...": "Ser etter pakker...", "Machine | Global": "Maskin | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Feilformede kommandolinjeparametre kan ødelegge pakker, eller til og med tillate en ondsinnet aktør å oppnå privilegert kjøring. Derfor er import av egendefinerte kommandolinjeparametre deaktivert som standard.", - "Manage": "Behandle", - "Manage UniGetUI settings": "Behandle UniGetUI-innstillinger", "Manage WingetUI autostart behaviour from the Settings app": "Behandle autostartoppførsel for WingetUI fra innstillingsappen", "Manage ignored packages": "Behandle ignorerte pakker", - "Manage ignored updates": "Behandle ignorerte oppdateringer", - "Manage shortcuts": "Behandle snarveier", - "Manage telemetry settings": "Administrer telemetriinnstillinger", - "Manage {0} sources": "Behandle {0} kilder", - "Manifest": "Konfigurasjonsfil", "Manifests": "Konfigurasjonsfiler", - "Manual scan": "Manuell skanning", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft sin offisielle pakkehåndterer. Full av velkjente og verifiserte pakker
Inneholder: Generell programvare, Microsoft Store-apper", - "Missing dependency": "Mangler avhengighet", - "More": "Mer", - "More details": "Flere detaljer", - "More details about the shared data and how it will be processed": "Mer informasjon om delte data og hvordan de vil bli behandlet", - "More info": "Mer informasjon", - "More than 1 package was selected": "Mer enn 1 pakke var valgt", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MERK: Denne feilsøkeren kan deaktiveres fra UniGetUI-innstillinger, i WinGet-seksjonen", - "Name": "Navn", - "New": "Ny", "New Version": "Ny versjon", - "New version": "Ny versjon", "New bundle": "Ny bundle", - "Nice! Backups will be uploaded to a private gist on your account": "Flott! Sikkerhetskopier vil bli lastet opp til en privat gist på kontoen din", - "No": "Nei", - "No applicable installer was found for the package {0}": "Ingen gjeldende installasjonsprogram ble funnet for pakken {0}", - "No dependencies specified": "Ingen avhengigheter er spesifisert", - "No new shortcuts were found during the scan.": "Ingen nye snarveier ble funnet under skanningen.", - "No package was selected": "Ingen pakke ble valgt", "No packages found": "Ingen pakker funnet", "No packages found matching the input criteria": "Fant ingen pakker som samsvarer med søkekriteriene", "No packages have been added yet": "Ingen pakker har blitt lagt til enda", "No packages selected": "Ingen pakker er valgt", - "No packages were found": "Ingen pakker ble funnet", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ingen personlig informasjon blir samlet inn eller sendt, og de innsamlede dataene er anonymiserte, slik at de ikke kan spores tilbake til deg.", - "No results were found matching the input criteria": "Ingen resultater som matchet kriteriene ble funnet", "No sources found": "Ingen kilder ble funnet", "No sources were found": "Ingen kilder har blitt funnet", "No updates are available": "Ingen oppdateringer tilgjengelige", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS sin pakkehåndterer. Full av biblioteker og andre verktøy som svever rundt i JavaScript-universet
Inneholder: Node.js-biblioteker og andre relaterte verktøy", - "Not available": "Ikke tilgjengelig", - "Not finding the file you are looking for? Make sure it has been added to path.": "Finner du ikke filen du leter etter? Kontroller at den har blitt lagt til i stien.", - "Not found": "Ikke funnet", - "Not right now": "Ikke akkurat nå", "Notes:": "Notater:", - "Notification preferences": "Varslingsinnstillinger", "Notification tray options": "Innstillinger for varselområdet:", - "Notification types": "Varslingstyper", - "NuPkg (zipped manifest)": "NuPkg (zippet manifest)", - "OK": "Greit", "Ok": "Ok", - "Open": "Åpne", "Open GitHub": "Åpne GitHub", - "Open UniGetUI": "Åpne UniGetUI", - "Open UniGetUI security settings": "Åpne UniGetUI-sikkerhetsinnstillinger", "Open WingetUI": "Åpne WingetUI", "Open backup location": "Åpne backup-plasseringen", "Open existing bundle": "Åpne eksisterene bundle", - "Open install location": "Åpne installasjonsplassering", "Open the welcome wizard": "Åpne velkomstveilederen", - "Operation canceled by user": "Operasjon avbrutt av bruker", "Operation cancelled": "Handling avbrutt", - "Operation history": "Handlingshistorikk", - "Operation in progress": "Handlinger som utføres", - "Operation on queue (position {0})...": "Handlingen er i køen (posisjon {0})...", - "Operation profile:": "Operasjonsprofil:", "Options saved": "Innstillinger lagret", - "Order by:": "Sortér etter:", - "Other": "Andre", - "Other settings": "Andre innstillinger", - "Package": "Pakke", - "Package Bundles": "Pakkebundler", - "Package ID": "Pakke-ID", - "Package manager": "Pakkebehandler", "Package Manager": "Pakkehåndterer", - "Package Manager logs": "Pakkehåndteringslogger", - "Package Managers": "Pakkehåndterere", "Package managers": "Pakkebehandlere", - "Package Name": "Pakkenavn", - "Package backup": "Pakke-sikkerhetskopiering", - "Package backup settings": "Innstillinger for pakkesikkerhetskopi", - "Package bundle": "Pakkebundle", - "Package details": "Pakkedetaljer", - "Package lists": "Pakkelister", - "Package management made easy": "Pakkebehandling gjort enkelt", - "Package manager preferences": "Innstillinger for pakkehåndterer", - "Package not found": "Pakke ble ikke funnet", - "Package operation preferences": "Pakkehandlingsinnstillinger", - "Package update preferences": "Preferanser for pakkeoppdateringer", "Package {name} from {manager}": "Pakke {name} fra {manager}", - "Package's default": "Pakkens standard", "Packages": "Pakker", "Packages found: {0}": "Pakker funnet: {0}", - "Partially": "Delvis", - "Password": "Passord", "Paste a valid URL to the database": "Lim inn en gyldig URL til databasen", - "Pause updates for": "Sett oppdateringer på pause i", "Perform a backup now": "Utfør en sikkerhetskopi nå", - "Perform a cloud backup now": "Utfør en skysikkerhetskopi nå", - "Perform a local backup now": "Utfør en lokal sikkerhetskopi nå", - "Perform integrity checks at startup": "Utfør integritetssjekker ved oppstart", - "Performing backup, please wait...": "Utfører sikkerhetskopi, vennligst vent...", "Periodically perform a backup of the installed packages": "Utfør en sikkerhetskopi av de installerte pakkene med jevne mellomrom", - "Periodically perform a cloud backup of the installed packages": "Utfør periodisk en skysikkerhetskopi av de installerte pakkene", - "Periodically perform a local backup of the installed packages": "Utfør periodisk en lokal sikkerhetskopi av de installerte pakkene", - "Please check the installation options for this package and try again": "Kontroller installasjonsalternativene for denne pakken og prøv igjen", - "Please click on \"Continue\" to continue": "Vennligst klikk på \"Fortsett\" for å fortsette", "Please enter at least 3 characters": "Vennligst skriv inn minst 3 tegn", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Vennligst vær oppmerksom på at enkelte pakker kan hende at ikke er installerbare, på grunn av pakkehåndtererne som er aktivert på denne maskinen.", - "Please note that not all package managers may fully support this feature": "Vær oppmerksom på at ikke alle pakkehåndterere kan støtte denne funksjonen fullt ut", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Vennligst vær oppmerksom på at pakker fra enkelte kilder kan være at ikke er eksporterbare. De er grået ut, og kommer ikke til å bli eksportert.", - "Please run UniGetUI as a regular user and try again.": "Kjør UniGetUI som en vanlig bruker og prøv igjen.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Vennligst se på kommandolinje-outputen eller handlingshistorikken for mer informasjon om problemet.", "Please select how you want to configure WingetUI": "Vennligst velg hvordan du vil konfigurere WingetUI", - "Please try again later": "Vennligst prøv igjen senere", "Please type at least two characters": "Vennligst tast minst to tegn", - "Please wait": "Vennligst vent", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vent mens {0} blir installert. Et svart (eller blått) vindu kan vises. Vent til det lukkes.", - "Please wait...": "Vennligst vent...", "Portable": "Portabel", - "Portable mode": "Bærbar modus\n", - "Post-install command:": "Post-installasjonskommando:", - "Post-uninstall command:": "Post-avinstallasjonskommando:", - "Post-update command:": "Post-oppdateringskommando:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell sin pakkehåndterer. Finn bibliotek og skript for å utvide PowerShell sine evner
Inneholder: Moduler, skript, cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre- og post-installasjonskommandoer kan gjøre veldig ubehagelige ting med enheten din, hvis de er designet for det. Det kan være veldig farlig å importere kommandoene fra en pakkebundle, med mindre du stoler på kilden til pakkebundlen", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre- og post-installasjonskommandoer vil kjøres før og etter at en pakke blir installert, oppgradert eller avinstallert. Vær oppmerksom på at de kan ødelegge ting med mindre de brukes nøye", - "Pre-install command:": "Pre-installasjonskommando:", - "Pre-uninstall command:": "Pre-avinstallasjonskommando:", - "Pre-update command:": "Pre-oppdateringskommando:", - "PreRelease": "Forhåndsutgivelse", - "Preparing packages, please wait...": "Forbereder pakker, vennligst vent...", - "Proceed at your own risk.": "Fortsett på eget ansvar.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Forby enhver form for opphøying via UniGetUI Elevator eller GSudo", - "Proxy URL": "Mellomtjener-URL", - "Proxy compatibility table": "Mellomtjenerkompatibilitetstabell", - "Proxy settings": "Mellomtjenerinnstillinger", - "Proxy settings, etc.": "Mellomtjenerinnstillinger, osv.", "Publication date:": "Publiseringsdato:", - "Publisher": "Utgiver", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python sin bibliotekshåndterer. Full av Python-biblioteker og andre python-relaterte verktøy
Inneholder: Python-biblioteker og relaterte verktøy", - "Quit": "Lukk", "Quit WingetUI": "Avslutt WingetUI", - "Ready": "Klar", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduser UAC-forespørsler, kjør installerere som admin som standard, lås opp visse risikable funksjoner, osv.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Se UniGetUI-loggene for å få mer informasjon om de berørte filene", - "Reinstall": "Reinstaller", - "Reinstall package": "Installer pakke på nytt", - "Related settings": "Relaterte innstillinger", - "Release notes": "Utgivelsesnotater", - "Release notes URL": "URL for utgivelsesnotater", "Release notes URL:": "URL til utgivelsesnotater:", "Release notes:": "Utgivelsesnotater:", "Reload": "Last inn på nytt", - "Reload log": "Last inn logg på nytt", "Removal failed": "Fjerning feilet", "Removal succeeded": "Suksessfull fjerning", - "Remove from list": "Fjern fra liste", "Remove permanent data": "Fjern permanente data", - "Remove selection from bundle": "Fjern utvalg fra bundle", "Remove successful installs/uninstalls/updates from the installation list": "Fjern vellykkede installasjoner/avinstallasjoner/oppdateringer fra installasjonslisten", - "Removing source {source}": "Fjerner kilden {source}", - "Removing source {source} from {manager}": "Fjerner kilde {source} fra {manager}", - "Repair UniGetUI": "Reparer UniGetUI", - "Repair WinGet": "Reparer WinGet", - "Report an issue or submit a feature request": "Si fra om en feil eller send inn forslag til nye funksjoner", "Repository": "Pakkelager", - "Reset": "Tilbakestill", "Reset Scoop's global app cache": "Tilbakestill Scoop sin globale app-buffer", - "Reset UniGetUI": "Tilbakestill UniGetUI", - "Reset WinGet": "Tilbakestill UniGetUI", "Reset Winget sources (might help if no packages are listed)": "Tilbakestill Winget-kilder (kan hjelpe hvis ingen pakker vises)", - "Reset WingetUI": "Tilbakestill WingetUI", "Reset WingetUI and its preferences": "Tilbakestill WingetUI med tilhørende innstillinger", "Reset WingetUI icon and screenshot cache": "Tilbakestill WingetUI-ikonet og bufrede skjermbilder", - "Reset list": "Tilbakestill liste", "Resetting Winget sources - WingetUI": "Nullstiller Winget-kilder - WingetUI", - "Restart": "Omstart", - "Restart UniGetUI": "Start UniGetUI på nytt", - "Restart WingetUI": "Start WingetUI på nytt", - "Restart WingetUI to fully apply changes": "Start WingetUI på nytt for at alle endringene skal bli tatt i bruk", - "Restart later": "Start på nytt senere", "Restart now": "Start på nytt nå", - "Restart required": "Omstart kreves", "Restart your PC to finish installation": "Start PC-en på nytt for å fullføre installasjonen", "Restart your computer to finish the installation": "Start datamaskinen på nytt for å fullføre installasjonen", - "Restore a backup from the cloud": "Gjenopprett en sikkerhetskopi fra skyen", - "Restrictions on package managers": "Begrensninger på pakkebehandlere", - "Restrictions on package operations": "Begrensninger for pakkeoperasjoner", - "Restrictions when importing package bundles": "Begrensninger ved import av pakkebundler", - "Retry": "Prøv igjen", - "Retry as administrator": "Prøv igjen som administrator", "Retry failed operations": "Prøv mislykkede operasjoner på nytt", - "Retry interactively": "Prøv igjen interaktivt", - "Retry skipping integrity checks": "Prøv igjen og hopp over integritetssjekker", "Retrying, please wait...": "Prøver på nytt, vennligst vent...", "Return to top": "Til toppen", - "Run": "Kjør", - "Run as admin": "Kjør som administrator", - "Run cleanup and clear cache": "Kjør opprensing og fjern buffer", - "Run last": "Kjør sist", - "Run next": "Kjør neste", - "Run now": "Kjør nå", "Running the installer...": "Kjører installasjonsprogrammet...", "Running the uninstaller...": "Kjører avinstallasjonsprogrammet", "Running the updater...": "Kjører oppdateringsprogrammet...", - "Save": "Lagre", "Save File": "Lagre fil", - "Save and close": "Lagre og lukk", - "Save as": "Lagre som", - "Save bundle as": "Lagre bundle som", - "Save now": "Lagre nå", - "Saving packages, please wait...": "Lagrer pakker, vennligst vent...", - "Scoop Installer - WingetUI": "Scoop-installasjonsprogram - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop-avinstallasjonsprogram - WingetUI", - "Scoop package": "Scoop-pakke", + "Save bundle as": "Lagre bundle som", + "Save now": "Lagre nå", "Search": "Søk", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Søk etter skrivebordsprogramvare, advar meg når oppdateringer er tilgjengelige og ikke gjør nerdete ting. Jeg vil ikke at WingetUI skal overkomplisere, jeg vil bare ha en enkel programvarebehandler", - "Search for packages": "Søk etter pakker", - "Search for packages to start": "Søk etter en eller flere pakker for å starte", - "Search mode": "Søkemodus", "Search on available updates": "Søk etter tilgjengelige oppdateringer", "Search on your software": "Søk i din programvare", "Searching for installed packages...": "Søker etter installerte pakker...", "Searching for packages...": "Søker etter pakker...", "Searching for updates...": "Søker etter oppdateringer...", - "Select": "Velg", "Select \"{item}\" to add your custom bucket": "Velg \"{item}\" for å legge til i din tilpassede bucket", "Select a folder": "Velg en mappe", - "Select all": "Velg alle", "Select all packages": "Velg alle pakker", - "Select backup": "Velg sikkerhetskopi", "Select only if you know what you are doing.": "Bare velg hvis du vet hva du gjør", "Select package file": "Velg pakkefil", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Velg sikkerhetskopien du vil åpne. Senere vil du kunne gjennomgå hvilke pakker/programmer du vil gjenopprette.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Velg den kjørbare filen som skal brukes. Følgende liste viser de kjørbare filene funnet av UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Velg prosessene som skal lukkes før denne pakken blir installert, oppdatert eller avinstallert.", - "Select the source you want to add:": "Velg kilden du ønsker å legge til:", - "Select upgradable packages by default": "Velg oppgraderbare pakker som standard", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Velg hvilke pakkebehandlere som skal brukes ({0}), konfigurer hvordan pakker installeres, behandle hvordan administratorrettigheter håndteres, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Håndtrykk sendt. Venter på svar fra instanslytteren... ({0}%)", - "Set a custom backup file name": "Velg et eget navn for sikkerhetskopifilen", "Set custom backup file name": "Velg et eget navn for sikkerhetskopifilen", - "Settings": "Innstillinger", - "Share": "Del", "Share WingetUI": "Del WingetUI", - "Share anonymous usage data": "Del anonyme bruksdata", - "Share this package": "Del denne pakken", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Hvis du endrer sikkerhetsinnstillingene, må du åpne pakkebundlen igjen for at endringene skal tre i kraft.", "Show UniGetUI on the system tray": "Vis UniGetUI i systemfeltet", - "Show UniGetUI's version and build number on the titlebar.": "Vis UniGetUI-versjonen på tittellinjen.", - "Show WingetUI": "Vis WingetUI", "Show a notification when an installation fails": "Vis et varsel når en installasjon mislykkes", "Show a notification when an installation finishes successfully": "Vis et varsel når en installasjon fullføres uten feil", - "Show a notification when an operation fails": "Vis en varsling når en operasjon feiler", - "Show a notification when an operation finishes successfully": "Vis en varsling når en operasjon fullføres", - "Show a notification when there are available updates": "Vis et varsel når oppdateringer er tilgjengelige", - "Show a silent notification when an operation is running": "Vis en stille varsling når en operasjon kjører", "Show details": "Vis detaljer", - "Show in explorer": "Vis i utforsker", "Show info about the package on the Updates tab": "Vis info om pakken under fanen Oppdateringer", "Show missing translation strings": "Vis manglende oversettelsesstrenger", - "Show notifications on different events": "Vis varslinger for ulike hendelser", "Show package details": "Vis pakkedetaljer", - "Show package icons on package lists": "Vis pakkeikoner i pakkelistene", - "Show similar packages": "Vis lignende pakker", "Show the live output": "Vis utdata i sanntid", - "Size": "Størrelse", "Skip": "Hopp over", - "Skip hash check": "Hopp over sjekk av hash", - "Skip hash checks": "Hopp over hash-sjekker", - "Skip integrity checks": "Hopp over integritetssjekker", - "Skip minor updates for this package": "Hopp over mindre oppdateringer for denne pakken", "Skip the hash check when installing the selected packages": "Hopp over sjekken av hash når valgte pakker installeres", "Skip the hash check when updating the selected packages": "Hopp over sjekken av hash når valgte pakker oppdateres", - "Skip this version": "Hopp over denne versjonen", - "Software Updates": "Programoppdateringer", - "Something went wrong": "Noe gikk galt", - "Something went wrong while launching the updater.": "Noe gikk galt under oppstart av oppdateringsprogrammet.", - "Source": "Kilde", - "Source URL:": "Kilde-URL:", - "Source added successfully": "Kilde lagt til vellykket", "Source addition failed": "Kunne ikke legge til kilde", - "Source name:": "Kildenavn:", "Source removal failed": "Fjerning av kilde feilet", - "Source removed successfully": "Kilde fjernet vellykket", "Source:": "Kilde:", - "Sources": "Kilder", "Start": "Begynn", "Starting daemons...": "Starter bakgrunnsprosesser...", - "Starting operation...": "Starter operasjon...", "Startup options": "Innstillinger for oppstart", "Status": "Tilstand", "Stuck here? Skip initialization": "Kommer du ikke videre? Hopp over initialiseringen", - "Success!": "Suksess!", "Suport the developer": "Støtt utvikleren", "Support me": "Støtt meg", "Support the developer": "Støtt utvikleren", "Systems are now ready to go!": "Systemene er nå klare for bruk!", - "Telemetry": "Telemetri", - "Text": "Tekst", "Text file": "Tekstfil", - "Thank you ❤": "Takk ❤", "Thank you 😉": "Takk 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-pakkehåndtereren.
Inneholder: Rust-biblioteker og programmer skrevet i Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Sikkerhetskopien vil ikke inneholde noen binære filer eller programmers lagrede data.", - "The backup will be performed after login.": "Sikkerhetskopien vil utføres etter innlogging", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sikkerhetskopien vil inneholde en fullstendig liste over de installerte pakkene og deres installasjonsvalg. Ignorerte oppdateringer og versjoner som har blitt hoppet over vil også bli lagret.", - "The bundle was created successfully on {0}": "Pakkebundlen ble opprettet vellykket på {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Pakkebundlen du prøver å laste inn ser ut til å være ugyldig. Kontroller filen og prøv igjen.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Sjekksummen til installasjonsprogrammet stemmer ikke overens med den forventede verdien, og autentisiteten til installasjonsprogrammet kan ikke bekreftes. Hvis du stoler på utgiveren, {0} pakken igjen og hopp over hash-sjekken.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Den klassiske pakkehåndtereren for Windows. Du kan finne alt mulig rart der.
Inneholder: Generell programvare", - "The cloud backup completed successfully.": "Skysikkerhetskopieringen ble fullført vellykket.", - "The cloud backup has been loaded successfully.": "Skysikkerhetskopien har blitt lastet inn vellykket.", - "The current bundle has no packages. Add some packages to get started": "Nåværende bundle har ingen pakker. Legg til pakker for å sette i gang", - "The executable file for {0} was not found": "Den kjørbare filen for {0} ble ikke funnet", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Følgende alternativer vil bli brukt som standard hver gang en {0}-pakke blir installert, oppgradert eller avinstallert.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Følgende pakker vil bli eksportert til en JSON-fil. Ingen brukerdata eller binære filer vil bli lagret.", "The following packages are going to be installed on your system.": "Følgende pakker kommer til å installeres på ditt system.", - "The following settings may pose a security risk, hence they are disabled by default.": "Følgende innstillinger kan utgjøre en sikkerhetsrisiko, derfor er de deaktivert som standard.", - "The following settings will be applied each time this package is installed, updated or removed.": "Følgende innstillinger kommer til å bli brukt hver gang denne pakken installeres, oppdateres, eller fjernes.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Følgende innstillinger kommer til å bli påført hver gang denne pakken blir installert, oppdatert, eller fjernet. De vil bli lagret automatisk.", "The icons and screenshots are maintained by users like you!": "Ikoner og skjermbilder vedlikeholdes av brukere som deg!", - "The installation script saved to {0}": "Installasjonsskriptet ble lagret til {0}", - "The installer authenticity could not be verified.": "Autentisiteten til installasjonsprogrammet kunne ikke bekreftes.", "The installer has an invalid checksum": "Installasjonsprogrammets sjekksum er ugyldig", "The installer hash does not match the expected value.": "Installasjonsprogrammets hash matcher ikke den forventede verdien.", - "The local icon cache currently takes {0} MB": "Den lokale ikonhurtigbufferen tar for øyeblikket opp {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Hovedmålet med dette prosjektet er å lage et intuitivt grensesnitt for å administrere de mest vanlige CLI-pakkehåndtererne for Windows, for eksempel Winget og Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakken \"{0}\" ble ikke funnet hos pakkehåndtereren \"{1}\"", - "The package bundle could not be created due to an error.": "Pakkebundlen kunne ikke opprettes på grunn av en feil.", - "The package bundle is not valid": "Pakkebundlen er ikke gyldig", - "The package manager \"{0}\" is disabled": "«{0}»-pakkebehandleren er skrudd av", - "The package manager \"{0}\" was not found": "«{0}»-pakkebehandleren ble ikke funnet", "The package {0} from {1} was not found.": "Pakken {0} fra {1} ble ikke funnet.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakkene i denne listen kommer ikke til å bli tatt hensyn til ved sjekking etter oppdateringer. Dobbeltklikk på dem eller klikk på knappen til høyre for dem for å slutte å ignorere oppdateringene deres.", "The selected packages have been blacklisted": "Valgte pakker har blitt svartelistet", - "The settings will list, in their descriptions, the potential security issues they may have.": "Innstillingene vil liste opp de potensielle sikkerhetsproblemene de kan ha i beskrivelsene sine.", - "The size of the backup is estimated to be less than 1MB.": "Størrelsen på sikkerhetskopien er estimert at vil være mindre enn 1MB.", - "The source {source} was added to {manager} successfully": "Kilden {source} ble suksessfullt lag til hos {manager}", - "The source {source} was removed from {manager} successfully": "Kilden {source} ble suksessfullt fjernet fra {manager}", - "The system tray icon must be enabled in order for notifications to work": "Systemkurv-ikonet må være aktivert for at varsler skal fungere", - "The update process has been aborted.": "Oppdateringsprosessen har blitt avbrutt.", - "The update process will start after closing UniGetUI": "Oppdateringsprosessen starter etter at du lukker UniGetUI", "The update will be installed upon closing WingetUI": "Oppdateringen kommer til å installeres når du lukker WIngetUI", "The update will not continue.": "Oppdateringen kommer ikke til å fortsette.", "The user has canceled {0}, that was a requirement for {1} to be run": "Brukeren har avbrutt {0}, og det var et krav for at {1} skulle kjøre", - "There are no new UniGetUI versions to be installed": "Det er ingen nye UniGetUI-versjoner å installere", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Det er mange pågående operasjoner. Å avslutte WingetUI kan føre til at de feiler. Vil du fortsette?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Det finnes noen flotte videoer på YouTube som viser frem WingetUI og dets funksjonalitet. Du kan lære nyttige triks og tips!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Det er to hovedgrunner til ikke å kjøre WingetUI som administrator: Den første er at Scoop-pakkebehandleren kan forårsake problemer med noen kommandoer når den kjøres med administratorrettigheter. Den andre grunnen er at å kjøre WingetUI som administrator betyr at alle pakkene du laster ned vil kjøres som administrator (og dette er ikke trygt). Husk at hvis du trenger å installere en spesifikk pakke som administrator, kan du alltid høyreklikke på elementet -> Installer/Oppdater/Avinstaller som administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Det er en feil med konfigurasjonen til pakkehåndtereren \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "En installasjon utføres. Hvis du lukker WingetUI, kan installasjonen feile og gi uventede resultater. Vil du fortsatt avslutte WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "De er programmer som er ansvarlige for å installere, oppdatere, og fjerne pakker.", - "Third-party licenses": "Tredjepartslisenser", "This could represent a security risk.": "Dette kan medføre en sikkerhetsrisiko.", - "This is not recommended.": "Dette anbefales ikke.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Dette er mest sannsynlig fordi pakken du fikk tilsendt er fjernet, eller er publisert på en pakkehåndterer du ikke har aktivert. Mottatt ID er {0}", "This is the default choice.": "Dette er standardvalget.", - "This may help if WinGet packages are not shown": "Dette kan hjelpe hvis WinGet-pakker ikke vises", - "This may help if no packages are listed": "Dette kan hjelpe hvis ingen pakker vises", - "This may take a minute or two": "Dette kan ta noen få minutter", - "This operation is running interactively.": "Denne operasjonen kjøres interaktivt.", - "This operation is running with administrator privileges.": "Denne handlingen kjører med adminprivilegier.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Dette alternativet VIL forårsake problemer. Enhver operasjon som ikke klarer å opphøye seg selv VIL MISLYKKES. Installasjon/oppdatering/avinstallering som administrator VIL IKKE FUNGERE.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denne pakkebundlen hadde noen innstillinger som potensielt er farlige, og kan være ignorert som standard.", "This package can be updated": "Denne pakken kan oppdateres", "This package can be updated to version {0}": "Denne pakken kan oppdateres til versjon {0}", - "This package can be upgraded to version {0}": "Denne pakken kan oppgraderes til versjon {0}", - "This package cannot be installed from an elevated context.": "Denne pakken kan ikke installeres fra en opphøyd kontekst.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denne pakken har ingen skjermbilder eller mangler et ikon? Bidra til WingetUI ved å legge til de manglende ikonene og skjermbildene til vår åpne, offentlige database.", - "This package is already installed": "Denne pakken er allerede installert", - "This package is being processed": "Denne pakken behandles", - "This package is not available": "Denne pakken er ikke tilgjengelig", - "This package is on the queue": "Denne pakken er i køen", "This process is running with administrator privileges": "Denne prosessen kjører med administratorrettigheter", - "This project has no connection with the official {0} project — it's completely unofficial.": "Dette prosjektet har ingen kobling til det offisielle {0}-prosjektet - det er fullstendig uoffisielt.", "This setting is disabled": "Denne innstillingen er deaktivert", "This wizard will help you configure and customize WingetUI!": "Denne veiviseren vil hjelpe deg med å konfigurere og tilpasse WingetUI!", "Toggle search filters pane": "Skru av/på panelet for søkefilter", - "Translators": "Oversettere", - "Try to kill the processes that refuse to close when requested to": "Prøv å tvangsavslutte prosesser som nekter å lukkes når de blir bedt om det", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Hvis du slår dette på, kan du endre den kjørbare filen som brukes til å samhandle med pakkehåndterere. Selv om dette gir mer detaljert tilpasning av installasjonsprosessene dine, kan det også være farlig", "Type here the name and the URL of the source you want to add, separed by a space.": "Skriv inn navn og URL til kilden du vil legge til her, skilt av mellomrom.", "Unable to find package": "Kan ikke finne pakken", "Unable to load informarion": "Kan ikke laste informasjon", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI samler inn anonyme bruksdata for å forbedre brukeropplevelsen.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI samler inn anonyme bruksdata utelukkende for å forstå og forbedre brukeropplevelsen.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har oppdaget en ny skrivebordsnarvei som kan bli slettet automatisk", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har oppdaget følgende skrivebordssnarveier som kan fjernes automatisk ved fremtidige oppgraderinger", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har oppdaget {0} nye skrivebordsnarveier som kan bli slettet automatisk", - "UniGetUI is being updated...": "UniGetUI oppdateres...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI er ikke knyttet til noen av de kompatible pakkehåndtererne. UniGetUI er et uavhengig prosjekt.", - "UniGetUI on the background and system tray": "UniGetUI i bakgrunnen og systemkurven", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller noen av komponentene mangler eller er ødelagte.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI krever {0} for å fungere, men det ble ikke funnet på systemet ditt.", - "UniGetUI startup page:": "UniGetUI-oppstartsside:", - "UniGetUI updater": "UniGetUI-oppdaterer", - "UniGetUI version {0} is being downloaded.": "UniGetUI versjon {0} lastes ned.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} er klar til å bli installert.", - "uninstall": "avinstaller", - "Uninstall Scoop (and its packages)": "Avinstaller Scoop (og alle tilhørende pakker)", "Uninstall and more": "Avinstaller og mer", - "Uninstall and remove data": "Avinstaller og fjern data", - "Uninstall as administrator": "Avinstaller som administrator", "Uninstall canceled by the user!": "Avinstallasjon avbrutt av brukeren!", - "Uninstall failed": "Avinstallering feilet", - "Uninstall": "Avinstaller", - "Uninstall options": "Avinstallasjonsvalg", - "Uninstall package": "Avinstaller pakken", - "Uninstall package, then reinstall it": "Avinstaller pakken, og så reinstaller den", - "Uninstall package, then update it": "Avinstaller pakken, og så oppdater den", - "Uninstall previous versions when updated": "Avinstaller forrige versjoner ved oppdatering", - "Uninstall selected packages": "Avinstaller valgte pakker", - "Uninstall selection": "Avinstaller valgte", - "Uninstall succeeded": "Suksessfull avinstallering", "Uninstall the selected packages with administrator privileges": "Avinstaller de valgte pakkene med administratorrettigheter", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Avinstallerbare pakker med opprinnelsen oppført som \"{0}\" er ikke publisert på noen pakkebehandler, så det finnes ingen informasjon tilgjengelig for visning.", - "Unknown": "Ukjent", - "Unknown size": "Ukjent størrelse", - "Unset or unknown": "Ikke satt eller ukjent", - "Up to date": "Oppdatert", - "Update": "Oppdater", - "Update WingetUI automatically": "Oppdater WingetUI automatisk", - "Update all": "Oppdater alle", "Update and more": "Oppdater og mer", - "Update as administrator": "Oppdater som administrator", - "Update check frequency, automatically install updates, etc.": "Hvor ofte oppdateringer ses etter, installer oppdateringer automatisk, osv.", - "Update checking": "Oppdateringssjekker", "Update date": "Oppdateringsdato", - "Update failed": "Oppdatering feilet", "Update found!": "Oppdatering funnet!", - "Update now": "Oppdater nå", - "Update options": "Oppdateringsinnstillinger", "Update package indexes on launch": "Oppdater pakkeindekser ved oppstart", "Update packages automatically": "Oppdater pakker automatisk", "Update selected packages": "Oppdater valgte pakker", "Update selected packages with administrator privileges": "Oppdater valgte pakker med administratorrettigheter", - "Update selection": "Oppdater utvalg", - "Update succeeded": "Suksessfull oppdatering", - "Update to version {0}": "Oppdater til versjon {0}", - "Update to {0} available": "Oppdatering for {0} er tilgjengelig", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Oppdater vcpkg sine Git-portfiler automatisk (krever Git installert)", "Updates": "Oppdateringer", "Updates available!": "Oppdateringer er tilgjengelige!", - "Updates for this package are ignored": "Oppdateringer for denne pakken er ignorert", - "Updates found!": "Oppdateringer funnet!", "Updates preferences": "Oppdateringsinnstillinger", "Updating WingetUI": "Oppdaterer WingetUI", "Url": "Nettadresse", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Bruk gamle bundlede WinGet i stedet for PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Bruk et egendefinert ikon og en egendefinert URL til databasen", "Use bundled WinGet instead of PowerShell CMDlets": "Bruk bundlede WinGet i stedet for PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Bruk bundlet WinGet i stedet for systemets WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Bruk installert GSudo i stedet for UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Bruk systemets installerte GSudo i stedet for den medfølgende (krever omstart av programmet)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Bruk eldre UniGetUI Elevator (kan være nyttig hvis du har problemer med UniGetUI Elevator)", - "Use system Chocolatey": "Bruk systemets Chocolatey", "Use system Chocolatey (Needs a restart)": "Bruk systemets Chocolatey (Omstart kreves)", "Use system Winget (Needs a restart)": "Bruk systemets Winget (Omstart kreves)", "Use system Winget (System language must be set to english)": "Bruk systemets Winget (Systemspråket må være satt til engelsk)", "Use the WinGet COM API to fetch packages": "Bruk WinGet sitt COM-API for å hente pakker", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Bruk WinGet-PowerShell-modulen i stedet for WinGet-COM-APIet", - "Useful links": "Nyttige lenker", "User": "Bruker", - "User interface preferences": "Alternativer for brukergrensesnitt", "User | Local": "Bruker | Lokal", - "Username": "Brukernavn", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Å bruke WingetUI medfører at du aksepterer lisensen GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Bruk av UniGetUI innebærer å godta MIT-lisensen", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg-roten ble ikke funnet. Definer %VCPKG_ROOT%-miljøvariabelen eller angi den fra UniGetUI-innstillinger", "Vcpkg was not found on your system.": "Vcpkg ble ikke funnet på systemet ditt.", - "Verbose": "Utfyllende", - "Version": "Versjon", - "Version to install:": "Versjon å installere:", - "Version:": "Versjon:", - "View GitHub Profile": "Vis GitHub-profil", "View WingetUI on GitHub": "Vis WingetUI på GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Vis WingetUIs kildekode. Herfra kan du rapportere feil eller foreslå ny funksjonalitet. Du kan også bidra direkte til WingetUI-prosjektet", - "View mode:": "Visningsmodus:", - "View on UniGetUI": "Vis i UniGetUI", - "View page on browser": "Vis siden i nettleseren", - "View {0} logs": "Vis {0} logger", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vent til enheten er koblet til internett før du prøver å utføre oppgaver som krever internettilkobling.", "Waiting for other installations to finish...": "Venter på at andre installasjoner skal fullføres...", "Waiting for {0} to complete...": "Venter på at {0} skal fullføres...", - "Warning": "Advarsel", - "Warning!": "Advarsel!", - "We are checking for updates.": "Vi søker etter oppdateringer.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Vi kunne ikke laste inn detaljert informasjon om denne pakken, ettersom den ikke ble funnet i noen av dine pakkekilder", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Vi kunne ikke laste inn detaljert informasjon om denne pakken, fordi den ikke ble installert fra en tilgjengelig pakkebehandler.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Vi kunne ikke {action} {package}. Vennligst prøv igjen senere. Klikk på \"{showDetails}\" for å vise loggene fra installasjonsprogrammet.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Vi kunne ikke {action} {package}. Vennligst prøv igjen senere. Klikk på \"{showDetails}\" for å vise loggene fra avinstallasjonsprogrammet.", "We couldn't find any package": "Vi kunne ikke finne noen pakke", "Welcome to WingetUI": "Velkommen til WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Ved bunkeinstallasjon av pakker fra en pakkebundle, installer også pakker som allerede er installert", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Når nye snarveier oppdages, slett dem automatisk i stedet for å vise denne dialogen.", - "Which backup do you want to open?": "Hvilken sikkerhetskopi vil du åpne?", "Which package managers do you want to use?": "Hvilke pakkehåndterere ønsker du å bruke?", "Which source do you want to add?": "Hvilken kilde ønsker du å legge til?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Mens Winget kan brukes i WingetUI, kan WingetUI også brukes med andre pakkehåndterere, som kan være forvirrende. Før var WingetUI bare laget for å fungere med Winget, men dette stemmer ikke lenger, og derfor representerer ikke WingetUI hva dette prosjektet har som mål å bli.", - "WinGet could not be repaired": "WinGet kunne ikke repareres", - "WinGet malfunction detected": "Feilfunksjon i WinGet oppdaget", - "WinGet was repaired successfully": "WinGet ble reparert vellykket", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Alt er oppdatert", "WingetUI - {0} updates are available": "WingetUI - {0} oppdateringer er tilgjengelige", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI - Hjemmeside", "WingetUI Homepage - Share this link!": "WingetUI sin hjemmeside - Del denne lenken!", - "WingetUI License": "WingetUI - Lisens", - "WingetUI log": "Logg for WingetUI", - "WingetUI Repository": "WingetUI - Pakkelagre", - "WingetUI Settings": "Innstillinger for WingetUI", "WingetUI Settings File": "Innstillingsfil for WingetUI", - "WingetUI Log": "WingetUI-logg", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruker følgende biblioteker. Uten dem ville ikke WingetUI vært mulig.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruker følgende bibliotek. Uten dem ville ikke WIngetUI vært mulig.", - "WingetUI Version {0}": "WingetUI versjon {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI sin autostartoppførsel, innstillinger for oppstart", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI kan sjekke om programvaren din har tilgjengelige oppdateringer, og installere dem automatisk hvis du vil", - "WingetUI display language:": "WingetUI sitt visningsspråk:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI har blitt kjørt som administrator, noe som ikke anbefales. Når du kjører WingetUI som administrator, får ALLE programmer WingetUI starter administratortillatelser. Du kan fortsatt bruke programmet, men vi anbefaler på det sterkeste å ikke kjøre WingetUI med administratortillatelser.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI har blitt oversatt til mer enn 40 språk takket være frivillige oversettere. Takk 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI er ikke automatisk oversatt. Følgende brukere har vært ansvarlige for oversettelsene:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI er en applikasjon som forenkler håndtering av programvare, ved å tilby et alt-i-ett grafisk grensesnitt for kommandolinjepakkehåndtererne dine.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI bytter navn for å tydeliggjøre forskjellen mellom WingetUI (grensesnittet du bruker akkurat nå) og Winget (en pakkehåndterer utviklet av Microsoft som jeg ikke har noe tilkobling til)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI oppdateres. Når oppdateringen er ferdig starter WingetUI på nytt", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI er gratis, og kommer til å forbli gratis til evig tid. Ingen reklame, ingen kredittkort, ingen premiumversjon. 100% gratis, for alltid.", + "WingetUI log": "Logg for WingetUI", "WingetUI tray application preferences": "Valg for UniGetUI sin bruk av systemfeltet", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI bruker følgende bibliotek. Uten dem ville ikke WIngetUI vært mulig.", "WingetUI version {0} is being downloaded.": "WingetUI versjon {0} lastes ned.", "WingetUI will become {newname} soon!": "WingetUI kommer til å bli til {newname} snart!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI kommer ikke til å sjekke etter oppdateringer periodisk. De kommer fortsatt til å bli sjekket ved oppstart, men du kommer ikke til å bli advart om dem.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI kommer til å vise et UAC-prompt hver gang en pakke krever administratorrettigheter for å bli installert.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI kommer snart til å bytte navn til {newname}. Dette kommer ikke til å føre til noen endringer i applikasjonen. Jeg (utvikleren) kommer til å fortsette utviklingen av dette prosjektet slik jeg gjør nå, men under et annet navn.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI hadde ikke vært mulig uten hjelp fra våre kjære bidragsytere. Sjekk ut GitHub-profilene deres, WingetUI hadde ikke vært mulig uten dem!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ville ikke vært mulig uten hjelpen fra alle bidragsyterne. Takk alle sammen🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} er klar for installering.", - "Write here the process names here, separated by commas (,)": "Skriv prosessnavnene her, atskilt med kommaer (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Du er logget inn som {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Du kan endre denne oppførselen i UniGetUI-sikkerhetsinnstillingene.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definere kommandoene som skal kjøres før eller etter at denne pakken blir installert, oppdatert eller avinstallert. De kjøres i en kommandoprompt, slik at CMD-skript fungerer her.", - "You have currently version {0} installed": "Nå har du versjon {0} installert", - "You have installed WingetUI Version {0}": "Du har installert WingetUI versjon {0}", - "You may lose unsaved data": "Du kan miste ulagrede data", - "You may need to install {pm} in order to use it with WingetUI.": "Du må kanskje installere {pm} for å bruke det med WingetUI.", "You may restart your computer later if you wish": "Du kan starte datamaskinen på nytt senere hvis du ønsker det", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Du vil bare bli bedt om å gi administratorrettigheter en gang, og rettighetene vil bli gitt til pakker som ber om det.", "You will be prompted only once, and every future installation will be elevated automatically.": "Du vil bare bli bedt om å gi administratorrettigheter en gang, og alle fremtidige installasjoner vil bli gitt rettigheter automatisk.", - "You will likely need to interact with the installer.": "Du må sannsynligvis samhandle med installasjonsprogrammet.", - "[RAN AS ADMINISTRATOR]": "KJØRTE SOM ADMINISTRATOR", "buy me a coffee": "spander en kopp kaffe på meg", - "extracted": "utpakket", - "feature": "funksjon", "formerly WingetUI": "tidligere WingetUI", + "homepage": "hjemmeside", + "install": "installer", "installation": "installasjon", - "installed": "installert", - "installing": "installerer", - "library": "bibliotek", - "mandatory": "obligatorisk", - "option": "valg", - "optional": "valgfri", + "uninstall": "avinstaller", "uninstallation": "avinstallasjon", "uninstalled": "avinstallert", - "uninstalling": "avinstallerer", "update(noun)": "oppdatering", "update(verb)": "oppdatere", "updated": "oppdatert", - "updating": "oppdaterer", - "version {0}": "versjon {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} installeringsalternativer er for øyeblikket låst fordi {0} følger standardinstalleringsalternativene.", "{0} Uninstallation": "{0} Avinstallasjon", "{0} aborted": "{0} avbrutt", "{0} can be updated": "{0} kan oppdateres", - "{0} can be updated to version {1}": "{0} kan oppdateres til versjon {1}", - "{0} days": "{0} dager", - "{0} desktop shortcuts created": "{0} skrivebordssnarveier opprettet", "{0} failed": "{0} feilet", - "{0} has been installed successfully.": "{0} har blitt installert vellykket.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} har blitt installert vellykket. Det anbefales å starte UniGetUI på nytt for å fullføre installasjonen", "{0} has failed, that was a requirement for {1} to be run": "{0} har mislyktes, og det var et krav for at {1} skulle kjøre", - "{0} homepage": "{0} sin hjemmeside", - "{0} hours": "{0} timer", "{0} installation": "{0}-installasjon", - "{0} installation options": "{0} sine installasjonsvalg", - "{0} installer is being downloaded": "{0} installasjonsprogram lastes ned", - "{0} is being installed": "{0} blir installert", - "{0} is being uninstalled": "{0} blir avinstallert", "{0} is being updated": "{0} oppdateres", - "{0} is being updated to version {1}": "{0} oppdateres til versjon {1}", - "{0} is disabled": "{0} er deaktivert", - "{0} minutes": "{0} minutter", "{0} months": "{0} måneder", - "{0} packages are being updated": "{0} pakker oppdateres", - "{0} packages can be updated": "{0} pakker kan oppdateres", "{0} packages found": "{0} pakker funnet", "{0} packages were found": "{0} pakker ble funnet", - "{0} packages were found, {1} of which match the specified filters.": "{1} pakker ble funnet, hvorav {0} samsvarte med filtrene dine.", - "{0} selected": "{0} valgt", - "{0} settings": "{0}-innstillinger", - "{0} status": "{0}-status", "{0} succeeded": "{0} lyktes", "{0} update": "{0}-oppdatering", - "{0} updates are available": "{0} oppdateringer er tilgjengelige", "{0} was {1} successfully!": "{0} ble {1} uten feil!", "{0} weeks": "{0} uker", "{0} years": "{0} år", "{0} {1} failed": "{0} {1} mislyktes", - "{package} Installation": "{package} Installasjon", - "{package} Uninstall": "{package} Avinstaller", - "{package} Update": "{package} Oppdater", - "{package} could not be installed": "{package} kunne ikke installeres", - "{package} could not be uninstalled": "{package} kunne ikke avinstalleres", - "{package} could not be updated": "{package} kunne ikke oppdateres", "{package} installation failed": "Installasjon av {package} feilet", - "{package} installer could not be downloaded": "{package} installasjonsprogram kunne ikke lastes ned", - "{package} installer download": "{package} installasjonsprogramnedlasting", - "{package} installer was downloaded successfully": "{package} installasjonsprogram ble lastet ned vellykket", "{package} uninstall failed": "Avinstallasjon av {package} feilet", "{package} update failed": "Oppdatering av {package} feilet", "{package} update failed. Click here for more details.": "Oppdatering av {package} feilet. Klikk her for flere detaljer.", - "{package} was installed successfully": "{package} ble suksessfullt installert", - "{package} was uninstalled successfully": "{package} ble suksessfullt avinstallert", - "{package} was updated successfully": "{package} ble suksessfullt oppdatert", - "{pcName} installed packages": "{pcName}: Installerte pakker", "{pm} could not be found": "{pm} kunne ikke bli funnet", "{pm} found: {state}": "{pm} funnet: {state}", - "{pm} is disabled": "{pm} er deaktivert", - "{pm} is enabled and ready to go": "{pm} er aktivert og klar for bruk", "{pm} package manager specific preferences": "Innstillinger som er spesifikke for {pm}-pakkehåndtereren", "{pm} preferences": "Innstillinger for {pm}", - "{pm} version:": "{pm} versjon: ", - "{pm} was not found!": "{pm} ble ikke funnet!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hei, mitt navn er Martí, og jeg er utvikleren som står bak WingetUI. WingetUI har utelukkende blitt laget på fritiden min!", + "Thank you ❤": "Takk ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Dette prosjektet har ingen kobling til det offisielle {0}-prosjektet - det er fullstendig uoffisielt." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nl.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nl.json index f0c09ffac6..39164e1274 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nl.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nl.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Bewerking aan de gang", + "Please wait...": "Even geduld…", + "Success!": "Succes!", + "Failed": "Mislukt", + "An error occurred while processing this package": "Er is een fout opgetreden bij de verwerking van dit pakket", + "Log in to enable cloud backup": "Log in om cloud back-up in te schakelen", + "Backup Failed": "Back-up mislukt", + "Downloading backup...": "Back-up downloaden...", + "An update was found!": "Er is een update gevonden!", + "{0} can be updated to version {1}": "{0} kan worden bijgewerkt naar versie {1}", + "Updates found!": "Updates gevonden!", + "{0} packages can be updated": "{0} pakketten kunnen worden bijgewerkt", + "You have currently version {0} installed": "Je hebt momenteel versie {0} geïnstalleerd", + "Desktop shortcut created": "Desktopsnelkoppeling aangemaakt", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI heeft een nieuwe bureaubladsnelkoppeling gedetecteerd die automatisch kan worden verwijderd.", + "{0} desktop shortcuts created": "{0} bureaubladsnelkoppelingen aangemaakt", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI heeft {0} nieuwe bureaubladsnelkoppelingen gedetecteerd die automatisch kunnen worden verwijderd.", + "Are you sure?": "Weet je het zeker?", + "Do you really want to uninstall {0}?": "Wil je {0} echt verwijderen?", + "Do you really want to uninstall the following {0} packages?": "Wil je de volgende {0} pakketten verwijderen?", + "No": "Nee", + "Yes": "Ja", + "View on UniGetUI": "Weergeven op UniGetUI", + "Update": "Bijwerken", + "Open UniGetUI": "UniGetUI openen", + "Update all": "Alles bijwerken", + "Update now": "Nu bijwerken", + "This package is on the queue": "Dit pakket staat in de wachtrij", + "installing": "installeren", + "updating": "bijwerken", + "uninstalling": "verwijderen", + "installed": "geïnstalleerd", + "Retry": "Opnieuw proberen", + "Install": "Installeren", + "Uninstall": "Verwijderen", + "Open": "Openen", + "Operation profile:": "Bewerkingsprofiel:", + "Follow the default options when installing, upgrading or uninstalling this package": "Standaardopties aanhouden bij het installeren, upgraden of verwijderen van dit pakket", + "The following settings will be applied each time this package is installed, updated or removed.": "De volgende instellingen worden toegepast telkens wanneer dit pakket wordt geïnstalleerd, bijgewerkt of verwijderd.", + "Version to install:": "Te installeren versie:", + "Architecture to install:": "Te installeren architectuur:", + "Installation scope:": "Installatiebereik:", + "Install location:": "Installatielocatie:", + "Select": "Selecteren", + "Reset": "Opnieuw instellen", + "Custom install arguments:": "Aangepaste installatie-argumenten:", + "Custom update arguments:": "Aangepaste bijwerkings-argumenten:", + "Custom uninstall arguments:": "Aangepaste verwijderings-argumenten:", + "Pre-install command:": "Pre-installatie opdracht:", + "Post-install command:": "Post-installatie opdracht:", + "Abort install if pre-install command fails": "Installatie afbreken als pre-installatie opdracht mislukt", + "Pre-update command:": "Pre-update opdracht:", + "Post-update command:": "Post-update opdracht:", + "Abort update if pre-update command fails": "Update afbreken als pre-update opdracht mislukt", + "Pre-uninstall command:": "Pre-verwijderings opdracht:", + "Post-uninstall command:": "Post-verwijderings opdracht:", + "Abort uninstall if pre-uninstall command fails": "Verwijdering afbreken als pre-verwijder opdracht mislukt", + "Command-line to run:": "Te gebruiken opdrachtregel:", + "Save and close": "Opslaan en sluiten", + "Run as admin": "Als administrator uitvoeren", + "Interactive installation": "Interactieve installatie", + "Skip hash check": "Hashcontrole overslaan", + "Uninstall previous versions when updated": "Oude versies verwijderen bij het updaten", + "Skip minor updates for this package": "Kleine updates voor dit pakket overslaan", + "Automatically update this package": "Dit pakket automatisch updaten", + "{0} installation options": "{0} installatieopties", + "Latest": "Meest recent", + "PreRelease": "Pre-release", + "Default": "Standaard", + "Manage ignored updates": "Genegeerde updates beheren", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "De hier vermelde pakketten worden niet in aanmerking genomen bij het controleren op updates. Dubbelklik erop of klik op de knop aan de rechterkant om te stoppen met het negeren van hun updates.", + "Reset list": "Lijst opnieuw instellen", + "Package Name": "Pakketnaam", + "Package ID": "Pakket-ID", + "Ignored version": "Genegeerde versie", + "New version": "Nieuwe versie", + "Source": "Bron", + "All versions": "Alle versies", + "Unknown": "Onbekend", + "Up to date": "Bijgewerkt", + "Cancel": "Annuleren", + "Administrator privileges": "Administratorrechten", + "This operation is running with administrator privileges.": "Deze bewerking wordt uitgevoerd met administratorrechten.", + "Interactive operation": "Interactieve bewerking", + "This operation is running interactively.": "Deze bewerking wordt interactief uitgevoerd.", + "You will likely need to interact with the installer.": "Je zult waarschijnlijk moeten communiceren met het installatieprogramma.", + "Integrity checks skipped": "Integriteitscontroles overgeslagen", + "Proceed at your own risk.": "Doorgaan op eigen risico.", + "Close": "Sluiten", + "Loading...": "Laden…", + "Installer SHA256": "Installatieprogramma-SHA256", + "Homepage": "Website", + "Author": "Auteur", + "Publisher": "Uitgever", + "License": "Licentie", + "Manifest": "Manifest", + "Installer Type": "Type installatieprogramma", + "Size": "Grootte", + "Installer URL": "Installatieprogramma URL", + "Last updated:": "Laatst bijgewerkt:", + "Release notes URL": "Release-opmerkingen URL", + "Package details": "Pakketdetails", + "Dependencies:": "Afhankelijkheden:", + "Release notes": "Release-opmerkingen", + "Version": "Versie", + "Install as administrator": "Als administrator installeren", + "Update to version {0}": "Bijwerken naar versie {0}", + "Installed Version": "Geïnstalleerde versie", + "Update as administrator": "Als administrator bijwerken", + "Interactive update": "Interactief bijwerken", + "Uninstall as administrator": "Als administrator verwijderen", + "Interactive uninstall": "Interactief verwijderen", + "Uninstall and remove data": "Verwijderen, incl. gegevens", + "Not available": "Niet beschikbaar", + "Installer SHA512": "Installatieprogramma-SHA512", + "Unknown size": "Onbekende grootte", + "No dependencies specified": "Geen afhankelijkheden gespecificeerd", + "mandatory": "verplicht", + "optional": "optioneel", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} is klaar om geïnstalleerd te worden.", + "The update process will start after closing UniGetUI": "Het updateproces start na het sluiten van UniGetUI", + "Share anonymous usage data": "Anonieme gebruiksgegevens delen", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI verzamelt anonieme gebruiksgegevens om de gebruikerservaring te verbeteren.", + "Accept": "Accepteren", + "You have installed WingetUI Version {0}": "Je hebt UniGetUI versie {0} geïnstalleerd", + "Disclaimer": "Clausule", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI is niet gebonden aan een van de compatibele pakketbeheerders. UniGetUI is een onafhankelijk project.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI zou niet mogelijk zijn geweest zonder de bijdragen van deze personen. \nBedankt allemaal 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI maakt gebruik van de volgende bibliotheken, zonder welke UniGetUI niet mogelijk zou zijn geweest.", + "{0} homepage": "{0} website", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI is dankzij deze vrijwilligers in meer dan 40 talen vertaald. Hartelijk bedankt 🤝", + "Verbose": "Uitvoerig", + "1 - Errors": "1 - Fouten", + "2 - Warnings": "2 - Waarschuwingen", + "3 - Information (less)": "3 - Informatie (beperkt)", + "4 - Information (more)": "4 - Informatie (meer)", + "5 - information (debug)": "5 - Informatie (foutopsporing)", + "Warning": "Waarschuwing", + "The following settings may pose a security risk, hence they are disabled by default.": "De volgende instellingen kunnen een veiligheidsrisico met zich meebrengen. Hierom zijn ze standaard uitgeschakeld.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Schakel de onderstaande instellingen ENKEL EN ALLEEN in als je volledig begrijpt wat ze doen, en wat voor gevolgen en gevaren ze met zich meebrengen.", + "The settings will list, in their descriptions, the potential security issues they may have.": "De instellingen zullen in hun omschrijving mogelijke veiligheidsproblemen weergeven.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "De back-up bevat de volledige lijst met geïnstalleerde pakketten en hun installatieopties. Ook genegeerde updates en overgeslagen versies worden opgeslagen.", + "The backup will NOT include any binary file nor any program's saved data.": "De back-up bevat GEEN binair bestand en ook geen opgeslagen gegevens van een programma.", + "The size of the backup is estimated to be less than 1MB.": "De grootte van de back-up wordt geschat op minder dan 1 MB", + "The backup will be performed after login.": "De back-up wordt uitgevoerd na het inloggen.", + "{pcName} installed packages": "{pcName} geïnstalleerde pakketten", + "Current status: Not logged in": "Huidige status: Niet ingelogd", + "You are logged in as {0} (@{1})": "Je bent ingelogd als {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Mooi! Back-ups zullen als een privé Gist op je account worden geüpload", + "Select backup": "Back-up selecteren", + "WingetUI Settings": "UniGetUI instellingen", + "Allow pre-release versions": "Pre-release versies toestaan", + "Apply": "Toepassen", + "Go to UniGetUI security settings": "Ga naar UniGetUI veiligheidsinstellingen", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "De volgende opties zullen standaard worden toegepast wanneer een {0} pakket wordt geïnstalleerd, geüpdatet of verwijderd.", + "Package's default": "Standaard van het pakket", + "Install location can't be changed for {0} packages": "Installatielocatie kan voor {0} pakketten niet worden gewijzigd", + "The local icon cache currently takes {0} MB": "Het lokale pictogram-buffer gebruikt momenteel {0} MB", + "Username": "Gebruikersnaam", + "Password": "Wachtwoord", + "Credentials": "Referenties", + "Partially": "Gedeeltelijk", + "Package manager": "Pakketbeheerder", + "Compatible with proxy": "Compatibel met proxy", + "Compatible with authentication": "Compatibel met authenticatie", + "Proxy compatibility table": "Proxy compatibiliteitstabel", + "{0} settings": "{0} instellingen", + "{0} status": "{0} status", + "Default installation options for {0} packages": "Standaard installatie-opties voor {0} pakketten", + "Expand version": "Uitgebreide versie-informatie", + "The executable file for {0} was not found": "Het uitvoerbare bestand voor {0} is niet gevonden", + "{pm} is disabled": "{pm} is uitgeschakeld", + "Enable it to install packages from {pm}.": "Schakel het in om pakketten van {pm} te installeren.", + "{pm} is enabled and ready to go": "{pm} is ingeschakeld en klaar voor gebruik", + "{pm} version:": "{pm} versie:", + "{pm} was not found!": "{pm} niet aangetroffen!", + "You may need to install {pm} in order to use it with WingetUI.": "Mogelijk moet je {pm} installeren om het met UniGetUI te kunnen gebruiken.", + "Scoop Installer - WingetUI": "Scoop installatie - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop verwijderen - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop-buffer wissen - UniGetUI", + "Restart UniGetUI": "UniGetUI opnieuw starten", + "Manage {0} sources": "{0}-bronnen beheren", + "Add source": "Bron toevoegen", + "Add": "Toevoegen", + "Other": "Overig", + "1 day": "1 dag", + "{0} days": "{0} dagen", + "{0} minutes": "{0} minuten", + "1 hour": "1 uur", + "{0} hours": "{0} uur", + "1 week": "1 week", + "WingetUI Version {0}": "UniGetUI-versie {0}", + "Search for packages": "Pakketten zoeken", + "Local": "Lokaal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Er zijn {0} pakketten gevonden, waarvan {1} overeenkomen met de opgegeven filters.", + "{0} selected": "{0} geselecteerd", + "(Last checked: {0})": "(Laatste controle: {0})", + "Enabled": "Ingeschakeld", + "Disabled": "Uitgeschakeld", + "More info": "Meer informatie", + "Log in with GitHub to enable cloud package backup.": "Log in bij GitHub om cloud pakket back-ups in te schakelen.", + "More details": "Meer details", + "Log in": "Inloggen", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Als je cloud back-up hebt ingeschakeld, wordt deze opgeslagen als een GitHub Gist op dit account", + "Log out": "Uitloggen", + "About": "Over", + "Third-party licenses": "Licenties van derden", + "Contributors": "Bijdragen", + "Translators": "Vertalingen", + "Manage shortcuts": "Snelkoppelingen beheren", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI heeft de volgende snelkoppelingen op het bureaublad gedetecteerd die bij toekomstige upgrades automatisch kunnen worden verwijderd", + "Do you really want to reset this list? This action cannot be reverted.": "Wil je deze lijst echt opnieuw instellen? Deze actie kan niet worden teruggedraaid.", + "Remove from list": "Van lijst wissen", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Nieuwe snelkoppelingen bij detectie automatisch verwijderen worden gedetecteerd, in plaats van dit dialoogvenster te tonen.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI verzamelt anonieme gebruiksgegevens met als enig doel inzicht te verkrijgen in de gebruikerservaring en deze te verbeteren.", + "More details about the shared data and how it will be processed": "Meer informatie over de gedeelde gegevens en hoe deze worden verwerkt", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Ga je ermee akkoord dat UniGetUI anonieme gebruiksstatistieken verzamelt en verzendt, met als enig doel inzicht te krijgen op de gebruikerservaring en deze te verbeteren?", + "Decline": "Afwijzen", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Er wordt geen persoonlijke informatie verzameld of verzonden en de verzamelde gegevens worden geanonimiseerd, zodat deze niet naar jou kunnen worden teruggevoerd.", + "About WingetUI": "Over UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI is een applicatie die het beheer van jouw software eenvoudiger maakt door een alles-in-één grafische interface te bieden voor je opdrachtregelpakketbeheerders.", + "Useful links": "Nuttige links", + "Report an issue or submit a feature request": "Een probleem melden of een functieverzoek indienen", + "View GitHub Profile": "GitHub-profiel bekijken", + "WingetUI License": "UniGetUI-licentie", + "Using WingetUI implies the acceptation of the MIT License": "Met het gebruik van UniGetUI ga je akkoord met de MIT-licentie", + "Become a translator": "Meld je aan als vertaler", + "View page on browser": "Pagina in browser bekijken", + "Copy to clipboard": "Naar klembord kopiëren", + "Export to a file": "Exporteren naar bestand", + "Log level:": "Logboek-niveau", + "Reload log": "Logboek opnieuw laden", + "Text": "Tekst", + "Change how operations request administrator rights": "Wijzigen hoe bewerkingen administratorrechten aanvragen", + "Restrictions on package operations": "Beperkingen op pakketbewerkingen", + "Restrictions on package managers": "Beperkingen op pakketbeheerders", + "Restrictions when importing package bundles": "Beperkingen bij het importeren van pakketbundels", + "Ask for administrator privileges once for each batch of operations": "Vraag één keer om administratorrechten voor elke reeks bewerkingen", + "Ask only once for administrator privileges": "Maar één keer om administratorrechten vragen", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Elke vorm van rechtenverheffing met UniGetUI Elevator of GSudo verbieden", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Deze optie ZAL problemen veroorzaken. Elke handeling die zichzelf niet kan verheffen ZAL MISLUKKEN. Installeren/bijwerken/verwijderen als administrator zal NIET WERKEN.", + "Allow custom command-line arguments": "Aangepaste opdrachtregelargumenten toestaan", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Aangepaste opdrachtregelargumenten kunnen de manier veranderen waarop programma's worden geïnstalleerd, bijgewerkt of verwijderd, op een manier die UniGetUI niet kan controleren. Het gebruik van aangepaste opdrachtregels kan pakketten breken. Ga voorzichtig te werk.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Negeer aangepaste pre-installatie- en post-installatieopdrachten bij het importeren van pakketten uit een bundel", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Installatieopdrachten worden uitgevoerd vóór of nadat een pakket wordt geïnstalleerd, geüpgraded of verwijderd. Houd er rekening mee dat ze dingen kunnen breken, tenzij ze zorgvuldig worden gebruikt", + "Allow changing the paths for package manager executables": "Het wijzigen van paden van pakketbeheerders toestaan", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Het inschakelen van deze instelling staat het wijzigen van het uivoeringsbestand wat gebruikt wordt bij interacties met pakketbeheerders toe. Hoewel dit nauwkeurigere aanpassing van je installatie-proces toestaat, kan dit ook gevaren met zich meebrengen.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Het importeren van aangepaste opdrachtregelargumenten toestaan bij het importeren van pakketten uit een bundel", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Misvormde opdrachtregelargumenten kunnen pakketten breken of zelfs een kwaadwillende actor in staat stellen een bevoorrechte uitvoering te krijgen. Daarom is het importeren van aangepaste opdrachtregelargumenten standaard uitgeschakeld.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Het importeren van aangepaste pre-installatie- en post-installatieopdrachten toestaan bij het importeren van pakketten uit een bundel", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Opdrachten vóór en na de installatie kunnen zeer vervelende dingen doen met je apparaat, als ze daarvoor zijn ontworpen. Het kan erg gevaarlijk zijn om de opdrachten uit een bundel te importeren, tenzij je de bron van die pakketbundel vertrouwt", + "Administrator rights and other dangerous settings": "Administratorrechten en andere risicovolle instellingen", + "Package backup": "Back-up van pakket", + "Cloud package backup": "Cloud pakket back-up", + "Local package backup": "Lokale pakket back-up", + "Local backup advanced options": "Lokale back-up geavanceerde opties", + "Log in with GitHub": "Log in met GitHub", + "Log out from GitHub": "Uitloggen van GitHub", + "Periodically perform a cloud backup of the installed packages": "Regelmatig een cloud back-up uitvoeren van de geïnstalleerde pakketten", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloud back-up gebruikt een privé GitHub Gist om een lijst met geïnstalleerde pakketten op te slaan", + "Perform a cloud backup now": "Nu een cloud back-up uitvoeren", + "Backup": "Back-up", + "Restore a backup from the cloud": "Herstel een back-up van de cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Start het proces om een Cloud back-up te selecteren en controleer welke pakketen hersteld moeten worden", + "Periodically perform a local backup of the installed packages": "Regelmatig een lokale back-up uitvoeren van de geïnstalleerde pakketten", + "Perform a local backup now": "Nu een lokale back-up uitvoeren", + "Change backup output directory": "De uitvoermap voor back-upbestanden wijzigen", + "Set a custom backup file name": "Een aangepaste naam voor een back-upbestand instellen", + "Leave empty for default": "Leeg laten voor standaard", + "Add a timestamp to the backup file names": "Voeg een tijdstempel toe aan de namen van de back-upbestanden", + "Backup and Restore": "Back-up en Herstel", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Achtergrond-API inschakelen (UniGetUI Widgets en Delen, poort 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Taken die een internetverbinding verlangen uitstellen totdat het apparaat met internet is verbonden.", + "Disable the 1-minute timeout for package-related operations": "Time-out van 1 minuut voor pakketgerelateerde bewerkingen uitschakelen", + "Use installed GSudo instead of UniGetUI Elevator": "Geïnstalleerde GSudio gebruiken in plaats van UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Aangepast pictogram en schermopname database-URL gebruiken", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Optimalisaties van CPU-gebruik op de achtergrond inschakelen (zie Pull Request #3278)", + "Perform integrity checks at startup": "Integriteitscontroles uitvoeren bij het opstarten", + "When batch installing packages from a bundle, install also packages that are already installed": "Bij het reeksgewijs installeren van pakketten van een bundel, installeer ook pakketten die al geïnstalleerd zijn", + "Experimental settings and developer options": "Experimentele instellingen en ontwikkelaarsopties", + "Show UniGetUI's version and build number on the titlebar.": "UniGetUI's versie en bouwnummer in de titelbalk weergeven.", + "Language": "Taal", + "UniGetUI updater": "UniGetUI-updater", + "Telemetry": "Telemetrie", + "Manage UniGetUI settings": "UniGetUI-instellingen beheren", + "Related settings": "Gerelateerde instellingen", + "Update WingetUI automatically": "UniGetUI automatisch bijwerken", + "Check for updates": "Controleren op updates", + "Install prerelease versions of UniGetUI": "Prerelease-versies van UniGetUI installeren", + "Manage telemetry settings": "Telemetrie-instellingen beheren", + "Manage": "Beheren", + "Import settings from a local file": "Instellingen importeren vanuit een lokaal bestand", + "Import": "Importeren", + "Export settings to a local file": "Instellingen exporteren naar een lokaal bestand", + "Export": "Exporteren", + "Reset WingetUI": "UniGetUI opnieuw instellen", + "Reset UniGetUI": "UniGetUI opnieuw instellen", + "User interface preferences": "Voorkeuren gebruikersinterface", + "Application theme, startup page, package icons, clear successful installs automatically": "App-thema, startpagina, pakketpictogrammen, succesvolle installaties automatisch wissen", + "General preferences": "Algemene voorkeuren", + "WingetUI display language:": "UniGetUI weergavetaal:", + "Is your language missing or incomplete?": "Ontbreekt jouw taal of is deze onjuist of incompleet?", + "Appearance": "Uiterlijk", + "UniGetUI on the background and system tray": "UniGetUI op de achtergrond en het systeemvak", + "Package lists": "Pakketlijsten", + "Close UniGetUI to the system tray": "UniGetUI sluiten naar het systeemvak", + "Show package icons on package lists": "Pakketpictogrammen weergeven in pakketlijsten", + "Clear cache": "Buffer wissen", + "Select upgradable packages by default": "Standaard upgradebare pakketten selecteren", + "Light": "Licht", + "Dark": "Donker", + "Follow system color scheme": "Volg systeem kleur schema", + "Application theme:": "App-thema:", + "Discover Packages": "Pakketten ontdekken", + "Software Updates": "Software-updates", + "Installed Packages": "Pakketten op dit systeem", + "Package Bundles": "Pakkettenbundels", + "Settings": "Instellingen", + "UniGetUI startup page:": "UniGetUI startpagina:", + "Proxy settings": "Proxy-instellingen", + "Other settings": "Overige instellingen", + "Connect the internet using a custom proxy": "Internetverbinding met behulp van een aangepaste proxy", + "Please note that not all package managers may fully support this feature": "Houd er rekening mee dat niet alle pakketbeheerders deze functie volledig ondersteunen", + "Proxy URL": "Proxy-url", + "Enter proxy URL here": "Voer hier de proxy-URL in", + "Package manager preferences": "Voorkeuren voor Pakketbeheerders", + "Ready": "Klaar", + "Not found": "Niet gevonden", + "Notification preferences": "Meldingsvoorkeuren", + "Notification types": "Typen meldingen", + "The system tray icon must be enabled in order for notifications to work": "Het systeemvakpictogram moet ingeschakeld zijn om meldingen te laten werken", + "Enable WingetUI notifications": "Meldingen van UniGetUI inschakelen", + "Show a notification when there are available updates": "Toon een melding wanneer updates beschikbaar zijn", + "Show a silent notification when an operation is running": "Toon een stille melding wanneer een bewerking wordt uitgevoerd", + "Show a notification when an operation fails": "Toon een melding wanneer een bewerking mislukt", + "Show a notification when an operation finishes successfully": "Toon een melding wanneer een bewerking met succes is voltooid", + "Concurrency and execution": "Gelijktijdigheid en uitvoering", + "Automatic desktop shortcut remover": "Bureaubladsnelkoppelingen automatisch verwijderen", + "Clear successful operations from the operation list after a 5 second delay": "Geslaagde bewerkingen na 5 seconden uit de bewerkingslijst wissen", + "Download operations are not affected by this setting": "Download-handelingen worden niet beïnvloed door deze instelling", + "Try to kill the processes that refuse to close when requested to": "Probeer programma's te beëindigen als ze weigeren te sluiten op verzoek", + "You may lose unsaved data": "Je kunt mogelijk niet-opgeslagen gegevens verliezen", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Vragen om snelkoppelingen te verwijderen die op het bureaublad zijn aangemaakt tijdens een installatie of upgrade.", + "Package update preferences": "Voorkeuren voor pakketupdates", + "Update check frequency, automatically install updates, etc.": "Frequentie van update-controles, automatisch nieuwe versies installeren, enz.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC-prompts verminderen, installaties standaard verheffen, bepaalde risicovolle functies ontgrendelen, etc.", + "Package operation preferences": "Voorkeuren voor pakketbewerkingen", + "Enable {pm}": "{pm} inschakelen", + "Not finding the file you are looking for? Make sure it has been added to path.": "Kun j het bestand dat je zoekt niet vinden? Zorg ervoor dat het aan pad is toegevoegd.", + "For security reasons, changing the executable file is disabled by default": "Om veiligheidsredenen is het wijzigen van het uitvoeringsbestand standaard uitgeschakeld", + "Change this": "Dit aanpassen", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selecteer het uitvoerbare bestand dat gebruikt moet worden. De volgende lijst toont de uitvoerbare bestanden die door UniGetUI zijn gevonden.", + "Current executable file:": "Huidig uitvoerbaar bestand:", + "Ignore packages from {pm} when showing a notification about updates": "Pakketten van {pm} negeren bij het tonen van een melding over updates", + "View {0} logs": "{0} logboeken bekijken", + "Advanced options": "Geavanceerde opties", + "Reset WinGet": "WinGet opnieuw instellen", + "This may help if no packages are listed": "Dit kan helpen als er geen pakketten worden vermeld", + "Force install location parameter when updating packages with custom locations": "Forceer de installatielocatieparameter bij het bijwerken van pakketten met aangepaste locaties", + "Use bundled WinGet instead of system WinGet": "Gebruik gebundelde WinGet in plaats van systeem WinGet", + "This may help if WinGet packages are not shown": "Dit kan helpen als WinGet-pakketten niet worden weergegeven", + "Install Scoop": "Scoop installeren", + "Uninstall Scoop (and its packages)": "Scoop (en de pakketten) verwijderen", + "Run cleanup and clear cache": "Opruiming uitvoeren en cache wissen", + "Run": "Uitvoeren", + "Enable Scoop cleanup on launch": "Scoop opschonen inschakelen bij de start", + "Use system Chocolatey": "Systeem-Chocolatey gebruiken", + "Default vcpkg triplet": "Standaard vcpk tripel", + "Language, theme and other miscellaneous preferences": "Taal, thema en andere diverse voorkeuren", + "Show notifications on different events": "Meldingen tonen over verschillende gebeurtenissen", + "Change how UniGetUI checks and installs available updates for your packages": "Wijzig hoe UniGetUI beschikbare updates voor jouw pakketten controleert en installeert", + "Automatically save a list of all your installed packages to easily restore them.": "Automatisch een lijst opslaan van al je geïnstalleerde pakketten om ze gemakkelijk te herstellen.", + "Enable and disable package managers, change default install options, etc.": "Pakketbeheerder in- of uitschakelen, standaardopties wijzigen, etc.", + "Internet connection settings": "Instellingen voor internetverbinding", + "Proxy settings, etc.": "Proxy-instellingen, enz.", + "Beta features and other options that shouldn't be touched": "Bètafuncties en andere opties die je beter niet kan gebruiken", + "Update checking": "Controle op updates", + "Automatic updates": "Automatische updates", + "Check for package updates periodically": "Regelmatig controleren op pakketupdates", + "Check for updates every:": "Controleren op updates, elke:", + "Install available updates automatically": "Beschikbare updates automatisch installeren", + "Do not automatically install updates when the network connection is metered": "Geen automatisch updates installeren wanneer bij betaalde netwerkverbinding", + "Do not automatically install updates when the device runs on battery": "Installeer geen updates automatisch wanneer het apparaat op de batterij werkt", + "Do not automatically install updates when the battery saver is on": "Niet automatisch updates installeren wanneer de batterijbeveiliging is ingeschakeld", + "Change how UniGetUI handles install, update and uninstall operations.": "Wijzigen hoe UniGetUI de installatie-, update- en verwijderingsbewerkingen afhandelt.", + "Package Managers": "Pakketbeheerders", + "More": "Meer", + "WingetUI Log": "UniGetUI-logboek", + "Package Manager logs": "Pakketbeheerder-logboeken", + "Operation history": "Bewerkingsgeschiedenis", + "Help": "Hulp (Engels)", + "Order by:": "Sortering:", + "Name": "Naam", + "Id": "ID", + "Ascendant": "Voorouder", + "Descendant": "Nakomeling", + "View mode:": "Weergave:", + "Filters": "Filters", + "Sources": "Bronnen", + "Search for packages to start": "Zoek om te beginnen naar pakketten", + "Select all": "Alles selecteren", + "Clear selection": "Selectie opheffen", + "Instant search": "Direct zoeken", + "Distinguish between uppercase and lowercase": "Hoofdlettergevoelig", + "Ignore special characters": "Speciale tekens negeren", + "Search mode": "Zoekmodus", + "Both": "Beide", + "Exact match": "Exacte overeenkomst", + "Show similar packages": "Vergelijkbaar pakket tonen", + "No results were found matching the input criteria": "Er zijn geen resultaten gevonden die voldoen aan de invoercriteria", + "No packages were found": "Er zijn geen pakketten gevonden", + "Loading packages": "Pakketten laden", + "Skip integrity checks": "Integriteitscontroles overslaan", + "Download selected installers": "Geselecteerde installatieprogramma's downloaden", + "Install selection": "Selectie installeren", + "Install options": "Installatie-opties", + "Share": "Delen", + "Add selection to bundle": "Selectie toevoegen aan bundel", + "Download installer": "Installatieprogramma downloaden", + "Share this package": "Dit pakket delen", + "Uninstall selection": "Selectie verwijderen", + "Uninstall options": "Verwijderingsopties", + "Ignore selected packages": "Geselecteerde pakketten negeren", + "Open install location": "Installatiemap openen", + "Reinstall package": "Pakket opnieuw installeren", + "Uninstall package, then reinstall it": "Verwijder het pakket en installeer het opnieuw", + "Ignore updates for this package": "Updates voor dit pakket negeren", + "Do not ignore updates for this package anymore": "Updates voor dit pakket niet langer negeren", + "Add packages or open an existing package bundle": "Voeg pakketten toe of open een bestaande pakketbundel", + "Add packages to start": "Voeg pakketten toe om te starten", + "The current bundle has no packages. Add some packages to get started": "De huidige bundel heeft geen pakketten. Voeg wat pakketten toe om te beginnen", + "New": "Nieuw", + "Save as": "Opslaan als", + "Remove selection from bundle": "Selectie verwijderen van bundel", + "Skip hash checks": "Hashcontroles overslaan", + "The package bundle is not valid": "De pakketbundel is niet geldig", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "De bundel die je probeert te laden, lijkt ongeldig. Controleer het bestand en probeer het opnieuw.", + "Package bundle": "Pakkettenbundel", + "Could not create bundle": "Kan bundel niet aanmaken", + "The package bundle could not be created due to an error.": "De pakketbundel kan vanwege een fout niet worden angemaakt.", + "Bundle security report": "Veiligheidsrapportage bundelen", + "Hooray! No updates were found.": "Top! Alles is bijgewerkt!", + "Everything is up to date": "Alles is bijgewerkt", + "Uninstall selected packages": "Geselecteerde pakketten verwijderen", + "Update selection": "Selectie bijwerken", + "Update options": "Update-opties", + "Uninstall package, then update it": "Pakket verwijderen en daarna bijwerken", + "Uninstall package": "Pakket verwijderen", + "Skip this version": "Deze versie overslaan", + "Pause updates for": "Updates pauzeren voor", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "De Rust-pakketbeheerder.
Bevat: Rust-bibliotheken en programma's geschreven in Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "De klassieke Windows pakketbeheerder. Hier kun je van alles vinden.
Bevat: Algemene software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Een opslagplaats vol hulpmiddelen en uitvoerbare bestanden ontworpen voor het .NET-ecosysteem van Microsoft.
Bevat: .NET-gerelateerde hulpmiddelen en scripts", + "NuPkg (zipped manifest)": "NuPkg (gezipte manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS pakketbeheer. Vol met bibliotheken en andere hulpprogramma's die rond de javascript-wereld draaien
Bevat: Node javascript-bibliotheken en andere gerelateerde hulpprogramma's", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python bibliotheekbeheer. Vol met python-bibliotheken en andere python-gerelateerde hulpprogramma's
Bevat: Python-bibliotheken en gerelateerde hulpprogramma's", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "De pakketbeheerder van PowerShell. Bibliotheken en scripts zoeken om de PowerShell-mogelijkheden uit te breiden
Bevat: Modules, Scripts, Cmdlets", + "extracted": "uitgepakt", + "Scoop package": "Scoop-pakket", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Geweldige opslagplaats van onbekende maar nuttige hulpprogramma's en andere interessante pakketten.
Bevat: Hulpprogramma's, opdrachtregelprogramma's, algemene software (vereist extra bucket)", + "library": "bibliotheek", + "feature": "functie", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Een populaire C/C++ bibliotheekmanager. Vol met C/C++-bibliotheken en andere C/C++-gerelateerde hulpprogramma's
Bevat: C/C++-bibliotheken en gerelateerde hulpprogramma's", + "option": "optie", + "This package cannot be installed from an elevated context.": "Dit pakket kan niet vanuit een verhoogde context worden geïnstalleerd.", + "Please run UniGetUI as a regular user and try again.": "Voer UniGetUI uit als gewone gebruiker en probeer het opnieuw.", + "Please check the installation options for this package and try again": "Controleer de installatie-opties voor dit pakket en probeer het opnieuw", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Officiële pakketbeheerder van Microsoft. Vol met bekende en geverifieerde pakketten
Bevat: Algemene software, Microsoft Store-apps", + "Local PC": "Lokale PC", + "Android Subsystem": "Andoid Subsysteem", + "Operation on queue (position {0})...": "Bewerking in de wachtrij (positie {0})", + "Click here for more details": "Klik hier voor meer details", + "Operation canceled by user": "Bewerking geannuleerd door gebruiker", + "Starting operation...": "Bewerking starten...", + "{package} installer download": "Installatieprogramma voor {package} downloaden", + "{0} installer is being downloaded": "Installatieprogramma voor {0} wordt gedownload", + "Download succeeded": "Download voltooid", + "{package} installer was downloaded successfully": "Installatieprogramma voor {package} is met succes gedownload", + "Download failed": "Download mislukt", + "{package} installer could not be downloaded": "Installatieprogramma voor {package} kon niet worden gedownload", + "{package} Installation": "{package} installeren", + "{0} is being installed": "{0} wordt geïnstalleerd", + "Installation succeeded": "Installatie voltooid", + "{package} was installed successfully": "{package} is met succes geïnstalleerd", + "Installation failed": "Installatie mislukt", + "{package} could not be installed": "{package} kan niet worden geïnstalleerd", + "{package} Update": "{package} bijwerken", + "{0} is being updated to version {1}": "{0} wordt bijgewerkt naar versie {1}", + "Update succeeded": "Update voltooid", + "{package} was updated successfully": "{package} is met succes bijgewerkt", + "Update failed": "Update mislukt", + "{package} could not be updated": "{package} kan niet worden bijgewerkt", + "{package} Uninstall": "{package} verwijderen", + "{0} is being uninstalled": "{0} wordt verwijderd", + "Uninstall succeeded": "Verwijderen voltooid", + "{package} was uninstalled successfully": "{package} is met succes verwijderd", + "Uninstall failed": "Verwijderen mislukt", + "{package} could not be uninstalled": "{package} kan niet worden verwijderd", + "Adding source {source}": "Bron toevoegen {source}", + "Adding source {source} to {manager}": "Bron {source} toevoegen aan {manager}", + "Source added successfully": "Bron met succes toegevoegd", + "The source {source} was added to {manager} successfully": "De bron {source} is met succes toegevoegd aan {manager}", + "Could not add source": "Kan bron niet toevoegen", + "Could not add source {source} to {manager}": "Kan bron {source} niet toevoegen aan {manager}", + "Removing source {source}": "Bron verwijderen {source}", + "Removing source {source} from {manager}": "Bron {source} verwijderen uit {manager}", + "Source removed successfully": "Bron met succes verwijderd", + "The source {source} was removed from {manager} successfully": "De bron {source} is met succes verwijderd van {manager}", + "Could not remove source": "Kan bron niet verwijderen", + "Could not remove source {source} from {manager}": "Kan bron {source} niet verwijderen uit {manager}", + "The package manager \"{0}\" was not found": "De pakketbeheerder \"{0}\" is niet aangetroffen", + "The package manager \"{0}\" is disabled": "Pakketbeheerder \"{0}\" is uitgeschakeld", + "There is an error with the configuration of the package manager \"{0}\"": "Er is een fout opgetreden bij de configuratie van pakketbeheerder \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Het pakket \"{0}\" is niet aangetroffen in pakketbeheerder \"{1}\"", + "{0} is disabled": "{0} is uitgeschakeld", + "Something went wrong": "Er gings iets mis", + "An interal error occurred. Please view the log for further details.": "Er is een interne fout opgetreden. Bekijk het logboek voor meer informatie.", + "No applicable installer was found for the package {0}": "Geen installatieprogramma gevonden voor het pakket {0}", + "We are checking for updates.": "Controleren op updates.", + "Please wait": "Even geduld", + "UniGetUI version {0} is being downloaded.": "UniGetUI versie {0} wordt gedownload.", + "This may take a minute or two": "Dit kan 1-2 minuten duren", + "The installer authenticity could not be verified.": "De authenticiteit van het installatieprogramma kon niet worden geverifieerd.", + "The update process has been aborted.": "Het updateproces is afgebroken.", + "Great! You are on the latest version.": "Geweldig! Je zit op de meest recente versie.", + "There are no new UniGetUI versions to be installed": "Er is geen nieuwe UniGetUI-versie om te installeren", + "An error occurred when checking for updates: ": "Er is een fout opgetreden bij het controleren op updates:", + "UniGetUI is being updated...": "UniGetUI wordt bijgewerkt...", + "Something went wrong while launching the updater.": "Er ging iets mis bij het starten van de updater.", + "Please try again later": "Probeer het later nog eens", + "Integrity checks will not be performed during this operation": "Tijdens deze bewerking worden geen integriteitscontroles uitgevoerd", + "This is not recommended.": "Dit wordt afgeraden.", + "Run now": "Nu uitvoeren", + "Run next": "Volgende uitvoeren", + "Run last": "Laatste uitvoeren", + "Retry as administrator": "Opnieuw proberen als administrator", + "Retry interactively": "Interactief opnieuw proberen", + "Retry skipping integrity checks": "Opnieuw proberen zonder integriteitscontroles", + "Installation options": "Installatieopties", + "Show in explorer": "In Verkenner weergeven", + "This package is already installed": "Dit pakket is al geïnstalleerd", + "This package can be upgraded to version {0}": "Dit pakket kan worden bijgewerkt naar versie {0}", + "Updates for this package are ignored": "Updates voor dit pakket worden genegeerd", + "This package is being processed": "Dit pakket wordt verwerkt", + "This package is not available": "Dit pakket is niet beschikbaar", + "Select the source you want to add:": "Selecteer de bron die je wilt toevoegen:", + "Source name:": "Naam van bron:", + "Source URL:": "Bron-URL:", + "An error occurred": "Er is een fout opgetreden", + "An error occurred when adding the source: ": "Er is een fout opgetreden bij het toevoegen van de bron:", + "Package management made easy": "Pakketbeheer eenvoudig gemaakt", + "version {0}": "versie {0}", + "[RAN AS ADMINISTRATOR]": "[UITGEVOERD ALS ADMINISTRATOR]", + "Portable mode": "Portable modus", + "DEBUG BUILD": "TESTVERSIE", + "Available Updates": "Beschikbare updates", + "Show WingetUI": "UniGetUI openen", + "Quit": "Afsluiten", + "Attention required": "Aandacht vereist", + "Restart required": "Opnieuw starten vereist", + "1 update is available": "1 update beschikbaar", + "{0} updates are available": "Er zijn {0} updates beschikbaar", + "WingetUI Homepage": "UniGetUI website", + "WingetUI Repository": "UniGetUI-opslagplaats", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Hier kun je het gedrag van UniGetUI met betrekking tot de volgende snelkoppelingen veranderen. Als je een snelkoppeling aanvinkt, wordt deze door UniGetUI verwijderd als deze bij een toekomstige upgrade wordt aangemaakt. Als je dit niet aanvinkt, blijft de snelkoppeling intact", + "Manual scan": "Handmatig scannen", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Bestaande snelkoppelingen op je bureaublad worden gescand en je moet kiezen welke je wilt bewaren en welke je wilt verwijderen.", + "Continue": "Doorgaan", + "Delete?": "Verwijderen?", + "Missing dependency": "Ontbrekende afhankelijkheid", + "Not right now": "Nu even niet", + "Install {0}": "{0} installeren", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI heeft {0} nodig om te functioneren, maar het werd niet aangetroffen op het systeem.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik op Installeren om het installatieproces te starten. Als je de installatie overslaat, werkt UniGetUI mogelijk niet zoals verwacht.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Als alternatief kunt je ook {0} installeren door de volgende opdracht uit te voeren in een Windows PowerShell-opdrachtregel:", + "Do not show this dialog again for {0}": "Dit dialoogvenster niet meer weergeven voor {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Even geduld terwijl {0} wordt geïnstalleerd. Er kan een zwart venster verschijnen. Wacht tot het sluit.", + "{0} has been installed successfully.": "{0} is met succes geïnstalleerd.", + "Please click on \"Continue\" to continue": "Klik op \"Doorgaan\" om door te gaan", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} is met succes geïnstalleerd. Het wordt aangeraden om UniGetUI opnieuw op te starten om de installatie te voltooien", + "Restart later": "Later opnieuw starten", + "An error occurred:": "Er is een fout opgetreden:", + "I understand": "Ik begrijp het", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI is uitgevoerd als administrator, wat niet wordt aanbevolen. Wanneer UniGetUI als administrator wordt uitgevoerd, heeft ELKE bewerking die vanuit UniGetUI wordt gestart, admninistratorrechten. Je kunt het programma nog steeds gebruiken, maar we raden je ten zeerste aan UniGetUI niet uit te voeren met administratorrechten.", + "WinGet was repaired successfully": "WinGet is met succes gerepareerd", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Het is raadzaam om UniGetUI opnieuw op te starten nadat WinGet is gerepareerd", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OPMERKING: Deze probleemoplosser kan worden uitgeschakeld via UniGetUI instellingen - Pakketbeheerders - WinGet", + "Restart": "Opnieuw starten", + "WinGet could not be repaired": "WinGet kan niet worden gerepareerd", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Er is een onverwacht probleem opgetreden bij het repareren van WinGet. Probeer het later opnieuw", + "Are you sure you want to delete all shortcuts?": "Weet je zeker dat je alle snelkoppelingen wilt verwijderen?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nieuwe snelkoppelingen die tijdens een installatie of een updatebewerking worden aangemaakt, worden automatisch verwijderd, in plaats van een bevestigingsprompt te tonen als ze voor het eerst worden gedetecteerd.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Snelkoppelingen die buiten UniGetUI om zijn aangemaakt of gewijzigd, worden genegeerd. Je kunt ze toevoegen via de knop {0}.", + "Are you really sure you want to enable this feature?": "Weet je echt zeker dat je deze functie wilt inschakelen?", + "No new shortcuts were found during the scan.": "Tijdens de scan zijn geen nieuwe snelkoppelingen gevonden.", + "How to add packages to a bundle": "Pakketten toevoegen aan een bundel", + "In order to add packages to a bundle, you will need to: ": "Om pakketten aan een bundel toe te voegen, moet je:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigeer naar de pagina \"{0}\" of \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Zoek de pakket(en) die je aan de bundel wilt toevoegen, en selecteer hun meest linkse selectievakje.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Als je de pakketten die je aan de bundel wilt toevoegen hebt geselecteerd, klik dan op de optie \"{0}\" op de werkbalk.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. De pakketten zijn dan aan de bundel zijn toegevoegd. Je kunt doorgaan met het toevoegen van pakketten of de bundel exporteren.", + "Which backup do you want to open?": "Welke back-up wil je openen?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selecteer welke back-up je wilt openen. Later kun je ook bepalen welke pakketten/programma's je wilt herstellen.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Er zijn lopende bewerkingen. Als je UniGetUI afsluit, kunnen deze mislukken. Wil je doorgaan?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI of componenten ervan ontbreken of zijn beschadigd.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Het wordt sterk aanbevolen om UniGetUI opnieuw te installeren om de situatie aan te pakken.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Raadpleeg de UniGetUI logboeken voor meer details met betrekking tot de getroffen bestand(en)", + "Integrity checks can be disabled from the Experimental Settings": "Integriteitscontroles kunnen worden uitgeschakeld via de experimentele instellingen", + "Repair UniGetUI": "UniGetUI repareren", + "Live output": "Live-uitvoer", + "Package not found": "Pakket niet gevonden", + "An error occurred when attempting to show the package with Id {0}": "Er is een fout opgetreden bij de poging om het pakket met Id {0} weer te geven", + "Package": "Pakket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Deze pakketbundel had een aantal instellingen die mogelijk gevaarlijk zijn, en worden mogelijk standaard genegeerd.", + "Entries that show in YELLOW will be IGNORED.": "GELE items worden GENEGEERD.", + "Entries that show in RED will be IMPORTED.": "RODE items worden GEÏMPORTEERD.", + "You can change this behavior on UniGetUI security settings.": "Je kunt dit gedrag wijzigen op UniGetUI veiligheidsinstellingen.", + "Open UniGetUI security settings": "UniGetUI veiligheidsinstellingen openen", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Als je de veiligheidsinstellingen wijzigt, zul je de bundel opnieuw moeten openen om de wijzigingen door te voeren.", + "Details of the report:": "Details van het rapport:", "\"{0}\" is a local package and can't be shared": "\"{0}\" is een lokaal pakket en kan niet worden gedeeld", + "Are you sure you want to create a new package bundle? ": "Weet je zeker dat je een nieuwe pakketbundel wilt aanmaken?", + "Any unsaved changes will be lost": "Niet-opgeslagen wijzigingen gaan verloren", + "Warning!": "Waarschuwing!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredenen zijn aangepaste opdrachtregelargumenten standaard uitgeschakeld. Ga naar UniGetUI veiligheidsinstellingen om dit te wijzigen.", + "Change default options": "Standaardopties aanpassen", + "Ignore future updates for this package": "Toekomstige updates voor dit pakket negeren", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredenen zijn pre-bewerking en post-bewerking scripts standaard uitgeschakeld. Ga naar UniGetUI veiligheidsinstellingen om dit te wijzigen.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Je kunt de opdrachten die voor het installeren, updaten of verwijderen van dit pakket worden uitgevoerd bepalen. Deze worden op een opdrachtregel uitgevoerd, dus CMD-scripts zullen hier werken.", + "Change this and unlock": "Dit aanpassen en ontgrendelen", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Installatie-opties zijn op dit moment vergrendeld omdat {0} de standaard installatie-opties gebruikt.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selecteer welke programma's gesloten moeten worden voordat dit pakket wordt geïnstalleerd, geüpdatet of verwijderd.", + "Write here the process names here, separated by commas (,)": "Schrijf de programma-namen hier, gescheiden door komma's (,)", + "Unset or unknown": "Onbepaald of onbekend", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Raadpleeg de opdrachtregeluitvoer of raadpleeg de Bewerkingsgeschiedenis voor meer informatie over het probleem.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Heeft dit pakket geen schermopnames of pictogram? Draag bij aan UniGetUI door ontbrekende pictogrammen en schermopnames toe te voegen aan onze openbare database.", + "Become a contributor": "Lever een bijdrage", + "Save": "Opslaan", + "Update to {0} available": "Update naar {0} beschikbaar", + "Reinstall": "Opnieuw installeren", + "Installer not available": "Installatieprogramma niet beschikbaar", + "Version:": "Versie:", + "Performing backup, please wait...": "Back-up uitvoeren, even geduld…", + "An error occurred while logging in: ": "Er is een fout opgetreden bij het inloggen:", + "Fetching available backups...": "Beschikbare back-ups ophalen...", + "Done!": "Klaar!", + "The cloud backup has been loaded successfully.": "De cloud back-up is succesvol geladen.", + "An error occurred while loading a backup: ": "Er is een fout opgetreden bij het laden van een back-up:", + "Backing up packages to GitHub Gist...": "Back-up van pakketten maken op GitHub Gist...", + "Backup Successful": "Back-up voltooid", + "The cloud backup completed successfully.": "De cloud back-up is succesvol voltooid.", + "Could not back up packages to GitHub Gist: ": "Kon geen back-up van pakketten maken op GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Er is geen garantie dat de verstrekte inloggegevens veilig worden opgeslagen, dus de inloggegevens van je bankrekening moest je maar niet gebruiken", + "Enable the automatic WinGet troubleshooter": "Automatische WinGet-probleemoplosser inschakelen", + "Enable an [experimental] improved WinGet troubleshooter": "[Experimentele] verbeterde WinGet-probleemoplosser inschakelen", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Voeg updates die mislukken met 'geen toepasselijke update gevonden' toe aan de lijst met genegeerde updates.", + "Restart WingetUI to fully apply changes": "Start UniGetUI opnieuw om wijzigingen volledig toe te passen", + "Restart WingetUI": "UniGetUI opnieuw starten", + "Invalid selection": "Ongeldige selectie", + "No package was selected": "Er is geen pakket geselecteerd", + "More than 1 package was selected": "Er is meer dan 1 pakket geselecteerd", + "List": "Lijst", + "Grid": "Raster", + "Icons": "Pictogrammen", "\"{0}\" is a local package and does not have available details": "\"{0}\" is een lokaal pakket en heeft geen beschikbare details", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" is een lokaal pakket en is niet compatibel met deze functie", - "(Last checked: {0})": "(Laatste controle: {0})", + "WinGet malfunction detected": "WinGet-storing gedetecteerd", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Het lijkt erop dat WinGet niet goed functioneert. Wil je proberen dit te repareren?", + "Repair WinGet": "WinGet repareren", + "Create .ps1 script": ".ps1-script aanmaken", + "Add packages to bundle": "Pakketten toevoegen aan bundel", + "Preparing packages, please wait...": "Pakketten voorbereiden, even geduld…", + "Loading packages, please wait...": "Pakketten laden, even geduld…", + "Saving packages, please wait...": "Pakketten opslaan, even geduld…", + "The bundle was created successfully on {0}": "De bundel is met succes gemaakt op {0}", + "Install script": "installatiescript", + "The installation script saved to {0}": "Het installatiescript is opgeslagen op {0}", + "An error occurred while attempting to create an installation script:": "Er is een fout opgetreden bij het aanmaken van een installatiescript:", + "{0} packages are being updated": "{0} pakketten worden bijgewerkt", + "Error": "Foutmeldingen", + "Log in failed: ": "Inloggen mislukt:", + "Log out failed: ": "Uitloggen mislukt:", + "Package backup settings": "Back-up instellingen van het pakket", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nummer {0} in de wachtrij)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@abbydiode, @CateyeNL, @mia-riezebos, @Stephan-P", "0 packages found": "0 pakketten gevonden", "0 updates found": "0 updates gevonden", - "1 - Errors": "1 - Fouten", - "1 day": "1 dag", - "1 hour": "1 uur", "1 month": "1 maand", "1 package was found": "1 pakket gevonden", - "1 update is available": "1 update beschikbaar", - "1 week": "1 week", "1 year": "1 jaar", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navigeer naar de pagina \"{0}\" of \"{1}\".", - "2 - Warnings": "2 - Waarschuwingen", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Zoek de pakket(en) die je aan de bundel wilt toevoegen, en selecteer hun meest linkse selectievakje.", - "3 - Information (less)": "3 - Informatie (beperkt)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Als je de pakketten die je aan de bundel wilt toevoegen hebt geselecteerd, klik dan op de optie \"{0}\" op de werkbalk.", - "4 - Information (more)": "4 - Informatie (meer)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. De pakketten zijn dan aan de bundel zijn toegevoegd. Je kunt doorgaan met het toevoegen van pakketten of de bundel exporteren.", - "5 - information (debug)": "5 - Informatie (foutopsporing)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Een populaire C/C++ bibliotheekmanager. Vol met C/C++-bibliotheken en andere C/C++-gerelateerde hulpprogramma's
Bevat: C/C++-bibliotheken en gerelateerde hulpprogramma's", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Een opslagplaats vol hulpmiddelen en uitvoerbare bestanden ontworpen voor het .NET-ecosysteem van Microsoft.
Bevat: .NET-gerelateerde hulpmiddelen en scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Een opslagplaats vol hulpmiddelen ontworpen voor het .NET-ecosysteem van Microsoft.
Bevat: .NET-gerelateerde hulpmiddelen", "A restart is required": "Een herstart is vereist", - "Abort install if pre-install command fails": "Installatie afbreken als pre-installatie opdracht mislukt", - "Abort uninstall if pre-uninstall command fails": "Verwijdering afbreken als pre-verwijder opdracht mislukt", - "Abort update if pre-update command fails": "Update afbreken als pre-update opdracht mislukt", - "About": "Over", "About Qt6": "Over Qt6", - "About WingetUI": "Over UniGetUI", "About WingetUI version {0}": "Over UniGetUI versie {0}", "About the dev": "Over de ontwikkelaar", - "Accept": "Accepteren", "Action when double-clicking packages, hide successful installations": "Actie bij dubbelklikken op pakketten, succesvolle installaties verbergen", - "Add": "Toevoegen", "Add a source to {0}": "Voeg een bron toe aan {0}", - "Add a timestamp to the backup file names": "Voeg een tijdstempel toe aan de namen van de back-upbestanden", "Add a timestamp to the backup files": "Voeg een tijdstempel toe aan de back-upbestanden", "Add packages or open an existing bundle": "Pakketten toevoegen of een bestaande bundel openen", - "Add packages or open an existing package bundle": "Voeg pakketten toe of open een bestaande pakketbundel", - "Add packages to bundle": "Pakketten toevoegen aan bundel", - "Add packages to start": "Voeg pakketten toe om te starten", - "Add selection to bundle": "Selectie toevoegen aan bundel", - "Add source": "Bron toevoegen", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Voeg updates die mislukken met 'geen toepasselijke update gevonden' toe aan de lijst met genegeerde updates.", - "Adding source {source}": "Bron toevoegen {source}", - "Adding source {source} to {manager}": "Bron {source} toevoegen aan {manager}", "Addition succeeded": "Toevoeging voltooid", - "Administrator privileges": "Administratorrechten", "Administrator privileges preferences": "Voorkeuren voor administratorrechten", "Administrator rights": "Administratorrechten", - "Administrator rights and other dangerous settings": "Administratorrechten en andere risicovolle instellingen", - "Advanced options": "Geavanceerde opties", "All files": "Alle bestanden", - "All versions": "Alle versies", - "Allow changing the paths for package manager executables": "Het wijzigen van paden van pakketbeheerders toestaan", - "Allow custom command-line arguments": "Aangepaste opdrachtregelargumenten toestaan", - "Allow importing custom command-line arguments when importing packages from a bundle": "Het importeren van aangepaste opdrachtregelargumenten toestaan bij het importeren van pakketten uit een bundel", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Het importeren van aangepaste pre-installatie- en post-installatieopdrachten toestaan bij het importeren van pakketten uit een bundel", "Allow package operations to be performed in parallel": "Parallelle uitvoering van pakketbewerkingen toestaan", "Allow parallel installs (NOT RECOMMENDED)": "Parallelle installaties toestaan (NIET AANBEVOLEN)", - "Allow pre-release versions": "Pre-release versies toestaan", "Allow {pm} operations to be performed in parallel": "Toestaan dat {pm}-bewerkingen parallel worden uitgevoerd", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Als alternatief kunt je ook {0} installeren door de volgende opdracht uit te voeren in een Windows PowerShell-opdrachtregel:", "Always elevate {pm} installations by default": "Installaties van {pm} altijd standaard uitvoeren met verhoogde gebruikersrechten", "Always run {pm} operations with administrator rights": "Bewerkingen van {pm} altijd uitvoeren met administratorrechten", - "An error occurred": "Er is een fout opgetreden", - "An error occurred when adding the source: ": "Er is een fout opgetreden bij het toevoegen van de bron:", - "An error occurred when attempting to show the package with Id {0}": "Er is een fout opgetreden bij de poging om het pakket met Id {0} weer te geven", - "An error occurred when checking for updates: ": "Er is een fout opgetreden bij het controleren op updates:", - "An error occurred while attempting to create an installation script:": "Er is een fout opgetreden bij het aanmaken van een installatiescript:", - "An error occurred while loading a backup: ": "Er is een fout opgetreden bij het laden van een back-up:", - "An error occurred while logging in: ": "Er is een fout opgetreden bij het inloggen:", - "An error occurred while processing this package": "Er is een fout opgetreden bij de verwerking van dit pakket", - "An error occurred:": "Er is een fout opgetreden:", - "An interal error occurred. Please view the log for further details.": "Er is een interne fout opgetreden. Bekijk het logboek voor meer informatie.", "An unexpected error occurred:": "Er is een onverwachte fout opgetreden:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Er is een onverwacht probleem opgetreden bij het repareren van WinGet. Probeer het later opnieuw", - "An update was found!": "Er is een update gevonden!", - "Android Subsystem": "Andoid Subsysteem", "Another source": "Andere bron", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nieuwe snelkoppelingen die tijdens een installatie of een updatebewerking worden aangemaakt, worden automatisch verwijderd, in plaats van een bevestigingsprompt te tonen als ze voor het eerst worden gedetecteerd.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Snelkoppelingen die buiten UniGetUI om zijn aangemaakt of gewijzigd, worden genegeerd. Je kunt ze toevoegen via de knop {0}.", - "Any unsaved changes will be lost": "Niet-opgeslagen wijzigingen gaan verloren", "App Name": "Applicatienaam", - "Appearance": "Uiterlijk", - "Application theme, startup page, package icons, clear successful installs automatically": "App-thema, startpagina, pakketpictogrammen, succesvolle installaties automatisch wissen", - "Application theme:": "App-thema:", - "Apply": "Toepassen", - "Architecture to install:": "Te installeren architectuur:", "Are these screenshots wron or blurry?": "Zijn deze schermopnames fout of onscherp?", - "Are you really sure you want to enable this feature?": "Weet je echt zeker dat je deze functie wilt inschakelen?", - "Are you sure you want to create a new package bundle? ": "Weet je zeker dat je een nieuwe pakketbundel wilt aanmaken?", - "Are you sure you want to delete all shortcuts?": "Weet je zeker dat je alle snelkoppelingen wilt verwijderen?", - "Are you sure?": "Weet je het zeker?", - "Ascendant": "Voorouder", - "Ask for administrator privileges once for each batch of operations": "Vraag één keer om administratorrechten voor elke reeks bewerkingen", "Ask for administrator rights when required": "Vraag indien nodig om administratorrechten", "Ask once or always for administrator rights, elevate installations by default": "Vraag één keer of altijd om administratorrechten, installaties standaard verhogen", - "Ask only once for administrator privileges": "Maar één keer om administratorrechten vragen", "Ask only once for administrator privileges (not recommended)": "Vraag maar één keer om administratorrechten (niet aanbevolen)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Vragen om snelkoppelingen te verwijderen die op het bureaublad zijn aangemaakt tijdens een installatie of upgrade.", - "Attention required": "Aandacht vereist", "Authenticate to the proxy with an user and a password": "Authenticeer bij de proxy met een gebruikersnaam en een wachtwoord", - "Author": "Auteur", - "Automatic desktop shortcut remover": "Bureaubladsnelkoppelingen automatisch verwijderen", - "Automatic updates": "Automatische updates", - "Automatically save a list of all your installed packages to easily restore them.": "Automatisch een lijst opslaan van al je geïnstalleerde pakketten om ze gemakkelijk te herstellen.", "Automatically save a list of your installed packages on your computer.": "Automatisch een lijst opslaan van de pakketten die op je computer geïnstalleerd zijn.", - "Automatically update this package": "Dit pakket automatisch updaten", "Autostart WingetUI in the notifications area": "UniGetUI automatisch starten in het systeemvak", - "Available Updates": "Beschikbare updates", "Available updates: {0}": "Beschikbare updates: {0}", "Available updates: {0}, not finished yet...": "Beschikbare updates: {0}, bijna klaar…", - "Backing up packages to GitHub Gist...": "Back-up van pakketten maken op GitHub Gist...", - "Backup": "Back-up", - "Backup Failed": "Back-up mislukt", - "Backup Successful": "Back-up voltooid", - "Backup and Restore": "Back-up en Herstel", "Backup installed packages": "Back-up maken van geïnstalleerde pakketten", "Backup location": "Backuplocatie", - "Become a contributor": "Lever een bijdrage", - "Become a translator": "Meld je aan als vertaler", - "Begin the process to select a cloud backup and review which packages to restore": "Start het proces om een Cloud back-up te selecteren en controleer welke pakketen hersteld moeten worden", - "Beta features and other options that shouldn't be touched": "Bètafuncties en andere opties die je beter niet kan gebruiken", - "Both": "Beide", - "Bundle security report": "Veiligheidsrapportage bundelen", "But here are other things you can do to learn about WingetUI even more:": "Maar hier zijn nog andere dingen die je kunt doen om nog meer te weten te komen over UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Door een pakketbeheerder uit te schakelen, kun je de pakketten niet meer zien of bijwerken.", "Cache administrator rights and elevate installers by default": "Administratorrechten opslaan en rechten van installaties standaard ophogen", "Cache administrator rights, but elevate installers only when required": "Administratorrechten opslaan en rechten van installaties alleen verhogen indien vereist", "Cache was reset successfully!": "Buffer met succes gewist!", "Can't {0} {1}": "Kan {1} niet {0}", - "Cancel": "Annuleren", "Cancel all operations": "Alle bewerkingen annuleren", - "Change backup output directory": "De uitvoermap voor back-upbestanden wijzigen", - "Change default options": "Standaardopties aanpassen", - "Change how UniGetUI checks and installs available updates for your packages": "Wijzig hoe UniGetUI beschikbare updates voor jouw pakketten controleert en installeert", - "Change how UniGetUI handles install, update and uninstall operations.": "Wijzigen hoe UniGetUI de installatie-, update- en verwijderingsbewerkingen afhandelt.", "Change how UniGetUI installs packages, and checks and installs available updates": "Wijzigen hoe UniGetUI pakketten installeert en beschikbare updates controleert en installeert", - "Change how operations request administrator rights": "Wijzigen hoe bewerkingen administratorrechten aanvragen", "Change install location": "Installatiemap aanpassen", - "Change this": "Dit aanpassen", - "Change this and unlock": "Dit aanpassen en ontgrendelen", - "Check for package updates periodically": "Regelmatig controleren op pakketupdates", - "Check for updates": "Controleren op updates", - "Check for updates every:": "Controleren op updates, elke:", "Check for updates periodically": "Regelmatig controleren op updates", "Check for updates regularly, and ask me what to do when updates are found.": "Controleer regelmatig op updates en vraag wat er gedaan moet worden als deze worden gevonden.", "Check for updates regularly, and automatically install available ones.": "Controleer regelmatig op updates en installeer beschikbare updates automatisch.", @@ -159,805 +741,283 @@ "Checking for updates...": "Controleren op updates…", "Checking found instace(s)...": "Controleren op gevonden instantie(s)…", "Choose how many operations shouls be performed in parallel": "Bepaal hoeveel bewerkingen parallel mogen worden uitgevoerd", - "Clear cache": "Buffer wissen", "Clear finished operations": "Voltooide bewerkingen opruimen", - "Clear selection": "Selectie opheffen", "Clear successful operations": "Geslaagde bewerkingen wissen", - "Clear successful operations from the operation list after a 5 second delay": "Geslaagde bewerkingen na 5 seconden uit de bewerkingslijst wissen", "Clear the local icon cache": "Lokaal pictogrambuffer wissen", - "Clearing Scoop cache - WingetUI": "Scoop-buffer wissen - UniGetUI", "Clearing Scoop cache...": "Scoop-buffer wissen…", - "Click here for more details": "Klik hier voor meer details", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klik op Installeren om het installatieproces te starten. Als je de installatie overslaat, werkt UniGetUI mogelijk niet zoals verwacht.", - "Close": "Sluiten", - "Close UniGetUI to the system tray": "UniGetUI sluiten naar het systeemvak", "Close WingetUI to the notification area": "UniGetUI sluiten naar het systeemvak", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloud back-up gebruikt een privé GitHub Gist om een lijst met geïnstalleerde pakketten op te slaan", - "Cloud package backup": "Cloud pakket back-up", "Command-line Output": "Opdrachtregeluitvoer", - "Command-line to run:": "Te gebruiken opdrachtregel:", "Compare query against": "Vergelijk zoekopdracht met", - "Compatible with authentication": "Compatibel met authenticatie", - "Compatible with proxy": "Compatibel met proxy", "Component Information": "Componentinformatie", - "Concurrency and execution": "Gelijktijdigheid en uitvoering", - "Connect the internet using a custom proxy": "Internetverbinding met behulp van een aangepaste proxy", - "Continue": "Doorgaan", "Contribute to the icon and screenshot repository": "Draag bij aan het pictogram- en schermopnamedepot", - "Contributors": "Bijdragen", "Copy": "Kopiëren", - "Copy to clipboard": "Naar klembord kopiëren", - "Could not add source": "Kan bron niet toevoegen", - "Could not add source {source} to {manager}": "Kan bron {source} niet toevoegen aan {manager}", - "Could not back up packages to GitHub Gist: ": "Kon geen back-up van pakketten maken op GitHub Gist:", - "Could not create bundle": "Kan bundel niet aanmaken", "Could not load announcements - ": "Aankondigingen kunnen niet worden geladen -", "Could not load announcements - HTTP status code is $CODE": "Aankondigingen kunnen niet worden geladen - HTTP-statuscode is $CODE", - "Could not remove source": "Kan bron niet verwijderen", - "Could not remove source {source} from {manager}": "Kan bron {source} niet verwijderen uit {manager}", "Could not remove {source} from {manager}": "Kan {source} niet verwijderen uit {manager}", - "Create .ps1 script": ".ps1-script aanmaken", - "Credentials": "Referenties", "Current Version": "Huidige versie", - "Current executable file:": "Huidig uitvoerbaar bestand:", - "Current status: Not logged in": "Huidige status: Niet ingelogd", "Current user": "Huidige gebruiker", "Custom arguments:": "Aangepaste argumenten:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Aangepaste opdrachtregelargumenten kunnen de manier veranderen waarop programma's worden geïnstalleerd, bijgewerkt of verwijderd, op een manier die UniGetUI niet kan controleren. Het gebruik van aangepaste opdrachtregels kan pakketten breken. Ga voorzichtig te werk.", "Custom command-line arguments:": "Aangepaste opdrachtregelopties:", - "Custom install arguments:": "Aangepaste installatie-argumenten:", - "Custom uninstall arguments:": "Aangepaste verwijderings-argumenten:", - "Custom update arguments:": "Aangepaste bijwerkings-argumenten:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI aanpassen - alleen voor avonturiers en gevorderde gebruikers", - "DEBUG BUILD": "TESTVERSIE", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "CLAUSULE: WIJ ZIJN NIET AANSPRAKELIJK VOOR DE GEDOWNLOADE PAKKETTEN. VERZEKER U ERVAN DAT ALLEEN VERTROUWDE SOFTWARE WORDT GEINSTALLEERD.", - "Dark": "Donker", - "Decline": "Afwijzen", - "Default": "Standaard", - "Default installation options for {0} packages": "Standaard installatie-opties voor {0} pakketten", "Default preferences - suitable for regular users": "Standaard voorkeuren - geschikt voor doorsnee-gebruikers", - "Default vcpkg triplet": "Standaard vcpk tripel", - "Delete?": "Verwijderen?", - "Dependencies:": "Afhankelijkheden:", - "Descendant": "Nakomeling", "Description:": "Beschrijving:", - "Desktop shortcut created": "Desktopsnelkoppeling aangemaakt", - "Details of the report:": "Details van het rapport:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Softwareontwikkeling is zwaar en dit programma is gratis. Maar als je deze applicatie leuk vond, kun je mij altijd een kopje koffie doneren :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Direct installeren bij het dubbelklikken van een item op het tabblad \"{discoveryTab}\" (i.p.v. pakketinformatie weergeven)", "Disable new share API (port 7058)": "Nieuwe API voor Delen uitschakelen (poort 7058)", - "Disable the 1-minute timeout for package-related operations": "Time-out van 1 minuut voor pakketgerelateerde bewerkingen uitschakelen", - "Disabled": "Uitgeschakeld", - "Disclaimer": "Clausule", - "Discover Packages": "Pakketten ontdekken", "Discover packages": "Pakketten ontdekken", "Distinguish between\nuppercase and lowercase": "Onderscheid maken tussen hoofdletters en kleine letters", - "Distinguish between uppercase and lowercase": "Hoofdlettergevoelig", "Do NOT check for updates": "Controleer NIET op updates", "Do an interactive install for the selected packages": "Voer een interactieve installatie uit voor de geselecteerde pakketten", "Do an interactive uninstall for the selected packages": "Voer een interactieve verwijdering uit voor de geselecteerde pakketten", "Do an interactive update for the selected packages": "Voer een interactieve update uit voor de geselecteerde pakketten", - "Do not automatically install updates when the battery saver is on": "Niet automatisch updates installeren wanneer de batterijbeveiliging is ingeschakeld", - "Do not automatically install updates when the device runs on battery": "Installeer geen updates automatisch wanneer het apparaat op de batterij werkt", - "Do not automatically install updates when the network connection is metered": "Geen automatisch updates installeren wanneer bij betaalde netwerkverbinding", "Do not download new app translations from GitHub automatically": "Nieuwe applicatievertalingen niet automatisch van GitHub downloaden", - "Do not ignore updates for this package anymore": "Updates voor dit pakket niet langer negeren", "Do not remove successful operations from the list automatically": "Geslaagde bewerkingen niet automatisch van de lijst wissen", - "Do not show this dialog again for {0}": "Dit dialoogvenster niet meer weergeven voor {0}", "Do not update package indexes on launch": "Pakketindexen niet bijwerken bij de start", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Ga je ermee akkoord dat UniGetUI anonieme gebruiksstatistieken verzamelt en verzendt, met als enig doel inzicht te krijgen op de gebruikerservaring en deze te verbeteren?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Vind je UniGetUI nuttig? Wellicht wil je mijn werk steunen, zodat ik door kan gaan met het maken van UniGetUI, de ultieme interface voor het beheer van pakketten.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Vind je UniGetUI nuttig en je wilt de ontwikkelaar steunen? In dat geval kun je {0}. Het helpt echt!", - "Do you really want to reset this list? This action cannot be reverted.": "Wil je deze lijst echt opnieuw instellen? Deze actie kan niet worden teruggedraaid.", - "Do you really want to uninstall the following {0} packages?": "Wil je de volgende {0} pakketten verwijderen?", "Do you really want to uninstall {0} packages?": "Wil je echt {0} pakketten verwijderen?", - "Do you really want to uninstall {0}?": "Wil je {0} echt verwijderen?", "Do you want to restart your computer now?": "Wil je je computer nu opnieuw opstarten?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Wil je UniGetUI vertalen in jouw taal? Lees HIER hoe je een bijdrage kunt leveren!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Geen zin om te doneren? Maak je geen zorgen, je kunt UniGetUI altijd delen met je vrienden. Vertel iedereen over UniGetUI.", "Donate": "Doneren", - "Done!": "Klaar!", - "Download failed": "Download mislukt", - "Download installer": "Installatieprogramma downloaden", - "Download operations are not affected by this setting": "Download-handelingen worden niet beïnvloed door deze instelling", - "Download selected installers": "Geselecteerde installatieprogramma's downloaden", - "Download succeeded": "Download voltooid", "Download updated language files from GitHub automatically": "Bijgewerkte taalbestanden automatisch downloaden van GitHub", - "Downloading": "Downloaden", - "Downloading backup...": "Back-up downloaden...", - "Downloading installer for {package}": "Installatieprogramma downloaden voor {package}", - "Downloading package metadata...": "Pakket-metagegevens downloaden…", - "Enable Scoop cleanup on launch": "Scoop opschonen inschakelen bij de start", - "Enable WingetUI notifications": "Meldingen van UniGetUI inschakelen", - "Enable an [experimental] improved WinGet troubleshooter": "[Experimentele] verbeterde WinGet-probleemoplosser inschakelen", - "Enable and disable package managers, change default install options, etc.": "Pakketbeheerder in- of uitschakelen, standaardopties wijzigen, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Optimalisaties van CPU-gebruik op de achtergrond inschakelen (zie Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Achtergrond-API inschakelen (UniGetUI Widgets en Delen, poort 7058)", - "Enable it to install packages from {pm}.": "Schakel het in om pakketten van {pm} te installeren.", - "Enable the automatic WinGet troubleshooter": "Automatische WinGet-probleemoplosser inschakelen", - "Enable the new UniGetUI-Branded UAC Elevator": "De nieuwe UniGetUI-Branded UAC-ophoger inschakelen", - "Enable the new process input handler (StdIn automated closer)": "De nieuwe procesinvoerbehandelaar inschakelen (StdIn ge-automatiseerde sluiter)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Schakel de onderstaande instellingen ENKEL EN ALLEEN in als je volledig begrijpt wat ze doen, en wat voor gevolgen en gevaren ze met zich meebrengen.", - "Enable {pm}": "{pm} inschakelen", - "Enabled": "Ingeschakeld", - "Enter proxy URL here": "Voer hier de proxy-URL in", - "Entries that show in RED will be IMPORTED.": "RODE items worden GEÏMPORTEERD.", - "Entries that show in YELLOW will be IGNORED.": "GELE items worden GENEGEERD.", - "Error": "Foutmeldingen", - "Everything is up to date": "Alles is bijgewerkt", - "Exact match": "Exacte overeenkomst", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Bestaande snelkoppelingen op je bureaublad worden gescand en je moet kiezen welke je wilt bewaren en welke je wilt verwijderen.", - "Expand version": "Uitgebreide versie-informatie", - "Experimental settings and developer options": "Experimentele instellingen en ontwikkelaarsopties", - "Export": "Exporteren", + "Downloading": "Downloaden", + "Downloading installer for {package}": "Installatieprogramma downloaden voor {package}", + "Downloading package metadata...": "Pakket-metagegevens downloaden…", + "Enable the new UniGetUI-Branded UAC Elevator": "De nieuwe UniGetUI-Branded UAC-ophoger inschakelen", + "Enable the new process input handler (StdIn automated closer)": "De nieuwe procesinvoerbehandelaar inschakelen (StdIn ge-automatiseerde sluiter)", "Export log as a file": "Logboek exporteren als bestand", "Export packages": "Pakketten exporteren", "Export selected packages to a file": "Geselecteerde pakketten exporteren naar bestand", - "Export settings to a local file": "Instellingen exporteren naar een lokaal bestand", - "Export to a file": "Exporteren naar bestand", - "Failed": "Mislukt", - "Fetching available backups...": "Beschikbare back-ups ophalen...", "Fetching latest announcements, please wait...": "Meest recente aankondigingen ophalen, even geduld…", - "Filters": "Filters", "Finish": "Aan de slag", - "Follow system color scheme": "Volg systeem kleur schema", - "Follow the default options when installing, upgrading or uninstalling this package": "Standaardopties aanhouden bij het installeren, upgraden of verwijderen van dit pakket", - "For security reasons, changing the executable file is disabled by default": "Om veiligheidsredenen is het wijzigen van het uitvoeringsbestand standaard uitgeschakeld", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredenen zijn aangepaste opdrachtregelargumenten standaard uitgeschakeld. Ga naar UniGetUI veiligheidsinstellingen om dit te wijzigen.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Om veiligheidsredenen zijn pre-bewerking en post-bewerking scripts standaard uitgeschakeld. Ga naar UniGetUI veiligheidsinstellingen om dit te wijzigen.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Voor ARM gecompileerde versie van winget gebruiken (ALLEEN VOOR ARM64-SYSTEMEN)", - "Force install location parameter when updating packages with custom locations": "Forceer de installatielocatieparameter bij het bijwerken van pakketten met aangepaste locaties", "Formerly known as WingetUI": "Voorheen bekend als WingetUI", "Found": "Gevonden", "Found packages: ": "Pakketten gevonden:", "Found packages: {0}": "Pakketten gevonden: {0}", "Found packages: {0}, not finished yet...": "Pakketten gevonden: {0}, bijna klaar…", - "General preferences": "Algemene voorkeuren", "GitHub profile": "GitHub-profiel", "Global": "Globaal", - "Go to UniGetUI security settings": "Ga naar UniGetUI veiligheidsinstellingen", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Geweldige opslagplaats van onbekende maar nuttige hulpprogramma's en andere interessante pakketten.
Bevat: Hulpprogramma's, opdrachtregelprogramma's, algemene software (vereist extra bucket)", - "Great! You are on the latest version.": "Geweldig! Je zit op de meest recente versie.", - "Grid": "Raster", - "Help": "Hulp (Engels)", "Help and documentation": "Hulp en documentatie (Engels)", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Hier kun je het gedrag van UniGetUI met betrekking tot de volgende snelkoppelingen veranderen. Als je een snelkoppeling aanvinkt, wordt deze door UniGetUI verwijderd als deze bij een toekomstige upgrade wordt aangemaakt. Als je dit niet aanvinkt, blijft de snelkoppeling intact", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hallo, mijn naam is Martí en ik ben de ontwikkelaar van UniGetUI. UniGetUI is geheel in mijn vrije tijd gemaakt!", "Hide details": "Details verbergen", - "Homepage": "Website", - "Hooray! No updates were found.": "Top! Alles is bijgewerkt!", "How should installations that require administrator privileges be treated?": "Hoe moeten installaties die administratorrechten vereisen, worden behandeld?", - "How to add packages to a bundle": "Pakketten toevoegen aan een bundel", - "I understand": "Ik begrijp het", - "Icons": "Pictogrammen", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Als je cloud back-up hebt ingeschakeld, wordt deze opgeslagen als een GitHub Gist op dit account", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Negeer aangepaste pre-installatie- en post-installatieopdrachten bij het importeren van pakketten uit een bundel", - "Ignore future updates for this package": "Toekomstige updates voor dit pakket negeren", - "Ignore packages from {pm} when showing a notification about updates": "Pakketten van {pm} negeren bij het tonen van een melding over updates", - "Ignore selected packages": "Geselecteerde pakketten negeren", - "Ignore special characters": "Speciale tekens negeren", "Ignore updates for the selected packages": "Updates voor de geselecteerde pakketten negeren", - "Ignore updates for this package": "Updates voor dit pakket negeren", "Ignored updates": "Genegeerde updates", - "Ignored version": "Genegeerde versie", - "Import": "Importeren", "Import packages": "Pakketten importeren", "Import packages from a file": "Pakketten uit een bestand importeren", - "Import settings from a local file": "Instellingen importeren vanuit een lokaal bestand", - "In order to add packages to a bundle, you will need to: ": "Om pakketten aan een bundel toe te voegen, moet je:", "Initializing WingetUI...": "UniGetUI initialiseren…", - "Install": "Installeren", - "Install Scoop": "Scoop installeren", "Install and more": "Installeren en meer", "Install and update preferences": "Voorkeuren voor installeren en bijwerken", - "Install as administrator": "Als administrator installeren", - "Install available updates automatically": "Beschikbare updates automatisch installeren", - "Install location can't be changed for {0} packages": "Installatielocatie kan voor {0} pakketten niet worden gewijzigd", - "Install location:": "Installatielocatie:", - "Install options": "Installatie-opties", "Install packages from a file": "Pakketten installeren vanuit een bestand", - "Install prerelease versions of UniGetUI": "Prerelease-versies van UniGetUI installeren", - "Install script": "installatiescript", "Install selected packages": "Geselecteerde pakketten installeren", "Install selected packages with administrator privileges": "Geselecteerde pakketten met administratorrechten installeren", - "Install selection": "Selectie installeren", "Install the latest prerelease version": "Installeer de meest recente prerelease-versie", "Install updates automatically": "Updates automatisch installeren", - "Install {0}": "{0} installeren", "Installation canceled by the user!": "Installatie door gebruiker geannulleerd!", - "Installation failed": "Installatie mislukt", - "Installation options": "Installatieopties", - "Installation scope:": "Installatiebereik:", - "Installation succeeded": "Installatie voltooid", - "Installed Packages": "Pakketten op dit systeem", - "Installed Version": "Geïnstalleerde versie", "Installed packages": "Geïnstalleerde pakketten", - "Installer SHA256": "Installatieprogramma-SHA256", - "Installer SHA512": "Installatieprogramma-SHA512", - "Installer Type": "Type installatieprogramma", - "Installer URL": "Installatieprogramma URL", - "Installer not available": "Installatieprogramma niet beschikbaar", "Instance {0} responded, quitting...": "Instantie {0} heeft gereageerd, afsluiten…", - "Instant search": "Direct zoeken", - "Integrity checks can be disabled from the Experimental Settings": "Integriteitscontroles kunnen worden uitgeschakeld via de experimentele instellingen", - "Integrity checks skipped": "Integriteitscontroles overgeslagen", - "Integrity checks will not be performed during this operation": "Tijdens deze bewerking worden geen integriteitscontroles uitgevoerd", - "Interactive installation": "Interactieve installatie", - "Interactive operation": "Interactieve bewerking", - "Interactive uninstall": "Interactief verwijderen", - "Interactive update": "Interactief bijwerken", - "Internet connection settings": "Instellingen voor internetverbinding", - "Invalid selection": "Ongeldige selectie", "Is this package missing the icon?": "Ontbreekt bij dit pakket het pictogram?", - "Is your language missing or incomplete?": "Ontbreekt jouw taal of is deze onjuist of incompleet?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Er is geen garantie dat de verstrekte inloggegevens veilig worden opgeslagen, dus de inloggegevens van je bankrekening moest je maar niet gebruiken", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Het is raadzaam om UniGetUI opnieuw op te starten nadat WinGet is gerepareerd", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Het wordt sterk aanbevolen om UniGetUI opnieuw te installeren om de situatie aan te pakken.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Het lijkt erop dat WinGet niet goed functioneert. Wil je proberen dit te repareren?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Het lijkt erop dat je UniGetUI als administrator hebt uitgevoerd, wat niet wordt aanbevolen. Je kunt het programma nog steeds gebruiken, maar we raden je ten zeerste aan UniGetUI niet uit te voeren met administratorrechten. Klik op \"{showDetails}\" om te zien waarom.", - "Language": "Taal", - "Language, theme and other miscellaneous preferences": "Taal, thema en andere diverse voorkeuren", - "Last updated:": "Laatst bijgewerkt:", - "Latest": "Meest recent", "Latest Version": "Meest recente versie", "Latest Version:": "Meest recente versie:", "Latest details...": "Meest recente details…", "Launching subprocess...": "Onderliggend proces starten…", - "Leave empty for default": "Leeg laten voor standaard", - "License": "Licentie", "Licenses": "Licenties", - "Light": "Licht", - "List": "Lijst", "Live command-line output": "Live opdrachtregeluitvoer", - "Live output": "Live-uitvoer", "Loading UI components...": "UI-componenten laden…", "Loading WingetUI...": "UniGetUI laden…", - "Loading packages": "Pakketten laden", - "Loading packages, please wait...": "Pakketten laden, even geduld…", - "Loading...": "Laden…", - "Local": "Lokaal", - "Local PC": "Lokale PC", - "Local backup advanced options": "Lokale back-up geavanceerde opties", "Local machine": "Lokale machine", - "Local package backup": "Lokale pakket back-up", "Locating {pm}...": "{pm} lokaliseren…", - "Log in": "Inloggen", - "Log in failed: ": "Inloggen mislukt:", - "Log in to enable cloud backup": "Log in om cloud back-up in te schakelen", - "Log in with GitHub": "Log in met GitHub", - "Log in with GitHub to enable cloud package backup.": "Log in bij GitHub om cloud pakket back-ups in te schakelen.", - "Log level:": "Logboek-niveau", - "Log out": "Uitloggen", - "Log out failed: ": "Uitloggen mislukt:", - "Log out from GitHub": "Uitloggen van GitHub", "Looking for packages...": "Pakketten zoeken…", "Machine | Global": "Machine | Globaal", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Misvormde opdrachtregelargumenten kunnen pakketten breken of zelfs een kwaadwillende actor in staat stellen een bevoorrechte uitvoering te krijgen. Daarom is het importeren van aangepaste opdrachtregelargumenten standaard uitgeschakeld.", - "Manage": "Beheren", - "Manage UniGetUI settings": "UniGetUI-instellingen beheren", "Manage WingetUI autostart behaviour from the Settings app": "Het autostart-gedrag van UniGetUI beheren via de app-instellingen", "Manage ignored packages": "Genegeerde pakketten beheren", - "Manage ignored updates": "Genegeerde updates beheren", - "Manage shortcuts": "Snelkoppelingen beheren", - "Manage telemetry settings": "Telemetrie-instellingen beheren", - "Manage {0} sources": "{0}-bronnen beheren", - "Manifest": "Manifest", "Manifests": "Manifesten", - "Manual scan": "Handmatig scannen", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Officiële pakketbeheerder van Microsoft. Vol met bekende en geverifieerde pakketten
Bevat: Algemene software, Microsoft Store-apps", - "Missing dependency": "Ontbrekende afhankelijkheid", - "More": "Meer", - "More details": "Meer details", - "More details about the shared data and how it will be processed": "Meer informatie over de gedeelde gegevens en hoe deze worden verwerkt", - "More info": "Meer informatie", - "More than 1 package was selected": "Er is meer dan 1 pakket geselecteerd", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OPMERKING: Deze probleemoplosser kan worden uitgeschakeld via UniGetUI instellingen - Pakketbeheerders - WinGet", - "Name": "Naam", - "New": "Nieuw", "New Version": "Nieuwe versie", "New bundle": "Nieuwe bundel", - "New version": "Nieuwe versie", - "Nice! Backups will be uploaded to a private gist on your account": "Mooi! Back-ups zullen als een privé Gist op je account worden geüpload", - "No": "Nee", - "No applicable installer was found for the package {0}": "Geen installatieprogramma gevonden voor het pakket {0}", - "No dependencies specified": "Geen afhankelijkheden gespecificeerd", - "No new shortcuts were found during the scan.": "Tijdens de scan zijn geen nieuwe snelkoppelingen gevonden.", - "No package was selected": "Er is geen pakket geselecteerd", "No packages found": "Geen pakketten gevonden", "No packages found matching the input criteria": "Er zijn geen pakketten gevonden die voldoen aan de opgegeven criteria", "No packages have been added yet": "Er zijn nog geen pakketten toegevoegd", "No packages selected": "Geen pakketten geselecteerd", - "No packages were found": "Er zijn geen pakketten gevonden", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Er wordt geen persoonlijke informatie verzameld of verzonden en de verzamelde gegevens worden geanonimiseerd, zodat deze niet naar jou kunnen worden teruggevoerd.", - "No results were found matching the input criteria": "Er zijn geen resultaten gevonden die voldoen aan de invoercriteria", "No sources found": "Geen bronnen gevonden", "No sources were found": "Er zijn geen bronnen gevonden", "No updates are available": "Er zijn geen updates beschikbaar", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS pakketbeheer. Vol met bibliotheken en andere hulpprogramma's die rond de javascript-wereld draaien
Bevat: Node javascript-bibliotheken en andere gerelateerde hulpprogramma's", - "Not available": "Niet beschikbaar", - "Not finding the file you are looking for? Make sure it has been added to path.": "Kun j het bestand dat je zoekt niet vinden? Zorg ervoor dat het aan pad is toegevoegd.", - "Not found": "Niet gevonden", - "Not right now": "Nu even niet", "Notes:": "Opmerkingen:", - "Notification preferences": "Meldingsvoorkeuren", "Notification tray options": "Opties voor het systeemvak", - "Notification types": "Typen meldingen", - "NuPkg (zipped manifest)": "NuPkg (gezipte manifest)", - "OK": "OK", "Ok": "OK", - "Open": "Openen", "Open GitHub": "GitHub openen", - "Open UniGetUI": "UniGetUI openen", - "Open UniGetUI security settings": "UniGetUI veiligheidsinstellingen openen", "Open WingetUI": "UniGetUI openen", "Open backup location": "De map met back-upbestanden openen", "Open existing bundle": "Bestaande bundel openen", - "Open install location": "Installatiemap openen", "Open the welcome wizard": "Welkomstdialoog openen", - "Operation canceled by user": "Bewerking geannuleerd door gebruiker", "Operation cancelled": "Bewerking afgebroken", - "Operation history": "Bewerkingsgeschiedenis", - "Operation in progress": "Bewerking aan de gang", - "Operation on queue (position {0})...": "Bewerking in de wachtrij (positie {0})", - "Operation profile:": "Bewerkingsprofiel:", "Options saved": "Opties opgeslagen", - "Order by:": "Sortering:", - "Other": "Overig", - "Other settings": "Overige instellingen", - "Package": "Pakket", - "Package Bundles": "Pakkettenbundels", - "Package ID": "Pakket-ID", "Package Manager": "Pakketbeheerder", - "Package Manager logs": "Pakketbeheerder-logboeken", - "Package Managers": "Pakketbeheerders", - "Package Name": "Pakketnaam", - "Package backup": "Back-up van pakket", - "Package backup settings": "Back-up instellingen van het pakket", - "Package bundle": "Pakkettenbundel", - "Package details": "Pakketdetails", - "Package lists": "Pakketlijsten", - "Package management made easy": "Pakketbeheer eenvoudig gemaakt", - "Package manager": "Pakketbeheerder", - "Package manager preferences": "Voorkeuren voor Pakketbeheerders", "Package managers": "Pakketbeheerders", - "Package not found": "Pakket niet gevonden", - "Package operation preferences": "Voorkeuren voor pakketbewerkingen", - "Package update preferences": "Voorkeuren voor pakketupdates", "Package {name} from {manager}": "Pakket {name} van {manager}", - "Package's default": "Standaard van het pakket", "Packages": "Pakketten", "Packages found: {0}": "Pakketen gevonden: {0}", - "Partially": "Gedeeltelijk", - "Password": "Wachtwoord", "Paste a valid URL to the database": "Plak een geldige URL in de database", - "Pause updates for": "Updates pauzeren voor", "Perform a backup now": "Nu een back-up uitvoeren", - "Perform a cloud backup now": "Nu een cloud back-up uitvoeren", - "Perform a local backup now": "Nu een lokale back-up uitvoeren", - "Perform integrity checks at startup": "Integriteitscontroles uitvoeren bij het opstarten", - "Performing backup, please wait...": "Back-up uitvoeren, even geduld…", "Periodically perform a backup of the installed packages": "Regelmatig een back-up uitvoeren van de geïnstalleerde pakketten", - "Periodically perform a cloud backup of the installed packages": "Regelmatig een cloud back-up uitvoeren van de geïnstalleerde pakketten", - "Periodically perform a local backup of the installed packages": "Regelmatig een lokale back-up uitvoeren van de geïnstalleerde pakketten", - "Please check the installation options for this package and try again": "Controleer de installatie-opties voor dit pakket en probeer het opnieuw", - "Please click on \"Continue\" to continue": "Klik op \"Doorgaan\" om door te gaan", "Please enter at least 3 characters": "Voer tenminste 3 tekens in", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Houd er rekening mee dat bepaalde pakketten mogelijk niet kunnen worden geïnstalleerd vanwege de pakketbeheerders die op deze machine zijn ingeschakeld.", - "Please note that not all package managers may fully support this feature": "Houd er rekening mee dat niet alle pakketbeheerders deze functie volledig ondersteunen", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Houd er rekening mee dat pakketten uit bepaalde bronnen mogelijk niet kunnen worden geëxporteerd. Deze zijn weergegeven in grijs en worden overgeslagen.", - "Please run UniGetUI as a regular user and try again.": "Voer UniGetUI uit als gewone gebruiker en probeer het opnieuw.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Raadpleeg de opdrachtregeluitvoer of raadpleeg de Bewerkingsgeschiedenis voor meer informatie over het probleem.", "Please select how you want to configure WingetUI": "Selecteer hoe je UniGetUI wilt configureren", - "Please try again later": "Probeer het later nog eens", "Please type at least two characters": "Typ tenminste twee tekens", - "Please wait": "Even geduld", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Even geduld terwijl {0} wordt geïnstalleerd. Er kan een zwart venster verschijnen. Wacht tot het sluit.", - "Please wait...": "Even geduld…", "Portable": "Draagbaar", - "Portable mode": "Portable modus", - "Post-install command:": "Post-installatie opdracht:", - "Post-uninstall command:": "Post-verwijderings opdracht:", - "Post-update command:": "Post-update opdracht:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "De pakketbeheerder van PowerShell. Bibliotheken en scripts zoeken om de PowerShell-mogelijkheden uit te breiden
Bevat: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Opdrachten vóór en na de installatie kunnen zeer vervelende dingen doen met je apparaat, als ze daarvoor zijn ontworpen. Het kan erg gevaarlijk zijn om de opdrachten uit een bundel te importeren, tenzij je de bron van die pakketbundel vertrouwt", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Installatieopdrachten worden uitgevoerd vóór of nadat een pakket wordt geïnstalleerd, geüpgraded of verwijderd. Houd er rekening mee dat ze dingen kunnen breken, tenzij ze zorgvuldig worden gebruikt", - "Pre-install command:": "Pre-installatie opdracht:", - "Pre-uninstall command:": "Pre-verwijderings opdracht:", - "Pre-update command:": "Pre-update opdracht:", - "PreRelease": "Pre-release", - "Preparing packages, please wait...": "Pakketten voorbereiden, even geduld…", - "Proceed at your own risk.": "Doorgaan op eigen risico.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Elke vorm van rechtenverheffing met UniGetUI Elevator of GSudo verbieden", - "Proxy URL": "Proxy-url", - "Proxy compatibility table": "Proxy compatibiliteitstabel", - "Proxy settings": "Proxy-instellingen", - "Proxy settings, etc.": "Proxy-instellingen, enz.", "Publication date:": "Uitgiftedatum:", - "Publisher": "Uitgever", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python bibliotheekbeheer. Vol met python-bibliotheken en andere python-gerelateerde hulpprogramma's
Bevat: Python-bibliotheken en gerelateerde hulpprogramma's", - "Quit": "Afsluiten", "Quit WingetUI": "UniGetUI afsluiten", - "Ready": "Klaar", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC-prompts verminderen, installaties standaard verheffen, bepaalde risicovolle functies ontgrendelen, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Raadpleeg de UniGetUI logboeken voor meer details met betrekking tot de getroffen bestand(en)", - "Reinstall": "Opnieuw installeren", - "Reinstall package": "Pakket opnieuw installeren", - "Related settings": "Gerelateerde instellingen", - "Release notes": "Release-opmerkingen", - "Release notes URL": "Release-opmerkingen URL", "Release notes URL:": "Release-opmerkingen URL:", "Release notes:": "Release-opmerkingen:", "Reload": "Opnieuw laden", - "Reload log": "Logboek opnieuw laden", "Removal failed": "Verwijdering mislukt", "Removal succeeded": "Verwijdering voltooid", - "Remove from list": "Van lijst wissen", "Remove permanent data": "Permanente gegevens verwijderen", - "Remove selection from bundle": "Selectie verwijderen van bundel", "Remove successful installs/uninstalls/updates from the installation list": "Geslaagde installaties/verwijderingen/updates van de installatielijst wissen", - "Removing source {source}": "Bron verwijderen {source}", - "Removing source {source} from {manager}": "Bron {source} verwijderen uit {manager}", - "Repair UniGetUI": "UniGetUI repareren", - "Repair WinGet": "WinGet repareren", - "Report an issue or submit a feature request": "Een probleem melden of een functieverzoek indienen", "Repository": "Opslagplaats", - "Reset": "Opnieuw instellen", "Reset Scoop's global app cache": "Scoop's algemene buffer wissen", - "Reset UniGetUI": "UniGetUI opnieuw instellen", - "Reset WinGet": "WinGet opnieuw instellen", "Reset Winget sources (might help if no packages are listed)": "Winget-bronnen opnieuw instellen (kan helpen als er geen pakketten worden vermeld)", - "Reset WingetUI": "UniGetUI opnieuw instellen", "Reset WingetUI and its preferences": "UniGetUI en voorkeuren opnieuw instellen", "Reset WingetUI icon and screenshot cache": "UniGetUI pictogrammen- en schermopname-buffer wissen", - "Reset list": "Lijst opnieuw instellen", "Resetting Winget sources - WingetUI": "Winget-bronnen opnieuw instellen - UniGetUI", - "Restart": "Opnieuw starten", - "Restart UniGetUI": "UniGetUI opnieuw starten", - "Restart WingetUI": "UniGetUI opnieuw starten", - "Restart WingetUI to fully apply changes": "Start UniGetUI opnieuw om wijzigingen volledig toe te passen", - "Restart later": "Later opnieuw starten", "Restart now": "Nu opnieuw starten", - "Restart required": "Opnieuw starten vereist", - "Restart your PC to finish installation": "Start je PC opnieuw op om de installatie te voltooien", - "Restart your computer to finish the installation": "Start de computer opnieuw op om de installatie te voltooien", - "Restore a backup from the cloud": "Herstel een back-up van de cloud", - "Restrictions on package managers": "Beperkingen op pakketbeheerders", - "Restrictions on package operations": "Beperkingen op pakketbewerkingen", - "Restrictions when importing package bundles": "Beperkingen bij het importeren van pakketbundels", - "Retry": "Opnieuw proberen", - "Retry as administrator": "Opnieuw proberen als administrator", - "Retry failed operations": "Mislukte bewerkingen opnieuw proberen", - "Retry interactively": "Interactief opnieuw proberen", - "Retry skipping integrity checks": "Opnieuw proberen zonder integriteitscontroles", - "Retrying, please wait...": "Opnieuw proberen, even geduld…", - "Return to top": "Naar boven", - "Run": "Uitvoeren", - "Run as admin": "Als administrator uitvoeren", - "Run cleanup and clear cache": "Opruiming uitvoeren en cache wissen", - "Run last": "Laatste uitvoeren", - "Run next": "Volgende uitvoeren", - "Run now": "Nu uitvoeren", + "Restart your PC to finish installation": "Start je PC opnieuw op om de installatie te voltooien", + "Restart your computer to finish the installation": "Start de computer opnieuw op om de installatie te voltooien", + "Retry failed operations": "Mislukte bewerkingen opnieuw proberen", + "Retrying, please wait...": "Opnieuw proberen, even geduld…", + "Return to top": "Naar boven", "Running the installer...": "Het installatieprogramma uitvoeren…", "Running the uninstaller...": "Het verwijderingsprogramma uitvoeren…", "Running the updater...": "De update uitvoeren…", - "Save": "Opslaan", "Save File": "Bestand opslaan", - "Save and close": "Opslaan en sluiten", - "Save as": "Opslaan als", "Save bundle as": "Bundel opslaan als", "Save now": "Nu opslaan", - "Saving packages, please wait...": "Pakketten opslaan, even geduld…", - "Scoop Installer - WingetUI": "Scoop installatie - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop verwijderen - UniGetUI", - "Scoop package": "Scoop-pakket", "Search": "Zoeken", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Zoeken naar desktopsoftware, waarschuw mij wanneer updates beschikbaar zijn en doe geen bijzondere dingen. Ik wil niet dat UniGetUI te ingewikkeld wordt, ik wil gewoon een eenvoudige softwarewinkel", - "Search for packages": "Pakketten zoeken", - "Search for packages to start": "Zoek om te beginnen naar pakketten", - "Search mode": "Zoekmodus", "Search on available updates": "Beschikbare updates zoeken", "Search on your software": "Jouw software doorzoeken", "Searching for installed packages...": "Zoeken naar geïnstalleerde pakketten…", "Searching for packages...": "Zoeken naar pakketten…", "Searching for updates...": "Zoeken naar updates…", - "Select": "Selecteren", "Select \"{item}\" to add your custom bucket": "Selecteer \"{item}\" om jouw aangepaste bucket toe te voegen", "Select a folder": "Een map selecteren", - "Select all": "Alles selecteren", "Select all packages": "Alle pakketten selecteren", - "Select backup": "Back-up selecteren", "Select only if you know what you are doing.": "Selecteer alleen als je weet wat je doet.", "Select package file": "Pakketbestand selecteren", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selecteer welke back-up je wilt openen. Later kun je ook bepalen welke pakketten/programma's je wilt herstellen.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selecteer het uitvoerbare bestand dat gebruikt moet worden. De volgende lijst toont de uitvoerbare bestanden die door UniGetUI zijn gevonden.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selecteer welke programma's gesloten moeten worden voordat dit pakket wordt geïnstalleerd, geüpdatet of verwijderd.", - "Select the source you want to add:": "Selecteer de bron die je wilt toevoegen:", - "Select upgradable packages by default": "Standaard upgradebare pakketten selecteren", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Selecteer welke pakketbeheerders ({0}) moeten gebruiken, configureer hoe pakketten worden geïnstalleerd, beheer hoe administratorrechten worden afgehandeld, enz.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake verzonden. Wachten op antwoord van de instance listener… ({0}%)", - "Set a custom backup file name": "Een aangepaste naam voor een back-upbestand instellen", "Set custom backup file name": "Aangepaste naam van het back-upbestand instellen", - "Settings": "Instellingen", - "Share": "Delen", "Share WingetUI": "UniGetUI delen", - "Share anonymous usage data": "Anonieme gebruiksgegevens delen", - "Share this package": "Dit pakket delen", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Als je de veiligheidsinstellingen wijzigt, zul je de bundel opnieuw moeten openen om de wijzigingen door te voeren.", "Show UniGetUI on the system tray": "UniGetUI in het systeemvak weergeven", - "Show UniGetUI's version and build number on the titlebar.": "UniGetUI's versie en bouwnummer in de titelbalk weergeven.", - "Show WingetUI": "UniGetUI openen", "Show a notification when an installation fails": "Toon een melding wanneer een installatie mislukt", "Show a notification when an installation finishes successfully": "Toon een melding wanneer een installatie met succes wordt voltooid", - "Show a notification when an operation fails": "Toon een melding wanneer een bewerking mislukt", - "Show a notification when an operation finishes successfully": "Toon een melding wanneer een bewerking met succes is voltooid", - "Show a notification when there are available updates": "Toon een melding wanneer updates beschikbaar zijn", - "Show a silent notification when an operation is running": "Toon een stille melding wanneer een bewerking wordt uitgevoerd", "Show details": "Details weergeven", - "Show in explorer": "In Verkenner weergeven", "Show info about the package on the Updates tab": "Informatie over de pakketten weergeven in het tabblad Software-updates", "Show missing translation strings": "Ontbrekende vertalingen weergeven", - "Show notifications on different events": "Meldingen tonen over verschillende gebeurtenissen", "Show package details": "Pakketdetails weergeven", - "Show package icons on package lists": "Pakketpictogrammen weergeven in pakketlijsten", - "Show similar packages": "Vergelijkbaar pakket tonen", "Show the live output": "Live output weergeven", - "Size": "Grootte", "Skip": "Overslaan", - "Skip hash check": "Hashcontrole overslaan", - "Skip hash checks": "Hashcontroles overslaan", - "Skip integrity checks": "Integriteitscontroles overslaan", - "Skip minor updates for this package": "Kleine updates voor dit pakket overslaan", "Skip the hash check when installing the selected packages": "Hashcontrole overslaan bij het installeren van de geselecteerde pakketten", "Skip the hash check when updating the selected packages": "Hashcontrole overslaan bij het bijwerken van de geselecteerde pakketten", - "Skip this version": "Deze versie overslaan", - "Software Updates": "Software-updates", - "Something went wrong": "Er gings iets mis", - "Something went wrong while launching the updater.": "Er ging iets mis bij het starten van de updater.", - "Source": "Bron", - "Source URL:": "Bron-URL:", - "Source added successfully": "Bron met succes toegevoegd", "Source addition failed": "Toevoegen van bron mislukt", - "Source name:": "Naam van bron:", "Source removal failed": "Verwijderen van bron mislukt", - "Source removed successfully": "Bron met succes verwijderd", "Source:": "Bron:", - "Sources": "Bronnen", "Start": "Starten", "Starting daemons...": "Daemons starten…", - "Starting operation...": "Bewerking starten...", "Startup options": "Start-opties", "Status": "Status", "Stuck here? Skip initialization": "Vastgelopen? Initialisatie overslaan", - "Success!": "Succes!", "Suport the developer": "Steun de ontwikkelaar", "Support me": "Steun mij", "Support the developer": "Steun de ontwikkelaar", "Systems are now ready to go!": "Alles is klaar voor de start!", - "Telemetry": "Telemetrie", - "Text": "Tekst", "Text file": "Tekstbestand", - "Thank you ❤": "Dankjewel ❤", - "Thank you \uD83D\uDE09": "Dankjewel \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "De Rust-pakketbeheerder.
Bevat: Rust-bibliotheken en programma's geschreven in Rust", - "The backup will NOT include any binary file nor any program's saved data.": "De back-up bevat GEEN binair bestand en ook geen opgeslagen gegevens van een programma.", - "The backup will be performed after login.": "De back-up wordt uitgevoerd na het inloggen.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "De back-up bevat de volledige lijst met geïnstalleerde pakketten en hun installatieopties. Ook genegeerde updates en overgeslagen versies worden opgeslagen.", - "The bundle was created successfully on {0}": "De bundel is met succes gemaakt op {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "De bundel die je probeert te laden, lijkt ongeldig. Controleer het bestand en probeer het opnieuw.", + "Thank you 😉": "Dankjewel 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Het controlegetal van het installatieprogramma komt niet overeen met de verwachte waarde en de authenticiteit van het installatieprogramma kan niet worden geverifieerd. Als je de uitgever vertrouwt, {0} het pakket opnieuw zonder hashcontrole.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "De klassieke Windows pakketbeheerder. Hier kun je van alles vinden.
Bevat: Algemene software", - "The cloud backup completed successfully.": "De cloud back-up is succesvol voltooid.", - "The cloud backup has been loaded successfully.": "De cloud back-up is succesvol geladen.", - "The current bundle has no packages. Add some packages to get started": "De huidige bundel heeft geen pakketten. Voeg wat pakketten toe om te beginnen", - "The executable file for {0} was not found": "Het uitvoerbare bestand voor {0} is niet gevonden", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "De volgende opties zullen standaard worden toegepast wanneer een {0} pakket wordt geïnstalleerd, geüpdatet of verwijderd.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "De volgende pakketten worden geëxporteerd naar een JSON-bestand. Er worden geen gebruikersgegevens of binaire bestanden opgeslagen.", "The following packages are going to be installed on your system.": "De volgende pakketten worden op jouw systeem geïnstalleerd.", - "The following settings may pose a security risk, hence they are disabled by default.": "De volgende instellingen kunnen een veiligheidsrisico met zich meebrengen. Hierom zijn ze standaard uitgeschakeld.", - "The following settings will be applied each time this package is installed, updated or removed.": "De volgende instellingen worden toegepast telkens wanneer dit pakket wordt geïnstalleerd, bijgewerkt of verwijderd.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Elke keer dat dit pakket wordt geïnstalleerd, bijgewerkt of verwijderd, worden de volgende instellingen toegepast. Ze worden automatisch opgeslagen.", "The icons and screenshots are maintained by users like you!": "De pictogrammen en screenshots worden onderhouden door gebruikers zoals jij!", - "The installation script saved to {0}": "Het installatiescript is opgeslagen op {0}", - "The installer authenticity could not be verified.": "De authenticiteit van het installatieprogramma kon niet worden geverifieerd.", "The installer has an invalid checksum": "Het installatieprogramma bevat een ongeldig controlegetal", "The installer hash does not match the expected value.": "Het controlegetal van het installatieprogramma komt niet overeen met de verwachte waarde.", - "The local icon cache currently takes {0} MB": "Het lokale pictogram-buffer gebruikt momenteel {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Het hoofddoel van dit project is het creëren van een intuïtieve gebruikersinterface voor het beheer van de meest voorkomende CLI package managers voor Windows, zoals Winget en Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Het pakket \"{0}\" is niet aangetroffen in pakketbeheerder \"{1}\"", - "The package bundle could not be created due to an error.": "De pakketbundel kan vanwege een fout niet worden angemaakt.", - "The package bundle is not valid": "De pakketbundel is niet geldig", - "The package manager \"{0}\" is disabled": "Pakketbeheerder \"{0}\" is uitgeschakeld", - "The package manager \"{0}\" was not found": "De pakketbeheerder \"{0}\" is niet aangetroffen", "The package {0} from {1} was not found.": "Het pakket {0} van {1} is niet gevonden.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "De hier vermelde pakketten worden niet in aanmerking genomen bij het controleren op updates. Dubbelklik erop of klik op de knop aan de rechterkant om te stoppen met het negeren van hun updates.", "The selected packages have been blacklisted": "De geselecteerde pakketten zijn op de zwarte lijst gezet", - "The settings will list, in their descriptions, the potential security issues they may have.": "De instellingen zullen in hun omschrijving mogelijke veiligheidsproblemen weergeven.", - "The size of the backup is estimated to be less than 1MB.": "De grootte van de back-up wordt geschat op minder dan 1 MB", - "The source {source} was added to {manager} successfully": "De bron {source} is met succes toegevoegd aan {manager}", - "The source {source} was removed from {manager} successfully": "De bron {source} is met succes verwijderd van {manager}", - "The system tray icon must be enabled in order for notifications to work": "Het systeemvakpictogram moet ingeschakeld zijn om meldingen te laten werken", - "The update process has been aborted.": "Het updateproces is afgebroken.", - "The update process will start after closing UniGetUI": "Het updateproces start na het sluiten van UniGetUI", "The update will be installed upon closing WingetUI": "De update wordt geïnstalleerd bij het sluiten van UniGetUI", "The update will not continue.": "De update wordt niet uitgevoerd.", "The user has canceled {0}, that was a requirement for {1} to be run": "De gebruiker heeft {0} geannuleerd, dat was een vereiste voor het uitvoeren van {1}", - "There are no new UniGetUI versions to be installed": "Er is geen nieuwe UniGetUI-versie om te installeren", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Er zijn lopende bewerkingen. Als je UniGetUI afsluit, kunnen deze mislukken. Wil je doorgaan?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Er zijn een aantal geweldige video's op YouTube die UniGetUI en zijn mogelijkheden laten zien. Zeer leerzaam met nuttige trucs en tips!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Er zijn twee hoofdredenen om UniGetUI niet als administrator uit te voeren: De eerste is dat de Scoop package manager problemen kan veroorzaken met sommige commando's wanneer deze met administratorrechten worden uitgevoerd. De tweede is dat het uitvoeren van UniGetUI als administrator betekent dat elk pakket dat je downloadt, wordt uitgevoerd als administrator (en dit is niet veilig). Onthoud dat als je een specifiek pakket als administrator moet installeren, je altijd met de rechtermuisknop op het item kunt klikken -> Als administrator installeren/bijwerken/verwijderen.", - "There is an error with the configuration of the package manager \"{0}\"": "Er is een fout opgetreden bij de configuratie van pakketbeheerder \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Er wordt gewerkt aan een installatie. Als je UniGetUI sluit, kan de installatie mislukken met mogelijk onverwachte resultaten. Wil je UniGetUI nog steeds stoppen?", "They are the programs in charge of installing, updating and removing packages.": "Het zijn de programma's die verantwoordelijk zijn voor het installeren, bijwerken en verwijderen van pakketten.", - "Third-party licenses": "Licenties van derden", "This could represent a security risk.": "Dit kan een veiligheidsrisico vertegenwoordigen.", - "This is not recommended.": "Dit wordt afgeraden.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Dit komt waarschijnlijk doordat het pakket dat u was toegezonden, is verwijderd of gepubliceerd is in een pakketbeheerder die u niet hebt ingeschakeld. De ontvangen ID is {0}", "This is the default choice.": "Dit is de standaardkeuze.", - "This may help if WinGet packages are not shown": "Dit kan helpen als WinGet-pakketten niet worden weergegeven", - "This may help if no packages are listed": "Dit kan helpen als er geen pakketten worden vermeld", - "This may take a minute or two": "Dit kan 1-2 minuten duren", - "This operation is running interactively.": "Deze bewerking wordt interactief uitgevoerd.", - "This operation is running with administrator privileges.": "Deze bewerking wordt uitgevoerd met administratorrechten.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Deze optie ZAL problemen veroorzaken. Elke handeling die zichzelf niet kan verheffen ZAL MISLUKKEN. Installeren/bijwerken/verwijderen als administrator zal NIET WERKEN.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Deze pakketbundel had een aantal instellingen die mogelijk gevaarlijk zijn, en worden mogelijk standaard genegeerd.", "This package can be updated": "Dit pakket kan worden bijgewerkt", "This package can be updated to version {0}": "Dit pakket kan worden bijgewerkt naar versie {0}", - "This package can be upgraded to version {0}": "Dit pakket kan worden bijgewerkt naar versie {0}", - "This package cannot be installed from an elevated context.": "Dit pakket kan niet vanuit een verhoogde context worden geïnstalleerd.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Heeft dit pakket geen schermopnames of pictogram? Draag bij aan UniGetUI door ontbrekende pictogrammen en schermopnames toe te voegen aan onze openbare database.", - "This package is already installed": "Dit pakket is al geïnstalleerd", - "This package is being processed": "Dit pakket wordt verwerkt", - "This package is not available": "Dit pakket is niet beschikbaar", - "This package is on the queue": "Dit pakket staat in de wachtrij", "This process is running with administrator privileges": "Dit proces wordt uitgevoerd met administratorrechten", - "This project has no connection with the official {0} project — it's completely unofficial.": "Dit project heeft geen verband met het officiële {0} project — het is volledig onofficieel.", "This setting is disabled": "Deze instelling is uitgeschakeld", "This wizard will help you configure and customize WingetUI!": "Deze assistent helpt bij het configureren en aanpassen van UniGetUI!", "Toggle search filters pane": "Paneel met zoekfilters wisselen", - "Translators": "Vertalingen", - "Try to kill the processes that refuse to close when requested to": "Probeer programma's te beëindigen als ze weigeren te sluiten op verzoek", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Het inschakelen van deze instelling staat het wijzigen van het uivoeringsbestand wat gebruikt wordt bij interacties met pakketbeheerders toe. Hoewel dit nauwkeurigere aanpassing van je installatie-proces toestaat, kan dit ook gevaren met zich meebrengen.", "Type here the name and the URL of the source you want to add, separed by a space.": "Voer hier de naam en de URL in van de bron die je wilt toevoegen, gescheiden door een spatie.", "Unable to find package": "Pakket niet aangetroffen", "Unable to load informarion": "Kan informatie niet laden", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI verzamelt anonieme gebruiksgegevens om de gebruikerservaring te verbeteren.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI verzamelt anonieme gebruiksgegevens met als enig doel inzicht te verkrijgen in de gebruikerservaring en deze te verbeteren.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI heeft een nieuwe bureaubladsnelkoppeling gedetecteerd die automatisch kan worden verwijderd.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI heeft de volgende snelkoppelingen op het bureaublad gedetecteerd die bij toekomstige upgrades automatisch kunnen worden verwijderd", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI heeft {0} nieuwe bureaubladsnelkoppelingen gedetecteerd die automatisch kunnen worden verwijderd.", - "UniGetUI is being updated...": "UniGetUI wordt bijgewerkt...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI is niet gebonden aan een van de compatibele pakketbeheerders. UniGetUI is een onafhankelijk project.", - "UniGetUI on the background and system tray": "UniGetUI op de achtergrond en het systeemvak", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI of componenten ervan ontbreken of zijn beschadigd.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI heeft {0} nodig om te functioneren, maar het werd niet aangetroffen op het systeem.", - "UniGetUI startup page:": "UniGetUI startpagina:", - "UniGetUI updater": "UniGetUI-updater", - "UniGetUI version {0} is being downloaded.": "UniGetUI versie {0} wordt gedownload.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} is klaar om geïnstalleerd te worden.", - "Uninstall": "Verwijderen", - "Uninstall Scoop (and its packages)": "Scoop (en de pakketten) verwijderen", "Uninstall and more": "Verwijderen en meer", - "Uninstall and remove data": "Verwijderen, incl. gegevens", - "Uninstall as administrator": "Als administrator verwijderen", "Uninstall canceled by the user!": "Verwijdering geannuleerd door gebruiker!", - "Uninstall failed": "Verwijderen mislukt", - "Uninstall options": "Verwijderingsopties", - "Uninstall package": "Pakket verwijderen", - "Uninstall package, then reinstall it": "Verwijder het pakket en installeer het opnieuw", - "Uninstall package, then update it": "Pakket verwijderen en daarna bijwerken", - "Uninstall previous versions when updated": "Oude versies verwijderen bij het updaten", - "Uninstall selected packages": "Geselecteerde pakketten verwijderen", - "Uninstall selection": "Selectie verwijderen", - "Uninstall succeeded": "Verwijderen voltooid", "Uninstall the selected packages with administrator privileges": "Geselecteerde pakketten met administratorrechten verwijderen", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Niet-te-installeren pakketten afkomstig van \"{0}\" worden niet met behulp van een pakketbeheerder gepubliceerd, daarom kan er geen informatie over worden vertoond.", - "Unknown": "Onbekend", - "Unknown size": "Onbekende grootte", - "Unset or unknown": "Onbepaald of onbekend", - "Up to date": "Bijgewerkt", - "Update": "Bijwerken", - "Update WingetUI automatically": "UniGetUI automatisch bijwerken", - "Update all": "Alles bijwerken", "Update and more": "Bijwerken en meer", - "Update as administrator": "Als administrator bijwerken", - "Update check frequency, automatically install updates, etc.": "Frequentie van update-controles, automatisch nieuwe versies installeren, enz.", - "Update checking": "Controle op updates", "Update date": "Bijwerkingsdatum", - "Update failed": "Update mislukt", "Update found!": "Update gevonden!", - "Update now": "Nu bijwerken", - "Update options": "Update-opties", "Update package indexes on launch": "Pakketindexen bijwerken bij het opstarten", "Update packages automatically": "Pakketten automatisch bijwerken", "Update selected packages": "Geselecteerde pakketten bijwerken", "Update selected packages with administrator privileges": "Geselecteerde pakketten bijwerken met administratorrechten", - "Update selection": "Selectie bijwerken", - "Update succeeded": "Update voltooid", - "Update to version {0}": "Bijwerken naar versie {0}", - "Update to {0} available": "Update naar {0} beschikbaar", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Git-portbestanden van vcpkg automatisch bijwerken (vereist Git geïnstalleerd)", "Updates": "Updates", "Updates available!": "Updates beschikbaar!", - "Updates for this package are ignored": "Updates voor dit pakket worden genegeerd", - "Updates found!": "Updates gevonden!", "Updates preferences": "Voorkeuren bijwerken", "Updating WingetUI": "UniGetUI bijwerken", "Url": "URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Gebundelde verouderde WinGet gebruiken in plaats van PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Aangepast pictogram en schermopname database-URL gebruiken", "Use bundled WinGet instead of PowerShell CMDlets": "Gebundelde WinGet gebruiken in plaats van PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Gebruik gebundelde WinGet in plaats van systeem WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Geïnstalleerde GSudio gebruiken in plaats van UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "GSudo (extra geïnstalleerd) gebruiken i.p.v. de gebundelde ", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Verouderde UniGetUI Elevator gebruiken (AdminByRequest-ondersteuning uitschakelen)", - "Use system Chocolatey": "Systeem-Chocolatey gebruiken", "Use system Chocolatey (Needs a restart)": "Systeem-Chocolatey gebruiken (UniGetUI opnieuw starten)", "Use system Winget (Needs a restart)": "Systeem-Winget gebruiken (UniGetUI opnieuw starten)", "Use system Winget (System language must be set to english)": "Systeem-Winget gebruiken (systeemtaal moet zijn ingesteld op Engels)", "Use the WinGet COM API to fetch packages": "WinGet COM API gebruiken om pakketten op te halen", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Gebruik de WinGet PowerShell-module in plaats van de WinGet COM API", - "Useful links": "Nuttige links", "User": "Gebruiker", - "User interface preferences": "Voorkeuren gebruikersinterface", "User | Local": "Gebruiker | Lokaal", - "Username": "Gebruikersnaam", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Bij het gebruik van UniGetUI ga je akkoord met de GNU Lesser General Public License v2.1 licentie", - "Using WingetUI implies the acceptation of the MIT License": "Met het gebruik van UniGetUI ga je akkoord met de MIT-licentie", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg-root werd niet gevonden. Definieer de omgevingsvariabele % VCPKG_ROOT% of definieer deze vanuit UniGetUI-instellingen", "Vcpkg was not found on your system.": "Vcpkg is niet gevonden op dit systeem.", - "Verbose": "Uitvoerig", - "Version": "Versie", - "Version to install:": "Te installeren versie:", - "Version:": "Versie:", - "View GitHub Profile": "GitHub-profiel bekijken", "View WingetUI on GitHub": "Bekijk UniGetUI op GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Bekijk de broncode van UniGetUI. Van daaruit kun je fouten melden of functies voorstellen, of zelfs een directe bijdrage leveren aan het UniGetUI-project.", - "View mode:": "Weergave:", - "View on UniGetUI": "Weergeven op UniGetUI", - "View page on browser": "Pagina in browser bekijken", - "View {0} logs": "{0} logboeken bekijken", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Taken die een internetverbinding verlangen uitstellen totdat het apparaat met internet is verbonden.", "Waiting for other installations to finish...": "Wachten tot andere installaties klaar zijn…", "Waiting for {0} to complete...": "Wachten tot {0} voltooid is...", - "Warning": "Waarschuwing", - "Warning!": "Waarschuwing!", - "We are checking for updates.": "Controleren op updates.", "We could not load detailed information about this package, because it was not found in any of your package sources": "We konden geen gedetailleerde informatie over dit pakket laden, omdat het niet in een van jouw pakketbronnen werd aangetroffen", "We could not load detailed information about this package, because it was not installed from an available package manager.": "We konden over dit pakket geen gedetailleerde informatie laden, omdat het niet door een ondersteunde pakketbeheerder is geïnstalleerd.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "We konden {package} niet {action}. Probeer het later opnieuw. Klik op \"{showDetails}\" om het logboek van het installatieprogramma te bekijken.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "We konden {package} niet {action}. Probeer het later opnieuw. Klik op \"{showDetails}\" om het logboek van het verwijderprogramma te bekijken.", "We couldn't find any package": "We konden geen pakket vinden", "Welcome to WingetUI": "Welkom bij UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Bij het reeksgewijs installeren van pakketten van een bundel, installeer ook pakketten die al geïnstalleerd zijn", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Nieuwe snelkoppelingen bij detectie automatisch verwijderen worden gedetecteerd, in plaats van dit dialoogvenster te tonen.", - "Which backup do you want to open?": "Welke back-up wil je openen?", "Which package managers do you want to use?": "Welke pakketbeheerders wil je gebruiken?", "Which source do you want to add?": "Welke bron wil je toevoegen?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Hoewel Winget binnen UniGetUI kan worden gebruikt, kan UniGetUI worden gebruikt met andere pakketbeheerders, wat verwarrend kan zijn. UniGetUI was initieel ontworpen om alleen met Winget te werken, maar is ondertussen uitgegroeid en daarom vertegenwoordigt de naam UniGetUI niet langer waar dit project voor staat.", - "WinGet could not be repaired": "WinGet kan niet worden gerepareerd", - "WinGet malfunction detected": "WinGet-storing gedetecteerd", - "WinGet was repaired successfully": "WinGet is met succes gerepareerd", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Alles is bijgewerkt", "WingetUI - {0} updates are available": "UniGetUI - {0} updates beschikbaar", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI website", "WingetUI Homepage - Share this link!": "UniGetUI website - Delen!", - "WingetUI License": "UniGetUI-licentie", - "WingetUI Log": "UniGetUI-logboek", - "WingetUI Repository": "UniGetUI-opslagplaats", - "WingetUI Settings": "UniGetUI instellingen", "WingetUI Settings File": "UniGetUI-instellingenbestand", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI maakt gebruik van de volgende bibliotheken, zonder welke UniGetUI niet mogelijk zou zijn geweest.", - "WingetUI Version {0}": "UniGetUI-versie {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI startgedrag, instellingen voor het starten van de applicatie", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI kan controleren of jouw software beschikbare updates heeft en deze automatisch installeren als je dat wilt", - "WingetUI display language:": "UniGetUI weergavetaal:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI is uitgevoerd als administrator, wat niet wordt aanbevolen. Wanneer UniGetUI als administrator wordt uitgevoerd, heeft ELKE bewerking die vanuit UniGetUI wordt gestart, admninistratorrechten. Je kunt het programma nog steeds gebruiken, maar we raden je ten zeerste aan UniGetUI niet uit te voeren met administratorrechten.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI is dankzij deze vrijwilligers in meer dan 40 talen vertaald. Hartelijk bedankt \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI is niet automatisch vertaald! De volgende gebruikers hebben bijgedragen aan de vertaling:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI is een applicatie die het beheer van jouw software eenvoudiger maakt door een alles-in-één grafische interface te bieden voor je opdrachtregelpakketbeheerders.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI krijgt een nieuw naam om het onderscheid te benadrukken tussen UniGetUI (het programma dat je nu gebruikt) en Winget (een pakketbeheerder ontwikkeld door Microsoft waaraan ik niet verbonden ben)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI wordt bijgewerkt. Wanneer dit voltooid is, zal het zelf opnieuw opstarten", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI is gratis en zal dat altijd zijn. Geen advertenties, geen creditcard, geen premium-versie. 100% gratis, voor altijd.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI zal elke keer dat een pakket ophoging van rechten vereist, een UAC-prompt tonen.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI krijgt binnenkort de naam {newname}. Dit betekent geen wijziging in de applicatie. Ik (de ontwikkelaar) zal de ontwikkeling van dit project voortzetten zoals ik nu doe, maar het krijgt een andere naam.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI zou niet bestaan zonder de hulp van onze gemeenschap. Bekijk hun GitHub-profielen. Zonder hen zou UniGetUI niet bestaan!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI zou niet mogelijk zijn geweest zonder de bijdragen van deze personen. \nBedankt allemaal \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} is klaar om geïnstalleerd te worden.", - "Write here the process names here, separated by commas (,)": "Schrijf de programma-namen hier, gescheiden door komma's (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Je bent ingelogd als {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Je kunt dit gedrag wijzigen op UniGetUI veiligheidsinstellingen.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Je kunt de opdrachten die voor het installeren, updaten of verwijderen van dit pakket worden uitgevoerd bepalen. Deze worden op een opdrachtregel uitgevoerd, dus CMD-scripts zullen hier werken.", - "You have currently version {0} installed": "Je hebt momenteel versie {0} geïnstalleerd", - "You have installed WingetUI Version {0}": "Je hebt UniGetUI versie {0} geïnstalleerd", - "You may lose unsaved data": "Je kunt mogelijk niet-opgeslagen gegevens verliezen", - "You may need to install {pm} in order to use it with WingetUI.": "Mogelijk moet je {pm} installeren om het met UniGetUI te kunnen gebruiken.", "You may restart your computer later if you wish": "Je kunt je computer later opnieuw opstarten als je dat wilt", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Het wordt maar één keer gevraagd en administratorrechten worden verleend aan pakketten die daarom vragen.", "You will be prompted only once, and every future installation will be elevated automatically.": "Het wordt maar één keer gevraagd en elke toekomstige installatie wordt automatisch verhoogd.", - "You will likely need to interact with the installer.": "Je zult waarschijnlijk moeten communiceren met het installatieprogramma.", - "[RAN AS ADMINISTRATOR]": "[UITGEVOERD ALS ADMINISTRATOR]", "buy me a coffee": "mij een kop koffie doneren", - "extracted": "uitgepakt", - "feature": "functie", "formerly WingetUI": "voorheen WingetUI", "homepage": "website", "install": "installeren", "installation": "installatie", - "installed": "geïnstalleerd", - "installing": "installeren", - "library": "bibliotheek", - "mandatory": "verplicht", - "option": "optie", - "optional": "optioneel", "uninstall": "verwijderen", "uninstallation": "verwijdering", "uninstalled": "verwijderd", - "uninstalling": "verwijderen", "update(noun)": "update", "update(verb)": "bijwerken", "updated": "bijgewerkt", - "updating": "bijwerken", - "version {0}": "versie {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Installatie-opties zijn op dit moment vergrendeld omdat {0} de standaard installatie-opties gebruikt.", "{0} Uninstallation": "{0} verwijderen", "{0} aborted": "{0} geannuleerd", "{0} can be updated": "{0} kan worden bijgewerkt", - "{0} can be updated to version {1}": "{0} kan worden bijgewerkt naar versie {1}", - "{0} days": "{0} dagen", - "{0} desktop shortcuts created": "{0} bureaubladsnelkoppelingen aangemaakt", "{0} failed": "{0} mislukt", - "{0} has been installed successfully.": "{0} is met succes geïnstalleerd.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} is met succes geïnstalleerd. Het wordt aangeraden om UniGetUI opnieuw op te starten om de installatie te voltooien", "{0} has failed, that was a requirement for {1} to be run": "{0} is mislukt, dat was een vereiste voor het uitvoeren van {1}", - "{0} homepage": "{0} website", - "{0} hours": "{0} uur", "{0} installation": "{0} installatie", - "{0} installation options": "{0} installatieopties", - "{0} installer is being downloaded": "Installatieprogramma voor {0} wordt gedownload", - "{0} is being installed": "{0} wordt geïnstalleerd", - "{0} is being uninstalled": "{0} wordt verwijderd", "{0} is being updated": "{0} wordt bijgewerkt", - "{0} is being updated to version {1}": "{0} wordt bijgewerkt naar versie {1}", - "{0} is disabled": "{0} is uitgeschakeld", - "{0} minutes": "{0} minuten", "{0} months": "{0} maanden", - "{0} packages are being updated": "{0} pakketten worden bijgewerkt", - "{0} packages can be updated": "{0} pakketten kunnen worden bijgewerkt", "{0} packages found": "{0} pakketten gevonden", "{0} packages were found": "{0} pakketten gevonden", - "{0} packages were found, {1} of which match the specified filters.": "Er zijn {0} pakketten gevonden, waarvan {1} overeenkomen met de opgegeven filters.", - "{0} selected": "{0} geselecteerd", - "{0} settings": "{0} instellingen", - "{0} status": "{0} status", "{0} succeeded": "{0} succesvol", "{0} update": "{0} bijwerken", - "{0} updates are available": "Er zijn {0} updates beschikbaar", "{0} was {1} successfully!": "{0} is met succes {1}!", "{0} weeks": "{0} weken", "{0} years": "{0} jaar", "{0} {1} failed": "{0} {1} mislukt", - "{package} Installation": "{package} installeren", - "{package} Uninstall": "{package} verwijderen", - "{package} Update": "{package} bijwerken", - "{package} could not be installed": "{package} kan niet worden geïnstalleerd", - "{package} could not be uninstalled": "{package} kan niet worden verwijderd", - "{package} could not be updated": "{package} kan niet worden bijgewerkt", "{package} installation failed": "{package} installatie mislukt", - "{package} installer could not be downloaded": "Installatieprogramma voor {package} kon niet worden gedownload", - "{package} installer download": "Installatieprogramma voor {package} downloaden", - "{package} installer was downloaded successfully": "Installatieprogramma voor {package} is met succes gedownload", "{package} uninstall failed": "{package} verwijderen mislukt", "{package} update failed": "{package} bijwerken mislukt", "{package} update failed. Click here for more details.": "{package} update mislukt. Klik hier voor meer informatie.", - "{package} was installed successfully": "{package} is met succes geïnstalleerd", - "{package} was uninstalled successfully": "{package} is met succes verwijderd", - "{package} was updated successfully": "{package} is met succes bijgewerkt", - "{pcName} installed packages": "{pcName} geïnstalleerde pakketten", "{pm} could not be found": "{pm} is niet aangetroffen", "{pm} found: {state}": "{pm} aangetroffen: {state}", - "{pm} is disabled": "{pm} is uitgeschakeld", - "{pm} is enabled and ready to go": "{pm} is ingeschakeld en klaar voor gebruik", "{pm} package manager specific preferences": "{pm} pakketbeheer - specifieke voorkeuren", "{pm} preferences": "{pm}-voorkeuren", - "{pm} version:": "{pm} versie:", - "{pm} was not found!": "{pm} niet aangetroffen!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hallo, mijn naam is Martí en ik ben de ontwikkelaar van UniGetUI. UniGetUI is geheel in mijn vrije tijd gemaakt!", + "Thank you ❤": "Dankjewel ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Dit project heeft geen verband met het officiële {0} project — het is volledig onofficieel." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nn.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nn.json index d95fceabc2..57b08efa2f 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nn.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_nn.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Handlingar som utførast", + "Please wait...": "Venlegst vent...", + "Success!": "Suksess!", + "Failed": "Feilet", + "An error occurred while processing this package": "Ein feil oppstod i behandlinga av denne pakken", + "Log in to enable cloud backup": "Logg inn for å aktivere skya-sikkerheitskopi", + "Backup Failed": "Sikkerheitskopi feilet", + "Downloading backup...": "Lastar ned sikkerheitskopi...", + "An update was found!": "Ein oppdatering vart funnen!", + "{0} can be updated to version {1}": "{0} kan bli oppdatert til versjon {1}", + "Updates found!": "Oppdateringar funne!", + "{0} packages can be updated": "{0} pakkar kan bli oppdatert", + "You have currently version {0} installed": "No har du versjon {0} installert", + "Desktop shortcut created": "Skrivebordssnarveien vart opprett", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har oppdaga ein ny skrivebordssnarveie som kan bli sletta automatisk.", + "{0} desktop shortcuts created": "{0} skrivebordssnarveiar oppretta", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har oppdaga {0} nye skrivebordssnarveiar som kan bli sletta automatisk.", + "Are you sure?": "Er du sikker?", + "Do you really want to uninstall {0}?": "Vil du verkeleg avinstallere {0}?", + "Do you really want to uninstall the following {0} packages?": "Vil du verkeleg avinstallere føljande {0} pakkar?", + "No": "Nei", + "Yes": "Ja", + "View on UniGetUI": "Sjå på UniGetUI", + "Update": "Uppdater", + "Open UniGetUI": "Opne UniGetUI", + "Update all": "Oppdater alle", + "Update now": "Oppdater no", + "This package is on the queue": "Denne pakken er i køen", + "installing": "installerar", + "updating": "oppdaterar", + "uninstalling": "avinstallerar", + "installed": "installert", + "Retry": "Prøv igjen", + "Install": "Installer", + "Uninstall": "Avinstaller", + "Open": "Åpne", + "Operation profile:": "Handlingsprofil:", + "Follow the default options when installing, upgrading or uninstalling this package": "Følg standardvala når denne pakka blir installert, oppgradert eller avinstallert", + "The following settings will be applied each time this package is installed, updated or removed.": "Føljande innstillingar kjem til å bli brukt kvar gong denne pakken blir installert, oppdatert, eller fjerna.", + "Version to install:": "Versjon å installere:", + "Architecture to install:": "Arkitektur som blir installert:", + "Installation scope:": "Installasjonsomfang:", + "Install location:": "Installasjonsplassering:", + "Select": "Velj", + "Reset": "Tilbakestill", + "Custom install arguments:": "Tilpassa installasjonsparametrar:", + "Custom update arguments:": "Tilpassa oppdateringsparametrar:", + "Custom uninstall arguments:": "Tilpassa avinstallasjonsparametrar:", + "Pre-install command:": "Pre-installasjonskommando:", + "Post-install command:": "Post-installasjonskommando:", + "Abort install if pre-install command fails": "Avbryt installasjon viss pre-installasjonskommandoen mislykjast", + "Pre-update command:": "Pre-oppdateringskommando:", + "Post-update command:": "Post-oppdateringskommando:", + "Abort update if pre-update command fails": "Avbryt oppdateringa viss pre-oppdateringskommandoen mislykjast", + "Pre-uninstall command:": "Pre-avinstallasjonskommando:", + "Post-uninstall command:": "Post-avinstallasjonskommando:", + "Abort uninstall if pre-uninstall command fails": "Avbryt avinstallasjonen viss pre-avinstallasjonskommandoen mislykjast", + "Command-line to run:": "Kommandolinje som skal køyrast:", + "Save and close": "Lagre og lukk", + "Run as admin": "Køyr som administrator", + "Interactive installation": "Interaktiv installasjon", + "Skip hash check": "Hopp over sjekk av hash", + "Uninstall previous versions when updated": "Avinstaller tidlegare versjonar når dei blir oppdatera", + "Skip minor updates for this package": "Hopp over mindre oppdateringar for denne pakka", + "Automatically update this package": "Oppdater denne pakka automatisk", + "{0} installation options": "{0} sine installasjonsval", + "Latest": "Siste", + "PreRelease": "Forhandsutgiving", + "Default": "Standard", + "Manage ignored updates": "Behandle ignorerte oppdateringar", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakkane i denne lista kjem ikkje til å bli tatt hensyn til ved sjekking etter oppdateringar. Dobbeltklikk på dei eller klikk på knappen til høgre for dei for å slutte å ignorere oppdateringa deira.", + "Reset list": "Nullstill liste", + "Package Name": "Pakkenamn", + "Package ID": "Pakke-ID", + "Ignored version": "Ignorert versjon", + "New version": "Ny versjon", + "Source": "Kjelde", + "All versions": "Alle versjonar", + "Unknown": "Ukjend", + "Up to date": "Oppdatert", + "Cancel": "Avbryt", + "Administrator privileges": "Administratorrettar", + "This operation is running with administrator privileges.": "Denne handlinga køyrer med administratorrettar.", + "Interactive operation": "Interaktiv handling", + "This operation is running interactively.": "Denne handlinga køyrer interaktivt.", + "You will likely need to interact with the installer.": "Du vil truleg måtta samhandle med installasjonsprogram.", + "Integrity checks skipped": "Integritetssjekkar hoppa over", + "Proceed at your own risk.": "Gå fram på eiga hand og risiko.", + "Close": "Lukk", + "Loading...": "Lastar...", + "Installer SHA256": "Installasjonsprogram SHA256", + "Homepage": "Heimeside", + "Author": "Forfattar", + "Publisher": "Utgjevar", + "License": "Lisens", + "Manifest": "Konfigurasjonsfil", + "Installer Type": "Type installasjonsprogram", + "Size": "Storleik", + "Installer URL": "URL til installasjonsprogram", + "Last updated:": "Sist oppdatert:", + "Release notes URL": "URL for utgivingsnotatar", + "Package details": "Pakkedetaljar", + "Dependencies:": "Avhengigheiter:", + "Release notes": "Utgivingsnotatar", + "Version": "Versjon", + "Install as administrator": "Installer som administrator", + "Update to version {0}": "Oppdater til versjon {0}", + "Installed Version": "Installer versjon", + "Update as administrator": "Oppdater som administrator", + "Interactive update": "Interaktiv oppdatering", + "Uninstall as administrator": "Avinstaller som administrator", + "Interactive uninstall": "Interaktiv avinstallering", + "Uninstall and remove data": "Avinstaller og fjern data", + "Not available": "Ikkje tilgjengeleg", + "Installer SHA512": "Installasjonsprogram SHA512", + "Unknown size": "Ukjent storleik", + "No dependencies specified": "Ingen avhengigheiter spesifiserte", + "mandatory": "obligatorisk", + "optional": "valfritt", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} er klar til å bli installert.", + "The update process will start after closing UniGetUI": "Oppdateringsprosessen vil starta etter at UniGetUI blir lukka", + "Share anonymous usage data": "Del anonyme brukardata", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI samlar anonyme brukardata for å forbetre brukarerfaringa.", + "Accept": "Aksepter", + "You have installed WingetUI Version {0}": "Du har installert WingetUI versjon {0}", + "Disclaimer": "Ansvarsfråskriving", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGet UI er ikkje knytta til nokon av dei kompatible pakkehandterarne. UniGetUI er eit uavhengig prosjekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ville ikkje vore mogleg uten hjelp frå alle bidragsytarane. Takk alle saman🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI brukar føljande bibliotek. Utan dei ville ikkje WingetUI ha vore mogleg.", + "{0} homepage": "{0} si heimeside", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI har blitt omsett til meir enn 40 språk takka vere frivillige omsetjare. Takk 🤝", + "Verbose": "Uttømmande", + "1 - Errors": "1 - Feilmeldingar", + "2 - Warnings": "2 - Åtvaringar", + "3 - Information (less)": "3 - Informasjon (mindre)", + "4 - Information (more)": "4 - Informasjon (meir)", + "5 - information (debug)": "5 - Informasjon (feilsøking)", + "Warning": "Åtvaring", + "The following settings may pose a security risk, hence they are disabled by default.": "Dei følgjande innstillingane kan me ein tryggleiksfråfall, så dei er deaktiverte som standard.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiver innstillingane under BERRE DERSOM du fullstendig forstår kva dei gjer, og kva konsekvensar og farar dei kan ha.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Innstillingane vil lista opp, i sine beskrivingarar, dei potensielle tryggleikspråfalla dei kan ha.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sikkerheitskopien kjem til å innehelde ein fullstendig liste over dei installerte pakkane og deira installasjonsval. Ignorerte oppdateringar og versjonar som har vorte hoppa over kjem også til å bli lagra.", + "The backup will NOT include any binary file nor any program's saved data.": "Sikkerheitskopien kjem ikkje til å innehelde nokre binære filar eller programmar sine lagrede data", + "The size of the backup is estimated to be less than 1MB.": "Storleiken på sikkerheitskopien er estimert til å vere mindre enn 1MB.", + "The backup will be performed after login.": "Sikkerheitskopien kjem til å bli utført etter innlogging", + "{pcName} installed packages": "{pcName}: Installerte pakkar", + "Current status: Not logged in": "Gjeldande status: Ikkje innlogga", + "You are logged in as {0} (@{1})": "Du er innlogga som {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Fint! Sikkerheitskopiar vil bli lasta opp til ein privat gist på kontoen din", + "Select backup": "Vel sikkerheitskopi", + "WingetUI Settings": "Innstillingar for WingetUI", + "Allow pre-release versions": "Tillat forhandsversjonar", + "Apply": "Bruk", + "Go to UniGetUI security settings": "Gå til UniGetUI-tryggjingsinnstillingar", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Dei følgjande vala vil bli brukte som standard kvar gong ein {0}-pakke blir installert, oppgradert eller avinstallert.", + "Package's default": "Pakkens standard", + "Install location can't be changed for {0} packages": "Installasjonsplassering kan ikkje endrast for {0}-pakkar", + "The local icon cache currently takes {0} MB": "Det lokale ikonbufferet tek for tida {0} MB", + "Username": "Brukarnamn", + "Password": "Passord", + "Credentials": "Legitimasjon", + "Partially": "Delvis", + "Package manager": "Pakkehåndterar", + "Compatible with proxy": "Kompatibel med proxy", + "Compatible with authentication": "Kompatibel med autentisering", + "Proxy compatibility table": "Proxy-kompatibilitetstabell", + "{0} settings": "{0} innstillingar", + "{0} status": "{0}-tilstand", + "Default installation options for {0} packages": "Standardinstallasjonsval for {0}-pakkar", + "Expand version": "Utvid versjon", + "The executable file for {0} was not found": "Kjørbar fil for {0} vart ikkje funne", + "{pm} is disabled": "{pm} er deaktivert", + "Enable it to install packages from {pm}.": "Aktiver det for å installere pakkar frå {pm}", + "{pm} is enabled and ready to go": "{pm} er aktivert og klar for bruk", + "{pm} version:": "{pm} versjon:", + "{pm} was not found!": "{pm} vart ikkje funne!", + "You may need to install {pm} in order to use it with WingetUI.": "Du må kanskje installere {pm} for å bruke det med WingetUI.", + "Scoop Installer - WingetUI": "Scoop-installasjonsprogram - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop-avinstallasjonsprogram - WingetUI", + "Clearing Scoop cache - WingetUI": "Rensar Scoop-cachen - WingetUI", + "Restart UniGetUI": "Start UniGetUI på nytt", + "Manage {0} sources": "Behandle {0} kjelder", + "Add source": "Legg til kjelde", + "Add": "Legg til", + "Other": "Andre", + "1 day": "1 dag", + "{0} days": "{0} dagar", + "{0} minutes": "{0} minutt", + "1 hour": "1 time", + "{0} hours": "{0} timar", + "1 week": "1 veke", + "WingetUI Version {0}": "WingetUI versjon {0}", + "Search for packages": "Søk etter pakkar", + "Local": "Lokal", + "OK": "Ok", + "{0} packages were found, {1} of which match the specified filters.": "{0} pakkar var funne, av dei matcha {1} dine filter.", + "{0} selected": "{0} vald", + "(Last checked: {0})": "(Sist sjekka: {0})", + "Enabled": "Aktivert", + "Disabled": "Deaktivert", + "More info": "Meir informasjon", + "Log in with GitHub to enable cloud package backup.": "Logg inn med GitHub for å aktivere skya-pakke-sikkerheitskopi.", + "More details": "Fleire detaljar", + "Log in": "Logg inn", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Viss du har skya-sikkerheitskopi aktivert, vil ho bli lagra som ein GitHub Gist på denne kontoen", + "Log out": "Logg ut", + "About": "Om", + "Third-party licenses": "Tredjepartslisensar", + "Contributors": "Bidragsytare", + "Translators": "Omsettare", + "Manage shortcuts": "Handsamar snarveiar", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har oppdaga dei følgjande skrivebordssnarveiane som kan bli fjerna automatisk på framtidige oppgraderingar", + "Do you really want to reset this list? This action cannot be reverted.": "Vil du verkeleg nullstille denne lista? Denne handlinga kan ikkje omgjørast.", + "Remove from list": "Fjern frå liste", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Når nye snarveiar blir oppdaga, slette dei automatisk i staden for å visa denne dialogen.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI samlar anonyme brukardata med det einaste formålet å forstå og forbetre brukarerfaringa.", + "More details about the shared data and how it will be processed": "Fleire detaljar om dei delte dataa og korleis dei vil bli handsama", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Godtar du at UniGetUI samlar og sendar anonyme brukarstatistikkar, med det einaste formålet å forstå og forbetre brukarerfaringa?", + "Decline": "Avslå", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ingen personleg informasjon blir samla eller sendt, og den samla dataa er anonymisert, så ho kan ikkje bli tilbakefølgd til deg.", + "About WingetUI": "Om WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI er ein applikasjon som forenklar handtering av programvare, ved å tilby eit alt-i-eitt grafisk grensesnitt for kommandolinjepakkehandterarane dine.", + "Useful links": "Nyttige lenkar", + "Report an issue or submit a feature request": "Si frå om ein feil eller send inn forslag til nye funksjonar", + "View GitHub Profile": "Vis GitHub-profil", + "WingetUI License": "WingetUI - Lisens", + "Using WingetUI implies the acceptation of the MIT License": "Bruk av UniGetUI inneber å godta MIT-lisensen", + "Become a translator": "Bli ein omsettar", + "View page on browser": "Vis sida i nettlesaren", + "Copy to clipboard": "Kopier til utklippstavla", + "Export to a file": "Eksporter til ei fil", + "Log level:": "Loggnivå:", + "Reload log": "Last inn logg på ny", + "Text": "Tekst", + "Change how operations request administrator rights": "Endra korleis handlingar ber om administratorrettar", + "Restrictions on package operations": "Avgrensingar på pakkehandlingar", + "Restrictions on package managers": "Avgrensingar på pakkehåndterarar", + "Restrictions when importing package bundles": "Avgrensingar ved import av pakke-bundlar", + "Ask for administrator privileges once for each batch of operations": "Spør etter administratorrettar ein gong per gruppe operasjonar", + "Ask only once for administrator privileges": "Spør berre ein gong for administratorrettar", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Forbyd alle former for høgninga via UniGetUI Elevator eller GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Dette valet VIL medføre problem. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.", + "Allow custom command-line arguments": "Tillat tilpassa kommandolinjeparametrar", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Tilpassa kommandolinjeparametrar kan endre korleis program blir installerte, oppgradera eller avinstallerte, på ein måte UniGetUI ikkje kan kontrollere. Å bruke tilpassa kommandolinjeparametrar kan bryte pakkar. Gå fram med forsiktighet.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillat at tilpassa pre-installasjons- og post-installasjonskommandoar skal køyrast", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre- og post-installasjonskommandoar vil bli køyrte før og etter ein pakke blir installert, oppgradert eller avinstallert. Ver merksam på at dei kan bryte ting med mindre dei blir brukte med forsiktighet", + "Allow changing the paths for package manager executables": "Tillat endring av stiar for pakkehåndterar-kjørbare filer", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Om du slår dette på kan du endra kjørbar fil som blir brukt til å samhandle med pakkehåndterarar. Medan dette tillat finare tilpassingar av instalasjonsplassane dine, kan det og vera farleg", + "Allow importing custom command-line arguments when importing packages from a bundle": "Tillat import av tilpassa kommandolinjeparametrar ved import av pakkar frå ein pakke-bundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Feilformatterte kommandolinjeparametrar kan bryte pakkar, eller til og med tillate ein skadeleg aktør å få privilegert kjøring. Difor er import av tilpassa kommandolinjeparametrar deaktivert som standard.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillat import av tilpassa pre-installasjons- og post-installasjonskommandoar ved import av pakkar frå ein pakke-bundle", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre- og post-installasjonskommandoar kan gjere veldig skadelege ting med eininga di, viss dei er designa for det. Det kan vera veldig farleg å importere kommandoane frå ein bundle, med mindre du stolar på kjelden av den pakke-bundlen", + "Administrator rights and other dangerous settings": "Administratorrettar og andre risikofylte innstillingar", + "Package backup": "Pakke-sikkerheitskopi", + "Cloud package backup": "Skya-pakke-sikkerheitskopi", + "Local package backup": "Lokal pakke-sikkerheitskopi", + "Local backup advanced options": "Avanserte val for lokal sikkerheitskopi", + "Log in with GitHub": "Logg inn med GitHub", + "Log out from GitHub": "Logg ut frå GitHub", + "Periodically perform a cloud backup of the installed packages": "Utfør periodemessig ein skya-sikkerheitskopi av installerte pakkar", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Skya-sikkerheitskopi brukar ein privat GitHub Gist til å lagre ei liste over installerte pakkar", + "Perform a cloud backup now": "Utfør ein skya-sikkerheitskopi no", + "Backup": "Ta backup", + "Restore a backup from the cloud": "Gjenopprett ein sikkerheitskopi frå skya", + "Begin the process to select a cloud backup and review which packages to restore": "Starta prosessen for å velje ein skya-sikkerheitskopi og gjennomgå kva pakkar som skal gjenoppretta", + "Periodically perform a local backup of the installed packages": "Utfør periodemessig ein lokal sikkerheitskopi av installerte pakkar", + "Perform a local backup now": "Utfør ein lokal sikkerheitskopi no", + "Change backup output directory": "Endre mappa for sikkerheitskopien", + "Set a custom backup file name": "Velj eit eige namn for sikkerheitskopifila", + "Leave empty for default": "La stå tomt for standardvalet", + "Add a timestamp to the backup file names": "Legg til eit tidsstempel til backup-filnamna", + "Backup and Restore": "Sikkerheitskopi og gjenoppretting", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiver bakgrunns-API-et (WingetUI Widgets and Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vent til eininga er kopla til internett før du forsøk å utføre oppgåver som krev internettsamband.", + "Disable the 1-minute timeout for package-related operations": "Deaktiver 1-minutts-tidsavbrøytinga for pakke-relaterte handlingar", + "Use installed GSudo instead of UniGetUI Elevator": "Bruk installert GSudo i staden for UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Bruk eit eigendefinert ikon og ein eigendefinert URL til databasen", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiver bakgrunns-CPU-brukaroptimaliseringar (sjå Pull Request #3278)", + "Perform integrity checks at startup": "Utfør integritetssjekkar ved oppstart", + "When batch installing packages from a bundle, install also packages that are already installed": "Når dei installerar pakkar frå ein bundle i batch, installer og pakkar som alt er installerte", + "Experimental settings and developer options": "Eksperimentelle innstillingar og val for utveklare", + "Show UniGetUI's version and build number on the titlebar.": "Vis UniGetUI si versjon på tittelbalken", + "Language": "Språk", + "UniGetUI updater": "UniGetUI-oppdaterar", + "Telemetry": "Telemetri", + "Manage UniGetUI settings": "Handsamar UniGetUI-innstillingar", + "Related settings": "Relaterte innstillingar", + "Update WingetUI automatically": "Oppdater WingetUI automatisk", + "Check for updates": "Sjekk for oppdateringar", + "Install prerelease versions of UniGetUI": "Installer forhandsversjonar av UniGetUI", + "Manage telemetry settings": "Handsamar telemetri-innstillingar", + "Manage": "Handsamar", + "Import settings from a local file": "Eksporter innstillingar frå ei lokal fil", + "Import": "Importer", + "Export settings to a local file": "Eksporter innstillingar til ei lokal fil", + "Export": "Eksporter", + "Reset WingetUI": "Tilbakestill WingetUI", + "Reset UniGetUI": "Nullstill UniGetUI", + "User interface preferences": "Alternativar for brukargrensesnitt", + "Application theme, startup page, package icons, clear successful installs automatically": "App-tema, startsida, pakkeikon, fjern ferdige installasjonar automatisk", + "General preferences": "Generelle innstillingar", + "WingetUI display language:": "WingetUI sitt visningsspråk:", + "Is your language missing or incomplete?": "Manglar språket ditt eller er det uferdig? (viss språket ditt er bokmål eller nynorsk jobbar eg med saka)", + "Appearance": "Utsjånad", + "UniGetUI on the background and system tray": "UniGetUI i bakgrunnen og systemstatusfeltet", + "Package lists": "Pakkelister", + "Close UniGetUI to the system tray": "Lukk UniGetUI til systemstatusfeltet", + "Show package icons on package lists": "Vis pakkeikon på pakkelister", + "Clear cache": "Tøm buffer", + "Select upgradable packages by default": "Vel oppgradeingsbare pakkar som standard", + "Light": "Lys", + "Dark": "Mørk", + "Follow system color scheme": "Følj systemtemaet", + "Application theme:": "Applikasjonstema:", + "Discover Packages": "Utforsk pakkar", + "Software Updates": "Programvareoppdateringar", + "Installed Packages": "Installerte pakkar", + "Package Bundles": "Pakkebundlar", + "Settings": "Innstillingar", + "UniGetUI startup page:": "UniGetUI-startsida:", + "Proxy settings": "Proxy-innstillingar", + "Other settings": "Andre innstillingar", + "Connect the internet using a custom proxy": "Kople til internett med ein tilpassa proxy", + "Please note that not all package managers may fully support this feature": "Ver merksam på at ikkje alle pakkehåndterarar kan fullstendig støtte denne funksjonen", + "Proxy URL": "Proxy-URL", + "Enter proxy URL here": "Skriv inn proxy-URL her", + "Package manager preferences": "Innstillingar for pakkehandterar", + "Ready": "Klar", + "Not found": "Ikkje funne", + "Notification preferences": "Varselinstillingar", + "Notification types": "Varslingtypar", + "The system tray icon must be enabled in order for notifications to work": "Systemstatusfeltet-ikonet må vera aktivert for at varslingane skal virke", + "Enable WingetUI notifications": "Aktiver varslingar frå WingetUI", + "Show a notification when there are available updates": "Vis ei varsling når oppdateringar er tilgjengelege", + "Show a silent notification when an operation is running": "Vis ein stille varsling når ein operasjon køyrar", + "Show a notification when an operation fails": "Vis ein varsling når ein operasjon feilar", + "Show a notification when an operation finishes successfully": "Vis ein varsling når ein operasjon er fullført", + "Concurrency and execution": "Parallell prosessering og eksekusjon", + "Automatic desktop shortcut remover": "Automatisk fjerning av skrivebordssnarveiar", + "Clear successful operations from the operation list after a 5 second delay": "Tøm vellukkede handlingar frå handlingslista etter ein 5-sekunders forsinking", + "Download operations are not affected by this setting": "Nedlastingshandlingar blir ikkje påverka av denne innstillinga", + "Try to kill the processes that refuse to close when requested to": "Forsøk å doda dei prosessane som nektar av lukke seg når dei blir bedt om det", + "You may lose unsaved data": "Du kan miste ulagra data", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Spør om å slette skrivebordssnarveiar opprettede under installasjon eller oppgradering.", + "Package update preferences": "Preferansar for pakkeoppdateringar", + "Update check frequency, automatically install updates, etc.": "Frekvens for oppdateringskontroll, installer oppdateringar automatisk, osv.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduser UAC-spørsmål, høgna installasjonar som standard, låst opp visse farefulle funksjonar, osv.", + "Package operation preferences": "Preferansar for pakkehandlingar", + "Enable {pm}": "Aktiver {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Finn du ikkje fila du leit etter? Viss at ho har vorte lagt til stien.", + "For security reasons, changing the executable file is disabled by default": "Av tryggjingsgrunnar er endring av kjørbar fil deaktivert som standard", + "Change this": "Endra dette", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vel kjørbar fil som skal brukast. Den følgjande lista viser kjørbare filer funne av UniGetUI", + "Current executable file:": "Gjeldande kjørbar fil:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorer pakkar frå {pm} når ein varsling om oppdateringar blir vist", + "View {0} logs": "Sjå {0}-logger", + "Advanced options": "Avanserte val", + "Reset WinGet": "Nullstill WinGet", + "This may help if no packages are listed": "Dette kan hjelpe viss ingen pakkar blir lista opp", + "Force install location parameter when updating packages with custom locations": "Tving installasjonsplassering-parameter når du oppdaterar pakkar med tilpassa plasseringar", + "Use bundled WinGet instead of system WinGet": "Bruk bundla WinGet i staden for systemets WinGet", + "This may help if WinGet packages are not shown": "Dette kan hjelpe viss WinGet-pakkar ikkje visast", + "Install Scoop": "Installer Scoop", + "Uninstall Scoop (and its packages)": "Avinstaller Scoop (og alle tilhørande pakkar)", + "Run cleanup and clear cache": "Køyr opprensing og fjern buffer", + "Run": "Køyr", + "Enable Scoop cleanup on launch": "Aktiver Scoop-cleanup (nullstilling av buffer) ved oppstart", + "Use system Chocolatey": "Bruk systemet Chocolatey", + "Default vcpkg triplet": "Standard vcpkg-triplett", + "Language, theme and other miscellaneous preferences": "Språk, tema, og diverse andre preferansar", + "Show notifications on different events": "Vis varslingar for ulike hendingar", + "Change how UniGetUI checks and installs available updates for your packages": "Endre korleis UniGetUI sjekkar for og installerar tilgjengelege oppdateringar for pakkane dine", + "Automatically save a list of all your installed packages to easily restore them.": "Lagre ei liste over alle dine installerte pakkar automatisk for å forenkle gjenoppretting av dei.", + "Enable and disable package managers, change default install options, etc.": "Aktiver og deaktiver pakkehåndterarar, endra standardinstallasjonsval, osv.", + "Internet connection settings": "Innstillingar for internettforbinding", + "Proxy settings, etc.": "Proxy-innstillingar, osv.", + "Beta features and other options that shouldn't be touched": "Beta-funksjonalitet og andre innstillingar som ikkje må rørast", + "Update checking": "Oppdateringskontroll", + "Automatic updates": "Automatiske oppdateringar", + "Check for package updates periodically": "Sjekk etter pakkoppdateringar med jamne mellomrom", + "Check for updates every:": "Søk etter oppdateringar kvar:", + "Install available updates automatically": "Installer tilgjengelege oppdateringar automatisk", + "Do not automatically install updates when the network connection is metered": "Ikkje installer oppdateringar automatisk når nettverksforbindinga er målbar", + "Do not automatically install updates when the device runs on battery": "Ikkje installer oppdateringar automatisk når eininga køyrer på batteri", + "Do not automatically install updates when the battery saver is on": "Ikkje installer oppdateringar automatisk når batteri-sparing er på", + "Change how UniGetUI handles install, update and uninstall operations.": "Endra korleis UniGetUI handsamar installasjon, oppdatering og avinstallasjon.", + "Package Managers": "Pakkehåndterarar", + "More": "Meir", + "WingetUI Log": "WingetUI-logg", + "Package Manager logs": "Pakkehandteringsloggar", + "Operation history": "Handlingshistorikk", + "Help": "Hjelp", + "Order by:": "Sorter etter:", + "Name": "Namn", + "Id": "ID", + "Ascendant": "Stigande", + "Descendant": "Synkande", + "View mode:": "Visningsmodus:", + "Filters": "Filtrar", + "Sources": "Kjelder", + "Search for packages to start": "Søk etter ein eller fleire pakkar for å starte", + "Select all": "Velj alle", + "Clear selection": "Tøm val", + "Instant search": "Hurtigsøk", + "Distinguish between uppercase and lowercase": "Skilj mellom store og små bokstavar", + "Ignore special characters": "Ignorer spesialtekn", + "Search mode": "Søkemodus", + "Both": "Båe", + "Exact match": "Eksakt match", + "Show similar packages": "Vis lignande pakkar", + "No results were found matching the input criteria": "Ingen resultatar som matcha kriteria vart funne", + "No packages were found": "Ingen pakkar vart funne", + "Loading packages": "Lastar inn pakkar", + "Skip integrity checks": "Hopp over integritetssjekkar", + "Download selected installers": "Last ned valde installasjonsprogarammar", + "Install selection": "Installer utval", + "Install options": "Installasjonsval", + "Share": "Del", + "Add selection to bundle": "Legg til utval til bundlen", + "Download installer": "Last ned installasjonsprogram", + "Share this package": "Del denne pakka", + "Uninstall selection": "Avinstaller utval", + "Uninstall options": "Avinstallasjonsval", + "Ignore selected packages": "Ignorer valte pakkar", + "Open install location": "Opne installasjonsplassering", + "Reinstall package": "Installer pakke på nytt", + "Uninstall package, then reinstall it": "Avinstaller pakka, og så reinstaller han", + "Ignore updates for this package": "Ignorer oppdateringar til denne pakka", + "Do not ignore updates for this package anymore": "Ikkje ignorer oppdateringar for denne pakka lenger", + "Add packages or open an existing package bundle": "Legg til pakkar eller opne ein eksisterande bundle", + "Add packages to start": "Legg til pakkar for å starte", + "The current bundle has no packages. Add some packages to get started": "Nåverande bundle har ingen pakkar. Legg til pakkar for å setje i gong", + "New": "Ny", + "Save as": "Lagre som", + "Remove selection from bundle": "Fjern utval frå bundle", + "Skip hash checks": "Hopp over sjekka av hasj", + "The package bundle is not valid": "Pakke-bundlen er ikkje gyldig", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Bundlen du forsøkar å laste ser ut til å vera ugyldig. Venlegst sjekk fila og prøv igjen.", + "Package bundle": "Pakkebundle", + "Could not create bundle": "Kunne ikkje lage bundle", + "The package bundle could not be created due to an error.": "Pakke-bundlen kunne ikkje bli laga på grunn av ein feil.", + "Bundle security report": "Sikkerheitsrapport for bundle", + "Hooray! No updates were found.": "Hurra! Ingen oppdateringar funne!", + "Everything is up to date": "Alt er oppdatert", + "Uninstall selected packages": "Avinstaller valte pakkar", + "Update selection": "Oppdater utval", + "Update options": "Oppdateringsval", + "Uninstall package, then update it": "Avinstaller pakka, og so oppdater ho", + "Uninstall package": "Avinstaller pakka", + "Skip this version": "Hopp over denne versjonen", + "Pause updates for": "Pause oppdateringar i", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-pakkehåndteraren.
Inneheld: Rust-bibliotek og program skrivne i Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Den klassiske pakkehandteraren for Windows. Du kan finne alt der.
Inneheld: Generell programvare", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Eit repository fullt av verktøy og programmar desingna for Microsoft sitt .NET-økosystem.
Inneheld: .NET-relaterte verktøy og skript", + "NuPkg (zipped manifest)": "NuPkg (zippa manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS sin pakkehandterer. Full av bibliotek og andre verktøy som svevar rundt i JavaScript-universet
Inneheld: Node.js-bibliotek og andre relaterte verktøy", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python sin pakkehandterer. Full av bibliotek og andre Python-relaterte verktøy
Inneheld: Python-bibliotek og andre relaterte verktøy", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell sin pakkehandterar. Finn bibliotek og skript for å utvide PowerShell sine evnar
Inneheld: Modular, skript, cmdlets", + "extracted": "utpakka", + "Scoop package": "Skoop-pakke", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Flott repository med ukjende men nyttige verktøy og andre interessante pakkar.
Inneheld:Verktøy, kommandolinjeprogram, generell programvare (ekstra buckets krevst)", + "library": "bibliotek", + "feature": "funksjon", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Ein populær C/C++-bibliotekhåndterar. Full av C/C++-bibliotek og andre relaterte verktøy.
Inneheld: C/C++-bibliotek og relaterte verktøy", + "option": "val", + "This package cannot be installed from an elevated context.": "Denne pakka kan ikkje bli installert frå ein høgna kontekst.", + "Please run UniGetUI as a regular user and try again.": "Venlegst køyr UniGetUI som ein vanlег brukar og prøv igjen.", + "Please check the installation options for this package and try again": "Venlegst sjekk installasjonsvaline for denne pakka og prøv igjen", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft sin offisielle pakkehandterar. Full av velkjende og verifiserte pakkar
Inneheld: Generell programvare, Microsoft Store-appar", + "Local PC": "Lokal PC", + "Android Subsystem": "Android-undersystem", + "Operation on queue (position {0})...": "Handlinga er i køen (posisjon {0})...", + "Click here for more details": "Klikk her for fleire detaljar", + "Operation canceled by user": "Operasjon avbroten av brukar", + "Starting operation...": "Startar handling...", + "{package} installer download": "{package} installasjonsprogram nedlasting", + "{0} installer is being downloaded": "{0} installasjonsprogram blir lasta ned", + "Download succeeded": "Nedlasting var suksessfull", + "{package} installer was downloaded successfully": "{package} installasjonsprogram vart lasta ned med suksess", + "Download failed": "Nedlasting feilet", + "{package} installer could not be downloaded": "{package} installasjonsprogram kunne ikkje bli lasta ned", + "{package} Installation": "{package} Installasjon", + "{0} is being installed": "{0} blir installert", + "Installation succeeded": "Installasjon fullført", + "{package} was installed successfully": "{package} vart suksessfullt installert", + "Installation failed": "Installasjon feilet", + "{package} could not be installed": "{package} kunne ikkje bli installert", + "{package} Update": "{package} Oppdater", + "{0} is being updated to version {1}": "{0} blir oppdatert til versjon {1}", + "Update succeeded": "Suksessfull oppdatering", + "{package} was updated successfully": "{package} vart suksessfullt oppdatert", + "Update failed": "Oppdatering feila", + "{package} could not be updated": "{package} kunne ikkje bli oppdatert", + "{package} Uninstall": "{package} Avinstaller", + "{0} is being uninstalled": "{0} blir avinstallert", + "Uninstall succeeded": "Suksessfull avinstallering", + "{package} was uninstalled successfully": "{package} vart suksessfullt avinstallert", + "Uninstall failed": "Avinstallering feila", + "{package} could not be uninstalled": "{package} kunne ikkje bli avinstallert", + "Adding source {source}": "Legg til kjelda {source}", + "Adding source {source} to {manager}": "Legg til kjelde {source} til {manager}", + "Source added successfully": "Kjelde lagd til med suksess", + "The source {source} was added to {manager} successfully": "Kjelden {source} vart suksessfullt lagt til hos {manager}", + "Could not add source": "Kunne ikkje legge til kjelde", + "Could not add source {source} to {manager}": "Kunne ikkje legge til kjelde {source} til {manager}", + "Removing source {source}": "Fjernar kjelden {source}", + "Removing source {source} from {manager}": "Fjernar kjelde {source} frå {manager}", + "Source removed successfully": "Kjelde fjerna med suksess", + "The source {source} was removed from {manager} successfully": "Kjelden {source} vart suksessfullt fjerna frå {manager}", + "Could not remove source": "Kunne ikkje fjerne kjelde", + "Could not remove source {source} from {manager}": "Kunne ikkje fjerne kjelde {source} frå {manager}", + "The package manager \"{0}\" was not found": "Pakkehåndteraren «{0}» vart ikkje funne", + "The package manager \"{0}\" is disabled": "Pakkehåndteraren «{0}» er deaktivert", + "There is an error with the configuration of the package manager \"{0}\"": "Det er ein feil med konfigurasjonen av pakkehåndteraren «{0}»", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakka «{0}» vart ikkje funne på pakkehåndteraren «{1}»", + "{0} is disabled": "{0} er deaktivert", + "Something went wrong": "Noko gikk galt", + "An interal error occurred. Please view the log for further details.": "Ein intern feil oppstod. Venlegst sjå loggen for fleire detaljar.", + "No applicable installer was found for the package {0}": "Ingen gjeldande installasjonsprogaramm vart funne for pakka {0}", + "We are checking for updates.": "Me er av sjekk for oppdateringar.", + "Please wait": "Venlegst vent", + "UniGetUI version {0} is being downloaded.": "UniGetUI versjon {0} blir lasta ned.", + "This may take a minute or two": "Dette kan ta nokre få minutt", + "The installer authenticity could not be verified.": "Autentisiteten til installasjonsprogram kunne ikkje blir stadfest.", + "The update process has been aborted.": "Oppdateringsprosessen vart avbroten.", + "Great! You are on the latest version.": "Flott! Du er på siste versjon.", + "There are no new UniGetUI versions to be installed": "Det finst ingen nye UniGetUI-versjonar som skal installeras", + "An error occurred when checking for updates: ": "Ein feil oppstod ved sjekking for oppdateringar", + "UniGetUI is being updated...": "UniGetUI blir oppdatert...", + "Something went wrong while launching the updater.": "Noko gjekk gale ved oppstart av oppdateraren.", + "Please try again later": "Venlegst prøv igjen seinare", + "Integrity checks will not be performed during this operation": "Integritetssjekkar vil ikkje bli utførte under denne handlinga", + "This is not recommended.": "Dette blir ikkje tilrådd.", + "Run now": "Køyr no", + "Run next": "Køyr neste", + "Run last": "Køyr sist", + "Retry as administrator": "Prøv igjen som administrator", + "Retry interactively": "Prøv på nytt interaktivt", + "Retry skipping integrity checks": "Prøv på nytt og hoppa over integritetssjekkar", + "Installation options": "Installasjonsval", + "Show in explorer": "Vis i utforskar", + "This package is already installed": "Denne pakken er allereie installert", + "This package can be upgraded to version {0}": "Denne pakka kan bli oppgradert til versjon {0}", + "Updates for this package are ignored": "Oppdateringar for denne pakka er ignorert", + "This package is being processed": "Denne pakken behandlas", + "This package is not available": "Denne pakka er ikkje tilgjengeleg", + "Select the source you want to add:": "Velj kjelden du ynskjer å legge til:", + "Source name:": "Kjeldenamn:", + "Source URL:": "Kilde-URL:", + "An error occurred": "Ein feil oppstod", + "An error occurred when adding the source: ": "Ein feil oppstod då kjelden vart lagt til:", + "Package management made easy": "Pakkestyring gjort enkelt", + "version {0}": "versjon {0}", + "[RAN AS ADMINISTRATOR]": "KØYRTE SOM ADMINISTRATOR", + "Portable mode": "Bærbar modus\n", + "DEBUG BUILD": "DEBUG-BUILD", + "Available Updates": "Tilgjengelege oppdateringar", + "Show WingetUI": "Vis WingetUI", + "Quit": "Lukk", + "Attention required": "Oppmerksemd krevst", + "Restart required": "Omstart krevst", + "1 update is available": "1 oppdatering er tilgjengeleg", + "{0} updates are available": "{0} oppdateringar er tilgjengelege", + "WingetUI Homepage": "WingetUI - Heimeside", + "WingetUI Repository": "WingetUI - Repository", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Her kan du endra UniGetUI si åtferd angåande dei følgjande snarviene. Om du merkar av ein snarvei vil UniGetUI slette den viss ho blir opprett på ein framtidig oppgradering. Om du ikkje merkar ho av vil snarveia bli bevart intakt", + "Manual scan": "Manuell skanning", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Eksisterande snarveiar på skriveborddet ditt vil bli skannade, og du må velje kva du vil behalde og kva du vil fjerne.", + "Continue": "Fortsett", + "Delete?": "Slette?", + "Missing dependency": "Manglar avhengigheit", + "Not right now": "Ikkje akkurat no", + "Install {0}": "Installer {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI krev {0} for å virke, men det vart ikkje funne på systemet ditt.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Trykk på \"Installer\" for å starte installasjonsprosessen. Viss du hoppar over installasjonen, kan det hende at UniGetUI ikkje fungerar som forventa.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Du kan eventuelt også installere {0} ved å køyre følgjande kommando i Windows PowerShell:", + "Do not show this dialog again for {0}": "Ikkje vis denne dialogen igjen for {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Venlegst vent medan {0} blir installert. Eit svart (eller blått) vindauge kan dukke opp. Venlegst vent til det lukkar seg.", + "{0} has been installed successfully.": "{0} har vorte installert med suksess.", + "Please click on \"Continue\" to continue": "Venlegst klikk på \"Fortsett\" for å fortsette", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} har vorte installert med suksess. Det blir tilrådd å starte UniGetUI på nytt for å fullføre installasjonen", + "Restart later": "Start på ny seinare", + "An error occurred:": "Ein feil oppstod:", + "I understand": "Eg forstår", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI blir køyrd som administrator, noko som ikkje anbefalast. Når du køyrer WingetUI som administrator, får ALLE programmar som WingetUI startar administratortillatingar. Du kan fortfarande bruke programmet, men vi anbefalar på det sterkaste å ikke køyre WingetUI med administratortillatingar.", + "WinGet was repaired successfully": "WinGet vart reparert med suksess", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Det blir tilrådd å starte UniGetUI på nytt etter at WinGet har vorte reparert", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MERK: Denne feilsøkaren kan deaktiveringast frå UniGetUI-innstillingar, på WinGet-delen", + "Restart": "Start på nytt", + "WinGet could not be repaired": "WinGet kunne ikkje bli reparert", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ein uventa feil oppstod ved forsøk på å reparere WinGet. Venlegst prøv igjen seinare", + "Are you sure you want to delete all shortcuts?": "Er du sikker på at du vil slette alle snarveiane?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nye snarveiar som blir oppretta under ein installasjon eller oppdateringshandling vil bli sletta automatisk, i staden for å visa ein bekreftingsdialog første gangen dei blir oppdaga.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Snarveiar oppretta eller endra utanfor UniGetUI vil bli ignorerte. Du vil kunne legge dei til via {0}-knappen.", + "Are you really sure you want to enable this feature?": "Er du verkeleg sikker på at du vil aktivere denne funksjonen?", + "No new shortcuts were found during the scan.": "Ingen nye snarveiar vart funne under skanningen.", + "How to add packages to a bundle": "Korleis å legge til pakkar til ein bundle", + "In order to add packages to a bundle, you will need to: ": "For å legge til pakkar til ein bundle må du: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Naviger til «{0}»- eller «{1}»-sida.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Finn pakka(ne) du vil legge til i bundlen, og vel den venstre avmerkingsboksen.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Når pakkane du vil legge til i bundlen er valde, finn og klikk på valet «{0}» på verktøylinja.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pakkane dine vil ha vorte lagde til i bundlen. Du kan fortsette med å legge til pakkar, eller eksportere bundlen.", + "Which backup do you want to open?": "Kva sikkerheitskopi vil du opne?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vel sikkerheitskopien du vil opne. Seinare vil du kunne gjennomgå kva pakkar du vil installere.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Det er mange pågåande operasjonar. Å avslutte WingetUI kan føre til at dei feilar. Vil du fortsetje?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller nokre av komponenta hans manglar eller er øydelagde.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Det blir sterkt tilrådd å reinstallere UniGetUI for å løyse situasjonen.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Sjå UniGetUI-loggane for å få fleire detaljar angåande dei påverka fil(ane)", + "Integrity checks can be disabled from the Experimental Settings": "Integritetssjekkar kan deaktiveringast frå Eksperimentelle innstillingar", + "Repair UniGetUI": "Reparer UniGetUI", + "Live output": "Direkte output", + "Package not found": "Pakke vart ikkje funne", + "An error occurred when attempting to show the package with Id {0}": "Ein feil oppstod med visinga av ein pakke med ID {0}", + "Package": "Pakke", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denne pakke-bundlen hadde nokre innstillingar som potensielt kan vera farefulle, og kan bli ignorerte som standard.", + "Entries that show in YELLOW will be IGNORED.": "Oppføringar som vart vist i GULT vil bli IGNORERTE.", + "Entries that show in RED will be IMPORTED.": "Oppføringar som vart vist i RØD vil bli IMPORTERTE.", + "You can change this behavior on UniGetUI security settings.": "Du kan endra denne åtferda på UniGetUI-tryggjingsinnstillingar.", + "Open UniGetUI security settings": "Opne UniGetUI-tryggjingsinnstillingar", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Viss du endrar tryggjingsinnstillingane må du opne bundlen igjen for at endringane skal få effekt.", + "Details of the report:": "Detaljar av rapporten:", "\"{0}\" is a local package and can't be shared": "«{0}» er ein lokal pakke og kan ikkje delast", + "Are you sure you want to create a new package bundle? ": "Er du sikker på at du vil lage ein ny pakke-bundle?", + "Any unsaved changes will be lost": "Ulagra endringar vil gå tapt", + "Warning!": "Åtvaring!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Av tryggjingsgrunnar er tilpassa kommandolinjeparametrar deaktiverte som standard. Gå til UniGetUI-tryggjingsinnstillingar for å endra dette. ", + "Change default options": "Endra standardval", + "Ignore future updates for this package": "Ignorer framtidige oppdateringar for denne pakka", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Av tryggjingsgrunnar er pre-operasjons- og post-operasjons-skript deaktiverte som standard. Gå til UniGetUI-tryggjingsinnstillingar for å endra dette. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definer kommandoane som vil bli køyrte før eller etter denne pakka blir installert, oppdatert eller avinstallert. Dei vil bli køyrte på ein kommandoleie, så CMD-skript vil virke her.", + "Change this and unlock": "Endra dette og låst opp", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Installasjonsval er for tida låste fordi {0} følgjer standardinstallasjonsvaline.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vel prosessane som skal lukka før denne pakka blir installert, oppdatert eller avinstallert.", + "Write here the process names here, separated by commas (,)": "Skriv her prosessnamna, separerte med komma (,)", + "Unset or unknown": "Ikkje sett eller ukjend", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Venlegst sjå på kommandolinje-outputen eller handlingshistorikken for meir informasjon om problemet.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denne pakka har ingen skjermbilde eller manglar eit ikon? Bidra til WingetUI ved å leggje til dei manglande ikona og skjermbilda til vår opne, offentlege database.", + "Become a contributor": "Bli ein bidragsytar", + "Save": "Lagre", + "Update to {0} available": "Oppdatering for {0} er tilgjengeleg", + "Reinstall": "Installer på nytt", + "Installer not available": "Installerar ikkje tilgjengeleg", + "Version:": "Versjon:", + "Performing backup, please wait...": "Utførar sikkerheitskopi, venlegst vent...", + "An error occurred while logging in: ": "Ein feil oppstod under innlogging: ", + "Fetching available backups...": "Hentar tilgjengelege sikkerheitskopiar...", + "Done!": "Ferdig!", + "The cloud backup has been loaded successfully.": "Skya-sikkerheitskopien vart lasta inn med suksess.", + "An error occurred while loading a backup: ": "Ein feil oppstod under lasting av ein sikkerheitskopi: ", + "Backing up packages to GitHub Gist...": "Sikkerheitskopier pakkar til GitHub Gist...", + "Backup Successful": "Sikkerheitskopia vart fullført", + "The cloud backup completed successfully.": "Skya-sikkerheitskopien vart fullført med suksess.", + "Could not back up packages to GitHub Gist: ": "Kunne ikkje sikkerheitskopiere pakkar til GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Det er ikkje garantert at den oppgitte legitimasjonen vil bli lagra på ein trygg måte, så du kan like godt ikkje bruke legitimasjonen din for bankkontoen din", + "Enable the automatic WinGet troubleshooter": "Aktiver automatisk WinGet-feilsøkjar", + "Enable an [experimental] improved WinGet troubleshooter": "Aktiver ein [eksperimental] forbetrad WinGet-feilsøkar", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Legg til oppdateringar som mislykjast med «ingen gjeldande oppdatering funne» i lista over ignorerte oppdateringar.", + "Restart WingetUI to fully apply changes": "Start WingetUI på ny for at alle endringane skal bli brukt", + "Restart WingetUI": "Start WingetUI på ny", + "Invalid selection": "Ugyldig val", + "No package was selected": "Ingen pakke vart vald", + "More than 1 package was selected": "Meir enn 1 pakke vart vald", + "List": "Liste", + "Grid": "Rutenett", + "Icons": "Ikon", "\"{0}\" is a local package and does not have available details": "«{0}» er ein lokal pakke og har ikkje tilgjengelege detaljar", "\"{0}\" is a local package and is not compatible with this feature": "«{0}» er ein lokal pakke og støttar ikkje denne funksjonen", - "(Last checked: {0})": "(Sist sjekka: {0})", + "WinGet malfunction detected": "WinGet-mangel oppdaga", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det ser ut som WinGet ikkje fungerar riktig. Vil du forsøke å reparere WinGet?", + "Repair WinGet": "Reparer WinGet", + "Create .ps1 script": "Opprett .ps1-skript", + "Add packages to bundle": "Legg til pakkar til bundlen", + "Preparing packages, please wait...": "Forbereiar pakkar, venlegst vent...", + "Loading packages, please wait...": "Lastar pakkar, venlegst vent...", + "Saving packages, please wait...": "Lagrar pakkar, venlegst vent...", + "The bundle was created successfully on {0}": "Bundlen vart opprett med suksess på {0}", + "Install script": "Installasjonsskript", + "The installation script saved to {0}": "Installasjonsskriptet vart lagra til {0}", + "An error occurred while attempting to create an installation script:": "Ein feil oppstod ved forsøk på å lage eit installasjonsskript:", + "{0} packages are being updated": "{0} pakkar blir oppdatert", + "Error": "Feil", + "Log in failed: ": "Innlogging feilet: ", + "Log out failed: ": "Utlogging feilet: ", + "Package backup settings": "Innstillingar for pakke-sikkerheitskopi", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nummer {0} i køen)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@yrjarv", "0 packages found": "0 pakkar funne", "0 updates found": "0 oppdateringar funne", - "1 - Errors": "1 - Feilmeldingar", - "1 day": "1 dag", - "1 hour": "1 time", "1 month": "1 månad", "1 package was found": "1 pakke vart funne", - "1 update is available": "1 oppdatering er tilgjengeleg", - "1 week": "1 veke", "1 year": "1 år", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Naviger til «{0}»- eller «{1}»-sida.", - "2 - Warnings": "2 - Åtvaringar", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Finn pakka(ne) du vil legge til i bundlen, og vel den venstre avmerkingsboksen.", - "3 - Information (less)": "3 - Informasjon (mindre)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Når pakkane du vil legge til i bundlen er valde, finn og klikk på valet «{0}» på verktøylinja.", - "4 - Information (more)": "4 - Informasjon (meir)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pakkane dine vil ha vorte lagde til i bundlen. Du kan fortsette med å legge til pakkar, eller eksportere bundlen.", - "5 - information (debug)": "5 - Informasjon (feilsøking)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Ein populær C/C++-bibliotekhåndterar. Full av C/C++-bibliotek og andre relaterte verktøy.
Inneheld: C/C++-bibliotek og relaterte verktøy", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Eit repository fullt av verktøy og programmar desingna for Microsoft sitt .NET-økosystem.
Inneheld: .NET-relaterte verktøy og skript", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Eit repository fylt med verktøy, designa med Microsoft sitt .NET-økosystem i tankane.
Inneheld: .NET-relaterte verktøy", "A restart is required": "Omstart av maskina krevst", - "Abort install if pre-install command fails": "Avbryt installasjon viss pre-installasjonskommandoen mislykjast", - "Abort uninstall if pre-uninstall command fails": "Avbryt avinstallasjonen viss pre-avinstallasjonskommandoen mislykjast", - "Abort update if pre-update command fails": "Avbryt oppdateringa viss pre-oppdateringskommandoen mislykjast", - "About": "Om", "About Qt6": "Om Qt6", - "About WingetUI": "Om WingetUI", "About WingetUI version {0}": "Om WingetUI versjon {0}", "About the dev": "Om utveklaren", - "Accept": "Aksepter", "Action when double-clicking packages, hide successful installations": "Handling ved dobbelklikk på pakkar, skjul ferdige installasjonar", - "Add": "Legg til", "Add a source to {0}": "Legg til ein kjelde til {0}", - "Add a timestamp to the backup file names": "Legg til eit tidsstempel til backup-filnamna", "Add a timestamp to the backup files": "Legg til eit tidsstempel til backup-filane", "Add packages or open an existing bundle": "Legg til pakkar eller opne ein eksisterande bundle", - "Add packages or open an existing package bundle": "Legg til pakkar eller opne ein eksisterande bundle", - "Add packages to bundle": "Legg til pakkar til bundlen", - "Add packages to start": "Legg til pakkar for å starte", - "Add selection to bundle": "Legg til utval til bundlen", - "Add source": "Legg til kjelde", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Legg til oppdateringar som mislykjast med «ingen gjeldande oppdatering funne» i lista over ignorerte oppdateringar.", - "Adding source {source}": "Legg til kjelda {source}", - "Adding source {source} to {manager}": "Legg til kjelde {source} til {manager}", "Addition succeeded": "Suksessfull tillegging", - "Administrator privileges": "Administratorrettar", "Administrator privileges preferences": "Preferansar for adminstaratorrettar", "Administrator rights": "Administratorrettar", - "Administrator rights and other dangerous settings": "Administratorrettar og andre risikofylte innstillingar", - "Advanced options": "Avanserte val", "All files": "Alle filar", - "All versions": "Alle versjonar", - "Allow changing the paths for package manager executables": "Tillat endring av stiar for pakkehåndterar-kjørbare filer", - "Allow custom command-line arguments": "Tillat tilpassa kommandolinjeparametrar", - "Allow importing custom command-line arguments when importing packages from a bundle": "Tillat import av tilpassa kommandolinjeparametrar ved import av pakkar frå ein pakke-bundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillat import av tilpassa pre-installasjons- og post-installasjonskommandoar ved import av pakkar frå ein pakke-bundle", "Allow package operations to be performed in parallel": "Tillat at pakkehandlingar skjer parallelt", "Allow parallel installs (NOT RECOMMENDED)": "Tillat parallelle installasjonar (IKKJE ANBEFALT)", - "Allow pre-release versions": "Tillat forhandsversjonar", "Allow {pm} operations to be performed in parallel": "Tillat at {pm}-operasjonar kan køyre i parallell", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Du kan eventuelt også installere {0} ved å køyre følgjande kommando i Windows PowerShell:", "Always elevate {pm} installations by default": "Alltid auk tillatingsnivået for {pm}-installasjonar", "Always run {pm} operations with administrator rights": "Alltid køyr {pm}-operasjonar med administratorrettar", - "An error occurred": "Ein feil oppstod", - "An error occurred when adding the source: ": "Ein feil oppstod då kjelden vart lagt til:", - "An error occurred when attempting to show the package with Id {0}": "Ein feil oppstod med visinga av ein pakke med ID {0}", - "An error occurred when checking for updates: ": "Ein feil oppstod ved sjekking for oppdateringar", - "An error occurred while attempting to create an installation script:": "Ein feil oppstod ved forsøk på å lage eit installasjonsskript:", - "An error occurred while loading a backup: ": "Ein feil oppstod under lasting av ein sikkerheitskopi: ", - "An error occurred while logging in: ": "Ein feil oppstod under innlogging: ", - "An error occurred while processing this package": "Ein feil oppstod i behandlinga av denne pakken", - "An error occurred:": "Ein feil oppstod:", - "An interal error occurred. Please view the log for further details.": "Ein intern feil oppstod. Venlegst sjå loggen for fleire detaljar.", "An unexpected error occurred:": "Ein uventa feil oppstod:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ein uventa feil oppstod ved forsøk på å reparere WinGet. Venlegst prøv igjen seinare", - "An update was found!": "Ein oppdatering vart funnen!", - "Android Subsystem": "Android-undersystem", "Another source": "Annen kjelde", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nye snarveiar som blir oppretta under ein installasjon eller oppdateringshandling vil bli sletta automatisk, i staden for å visa ein bekreftingsdialog første gangen dei blir oppdaga.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Snarveiar oppretta eller endra utanfor UniGetUI vil bli ignorerte. Du vil kunne legge dei til via {0}-knappen.", - "Any unsaved changes will be lost": "Ulagra endringar vil gå tapt", "App Name": "Appnamn", - "Appearance": "Utsjånad", - "Application theme, startup page, package icons, clear successful installs automatically": "App-tema, startsida, pakkeikon, fjern ferdige installasjonar automatisk", - "Application theme:": "Applikasjonstema:", - "Apply": "Bruk", - "Architecture to install:": "Arkitektur som blir installert:", "Are these screenshots wron or blurry?": "Er desse skjermbilda feil eller uklare?", - "Are you really sure you want to enable this feature?": "Er du verkeleg sikker på at du vil aktivere denne funksjonen?", - "Are you sure you want to create a new package bundle? ": "Er du sikker på at du vil lage ein ny pakke-bundle?", - "Are you sure you want to delete all shortcuts?": "Er du sikker på at du vil slette alle snarveiane?", - "Are you sure?": "Er du sikker?", - "Ascendant": "Stigande", - "Ask for administrator privileges once for each batch of operations": "Spør etter administratorrettar ein gong per gruppe operasjonar", "Ask for administrator rights when required": "Spør om administratorrettar ved behov", "Ask once or always for administrator rights, elevate installations by default": "Spør ein gong eller alltid etter administratorrettar, auk tillatingsnivået som standard", - "Ask only once for administrator privileges": "Spør berre ein gong for administratorrettar", "Ask only once for administrator privileges (not recommended)": "Berre spør om administratortilgang ein gong (ikkje anbefalt)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Spør om å slette skrivebordssnarveiar opprettede under installasjon eller oppgradering.", - "Attention required": "Oppmerksemd krevst", "Authenticate to the proxy with an user and a password": "Autentiser til proxy-en med brukar og passord", - "Author": "Forfattar", - "Automatic desktop shortcut remover": "Automatisk fjerning av skrivebordssnarveiar", - "Automatic updates": "Automatiske oppdateringar", - "Automatically save a list of all your installed packages to easily restore them.": "Lagre ei liste over alle dine installerte pakkar automatisk for å forenkle gjenoppretting av dei.", "Automatically save a list of your installed packages on your computer.": "Lagre ei liste over dine installerte pakkar på datamaskina di automatisk", - "Automatically update this package": "Oppdater denne pakka automatisk", "Autostart WingetUI in the notifications area": "Start WingetUI automatisk i varslingsfeltet", - "Available Updates": "Tilgjengelege oppdateringar", "Available updates: {0}": "Tilgjengelege oppdateringar: {0}", "Available updates: {0}, not finished yet...": "Tilgjengelege oppdateringar: {0}, jobbar framleis...", - "Backing up packages to GitHub Gist...": "Sikkerheitskopier pakkar til GitHub Gist...", - "Backup": "Ta backup", - "Backup Failed": "Sikkerheitskopi feilet", - "Backup Successful": "Sikkerheitskopia vart fullført", - "Backup and Restore": "Sikkerheitskopi og gjenoppretting", "Backup installed packages": "Sikkerheitskopier installerte pakkar", "Backup location": "Plassering for sikkerheitskopi", - "Become a contributor": "Bli ein bidragsytar", - "Become a translator": "Bli ein omsettar", - "Begin the process to select a cloud backup and review which packages to restore": "Starta prosessen for å velje ein skya-sikkerheitskopi og gjennomgå kva pakkar som skal gjenoppretta", - "Beta features and other options that shouldn't be touched": "Beta-funksjonalitet og andre innstillingar som ikkje må rørast", - "Both": "Båe", - "Bundle security report": "Sikkerheitsrapport for bundle", "But here are other things you can do to learn about WingetUI even more:": "Men her er andre ting du kan gjere for å lære enda meir om WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ved å deaktivere ein pakkehandterar kjem du ikkje lenger til å kunne sjå eller oppdatere pakkane hans", "Cache administrator rights and elevate installers by default": "Bufre administratorrettar og gjev installasjonsprogrammar administratorrettar automatisk", "Cache administrator rights, but elevate installers only when required": "Bufre administratorrettar, men berre gjev installasjonsprogrammar administratorrettar når det er naudsynt", "Cache was reset successfully!": "Buffer var vorte nullstilt!", "Can't {0} {1}": "Kan ikke {0} {1}", - "Cancel": "Avbryt", "Cancel all operations": "Avbryt alle handlingar", - "Change backup output directory": "Endre mappa for sikkerheitskopien", - "Change default options": "Endra standardval", - "Change how UniGetUI checks and installs available updates for your packages": "Endre korleis UniGetUI sjekkar for og installerar tilgjengelege oppdateringar for pakkane dine", - "Change how UniGetUI handles install, update and uninstall operations.": "Endra korleis UniGetUI handsamar installasjon, oppdatering og avinstallasjon.", "Change how UniGetUI installs packages, and checks and installs available updates": "Endra korleis UniGetUI installerar pakkar, og sjekkar og installerar tilgjengelege oppdateringar", - "Change how operations request administrator rights": "Endra korleis handlingar ber om administratorrettar", "Change install location": "Endre plasseringa for installasjon", - "Change this": "Endra dette", - "Change this and unlock": "Endra dette og låst opp", - "Check for package updates periodically": "Sjekk etter pakkoppdateringar med jamne mellomrom", - "Check for updates": "Sjekk for oppdateringar", - "Check for updates every:": "Søk etter oppdateringar kvar:", "Check for updates periodically": "Søk etter nye oppdateringar med jamne mellomrom", "Check for updates regularly, and ask me what to do when updates are found.": "Sjekk etter oppdateringar regelmesseg og spør meg kva jeg vil gjere når oppdateringar er funne.", "Check for updates regularly, and automatically install available ones.": "Sjekk for oppdateringar jamnleg, og installer tilgjengelege oppdateringar automatisk.", @@ -159,916 +741,335 @@ "Checking for updates...": "Søkar etter oppdateringar...", "Checking found instace(s)...": "Sjekkar oppdaga instans(ar)...", "Choose how many operations shouls be performed in parallel": "Vel kor mange handlingar som skal utførast i parallell", - "Clear cache": "Tøm buffer", "Clear finished operations": "Tøm ferdige handlingar", - "Clear selection": "Tøm val", "Clear successful operations": "Tøm vellukkede handlingar", - "Clear successful operations from the operation list after a 5 second delay": "Tøm vellukkede handlingar frå handlingslista etter ein 5-sekunders forsinking", "Clear the local icon cache": "Tøm det lokale ikonbufferet", - "Clearing Scoop cache - WingetUI": "Rensar Scoop-cachen - WingetUI", "Clearing Scoop cache...": "Tømmar Scoop sin buffer...", - "Click here for more details": "Klikk her for fleire detaljar", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Trykk på \"Installer\" for å starte installasjonsprosessen. Viss du hoppar over installasjonen, kan det hende at UniGetUI ikkje fungerar som forventa.", - "Close": "Lukk", - "Close UniGetUI to the system tray": "Lukk UniGetUI til systemstatusfeltet", "Close WingetUI to the notification area": "Minimer WingetUI til systemstatusfeltet", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Skya-sikkerheitskopi brukar ein privat GitHub Gist til å lagre ei liste over installerte pakkar", - "Cloud package backup": "Skya-pakke-sikkerheitskopi", "Command-line Output": "Kommandolinje-output", - "Command-line to run:": "Kommandolinje som skal køyrast:", "Compare query against": "Samanlikn spørring mot", - "Compatible with authentication": "Kompatibel med autentisering", - "Compatible with proxy": "Kompatibel med proxy", "Component Information": "Komponentinformasjon", - "Concurrency and execution": "Parallell prosessering og eksekusjon", - "Connect the internet using a custom proxy": "Kople til internett med ein tilpassa proxy", - "Continue": "Fortsett", "Contribute to the icon and screenshot repository": "Bidra til ikon- og skjembildearkivet", - "Contributors": "Bidragsytare", "Copy": "Kopier", - "Copy to clipboard": "Kopier til utklippstavla", - "Could not add source": "Kunne ikkje legge til kjelde", - "Could not add source {source} to {manager}": "Kunne ikkje legge til kjelde {source} til {manager}", - "Could not back up packages to GitHub Gist: ": "Kunne ikkje sikkerheitskopiere pakkar til GitHub Gist: ", - "Could not create bundle": "Kunne ikkje lage bundle", "Could not load announcements - ": "Kunne ikkje laste inn annonseringar -", "Could not load announcements - HTTP status code is $CODE": "Kunne ikkje laste inn annonseringar - HTTP-statuskoden er $CODE", - "Could not remove source": "Kunne ikkje fjerne kjelde", - "Could not remove source {source} from {manager}": "Kunne ikkje fjerne kjelde {source} frå {manager}", "Could not remove {source} from {manager}": "Kunne ikkje fjerne {source} frå {manager}", - "Create .ps1 script": "Opprett .ps1-skript", - "Credentials": "Legitimasjon", "Current Version": "Nåværande versjon", - "Current executable file:": "Gjeldande kjørbar fil:", - "Current status: Not logged in": "Gjeldande status: Ikkje innlogga", "Current user": "Nåværande brukar", "Custom arguments:": "Tilpassa parameter:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Tilpassa kommandolinjeparametrar kan endre korleis program blir installerte, oppgradera eller avinstallerte, på ein måte UniGetUI ikkje kan kontrollere. Å bruke tilpassa kommandolinjeparametrar kan bryte pakkar. Gå fram med forsiktighet.", "Custom command-line arguments:": "Tilpassa kommandolinje-parametrar:", - "Custom install arguments:": "Tilpassa installasjonsparametrar:", - "Custom uninstall arguments:": "Tilpassa avinstallasjonsparametrar:", - "Custom update arguments:": "Tilpassa oppdateringsparametrar:", "Customize WingetUI - for hackers and advanced users only": "Tilpass WingetUI - berre for hackarar og avanserte brukarar", - "DEBUG BUILD": "DEBUG-BUILD", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ANSVARSFRÅSKRIVING: VI ER IKKJE ANSVARLEGE FOR DEI NEDLASTA PAKKANE, VENLEGST BERRE INSTALLER PROGRAMVARE DU STOLAR PÅ.", - "Dark": "Mørk", - "Decline": "Avslå", - "Default": "Standard", - "Default installation options for {0} packages": "Standardinstallasjonsval for {0}-pakkar", "Default preferences - suitable for regular users": "Standardpreferansar - tilpassa normale brukarar", - "Default vcpkg triplet": "Standard vcpkg-triplett", - "Delete?": "Slette?", - "Dependencies:": "Avhengigheiter:", - "Descendant": "Synkande", "Description:": "Beskriving:", - "Desktop shortcut created": "Skrivebordssnarveien vart opprett", - "Details of the report:": "Detaljar av rapporten:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Utvekling er vanskeleg og dette programmet er gradis, men viss du liker det kan du alltids spandere ein kaffi på meg", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installer direkte ved å dobbeltklikke på eit element under fana \"{discoveryTab}\" (i staden for å¨vise pakkeinformasjon)", "Disable new share API (port 7058)": "Deaktiver det nye delings-APIet (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Deaktiver 1-minutts-tidsavbrøytinga for pakke-relaterte handlingar", - "Disabled": "Deaktivert", - "Disclaimer": "Ansvarsfråskriving", - "Discover Packages": "Utforsk pakkar", "Discover packages": "Utforsk pakkar", "Distinguish between\nuppercase and lowercase": "Skill mellom store og små bokstavar", - "Distinguish between uppercase and lowercase": "Skilj mellom store og små bokstavar", "Do NOT check for updates": "IKKJE søk etter oppdateringar", "Do an interactive install for the selected packages": "Utfør ein interaktiv installasjon for den valte pakka", "Do an interactive uninstall for the selected packages": "Utfør ein interaktiv avinstallasjon for den valte pakka", "Do an interactive update for the selected packages": "Utfør ein interaktiv oppdatering for den valte pakka", - "Do not automatically install updates when the battery saver is on": "Ikkje installer oppdateringar automatisk når batteri-sparing er på", - "Do not automatically install updates when the device runs on battery": "Ikkje installer oppdateringar automatisk når eininga køyrer på batteri", - "Do not automatically install updates when the network connection is metered": "Ikkje installer oppdateringar automatisk når nettverksforbindinga er målbar", "Do not download new app translations from GitHub automatically": "Ikkje last ned nye oversettingar av appen automatisk frå GitHub", - "Do not ignore updates for this package anymore": "Ikkje ignorer oppdateringar for denne pakka lenger", "Do not remove successful operations from the list automatically": "Ikkje fjern suksessfulle operasjonar automatisk frå lista", - "Do not show this dialog again for {0}": "Ikkje vis denne dialogen igjen for {0}", "Do not update package indexes on launch": "Ikkje oppdater pakkeindeksar ved oppstart", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Godtar du at UniGetUI samlar og sendar anonyme brukarstatistikkar, med det einaste formålet å forstå og forbetre brukarerfaringa?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Synest du at WingetUI er nyttig? Viss du kan, vil du kanskje støtte arbeidet mitt, så eg kan fortsetje med å gjere WingetUI til det ultimate pakkehandterargrensesnittet.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Synest du at WingetUI er nyttig? Ynskjer du å støtte utveklaren? I so fall kan du {0}, det hjelper masse!", - "Do you really want to reset this list? This action cannot be reverted.": "Vil du verkeleg nullstille denne lista? Denne handlinga kan ikkje omgjørast.", - "Do you really want to uninstall the following {0} packages?": "Vil du verkeleg avinstallere føljande {0} pakkar?", "Do you really want to uninstall {0} packages?": "Vil du verkeleg avinstallere {0} pakkar?", - "Do you really want to uninstall {0}?": "Vil du verkeleg avinstallere {0}?", "Do you want to restart your computer now?": "Vil du starte datamaskina på nytt no?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Vil du omsette WingetUI til ditt språk? Sjå korleis du kan bidra Her!<\\a> (PS: Viss du klarar å finne feil i nynorsk-omsettinga må du gjerne også hjelpe til!)", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Har du ikkje lyst til å donere? Null stress, du kan alltid dele WingetUI med vennane dine. Sprei ordet om WingetUI.", "Donate": "Donér", - "Done!": "Ferdig!", - "Download failed": "Nedlasting feilet", - "Download installer": "Last ned installasjonsprogram", - "Download operations are not affected by this setting": "Nedlastingshandlingar blir ikkje påverka av denne innstillinga", - "Download selected installers": "Last ned valde installasjonsprogarammar", - "Download succeeded": "Nedlasting var suksessfull", "Download updated language files from GitHub automatically": "Last ned oppdaterte språkfilar frå GitHub automatisk", "Downloading": "Lastar ned", - "Downloading backup...": "Lastar ned sikkerheitskopi...", "Downloading installer for {package}": "Lastar ned installasjonsprogram for {package}", "Downloading package metadata...": "Lastar ned metadata for pakka...", - "Enable Scoop cleanup on launch": "Aktiver Scoop-cleanup (nullstilling av buffer) ved oppstart", - "Enable WingetUI notifications": "Aktiver varslingar frå WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Aktiver ein [eksperimental] forbetrad WinGet-feilsøkar", - "Enable and disable package managers, change default install options, etc.": "Aktiver og deaktiver pakkehåndterarar, endra standardinstallasjonsval, osv.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktiver bakgrunns-CPU-brukaroptimaliseringar (sjå Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktiver bakgrunns-API-et (WingetUI Widgets and Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Aktiver det for å installere pakkar frå {pm}", - "Enable the automatic WinGet troubleshooter": "Aktiver automatisk WinGet-feilsøkjar", "Enable the new UniGetUI-Branded UAC Elevator": "Aktiver den nye UniGetUI-merkja UAC-heisvaren", "Enable the new process input handler (StdIn automated closer)": "Aktiver den nye prosessinngangshåndteraren (StdIn automatisk lukker)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktiver innstillingane under BERRE DERSOM du fullstendig forstår kva dei gjer, og kva konsekvensar og farar dei kan ha.", - "Enable {pm}": "Aktiver {pm}", - "Enabled": "Aktivert", - "Enter proxy URL here": "Skriv inn proxy-URL her", - "Entries that show in RED will be IMPORTED.": "Oppføringar som vart vist i RØD vil bli IMPORTERTE.", - "Entries that show in YELLOW will be IGNORED.": "Oppføringar som vart vist i GULT vil bli IGNORERTE.", - "Error": "Feil", - "Everything is up to date": "Alt er oppdatert", - "Exact match": "Eksakt match", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Eksisterande snarveiar på skriveborddet ditt vil bli skannade, og du må velje kva du vil behalde og kva du vil fjerne.", - "Expand version": "Utvid versjon", - "Experimental settings and developer options": "Eksperimentelle innstillingar og val for utveklare", - "Export": "Eksporter", - "Export log as a file": "Eksporter logg som ei fil", - "Export packages": "Eksporter pakkar", - "Export selected packages to a file": "Eksporter valte pakkar til ei fil", - "Export settings to a local file": "Eksporter innstillingar til ei lokal fil", - "Export to a file": "Eksporter til ei fil", - "Failed": "Feilet", - "Fetching available backups...": "Hentar tilgjengelege sikkerheitskopiar...", + "Export log as a file": "Eksporter logg som ei fil", + "Export packages": "Eksporter pakkar", + "Export selected packages to a file": "Eksporter valte pakkar til ei fil", "Fetching latest announcements, please wait...": "Hentar siste annonseringar, venlegst vent...", - "Filters": "Filtrar", "Finish": "Ferdig", - "Follow system color scheme": "Følj systemtemaet", - "Follow the default options when installing, upgrading or uninstalling this package": "Følg standardvala når denne pakka blir installert, oppgradert eller avinstallert", - "For security reasons, changing the executable file is disabled by default": "Av tryggjingsgrunnar er endring av kjørbar fil deaktivert som standard", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Av tryggjingsgrunnar er tilpassa kommandolinjeparametrar deaktiverte som standard. Gå til UniGetUI-tryggjingsinnstillingar for å endra dette. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Av tryggjingsgrunnar er pre-operasjons- og post-operasjons-skript deaktiverte som standard. Gå til UniGetUI-tryggjingsinnstillingar for å endra dette. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Bruk ARM-kompilert versjon av winget (BERRE FOR ARM64-SYSTEM)", - "Force install location parameter when updating packages with custom locations": "Tving installasjonsplassering-parameter når du oppdaterar pakkar med tilpassa plasseringar", "Formerly known as WingetUI": "Tidlegare kjend som WingetUI", "Found": "Funne", "Found packages: ": "Funne pakkar:", "Found packages: {0}": "Fann pakkar: {0}", "Found packages: {0}, not finished yet...": "Fann pakkar: {0}, jobbar framleis...", - "General preferences": "Generelle innstillingar", "GitHub profile": "GitHub-profil", "Global": "Globalt", - "Go to UniGetUI security settings": "Gå til UniGetUI-tryggjingsinnstillingar", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Flott repository med ukjende men nyttige verktøy og andre interessante pakkar.
Inneheld:Verktøy, kommandolinjeprogram, generell programvare (ekstra buckets krevst)", - "Great! You are on the latest version.": "Flott! Du er på siste versjon.", - "Grid": "Rutenett", - "Help": "Hjelp", "Help and documentation": "Hjelp og dokumentasjon", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Her kan du endra UniGetUI si åtferd angåande dei følgjande snarviene. Om du merkar av ein snarvei vil UniGetUI slette den viss ho blir opprett på ein framtidig oppgradering. Om du ikkje merkar ho av vil snarveia bli bevart intakt", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hei, mitt navn er Martí, og eg er utveklaren som står bak WingetUI. WingetUI har utelukkande vore utvekla på fritida mi!", "Hide details": "Skjul detaljar", - "Homepage": "Heimeside", - "homepage": "heimeside", - "Hooray! No updates were found.": "Hurra! Ingen oppdateringar funne!", "How should installations that require administrator privileges be treated?": "Kva skal gjerast med installasjonar som krev administratorrettar?", - "How to add packages to a bundle": "Korleis å legge til pakkar til ein bundle", - "I understand": "Eg forstår", - "Icons": "Ikon", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Viss du har skya-sikkerheitskopi aktivert, vil ho bli lagra som ein GitHub Gist på denne kontoen", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillat at tilpassa pre-installasjons- og post-installasjonskommandoar skal køyrast", - "Ignore future updates for this package": "Ignorer framtidige oppdateringar for denne pakka", - "Ignore packages from {pm} when showing a notification about updates": "Ignorer pakkar frå {pm} når ein varsling om oppdateringar blir vist", - "Ignore selected packages": "Ignorer valte pakkar", - "Ignore special characters": "Ignorer spesialtekn", "Ignore updates for the selected packages": "Ignorer oppdateringar for de valte pakkane", - "Ignore updates for this package": "Ignorer oppdateringar til denne pakka", "Ignored updates": "Ignorerte oppdateringar", - "Ignored version": "Ignorert versjon", - "Import": "Importer", "Import packages": "Importer pakkar", "Import packages from a file": "Importer pakkar frå ei fil", - "Import settings from a local file": "Eksporter innstillingar frå ei lokal fil", - "In order to add packages to a bundle, you will need to: ": "For å legge til pakkar til ein bundle må du: ", "Initializing WingetUI...": "Initialiserar WingetUI...", - "Install": "Installer", - "install": "installer", - "Install Scoop": "Installer Scoop", "Install and more": "Installasjon og meir", "Install and update preferences": "Innstillingar for installasjon og oppdatering", - "Install as administrator": "Installer som administrator", - "Install available updates automatically": "Installer tilgjengelege oppdateringar automatisk", - "Install location can't be changed for {0} packages": "Installasjonsplassering kan ikkje endrast for {0}-pakkar", - "Install location:": "Installasjonsplassering:", - "Install options": "Installasjonsval", "Install packages from a file": "Installer pakkar frå ei fil", - "Install prerelease versions of UniGetUI": "Installer forhandsversjonar av UniGetUI", - "Install script": "Installasjonsskript", "Install selected packages": "Installer valte pakkar", "Install selected packages with administrator privileges": "Installer valte pakkar med administratorrettar", - "Install selection": "Installer utval", "Install the latest prerelease version": "Installer siste forhandsutgivingsversjon", "Install updates automatically": "Installer oppdateringar automatisk", - "Install {0}": "Installer {0}", "Installation canceled by the user!": "Installasjon avbroten av brukar!", - "Installation failed": "Installasjon feilet", - "Installation options": "Installasjonsval", - "Installation scope:": "Installasjonsomfang:", - "Installation succeeded": "Installasjon fullført", - "Installed Packages": "Installerte pakkar", "Installed packages": "Installerte pakkar", - "Installed Version": "Installer versjon", - "Installer SHA256": "Installasjonsprogram SHA256", - "Installer SHA512": "Installasjonsprogram SHA512", - "Installer Type": "Type installasjonsprogram", - "Installer URL": "URL til installasjonsprogram", - "Installer not available": "Installerar ikkje tilgjengeleg", "Instance {0} responded, quitting...": "Instans {0} ga svar, avsluttar...", - "Instant search": "Hurtigsøk", - "Integrity checks can be disabled from the Experimental Settings": "Integritetssjekkar kan deaktiveringast frå Eksperimentelle innstillingar", - "Integrity checks skipped": "Integritetssjekkar hoppa over", - "Integrity checks will not be performed during this operation": "Integritetssjekkar vil ikkje bli utførte under denne handlinga", - "Interactive installation": "Interaktiv installasjon", - "Interactive operation": "Interaktiv handling", - "Interactive uninstall": "Interaktiv avinstallering", - "Interactive update": "Interaktiv oppdatering", - "Internet connection settings": "Innstillingar for internettforbinding", - "Invalid selection": "Ugyldig val", "Is this package missing the icon?": "Manglar ikonet for denne pakka?", - "Is your language missing or incomplete?": "Manglar språket ditt eller er det uferdig? (viss språket ditt er bokmål eller nynorsk jobbar eg med saka)", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Det er ikkje garantert at den oppgitte legitimasjonen vil bli lagra på ein trygg måte, så du kan like godt ikkje bruke legitimasjonen din for bankkontoen din", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Det blir tilrådd å starte UniGetUI på nytt etter at WinGet har vorte reparert", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Det blir sterkt tilrådd å reinstallere UniGetUI for å løyse situasjonen.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det ser ut som WinGet ikkje fungerar riktig. Vil du forsøke å reparere WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Det ser ut som om du kjørte WingetUI som administrator, som ikkje anbefalast. Du kan framleis bruke programmet, men vi anbefalar sterkt å ikkje kjøre WingetUI med administratorrettar. Klikk på \"{showDetails}\" for å vise grunnen til det.", - "Language": "Språk", - "Language, theme and other miscellaneous preferences": "Språk, tema, og diverse andre preferansar", - "Last updated:": "Sist oppdatert:", - "Latest": "Siste", "Latest Version": "Siste versjon", "Latest Version:": "Siste versjon:", "Latest details...": "Siste detaljar...", "Launching subprocess...": "Startar subprosess...", - "Leave empty for default": "La stå tomt for standardvalet", - "License": "Lisens", "Licenses": "Lisensar", - "Light": "Lys", - "List": "Liste", "Live command-line output": "Direkte output frå kommandolinja", - "Live output": "Direkte output", "Loading UI components...": "Lastar UI-komponentar...", "Loading WingetUI...": "Lastar inn WingetUI...", - "Loading packages": "Lastar inn pakkar", - "Loading packages, please wait...": "Lastar pakkar, venlegst vent...", - "Loading...": "Lastar...", - "Local": "Lokal", - "Local PC": "Lokal PC", - "Local backup advanced options": "Avanserte val for lokal sikkerheitskopi", "Local machine": "Lokal maskin", - "Local package backup": "Lokal pakke-sikkerheitskopi", "Locating {pm}...": "Finnar {pm}...", - "Log in": "Logg inn", - "Log in failed: ": "Innlogging feilet: ", - "Log in to enable cloud backup": "Logg inn for å aktivere skya-sikkerheitskopi", - "Log in with GitHub": "Logg inn med GitHub", - "Log in with GitHub to enable cloud package backup.": "Logg inn med GitHub for å aktivere skya-pakke-sikkerheitskopi.", - "Log level:": "Loggnivå:", - "Log out": "Logg ut", - "Log out failed: ": "Utlogging feilet: ", - "Log out from GitHub": "Logg ut frå GitHub", "Looking for packages...": "Ser etter pakkar...", "Machine | Global": "Maskin | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Feilformatterte kommandolinjeparametrar kan bryte pakkar, eller til og med tillate ein skadeleg aktør å få privilegert kjøring. Difor er import av tilpassa kommandolinjeparametrar deaktivert som standard.", - "Manage": "Handsamar", - "Manage UniGetUI settings": "Handsamar UniGetUI-innstillingar", "Manage WingetUI autostart behaviour from the Settings app": "Behandle autostartåtferd for WingetUI frå innstillingsappen", "Manage ignored packages": "Behandle ignorerte pakkar", - "Manage ignored updates": "Behandle ignorerte oppdateringar", - "Manage shortcuts": "Handsamar snarveiar", - "Manage telemetry settings": "Handsamar telemetri-innstillingar", - "Manage {0} sources": "Behandle {0} kjelder", - "Manifest": "Konfigurasjonsfil", "Manifests": "Konfigurasjonsfilar", - "Manual scan": "Manuell skanning", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft sin offisielle pakkehandterar. Full av velkjende og verifiserte pakkar
Inneheld: Generell programvare, Microsoft Store-appar", - "Missing dependency": "Manglar avhengigheit", - "More": "Meir", - "More details": "Fleire detaljar", - "More details about the shared data and how it will be processed": "Fleire detaljar om dei delte dataa og korleis dei vil bli handsama", - "More info": "Meir informasjon", - "More than 1 package was selected": "Meir enn 1 pakke vart vald", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "MERK: Denne feilsøkaren kan deaktiveringast frå UniGetUI-innstillingar, på WinGet-delen", - "Name": "Namn", - "New": "Ny", "New Version": "Ny versjon", - "New version": "Ny versjon", "New bundle": "Ny bundle", - "Nice! Backups will be uploaded to a private gist on your account": "Fint! Sikkerheitskopiar vil bli lasta opp til ein privat gist på kontoen din", - "No": "Nei", - "No applicable installer was found for the package {0}": "Ingen gjeldande installasjonsprogaramm vart funne for pakka {0}", - "No dependencies specified": "Ingen avhengigheiter spesifiserte", - "No new shortcuts were found during the scan.": "Ingen nye snarveiar vart funne under skanningen.", - "No package was selected": "Ingen pakke vart vald", "No packages found": "Ingen pakkar funne", "No packages found matching the input criteria": "Fann ingen pakkar som samsvarar med søkekriteriane", "No packages have been added yet": "Ingen pakkar er lagt til enda", "No packages selected": "Ingen pakkar er valt", - "No packages were found": "Ingen pakkar vart funne", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Ingen personleg informasjon blir samla eller sendt, og den samla dataa er anonymisert, så ho kan ikkje bli tilbakefølgd til deg.", - "No results were found matching the input criteria": "Ingen resultatar som matcha kriteria vart funne", "No sources found": "Ingen kjelder vart funne", "No sources were found": "Ingen kjelder har vorte funne", "No updates are available": "Ingen oppdaterinar tilgjengelege", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS sin pakkehandterer. Full av bibliotek og andre verktøy som svevar rundt i JavaScript-universet
Inneheld: Node.js-bibliotek og andre relaterte verktøy", - "Not available": "Ikkje tilgjengeleg", - "Not finding the file you are looking for? Make sure it has been added to path.": "Finn du ikkje fila du leit etter? Viss at ho har vorte lagt til stien.", - "Not found": "Ikkje funne", - "Not right now": "Ikkje akkurat no", "Notes:": "Notatar:", - "Notification preferences": "Varselinstillingar", "Notification tray options": "Innstillingar for varslingsområdet:", - "Notification types": "Varslingtypar", - "NuPkg (zipped manifest)": "NuPkg (zippa manifest)", - "OK": "Ok", "Ok": "Ok", - "Open": "Åpne", "Open GitHub": "Åpne GitHub", - "Open UniGetUI": "Opne UniGetUI", - "Open UniGetUI security settings": "Opne UniGetUI-tryggjingsinnstillingar", "Open WingetUI": "Opne WingetUI", "Open backup location": "Åpne backup-plasseringa", "Open existing bundle": "Opne eksisterande bundle", - "Open install location": "Opne installasjonsplassering", "Open the welcome wizard": "Åpne velkomstveiledaren", - "Operation canceled by user": "Operasjon avbroten av brukar", "Operation cancelled": "Handling avbroten", - "Operation history": "Handlingshistorikk", - "Operation in progress": "Handlingar som utførast", - "Operation on queue (position {0})...": "Handlinga er i køen (posisjon {0})...", - "Operation profile:": "Handlingsprofil:", "Options saved": "Innstillingar lagra", - "Order by:": "Sorter etter:", - "Other": "Andre", - "Other settings": "Andre innstillingar", - "Package": "Pakke", - "Package Bundles": "Pakkebundlar", - "Package ID": "Pakke-ID", "Package Manager": "Pakkehåndterar", - "Package manager": "Pakkehåndterar", - "Package Manager logs": "Pakkehandteringsloggar", - "Package Managers": "Pakkehåndterarar", "Package managers": "Pakkehåndterarar", - "Package Name": "Pakkenamn", - "Package backup": "Pakke-sikkerheitskopi", - "Package backup settings": "Innstillingar for pakke-sikkerheitskopi", - "Package bundle": "Pakkebundle", - "Package details": "Pakkedetaljar", - "Package lists": "Pakkelister", - "Package management made easy": "Pakkestyring gjort enkelt", - "Package manager preferences": "Innstillingar for pakkehandterar", - "Package not found": "Pakke vart ikkje funne", - "Package operation preferences": "Preferansar for pakkehandlingar", - "Package update preferences": "Preferansar for pakkeoppdateringar", "Package {name} from {manager}": "Pakke {name} frå {manager}", - "Package's default": "Pakkens standard", "Packages": "Pakkar", "Packages found: {0}": "Pakkar funne: {0}", - "Partially": "Delvis", - "Password": "Passord", "Paste a valid URL to the database": "Lim inn ein gyldig URL til databasen", - "Pause updates for": "Pause oppdateringar i", "Perform a backup now": "Utfør ein sikkerheitskopi no", - "Perform a cloud backup now": "Utfør ein skya-sikkerheitskopi no", - "Perform a local backup now": "Utfør ein lokal sikkerheitskopi no", - "Perform integrity checks at startup": "Utfør integritetssjekkar ved oppstart", - "Performing backup, please wait...": "Utførar sikkerheitskopi, venlegst vent...", "Periodically perform a backup of the installed packages": "Utfør ein sikkerheitskopi av dei installerte pakkane med jamne mellamrom", - "Periodically perform a cloud backup of the installed packages": "Utfør periodemessig ein skya-sikkerheitskopi av installerte pakkar", - "Periodically perform a local backup of the installed packages": "Utfør periodemessig ein lokal sikkerheitskopi av installerte pakkar", - "Please check the installation options for this package and try again": "Venlegst sjekk installasjonsvaline for denne pakka og prøv igjen", - "Please click on \"Continue\" to continue": "Venlegst klikk på \"Fortsett\" for å fortsette", "Please enter at least 3 characters": "Venlegst skriv inn minst 3 tekn", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Venlegst vær oppmerksam på at enkelte pakkar kan hende at ikkje er installerbare, på grunn av pakkehåndterarane som er aktivert på denne maskina.", - "Please note that not all package managers may fully support this feature": "Ver merksam på at ikkje alle pakkehåndterarar kan fullstendig støtte denne funksjonen", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Venlegst vær oppmerksam på at pakkar frå enkelte kjelder kan være at ikkje er eksporterbare. Dei er gråa ut, og kjem ikkje til å verte eksportert.", - "Please run UniGetUI as a regular user and try again.": "Venlegst køyr UniGetUI som ein vanlег brukar og prøv igjen.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Venlegst sjå på kommandolinje-outputen eller handlingshistorikken for meir informasjon om problemet.", "Please select how you want to configure WingetUI": "Venlegst vel korleis du vil konfigurere WingetUI", - "Please try again later": "Venlegst prøv igjen seinare", "Please type at least two characters": "Venlegst tast minst to tekn", - "Please wait": "Venlegst vent", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Venlegst vent medan {0} blir installert. Eit svart (eller blått) vindauge kan dukke opp. Venlegst vent til det lukkar seg.", - "Please wait...": "Venlegst vent...", "Portable": "Portabel", - "Portable mode": "Bærbar modus\n", - "Post-install command:": "Post-installasjonskommando:", - "Post-uninstall command:": "Post-avinstallasjonskommando:", - "Post-update command:": "Post-oppdateringskommando:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell sin pakkehandterar. Finn bibliotek og skript for å utvide PowerShell sine evnar
Inneheld: Modular, skript, cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre- og post-installasjonskommandoar kan gjere veldig skadelege ting med eininga di, viss dei er designa for det. Det kan vera veldig farleg å importere kommandoane frå ein bundle, med mindre du stolar på kjelden av den pakke-bundlen", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre- og post-installasjonskommandoar vil bli køyrte før og etter ein pakke blir installert, oppgradert eller avinstallert. Ver merksam på at dei kan bryte ting med mindre dei blir brukte med forsiktighet", - "Pre-install command:": "Pre-installasjonskommando:", - "Pre-uninstall command:": "Pre-avinstallasjonskommando:", - "Pre-update command:": "Pre-oppdateringskommando:", - "PreRelease": "Forhandsutgiving", - "Preparing packages, please wait...": "Forbereiar pakkar, venlegst vent...", - "Proceed at your own risk.": "Gå fram på eiga hand og risiko.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Forbyd alle former for høgninga via UniGetUI Elevator eller GSudo", - "Proxy URL": "Proxy-URL", - "Proxy compatibility table": "Proxy-kompatibilitetstabell", - "Proxy settings": "Proxy-innstillingar", - "Proxy settings, etc.": "Proxy-innstillingar, osv.", "Publication date:": "Publiseringsdato:", - "Publisher": "Utgjevar", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python sin pakkehandterer. Full av bibliotek og andre Python-relaterte verktøy
Inneheld: Python-bibliotek og andre relaterte verktøy", - "Quit": "Lukk", "Quit WingetUI": "Avslutt WingetUI", - "Ready": "Klar", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduser UAC-spørsmål, høgna installasjonar som standard, låst opp visse farefulle funksjonar, osv.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Sjå UniGetUI-loggane for å få fleire detaljar angåande dei påverka fil(ane)", - "Reinstall": "Installer på nytt", - "Reinstall package": "Installer pakke på nytt", - "Related settings": "Relaterte innstillingar", - "Release notes": "Utgivingsnotatar", - "Release notes URL": "URL for utgivingsnotatar", "Release notes URL:": "URL til utgivingsnotatar:", "Release notes:": "Utgivingsnotatar:", "Reload": "Last inn på ny", - "Reload log": "Last inn logg på ny", "Removal failed": "Fjerning feila", "Removal succeeded": "Suksessfull fjerning", - "Remove from list": "Fjern frå liste", "Remove permanent data": "Fjern permanente data", - "Remove selection from bundle": "Fjern utval frå bundle", "Remove successful installs/uninstalls/updates from the installation list": "Fjern vellykka installasjonar/avinstallasjonar/oppdateringar frå installasjonslista", - "Removing source {source}": "Fjernar kjelden {source}", - "Removing source {source} from {manager}": "Fjernar kjelde {source} frå {manager}", - "Repair UniGetUI": "Reparer UniGetUI", - "Repair WinGet": "Reparer WinGet", - "Report an issue or submit a feature request": "Si frå om ein feil eller send inn forslag til nye funksjonar", "Repository": "Lager", - "Reset": "Tilbakestill", "Reset Scoop's global app cache": "TIlbakestill Scoop sin globale app-buffer", - "Reset UniGetUI": "Nullstill UniGetUI", - "Reset WinGet": "Nullstill WinGet", "Reset Winget sources (might help if no packages are listed)": "Tilbakestill Winget-kjelder (kan hjelpe viss ingen pakkar visast)", - "Reset WingetUI": "Tilbakestill WingetUI", "Reset WingetUI and its preferences": "Tilbakestill WingetUI med tilhørande innstillingar", "Reset WingetUI icon and screenshot cache": "Tilbakestill WingetUI-ikonet og bufra skjermbildar", - "Reset list": "Nullstill liste", "Resetting Winget sources - WingetUI": "Nullstillar Winget-kjelder - WingetUI", - "Restart": "Start på nytt", - "Restart UniGetUI": "Start UniGetUI på nytt", - "Restart WingetUI": "Start WingetUI på ny", - "Restart WingetUI to fully apply changes": "Start WingetUI på ny for at alle endringane skal bli brukt", - "Restart later": "Start på ny seinare", "Restart now": "Start på ny no", - "Restart required": "Omstart krevst", "Restart your PC to finish installation": "Start PC-en på ny for å fullføre installasjonen", "Restart your computer to finish the installation": "Start datamaskina på ny for å fullføre installasjonen", - "Restore a backup from the cloud": "Gjenopprett ein sikkerheitskopi frå skya", - "Restrictions on package managers": "Avgrensingar på pakkehåndterarar", - "Restrictions on package operations": "Avgrensingar på pakkehandlingar", - "Restrictions when importing package bundles": "Avgrensingar ved import av pakke-bundlar", - "Retry": "Prøv igjen", - "Retry as administrator": "Prøv igjen som administrator", "Retry failed operations": "Prøv på nytt feilna operasjonar", - "Retry interactively": "Prøv på nytt interaktivt", - "Retry skipping integrity checks": "Prøv på nytt og hoppa over integritetssjekkar", "Retrying, please wait...": "Prøvar på ny, venlegst vent...", "Return to top": "Til toppen", - "Run": "Køyr", - "Run as admin": "Køyr som administrator", - "Run cleanup and clear cache": "Køyr opprensing og fjern buffer", - "Run last": "Køyr sist", - "Run next": "Køyr neste", - "Run now": "Køyr no", "Running the installer...": "Køyrar installasjonsprogrammet...", "Running the uninstaller...": "Køyrar avinstallasjonsprogrammet", "Running the updater...": "Køyrar oppdateringsprogrammet..", - "Save": "Lagre", "Save File": "Lagre fil", - "Save and close": "Lagre og lukk", - "Save as": "Lagre som", - "Save bundle as": "Lagre bundle som", - "Save now": "Lagre no", - "Saving packages, please wait...": "Lagrar pakkar, venlegst vent...", - "Scoop Installer - WingetUI": "Scoop-installasjonsprogram - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop-avinstallasjonsprogram - WingetUI", - "Scoop package": "Skoop-pakke", + "Save bundle as": "Lagre bundle som", + "Save now": "Lagre no", "Search": "Søk", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Søk etter skrivebordsprogramvare, åtvar meg når oppdateringar er tilgjengelege og ikkje gjer nerdete ting. Eg vil ikkje at WingetUI skal overkomplisere, eg vil berre ha ein enkel programvarebehandlar", - "Search for packages": "Søk etter pakkar", - "Search for packages to start": "Søk etter ein eller fleire pakkar for å starte", - "Search mode": "Søkemodus", "Search on available updates": "Søk etter tilgjengelege oppdateringar", "Search on your software": "Søk i din programvare", "Searching for installed packages...": "Søkar etter installerte pakkar...", "Searching for packages...": "Søkar etter pakkar...", "Searching for updates...": "Søkar etter oppdateringar...", - "Select": "Velj", "Select \"{item}\" to add your custom bucket": "Velj \"{item}\" for å legge til i din tilpassa bucket", "Select a folder": "Velj ei mappe", - "Select all": "Velj alle", "Select all packages": "Velj alle pakkar", - "Select backup": "Vel sikkerheitskopi", "Select only if you know what you are doing.": "Berre velj viss du veit kva du gjer", "Select package file": "Velj pakkefil", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vel sikkerheitskopien du vil opne. Seinare vil du kunne gjennomgå kva pakkar du vil installere.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vel kjørbar fil som skal brukast. Den følgjande lista viser kjørbare filer funne av UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vel prosessane som skal lukka før denne pakka blir installert, oppdatert eller avinstallert.", - "Select the source you want to add:": "Velj kjelden du ynskjer å legge til:", - "Select upgradable packages by default": "Vel oppgradeingsbare pakkar som standard", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Velj kva for pakkebehandlare som skal verte brukt ({0}), konfigurer korleis pakkar blir installert, behandle korleis administratorrettat handteras, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handtrykk sendt. Ventar på svar frå instanslyttaren... ({0}%)", - "Set a custom backup file name": "Velj eit eige namn for sikkerheitskopifila", "Set custom backup file name": "Velj eit eiga namn for sikkerhetskopifila", - "Settings": "Innstillingar", - "Share": "Del", "Share WingetUI": "Del WingetUI", - "Share anonymous usage data": "Del anonyme brukardata", - "Share this package": "Del denne pakka", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Viss du endrar tryggjingsinnstillingane må du opne bundlen igjen for at endringane skal få effekt.", "Show UniGetUI on the system tray": "Vis UniGetUI i systemfeltet", - "Show UniGetUI's version and build number on the titlebar.": "Vis UniGetUI si versjon på tittelbalken", - "Show WingetUI": "Vis WingetUI", "Show a notification when an installation fails": "Vis ei varsling når ein installasjon er mislykka", "Show a notification when an installation finishes successfully": "Vis ei varsling når ein installasjon blir fullført utan feil", - "Show a notification when an operation fails": "Vis ein varsling når ein operasjon feilar", - "Show a notification when an operation finishes successfully": "Vis ein varsling når ein operasjon er fullført", - "Show a notification when there are available updates": "Vis ei varsling når oppdateringar er tilgjengelege", - "Show a silent notification when an operation is running": "Vis ein stille varsling når ein operasjon køyrar", "Show details": "Vis detaljar", - "Show in explorer": "Vis i utforskar", "Show info about the package on the Updates tab": "Vis info om pakka under fana Oppdateringar", "Show missing translation strings": "Vis manglande omsettingsstrengar", - "Show notifications on different events": "Vis varslingar for ulike hendingar", "Show package details": "Vis pakkedetaljar", - "Show package icons on package lists": "Vis pakkeikon på pakkelister", - "Show similar packages": "Vis lignande pakkar", "Show the live output": "Vis utdata i sanntid", - "Size": "Storleik", "Skip": "Hopp over", - "Skip hash check": "Hopp over sjekk av hash", - "Skip hash checks": "Hopp over sjekka av hasj", - "Skip integrity checks": "Hopp over integritetssjekkar", - "Skip minor updates for this package": "Hopp over mindre oppdateringar for denne pakka", "Skip the hash check when installing the selected packages": "Hopp over sjekken av hash når valte pakkar blir installert", "Skip the hash check when updating the selected packages": "Hopp over sjekken av hash når valte pakkar blir oppdatert", - "Skip this version": "Hopp over denne versjonen", - "Software Updates": "Programvareoppdateringar", - "Something went wrong": "Noko gikk galt", - "Something went wrong while launching the updater.": "Noko gjekk gale ved oppstart av oppdateraren.", - "Source": "Kjelde", - "Source URL:": "Kilde-URL:", - "Source added successfully": "Kjelde lagd til med suksess", "Source addition failed": "Kunne ikkje legge til kjelde", - "Source name:": "Kjeldenamn:", "Source removal failed": "Fjerning av kjelde feila", - "Source removed successfully": "Kjelde fjerna med suksess", "Source:": "Kjelde:", - "Sources": "Kjelder", "Start": "Byrja", "Starting daemons...": "Startar bakgrunnsprosessar...", - "Starting operation...": "Startar handling...", "Startup options": "Innstillingar for oppstart", "Status": "Tilstand", "Stuck here? Skip initialization": "Kjem du ikkje vidare? Hopp over initialiseringa", - "Success!": "Suksess!", "Suport the developer": "Støtt utveklaren", "Support me": "Støtt meg", "Support the developer": "Støtt utveklaren", "Systems are now ready to go!": "Systema er no klare for bruk!", - "Telemetry": "Telemetri", - "Text": "Tekst", "Text file": "Tekstfil", - "Thank you ❤": "Takk ❤", "Thank you 😉": "Takk 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust-pakkehåndteraren.
Inneheld: Rust-bibliotek og program skrivne i Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Sikkerheitskopien kjem ikkje til å innehelde nokre binære filar eller programmar sine lagrede data", - "The backup will be performed after login.": "Sikkerheitskopien kjem til å bli utført etter innlogging", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Sikkerheitskopien kjem til å innehelde ein fullstendig liste over dei installerte pakkane og deira installasjonsval. Ignorerte oppdateringar og versjonar som har vorte hoppa over kjem også til å bli lagra.", - "The bundle was created successfully on {0}": "Bundlen vart opprett med suksess på {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Bundlen du forsøkar å laste ser ut til å vera ugyldig. Venlegst sjekk fila og prøv igjen.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Sjekksummen til installasjonsprogrammet stemmar ikkje overens med den forventa verdien, og autentisiteten til installasjonsprogrammet kan ikkje bekreftas. Viss du stolar på utgjevaren, {0} pakken igjen og hopp over hash-sjekken.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Den klassiske pakkehandteraren for Windows. Du kan finne alt der.
Inneheld: Generell programvare", - "The cloud backup completed successfully.": "Skya-sikkerheitskopien vart fullført med suksess.", - "The cloud backup has been loaded successfully.": "Skya-sikkerheitskopien vart lasta inn med suksess.", - "The current bundle has no packages. Add some packages to get started": "Nåverande bundle har ingen pakkar. Legg til pakkar for å setje i gong", - "The executable file for {0} was not found": "Kjørbar fil for {0} vart ikkje funne", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Dei følgjande vala vil bli brukte som standard kvar gong ein {0}-pakke blir installert, oppgradert eller avinstallert.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Føljande pakkar vil bli eksportert til ein JSON-fil. Ingen brukerdata eller binære filar kjem til å bli lagra.", "The following packages are going to be installed on your system.": "Føljande pakkar kjem til å bli installert på ditt system.", - "The following settings may pose a security risk, hence they are disabled by default.": "Dei følgjande innstillingane kan me ein tryggleiksfråfall, så dei er deaktiverte som standard.", - "The following settings will be applied each time this package is installed, updated or removed.": "Føljande innstillingar kjem til å bli brukt kvar gong denne pakken blir installert, oppdatert, eller fjerna.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Føljande innstillingar kjem til å bli påførd kvar gang denne pakken innstalleras, oppdateras, eller fjernas. Dei kjem til å bli lagra automatisk.", "The icons and screenshots are maintained by users like you!": "Ikonar og skjermbilde vedlikehaldast av brukare som deg!", - "The installation script saved to {0}": "Installasjonsskriptet vart lagra til {0}", - "The installer authenticity could not be verified.": "Autentisiteten til installasjonsprogram kunne ikkje blir stadfest.", "The installer has an invalid checksum": "Installasjonsprogrammets sjekksum er ugyldig", "The installer hash does not match the expected value.": "Installasjonsprogrammet hash matchar ikkje den forventa verdien.", - "The local icon cache currently takes {0} MB": "Det lokale ikonbufferet tek for tida {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Hovudmålet med dette prosjektet er å lage eit intuitivt grensesnitt for å administrere dei mest vanlege CLI-pakkehandterarane for Windows, til dømes Winget og Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Pakka «{0}» vart ikkje funne på pakkehåndteraren «{1}»", - "The package bundle could not be created due to an error.": "Pakke-bundlen kunne ikkje bli laga på grunn av ein feil.", - "The package bundle is not valid": "Pakke-bundlen er ikkje gyldig", - "The package manager \"{0}\" is disabled": "Pakkehåndteraren «{0}» er deaktivert", - "The package manager \"{0}\" was not found": "Pakkehåndteraren «{0}» vart ikkje funne", "The package {0} from {1} was not found.": "Pakka {0} frå {1} vart ikkje funne.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakkane i denne lista kjem ikkje til å bli tatt hensyn til ved sjekking etter oppdateringar. Dobbeltklikk på dei eller klikk på knappen til høgre for dei for å slutte å ignorere oppdateringa deira.", "The selected packages have been blacklisted": "Valte pakkar har blitt svartelista", - "The settings will list, in their descriptions, the potential security issues they may have.": "Innstillingane vil lista opp, i sine beskrivingarar, dei potensielle tryggleikspråfalla dei kan ha.", - "The size of the backup is estimated to be less than 1MB.": "Storleiken på sikkerheitskopien er estimert til å vere mindre enn 1MB.", - "The source {source} was added to {manager} successfully": "Kjelden {source} vart suksessfullt lagt til hos {manager}", - "The source {source} was removed from {manager} successfully": "Kjelden {source} vart suksessfullt fjerna frå {manager}", - "The system tray icon must be enabled in order for notifications to work": "Systemstatusfeltet-ikonet må vera aktivert for at varslingane skal virke", - "The update process has been aborted.": "Oppdateringsprosessen vart avbroten.", - "The update process will start after closing UniGetUI": "Oppdateringsprosessen vil starta etter at UniGetUI blir lukka", "The update will be installed upon closing WingetUI": "Oppdateringa kjem til å bli installert når du lukkar WingetUI", "The update will not continue.": "Oppdateringa kjem ikkje til å fortsetje.", "The user has canceled {0}, that was a requirement for {1} to be run": "Brukaren har avslått {0}, det var eit krav for at {1} skulle køyre", - "There are no new UniGetUI versions to be installed": "Det finst ingen nye UniGetUI-versjonar som skal installeras", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Det er mange pågåande operasjonar. Å avslutte WingetUI kan føre til at dei feilar. Vil du fortsetje?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Det finst nokre flotte videoar på YouTube som visar fram WingetUI og dets funksjonalitet. Du kan lære nyttige triks og tips!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Det er to hovudgrunnar til å ikkje køyre WingetUI som administrator: Den fyrste er at Scoop-pakkebehandlaren kan forårsake problemar med nokre kommandoer når han bli kjørt med administratorrettar. Den andre grunne er at å køyre WingetUI som administrator betyr at alle pakkane du lastar ned kjem til å bli køyrd som administrator (og dette er ikkje trygt). Husk at viss du treng å installere ein spesifikk pakke som administrator, kan du alltid høgreklikke på elementet -> Installer/Oppdater/Avinstaller som administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Det er ein feil med konfigurasjonen av pakkehåndteraren «{0}»", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Ein installasjon utførast. Viss du lukkar WingetUI, kan installasjonen feile og gje uventa resultatar. Vil du framleis avslutte WIngetUI?", "They are the programs in charge of installing, updating and removing packages.": "Dei er programmar som er ansvarlege for å installere, oppdatere, og fjerne pakkar.", - "Third-party licenses": "Tredjepartslisensar", "This could represent a security risk.": "Dette kan medføre ein sikkerheitsrisiko.", - "This is not recommended.": "Dette blir ikkje tilrådd.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Dette er meist sannsynleg fordi pakken du fikk tilsendt er fjerna, eller er publisert på ein pakkehandterar du ikkje har aktivert. Mottatt ID er {0}", "This is the default choice.": "Dette er standardvalet.", - "This may help if WinGet packages are not shown": "Dette kan hjelpe viss WinGet-pakkar ikkje visast", - "This may help if no packages are listed": "Dette kan hjelpe viss ingen pakkar blir lista opp", - "This may take a minute or two": "Dette kan ta nokre få minutt", - "This operation is running interactively.": "Denne handlinga køyrer interaktivt.", - "This operation is running with administrator privileges.": "Denne handlinga køyrer med administratorrettar.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Dette valet VIL medføre problem. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denne pakke-bundlen hadde nokre innstillingar som potensielt kan vera farefulle, og kan bli ignorerte som standard.", "This package can be updated": "Denne pakken kan bli oppdatert", "This package can be updated to version {0}": "Denne pakken kan bli oppdatert til versjon {0}", - "This package can be upgraded to version {0}": "Denne pakka kan bli oppgradert til versjon {0}", - "This package cannot be installed from an elevated context.": "Denne pakka kan ikkje bli installert frå ein høgna kontekst.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denne pakka har ingen skjermbilde eller manglar eit ikon? Bidra til WingetUI ved å leggje til dei manglande ikona og skjermbilda til vår opne, offentlege database.", - "This package is already installed": "Denne pakken er allereie installert", - "This package is being processed": "Denne pakken behandlas", - "This package is not available": "Denne pakka er ikkje tilgjengeleg", - "This package is on the queue": "Denne pakken er i køen", "This process is running with administrator privileges": "Denne prosessen køyrar med administratorrettar", - "This project has no connection with the official {0} project — it's completely unofficial.": "Dette prosjektet har ingen kopling til det offisielle {0}-prosjektet - det er fullstendig uoffisielt.", "This setting is disabled": "Denne innstillinga er deaktivert", "This wizard will help you configure and customize WingetUI!": "Denne vegvisaren vil hjelpe deg med å konfigurere og tilpasse WingetUI!", "Toggle search filters pane": "Skru av/på panelet for søkefilter", - "Translators": "Omsettare", - "Try to kill the processes that refuse to close when requested to": "Forsøk å doda dei prosessane som nektar av lukke seg når dei blir bedt om det", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Om du slår dette på kan du endra kjørbar fil som blir brukt til å samhandle med pakkehåndterarar. Medan dette tillat finare tilpassingar av instalasjonsplassane dine, kan det og vera farleg", "Type here the name and the URL of the source you want to add, separed by a space.": "Skriv inn namn og URL til kjelden du vil legge til her, skilt av mellomrom.", "Unable to find package": "Kan ikkje finne pakka", "Unable to load informarion": "Kan ikkje laste informasjon", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI samlar anonyme brukardata for å forbetre brukarerfaringa.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI samlar anonyme brukardata med det einaste formålet å forstå og forbetre brukarerfaringa.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har oppdaga ein ny skrivebordssnarveie som kan bli sletta automatisk.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har oppdaga dei følgjande skrivebordssnarveiane som kan bli fjerna automatisk på framtidige oppgraderingar", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har oppdaga {0} nye skrivebordssnarveiar som kan bli sletta automatisk.", - "UniGetUI is being updated...": "UniGetUI blir oppdatert...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGet UI er ikkje knytta til nokon av dei kompatible pakkehandterarne. UniGetUI er eit uavhengig prosjekt.", - "UniGetUI on the background and system tray": "UniGetUI i bakgrunnen og systemstatusfeltet", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller nokre av komponenta hans manglar eller er øydelagde.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI krev {0} for å virke, men det vart ikkje funne på systemet ditt.", - "UniGetUI startup page:": "UniGetUI-startsida:", - "UniGetUI updater": "UniGetUI-oppdaterar", - "UniGetUI version {0} is being downloaded.": "UniGetUI versjon {0} blir lasta ned.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} er klar til å bli installert.", - "Uninstall": "Avinstaller", - "uninstall": "avinstaller", - "Uninstall Scoop (and its packages)": "Avinstaller Scoop (og alle tilhørande pakkar)", "Uninstall and more": "Avinstallasjon og meir", - "Uninstall and remove data": "Avinstaller og fjern data", - "Uninstall as administrator": "Avinstaller som administrator", "Uninstall canceled by the user!": "Avinstallasjon avbroten av brukaren!", - "Uninstall failed": "Avinstallering feila", - "Uninstall options": "Avinstallasjonsval", - "Uninstall package": "Avinstaller pakka", - "Uninstall package, then reinstall it": "Avinstaller pakka, og så reinstaller han", - "Uninstall package, then update it": "Avinstaller pakka, og so oppdater ho", - "Uninstall previous versions when updated": "Avinstaller tidlegare versjonar når dei blir oppdatera", - "Uninstall selected packages": "Avinstaller valte pakkar", - "Uninstall selection": "Avinstaller utval", - "Uninstall succeeded": "Suksessfull avinstallering", "Uninstall the selected packages with administrator privileges": "Avinstaller dei valte pakkane med administratorrettar", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Avinstallerbare pakkar med opprinninga oppført som \"{0}\" er ikkje publisert på nokon pakkebehandlar, så det finnest ingen informasjon tilgjengeleg for visning.", - "Unknown": "Ukjend", - "Unknown size": "Ukjent storleik", - "Unset or unknown": "Ikkje sett eller ukjend", - "Up to date": "Oppdatert", - "Update": "Uppdater", - "Update WingetUI automatically": "Oppdater WingetUI automatisk", - "Update all": "Oppdater alle", "Update and more": "Oppdatering og meir", - "Update as administrator": "Oppdater som administrator", - "Update check frequency, automatically install updates, etc.": "Frekvens for oppdateringskontroll, installer oppdateringar automatisk, osv.", - "Update checking": "Oppdateringskontroll", "Update date": "Oppdateringsdato", - "Update failed": "Oppdatering feila", "Update found!": "Oppdatering funne!", - "Update now": "Oppdater no", - "Update options": "Oppdateringsval", "Update package indexes on launch": "Oppdater pakkeindeksar ved oppstart", "Update packages automatically": "Oppdater pakkar automatisk", "Update selected packages": "Oppdater valte pakkar", "Update selected packages with administrator privileges": "Oppdater valte pakkar med administratorrettar", - "Update selection": "Oppdater utval", - "Update succeeded": "Suksessfull oppdatering", - "Update to version {0}": "Oppdater til versjon {0}", - "Update to {0} available": "Oppdatering for {0} er tilgjengeleg", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Oppdater vcpkg sine Git portfiles automatisk (krev Git installert)", "Updates": "Oppdateringar", "Updates available!": "Oppdateringar er tilgjengelege!", - "Updates for this package are ignored": "Oppdateringar for denne pakka er ignorert", - "Updates found!": "Oppdateringar funne!", "Updates preferences": "Oppdateringsinnstillingar", "Updating WingetUI": "Oppdaterar WingetUI", "Url": "Nettadresse", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Bruk gamle bundla WinGet i staden for PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Bruk eit eigendefinert ikon og ein eigendefinert URL til databasen", "Use bundled WinGet instead of PowerShell CMDlets": "Bruk bundla WinGet i staden for PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Bruk bundla WinGet i staden for systemets WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Bruk installert GSudo i staden for UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Bruk systemets installerte GSudo i staden for den medføljande (krevar omstart av programmet)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Bruk legacy UniGetUI Elevator (kan vera nyttig viss du har problem med UniGetUI Elevator)", - "Use system Chocolatey": "Bruk systemet Chocolatey", "Use system Chocolatey (Needs a restart)": "Bruk systemets Chocolatey (Omstart krevst)", "Use system Winget (Needs a restart)": "Bruk systemets Winget (Omstart krevst)", "Use system Winget (System language must be set to english)": "Bruk systemets Winget (Systemspråket må være satt til engelsk)", "Use the WinGet COM API to fetch packages": "Bruk WinGet sitt COM-API for å hente pakkar", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Bruk WinGet-PowerShell-modulen i staden for WinGet-COM-APIet", - "Useful links": "Nyttige lenkar", "User": "Brukar", - "User interface preferences": "Alternativar for brukargrensesnitt", "User | Local": "Brukar | Lokal", - "Username": "Brukarnamn", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Å bruke WingetUI medførar at du aksepterar lisensen GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Bruk av UniGetUI inneber å godta MIT-lisensen", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg-rota vart ikkje funne. Venlegst definer %VCPKG_ROOT%-miljøvariabelen eller definer ho frå UniGetUI-innstillingar", "Vcpkg was not found on your system.": "Vcpkg vart ikkje funne på systemet ditt.", - "Verbose": "Uttømmande", - "Version": "Versjon", - "Version to install:": "Versjon å installere:", - "Version:": "Versjon:", - "View GitHub Profile": "Vis GitHub-profil", "View WingetUI on GitHub": "Vis WingetUI på GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Vis WingetUI sin kjeldekode. Herfrå kan du rapportere feil eller foreslå ny funksjonalitet. Du kan også bidra direkte til WingetUI-prosjektet", - "View mode:": "Visningsmodus:", - "View on UniGetUI": "Sjå på UniGetUI", - "View page on browser": "Vis sida i nettlesaren", - "View {0} logs": "Sjå {0}-logger", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vent til eininga er kopla til internett før du forsøk å utføre oppgåver som krev internettsamband.", "Waiting for other installations to finish...": "Venter på at andre installasjonar skal fullførast...", "Waiting for {0} to complete...": "Ventar på at {0} skal bli fullført...", - "Warning": "Åtvaring", - "Warning!": "Åtvaring!", - "We are checking for updates.": "Me er av sjekk for oppdateringar.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Vi kunne ikkje laste inn detaljert informasjon om denne pakken, ettersom han ikkje var funne i nokon av dine pakkekjelder", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Vi kunne ikkje laste inn detaljert informasjon denne pakka, fordi han ikkje var installert frå ein tilgjengeleg pakkebehandlar", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Vi kunne ikkje {action} {package}. Venlegst prøv igjen seinare. Klikk på \"{showDetails}\" for å vise loggane frå installasjonsprogrammet.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Vi kunne ikkje {action} {package}. Venlegst prøv igjen seinare. Klikk på \"{showDetails}\" for å vise loggane frå avinstallasjonsprogrammet.", "We couldn't find any package": "Vi kunne ikkje finne nokon pakkje", "Welcome to WingetUI": "Velkommen til WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Når dei installerar pakkar frå ein bundle i batch, installer og pakkar som alt er installerte", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Når nye snarveiar blir oppdaga, slette dei automatisk i staden for å visa denne dialogen.", - "Which backup do you want to open?": "Kva sikkerheitskopi vil du opne?", "Which package managers do you want to use?": "Kva for pakkehandterare ynskjer du å bruke?", "Which source do you want to add?": "Kva for kjelde ynskjer du å legge til?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Mens Winget kan bli brukt i WingetUI, kan WingetUI også bli brukt med andre pakkehandterarar, som kan være forvirrande. Før var WingerUI berre laga for å fungere med Winget, men dette stemmar ikkje lenger, og difor representerar ikkje WingetUI kva dette prosjektet har som mål å bli.", - "WinGet could not be repaired": "WinGet kunne ikkje bli reparert", - "WinGet malfunction detected": "WinGet-mangel oppdaga", - "WinGet was repaired successfully": "WinGet vart reparert med suksess", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Alt er oppdatert", "WingetUI - {0} updates are available": "WingetUI - {0} oppdateringar er tilgjengelege", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI - Heimeside", "WingetUI Homepage - Share this link!": "WingetUI sin heimeside - Del denne lenka!", - "WingetUI License": "WingetUI - Lisens", - "WingetUI log": "Logg for WingetUI", - "WingetUI Repository": "WingetUI - Repository", - "WingetUI Settings": "Innstillingar for WingetUI", "WingetUI Settings File": "Innstillingsfil for WingetUI", - "WingetUI Log": "WingetUI-logg", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI brukar føljande bibliotek. Utan dei ville ikkje WingetUI ha vore mogleg.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI brukar føljande bibliotek. Utan dei ville ikkje WingetUI ha vore mogleg.", - "WingetUI Version {0}": "WingetUI versjon {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI sin autostartoppførsel, innstillingar for oppstart", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI kan sjekke om programvaren din har tilgjengelege oppdateringar, og installere dei automatisk viss du vil", - "WingetUI display language:": "WingetUI sitt visningsspråk:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI blir køyrd som administrator, noko som ikkje anbefalast. Når du køyrer WingetUI som administrator, får ALLE programmar som WingetUI startar administratortillatingar. Du kan fortfarande bruke programmet, men vi anbefalar på det sterkaste å ikke køyre WingetUI med administratortillatingar.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI har blitt omsett til meir enn 40 språk takka vere frivillige omsetjare. Takk 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI er ikkje atuomatisk omsett. Føljande brukare var vore ansvarlege for omsettingane:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI er ein applikasjon som forenklar handtering av programvare, ved å tilby eit alt-i-eitt grafisk grensesnitt for kommandolinjepakkehandterarane dine.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI byttar namn for å tydeleggjere forskjellen mellom WingetUI (grensesnittet du brukar nett no) og Winget (ein pakkehandterar utvikla av Microsoft som eg ikkje har nokon tilkobling til)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI blir oppdatert. Når oppdateringa er ferdig startar WingetUI på ny", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI er gratis, og kjem til å forbli gratis til evig tid. Ingen reklame, ingen kredittkort, ingen premiumversjon. 100% gratis, for alltid.", + "WingetUI log": "Logg for WingetUI", "WingetUI tray application preferences": "Val for UniGetUI sin bruk av systemfeltet", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI brukar føljande bibliotek. Utan dei ville ikkje WingetUI ha vore mogleg.", "WingetUI version {0} is being downloaded.": "WingetUI versjon {0} blir lasta ned.", "WingetUI will become {newname} soon!": "WingetUI kjem til å bli til {newname} snart!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI kjem ikkje til å sjekke etter oppdaterinar periodisk. Det kjem fortatt til å bli sjekka ved oppstart, men du kjem ikkje til å bli åtvart om dei.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI kjem til å vise eit UAC-prompt kvar gong ein pakke krev administratorrettar for å installerast.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI kjem snart til å bytte namn til {newname}. Dette kjem ikkje til å føre til endringar i applikasjonen. Eg (utveklaren) kjem til å fortsetje utveklinga av dette prosjektet slik som eg gjer no, men under et anna namn.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI hadde ikkje vore mogleg uten hjelp frå våre kjære bidragsytare. Sjekk ut GitHub-profilane deira, WingetUI ville ikkje vore mogleg utan dei!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ville ikkje vore mogleg uten hjelp frå alle bidragsytarane. Takk alle saman🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} er klar for installering.", - "Write here the process names here, separated by commas (,)": "Skriv her prosessnamna, separerte med komma (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Du er innlogga som {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Du kan endra denne åtferda på UniGetUI-tryggjingsinnstillingar.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definer kommandoane som vil bli køyrte før eller etter denne pakka blir installert, oppdatert eller avinstallert. Dei vil bli køyrte på ein kommandoleie, så CMD-skript vil virke her.", - "You have currently version {0} installed": "No har du versjon {0} installert", - "You have installed WingetUI Version {0}": "Du har installert WingetUI versjon {0}", - "You may lose unsaved data": "Du kan miste ulagra data", - "You may need to install {pm} in order to use it with WingetUI.": "Du må kanskje installere {pm} for å bruke det med WingetUI.", "You may restart your computer later if you wish": "Du kan starte datamaskina på ny seinare viss du ynskjer det", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Du vil berre bli bedt om å gje administratorrettar ein gong, og rettane kjem til å bli gitt til pakkar som ber om det.", "You will be prompted only once, and every future installation will be elevated automatically.": "Du vil berre bli bedd om å gje administratorrettar ein gong, og alle framtidige installasjoner kjem til å bli gitt rettar automatisk.", - "You will likely need to interact with the installer.": "Du vil truleg måtta samhandle med installasjonsprogram.", - "[RAN AS ADMINISTRATOR]": "KØYRTE SOM ADMINISTRATOR", "buy me a coffee": "spander ein kopp kaffi på meg", - "extracted": "utpakka", - "feature": "funksjon", "formerly WingetUI": "tidlegare WingetUI", + "homepage": "heimeside", + "install": "installer", "installation": "installasjon", - "installed": "installert", - "installing": "installerar", - "library": "bibliotek", - "mandatory": "obligatorisk", - "option": "val", - "optional": "valfritt", + "uninstall": "avinstaller", "uninstallation": "avinstallasjon", "uninstalled": "avinstallert", - "uninstalling": "avinstallerar", "update(noun)": "oppdatering", "update(verb)": "oppdatere", "updated": "oppdatert", - "updating": "oppdaterar", - "version {0}": "versjon {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Installasjonsval er for tida låste fordi {0} følgjer standardinstallasjonsvaline.", "{0} Uninstallation": "{0} Avinstallasjon", "{0} aborted": "{0} avbroten", "{0} can be updated": "{0} kan bli oppdatert", - "{0} can be updated to version {1}": "{0} kan bli oppdatert til versjon {1}", - "{0} days": "{0} dagar", - "{0} desktop shortcuts created": "{0} skrivebordssnarveiar oppretta", "{0} failed": "{0} feila", - "{0} has been installed successfully.": "{0} har vorte installert med suksess.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} har vorte installert med suksess. Det blir tilrådd å starte UniGetUI på nytt for å fullføre installasjonen", "{0} has failed, that was a requirement for {1} to be run": "{0} har festa, det var eit krav for at {1} skulle køyre", - "{0} homepage": "{0} si heimeside", - "{0} hours": "{0} timar", "{0} installation": "{0}-installasjon", - "{0} installation options": "{0} sine installasjonsval", - "{0} installer is being downloaded": "{0} installasjonsprogram blir lasta ned", - "{0} is being installed": "{0} blir installert", - "{0} is being uninstalled": "{0} blir avinstallert", "{0} is being updated": "{0} blir oppdatert", - "{0} is being updated to version {1}": "{0} blir oppdatert til versjon {1}", - "{0} is disabled": "{0} er deaktivert", - "{0} minutes": "{0} minutt", "{0} months": "{0} månader", - "{0} packages are being updated": "{0} pakkar blir oppdatert", - "{0} packages can be updated": "{0} pakkar kan bli oppdatert", "{0} packages found": "{0} pakkar funne", "{0} packages were found": "{0} pakkar varte funne", - "{0} packages were found, {1} of which match the specified filters.": "{0} pakkar var funne, av dei matcha {1} dine filter.", - "{0} selected": "{0} vald", - "{0} settings": "{0} innstillingar", - "{0} status": "{0}-tilstand", "{0} succeeded": "{0} lykkest", "{0} update": "{0}-oppdatering", - "{0} updates are available": "{0} oppdateringar er tilgjengelege", "{0} was {1} successfully!": "{0} blei {1} utan feil!", "{0} weeks": "{0} veker", "{0} years": "{0} år", "{0} {1} failed": "{0} {1} feila", - "{package} Installation": "{package} Installasjon", - "{package} Uninstall": "{package} Avinstaller", - "{package} Update": "{package} Oppdater", - "{package} could not be installed": "{package} kunne ikkje bli installert", - "{package} could not be uninstalled": "{package} kunne ikkje bli avinstallert", - "{package} could not be updated": "{package} kunne ikkje bli oppdatert", "{package} installation failed": "Installasjon av {package} feila", - "{package} installer could not be downloaded": "{package} installasjonsprogram kunne ikkje bli lasta ned", - "{package} installer download": "{package} installasjonsprogram nedlasting", - "{package} installer was downloaded successfully": "{package} installasjonsprogram vart lasta ned med suksess", "{package} uninstall failed": "Avinstallasjon av {package} feila", "{package} update failed": "Oppdatering av {package} feila", "{package} update failed. Click here for more details.": "Oppdatering av {package} feila. Klikk her for fleire detaljar.", - "{package} was installed successfully": "{package} vart suksessfullt installert", - "{package} was uninstalled successfully": "{package} vart suksessfullt avinstallert", - "{package} was updated successfully": "{package} vart suksessfullt oppdatert", - "{pcName} installed packages": "{pcName}: Installerte pakkar", "{pm} could not be found": "{pm} kunne ikkje bli funne", "{pm} found: {state}": "{pm} funne: {state}", - "{pm} is disabled": "{pm} er deaktivert", - "{pm} is enabled and ready to go": "{pm} er aktivert og klar for bruk", "{pm} package manager specific preferences": "Innstillingar som er spesifikke for {pm}-pakkehandteraren", "{pm} preferences": "Innstillingar for {pm}", - "{pm} version:": "{pm} versjon:", - "{pm} was not found!": "{pm} vart ikkje funne!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hei, mitt navn er Martí, og eg er utveklaren som står bak WingetUI. WingetUI har utelukkande vore utvekla på fritida mi!", + "Thank you ❤": "Takk ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Dette prosjektet har ingen kopling til det offisielle {0}-prosjektet - det er fullstendig uoffisielt." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pl.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pl.json index 1f3555b103..b59b8ee2f4 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pl.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pl.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operacja w toku", + "Please wait...": "Proszę czekać...", + "Success!": "Sukces!", + "Failed": "Niepowodzenie", + "An error occurred while processing this package": "Wystąpił błąd podczas przetwarzania tego pakietu", + "Log in to enable cloud backup": "Zaloguj się, aby umożliwić tworzenie kopii zapasowych w chmurze", + "Backup Failed": "Wykonanie kopii zapasowej nie powiodło się", + "Downloading backup...": "Pobieranie kopii zapasowej...", + "An update was found!": "Znaleziono aktualizację!", + "{0} can be updated to version {1}": "{0} może być zaktualizowany do wersji {1}", + "Updates found!": "Znaleziono aktualizacje!", + "{0} packages can be updated": "{0} pakietów może zostać zaktualizowanych", + "You have currently version {0} installed": "Aktualnie masz zainstalowaną wersję {0}", + "Desktop shortcut created": "Stworzono skrót na pulpicie", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI wykrył nowy skrót na pulpicie, który można automatycznie usunąć.", + "{0} desktop shortcuts created": "Utworzono {0} skrótów na pulpicie", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI wykrył {0} nowych skrótów na pulpicie, które mogą zostać automatycznie usunięte.", + "Are you sure?": "Na pewno?", + "Do you really want to uninstall {0}?": "Czy na pewno chcesz odinstalować {0}?", + "Do you really want to uninstall the following {0} packages?": "Na pewno chcesz usunąć {0} pakietów?", + "No": "Nie", + "Yes": "Tak", + "View on UniGetUI": "Zobacz w UniGetUI", + "Update": "Zaktualizuj", + "Open UniGetUI": "Otwórz UniGetUI", + "Update all": "Zaktualizuj wszystko", + "Update now": "Zaktualizuj teraz", + "This package is on the queue": "Ten pakiet jest w kolejce", + "installing": "instalowanie", + "updating": "aktualizacja", + "uninstalling": "odinstalowywanie", + "installed": "zainstalowano", + "Retry": "Ponów", + "Install": "Zainstaluj", + "Uninstall": "Odinstaluj", + "Open": "Otwórz", + "Operation profile:": "Profil czynności:", + "Follow the default options when installing, upgrading or uninstalling this package": "Wykorzystuj domyślne ustawienia podczas instalacji, aktualizacji lub dezinstalacji tego pakietu", + "The following settings will be applied each time this package is installed, updated or removed.": "Poniższe ustawienia będą stosowane za każdym razem, gdy pakiet zostanie instalowany, aktualizowany lub usuwany.", + "Version to install:": "Wersja do instalacji:", + "Architecture to install:": "Architektura do instalacji:", + "Installation scope:": "Zakres instalacji:", + "Install location:": "Miejsce instalacji:", + "Select": "Wybierz", + "Reset": "Zresetuj", + "Custom install arguments:": "Niestandardowe argumenty instalacji:", + "Custom update arguments:": "Niestandardowe argumenty aktualizacji:", + "Custom uninstall arguments:": "Niestandardowe argumenty dezinstalacji:", + "Pre-install command:": "Komenda przedinstalacyjna:", + "Post-install command:": "Komenda poinstalacyjna:", + "Abort install if pre-install command fails": "Przerwij instalację, jeśli wykonanie komendy przedinstalacyjnej zakończy się niepowodzeniem", + "Pre-update command:": "Komenda przedaktualizacyjna:", + "Post-update command:": "Komenda poaktualizacyjna:", + "Abort update if pre-update command fails": "Przerwij aktualizację, jeśli wykonanie komendy przedaktualizacyjnej zakończy się niepowodzeniem", + "Pre-uninstall command:": "Komenda przeddezinstalacyjna:", + "Post-uninstall command:": "Komenda podezintalacyjna:", + "Abort uninstall if pre-uninstall command fails": "Przerwij dezinstalację, jeśli wykonanie komendy przeddezinstalacyjnej zakończy się niepowodzeniem", + "Command-line to run:": "Polecenie do wykonania:", + "Save and close": "Zapisz i zamknij", + "Run as admin": "Uruchom jako administrator", + "Interactive installation": "Interaktywna instalacja", + "Skip hash check": "Pomiń weryfikacje hash'a", + "Uninstall previous versions when updated": "Odinstaluj poprzednie wersje po aktualizacji", + "Skip minor updates for this package": "Pomiń drobne aktualizacje dla tego pakietu", + "Automatically update this package": "Automatycznie aktualizuj ten pakiet", + "{0} installation options": "{0} - opcje instalacji", + "Latest": "Najnowsza", + "PreRelease": "Wersja przedpremierowa", + "Default": "Domyślne", + "Manage ignored updates": "Zarządzaj ignorowanymi aktualizacjami", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakiety wymienione tutaj nie będą brane pod uwagę podczas sprawdzania aktualizacji. Kliknij je dwukrotnie lub kliknij przycisk po ich prawej stronie, aby przestać ignorować ich aktualizacje.", + "Reset list": "Zresetuj listę", + "Package Name": "Nazwa pakietu", + "Package ID": "ID pakietu", + "Ignored version": "Ignorowane wersje", + "New version": "Nowa wersja", + "Source": "Źródło", + "All versions": "Wszystkie wersje", + "Unknown": "Brak informacji", + "Up to date": "Aktualny", + "Cancel": "Anuluj", + "Administrator privileges": "Uprawnienia administratora", + "This operation is running with administrator privileges.": "Ta operacja jest wykonywana z uprawnieniami administratora.", + "Interactive operation": "Interaktywna operacja", + "This operation is running interactively.": "Operacja ta jest wykonywana interaktywnie.", + "You will likely need to interact with the installer.": "Prawdopodobnie konieczna będzie interakcja z instalatorem.", + "Integrity checks skipped": "Pominięto sprawdzanie spójności", + "Proceed at your own risk.": "Postępuj na własne ryzyko.", + "Close": "Zamknij", + "Loading...": "Ładowanie...", + "Installer SHA256": "SHA256 instalatora", + "Homepage": "Strona główna", + "Author": "Autor", + "Publisher": "Wydawca", + "License": "Licencja", + "Manifest": "Manifest pakietu", + "Installer Type": "Typ instalatora", + "Size": "Rozmiar", + "Installer URL": "Adres URL instalatora", + "Last updated:": "Ostatnia aktualizacja:", + "Release notes URL": "Adres URL informacji o wydaniu", + "Package details": "Szczegóły pakietu", + "Dependencies:": "Zależności:", + "Release notes": "Informacje o wydaniu", + "Version": "Wersja", + "Install as administrator": "Zainstaluj jako administrator", + "Update to version {0}": "Zaktualizuj do wersji {0}", + "Installed Version": "Zainstalowana wersja", + "Update as administrator": "Zaktualizuj jako administrator", + "Interactive update": "Interaktywna aktualizacja", + "Uninstall as administrator": "Odinstaluj jako administrator", + "Interactive uninstall": "Interaktywna deinstalacja", + "Uninstall and remove data": "Odinstaluj i usuń dane", + "Not available": "Niedostępne", + "Installer SHA512": "SHA512 instalatora", + "Unknown size": "Nieznany rozmiar", + "No dependencies specified": "Brak wymienionych zależności", + "mandatory": "obowiązkowe", + "optional": "opcjonalne", + "UniGetUI {0} is ready to be installed.": "UniGetUI w wersji {0} jest gotowy do zainstalowania.", + "The update process will start after closing UniGetUI": "Proces aktualizacji rozpocznie się po zamknięciu UniGetUI", + "Share anonymous usage data": "Udostępnij anonimowe dane o użytkowaniu", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI zbiera anonimowe dane dotyczące użytkowania w celu poprawy doświadczeń użytkownika.", + "Accept": "Akceptuj", + "You have installed WingetUI Version {0}": "Zainstalowano UniGetUI w wersji {0}", + "Disclaimer": "Zastrzeżenie", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nie jest powiązany z żadnym z kompatybilnych menedżerów pakietów. UniGetUI jest niezależnym projektem.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI nie powstałby bez pomocy kontrybutorów. Dziękuję wam wszystkim 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI używa poniższych bibliotek. Bez nich UniGetUI by nie powstał.", + "{0} homepage": "Strona domowa {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI został przetłumaczony na ponad 40 języków dzięki tłumaczom-wolontariuszom. Dziękuję 🤝", + "Verbose": "Wyczerpujący", + "1 - Errors": "1 - Błędy", + "2 - Warnings": "2 - Ostrzeżenia", + "3 - Information (less)": "3 - Informacje (mniej)", + "4 - Information (more)": "4 - Informacje (więcej)", + "5 - information (debug)": "5 - Informacje (debug)", + "Warning": "Ostrzeżenie", + "The following settings may pose a security risk, hence they are disabled by default.": "Poniższe ustawienia mogą stanowić zagrożenie, więc domyślnie są dezaktywowane.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Włącz poniższe ustawienia TYLKO WTEDY, GDY w pełni rozumiesz, jak działają, oraz jakie mogą wywołać konsekwencje i zagrożenia.", + "The settings will list, in their descriptions, the potential security issues they may have.": "W opisach ustawień zostaną wymienione potencjalne problemy związane z bezpieczeństwem, które mogą one powodować.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Kopia zapasowa będzie zawierać pełną listę zainstalowanych pakietów i ich opcji instalacji. Zapisane zostaną również zignorowane aktualizacje i pominięte wersje.", + "The backup will NOT include any binary file nor any program's saved data.": "Kopia zapasowa NIE będzie zawierać żadnych plików binarnych ani zapisanych danych programu.", + "The size of the backup is estimated to be less than 1MB.": "Rozmiar kopii zapasowej jest szacowany na mniej niż 1MB.", + "The backup will be performed after login.": "Kopia zapasowa zostanie wykonana po zalogowaniu.", + "{pcName} installed packages": "{pcName} ma zainstalowanych pakietów", + "Current status: Not logged in": "Obecny status: Niezalogowany", + "You are logged in as {0} (@{1})": "Zalogowano jako {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Świetnie! Kopie zapasowe zostaną przesłane do prywatnego gistu na Twoim koncie.", + "Select backup": "Wybierz kopię zapasową", + "WingetUI Settings": "Ustawienia UniGetUI", + "Allow pre-release versions": "Zezwól na wersje wczesnego dostępu", + "Apply": "Zastosuj", + "Go to UniGetUI security settings": "Przejdź do ustawień bezpieczeństwa UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Następujące opcje będą stosowane domyślnie za każdym razem, gdy pakiet {0} zostanie zainstalowany, zaktualizowany lub odinstalowany.", + "Package's default": "Domyślne ustawienia pakietu", + "Install location can't be changed for {0} packages": "Nie można zmienić lokalizacji instalacji dla {0} pakietów.", + "The local icon cache currently takes {0} MB": "Pamięć podręczna ikon obecnie zajmuje {0} MB", + "Username": "Nazwa użytkownika", + "Password": "Hasło", + "Credentials": "Poświadczenia", + "Partially": "Częściowo", + "Package manager": "Menedżer pakietów", + "Compatible with proxy": "Kompatybilny z proxy", + "Compatible with authentication": "Zgodny z uwierzytelnianiem", + "Proxy compatibility table": "Tabela zgodności serwerów proxy", + "{0} settings": "Ustawienia {0}", + "{0} status": "Status {0}", + "Default installation options for {0} packages": "Domyślne opcje instalacji dla {0} pakietów", + "Expand version": "Rozwiń wersję", + "The executable file for {0} was not found": "Plik wykonywalny dla {0} nie został odnaleziony", + "{pm} is disabled": "{pm} jest wyłączony", + "Enable it to install packages from {pm}.": "Włącz instalację pakietów z {pm}.", + "{pm} is enabled and ready to go": "{pm} jest włączony i gotowy do użycia", + "{pm} version:": "Wersja {pm}:", + "{pm} was not found!": "Nie znaleziono {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "Może być konieczne zainstalowanie {pm}, aby używać go z UniGetUI.", + "Scoop Installer - WingetUI": "Instalator Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Deinstalator Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Czyszczenia pamięci podręcznej Scoop - UniGetUI", + "Restart UniGetUI": "Uruchom ponownie UniGetUI", + "Manage {0} sources": "Zarządzaj źródłami {0}", + "Add source": "Dodaj źródło", + "Add": "Dodaj", + "Other": "Inne", + "1 day": "1 dzień", + "{0} days": "{0} dni", + "{0} minutes": "{0} minut", + "1 hour": "1 godzina", + "{0} hours": "{0} godzin(y)", + "1 week": "1 tydzień", + "WingetUI Version {0}": "Wersja UniGetUI {0}", + "Search for packages": "Wyszukaj pakiety", + "Local": "Lokalnie", + "OK": "Potwierdź", + "{0} packages were found, {1} of which match the specified filters.": "Znaleziono {0} pakietów, z których {1} pasuje do określonych filtrów.", + "{0} selected": "{0} wybranych", + "(Last checked: {0})": "(Ostatnio sprawdzane: {0})", + "Enabled": "Włączony", + "Disabled": "Wyłączony", + "More info": "Więcej informacji", + "Log in with GitHub to enable cloud package backup.": "Zaloguj się do GitHub, aby umożliwić tworzenie kopii zapasowych pakietów w chmurze.", + "More details": "Więcej szczegółów", + "Log in": "Zaloguj się", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jeśli aktywowano kopię zapasową w chmurze, będzie ona zapisywana jako GitHub Gist na tym koncie", + "Log out": "Wyloguj się", + "About": "O programie", + "Third-party licenses": "Licencje zewnętrzne", + "Contributors": "Kontrybutorzy", + "Translators": "Tłumacze", + "Manage shortcuts": "Zarządzaj skrótami", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI wykrył następujące skróty na pulpicie, które mogą zostać automatycznie usunięte podczas przyszłych aktualizacji", + "Do you really want to reset this list? This action cannot be reverted.": "Czy naprawdę chcesz zresetować tę listę? Tej akcji nie można cofnąć.", + "Remove from list": "Usuń z listy", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Gdy zostaną wykryte nowe skróty, usuń je automatycznie zamiast wyświetlać to okno dialogowe.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI zbiera anonimowe dane dotyczące użytkowania w celu zrozumienia i poprawy doświadczeń użytkownika.", + "More details about the shared data and how it will be processed": "Więcej szczegółów na temat udostępnianych danych i sposobu ich przetwarzania", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Czy zgadzasz się, że UniGetUI zbiera i wysyła anonimowe statystyki użytkowania, wyłącznie w celu zrozumienia i poprawy doświadczenia użytkownika?", + "Decline": "Odrzuć", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nie gromadzimy ani nie przesyłamy żadnych danych osobowych. Zebrane dane są anonimizowane, więc nie ma możliwości ich powiązania z Twoją osobą.", + "About WingetUI": "O UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI to aplikacja, która ułatwia zarządzanie oprogramowaniem, zapewniając kompleksowy interfejs graficzny dla menedżerów pakietów wiersza poleceń.", + "Useful links": "Użyteczne adresy", + "Report an issue or submit a feature request": "Zgłoś problem lub prośbę o dodanie funkcji", + "View GitHub Profile": "Zobacz profil na GitHub", + "WingetUI License": "Licencja UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Korzystanie z UniGetUI oznacza akceptację licencji MIT.", + "Become a translator": "Zostań tłumaczem", + "View page on browser": "Zobacz w przeglądarce", + "Copy to clipboard": "Kopiuj do schowka", + "Export to a file": "Eksportuj do pliku", + "Log level:": "Poziom logowania:", + "Reload log": "Przeładuj dziennik", + "Text": "Tekst", + "Change how operations request administrator rights": "Zmień sposób, w jaki operacje żądają uprawnień administratora", + "Restrictions on package operations": "Ograniczenia dotyczące operacji związanych z pakietami", + "Restrictions on package managers": "Ograniczenia menedżerów pakietów", + "Restrictions when importing package bundles": "Ograniczenia podczas importowania paczek pakietów", + "Ask for administrator privileges once for each batch of operations": "Poproś o uprawnienia administratora raz dla każdej grupy operacji", + "Ask only once for administrator privileges": "Pytaj tylko raz o uprawnienia administratora", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zabroń wszelkiego rodzaju podnoszenia za pomocą UniGetUI Elevator lub GSudo.", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ta opcja SPOWODUJE problemy. Każda operacja, która nie może uzyskać uprawnień administratora, zakończy się niepowodzeniem. Instalacja/aktualizacja/deinstalacja jako administrator NIE BĘDZIE DZIAŁAĆ.", + "Allow custom command-line arguments": "Zezwalaj na niestandardowe argumenty wiersza poleceń", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Niestandardowe argumenty wiersza poleceń mogą zmienić sposób, w jaki programy są instalowane, uaktualniane lub odinstalowywane, w sposób, którego UniGetUI nie będzie w stanie kontrolować. Używanie niestandardowych wierszy poleceń może uszkodzić pakiety. Postępuj ostrożnie.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Zezwól na uruchamianie niestandardowych poleceń przed i po instalacji.", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Polecenia wykonywane przed i po instalacji, zostaną uruchomione przed i po zainstalowaniu, uaktualnieniu lub odinstalowaniu pakietu. Należy pamiętać, że mogą one coś zepsuć, jeśli nie zostaną użyte z rozwagą", + "Allow changing the paths for package manager executables": "Zezwól na modyfikowanie ścieżek dla plików wykonalnych menedżerów pakietów", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Włączenie tej opcji umożliwia zmianę pliku wykonywalnego używanego do interakcji z menedżerami pakietów. Chociaż pozwala to na bardziej szczegółowe dostosowanie procesów instalacji, może być również niebezpieczne.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Zezwalaj na importowanie niestandardowych argumentów wiersza poleceń podczas importowania pakietów z paczki", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Błędnie sformułowane argumenty wiersza poleceń mogą uszkodzić pakiety lub nawet umożliwić atakującemu wykonanie kodu z podwyższonymi uprawnieniami. Z tego powodu, importowanie niestandardowych argumentów jest domyślnie wyłączone", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Zezwól na importowanie niestandardowych komend przed- i poinstalacyjnych podczas importowania pakietów z paczki", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Polecenia wykonywane przed i po instalacji, mogą wyrządzić poważne szkody Twojemu urządzeniu, jeśli zostały do tego celowo zaprojektowane. Importowanie poleceń z pakietu bywa bardzo niebezpieczne, chyba że masz pełne zaufanie do jego źródła", + "Administrator rights and other dangerous settings": "Uprawnienia administratora i inne niebezpieczne ustawienia", + "Package backup": "Kopia zapasowa pakietów", + "Cloud package backup": "Kopia zapasowa pakietów w chmurze", + "Local package backup": "Lokalna kopia zapasowa", + "Local backup advanced options": "Opcje zaawansowane lokalnej kopii zapasowej", + "Log in with GitHub": "Zaloguj się do GitHub", + "Log out from GitHub": "Wyloguj się z GitHub", + "Periodically perform a cloud backup of the installed packages": "Okresowo wykonuj kopię zapasową zainstalowanych pakietów w chmurze", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Kopia zapasowa w chmurze wykorzystuje prywatny GitHub Gist do przechowywania listy zainstalowanych pakietów", + "Perform a cloud backup now": "Utwórz kopię zapasową w chmurze teraz", + "Backup": "Kopia zapasowa", + "Restore a backup from the cloud": "Przywróć kopię zapasową z chmury", + "Begin the process to select a cloud backup and review which packages to restore": "Rozpocznij proces wyboru kopii zapasowej w chmurze i sprawdź, które pakiety chcesz przywrócić.", + "Periodically perform a local backup of the installed packages": "Okresowo wykonuj lokalną kopię zapasową zainstalowanych pakietów", + "Perform a local backup now": "Utwórz lokalną kopię zapasową teraz", + "Change backup output directory": "Zmień katalog wyjściowy dla kopii zapasowej", + "Set a custom backup file name": "Ustaw własną nazwę pliku z kopią zapasową", + "Leave empty for default": "Zostaw puste dla ustawień domyślnych", + "Add a timestamp to the backup file names": "Dodaj znacznik czasu do nazwy plików kopii zapasowych", + "Backup and Restore": "Tworzenie i przywracanie kopii zapasowej", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Włącz API w tle (Widgets for UniGetUI and Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Przed przystąpieniem do wykonywania zadań wymagających połączenia internetowego należy zaczekać, aż urządzenie zostanie połączone z internetem.", + "Disable the 1-minute timeout for package-related operations": "Wyłącz 1-minutowy limit czasu dla operacji pakietów", + "Use installed GSudo instead of UniGetUI Elevator": "Użyj zainstalowanego GSudo zamiast UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Użyj niestandardowej ikony i adresu URL bazy danych zrzutów ekranu", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Włącz optymalizacje wykorzystania procesora w tle (patrz Pull Request #3278).", + "Perform integrity checks at startup": "Sprawdź spójność podczas uruchamiania", + "When batch installing packages from a bundle, install also packages that are already installed": "Podczas instalacji pakietów z paczki, zainstaluj również pakiety, które są już zainstalowane.", + "Experimental settings and developer options": "Eksperymentalne ustawienia i opcje deweloperskie", + "Show UniGetUI's version and build number on the titlebar.": "Pokaż wersję UniGetUI na pasku tytułowym", + "Language": "Język", + "UniGetUI updater": "Aktualizator UniGetUI ", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Zarządzaj ustawieniami UniGetUI", + "Related settings": "Powiązane ustawienia", + "Update WingetUI automatically": "Aktualizuj UniGetUI automatycznie", + "Check for updates": "Sprawdź aktualizacje", + "Install prerelease versions of UniGetUI": "Zainstaluj wstępne wersje UniGetUI", + "Manage telemetry settings": "Zarządzaj ustawieniami telemetrii", + "Manage": "Zarządzaj", + "Import settings from a local file": "Importuj ustawienia z pliku", + "Import": "Importuj", + "Export settings to a local file": "Eksportuj ustawienia do pliku", + "Export": "Eksport", + "Reset WingetUI": "Zresetuj UniGetUI", + "Reset UniGetUI": "Zresetuj UniGetUI", + "User interface preferences": "Ustawienia interfejsu użytkownika", + "Application theme, startup page, package icons, clear successful installs automatically": "Motyw aplikacji, strona startowa, ikony pakietów, wyczyść pomyślne instalacje automatycznie", + "General preferences": "Ogólne ustawienia", + "WingetUI display language:": "Język interfejsu UniGetUI:", + "Is your language missing or incomplete?": "Czy brakuje Twojego języka lub jest on niekompletny?", + "Appearance": "Wygląd", + "UniGetUI on the background and system tray": "UniGetUI na tle i pasku zadań", + "Package lists": "Lista pakietów", + "Close UniGetUI to the system tray": "Zamknij UniGetUI do paska zadań", + "Show package icons on package lists": "Pokaż ikony pakietu na liście pakietów", + "Clear cache": "Wyczyść pamięć podręczną", + "Select upgradable packages by default": "Wybierz domyślnie pakiety z możliwością aktualizacji", + "Light": "Jasny", + "Dark": "Ciemny", + "Follow system color scheme": "Zgodnie ze schematem kolorów systemu", + "Application theme:": "Motyw aplikacji:", + "Discover Packages": "Odkryj pakiety", + "Software Updates": "Aktualizacje pakietów", + "Installed Packages": "Zainstalowane pakiety", + "Package Bundles": "Paczki pakietów", + "Settings": "Ustawienia", + "UniGetUI startup page:": "Strona startowa UniGetUI:", + "Proxy settings": "Ustawienia proxy", + "Other settings": "Inne ustawienia", + "Connect the internet using a custom proxy": "Połącz przy pomocy własnego proxy", + "Please note that not all package managers may fully support this feature": "Nie wszystkie menedżery pakietów mogą w pełni obsługiwać tę funkcję", + "Proxy URL": "Adres serwera proxy", + "Enter proxy URL here": "Wprowadź tutaj adres serwera proxy", + "Package manager preferences": "Preferencje menedżerów pakietów", + "Ready": "Gotowy", + "Not found": "Nie znaleziono", + "Notification preferences": "Ustawienia powiadomień", + "Notification types": "Typy powiadomień", + "The system tray icon must be enabled in order for notifications to work": "Aby powiadomienia działały, ikona na pasku zadań musi być włączona", + "Enable WingetUI notifications": "Włącz powiadomienia UniGetUI", + "Show a notification when there are available updates": "Wyświetl powiadomienie gdy aktualizacje są dostępne", + "Show a silent notification when an operation is running": "Pokaż ciche powiadomienie gdy operacja jest wykonywana", + "Show a notification when an operation fails": "Pokaż powiadomienie gdy operacja się nie powiedzie", + "Show a notification when an operation finishes successfully": "Pokaż powiadomienie gdy operacja się powiedzie", + "Concurrency and execution": "Równoczesność i wykonywanie zadań", + "Automatic desktop shortcut remover": "Automatyczne narzędzie do usuwania skrótów z pulpitu", + "Clear successful operations from the operation list after a 5 second delay": "Wyczyść pomyślne operacje z listy operacji po 5 sekundach przerwy", + "Download operations are not affected by this setting": "To ustawienie nie ma wpływu na operacje pobierania", + "Try to kill the processes that refuse to close when requested to": "Spróbuj wymusić zatrzymanie procesów, które odmawiają zamknięcia", + "You may lose unsaved data": "Możesz utracić niezapisane dane", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Zapytaj czy usunąć ikony stworzone podczas instalacji lub aktualizacji.", + "Package update preferences": "Preferencje aktualizacji pakietów", + "Update check frequency, automatically install updates, etc.": "Częstotliwość sprawdzania aktualizacji, automatyczna instalacja aktualizacji itp.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Zmniejsz liczbę monitów UAC, domyślnie podnoś uprawnienia instalacji, odblokuj niektóre niebezpieczne funkcje itp.", + "Package operation preferences": "Preferencje operacji na pakietach", + "Enable {pm}": "Włącz {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nie możesz znaleźć pliku, którego szukasz? Upewnij się, że został on dodany do ścieżki.", + "For security reasons, changing the executable file is disabled by default": "Ze względów bezpieczeństwa zmiana pliku wykonywalnego jest domyślnie wyłączona.", + "Change this": "Zmień to", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Wybierz plik wykonywalny, który ma zostać użyty. Poniższa lista zawiera pliki wykonywalne znalezione przez UniGetUI.", + "Current executable file:": "Aktualny plik wykonywalny:", + "Ignore packages from {pm} when showing a notification about updates": "Ignoruj pakiety z {pm} podczas wyświetlania powiadomień o aktualizacjach", + "View {0} logs": "Zobacz logi {0}", + "Advanced options": "Zaawansowane", + "Reset WinGet": "Zresetuj WinGet", + "This may help if no packages are listed": "To może pomóc, gdy żadne pakiety nie są pokazywane", + "Force install location parameter when updating packages with custom locations": "Wymuś parametr lokalizacji instalacji podczas aktualizacji pakietów z niestandardowymi lokalizacjami", + "Use bundled WinGet instead of system WinGet": "Użyj wbudowanego WinGet zamiast systemowego", + "This may help if WinGet packages are not shown": "To może pomóc, gdy pakiety WinGet nie są pokazywane", + "Install Scoop": "Zainstaluj Scoop", + "Uninstall Scoop (and its packages)": "Odinstaluj Scoop (i jego pakiety)", + "Run cleanup and clear cache": "Uruchom czyszczenie i wyczyść pamięć podręczną", + "Run": "Uruchom", + "Enable Scoop cleanup on launch": "Włącz czyszczenie Scoop podczas uruchamiania", + "Use system Chocolatey": "Użyj systemowego Chocolatey", + "Default vcpkg triplet": "Domyślne zmienne potrójne vcpkg", + "Language, theme and other miscellaneous preferences": "Język, motyw i inne preferencje", + "Show notifications on different events": "Pokaż powiadomienia o różnych wydarzeniach", + "Change how UniGetUI checks and installs available updates for your packages": "Zmień sposób, w jaki UniGetUI sprawdza i instaluje dostępne aktualizacje pakietów.", + "Automatically save a list of all your installed packages to easily restore them.": "Automatyczne zapisywanie listy wszystkich zainstalowanych pakietów w celu ich łatwego przywrócenia.", + "Enable and disable package managers, change default install options, etc.": "Aktywuj i dezaktywuj menedżery pakietów, zmień domyślne ustawienia instalacji, etc.", + "Internet connection settings": "Ustawienia połączenia internetowego", + "Proxy settings, etc.": "Ustawienia proxy itp.", + "Beta features and other options that shouldn't be touched": "Funkcje beta i inne opcje, które nie powinny być używane", + "Update checking": "Sprawdzanie aktualizacji", + "Automatic updates": "Automatyczne aktualizacje", + "Check for package updates periodically": "Okresowo sprawdzaj dostępność aktualizacji pakietów", + "Check for updates every:": "Sprawdzaj aktualizacje co:", + "Install available updates automatically": "Automatyczne instaluj dostępne aktualizacje", + "Do not automatically install updates when the network connection is metered": "Nie instaluj automatycznie aktualizacji, gdy połączenie sieciowe jest taryfowe", + "Do not automatically install updates when the device runs on battery": "Nie instaluj automatycznie aktualizacji, gdy urządzenie jest zasilane z baterii", + "Do not automatically install updates when the battery saver is on": "Nie instaluj automatycznie aktualizacji, gdy oszczędzanie baterii jest włączone", + "Change how UniGetUI handles install, update and uninstall operations.": "Zmień sposób, w jaki UniGetUI obsługuje operacje instalacji, aktualizacji i odinstalowywania.", + "Package Managers": "Menedżery pakietów", + "More": "Więcej", + "WingetUI Log": "Dziennik zdarzeń UniGetUI", + "Package Manager logs": "Dziennik zdarzeń menedżera pakietów", + "Operation history": "Historia", + "Help": "Pomoc", + "Order by:": "Sortuj według:", + "Name": "Nazwa", + "Id": "ID", + "Ascendant": "Rosnąco", + "Descendant": "Malejąco", + "View mode:": "Tryb widoku:", + "Filters": "Filtry", + "Sources": "Źródła", + "Search for packages to start": "Żeby zacząć, wyszukaj pakiety", + "Select all": "Zaznacz wszystkie", + "Clear selection": "Wyczyść wybór", + "Instant search": "Natychmiastowe wyszukiwanie", + "Distinguish between uppercase and lowercase": "Rozróżniaj wielke i małe litery", + "Ignore special characters": "Ignoruj znaki specjalne", + "Search mode": "Tryb wyszukiwania", + "Both": "Oba", + "Exact match": "Dokładne dopasowanie", + "Show similar packages": "Pokaż podobne pakiety", + "No results were found matching the input criteria": "Nie znaleziono żadnych wyników spełniających podane kryteria", + "No packages were found": "Nie znaleziono pakietów", + "Loading packages": "Wczytywanie pakietów", + "Skip integrity checks": "Pomiń sprawdzanie spójności", + "Download selected installers": "Pobierz wybrane instalatory", + "Install selection": "Zainstaluj wybrane", + "Install options": "Opcje instalacji", + "Share": "Udostępnij", + "Add selection to bundle": "Dodaj wybrane do pakietu", + "Download installer": "Pobierz instalator", + "Share this package": "Udostępnij ten pakiet", + "Uninstall selection": "Odinstaluj wybrane", + "Uninstall options": "Opcje dezinstalacji", + "Ignore selected packages": "Ignoruj zaznaczone pakiety", + "Open install location": "Otwórz lokalizację instalacji", + "Reinstall package": "Zainstaluj pakiet ponownie", + "Uninstall package, then reinstall it": "Odinstaluj i ponownie zainstaluj pakiet", + "Ignore updates for this package": "Zignoruj aktualizacje tego pakietu", + "Do not ignore updates for this package anymore": "Nie ignoruj już aktualizacji dla tego pakietu", + "Add packages or open an existing package bundle": "Dodaj paczki albo otwórz istniejącą paczkę pakietów", + "Add packages to start": "Żeby zacząć, dodaj paczki", + "The current bundle has no packages. Add some packages to get started": "Obecna paczka nie zawiera pakietów. Dodaj pakiety aby rozpocząć", + "New": "Nowy", + "Save as": "Zapisz jako", + "Remove selection from bundle": "Usuń wybrane z paczki", + "Skip hash checks": "Pomiń weryfikacje hash'a", + "The package bundle is not valid": "Paczka pakietów jest nieprawidłowa", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paczka, którą próbujesz załadować, jest nieprawidłowa. Sprawdź proszę plik i spróbuj ponownie.", + "Package bundle": "Paczka pakietów", + "Could not create bundle": "Nie można utworzyć paczki", + "The package bundle could not be created due to an error.": "Nie można utworzyć paczki pakietów z powodu błędu.", + "Bundle security report": "Raport bezpieczeństwa paczki", + "Hooray! No updates were found.": "Super! Nie znaleziono żadnych aktualizacji.", + "Everything is up to date": "Wszystko jest aktualne", + "Uninstall selected packages": "Odinstaluj wybrane pakiety", + "Update selection": "Zaktualizuj wybrane", + "Update options": "Opcje aktualizacji", + "Uninstall package, then update it": "Odinstaluj, a potem zaktualizuj pakiet", + "Uninstall package": "Odinstaluj pakiet", + "Skip this version": "Pomiń tę wersję", + "Pause updates for": "Wstrzymaj aktualizacje na", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Menedżer pakietów Rust.
Zawiera: biblioteki Rust oraz programy napisane w Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasyczny menedżer pakietów dla Windows. Znajdziesz tam wszystko.
Zawiera: ogólne oprogramowanie", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozytorium zawierające pełny pakiet narzędzi i plików wykonywalnych zaprojektowanych z myślą o ekosystemie .NET firmy Microsoft.
Zawiera: narzędzia i skrypty powiązane z .NET", + "NuPkg (zipped manifest)": "NuPkg (spakowany manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Mendedżer pakietów NodeJS. Pełen bibliotek i innych narzędzi, które krążą po świecie JavaScriptu
Zawiera: biblioteki javascriptowe dla Node i powiązane narzędzia", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Menedżer bibliotek Pythona. Pełen bibliotek Pythona i innych narzędzi związanych z Pythonem
Zawiera: biblioteki Pythona i powiązane narzędzia", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Menedżer pakietów PowerShella. Znajdź biblioteki i skrypty, aby rozszerzyć możliwości PowerShella
Zawiera: moduły, skrypty, polecenia", + "extracted": "wypakowany", + "Scoop package": "Pakiet Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Świetne repozytorium nieznanych, ale przydatnych narzędzi i innych interesujących pakietów.
Zawiera: narzędzia, programy wiersza poleceń, ogólne oprogramowanie (wymagane dodatkowe repozytorium)", + "library": "biblioteka", + "feature": "funkcja", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Popularny menedżer bibliotek C/C++. Pełen bibliotek C/C++ i innych narzędzi związanych z C/C++
Zawiera: biblioteki C/C++ i powiązane narzędzia", + "option": "opcja", + "This package cannot be installed from an elevated context.": "Tego pakietu nie można zainstalować z podwyższonego kontekstu.", + "Please run UniGetUI as a regular user and try again.": "Uruchom UniGetUI jako zwykły użytkownik i spróbuj ponownie.", + "Please check the installation options for this package and try again": "Sprawdź opcje instalacji tego pakietu i spróbuj ponownie", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficjalny menedżer pakietów firmy Microsoft. Pełen dobrze znanych i zweryfikowanych pakietów
Zawiera: ogólne oprogramowanie, aplikacje Microsoft Store", + "Local PC": "Komputer", + "Android Subsystem": "Podsystem Android", + "Operation on queue (position {0})...": "Operacja jest w kolejce (pozycja {0})...", + "Click here for more details": "Kliknij tutaj, aby uzyskać więcej szczegółów", + "Operation canceled by user": "Operacja anulowana przez użytkownika", + "Starting operation...": "Rozpoczęcie działania...", + "{package} installer download": "Pobierz instalator {package}", + "{0} installer is being downloaded": "Trwa pobieranie instalatora {0}", + "Download succeeded": "Pobieranie powiodło się", + "{package} installer was downloaded successfully": "Instalator {package} został pobrany pomyślnie", + "Download failed": "Pobieranie nie powiodło się", + "{package} installer could not be downloaded": "Instalator {package} nie mógł zostać pobrany", + "{package} Installation": "Instalowanie {package}", + "{0} is being installed": "{0} jest instalowany", + "Installation succeeded": "Instalacja powiodła się", + "{package} was installed successfully": "{package} został zainstalowany pomyślnie", + "Installation failed": "Instalacja nie powiodła się", + "{package} could not be installed": "{package} nie może być zainstalowany", + "{package} Update": "Aktualizuj {package}", + "{0} is being updated to version {1}": "{0} jest aktualizowany do wersji {1}", + "Update succeeded": "Aktualizacja się powiodła", + "{package} was updated successfully": "{package} został zaktualizowany pomyślnie", + "Update failed": "Aktualizacja nie powiodła się", + "{package} could not be updated": "{package} nie może być zaktualizowany", + "{package} Uninstall": "Odinstaluj {package}", + "{0} is being uninstalled": "{0} jest odinstalowywany", + "Uninstall succeeded": "Odinstalowanie powiodło się", + "{package} was uninstalled successfully": "{package} został odinstalowany pomyślnie", + "Uninstall failed": "Odinstalowywanie nie powiodło się", + "{package} could not be uninstalled": "{package} nie może być odinstalowany", + "Adding source {source}": "Dodawanie źródła {source}", + "Adding source {source} to {manager}": "Dodawanie źródła {source} do {manager}", + "Source added successfully": "Źródło dodano pomyślnie", + "The source {source} was added to {manager} successfully": "Źródło {source} zostało dodane pomyślnie do {manager}", + "Could not add source": "Nie można dodać źródła", + "Could not add source {source} to {manager}": " Nie można dodać źródła {source} do {manager}", + "Removing source {source}": "Usuwanie źródła {source}", + "Removing source {source} from {manager}": "Usuwanie źródła {source} z {manager}", + "Source removed successfully": "Źródło zostało pomyślnie usunięte", + "The source {source} was removed from {manager} successfully": "Źródło {source} zostało usunięte pomyślnie z {manager}", + "Could not remove source": "Nie można usunąć źródła", + "Could not remove source {source} from {manager}": "Nie można usunąć źródła {source} z {manager}\n", + "The package manager \"{0}\" was not found": "Menedżer pakietów \"{0}\" nie został znaleziony", + "The package manager \"{0}\" is disabled": "Menedżer pakietów \"{0}\" jest wyłączony", + "There is an error with the configuration of the package manager \"{0}\"": "Konfiguracja menedżera pakietów \"{0}\" jest błędna", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paczka \"{0}\" nie została znaleziona w menedżerze pakietów \"{1}\"", + "{0} is disabled": "{0} jest wyłączony", + "Something went wrong": "Coś poszło nie tak", + "An interal error occurred. Please view the log for further details.": "Wystąpił błąd wewnętrzny. Sprawdź dziennik zdarzeń, aby uzyskać więcej informacji.", + "No applicable installer was found for the package {0}": "Nie znaleziono odpowiedniego instalatora dla pakietu {0}", + "We are checking for updates.": "Sprawdzamy dostępność aktualizacji.", + "Please wait": "Proszę czekać", + "UniGetUI version {0} is being downloaded.": "Wersja {0} UniGetUI jest pobierana.", + "This may take a minute or two": "To może zająć minutę albo dwie", + "The installer authenticity could not be verified.": "Nie można zweryfikować autentyczności instalatora.", + "The update process has been aborted.": "Proces aktualizacji został przerwany.", + "Great! You are on the latest version.": "Świetnie! Masz najnowszą wersję!", + "There are no new UniGetUI versions to be installed": "Nie ma nowych wersji UniGetUI do zainstalowania", + "An error occurred when checking for updates: ": "Wystąpił błąd podczas sprawdzania dostępności aktualizacji:", + "UniGetUI is being updated...": "UniGetUI jest aktualizowany...", + "Something went wrong while launching the updater.": "Wystąpił błąd podczas uruchamiania aktualizatora.", + "Please try again later": "Proszę spróbować ponownie później", + "Integrity checks will not be performed during this operation": "Podczas tej operacji nie będzie sprawdzana spójność", + "This is not recommended.": "Nie jest to zalecane.", + "Run now": "Uruchom teraz", + "Run next": "Uruchom następne", + "Run last": "Uruchom ostatnie", + "Retry as administrator": "Spróbuj ponownie jako administrator", + "Retry interactively": "Ponów interaktywnie", + "Retry skipping integrity checks": "Ponów próbę, pomijając sprawdzanie spójności", + "Installation options": "Opcje instalacji", + "Show in explorer": "Pokaż w eksploratorze", + "This package is already installed": "Ten pakiet jest już zainstalowany", + "This package can be upgraded to version {0}": "Pakiet może zostać zaktualizowany do wersji {0}", + "Updates for this package are ignored": "Aktualizacje tego pakietu są ignorowane", + "This package is being processed": "Ten pakiet jest przetwarzany", + "This package is not available": "Ten pakiet nie jest dostępny", + "Select the source you want to add:": "Wybierz źródło, które chcesz dodać:", + "Source name:": "Nazwa źródła:", + "Source URL:": "Adres URL źródła:", + "An error occurred": "Wystąpił błąd", + "An error occurred when adding the source: ": "Wystąpił błąd podczas dodawania źródła:", + "Package management made easy": "Łatwe zarządzanie pakietami", + "version {0}": "wersja {0}", + "[RAN AS ADMINISTRATOR]": "URUCHOMIONY JAKO ADMINISTRATOR", + "Portable mode": "Tryb przenośny", + "DEBUG BUILD": "KOMPILACJA DEBUG", + "Available Updates": "Aktualnie są dostępne aktualizacje", + "Show WingetUI": "Pokaż UniGetUI", + "Quit": "Wyjdź", + "Attention required": "Potrzebna uwaga", + "Restart required": "Wymagane ponowne uruchomienie", + "1 update is available": "Jest dostępna 1 aktualizacja", + "{0} updates are available": "{0} aktualizacji jest dostępnych", + "WingetUI Homepage": "Strona domowa UniGetUI", + "WingetUI Repository": "Repozytorium UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tutaj możesz zmienić zachowanie UniGetUI w odniesieniu do następujących skrótów. Zaznaczenie skrótu spowoduje, że UniGetUI usunie go, jeśli zostanie utworzony podczas przyszłej aktualizacji. Odznaczenie go spowoduje, że skrót pozostanie nienaruszony", + "Manual scan": "Ręczne skanowanie", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Istniejące skróty na pulpicie zostaną przeskanowane i będziesz musiał(a) wybrać, które z nich zachować, a które usunąć.", + "Continue": "Kontynuuj", + "Delete?": "Usunąć?", + "Missing dependency": "Brakująca zależność", + "Not right now": "Nie teraz", + "Install {0}": "Zainstaluj {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI wymaga {0} do działania, lecz nie został znaleziony w systemie.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknij Zainstaluj by rozpocząć instalację. Jeżeli ją pominiesz, UniGetUI może nie działać jak należy.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatywnie, możesz zainstalować {0}, poprzez wykonanie odpowiedniej komendy w Windows PowerShell:", + "Do not show this dialog again for {0}": "Nie pokazuj ponownie tego okna dialogowego dla {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Proszę czekać aż do zakończenia instalacji {0}. Może pojawić się czarne okno. Poczekaj aż ono się zamknie.", + "{0} has been installed successfully.": "{0} zainstalowano pomyślnie.", + "Please click on \"Continue\" to continue": "Kliknij \"Kontynuuj\", aby kontynuować", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} zainstalowano pomyślnie. Zalecany jest restart UniGetUI by dokończyć instalację", + "Restart later": "Uruchom ponownie później", + "An error occurred:": "Wystąpił błąd:", + "I understand": "Rozumiem", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI został uruchomiony z prawami administratora, co nie jest zalecane. Po uruchomieniu UniGetUI z prawmi administratora, KAŻDA operacja uruchomiona z UniGetUI będzie miała uprawnienia administratora. Możesz nadal korzystać z programu, ale zdecydowanie zalecamy, aby nie uruchamiać UniGetUI z uprawnieniami administratora.\n", + "WinGet was repaired successfully": "WinGet naprawiono pomyślnie", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Zalecany jest restart UniGetUI po naprawieniu WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "UWAGA: Funkcję rozwiązywania problemów można wyłączyć w ustawieniach UniGetUI, w sekcji WinGet", + "Restart": "Uruchom ponownie", + "WinGet could not be repaired": "WinGet nie został naprawiony", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Wystąpił nieoczekiwany błąd podczas próby naprawy WinGet. Spróbuj ponownie później", + "Are you sure you want to delete all shortcuts?": "Czy na pewno chcesz usunąć wszystkie skróty?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Wszelkie nowe skróty utworzone podczas instalacji lub aktualizacji będą usuwane automatycznie, zamiast wyświetlania monitu o potwierdzeniu przy pierwszym wykryciu.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Wszelkie skróty utworzone lub zmodyfikowane poza UniGetUI będą ignorowane. Będzie je można dodać za pomocą przycisku {0}.", + "Are you really sure you want to enable this feature?": "Czy na pewno chcesz włączyć tę funkcję?", + "No new shortcuts were found during the scan.": "Podczas skanowania nie znaleziono żadnych nowych skrótów.", + "How to add packages to a bundle": "Jak dodać pakiety do paczki", + "In order to add packages to a bundle, you will need to: ": "Aby dodać pakiety do paczki, musisz: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Nawiguj do strony \"{0}\" lub \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Znajdź pakiet(y), które chcesz dodać do paczki i zaznacz ich pola wyboru znajdujące się po lewej.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Po wybraniu pakietów, które chcesz dodać do paczki, znajdź i kliknij opcję \"{0}\" na pasku narzędzi.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Twoje pakiety zostaną dodane do pakietu. Kontynuuj dodawanie, lub eksportuj pakiet.", + "Which backup do you want to open?": "Którą kopię zapasową chcesz otworzyć?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Wybierz kopię zapasową, którą chcesz otworzyć. Później będziesz mógł sprawdzić, które pakiety/programy chcesz przywrócić.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Operacje są w toku. Zamknięcie UniGetUI może spowodować ich niepowodzenie. Czy chcesz kontynuować?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI lub niektóre jego komponenty są niekompletne albo uszkodzone.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Zdecydowanie zaleca się przeinstalowanie UniGetUI, w celu rozwiązania sytuacji.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Zapoznaj się z dziennikami UniGetUI, aby uzyskać więcej szczegółów dotyczących pliku(ów), których dotyczy problem", + "Integrity checks can be disabled from the Experimental Settings": "Sprawdzanie spójności może zostać wyłączone w Ustawieniach Eksperymentalnych", + "Repair UniGetUI": "Napraw UniGetUI", + "Live output": "Dane wyjściowe na żywo", + "Package not found": "Nie znaleziono pakietu", + "An error occurred when attempting to show the package with Id {0}": "Wystąpił błąd podczas próby wyświetlenia paczki o ID {0}", + "Package": "Pakiet", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ta paczka pakietów zawiera pewne ustawienia, które mogą być potencjalnie niebezpieczne i mogą być domyślnie ignorowane.", + "Entries that show in YELLOW will be IGNORED.": "Pozycje zaznaczone na ŻÓŁTO zostaną ZIGNOROWANE.", + "Entries that show in RED will be IMPORTED.": "Pozycje zaznaczone na CZERWONO zostaną ZAIMPORTOWANE.", + "You can change this behavior on UniGetUI security settings.": "Możesz zmienić to zachowanie w ustawieniach bezpieczeństwa UniGetUI.", + "Open UniGetUI security settings": "Otwórz ustawienia bezpieczeństwa UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "W przypadku zmiany ustawień zabezpieczeń konieczne będzie ponowne otwarcie paczki, aby zmiany zaczęły obowiązywać.", + "Details of the report:": "Szczegóły raportu:", "\"{0}\" is a local package and can't be shared": "\"{0}\" jest pakietem lokalnym i nie może być udostępniony", + "Are you sure you want to create a new package bundle? ": "Czy na pewno chcesz utworzyć nową paczkę?", + "Any unsaved changes will be lost": "Wszelkie niezapisane zmiany zostaną utracone", + "Warning!": "Ostrzeżenie!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Ze względów bezpieczeństwa niestandardowe argumenty wiersza poleceń są domyślnie wyłączone. Aby to zmienić, przejdź do ustawień zabezpieczeń UniGetUI. ", + "Change default options": "Zmień opcje domyślne", + "Ignore future updates for this package": "Ignoruj przyszłe aktualizacje tego pakietu", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Ze względów bezpieczeństwa skrypty przed i po czynnościach są domyślnie wyłączone. Aby to zmienić, przejdź do ustawień bezpieczeństwa UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Możesz zdefiniować polecenia, które będą uruchamiane przed lub po zainstalowaniu, aktualizacji lub odinstalowaniu tego pakietu. Będą one uruchamiane w wierszu poleceń, więc skrypty CMD będą tutaj działać.", + "Change this and unlock": "Zmień to i odblokuj", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} opcje instalacji są obecnie zablokowane, ponieważ {0} używa domyślnych opcji instalacji.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Wybierz procesy, które powinny zostać zamknięte przed zainstalowaniem, aktualizacją lub odinstalowaniem tego pakietu.", + "Write here the process names here, separated by commas (,)": "Wpisz tutaj nazwy procesów, odseparowane przecinkami (,)", + "Unset or unknown": "Nieustawiona lub nieznana", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Więcej informacji na ten temat można znaleźć w Wyjściu wiersza poleceń lub w Historii operacji.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ten pakiet nie ma zrzutów ekranu lub brakuje ikony? Pomóż UniGetUI dodając brakujące ikony i zrzuty ekranu do naszej otwartej, publicznej bazy danych.", + "Become a contributor": "Zostań współtwórcą", + "Save": "Zapisz", + "Update to {0} available": "jest dostępna aktualizacja do {0}", + "Reinstall": "Zainstaluj ponownie", + "Installer not available": "Instalator nie jest dostępny", + "Version:": "Wersja:", + "Performing backup, please wait...": "Tworzy się kopia zapasowa, proszę czekać...", + "An error occurred while logging in: ": "Wystąpił błąd podczas logowania:", + "Fetching available backups...": "Pozyskiwanie dostępnych kopii zapasowych...", + "Done!": "Ukończono!", + "The cloud backup has been loaded successfully.": "Ładowanie kopii zapasowej z chmury zakończone powodzeniem.", + "An error occurred while loading a backup: ": "Wystąpił błąd podczas ładowania kopii zapasowej:", + "Backing up packages to GitHub Gist...": "Tworzenie kopii zapasowej pakietów w GitHub Gist...", + "Backup Successful": "Wykonanie kopii zapasowej powiodło się", + "The cloud backup completed successfully.": "Tworzenie kopii zapasowej w chmurze zakończone powodzeniem.", + "Could not back up packages to GitHub Gist: ": "Tworzenie kopii zapasowej pakietów w GitHub Gist nie powiodło się:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nie ma gwarancji, że podane dane uwierzytelniające będą przechowywane bezpiecznie, dlatego nie należy używać danych uwierzytelniających konta bankowego", + "Enable the automatic WinGet troubleshooter": "Włącz automatyczne rozwiązywanie problemów dla WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Włącz [eksperymentalne] ulepszone narzędzie do rozwiązywania problemów z WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Dodaj aktualizacje, które zakończyły się niepowodzeniem z komunikatem „nie znaleziono odpowiedniej aktualizacji” do listy ignorowanych aktualizacji", + "Restart WingetUI to fully apply changes": "Uruchom ponownie UniGetUI żeby zastosowac wszystkie zmiany", + "Restart WingetUI": "Zrestartuj UniGetUI", + "Invalid selection": "Niepoprawny wybór", + "No package was selected": "Nie wybrano pakietu", + "More than 1 package was selected": "Wybrano więcej niż 1 pakiet", + "List": "Lista", + "Grid": "Siatka", + "Icons": "Ikony", "\"{0}\" is a local package and does not have available details": "\"{0}\" jest pakietem lokalnym i nie ma dostępnych szczegółów", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" jest pakietem lokalnym i nie jest kompatybilny z tą funkcją", - "(Last checked: {0})": "(Ostatnio sprawdzane: {0})", + "WinGet malfunction detected": "Wykryto awarię WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Wygląda na to, że WinGet nie działa prawidłowo. Czy podjąć próbę naprawy WinGet?", + "Repair WinGet": "Napraw WinGet", + "Create .ps1 script": "Utwórz skrypt .ps1", + "Add packages to bundle": "Dodaj paczki do pakietu", + "Preparing packages, please wait...": "Przygotowywanie pakietów, proszę czekać...", + "Loading packages, please wait...": "Wczytywanie pakietów, proszę czekać...", + "Saving packages, please wait...": "Zapisywanie pakietów, proszę czekać...", + "The bundle was created successfully on {0}": "Pakiet został pomyślnie utworzony na {0}", + "Install script": "Zainstaluj skrypt", + "The installation script saved to {0}": "Skrypt instalacyjny zapisany w {0}", + "An error occurred while attempting to create an installation script:": "Wystąpił błąd podczas próby utworzenia skryptu instalacyjnego:", + "{0} packages are being updated": "Aktualizowane pakiety: {0}", + "Error": "Błąd", + "Log in failed: ": "Logowanie nie powiodło się:", + "Log out failed: ": "Wylogowywanie nie powiodło się:", + "Package backup settings": "Ustawienia kopii zapasowych pakietów", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Numer {0} w kolejce)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@juliazero, @RegularGvy13, @KamilZielinski, @kwiateusz, @ThePhaseless, @GrzegorzKi, @ikarmus2001, @szumsky, @H4qu3r, @AdiMajsterek", "0 packages found": "Znaleziono 0 pakietów", "0 updates found": "Znaleziono 0 aktualizacji", - "1 - Errors": "1 - Błędy", - "1 day": "1 dzień", - "1 hour": "1 godzina", "1 month": "1 miesiąc", "1 package was found": "Znaleziono 1 pakiet", - "1 update is available": "Jest dostępna 1 aktualizacja", - "1 week": "1 tydzień", "1 year": "1 rok", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Nawiguj do strony \"{0}\" lub \"{1}\".", - "2 - Warnings": "2 - Ostrzeżenia", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Znajdź pakiet(y), które chcesz dodać do paczki i zaznacz ich pola wyboru znajdujące się po lewej.", - "3 - Information (less)": "3 - Informacje (mniej)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Po wybraniu pakietów, które chcesz dodać do paczki, znajdź i kliknij opcję \"{0}\" na pasku narzędzi.", - "4 - Information (more)": "4 - Informacje (więcej)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Twoje pakiety zostaną dodane do pakietu. Kontynuuj dodawanie, lub eksportuj pakiet.", - "5 - information (debug)": "5 - Informacje (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Popularny menedżer bibliotek C/C++. Pełen bibliotek C/C++ i innych narzędzi związanych z C/C++
Zawiera: biblioteki C/C++ i powiązane narzędzia", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozytorium zawierające pełny pakiet narzędzi i plików wykonywalnych zaprojektowanych z myślą o ekosystemie .NET firmy Microsoft.
Zawiera: narzędzia i skrypty powiązane z .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repozytorium zawierające pełny pakiet narzędzi zaprojektowanych z myślą o ekosystemie .NET firmy Microsoft.
Zawiera: narzędzia powiązane z .NET", "A restart is required": "Wymagane jest ponowne uruchomienie", - "Abort install if pre-install command fails": "Przerwij instalację, jeśli wykonanie komendy przedinstalacyjnej zakończy się niepowodzeniem", - "Abort uninstall if pre-uninstall command fails": "Przerwij dezinstalację, jeśli wykonanie komendy przeddezinstalacyjnej zakończy się niepowodzeniem", - "Abort update if pre-update command fails": "Przerwij aktualizację, jeśli wykonanie komendy przedaktualizacyjnej zakończy się niepowodzeniem", - "About": "O programie", "About Qt6": "Informacje o Qt6", - "About WingetUI": "O UniGetUI", "About WingetUI version {0}": "O wersji {0} UniGetUI", "About the dev": "Informacje o deweloperze", - "Accept": "Akceptuj", "Action when double-clicking packages, hide successful installations": "Akcja po dwukrotnym kliknięciu pakietów, ukryj pomyślne instalacje", - "Add": "Dodaj", "Add a source to {0}": "Dodaj źródło do {0}", - "Add a timestamp to the backup file names": "Dodaj znacznik czasu do nazwy plików kopii zapasowych", "Add a timestamp to the backup files": "Dodaj znacznik czasu do plików kopii zapasowych", "Add packages or open an existing bundle": "Dodaj paczki albo otwórz istniejący pakiet", - "Add packages or open an existing package bundle": "Dodaj paczki albo otwórz istniejącą paczkę pakietów", - "Add packages to bundle": "Dodaj paczki do pakietu", - "Add packages to start": "Żeby zacząć, dodaj paczki", - "Add selection to bundle": "Dodaj wybrane do pakietu", - "Add source": "Dodaj źródło", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Dodaj aktualizacje, które zakończyły się niepowodzeniem z komunikatem „nie znaleziono odpowiedniej aktualizacji” do listy ignorowanych aktualizacji", - "Adding source {source}": "Dodawanie źródła {source}", - "Adding source {source} to {manager}": "Dodawanie źródła {source} do {manager}", "Addition succeeded": "Dodanie powiodło się", - "Administrator privileges": "Uprawnienia administratora", "Administrator privileges preferences": "Ustawienia uprawnień administratora", "Administrator rights": "Uprawnienia administratora", - "Administrator rights and other dangerous settings": "Uprawnienia administratora i inne niebezpieczne ustawienia", - "Advanced options": "Zaawansowane", "All files": "Wszystkie pliki", - "All versions": "Wszystkie wersje", - "Allow changing the paths for package manager executables": "Zezwól na modyfikowanie ścieżek dla plików wykonalnych menedżerów pakietów", - "Allow custom command-line arguments": "Zezwalaj na niestandardowe argumenty wiersza poleceń", - "Allow importing custom command-line arguments when importing packages from a bundle": "Zezwalaj na importowanie niestandardowych argumentów wiersza poleceń podczas importowania pakietów z paczki", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Zezwól na importowanie niestandardowych komend przed- i poinstalacyjnych podczas importowania pakietów z paczki", "Allow package operations to be performed in parallel": "Pozwól na równoległe wykonywanie operacji na pakietach", "Allow parallel installs (NOT RECOMMENDED)": "Zezwalaj na instalacje równoległe (NIEZALECANE)", - "Allow pre-release versions": "Zezwól na wersje wczesnego dostępu", "Allow {pm} operations to be performed in parallel": "Pozwól {pm} na równoległe wykonywanie operacji", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatywnie, możesz zainstalować {0}, poprzez wykonanie odpowiedniej komendy w Windows PowerShell:", "Always elevate {pm} installations by default": "Zawsze podnoś uprawienia dla {pm} podczas instalacji", "Always run {pm} operations with administrator rights": "Zawsze uruchamiaj operacje {pm} z uprawnieniami administratora", - "An error occurred": "Wystąpił błąd", - "An error occurred when adding the source: ": "Wystąpił błąd podczas dodawania źródła:", - "An error occurred when attempting to show the package with Id {0}": "Wystąpił błąd podczas próby wyświetlenia paczki o ID {0}", - "An error occurred when checking for updates: ": "Wystąpił błąd podczas sprawdzania dostępności aktualizacji:", - "An error occurred while attempting to create an installation script:": "Wystąpił błąd podczas próby utworzenia skryptu instalacyjnego:", - "An error occurred while loading a backup: ": "Wystąpił błąd podczas ładowania kopii zapasowej:", - "An error occurred while logging in: ": "Wystąpił błąd podczas logowania:", - "An error occurred while processing this package": "Wystąpił błąd podczas przetwarzania tego pakietu", - "An error occurred:": "Wystąpił błąd:", - "An interal error occurred. Please view the log for further details.": "Wystąpił błąd wewnętrzny. Sprawdź dziennik zdarzeń, aby uzyskać więcej informacji.", "An unexpected error occurred:": "Wystąpił nieoczekiwany błąd:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Wystąpił nieoczekiwany błąd podczas próby naprawy WinGet. Spróbuj ponownie później", - "An update was found!": "Znaleziono aktualizację!", - "Android Subsystem": "Podsystem Android", "Another source": "Inne źródło", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Wszelkie nowe skróty utworzone podczas instalacji lub aktualizacji będą usuwane automatycznie, zamiast wyświetlania monitu o potwierdzeniu przy pierwszym wykryciu.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Wszelkie skróty utworzone lub zmodyfikowane poza UniGetUI będą ignorowane. Będzie je można dodać za pomocą przycisku {0}.", - "Any unsaved changes will be lost": "Wszelkie niezapisane zmiany zostaną utracone", "App Name": "Nazwa aplikacji", - "Appearance": "Wygląd", - "Application theme, startup page, package icons, clear successful installs automatically": "Motyw aplikacji, strona startowa, ikony pakietów, wyczyść pomyślne instalacje automatycznie", - "Application theme:": "Motyw aplikacji:", - "Apply": "Zastosuj", - "Architecture to install:": "Architektura do instalacji:", "Are these screenshots wron or blurry?": "Czy te zrzuty ekranu są błędne lub niewyraźne?", - "Are you really sure you want to enable this feature?": "Czy na pewno chcesz włączyć tę funkcję?", - "Are you sure you want to create a new package bundle? ": "Czy na pewno chcesz utworzyć nową paczkę?", - "Are you sure you want to delete all shortcuts?": "Czy na pewno chcesz usunąć wszystkie skróty?", - "Are you sure?": "Na pewno?", - "Ascendant": "Rosnąco", - "Ask for administrator privileges once for each batch of operations": "Poproś o uprawnienia administratora raz dla każdej grupy operacji", "Ask for administrator rights when required": "Poproś o uprawnienia administratora gdy będą wymagane", "Ask once or always for administrator rights, elevate installations by default": "Pytaj raz lub zawsze o prawa administratora, domyślnie podnoś uprawnienia instalacji", - "Ask only once for administrator privileges": "Pytaj tylko raz o uprawnienia administratora", "Ask only once for administrator privileges (not recommended)": "Pytaj tylko raz o uprawnienia administratora (niezalecane)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Zapytaj czy usunąć ikony stworzone podczas instalacji lub aktualizacji.", - "Attention required": "Potrzebna uwaga", "Authenticate to the proxy with an user and a password": "Uwierzytelnianie do serwera proxy za pomocą użytkownika i hasła", - "Author": "Autor", - "Automatic desktop shortcut remover": "Automatyczne narzędzie do usuwania skrótów z pulpitu", - "Automatic updates": "Automatyczne aktualizacje", - "Automatically save a list of all your installed packages to easily restore them.": "Automatyczne zapisywanie listy wszystkich zainstalowanych pakietów w celu ich łatwego przywrócenia.", "Automatically save a list of your installed packages on your computer.": "Automatycznie zapisz listę zainstalowanych pakietów na komputerze.", - "Automatically update this package": "Automatycznie aktualizuj ten pakiet", "Autostart WingetUI in the notifications area": "Autostart UniGetUI w obszarze powiadomień", - "Available Updates": "Aktualnie są dostępne aktualizacje", "Available updates: {0}": "Ilość dostępnych aktualizacji: {0}", "Available updates: {0}, not finished yet...": "Ilość dostępnych aktualizacji: {0}, trwa wyszukiwanie...", - "Backing up packages to GitHub Gist...": "Tworzenie kopii zapasowej pakietów w GitHub Gist...", - "Backup": "Kopia zapasowa", - "Backup Failed": "Wykonanie kopii zapasowej nie powiodło się", - "Backup Successful": "Wykonanie kopii zapasowej powiodło się", - "Backup and Restore": "Tworzenie i przywracanie kopii zapasowej", "Backup installed packages": "Kopia zapasowa zainstalowanych pakietów", "Backup location": "Lokalizacja kopii zapasowej", - "Become a contributor": "Zostań współtwórcą", - "Become a translator": "Zostań tłumaczem", - "Begin the process to select a cloud backup and review which packages to restore": "Rozpocznij proces wyboru kopii zapasowej w chmurze i sprawdź, które pakiety chcesz przywrócić.", - "Beta features and other options that shouldn't be touched": "Funkcje beta i inne opcje, które nie powinny być używane", - "Both": "Oba", - "Bundle security report": "Raport bezpieczeństwa paczki", "But here are other things you can do to learn about WingetUI even more:": "Ale są też inne rzeczy, które możesz zrobić, aby dowiedzieć się więcej o UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Wyłączenie menedżera pakietów spowoduje, że nie będzie można już wyświetlać ani aktualizować jego pakietów.", "Cache administrator rights and elevate installers by default": "Zapamiętaj uprawnienia administratora i używaj ich domyślnie przy instalacji", "Cache administrator rights, but elevate installers only when required": "Zapamiętaj uprawnienia administratora, ale używaj ich tylko gdy instalator tego wymaga.", "Cache was reset successfully!": "Pamięć podręczna aplikacji została wyczyszczona!", "Can't {0} {1}": "Nie można wykonać {0} {1}", - "Cancel": "Anuluj", "Cancel all operations": "Anuluj wszystkie operacje", - "Change backup output directory": "Zmień katalog wyjściowy dla kopii zapasowej", - "Change default options": "Zmień opcje domyślne", - "Change how UniGetUI checks and installs available updates for your packages": "Zmień sposób, w jaki UniGetUI sprawdza i instaluje dostępne aktualizacje pakietów.", - "Change how UniGetUI handles install, update and uninstall operations.": "Zmień sposób, w jaki UniGetUI obsługuje operacje instalacji, aktualizacji i odinstalowywania.", "Change how UniGetUI installs packages, and checks and installs available updates": "Zmień sposób, w jaki UniGetUI instaluje pakiety oraz sprawdza i instaluje dostępne aktualizacje", - "Change how operations request administrator rights": "Zmień sposób, w jaki operacje żądają uprawnień administratora", "Change install location": "Zmiana miejsca instalacji", - "Change this": "Zmień to", - "Change this and unlock": "Zmień to i odblokuj", - "Check for package updates periodically": "Okresowo sprawdzaj dostępność aktualizacji pakietów", - "Check for updates": "Sprawdź aktualizacje", - "Check for updates every:": "Sprawdzaj aktualizacje co:", "Check for updates periodically": "Sprawdzaj okresowo aktualizacje", "Check for updates regularly, and ask me what to do when updates are found.": "Sprawdzaj regularnie aktualizacje i zapytaj mnie co zrobić gdy zostaną znalezione.", "Check for updates regularly, and automatically install available ones.": "Regularnie sprawdzaj dostępność aktualizacji i automatycznie instaluj gdy są dostępne.", @@ -159,805 +741,283 @@ "Checking for updates...": "Sprawdzanie dostępnych aktualizacji...", "Checking found instace(s)...": "Sprawdzanie znalezionych instancji...", "Choose how many operations shouls be performed in parallel": "Wybierz liczbę operacji, które mają być wykonywane równolegle", - "Clear cache": "Wyczyść pamięć podręczną", "Clear finished operations": "Wyczyść ukończone operacje", - "Clear selection": "Wyczyść wybór", "Clear successful operations": "Wyczyść pomyślnie ukończone operacje", - "Clear successful operations from the operation list after a 5 second delay": "Wyczyść pomyślne operacje z listy operacji po 5 sekundach przerwy", "Clear the local icon cache": "Wyczyść pamięć podręczną ikon", - "Clearing Scoop cache - WingetUI": "Czyszczenia pamięci podręcznej Scoop - UniGetUI", "Clearing Scoop cache...": "Czyszczenie pamięci podręcznej Scoop'a...", - "Click here for more details": "Kliknij tutaj, aby uzyskać więcej szczegółów", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknij Zainstaluj by rozpocząć instalację. Jeżeli ją pominiesz, UniGetUI może nie działać jak należy.", - "Close": "Zamknij", - "Close UniGetUI to the system tray": "Zamknij UniGetUI do paska zadań", "Close WingetUI to the notification area": "Zamknij UniGetUI do obszaru powiadomień", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Kopia zapasowa w chmurze wykorzystuje prywatny GitHub Gist do przechowywania listy zainstalowanych pakietów", - "Cloud package backup": "Kopia zapasowa pakietów w chmurze", "Command-line Output": "Wyjście wiersza poleceń", - "Command-line to run:": "Polecenie do wykonania:", "Compare query against": "Porównaj zapytanie z", - "Compatible with authentication": "Zgodny z uwierzytelnianiem", - "Compatible with proxy": "Kompatybilny z proxy", "Component Information": "Informacje o składnikach", - "Concurrency and execution": "Równoczesność i wykonywanie zadań", - "Connect the internet using a custom proxy": "Połącz przy pomocy własnego proxy", - "Continue": "Kontynuuj", "Contribute to the icon and screenshot repository": "Przyczyń się do repozytorium ikon i zrzutów ekranu", - "Contributors": "Kontrybutorzy", "Copy": "Kopiuj", - "Copy to clipboard": "Kopiuj do schowka", - "Could not add source": "Nie można dodać źródła", - "Could not add source {source} to {manager}": " Nie można dodać źródła {source} do {manager}", - "Could not back up packages to GitHub Gist: ": "Tworzenie kopii zapasowej pakietów w GitHub Gist nie powiodło się:", - "Could not create bundle": "Nie można utworzyć paczki", "Could not load announcements - ": "Nie można wczytać ogłoszeń -", "Could not load announcements - HTTP status code is $CODE": "Nie można załadować ogłoszeń - kod stanu HTTP to $CODE", - "Could not remove source": "Nie można usunąć źródła", - "Could not remove source {source} from {manager}": "Nie można usunąć źródła {source} z {manager}\n", "Could not remove {source} from {manager}": "Nie można usunąć {source} z {manager}", - "Create .ps1 script": "Utwórz skrypt .ps1", - "Credentials": "Poświadczenia", "Current Version": "Aktualna wersja", - "Current executable file:": "Aktualny plik wykonywalny:", - "Current status: Not logged in": "Obecny status: Niezalogowany", "Current user": "Aktualny użytkownik", "Custom arguments:": "Argumenty niestandardowe:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Niestandardowe argumenty wiersza poleceń mogą zmienić sposób, w jaki programy są instalowane, uaktualniane lub odinstalowywane, w sposób, którego UniGetUI nie będzie w stanie kontrolować. Używanie niestandardowych wierszy poleceń może uszkodzić pakiety. Postępuj ostrożnie.", "Custom command-line arguments:": "Niestandardowe argumenty linii poleceń:", - "Custom install arguments:": "Niestandardowe argumenty instalacji:", - "Custom uninstall arguments:": "Niestandardowe argumenty dezinstalacji:", - "Custom update arguments:": "Niestandardowe argumenty aktualizacji:", "Customize WingetUI - for hackers and advanced users only": "Dostosuj UniGetUI - tylko dla hakerów i zaawansowanych użytkowników", - "DEBUG BUILD": "KOMPILACJA DEBUG", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ZASTRZEŻENIE: NIE PONOSIMY ODPOWIEDZIALNOŚCI ZA POBRANE PAKIETY. PROSIMY O UPEWNIENIE SIĘ, ŻE INSTALUJESZ TYLKO ZAUFANE OPROGRAMOWANIE.", - "Dark": "Ciemny", - "Decline": "Odrzuć", - "Default": "Domyślne", - "Default installation options for {0} packages": "Domyślne opcje instalacji dla {0} pakietów", "Default preferences - suitable for regular users": "Domyślne ustawienia - odpowiednie dla zwykłych użytkowników", - "Default vcpkg triplet": "Domyślne zmienne potrójne vcpkg", - "Delete?": "Usunąć?", - "Dependencies:": "Zależności:", - "Descendant": "Malejąco", "Description:": "Opis:", - "Desktop shortcut created": "Stworzono skrót na pulpicie", - "Details of the report:": "Szczegóły raportu:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Programowanie jest trudne, a ta aplikacja jest za darmo. Ale jeśli lubisz tą aplikację zawsze możesz kupić mi kawę ;)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instaluj po dwukrotnym kliknięciu elementu w zakładce \"{discoveryTab}\" (zamiast wyświetlania informacji o pakiecie).", "Disable new share API (port 7058)": "Wyłącz nowe API od udostępniania (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Wyłącz 1-minutowy limit czasu dla operacji pakietów", - "Disabled": "Wyłączony", - "Disclaimer": "Zastrzeżenie", - "Discover Packages": "Odkryj pakiety", "Discover packages": "Odkryj pakiety", "Distinguish between\nuppercase and lowercase": "Rozróżniaj wielkie i małe litery", - "Distinguish between uppercase and lowercase": "Rozróżniaj wielke i małe litery", "Do NOT check for updates": "NIE szukaj aktualizacji", "Do an interactive install for the selected packages": "Wykonaj interaktywną instalację wybranych pakietów", "Do an interactive uninstall for the selected packages": "Wykonaj interaktywną deinstalcję wybranych pakietów", "Do an interactive update for the selected packages": "Wykonaj interaktywną aktualizację wybranych pakietów", - "Do not automatically install updates when the battery saver is on": "Nie instaluj automatycznie aktualizacji, gdy oszczędzanie baterii jest włączone", - "Do not automatically install updates when the device runs on battery": "Nie instaluj automatycznie aktualizacji, gdy urządzenie jest zasilane z baterii", - "Do not automatically install updates when the network connection is metered": "Nie instaluj automatycznie aktualizacji, gdy połączenie sieciowe jest taryfowe", "Do not download new app translations from GitHub automatically": "Nie pobieraj nowych tłumaczeń aplikacji z GitHuba automatycznie", - "Do not ignore updates for this package anymore": "Nie ignoruj już aktualizacji dla tego pakietu", "Do not remove successful operations from the list automatically": "Nie usuwaj automatycznie pomyślnie zakończonych operacji z listy", - "Do not show this dialog again for {0}": "Nie pokazuj ponownie tego okna dialogowego dla {0}", "Do not update package indexes on launch": "Nie aktualizuj indeksów pakietów podczas uruchamiania", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Czy zgadzasz się, że UniGetUI zbiera i wysyła anonimowe statystyki użytkowania, wyłącznie w celu zrozumienia i poprawy doświadczenia użytkownika?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Czy uważasz, że UniGetUI jest przydatny? Jeśli możesz, możesz wesprzeć moją pracę, abym mógł kontynuować tworzenie UniGetUI jako najlepszego interfejsu do zarządzania pakietami.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Czy uważasz, że UniGetUI jest przydatny? Chcesz wesprzeć dewelopera? Jeśli tak, możesz {0}, to bardzo pomaga!", - "Do you really want to reset this list? This action cannot be reverted.": "Czy naprawdę chcesz zresetować tę listę? Tej akcji nie można cofnąć.", - "Do you really want to uninstall the following {0} packages?": "Na pewno chcesz usunąć {0} pakietów?", "Do you really want to uninstall {0} packages?": "Na pewno chcesz odinstalować pakiet {0}?", - "Do you really want to uninstall {0}?": "Czy na pewno chcesz odinstalować {0}?", "Do you want to restart your computer now?": "Czy chcesz teraz uruchomić ponownie komputer?", "Do you want to translate WingetUI to your language? See how to contribute
HERE!": "Chcesz przetłumaczyć UniGetUI na swój język? Zobacz, jak możesz pomóc TUTAJ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Nie masz ochoty na darowiznę? Nie martw się, zawsze możesz podzielić się UniGetUI ze znajomymi. Rozpowszechniaj informacje o UniGetUI.", "Donate": "Darowizna", - "Done!": "Ukończono!", - "Download failed": "Pobieranie nie powiodło się", - "Download installer": "Pobierz instalator", - "Download operations are not affected by this setting": "To ustawienie nie ma wpływu na operacje pobierania", - "Download selected installers": "Pobierz wybrane instalatory", - "Download succeeded": "Pobieranie powiodło się", "Download updated language files from GitHub automatically": "Pobieraj automatycznie zaktualizowane pliki językowe z GitHuba", - "Downloading": "Pobieranie", - "Downloading backup...": "Pobieranie kopii zapasowej...", - "Downloading installer for {package}": "Pobieranie instalatora dla {package}", - "Downloading package metadata...": "Pobieranie metadanych pakietu...", - "Enable Scoop cleanup on launch": "Włącz czyszczenie Scoop podczas uruchamiania", - "Enable WingetUI notifications": "Włącz powiadomienia UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Włącz [eksperymentalne] ulepszone narzędzie do rozwiązywania problemów z WinGet", - "Enable and disable package managers, change default install options, etc.": "Aktywuj i dezaktywuj menedżery pakietów, zmień domyślne ustawienia instalacji, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Włącz optymalizacje wykorzystania procesora w tle (patrz Pull Request #3278).", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Włącz API w tle (Widgets for UniGetUI and Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Włącz instalację pakietów z {pm}.", - "Enable the automatic WinGet troubleshooter": "Włącz automatyczne rozwiązywanie problemów dla WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Włącz nowy UniGetUI UAC Elevator", - "Enable the new process input handler (StdIn automated closer)": "Włącz nowy moduł obsługi danych wejściowych procesu (automatyczne zamykanie StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Włącz poniższe ustawienia TYLKO WTEDY, GDY w pełni rozumiesz, jak działają, oraz jakie mogą wywołać konsekwencje i zagrożenia.", - "Enable {pm}": "Włącz {pm}", - "Enabled": "Włączony", - "Enter proxy URL here": "Wprowadź tutaj adres serwera proxy", - "Entries that show in RED will be IMPORTED.": "Pozycje zaznaczone na CZERWONO zostaną ZAIMPORTOWANE.", - "Entries that show in YELLOW will be IGNORED.": "Pozycje zaznaczone na ŻÓŁTO zostaną ZIGNOROWANE.", - "Error": "Błąd", - "Everything is up to date": "Wszystko jest aktualne", - "Exact match": "Dokładne dopasowanie", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Istniejące skróty na pulpicie zostaną przeskanowane i będziesz musiał(a) wybrać, które z nich zachować, a które usunąć.", - "Expand version": "Rozwiń wersję", - "Experimental settings and developer options": "Eksperymentalne ustawienia i opcje deweloperskie", - "Export": "Eksport", + "Downloading": "Pobieranie", + "Downloading installer for {package}": "Pobieranie instalatora dla {package}", + "Downloading package metadata...": "Pobieranie metadanych pakietu...", + "Enable the new UniGetUI-Branded UAC Elevator": "Włącz nowy UniGetUI UAC Elevator", + "Enable the new process input handler (StdIn automated closer)": "Włącz nowy moduł obsługi danych wejściowych procesu (automatyczne zamykanie StdIn)", "Export log as a file": "Eksportuj dziennik jako plik", "Export packages": "Eksportuj pakiety", "Export selected packages to a file": "Eksportuj wybrane pakiety do pliku", - "Export settings to a local file": "Eksportuj ustawienia do pliku", - "Export to a file": "Eksportuj do pliku", - "Failed": "Niepowodzenie", - "Fetching available backups...": "Pozyskiwanie dostępnych kopii zapasowych...", "Fetching latest announcements, please wait...": "Pobieranie najnowszych ogłoszeń, proszę czekać...", - "Filters": "Filtry", "Finish": "Zakończ", - "Follow system color scheme": "Zgodnie ze schematem kolorów systemu", - "Follow the default options when installing, upgrading or uninstalling this package": "Wykorzystuj domyślne ustawienia podczas instalacji, aktualizacji lub dezinstalacji tego pakietu", - "For security reasons, changing the executable file is disabled by default": "Ze względów bezpieczeństwa zmiana pliku wykonywalnego jest domyślnie wyłączona.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Ze względów bezpieczeństwa niestandardowe argumenty wiersza poleceń są domyślnie wyłączone. Aby to zmienić, przejdź do ustawień zabezpieczeń UniGetUI. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Ze względów bezpieczeństwa skrypty przed i po czynnościach są domyślnie wyłączone. Aby to zmienić, przejdź do ustawień bezpieczeństwa UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Wymuś wersję skompilowaną dla ARM (TYLKO DLA SYSTEMÓW ARM64)", - "Force install location parameter when updating packages with custom locations": "Wymuś parametr lokalizacji instalacji podczas aktualizacji pakietów z niestandardowymi lokalizacjami", "Formerly known as WingetUI": "Dawniej znany jako WingetUI", "Found": "Znaleziono", "Found packages: ": "Znalezione pakiety:", "Found packages: {0}": "Znalezione pakiety: {0}", "Found packages: {0}, not finished yet...": "Znalezione pakiety: {0}, jeszcze szukam...", - "General preferences": "Ogólne ustawienia", "GitHub profile": "Profil GitHub", "Global": "Globalne", - "Go to UniGetUI security settings": "Przejdź do ustawień bezpieczeństwa UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Świetne repozytorium nieznanych, ale przydatnych narzędzi i innych interesujących pakietów.
Zawiera: narzędzia, programy wiersza poleceń, ogólne oprogramowanie (wymagane dodatkowe repozytorium)", - "Great! You are on the latest version.": "Świetnie! Masz najnowszą wersję!", - "Grid": "Siatka", - "Help": "Pomoc", "Help and documentation": "Pomoc i dokumentacja", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tutaj możesz zmienić zachowanie UniGetUI w odniesieniu do następujących skrótów. Zaznaczenie skrótu spowoduje, że UniGetUI usunie go, jeśli zostanie utworzony podczas przyszłej aktualizacji. Odznaczenie go spowoduje, że skrót pozostanie nienaruszony", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Cześć, nazywam się Martí i jestem programistą UniGetUI. UniGetUI został w całości stworzony w moim wolnym czasie!", "Hide details": "Ukryj szczegóły", - "Homepage": "Strona główna", - "Hooray! No updates were found.": "Super! Nie znaleziono żadnych aktualizacji.", "How should installations that require administrator privileges be treated?": "Jak instalacje wymagające uprawnień administratora powinny być traktowane?", - "How to add packages to a bundle": "Jak dodać pakiety do paczki", - "I understand": "Rozumiem", - "Icons": "Ikony", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Jeśli aktywowano kopię zapasową w chmurze, będzie ona zapisywana jako GitHub Gist na tym koncie", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Zezwól na uruchamianie niestandardowych poleceń przed i po instalacji.", - "Ignore future updates for this package": "Ignoruj przyszłe aktualizacje tego pakietu", - "Ignore packages from {pm} when showing a notification about updates": "Ignoruj pakiety z {pm} podczas wyświetlania powiadomień o aktualizacjach", - "Ignore selected packages": "Ignoruj zaznaczone pakiety", - "Ignore special characters": "Ignoruj znaki specjalne", "Ignore updates for the selected packages": "Ignoruj aktualizacje dla wybranych pakietów", - "Ignore updates for this package": "Zignoruj aktualizacje tego pakietu", "Ignored updates": "Ignorowane aktualizacje", - "Ignored version": "Ignorowane wersje", - "Import": "Importuj", "Import packages": "Importuj pakiety", "Import packages from a file": "Importuj pakiety z pliku", - "Import settings from a local file": "Importuj ustawienia z pliku", - "In order to add packages to a bundle, you will need to: ": "Aby dodać pakiety do paczki, musisz: ", "Initializing WingetUI...": "Uruchamianie UniGetUI...", - "Install": "Zainstaluj", - "Install Scoop": "Zainstaluj Scoop", "Install and more": "Zainstaluj i więcej", "Install and update preferences": "Zainstaluj i zaktualizuj preferencje", - "Install as administrator": "Zainstaluj jako administrator", - "Install available updates automatically": "Automatyczne instaluj dostępne aktualizacje", - "Install location can't be changed for {0} packages": "Nie można zmienić lokalizacji instalacji dla {0} pakietów.", - "Install location:": "Miejsce instalacji:", - "Install options": "Opcje instalacji", "Install packages from a file": "Zainstaluj pakiety z pliku", - "Install prerelease versions of UniGetUI": "Zainstaluj wstępne wersje UniGetUI", - "Install script": "Zainstaluj skrypt", "Install selected packages": "Zainstaluj wybrane pakiety", "Install selected packages with administrator privileges": "Zainstaluj wybrane pakiety używając uprawnień administratora", - "Install selection": "Zainstaluj wybrane", "Install the latest prerelease version": "Zainstaluj najnowszą wersję rozwojową", "Install updates automatically": "Instaluj aktualizacje automatycznie", - "Install {0}": "Zainstaluj {0}", "Installation canceled by the user!": "Instalacja anulowana przez użytkownika!", - "Installation failed": "Instalacja nie powiodła się", - "Installation options": "Opcje instalacji", - "Installation scope:": "Zakres instalacji:", - "Installation succeeded": "Instalacja powiodła się", - "Installed Packages": "Zainstalowane pakiety", - "Installed Version": "Zainstalowana wersja", "Installed packages": "Zainstalowane pakiety", - "Installer SHA256": "SHA256 instalatora", - "Installer SHA512": "SHA512 instalatora", - "Installer Type": "Typ instalatora", - "Installer URL": "Adres URL instalatora", - "Installer not available": "Instalator nie jest dostępny", "Instance {0} responded, quitting...": "Instancja {0} odpowiedziała, zamykanie...", - "Instant search": "Natychmiastowe wyszukiwanie", - "Integrity checks can be disabled from the Experimental Settings": "Sprawdzanie spójności może zostać wyłączone w Ustawieniach Eksperymentalnych", - "Integrity checks skipped": "Pominięto sprawdzanie spójności", - "Integrity checks will not be performed during this operation": "Podczas tej operacji nie będzie sprawdzana spójność", - "Interactive installation": "Interaktywna instalacja", - "Interactive operation": "Interaktywna operacja", - "Interactive uninstall": "Interaktywna deinstalacja", - "Interactive update": "Interaktywna aktualizacja", - "Internet connection settings": "Ustawienia połączenia internetowego", - "Invalid selection": "Niepoprawny wybór", "Is this package missing the icon?": "Czy w tym pakiecie brakuje ikony?", - "Is your language missing or incomplete?": "Czy brakuje Twojego języka lub jest on niekompletny?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nie ma gwarancji, że podane dane uwierzytelniające będą przechowywane bezpiecznie, dlatego nie należy używać danych uwierzytelniających konta bankowego", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Zalecany jest restart UniGetUI po naprawieniu WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Zdecydowanie zaleca się przeinstalowanie UniGetUI, w celu rozwiązania sytuacji.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Wygląda na to, że WinGet nie działa prawidłowo. Czy podjąć próbę naprawy WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Wygląda na to, że uruchomiono UniGetUI jako administrator, co nie jest zalecane. Możesz nadal używać programu, ale bardzo zalecamy, aby nie uruchamiać UniGetUI z uprawnieniami administratora. Kliknij na \"{showDetails}\", aby zobaczyć dlaczego.", - "Language": "Język", - "Language, theme and other miscellaneous preferences": "Język, motyw i inne preferencje", - "Last updated:": "Ostatnia aktualizacja:", - "Latest": "Najnowsza", "Latest Version": "Najnowsza wersja", "Latest Version:": "Najnowsza wersja:", "Latest details...": "Szczegóły najnowszej wersji...", "Launching subprocess...": "Uruchamiam podproces...", - "Leave empty for default": "Zostaw puste dla ustawień domyślnych", - "License": "Licencja", "Licenses": "Licencje", - "Light": "Jasny", - "List": "Lista", "Live command-line output": "Wyniki w terminalu na żywo", - "Live output": "Dane wyjściowe na żywo", "Loading UI components...": "Ładowanie komponentów interfejsu...", "Loading WingetUI...": "Ładowanie UniGetUI...", - "Loading packages": "Wczytywanie pakietów", - "Loading packages, please wait...": "Wczytywanie pakietów, proszę czekać...", - "Loading...": "Ładowanie...", - "Local": "Lokalnie", - "Local PC": "Komputer", - "Local backup advanced options": "Opcje zaawansowane lokalnej kopii zapasowej", "Local machine": "Lokalna maszyna", - "Local package backup": "Lokalna kopia zapasowa", "Locating {pm}...": "Wyszukiwanie {pm}...", - "Log in": "Zaloguj się", - "Log in failed: ": "Logowanie nie powiodło się:", - "Log in to enable cloud backup": "Zaloguj się, aby umożliwić tworzenie kopii zapasowych w chmurze", - "Log in with GitHub": "Zaloguj się do GitHub", - "Log in with GitHub to enable cloud package backup.": "Zaloguj się do GitHub, aby umożliwić tworzenie kopii zapasowych pakietów w chmurze.", - "Log level:": "Poziom logowania:", - "Log out": "Wyloguj się", - "Log out failed: ": "Wylogowywanie nie powiodło się:", - "Log out from GitHub": "Wyloguj się z GitHub", "Looking for packages...": "Szukanie pakietów", "Machine | Global": "Maszyna | Globalnie", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Błędnie sformułowane argumenty wiersza poleceń mogą uszkodzić pakiety lub nawet umożliwić atakującemu wykonanie kodu z podwyższonymi uprawnieniami. Z tego powodu, importowanie niestandardowych argumentów jest domyślnie wyłączone", - "Manage": "Zarządzaj", - "Manage UniGetUI settings": "Zarządzaj ustawieniami UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Zarządzanie autostartem WingetUI z poziomu aplikacji Ustawienia", "Manage ignored packages": "Zarządzaj ignorowanymi pakietami", - "Manage ignored updates": "Zarządzaj ignorowanymi aktualizacjami", - "Manage shortcuts": "Zarządzaj skrótami", - "Manage telemetry settings": "Zarządzaj ustawieniami telemetrii", - "Manage {0} sources": "Zarządzaj źródłami {0}", - "Manifest": "Manifest pakietu", "Manifests": "Manifesty:", - "Manual scan": "Ręczne skanowanie", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficjalny menedżer pakietów firmy Microsoft. Pełen dobrze znanych i zweryfikowanych pakietów
Zawiera: ogólne oprogramowanie, aplikacje Microsoft Store", - "Missing dependency": "Brakująca zależność", - "More": "Więcej", - "More details": "Więcej szczegółów", - "More details about the shared data and how it will be processed": "Więcej szczegółów na temat udostępnianych danych i sposobu ich przetwarzania", - "More info": "Więcej informacji", - "More than 1 package was selected": "Wybrano więcej niż 1 pakiet", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "UWAGA: Funkcję rozwiązywania problemów można wyłączyć w ustawieniach UniGetUI, w sekcji WinGet", - "Name": "Nazwa", - "New": "Nowy", "New Version": "Nowa wersja", "New bundle": "Nowa paczka", - "New version": "Nowa wersja", - "Nice! Backups will be uploaded to a private gist on your account": "Świetnie! Kopie zapasowe zostaną przesłane do prywatnego gistu na Twoim koncie.", - "No": "Nie", - "No applicable installer was found for the package {0}": "Nie znaleziono odpowiedniego instalatora dla pakietu {0}", - "No dependencies specified": "Brak wymienionych zależności", - "No new shortcuts were found during the scan.": "Podczas skanowania nie znaleziono żadnych nowych skrótów.", - "No package was selected": "Nie wybrano pakietu", "No packages found": "Nie znaleziono pakietów", "No packages found matching the input criteria": "Nie znaleziono pakietów spełniających podane kryteria", "No packages have been added yet": "Nie dodano jeszcze pakietów", "No packages selected": "Nie wybrano pakietów", - "No packages were found": "Nie znaleziono pakietów", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nie gromadzimy ani nie przesyłamy żadnych danych osobowych. Zebrane dane są anonimizowane, więc nie ma możliwości ich powiązania z Twoją osobą.", - "No results were found matching the input criteria": "Nie znaleziono żadnych wyników spełniających podane kryteria", "No sources found": "Nie znaleziono źródeł", "No sources were found": "Nie znaleziono źródeł", "No updates are available": "Brak dostępnych aktualizacji", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Mendedżer pakietów NodeJS. Pełen bibliotek i innych narzędzi, które krążą po świecie JavaScriptu
Zawiera: biblioteki javascriptowe dla Node i powiązane narzędzia", - "Not available": "Niedostępne", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nie możesz znaleźć pliku, którego szukasz? Upewnij się, że został on dodany do ścieżki.", - "Not found": "Nie znaleziono", - "Not right now": "Nie teraz", "Notes:": "Notatki:", - "Notification preferences": "Ustawienia powiadomień", "Notification tray options": "Opcje paska powiadomień", - "Notification types": "Typy powiadomień", - "NuPkg (zipped manifest)": "NuPkg (spakowany manifest)", - "OK": "Potwierdź", "Ok": "Tak", - "Open": "Otwórz", "Open GitHub": "Otwórz GitHub", - "Open UniGetUI": "Otwórz UniGetUI", - "Open UniGetUI security settings": "Otwórz ustawienia bezpieczeństwa UniGetUI", "Open WingetUI": "Otwórz UniGetUI", "Open backup location": "Otwórz lokalizację kopii zapasowej", "Open existing bundle": "Otwórz istniejącą paczkę", - "Open install location": "Otwórz lokalizację instalacji", "Open the welcome wizard": "Otwórz kreator powitania", - "Operation canceled by user": "Operacja anulowana przez użytkownika", "Operation cancelled": "Operacja anulowana", - "Operation history": "Historia", - "Operation in progress": "Operacja w toku", - "Operation on queue (position {0})...": "Operacja jest w kolejce (pozycja {0})...", - "Operation profile:": "Profil czynności:", "Options saved": "Zapisano opcje", - "Order by:": "Sortuj według:", - "Other": "Inne", - "Other settings": "Inne ustawienia", - "Package": "Pakiet", - "Package Bundles": "Paczki pakietów", - "Package ID": "ID pakietu", "Package Manager": "Menedżer pakietów", - "Package Manager logs": "Dziennik zdarzeń menedżera pakietów", - "Package Managers": "Menedżery pakietów", - "Package Name": "Nazwa pakietu", - "Package backup": "Kopia zapasowa pakietów", - "Package backup settings": "Ustawienia kopii zapasowych pakietów", - "Package bundle": "Paczka pakietów", - "Package details": "Szczegóły pakietu", - "Package lists": "Lista pakietów", - "Package management made easy": "Łatwe zarządzanie pakietami", - "Package manager": "Menedżer pakietów", - "Package manager preferences": "Preferencje menedżerów pakietów", "Package managers": "Menedżery pakietów", - "Package not found": "Nie znaleziono pakietu", - "Package operation preferences": "Preferencje operacji na pakietach", - "Package update preferences": "Preferencje aktualizacji pakietów", "Package {name} from {manager}": "Pakiet {name} z {manager}", - "Package's default": "Domyślne ustawienia pakietu", "Packages": "Pakiety", "Packages found: {0}": "Znalezione pakiety: {0}", - "Partially": "Częściowo", - "Password": "Hasło", "Paste a valid URL to the database": "Wklej prawidłowy adres URL do bazy danych", - "Pause updates for": "Wstrzymaj aktualizacje na", "Perform a backup now": "Utwórz kopię zapasową teraz", - "Perform a cloud backup now": "Utwórz kopię zapasową w chmurze teraz", - "Perform a local backup now": "Utwórz lokalną kopię zapasową teraz", - "Perform integrity checks at startup": "Sprawdź spójność podczas uruchamiania", - "Performing backup, please wait...": "Tworzy się kopia zapasowa, proszę czekać...", "Periodically perform a backup of the installed packages": "Okresowo wykonuj kopię zapasową zainstalowanych pakietów", - "Periodically perform a cloud backup of the installed packages": "Okresowo wykonuj kopię zapasową zainstalowanych pakietów w chmurze", - "Periodically perform a local backup of the installed packages": "Okresowo wykonuj lokalną kopię zapasową zainstalowanych pakietów", - "Please check the installation options for this package and try again": "Sprawdź opcje instalacji tego pakietu i spróbuj ponownie", - "Please click on \"Continue\" to continue": "Kliknij \"Kontynuuj\", aby kontynuować", "Please enter at least 3 characters": "Wpisz co najmniej 3 znaki", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Należy pamiętać, że niektóre pakiety mogą nie być możliwe do zainstalowania ze względu na menedżery pakietów, które są włączone na tym komputerze.", - "Please note that not all package managers may fully support this feature": "Nie wszystkie menedżery pakietów mogą w pełni obsługiwać tę funkcję", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Należy pamiętać, że pakiety z niektórych źródeł mogą nie być eksportowalne. Zostały one wyszarzone i nie będą eksportowane.", - "Please run UniGetUI as a regular user and try again.": "Uruchom UniGetUI jako zwykły użytkownik i spróbuj ponownie.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Więcej informacji na ten temat można znaleźć w Wyjściu wiersza poleceń lub w Historii operacji.", "Please select how you want to configure WingetUI": "Wybierz sposób, w jaki chcesz skonfigurować UniGetUI", - "Please try again later": "Proszę spróbować ponownie później", "Please type at least two characters": "Proszę wprowadź co najmniej dwa znaki", - "Please wait": "Proszę czekać", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Proszę czekać aż do zakończenia instalacji {0}. Może pojawić się czarne okno. Poczekaj aż ono się zamknie.", - "Please wait...": "Proszę czekać...", "Portable": "Przenośny", - "Portable mode": "Tryb przenośny", - "Post-install command:": "Komenda poinstalacyjna:", - "Post-uninstall command:": "Komenda podezintalacyjna:", - "Post-update command:": "Komenda poaktualizacyjna:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Menedżer pakietów PowerShella. Znajdź biblioteki i skrypty, aby rozszerzyć możliwości PowerShella
Zawiera: moduły, skrypty, polecenia", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Polecenia wykonywane przed i po instalacji, mogą wyrządzić poważne szkody Twojemu urządzeniu, jeśli zostały do tego celowo zaprojektowane. Importowanie poleceń z pakietu bywa bardzo niebezpieczne, chyba że masz pełne zaufanie do jego źródła", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Polecenia wykonywane przed i po instalacji, zostaną uruchomione przed i po zainstalowaniu, uaktualnieniu lub odinstalowaniu pakietu. Należy pamiętać, że mogą one coś zepsuć, jeśli nie zostaną użyte z rozwagą", - "Pre-install command:": "Komenda przedinstalacyjna:", - "Pre-uninstall command:": "Komenda przeddezinstalacyjna:", - "Pre-update command:": "Komenda przedaktualizacyjna:", - "PreRelease": "Wersja przedpremierowa", - "Preparing packages, please wait...": "Przygotowywanie pakietów, proszę czekać...", - "Proceed at your own risk.": "Postępuj na własne ryzyko.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zabroń wszelkiego rodzaju podnoszenia za pomocą UniGetUI Elevator lub GSudo.", - "Proxy URL": "Adres serwera proxy", - "Proxy compatibility table": "Tabela zgodności serwerów proxy", - "Proxy settings": "Ustawienia proxy", - "Proxy settings, etc.": "Ustawienia proxy itp.", "Publication date:": "Data publikacji:", - "Publisher": "Wydawca", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Menedżer bibliotek Pythona. Pełen bibliotek Pythona i innych narzędzi związanych z Pythonem
Zawiera: biblioteki Pythona i powiązane narzędzia", - "Quit": "Wyjdź", "Quit WingetUI": "Zamknij UniGetUI", - "Ready": "Gotowy", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Zmniejsz liczbę monitów UAC, domyślnie podnoś uprawnienia instalacji, odblokuj niektóre niebezpieczne funkcje itp.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Zapoznaj się z dziennikami UniGetUI, aby uzyskać więcej szczegółów dotyczących pliku(ów), których dotyczy problem", - "Reinstall": "Zainstaluj ponownie", - "Reinstall package": "Zainstaluj pakiet ponownie", - "Related settings": "Powiązane ustawienia", - "Release notes": "Informacje o wydaniu", - "Release notes URL": "Adres URL informacji o wydaniu", "Release notes URL:": "Adres informacji o wydaniu:", "Release notes:": "Lista zmian:", "Reload": "Odśwież", - "Reload log": "Przeładuj dziennik", "Removal failed": "Usunięcie nie powiodło się", "Removal succeeded": "Usunięto pomyślnie", - "Remove from list": "Usuń z listy", "Remove permanent data": "Usuń trwale dane", - "Remove selection from bundle": "Usuń wybrane z paczki", "Remove successful installs/uninstalls/updates from the installation list": "Usuń pozytywne instalacje/deinstalacje/aktualizacje z listy instalacji", - "Removing source {source}": "Usuwanie źródła {source}", - "Removing source {source} from {manager}": "Usuwanie źródła {source} z {manager}", - "Repair UniGetUI": "Napraw UniGetUI", - "Repair WinGet": "Napraw WinGet", - "Report an issue or submit a feature request": "Zgłoś problem lub prośbę o dodanie funkcji", "Repository": "Repozytorium", - "Reset": "Zresetuj", "Reset Scoop's global app cache": "Zresetuj pamięć podręczną Scoop'a", - "Reset UniGetUI": "Zresetuj UniGetUI", - "Reset WinGet": "Zresetuj WinGet", "Reset Winget sources (might help if no packages are listed)": "Zresetuj źródła Winget (może pomóc jeśli lista pakietów jest pusta)", - "Reset WingetUI": "Zresetuj UniGetUI", "Reset WingetUI and its preferences": "Zresetuj UniGetUI i jego ustawienia", "Reset WingetUI icon and screenshot cache": "Zresetuj pamięć podręczną ikon i zrzutów ekranu UniGetUI", - "Reset list": "Zresetuj listę", "Resetting Winget sources - WingetUI": "Resetowanie źródeł Winget - UniGetUI", - "Restart": "Uruchom ponownie", - "Restart UniGetUI": "Uruchom ponownie UniGetUI", - "Restart WingetUI": "Zrestartuj UniGetUI", - "Restart WingetUI to fully apply changes": "Uruchom ponownie UniGetUI żeby zastosowac wszystkie zmiany", - "Restart later": "Uruchom ponownie później", "Restart now": "Uruchom ponownie teraz", - "Restart required": "Wymagane ponowne uruchomienie", - "Restart your PC to finish installation": "Uruchom ponownie komputer żeby dokończyć instalację", - "Restart your computer to finish the installation": "Uruchom ponownie komputer, aby dokończyć instalację", - "Restore a backup from the cloud": "Przywróć kopię zapasową z chmury", - "Restrictions on package managers": "Ograniczenia menedżerów pakietów", - "Restrictions on package operations": "Ograniczenia dotyczące operacji związanych z pakietami", - "Restrictions when importing package bundles": "Ograniczenia podczas importowania paczek pakietów", - "Retry": "Ponów", - "Retry as administrator": "Spróbuj ponownie jako administrator", - "Retry failed operations": "Ponów nieudane operacje", - "Retry interactively": "Ponów interaktywnie", - "Retry skipping integrity checks": "Ponów próbę, pomijając sprawdzanie spójności", - "Retrying, please wait...": "Ponawianie, proszę czekać...", - "Return to top": "Wróć na górę", - "Run": "Uruchom", - "Run as admin": "Uruchom jako administrator", - "Run cleanup and clear cache": "Uruchom czyszczenie i wyczyść pamięć podręczną", - "Run last": "Uruchom ostatnie", - "Run next": "Uruchom następne", - "Run now": "Uruchom teraz", + "Restart your PC to finish installation": "Uruchom ponownie komputer żeby dokończyć instalację", + "Restart your computer to finish the installation": "Uruchom ponownie komputer, aby dokończyć instalację", + "Retry failed operations": "Ponów nieudane operacje", + "Retrying, please wait...": "Ponawianie, proszę czekać...", + "Return to top": "Wróć na górę", "Running the installer...": "Uruchomienie instalatora...", "Running the uninstaller...": "Uruchomienie deinstalatora...", "Running the updater...": "Uruchomienie aktualizacji...", - "Save": "Zapisz", "Save File": "Zapisz plik", - "Save and close": "Zapisz i zamknij", - "Save as": "Zapisz jako", "Save bundle as": "Zapisz paczkę jako", "Save now": "Zapisz teraz", - "Saving packages, please wait...": "Zapisywanie pakietów, proszę czekać...", - "Scoop Installer - WingetUI": "Instalator Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Deinstalator Scoop - UniGetUI", - "Scoop package": "Pakiet Scoop", "Search": "Szukaj", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Szukaj aplikacji, informuj mnie kiedy dostępne są aktualizacje i nie rób nerdowskich rzeczy. Nie chcę, aby UniGetUI nadmiernie komplikował, chcę tylko prostego sklepu z oprogramowaniem", - "Search for packages": "Wyszukaj pakiety", - "Search for packages to start": "Żeby zacząć, wyszukaj pakiety", - "Search mode": "Tryb wyszukiwania", "Search on available updates": "Wyszukaj w dostępnych aktualizacjach", "Search on your software": "Wyszukaj w twoich aplikacjach", "Searching for installed packages...": "Wyszukiwanie zainstalowanych pakietów...", "Searching for packages...": "Wyszukiwanie pakietów...", "Searching for updates...": "Wyszukiwanie aktualizacji...", - "Select": "Wybierz", "Select \"{item}\" to add your custom bucket": "Wybierz \"{item}\" żeby dodać do własnego repozytorium", "Select a folder": "Wybierz folder", - "Select all": "Zaznacz wszystkie", "Select all packages": "Zaznacz wszystkie pakiety", - "Select backup": "Wybierz kopię zapasową", "Select only if you know what you are doing.": "Zaznacz tylko jeśli wiesz co robisz", "Select package file": "Wybierz plik pakietu", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Wybierz kopię zapasową, którą chcesz otworzyć. Później będziesz mógł sprawdzić, które pakiety/programy chcesz przywrócić.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Wybierz plik wykonywalny, który ma zostać użyty. Poniższa lista zawiera pliki wykonywalne znalezione przez UniGetUI.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Wybierz procesy, które powinny zostać zamknięte przed zainstalowaniem, aktualizacją lub odinstalowaniem tego pakietu.", - "Select the source you want to add:": "Wybierz źródło, które chcesz dodać:", - "Select upgradable packages by default": "Wybierz domyślnie pakiety z możliwością aktualizacji", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Wybierz, które menedżery pakietów mają być używane ({0}), skonfiguruj sposób instalacji pakietów, zarządzaj sposobem obsługi uprawnień administratora itp.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Wysłano handshake. Oczekiwanie na odpowiedź serwera... ({0}%)", - "Set a custom backup file name": "Ustaw własną nazwę pliku z kopią zapasową", "Set custom backup file name": "Ustaw własną nazwę pliku kopii zapasowej", - "Settings": "Ustawienia", - "Share": "Udostępnij", "Share WingetUI": "Udostępnij UniGetUI", - "Share anonymous usage data": "Udostępnij anonimowe dane o użytkowaniu", - "Share this package": "Udostępnij ten pakiet", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "W przypadku zmiany ustawień zabezpieczeń konieczne będzie ponowne otwarcie paczki, aby zmiany zaczęły obowiązywać.", "Show UniGetUI on the system tray": "Pokaż UniGetUI w zasobniku systemowym", - "Show UniGetUI's version and build number on the titlebar.": "Pokaż wersję UniGetUI na pasku tytułowym", - "Show WingetUI": "Pokaż UniGetUI", "Show a notification when an installation fails": "Pokaż powiadomienie gdy instalacja się nie powiedzie", "Show a notification when an installation finishes successfully": "Pokaż powiadomienie gdy instalacja się powiedzie", - "Show a notification when an operation fails": "Pokaż powiadomienie gdy operacja się nie powiedzie", - "Show a notification when an operation finishes successfully": "Pokaż powiadomienie gdy operacja się powiedzie", - "Show a notification when there are available updates": "Wyświetl powiadomienie gdy aktualizacje są dostępne", - "Show a silent notification when an operation is running": "Pokaż ciche powiadomienie gdy operacja jest wykonywana", "Show details": "Pokaż szczegóły", - "Show in explorer": "Pokaż w eksploratorze", "Show info about the package on the Updates tab": "Wyświetl informacje o pakiecie w zakładce aktualizacji", "Show missing translation strings": "Pokaż brakujące ciągi tłumaczeń", - "Show notifications on different events": "Pokaż powiadomienia o różnych wydarzeniach", "Show package details": "Pokaż szczegóły pakietu", - "Show package icons on package lists": "Pokaż ikony pakietu na liście pakietów", - "Show similar packages": "Pokaż podobne pakiety", "Show the live output": "Wyświetlaj wykonywane operacje na żywo", - "Size": "Rozmiar", "Skip": "Pomiń", - "Skip hash check": "Pomiń weryfikacje hash'a", - "Skip hash checks": "Pomiń weryfikacje hash'a", - "Skip integrity checks": "Pomiń sprawdzanie spójności", - "Skip minor updates for this package": "Pomiń drobne aktualizacje dla tego pakietu", "Skip the hash check when installing the selected packages": "Pomiń sprawdzanie skrótu podczas instalacji wybranych pakietów", "Skip the hash check when updating the selected packages": "Pomiń sprawdzanie skrótu podczas aktualizacji wybranych pakietów", - "Skip this version": "Pomiń tę wersję", - "Software Updates": "Aktualizacje pakietów", - "Something went wrong": "Coś poszło nie tak", - "Something went wrong while launching the updater.": "Wystąpił błąd podczas uruchamiania aktualizatora.", - "Source": "Źródło", - "Source URL:": "Adres URL źródła:", - "Source added successfully": "Źródło dodano pomyślnie", "Source addition failed": "Dodanie źródła nie powiodło się", - "Source name:": "Nazwa źródła:", "Source removal failed": "Nie udało usunąć się źródła", - "Source removed successfully": "Źródło zostało pomyślnie usunięte", "Source:": "Źródło:", - "Sources": "Źródła", "Start": "Rozpocznij", "Starting daemons...": "Uruchamianie usług...", - "Starting operation...": "Rozpoczęcie działania...", "Startup options": "Opcje uruchamiania", "Status": "Stan", "Stuck here? Skip initialization": "Zawiesiło się? Pomiń inicjalizaję.", - "Success!": "Sukces!", "Suport the developer": "Wsparcie dewelopera", "Support me": "Wesprzyj mnie", "Support the developer": "Wesprzyj developera", "Systems are now ready to go!": "Systemy są gotowe do działania!", - "Telemetry": "Telemetria", - "Text": "Tekst", "Text file": "Plik tekstowy", - "Thank you ❤": "Dziękuję ❤", - "Thank you \uD83D\uDE09": "Dziękuję \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Menedżer pakietów Rust.
Zawiera: biblioteki Rust oraz programy napisane w Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Kopia zapasowa NIE będzie zawierać żadnych plików binarnych ani zapisanych danych programu.", - "The backup will be performed after login.": "Kopia zapasowa zostanie wykonana po zalogowaniu.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Kopia zapasowa będzie zawierać pełną listę zainstalowanych pakietów i ich opcji instalacji. Zapisane zostaną również zignorowane aktualizacje i pominięte wersje.", - "The bundle was created successfully on {0}": "Pakiet został pomyślnie utworzony na {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paczka, którą próbujesz załadować, jest nieprawidłowa. Sprawdź proszę plik i spróbuj ponownie.", + "Thank you 😉": "Dziękuję 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Suma kontrolna instalatora nie pokrywa się z oczekiwaną wartością i autentyczność instalatora nie może być zweryfikowana. Jeśli ufasz wydawcy, {0} pakiet ponownie pomijając sprawdzanie hasha.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasyczny menedżer pakietów dla Windows. Znajdziesz tam wszystko.
Zawiera: ogólne oprogramowanie", - "The cloud backup completed successfully.": "Tworzenie kopii zapasowej w chmurze zakończone powodzeniem.", - "The cloud backup has been loaded successfully.": "Ładowanie kopii zapasowej z chmury zakończone powodzeniem.", - "The current bundle has no packages. Add some packages to get started": "Obecna paczka nie zawiera pakietów. Dodaj pakiety aby rozpocząć", - "The executable file for {0} was not found": "Plik wykonywalny dla {0} nie został odnaleziony", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Następujące opcje będą stosowane domyślnie za każdym razem, gdy pakiet {0} zostanie zainstalowany, zaktualizowany lub odinstalowany.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Następujące pakiety zostaną wyeksportowane do pliku JSON. Żadne dane użytkownika ani pliki binarne nie zostaną zapisane.", "The following packages are going to be installed on your system.": "W systemie zostaną zainstalowane następujące pakiety.", - "The following settings may pose a security risk, hence they are disabled by default.": "Poniższe ustawienia mogą stanowić zagrożenie, więc domyślnie są dezaktywowane.", - "The following settings will be applied each time this package is installed, updated or removed.": "Poniższe ustawienia będą stosowane za każdym razem, gdy pakiet zostanie instalowany, aktualizowany lub usuwany.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Poniższe ustawienia będą stosowane za każdym razem, gdy pakiet zostanie zainstalowany, zaktualizowany lub usunięty. Zostaną one zapisane automatycznie.", "The icons and screenshots are maintained by users like you!": "Ikony oraz zrzuty ekranu są zarządzane przez użytkowników takich jak ty!", - "The installation script saved to {0}": "Skrypt instalacyjny zapisany w {0}", - "The installer authenticity could not be verified.": "Nie można zweryfikować autentyczności instalatora.", "The installer has an invalid checksum": "Instalator ma niepoprawną sumę kontrolną.", "The installer hash does not match the expected value.": "Hash instalatora nie odpowiada oczekiwanej wartości.", - "The local icon cache currently takes {0} MB": "Pamięć podręczna ikon obecnie zajmuje {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Głównym celem tego projektu jest tworzenie intuicyjnego interfejsu do zarządzania najpopularniejszymi menedżerami pakietów dla Windowsa takich jak Winget i Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paczka \"{0}\" nie została znaleziona w menedżerze pakietów \"{1}\"", - "The package bundle could not be created due to an error.": "Nie można utworzyć paczki pakietów z powodu błędu.", - "The package bundle is not valid": "Paczka pakietów jest nieprawidłowa", - "The package manager \"{0}\" is disabled": "Menedżer pakietów \"{0}\" jest wyłączony", - "The package manager \"{0}\" was not found": "Menedżer pakietów \"{0}\" nie został znaleziony", "The package {0} from {1} was not found.": "Pakiet {0} z {1} nie został znaleziony.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pakiety wymienione tutaj nie będą brane pod uwagę podczas sprawdzania aktualizacji. Kliknij je dwukrotnie lub kliknij przycisk po ich prawej stronie, aby przestać ignorować ich aktualizacje.", "The selected packages have been blacklisted": "Wybrane pakiety zostały umieszczone na czarnej liście", - "The settings will list, in their descriptions, the potential security issues they may have.": "W opisach ustawień zostaną wymienione potencjalne problemy związane z bezpieczeństwem, które mogą one powodować.", - "The size of the backup is estimated to be less than 1MB.": "Rozmiar kopii zapasowej jest szacowany na mniej niż 1MB.", - "The source {source} was added to {manager} successfully": "Źródło {source} zostało dodane pomyślnie do {manager}", - "The source {source} was removed from {manager} successfully": "Źródło {source} zostało usunięte pomyślnie z {manager}", - "The system tray icon must be enabled in order for notifications to work": "Aby powiadomienia działały, ikona na pasku zadań musi być włączona", - "The update process has been aborted.": "Proces aktualizacji został przerwany.", - "The update process will start after closing UniGetUI": "Proces aktualizacji rozpocznie się po zamknięciu UniGetUI", "The update will be installed upon closing WingetUI": "Aktualizacja zostanie zainstalowana po zamknięciu UniGetUI", "The update will not continue.": "Aktualizacja nie będzie kontynuowana.", "The user has canceled {0}, that was a requirement for {1} to be run": "Użytkownik anulował {0}, co było warunkiem uruchomienia {1}", - "There are no new UniGetUI versions to be installed": "Nie ma nowych wersji UniGetUI do zainstalowania", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Operacje są w toku. Zamknięcie UniGetUI może spowodować ich niepowodzenie. Czy chcesz kontynuować?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Na YouTube jest kilka świetnych filmów, które prezentują UniGetUI i jego możliwości. Możesz nauczyć się przydatnych sztuczek i wskazówek!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Istnieją dwa główne powody, dla których nie powinno uruchamiać się UniGetUI jako administrator. Jeden z nich to problem z komendami menedżera pakietów Scoop, który może przysparzać problemów kiedy zostanie uruchomiony z uprawnieniami administratora. Drugim powodem jest to, że uruchomienie UniGetUI jako administrator oznacza, że pakiety które pobierzesz również będą uruchamiane z uprawnieniami administratora (co nie jest bezpieczne). Pamiętaj jednak, że jeśli chcesz zainstalować jakiś pakiet jako administrator to możesz to zrobić klikając prawym klawiszem myszy i wybrać \"Zainstaluj/Zaktualizuj/Odinstaluj jako administrator\".", - "There is an error with the configuration of the package manager \"{0}\"": "Konfiguracja menedżera pakietów \"{0}\" jest błędna", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Trwa instalacja. Jeśli zamkniesz UniGetUI, instalacja może się nie udać i skutkować nieoczekiwanymi rezultatami. Czy na pewno chcesz zamknąć UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Są to programy odpowiedzialne za instalowanie, aktualizowanie i usuwanie pakietów.", - "Third-party licenses": "Licencje zewnętrzne", "This could represent a security risk.": "Może to stanowić zagrożenie bezpieczeństwa.", - "This is not recommended.": "Nie jest to zalecane.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Jest to prawdopodobnie spowodowane tym, że pakiet, został usunięty lub opublikowany w menedżerze pakietów, którego nie masz włączonego. Otrzymane ID to: {0}", "This is the default choice.": "Jest to domyślny wybór.", - "This may help if WinGet packages are not shown": "To może pomóc, gdy pakiety WinGet nie są pokazywane", - "This may help if no packages are listed": "To może pomóc, gdy żadne pakiety nie są pokazywane", - "This may take a minute or two": "To może zająć minutę albo dwie", - "This operation is running interactively.": "Operacja ta jest wykonywana interaktywnie.", - "This operation is running with administrator privileges.": "Ta operacja jest wykonywana z uprawnieniami administratora.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ta opcja SPOWODUJE problemy. Każda operacja, która nie może uzyskać uprawnień administratora, zakończy się niepowodzeniem. Instalacja/aktualizacja/deinstalacja jako administrator NIE BĘDZIE DZIAŁAĆ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ta paczka pakietów zawiera pewne ustawienia, które mogą być potencjalnie niebezpieczne i mogą być domyślnie ignorowane.", "This package can be updated": "Ten pakiet może zostać zaktualizowany", "This package can be updated to version {0}": "Ten pakiet można zaktualizować do wersji {0}", - "This package can be upgraded to version {0}": "Pakiet może zostać zaktualizowany do wersji {0}", - "This package cannot be installed from an elevated context.": "Tego pakietu nie można zainstalować z podwyższonego kontekstu.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ten pakiet nie ma zrzutów ekranu lub brakuje ikony? Pomóż UniGetUI dodając brakujące ikony i zrzuty ekranu do naszej otwartej, publicznej bazy danych.", - "This package is already installed": "Ten pakiet jest już zainstalowany", - "This package is being processed": "Ten pakiet jest przetwarzany", - "This package is not available": "Ten pakiet nie jest dostępny", - "This package is on the queue": "Ten pakiet jest w kolejce", "This process is running with administrator privileges": "Ten proces jest uruchomiony z prawami administratora", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ten projekt nie ma żadnego związku z oficjalnym projektem {0} - jest całkowicie nieoficjalny.", "This setting is disabled": "To ustawienie jest zablokowane", "This wizard will help you configure and customize WingetUI!": "Ten kreator pomoże ci skonfigurować i dostosować UniGetUI!", "Toggle search filters pane": "Przełącz panel filtrów wyszukiwania", - "Translators": "Tłumacze", - "Try to kill the processes that refuse to close when requested to": "Spróbuj wymusić zatrzymanie procesów, które odmawiają zamknięcia", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Włączenie tej opcji umożliwia zmianę pliku wykonywalnego używanego do interakcji z menedżerami pakietów. Chociaż pozwala to na bardziej szczegółowe dostosowanie procesów instalacji, może być również niebezpieczne.", "Type here the name and the URL of the source you want to add, separed by a space.": "Wpisz tutaj nazwę i adres URL źródła, które chcesz dodać, oddzielając je spacją.", "Unable to find package": "Nie można odnaleźć pakietu", "Unable to load informarion": "Nie udało się załadować informacji", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI zbiera anonimowe dane dotyczące użytkowania w celu poprawy doświadczeń użytkownika.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI zbiera anonimowe dane dotyczące użytkowania w celu zrozumienia i poprawy doświadczeń użytkownika.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI wykrył nowy skrót na pulpicie, który można automatycznie usunąć.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI wykrył następujące skróty na pulpicie, które mogą zostać automatycznie usunięte podczas przyszłych aktualizacji", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI wykrył {0} nowych skrótów na pulpicie, które mogą zostać automatycznie usunięte.", - "UniGetUI is being updated...": "UniGetUI jest aktualizowany...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nie jest powiązany z żadnym z kompatybilnych menedżerów pakietów. UniGetUI jest niezależnym projektem.", - "UniGetUI on the background and system tray": "UniGetUI na tle i pasku zadań", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI lub niektóre jego komponenty są niekompletne albo uszkodzone.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI wymaga {0} do działania, lecz nie został znaleziony w systemie.", - "UniGetUI startup page:": "Strona startowa UniGetUI:", - "UniGetUI updater": "Aktualizator UniGetUI ", - "UniGetUI version {0} is being downloaded.": "Wersja {0} UniGetUI jest pobierana.", - "UniGetUI {0} is ready to be installed.": "UniGetUI w wersji {0} jest gotowy do zainstalowania.", - "Uninstall": "Odinstaluj", - "Uninstall Scoop (and its packages)": "Odinstaluj Scoop (i jego pakiety)", "Uninstall and more": "Odinstaluj i więcej", - "Uninstall and remove data": "Odinstaluj i usuń dane", - "Uninstall as administrator": "Odinstaluj jako administrator", "Uninstall canceled by the user!": "Usuwanie aplikacji zostało anulowane przez użytkownika!", - "Uninstall failed": "Odinstalowywanie nie powiodło się", - "Uninstall options": "Opcje dezinstalacji", - "Uninstall package": "Odinstaluj pakiet", - "Uninstall package, then reinstall it": "Odinstaluj i ponownie zainstaluj pakiet", - "Uninstall package, then update it": "Odinstaluj, a potem zaktualizuj pakiet", - "Uninstall previous versions when updated": "Odinstaluj poprzednie wersje po aktualizacji", - "Uninstall selected packages": "Odinstaluj wybrane pakiety", - "Uninstall selection": "Odinstaluj wybrane", - "Uninstall succeeded": "Odinstalowanie powiodło się", "Uninstall the selected packages with administrator privileges": "Odinstaluj wybrane pakiety z uprawnieniami administratora", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Pakiety które można odinstalować ze źrdółem \"{0}\" nie są opublikowane w żadnym menedżerze pakietów, więc nie ma żadnych informacji, które można by o nich pokazać.", - "Unknown": "Brak informacji", - "Unknown size": "Nieznany rozmiar", - "Unset or unknown": "Nieustawiona lub nieznana", - "Up to date": "Aktualny", - "Update": "Zaktualizuj", - "Update WingetUI automatically": "Aktualizuj UniGetUI automatycznie", - "Update all": "Zaktualizuj wszystko", "Update and more": "Aktualizuj i więcej", - "Update as administrator": "Zaktualizuj jako administrator", - "Update check frequency, automatically install updates, etc.": "Częstotliwość sprawdzania aktualizacji, automatyczna instalacja aktualizacji itp.", - "Update checking": "Sprawdzanie aktualizacji", "Update date": "Data aktualizacji", - "Update failed": "Aktualizacja nie powiodła się", "Update found!": "Znaleziono aktualizację!", - "Update now": "Zaktualizuj teraz", - "Update options": "Opcje aktualizacji", "Update package indexes on launch": "Aktualizuj indeks pakietów przy starcie", "Update packages automatically": "Aktualizuj pakiety automatycznie", "Update selected packages": "Zaktualizuj wybrane pakiety", "Update selected packages with administrator privileges": "Zaktualizuj wybrane pakiety z uprawnieniami administratora", - "Update selection": "Zaktualizuj wybrane", - "Update succeeded": "Aktualizacja się powiodła", - "Update to version {0}": "Zaktualizuj do wersji {0}", - "Update to {0} available": "jest dostępna aktualizacja do {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Automatyczna aktualizacja plików Git vcpkg (wymaga zainstalowanego Git)", "Updates": "Aktualizacje", "Updates available!": "Są dostępne aktualizacje!", - "Updates for this package are ignored": "Aktualizacje tego pakietu są ignorowane", - "Updates found!": "Znaleziono aktualizacje!", "Updates preferences": "Ustawienia aktualizacji", "Updating WingetUI": "Aktualizacja UniGetUI", "Url": "Adres URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Używaj starszego, dołączonego WinGet zamiast PowerShell CMDLet", - "Use a custom icon and screenshot database URL": "Użyj niestandardowej ikony i adresu URL bazy danych zrzutów ekranu", "Use bundled WinGet instead of PowerShell CMDlets": "Używaj dołączonego WinGet zamiast PowerShell CMDlet", - "Use bundled WinGet instead of system WinGet": "Użyj wbudowanego WinGet zamiast systemowego", - "Use installed GSudo instead of UniGetUI Elevator": "Użyj zainstalowanego GSudo zamiast UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Użyj zainstalowanego GSudo zamiast wbudowanego (wymaga restartu aplikacji)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Użyj starszej wersji UniGetUI Elevator (może być pomocne w przypadku problemów z UniGetUI Elevator)", - "Use system Chocolatey": "Użyj systemowego Chocolatey", "Use system Chocolatey (Needs a restart)": "Użyj systemowego Chocolatey (wymaga ponownego uruchomienia)", "Use system Winget (Needs a restart)": "Użyj systemowego Winget (wymaga restartu)", "Use system Winget (System language must be set to english)": "Użyj systemowego WinGet (język systemu musi być ustawiony na angielski)", "Use the WinGet COM API to fetch packages": "Używaj WinGet COM API, aby pobierać pakiety\n", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Użyj modułu WinGet PowerShell zamiast WinGet COM API", - "Useful links": "Użyteczne adresy", "User": "Użytkownik", - "User interface preferences": "Ustawienia interfejsu użytkownika", "User | Local": "Użytkownik | Lokalnie", - "Username": "Nazwa użytkownika", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Korzystanie z UniGetUI oznacza akceptację licencji GNU Lesser General Public License v2.1.", - "Using WingetUI implies the acceptation of the MIT License": "Korzystanie z UniGetUI oznacza akceptację licencji MIT.", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Nie znaleziono katalogu głównego vcpkg. Zdefiniuj zmienną środowiskową %VCPKG_ROOT% lub zdefiniuj ją w ustawieniach UniGetUI", "Vcpkg was not found on your system.": "Nie znaleziono vcpkg w systemie.", - "Verbose": "Wyczerpujący", - "Version": "Wersja", - "Version to install:": "Wersja do instalacji:", - "Version:": "Wersja:", - "View GitHub Profile": "Zobacz profil na GitHub", "View WingetUI on GitHub": "Zobacz UniGetUI na GitHubie", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Zobacz kod źródłowy UniGetUI. Tam możesz zgłaszać błędy lub sugerować nowe funkcje, a nawet bezpośrednio wspomóc projekt UniGetUI", - "View mode:": "Tryb widoku:", - "View on UniGetUI": "Zobacz w UniGetUI", - "View page on browser": "Zobacz w przeglądarce", - "View {0} logs": "Zobacz logi {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Przed przystąpieniem do wykonywania zadań wymagających połączenia internetowego należy zaczekać, aż urządzenie zostanie połączone z internetem.", "Waiting for other installations to finish...": "Oczekiwanie na ukończenie pozostałych instalacji...", "Waiting for {0} to complete...": "Oczekiwanie na zakończenie {0}...", - "Warning": "Ostrzeżenie", - "Warning!": "Ostrzeżenie!", - "We are checking for updates.": "Sprawdzamy dostępność aktualizacji.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Nie mogliśmy załadować szczegółowych informacji o tym pakiecie, ponieważ nie został on znaleziony w żadnym z twoich źródeł pakietów.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Nie mogliśmy wczytać szczegółowych informacji o tym pakiecie, ponieważ nie został on zainstalowany z dostępnego menedżera pakietów.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nie mogliśmy wykonać {action} na {package}. Spróbuj ponownie później. Kliknij na \"{showDetails}\", aby uzyskać logi z instalatora.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nie mogliśmy {action} {package}. Spróbuj ponownie później. Kliknij na \"{showDetails}\", aby uzyskać logi z deinstalatora.", "We couldn't find any package": "Nie mogliśmy znaleźć żadnego pakietu", "Welcome to WingetUI": "Witaj w UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Podczas instalacji pakietów z paczki, zainstaluj również pakiety, które są już zainstalowane.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Gdy zostaną wykryte nowe skróty, usuń je automatycznie zamiast wyświetlać to okno dialogowe.", - "Which backup do you want to open?": "Którą kopię zapasową chcesz otworzyć?", "Which package managers do you want to use?": "Których menedżerów pakietów chcesz używać?", "Which source do you want to add?": "Jakie źródło chcesz dodać?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Chociaż WinGet może być używany w ramach UniGetUI, UniGetUI można używać z innymi menedżerami pakietów, co może być mylące. W przeszłości UniGetUI był zaprojektowany do współpracy wyłącznie z Winget, ale obecnie tak nie jest i dlatego nazwa UniGetUI nie reprezentuje tego, czym ten projekt ma się stać.", - "WinGet could not be repaired": "WinGet nie został naprawiony", - "WinGet malfunction detected": "Wykryto awarię WinGet", - "WinGet was repaired successfully": "WinGet naprawiono pomyślnie", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Wszystko jest zaktualizowane", "WingetUI - {0} updates are available": "UniGetUI - {0} aktualizacji dostępnych", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Strona domowa UniGetUI", "WingetUI Homepage - Share this link!": "Strona domowa UniGetUI - podziel się tym linkiem!", - "WingetUI License": "Licencja UniGetUI", - "WingetUI Log": "Dziennik zdarzeń UniGetUI", - "WingetUI Repository": "Repozytorium UniGetUI", - "WingetUI Settings": "Ustawienia UniGetUI", "WingetUI Settings File": "Plik z ustawieniami UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI używa poniższych bibliotek. Bez nich UniGetUI by nie powstał.", - "WingetUI Version {0}": "Wersja UniGetUI {0}", "WingetUI autostart behaviour, application launch settings": "Zachowanie autostartu UniGetUI, opcje uruchamiania aplikacji", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI może sprawdzić, czy oprogramowanie ma dostępne aktualizacje i zainstalować je automatycznie, jeśli chcesz", - "WingetUI display language:": "Język interfejsu UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI został uruchomiony z prawami administratora, co nie jest zalecane. Po uruchomieniu UniGetUI z prawmi administratora, KAŻDA operacja uruchomiona z UniGetUI będzie miała uprawnienia administratora. Możesz nadal korzystać z programu, ale zdecydowanie zalecamy, aby nie uruchamiać UniGetUI z uprawnieniami administratora.\n", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI został przetłumaczony na ponad 40 języków dzięki tłumaczom-wolontariuszom. Dziękuję \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI nie został przetłumaczony przy użyciu translatora! Tłumaczenia zostały wykonane przez tych użytkowników:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI to aplikacja, która ułatwia zarządzanie oprogramowaniem, zapewniając kompleksowy interfejs graficzny dla menedżerów pakietów wiersza poleceń.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "Nazwa WinGetUI została zmieniona w celu podkreślenia różnicy między UniGetUI (interfejsem, którego używasz teraz) a WinGet (menedżerem pakietów opracowanym przez firmę Microsoft, z którym nie jestem związany)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI jest aktualizowany. Kiedy skończy, nastąpi restart programu.", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI jest darmowy i pozostanie darmowy na zawsze. Bez reklam, bez karty kredytowej, bez wersji premium. W 100% za darmo, na zawsze.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI wyświetli monit UAC za każdym razem, gdy pakiet wymaga podniesienia uprawnień do instalacji.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI wkrótce zmieni nazwę na {newname}. Nie będzie to oznaczać żadnych zmian w aplikacji. Ja (deweloper) będę kontynuował rozwój tego projektu, tak jak robię to teraz, ale pod inną nazwą.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "Stworzenie UniGetUI nie byłoby możliwe bez pomocy naszych świetnych kontrybutorów. Odwiedź ich profile na GitHub. UniGetUI bez nich by nie istniał!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI nie powstałby bez pomocy kontrybutorów. Dziękuję wam wszystkim \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI w wersji {0} jest gotowy do zainstalowania.", - "Write here the process names here, separated by commas (,)": "Wpisz tutaj nazwy procesów, odseparowane przecinkami (,)", - "Yes": "Tak", - "You are logged in as {0} (@{1})": "Zalogowano jako {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Możesz zmienić to zachowanie w ustawieniach bezpieczeństwa UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Możesz zdefiniować polecenia, które będą uruchamiane przed lub po zainstalowaniu, aktualizacji lub odinstalowaniu tego pakietu. Będą one uruchamiane w wierszu poleceń, więc skrypty CMD będą tutaj działać.", - "You have currently version {0} installed": "Aktualnie masz zainstalowaną wersję {0}", - "You have installed WingetUI Version {0}": "Zainstalowano UniGetUI w wersji {0}", - "You may lose unsaved data": "Możesz utracić niezapisane dane", - "You may need to install {pm} in order to use it with WingetUI.": "Może być konieczne zainstalowanie {pm}, aby używać go z UniGetUI.", "You may restart your computer later if you wish": "Możesz uruchomić ponownie komputer później", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Zostaniesz poproszony tylko raz, a uprawnienia administratora zostaną przyznane pakietom, które o nie poproszą.", "You will be prompted only once, and every future installation will be elevated automatically.": "Zostaniesz poproszony tylko raz, a każda kolejna instalacja przebiegnie z wyższymi uprawnieniami.", - "You will likely need to interact with the installer.": "Prawdopodobnie konieczna będzie interakcja z instalatorem.", - "[RAN AS ADMINISTRATOR]": "URUCHOMIONY JAKO ADMINISTRATOR", "buy me a coffee": "kup mi kawę", - "extracted": "wypakowany", - "feature": "funkcja", "formerly WingetUI": "dawniej WingetUI", "homepage": "strona główna", "install": "zainstaluj", "installation": "instalacja", - "installed": "zainstalowano", - "installing": "instalowanie", - "library": "biblioteka", - "mandatory": "obowiązkowe", - "option": "opcja", - "optional": "opcjonalne", "uninstall": "odinstaluj", "uninstallation": "odinstalowywanie", "uninstalled": "odinstalowano", - "uninstalling": "odinstalowywanie", "update(noun)": "aktualizacja", "update(verb)": "aktualizuj", "updated": "zaktualizowano", - "updating": "aktualizacja", - "version {0}": "wersja {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} opcje instalacji są obecnie zablokowane, ponieważ {0} używa domyślnych opcji instalacji.", "{0} Uninstallation": "Odinstalowywanie {0}", "{0} aborted": "Anulowany: {0}", "{0} can be updated": "Można zaktualizować: {0}", - "{0} can be updated to version {1}": "{0} może być zaktualizowany do wersji {1}", - "{0} days": "{0} dni", - "{0} desktop shortcuts created": "Utworzono {0} skrótów na pulpicie", "{0} failed": "{0} nie powiodło się", - "{0} has been installed successfully.": "{0} zainstalowano pomyślnie.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} zainstalowano pomyślnie. Zalecany jest restart UniGetUI by dokończyć instalację", "{0} has failed, that was a requirement for {1} to be run": "{0} nie powiodło się, co było warunkiem uruchomienia {1}", - "{0} homepage": "Strona domowa {0}", - "{0} hours": "{0} godzin(y)", "{0} installation": "{0} instalowanie", - "{0} installation options": "{0} - opcje instalacji", - "{0} installer is being downloaded": "Trwa pobieranie instalatora {0}", - "{0} is being installed": "{0} jest instalowany", - "{0} is being uninstalled": "{0} jest odinstalowywany", "{0} is being updated": "{0} jest aktualizowany", - "{0} is being updated to version {1}": "{0} jest aktualizowany do wersji {1}", - "{0} is disabled": "{0} jest wyłączony", - "{0} minutes": "{0} minut", "{0} months": "{0} miesięcy", - "{0} packages are being updated": "Aktualizowane pakiety: {0}", - "{0} packages can be updated": "{0} pakietów może zostać zaktualizowanych", "{0} packages found": "Znalezione pakiety: {0}", "{0} packages were found": "Znalezionie pakiety: {0}", - "{0} packages were found, {1} of which match the specified filters.": "Znaleziono {0} pakietów, z których {1} pasuje do określonych filtrów.", - "{0} selected": "{0} wybranych", - "{0} settings": "Ustawienia {0}", - "{0} status": "Status {0}", "{0} succeeded": "{0} zakończono sukcesem", "{0} update": "Aktualizacja {0}", - "{0} updates are available": "{0} aktualizacji jest dostępnych", "{0} was {1} successfully!": "{0} zostało {1} pomyślnie!", "{0} weeks": "{0} tygodni", "{0} years": "{0} lat", "{0} {1} failed": "{0} {1} nie powiodło się", - "{package} Installation": "Instalowanie {package}", - "{package} Uninstall": "Odinstaluj {package}", - "{package} Update": "Aktualizuj {package}", - "{package} could not be installed": "{package} nie może być zainstalowany", - "{package} could not be uninstalled": "{package} nie może być odinstalowany", - "{package} could not be updated": "{package} nie może być zaktualizowany", "{package} installation failed": "Instalacja {package} nie powiodła się", - "{package} installer could not be downloaded": "Instalator {package} nie mógł zostać pobrany", - "{package} installer download": "Pobierz instalator {package}", - "{package} installer was downloaded successfully": "Instalator {package} został pobrany pomyślnie", "{package} uninstall failed": "Odinstalowanie {package} nie powiodło się", "{package} update failed": "Aktualizacja {package} nie powiodła się", "{package} update failed. Click here for more details.": "Aktualizacja {package} nie powiodła się. Kliknij tutaj po więcej szczegółów.", - "{package} was installed successfully": "{package} został zainstalowany pomyślnie", - "{package} was uninstalled successfully": "{package} został odinstalowany pomyślnie", - "{package} was updated successfully": "{package} został zaktualizowany pomyślnie", - "{pcName} installed packages": "{pcName} ma zainstalowanych pakietów", "{pm} could not be found": "Nie można znaleźć {pm}", "{pm} found: {state}": "Znaleziono {pm}: {state}", - "{pm} is disabled": "{pm} jest wyłączony", - "{pm} is enabled and ready to go": "{pm} jest włączony i gotowy do użycia", "{pm} package manager specific preferences": "Ustawienia menedżera pakietów {pm}", "{pm} preferences": "Ustawienia {pm}", - "{pm} version:": "Wersja {pm}:", - "{pm} was not found!": "Nie znaleziono {pm}!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Cześć, nazywam się Martí i jestem programistą UniGetUI. UniGetUI został w całości stworzony w moim wolnym czasie!", + "Thank you ❤": "Dziękuję ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ten projekt nie ma żadnego związku z oficjalnym projektem {0} - jest całkowicie nieoficjalny." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_BR.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_BR.json index c98b27941f..2b2379288f 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_BR.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_BR.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operação em andamento", + "Please wait...": "Por favor, aguarde.", + "Success!": "Sucesso!", + "Failed": "Falhou", + "An error occurred while processing this package": "Ocorreu um erro ao processar este pacote", + "Log in to enable cloud backup": "Faça login para ativar o backup na nuvem", + "Backup Failed": "Falha no backup", + "Downloading backup...": "Baixando o backup...", + "An update was found!": "Uma atualização foi encontrada!", + "{0} can be updated to version {1}": "{0} pode ser atualizado para a versão {1}", + "Updates found!": "Atualizações encontradas!", + "{0} packages can be updated": "{0} pacotes podem ser atualizados", + "You have currently version {0} installed": "Você tem a versão {0} instalada atualmente", + "Desktop shortcut created": "Atalho na área de trabalho criado", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "O UniGetUI detectou um novo atalho na área de trabalho que pode ser excluído automaticamente.", + "{0} desktop shortcuts created": "{0} atalhos na área de trabalho criados", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "O UniGetUI detectou {0} novos atalhos na área de trabalho que podem ser excluídos automaticamente.", + "Are you sure?": "Você tem certeza?", + "Do you really want to uninstall {0}?": "Você tem certeza de que deseja desinstalar {0}?", + "Do you really want to uninstall the following {0} packages?": "Você tem certeza de que deseja desinstalar os {0} pacotes seguintes?", + "No": "Não", + "Yes": "Sim", + "View on UniGetUI": "Ver no UniGetUI", + "Update": "Atualizar", + "Open UniGetUI": "Abrir UniGetUI", + "Update all": "Atualizar tudo", + "Update now": "Atualizar agora", + "This package is on the queue": "Este pacote está na fila", + "installing": "instalando", + "updating": "atualizando", + "uninstalling": "desinstalando", + "installed": "instalado", + "Retry": "Tentar novamente", + "Install": "Instalar", + "Uninstall": "Desinstalar", + "Open": "Abrir", + "Operation profile:": "Perfil de operação:", + "Follow the default options when installing, upgrading or uninstalling this package": "Seguir opções padrão ao instalar, atualizar ou desinstalar este pacote", + "The following settings will be applied each time this package is installed, updated or removed.": "As seguintes configurações serão aplicadas sempre que este pacote for instalado, atualizado ou removido.", + "Version to install:": "Versão para instalar:", + "Architecture to install:": "Arquitetura para instalar:", + "Installation scope:": "Escopo da instalação:", + "Install location:": "Local de instalação:", + "Select": "Selecionar", + "Reset": "Redefinir", + "Custom install arguments:": "Argumentos de instalação personalizados:", + "Custom update arguments:": "Argumentos de atualização personalizados:", + "Custom uninstall arguments:": "Argumentos de desinstalação personalizados:", + "Pre-install command:": "Comando de pré-instalação:", + "Post-install command:": "Comando de pós-instalação:", + "Abort install if pre-install command fails": "Cancelar instalação se o comando de pré-instalação falhar", + "Pre-update command:": "Comando de pré-atualização:", + "Post-update command:": "Comando de pós-atualização:", + "Abort update if pre-update command fails": "Cancelar atualização se o comando de pré-atualização falhar", + "Pre-uninstall command:": "Comando de pré-desinstalação:", + "Post-uninstall command:": "Comando de pós-desinstalação:", + "Abort uninstall if pre-uninstall command fails": "Cancelar desinstalação se o comando de pré-deinstalação falhar", + "Command-line to run:": "Linha de comando para executar:", + "Save and close": "Salvar e fechar", + "Run as admin": "Executar como administrador", + "Interactive installation": "Instalação interativa", + "Skip hash check": "Ignorar verificação de hash", + "Uninstall previous versions when updated": "Desinstalar versões anteriores ao atualizar", + "Skip minor updates for this package": "Ignoras atualizações menores deste pacote", + "Automatically update this package": "Atualizar este pacote automaticamente", + "{0} installation options": "opções de instalação de {0}", + "Latest": "Mais recente", + "PreRelease": "Pré-lançamento", + "Default": "Padrão", + "Manage ignored updates": "Gerenciar atualizações ignoradas", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Os pacotes listados aqui não serão levados em conta ao verificar atualizações. Clique duas vezes neles ou clique no botão à direita para parar de ignorar suas atualizações.", + "Reset list": "Redefinir lista", + "Package Name": "Nome do Pacote", + "Package ID": "ID do Pacote", + "Ignored version": "Versão Ignorada", + "New version": "Nova versão", + "Source": "Origem", + "All versions": "Todas as versões", + "Unknown": "Desconhecido", + "Up to date": "Atualizado", + "Cancel": "Cancelar", + "Administrator privileges": "Privilégios de administrador", + "This operation is running with administrator privileges.": "Esta operação está sendo executada com privilégios de administrador.", + "Interactive operation": "Operação interativa", + "This operation is running interactively.": "Esta operação está sendo executada de forma interativa.", + "You will likely need to interact with the installer.": "Provavelmente você precisará interagir com o instalador.", + "Integrity checks skipped": "Verificações de integridade ignoradas", + "Proceed at your own risk.": "Prossiga por sua conta e risco.", + "Close": "Fechar", + "Loading...": "Carregando...", + "Installer SHA256": "SHA256 do Instalador", + "Homepage": "Página Inicial", + "Author": "Autor", + "Publisher": "Desenvolvedor", + "License": "Licença", + "Manifest": "Manifesto", + "Installer Type": "Tipo de Instalador", + "Size": "Tamanho", + "Installer URL": "URL do Instalador ", + "Last updated:": "Última atualização:", + "Release notes URL": "URL das notas de lançamento", + "Package details": "Detalhes do pacote", + "Dependencies:": "Dependências:", + "Release notes": "Notas de lançamento", + "Version": "Versão", + "Install as administrator": "Instalar como administrador", + "Update to version {0}": "Atualizar para a versão {0}", + "Installed Version": "Versão Instalada", + "Update as administrator": "Atualizar como administrador", + "Interactive update": "Atualização interativa", + "Uninstall as administrator": "Desinstalar como administrador", + "Interactive uninstall": "Desinstalação interativa", + "Uninstall and remove data": "Desinstalar e remover dados", + "Not available": "Não disponível", + "Installer SHA512": "SHA512 do instalador", + "Unknown size": "Tamanho desconhecido", + "No dependencies specified": "Nenhuma dependência especificada", + "mandatory": "obrigatória", + "optional": "opcional", + "UniGetUI {0} is ready to be installed.": "O UniGetUI {0} está pronto para ser instalado.", + "The update process will start after closing UniGetUI": "O processo de atualização será iniciado após encerrar o UniGetUI", + "Share anonymous usage data": "Compartilhar dados de uso anônimos", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "O UniGetUI coleta dados de uso anônimas para melhorar a experiência do usuário.", + "Accept": "Aceitar", + "You have installed WingetUI Version {0}": "Você instalou a versão {0} do UniGetUI", + "Disclaimer": "Aviso Legal", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "O UniGetUI não está relacionado a nenhum dos gerenciadores de pacotes compatíveis. O UniGetUI é um projeto independente.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "O UniGetUI não seria possível sem a ajuda dos colaboradores. Obrigado a todos 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "O UniGetUI utiliza as seguintes bibliotecas. Sem elas, o UniGetUI não seria possível.", + "{0} homepage": "página inicial de {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "O UniGetUI foi traduzido para mais de 40 idiomas graças aos tradutores voluntários. Obrigado 🤝", + "Verbose": "Detalhado", + "1 - Errors": "1 - Erros", + "2 - Warnings": "2 - Avisos", + "3 - Information (less)": "3 - Informações (resumidas)", + "4 - Information (more)": "4 - Informações (detalhadas)", + "5 - information (debug)": "5 - Informações (depuração)", + "Warning": "Aviso", + "The following settings may pose a security risk, hence they are disabled by default.": "As seguintes configurações podem representar um risco à segurança, por isso estão desabilitadas por padrão.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ative as configurações abaixo SE E SOMENTE SE você entender completamente o que elas fazem e as implicações e perigos que podem envolver.", + "The settings will list, in their descriptions, the potential security issues they may have.": "As configurações listarão, em suas descrições, os potenciais problemas de segurança que podem ter.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "O backup incluirá a lista completa dos pacotes instalados e suas opções de instalação. Atualizações ignoradas e versões puladas também serão salvas.", + "The backup will NOT include any binary file nor any program's saved data.": "O backup NÃO incluirá nenhum arquivo binário nem dados salvos de nenhum programa.", + "The size of the backup is estimated to be less than 1MB.": "O tamanho do backup é estimado em menos de 1 MB.", + "The backup will be performed after login.": "O backup será realizado após o login.", + "{pcName} installed packages": "Pacotes instalados em {pcName}", + "Current status: Not logged in": "Status atual: Deslogado", + "You are logged in as {0} (@{1})": "Você está logado como {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Ótimo! Os backups serão enviados para um gist privado na sua conta.", + "Select backup": "Selecionar backup", + "WingetUI Settings": "Configurações do UniGetUI", + "Allow pre-release versions": "Permitir versões de pré-lançamento", + "Apply": "Aplicar", + "Go to UniGetUI security settings": "Acessar configurações de segurança do UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "As seguintes opções serão aplicadas por padrão sempre que um pacote {0} for instalado, atualizado ou desinstalado.", + "Package's default": "Padrão do pacote", + "Install location can't be changed for {0} packages": "O local de instalação não pode ser alterado para {0} pacotes", + "The local icon cache currently takes {0} MB": "O cache de ícones local atualmente ocupa {0} MB", + "Username": "Nome de usuário", + "Password": "Senha", + "Credentials": "Credenciais", + "Partially": "Parcialmente", + "Package manager": "Gerenciador de pacotes", + "Compatible with proxy": "Compatível com proxy", + "Compatible with authentication": "Compatível com autenticação", + "Proxy compatibility table": "Tabela de compatibilidade do proxy", + "{0} settings": "Configurações do {0}", + "{0} status": "Status de {0}", + "Default installation options for {0} packages": "Opções de instalação padrão para {0} pacotes", + "Expand version": "Expandir", + "The executable file for {0} was not found": "O arquivo executável do {0} não foi encontrado", + "{pm} is disabled": "{pm} está desativado", + "Enable it to install packages from {pm}.": "Habilitar a instalação de pacotes do {pm}.", + "{pm} is enabled and ready to go": "{pm} está ativado e pronto para ser usado", + "{pm} version:": "Versão do {pm}:", + "{pm} was not found!": "{pm} não foi encontrado!", + "You may need to install {pm} in order to use it with WingetUI.": "Você pode precisar instalar {pm} para usá-lo com o UniGetUI.", + "Scoop Installer - WingetUI": "Instalador do Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Desinstalador do Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Limpando cache do Scoop - UniGetUI", + "Restart UniGetUI": "Reiniciar UniGetUI", + "Manage {0} sources": "Gerenciar {0} fontes", + "Add source": "Adicionar fonte", + "Add": "Adicionar", + "Other": "Outros", + "1 day": "1 dia", + "{0} days": "{0} dias", + "{0} minutes": "{0} minutos", + "1 hour": "1 hora", + "{0} hours": "{0} horas", + "1 week": "1 semana", + "WingetUI Version {0}": "UniGetUI Versão {0}", + "Search for packages": "Procurar por pacotes", + "Local": "Locais", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} pacotes foram encontrados, dos quais {1} correspondem aos filtros especificados.", + "{0} selected": "{0} selecionado(s)", + "(Last checked: {0})": "(Última verificação: {0})", + "Enabled": "Habilitado", + "Disabled": "Desativado", + "More info": "Mais informações", + "Log in with GitHub to enable cloud package backup.": "Faça login com o GitHub para ativar o backup de pacotes na nuvem.", + "More details": "Mais detalhes", + "Log in": "Login", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Se você tiver o backup em nuvem habilitado, ele será salvo como um GitHub Gist nesta conta", + "Log out": "Sair", + "About": "Sobre", + "Third-party licenses": "Licenças de terceiros", + "Contributors": "Colaboradores", + "Translators": "Tradutores", + "Manage shortcuts": "Gerenciar atalhos", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "O UniGetUI detectou os seguintes atalhos na área de trabalho, que poderão ser removidos automaticamente em futuras atualizações", + "Do you really want to reset this list? This action cannot be reverted.": "Você deseja realmente redefinir esta lista? Esta ação não pode ser desfeita.", + "Remove from list": "Remover da lista", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quando novos atalhos forem detectados, exclua-os automaticamente em vez de mostrar esta caixa de diálogo.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "O UniGetUI coleta dados de uso anônimos com o único propósito de entender e melhorar a experiência do usuário.", + "More details about the shared data and how it will be processed": "Mais detalhes sobre os dados compartilhados e como eles serão processados", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Você permite que o UniGetUI colete e envie estatísticas de uso anônimas, com o único objetivo de entender e melhorar a experiência do usuário?", + "Decline": "Recusar", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nenhuma informação pessoal é coletada e enviada. Os dados coletados não anônimos, assim não podem ser rastreados.", + "About WingetUI": "Sobre o UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "O UniGetUI é um aplicativo que facilita o gerenciamento de seu software, fornecendo uma interface gráfica completa para seus gerenciadores de pacotes de linha de comando.", + "Useful links": "Links Úteis", + "Report an issue or submit a feature request": "Reportar um problema ou solicitar um recurso", + "View GitHub Profile": "Ver perfil do GitHub", + "WingetUI License": "Licença do UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "O uso do UniGetUI implica na aceitação da Licença MIT", + "Become a translator": "Torne-se um tradutor", + "View page on browser": "Ver página no navegador", + "Copy to clipboard": "Copiar para a área de transferência", + "Export to a file": "Exportar para um arquivo", + "Log level:": "Nível de log:", + "Reload log": "Recarregar log", + "Text": "Texto", + "Change how operations request administrator rights": "Alterar como as operações solicitam direitos de administrador", + "Restrictions on package operations": "Restrições nas operações de pacotes", + "Restrictions on package managers": "Restrições em gerenciadores de pacotes", + "Restrictions when importing package bundles": "Restrições ao importar pacotes", + "Ask for administrator privileges once for each batch of operations": "Solicitar privilégios de administrador uma vez para cada lote de operações", + "Ask only once for administrator privileges": "Perguntar uma única vez por direitos de administrador", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Proibir qualquer tipo de elevação via UniGetUI Elevator ou GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Esta opção CAUSARÁ problemas. Qualquer operação que não consiga se elevar FALHARÁ. Instalar/atualizar/desinstalar como administrador NÃO FUNCIONARÁ.", + "Allow custom command-line arguments": "Permitir argumentos de linha de comando personalizados", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumentos de linha de comando personalizados podem alterar a maneira como os programas são instalados, atualizados ou desinstalados, de uma forma que o UniGetUI não pode controlar. O uso de linhas de comando personalizadas pode corromper pacotes. Prossiga com cautela.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Ignorar comandos personalizados de pré e pós-instalação ao importar pacotes de uma coleção de pacotes", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Os comandos de pré e pós-instalação serão executados antes e depois da instalação, atualização ou desinstalação de um pacote. Esteja ciente de que eles podem causar problemas, a menos que sejam usados com cuidado.", + "Allow changing the paths for package manager executables": "Permitir alterar caminhos para executáveis de gerenciadores de pacotes", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ativar esta opção permite alterar o arquivo executável usado para interagir com os gerenciadores de pacotes. Embora isso permita uma personalização mais precisa dos seus processos de instalação, também pode ser perigoso.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Permitir a importação de argumentos de linha de comando personalizados ao importar pacotes", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentos de linha de comando malformados podem corromper pacotes ou até mesmo permitir que um agente malicioso obtenha execução privilegiada. Portanto, a importação de argumentos de linha de comando personalizados está desabilitada por padrão.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permitir a importação de comandos personalizados de pré-instalação e pós-instalação ao importar pacotes", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Comandos de pré e pós-instalação podem causar danos graves ao seu dispositivo, se projetados para isso. Pode ser muito perigoso importar os comandos de um pacote, a menos que você confie na fonte desse pacote.", + "Administrator rights and other dangerous settings": "Direitos de administrador e outras configurações perigosas", + "Package backup": "Backup do pacote", + "Cloud package backup": "Backup de pacote em nuvem", + "Local package backup": "Backup de pacote local", + "Local backup advanced options": "Opções avançadas de backup local", + "Log in with GitHub": "Fazer login com o GitHub", + "Log out from GitHub": "Sair do GitHub", + "Periodically perform a cloud backup of the installed packages": "Executar periodicamente um backup na nuvem dos pacotes instalados", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "O backup em nuvem usa um GitHub Gist privado para armazenar uma lista de pacotes instalados", + "Perform a cloud backup now": "Executar backup na nuvem agora", + "Backup": "Fazer backup", + "Restore a backup from the cloud": "Restaurar backup da nuvem", + "Begin the process to select a cloud backup and review which packages to restore": "Inicie o processo para selecionar um backup na nuvem e revise quais pacotes restaurar", + "Periodically perform a local backup of the installed packages": "Executar periodicamente um backup local dos pacotes instalados", + "Perform a local backup now": "Executar backup local agora", + "Change backup output directory": "Alterar diretório de saída do backup", + "Set a custom backup file name": "Defina um nome para seu arquivo de backup", + "Leave empty for default": "Deixe em branco para padrão", + "Add a timestamp to the backup file names": "Adicionar um registro de data e hora aos nomes dos arquivos de backup", + "Backup and Restore": "Backup e Restauração", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Habilitar API em segundo plano (Widgets e Compartilhamento do UniGetUI, porta 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Aguarde até que o dispositivo esteja conectado à internet antes de tentar realizar tarefas que exijam conectividade à internet.", + "Disable the 1-minute timeout for package-related operations": "Desativar o tempo limite de 1 minuto para operações relacionadas a pacotes", + "Use installed GSudo instead of UniGetUI Elevator": "Usar o GSudo instalado em vez do UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Usar uma URL de banco de dados personalizada para ícones e capturas de tela", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ativar otimizações de uso de CPU em segundo plano (veja Pull Request #3278)", + "Perform integrity checks at startup": "Executar verificações de integridade na inicialização", + "When batch installing packages from a bundle, install also packages that are already installed": "Na instalação em lote, instalar também pacotes que já estão instalados", + "Experimental settings and developer options": "Configurações experimentais e opções de desenvolvedor", + "Show UniGetUI's version and build number on the titlebar.": "Mostrar versão do UniGetUI na barra de título", + "Language": "Idioma", + "UniGetUI updater": "Atualizador do UniGetUI", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Gerenciar configurações do UniGetUI", + "Related settings": "Configurações relacionadas", + "Update WingetUI automatically": "Atualizar o UniGetUI automaticamente", + "Check for updates": "Verificar atualizações", + "Install prerelease versions of UniGetUI": "Instalar versões de pré-lançamento do UniGetUI", + "Manage telemetry settings": "Gerenciar configurações de telemetria", + "Manage": "Gerenciar", + "Import settings from a local file": "Importar configurações de um arquivo local", + "Import": "Importar", + "Export settings to a local file": "Exportar configurações para um arquivo local", + "Export": "Exportar", + "Reset WingetUI": "Redefinir UniGetUI", + "Reset UniGetUI": "Redefinir UniGetUI", + "User interface preferences": "Preferências da interface do usuário", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema do aplicativo, página inicial, ícones dos pacotes, remover instalações concluídas automaticamente", + "General preferences": "Preferências gerais", + "WingetUI display language:": "Idioma de exibição do UniGetUI:", + "Is your language missing or incomplete?": "Seu idioma está faltando ou incompleto?", + "Appearance": "Aparência", + "UniGetUI on the background and system tray": "UniGetUi em segundo plano e área de notificação", + "Package lists": "Listas de pacotes", + "Close UniGetUI to the system tray": "Fechar o UniGetUi para a área de notificação", + "Show package icons on package lists": "Exibir ícones dos pacotes nas listas de pacotes", + "Clear cache": "Limpar cache", + "Select upgradable packages by default": "Selecionar pacotes que podem ser atualizados por padrão", + "Light": "Claro", + "Dark": "Escuro", + "Follow system color scheme": "Seguir o esquema de cores do sistema", + "Application theme:": "Tema do aplicativo:", + "Discover Packages": "Descobrir Pacotes", + "Software Updates": "Atualizações de Software", + "Installed Packages": "Pacotes Instalados", + "Package Bundles": "Coleção de Pacotes", + "Settings": "Configurações", + "UniGetUI startup page:": "Página inicial do UniGetUI:", + "Proxy settings": "Configurações do proxy", + "Other settings": "Outras configurações", + "Connect the internet using a custom proxy": "Conectar na Internet usando proxy personalizado", + "Please note that not all package managers may fully support this feature": "Observe que nem todos os gerenciadores de pacotes podem suportar totalmente este recurso", + "Proxy URL": "URL do proxy", + "Enter proxy URL here": "Insira o URL do proxy aqui", + "Package manager preferences": "Preferências do gerenciador de pacotes", + "Ready": "Pronto", + "Not found": "Não encontrado", + "Notification preferences": "Preferências de notificação", + "Notification types": "Tipos de notificação", + "The system tray icon must be enabled in order for notifications to work": "O ícone da área de notificação precisa estar ativado para que as notificações funcionem", + "Enable WingetUI notifications": "Ativar notificações do UniGetUI", + "Show a notification when there are available updates": "Mostrar uma notificação quando houver atualizações disponíveis", + "Show a silent notification when an operation is running": "Exibir uma notificação silenciosa enquanto uma operação está em andamento", + "Show a notification when an operation fails": "Exibir uma notificação quando uma operação falhar", + "Show a notification when an operation finishes successfully": "Exibir uma notificação quando uma operação for concluída com sucesso", + "Concurrency and execution": "Concorrência e execução", + "Automatic desktop shortcut remover": "Removedor automático de atalhos na área de trabalho", + "Clear successful operations from the operation list after a 5 second delay": "Limpar as operações bem-sucedidas da lista após um atraso de 5 segundos", + "Download operations are not affected by this setting": "Operações de download não são afetadas por esta configuração", + "Try to kill the processes that refuse to close when requested to": "Tentar encerrar os processos que se recusam a fechar quando solicitados", + "You may lose unsaved data": "Você pode perder dados não salvos", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Perguntar se deseja excluir atalhos criados na área de trabalho durante a instalação ou atualização.", + "Package update preferences": "Preferências da atualização de pacotes", + "Update check frequency, automatically install updates, etc.": "Frequência de verificação de atualização, instalação automática de atualizações, etc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduza os prompts do UAC, eleve as instalações por padrão, desbloqueie certos recursos perigosos, etc.", + "Package operation preferences": "Preferências das operações de pacotes", + "Enable {pm}": "Habilitar {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Não encontrou o arquivo que procurava? Certifique-se de que ele foi adicionado ao caminho.", + "For security reasons, changing the executable file is disabled by default": "Por razões de segurança, a alteração do arquivo executável é desabilitada por padrão", + "Change this": "Alterar isto", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selecione o executável a ser usado. A seguinte lista exibe os executáveis encontrados pelo UniGetUI", + "Current executable file:": "Arquivo executável atual:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorar pacotes do {pm} ao exibir notificação sobre atualização", + "View {0} logs": "Visualizar registros do {0}", + "Advanced options": "Opções avançadas", + "Reset WinGet": "Redefinir WinGet", + "This may help if no packages are listed": "Isso pode ajudar se nenhum pacote estiver listado", + "Force install location parameter when updating packages with custom locations": "Forçar o parâmetro de local de instalação ao atualizar pacotes com locais personalizados", + "Use bundled WinGet instead of system WinGet": "Usar WinGet integrado em vez do WinGet do sistema", + "This may help if WinGet packages are not shown": "Isso pode ajudar caso os pacotes do WinGet não sejam exibidos", + "Install Scoop": "Instalar Scoop", + "Uninstall Scoop (and its packages)": "Desinstalar o Scoop (e os seus pacotes)\n", + "Run cleanup and clear cache": "Executar limpeza e limpar cache", + "Run": "Executar", + "Enable Scoop cleanup on launch": "Ativar limpeza do Scoop na inicialização", + "Use system Chocolatey": "Usar Chocolatey do sistema", + "Default vcpkg triplet": "Triplet padrão do vcpkg", + "Language, theme and other miscellaneous preferences": "Idioma, tema e outras preferências diversas", + "Show notifications on different events": "Exibir notificações em diferentes eventos", + "Change how UniGetUI checks and installs available updates for your packages": "Alterar como o UniGetUI verifica e instala atualizações disponíveis para seus pacotes", + "Automatically save a list of all your installed packages to easily restore them.": "Salvar automaticamente uma lista de todos os seus pacotes instalados para restaurá-los facilmente.", + "Enable and disable package managers, change default install options, etc.": "Habilite e desabilite gerenciadores de pacotes, altere opções de instalação padrão, etc.", + "Internet connection settings": "Configurações de conexão com a Internet", + "Proxy settings, etc.": "Configurações do proxy, etc.", + "Beta features and other options that shouldn't be touched": "Recursos beta e outras opções que não devem ser alteradas", + "Update checking": "Verificação de atualização", + "Automatic updates": "Atualizações automáticas", + "Check for package updates periodically": "Verificar atualizações de pacotes periodicamente", + "Check for updates every:": "Verificar atualizações a cada:", + "Install available updates automatically": "Instalar atualizações disponíveis automaticamente", + "Do not automatically install updates when the network connection is metered": "Não instalar atualizações automaticamente quando a conexão de rede for limitada", + "Do not automatically install updates when the device runs on battery": "Não instalar atualizações automaticamente quando o dispositivo estiver funcionando com bateria", + "Do not automatically install updates when the battery saver is on": "Não instalar atualizações automaticamente com a economia de bateria ativada", + "Change how UniGetUI handles install, update and uninstall operations.": "Altere como o UniGetUI lida com as operações de instalação, atualização e desinstalação.", + "Package Managers": "Gerenciadores de pacotes", + "More": "Mais", + "WingetUI Log": "Log do UniGetUI", + "Package Manager logs": "Logs do Gerenciador de Pacotes", + "Operation history": "Histórico de operações", + "Help": "Ajuda", + "Order by:": "Classificar por:", + "Name": "Nome", + "Id": "ID", + "Ascendant": "Ascendente", + "Descendant": "Descendente", + "View mode:": "Modo de visualização:", + "Filters": "Filtros", + "Sources": "Fontes", + "Search for packages to start": "Procure por pacotes para começar", + "Select all": "Selecionar tudo", + "Clear selection": "Limpar seleção", + "Instant search": "Pesquisa instantânea", + "Distinguish between uppercase and lowercase": "Diferenciar maiúsculas de minúsculas", + "Ignore special characters": "Ignorar caracteres especiais", + "Search mode": "Modo de pesquisa", + "Both": "Ambos", + "Exact match": "Correspondência exata", + "Show similar packages": "Mostrar pacotes semelhantes", + "No results were found matching the input criteria": "Nenhum resultado foi encontrado que corresponda aos critérios informados", + "No packages were found": "Nenhum pacote foi encontrado", + "Loading packages": "Carregando pacotes", + "Skip integrity checks": "Ignorar verificações de integridade", + "Download selected installers": "Baixar instaladores selecionados", + "Install selection": "Instalar seleção", + "Install options": "Opções de instalação", + "Share": "Compartilhar", + "Add selection to bundle": "Adicionar seleção à coleção", + "Download installer": "Baixar instalador", + "Share this package": "Compartilhar este pacote", + "Uninstall selection": "Desinstalar seleção", + "Uninstall options": "Opções de desinstalação", + "Ignore selected packages": "Ignorar pacotes selecionados", + "Open install location": "Abrir local de instalação", + "Reinstall package": "Reinstalar pacote", + "Uninstall package, then reinstall it": "Desinstalar pacote e reinstalá-lo", + "Ignore updates for this package": "Ignorar atualizações para este pacote", + "Do not ignore updates for this package anymore": "Não ignorar mais atualizações para este pacote", + "Add packages or open an existing package bundle": "Adicione pacotes ou abra uma coleção existente", + "Add packages to start": "Adicione pacotes para começar", + "The current bundle has no packages. Add some packages to get started": "A coleção de pacotes atual não contém pacotes. Adicione alguns para começar!", + "New": "Novo", + "Save as": "Salvar como", + "Remove selection from bundle": "Remover seleção da coleção", + "Skip hash checks": "Ignorar verificações de hash", + "The package bundle is not valid": "A coleção de pacotes não é válida", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "A coleção de pacotes que você está tentando carregar parece ser inválida. Verifique o arquivo e tente novamente.", + "Package bundle": "Coleção de pacotes", + "Could not create bundle": "Não foi possível criar a coleção de pacotes", + "The package bundle could not be created due to an error.": "Não foi possível criar a coleção de pacotes devido a um erro.", + "Bundle security report": "Relatório de segurança do pacote", + "Hooray! No updates were found.": "Uhu! Nenhuma atualização foi encontrada.", + "Everything is up to date": "Tudo está atualizado", + "Uninstall selected packages": "Desinstalar pacotes selecionados", + "Update selection": "Atualizar seleção", + "Update options": "Opções de atualização", + "Uninstall package, then update it": "Desinstalar o pacote e atualizá-lo", + "Uninstall package": "Desinstalar pacote", + "Skip this version": "Pular esta versão", + "Pause updates for": "Pausar atualizações por", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "O gerenciador de pacotes Rust.
Contém: Bibliotecas Rust e programas escritos em Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "O gerenciador de pacotes clássico para Windows. Você encontrará tudo lá.
Contém: Software Geral", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Um repositório repleto de ferramentas e executáveis projetados para o ecossistema .NET da Microsoft.
Contém: ferramentas e scripts relacionados ao .NET", + "NuPkg (zipped manifest)": "NuPkg (manifesto compactado)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Gerenciador de pacotes do Node JS. Repleto de bibliotecas e outros utilitários que orbitam o mundo JavaScript
Contém: Bibliotecas JavaScript do Node e outros utilitários relacionados", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Gerenciador de bibliotecas do Python. Repleto de bibliotecas Python e outros utilitários relacionados ao Python
Contém: Bibliotecas Python e utilitários relacionados", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Gerenciador de pacotes do PowerShell. Encontre bibliotecas e scripts para expandir as capacidades do PowerShell
Contém: Módulos, Scripts, Cmdlets", + "extracted": "extraído", + "Scoop package": "Pacote do Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Uma vasta coleção de utilitários úteis, ainda que pouco conhecidos, e pacotes variados.
Contém: Utilitários, Programas para linha de comando, Software geral (é necessário habilitar o bucket extras)", + "library": "biblioteca", + "feature": "recurso", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Um gerenciador de bibliotecas C/C++ bastante popular. Repleto de bibliotecas C/C++ e outras ferramentas relacionadas a C/C++
Contém: Bibliotecas C/C++ e ferramentas relacionadas", + "option": "opção", + "This package cannot be installed from an elevated context.": "Este pacote não pode ser instalado em um contexto com privilégios elevados.", + "Please run UniGetUI as a regular user and try again.": "Execute o UniGetUI como um usuário comum e tente novamente.", + "Please check the installation options for this package and try again": "Verifique as opções de instalação deste pacote e tente novamente", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Gerenciador de pacotes oficial da Microsoft. Repleto de pacotes conhecidos e verificados
Contém: Software Geral, aplicativos da Microsoft Store", + "Local PC": "PC Local", + "Android Subsystem": "Subsistema Android", + "Operation on queue (position {0})...": "Operação na fila (posição {0})...", + "Click here for more details": "Clique aqui para mais detalhes", + "Operation canceled by user": "Operação cancelada pelo usuário", + "Starting operation...": "Iniciando operação...", + "{package} installer download": "Download do instalador do {package}", + "{0} installer is being downloaded": "O instalador do {0} está sendo baixado", + "Download succeeded": "Download concluído", + "{package} installer was downloaded successfully": "Instalador do {package} baixado com sucesso", + "Download failed": "Falha no download", + "{package} installer could not be downloaded": "O instalador do {package} não pôde ser baixado", + "{package} Installation": "Instalação de {package}", + "{0} is being installed": "{0} está sendo instalado", + "Installation succeeded": "Instalação concluída com sucesso!", + "{package} was installed successfully": "{package} foi instalado com sucesso", + "Installation failed": "A instalação falhou!", + "{package} could not be installed": "{package} não pôde ser instalado", + "{package} Update": "Atualizando {package}...", + "{0} is being updated to version {1}": "{0} está sendo atualizado para a versão {1}", + "Update succeeded": "Atualização bem-sucedida", + "{package} was updated successfully": "{package} foi atualizado com sucesso", + "Update failed": "Falha na atualização", + "{package} could not be updated": "{package} não pôde ser atualizado", + "{package} Uninstall": "Desinstalação de {package}", + "{0} is being uninstalled": "{0} está sendo desinstalado", + "Uninstall succeeded": "Desinstalação bem-sucedida", + "{package} was uninstalled successfully": "{package} foi desinstalado com sucesso", + "Uninstall failed": "Desinstalação falhou", + "{package} could not be uninstalled": "{package} não pôde ser desinstalado", + "Adding source {source}": "Adicionando fonte {source}", + "Adding source {source} to {manager}": "Adicionando a fonte {source} ao {manager}", + "Source added successfully": "Fonte adicionada com sucesso", + "The source {source} was added to {manager} successfully": "A fonte {source} foi adicionada ao {manager} com sucesso", + "Could not add source": "Não foi possível adicionar a fonte", + "Could not add source {source} to {manager}": "Não foi possível adicionar a fonte {source} ao {manager}", + "Removing source {source}": "Removendo fonte {source}", + "Removing source {source} from {manager}": "Removendo fonte {source} do {manager}", + "Source removed successfully": "Fonte removida com sucesso", + "The source {source} was removed from {manager} successfully": "A fonte {source} foi removida do {manager} com sucesso", + "Could not remove source": "Não foi possível remover a fonte", + "Could not remove source {source} from {manager}": "Não foi possível remover a fonte {source} do {manager}", + "The package manager \"{0}\" was not found": "O gerenciador de pacotes \"{0}\" não foi encontrado", + "The package manager \"{0}\" is disabled": "O gerenciador de pacotes \"{0}\" está desativado", + "There is an error with the configuration of the package manager \"{0}\"": "Há um erro na configuração do gerenciador de pacotes \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "O pacote \"{0}\" não foi encontrado no gerenciador de pacotes \"{1}\"", + "{0} is disabled": "O {0} está desativado", + "Something went wrong": "Algo deu errado", + "An interal error occurred. Please view the log for further details.": "Foi identificado um erro interno. Verifique o log para obter mais informações.", + "No applicable installer was found for the package {0}": "Nenhum instalador encontrado para o pacote {0}", + "We are checking for updates.": "Estamos verificando por atualizações.", + "Please wait": "Por favor, aguarde", + "UniGetUI version {0} is being downloaded.": "A versão {0} do UniGetUI está sendo baixada.", + "This may take a minute or two": "Isso pode levar um ou dois minutos", + "The installer authenticity could not be verified.": "A autenticidade do instalador não pôde ser verificada.", + "The update process has been aborted.": "O processo de atualização foi interrompido.", + "Great! You are on the latest version.": "Ótimo! Você está na versão mais recente.", + "There are no new UniGetUI versions to be installed": "Não há novas versões do UniGetUI para serem instaladas", + "An error occurred when checking for updates: ": "Ocorreu um erro ao verificar se há atualizações:", + "UniGetUI is being updated...": "O UniGetUI está sendo atualizado...", + "Something went wrong while launching the updater.": "Algo deu errado ao iniciar o atualizador.", + "Please try again later": "Por favor, tente novamente mais tarde", + "Integrity checks will not be performed during this operation": "As verificações de integridade não serão executadas durante esta operação", + "This is not recommended.": "Isto não é recomendado", + "Run now": "Executar agora", + "Run next": "Executar próximo", + "Run last": "Executar último", + "Retry as administrator": "Repetir como administrador", + "Retry interactively": "Repetir interativamente", + "Retry skipping integrity checks": "Repetir verificações de integridade ignoradas", + "Installation options": "Opções de instalação", + "Show in explorer": "Exibir no Explorer", + "This package is already installed": "Este pacote já está instalado", + "This package can be upgraded to version {0}": "Este pacote pode ser atualizado para a versão {0}", + "Updates for this package are ignored": "As atualizações para este pacote estão sendo ignoradas", + "This package is being processed": "Este pacote está sendo processado", + "This package is not available": "Este pacote não está disponível", + "Select the source you want to add:": "Selecione a fonte que você deseja adicionar:", + "Source name:": "Nome da fonte:", + "Source URL:": "URL da fonte:", + "An error occurred": "Ocorreu um erro\n", + "An error occurred when adding the source: ": "Ocorreu um erro ao adicionar a fonte:", + "Package management made easy": "Gestão de pacotes facilitada", + "version {0}": "versão {0}", + "[RAN AS ADMINISTRATOR]": "EXECUTADO COMO ADMINISTRADOR", + "Portable mode": "Modo portátil", + "DEBUG BUILD": "COMPILAÇÃO DE DEPURAÇÃO", + "Available Updates": "Atualizações Disponíveis", + "Show WingetUI": "Mostrar UniGetUI", + "Quit": "Sair", + "Attention required": "Requer atenção", + "Restart required": "Reinicialização necessária", + "1 update is available": "1 atualização está disponível", + "{0} updates are available": "{0} atualizações disponíveis", + "WingetUI Homepage": "Página inicial do UniGetUI", + "WingetUI Repository": "Repositório do UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aqui você pode alterar o comportamento do UniGetUI em relação aos atalhos abaixo. Marcar um atalho fará com que o UniGetUI o exclua caso ele seja criado em uma futura atualização. Desmarcar manterá o atalho intacto", + "Manual scan": "Verificação manual", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Atalhos existentes na sua área de trabalho serão verificados, e você precisará escolher quais manter e quais remover.", + "Continue": "Continuar", + "Delete?": "Excluir?", + "Missing dependency": "Dependência ausente", + "Not right now": "Agora não", + "Install {0}": "Instalar {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "O UniGetUI requer {0} para funcionar, mas ele não foi encontrado em seu sistema.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Clique em Instalar para iniciar a instalação. Se você pular esta etapa, o UniGetUI pode não funcionar corretamente.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Como alternativa, você também pode instalar {0} executando o seguinte comando no prompt do Windows PowerShell:", + "Do not show this dialog again for {0}": "Não mostrar esta caixa de diálogo novamente para {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Aguarde enquanto {0} está sendo instalado. Uma janela preta poderá aparecer. Aguarde até que ela seja fechada.", + "{0} has been installed successfully.": "{0} foi instalado com sucesso.", + "Please click on \"Continue\" to continue": "Clique em \"Continuar\" para prosseguir", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} foi instalado com sucesso. Recomenda-se reiniciar o UniGetUI para concluir a instalação", + "Restart later": "Reiniciar mais tarde", + "An error occurred:": "Ocorreu um erro:", + "I understand": "Entendi", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "O UniGetUI foi executado como administrador, o que não é recomendado. Quando executado como administrador, TODAS as operações iniciadas pelo UniGetUI terão privilégios de administrador. Você ainda pode usar o programa, mas é altamente recomendável não executar o UniGetUI com privilégios de administrador.", + "WinGet was repaired successfully": "O WinGet foi reparado com sucesso", + "It is recommended to restart UniGetUI after WinGet has been repaired": "É recomendado reiniciar o UniGetUI após o WinGet ser reparado", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OBSERVAÇÃO: esta solução de problemas pode ser desabilitada nas Configurações do UniGetUI, na seção WinGet", + "Restart": "Reiniciar", + "WinGet could not be repaired": "O WinGet não pôde ser reparado", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ocorreu um problema inesperado ao tentar reparar o WinGet. Por favor, tente novamente mais tarde", + "Are you sure you want to delete all shortcuts?": "Você deseja realmente excluir todos os atalhos?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Quaisquer atalhos criados durante a instalação ou atualização serão excluídos automaticamente, em vez de mostrar um prompt de confirmação na primeira vez que forem detectados.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Quaisquer atalhos criados ou modificados fora do UniGetUI serão ignorados. Você poderá adicioná-los com o botão {0}.", + "Are you really sure you want to enable this feature?": "Você deseja realmente ativar este recurso?", + "No new shortcuts were found during the scan.": "Nenhum novo atalho foi encontrado durante a verificação.", + "How to add packages to a bundle": "Como adicionar pacotes no conjunto", + "In order to add packages to a bundle, you will need to: ": "Para poder adicionar pacotes no conjunto, você precisará:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navegue até a página \"{0}\" ou \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Encontre os pacotes que deseja adicionar ao conjunto e selecione a caixa de seleção mais à esquerda.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Quando os pacotes que deseja adicionar ao conjunto estiverem selecionados, localize e clique na opção \"{0}\" na barra de ferramentas.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Os seus pacotes serão adicionados ao conjunto. Você pode continuar adicionando pacotes ou exportar o conjunto.", + "Which backup do you want to open?": "Qual backup você deseja abrir?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selecione o backup que deseja abrir. Posteriormente, você poderá verificar quais pacotes/programas deseja restaurar.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Há operações em andamento. Sair do UniGetUI pode fazer com que elas falhem. Deseja continuar?", + "UniGetUI or some of its components are missing or corrupt.": "O UniGetUI ou alguns de seus componentes estão ausentes ou corrompidos.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "É altamente recomendável reinstalar o UniGetUI para resolver a situação.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Consulte os registros do UniGetUI para obter mais detalhes sobre os arquivos afetados", + "Integrity checks can be disabled from the Experimental Settings": "As verificações de integridade podem ser desabilitadas nas Configurações Experimentais", + "Repair UniGetUI": "Reparar o UniGetUI", + "Live output": "Saída em tempo real", + "Package not found": "Pacote não encontrado", + "An error occurred when attempting to show the package with Id {0}": "Ocorreu um erro ao exibir o pacote com ID {0}", + "Package": "Pacote", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Este pacote possui algumas configurações que são potencialmente perigosas e podem ser ignoradas por padrão.", + "Entries that show in YELLOW will be IGNORED.": "As entradas que aparecerem em AMARELO serão IGNORADAS.", + "Entries that show in RED will be IMPORTED.": "As entradas que aparecerem em VERMELHO serão IMPORTADAS.", + "You can change this behavior on UniGetUI security settings.": "Você pode alterar esse comportamento nas configurações de segurança do UniGetUI.", + "Open UniGetUI security settings": "Anrir configurações de segurança do UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Caso você modifique as configurações de segurança, será necessário abrir o pacote novamente para que as alterações entrem em vigor.", + "Details of the report:": "Detalhes do relatório:", "\"{0}\" is a local package and can't be shared": "\"{0}\" é um pacote local e não pode ser compartilhado", + "Are you sure you want to create a new package bundle? ": "Tem certeza de que deseja criar uma nova coleção de pacotes? ", + "Any unsaved changes will be lost": "Quaisquer alterações não salvas serão perdidas", + "Warning!": "Aviso!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Por motivos de segurança, os argumentos de linha de comando personalizados são desabilitados por padrão. Acesse as configurações de segurança do UniGetUI para alterar isso.", + "Change default options": "Alterar opções padrão", + "Ignore future updates for this package": "Ignorar futuras atualizações para este pacote", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Por motivos de segurança, os scripts de pré e pós-operação são desabilitados por padrão. Acesse as configurações de segurança do UniGetUI para alterar isso.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Você pode definir os comandos que serão executados antes ou depois da instalação, atualização ou desinstalação deste pacote. Eles serão executados em um prompt de comando, portanto, scripts CMD funcionarão aqui.", + "Change this and unlock": "Alterar isto e desbloquear", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} opções de instalação estão bloqueadas no momento porque {0} seguem as opções de instalação padrão.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selecione os processos que devem ser fechados antes que este pacote seja instalado, atualizado ou desinstalado.", + "Write here the process names here, separated by commas (,)": "Escreva aqui os nomes dos processos, separados por vírgulas (,)", + "Unset or unknown": "Não definido ou desconhecido", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Consulte a saída da linha de comando ou o histórico de operações para mais informações sobre o problema.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Este pacote não tem capturas de tela ou está faltando o ícone? Contribua para o UniGetUI adicionando os ícones e capturas de tela ausentes ao nosso banco de dados público e aberto.", + "Become a contributor": "Torne-se um colaborador", + "Save": "Salvar", + "Update to {0} available": "Atualização para {0} disponível", + "Reinstall": "Reinstalar", + "Installer not available": "Instalador não disponível", + "Version:": "Versão:", + "Performing backup, please wait...": "Fazendo backup, aguarde...", + "An error occurred while logging in: ": "Ocorreu um erro ao fazer login:", + "Fetching available backups...": "Buscando backups disponíveis...", + "Done!": "Concluído!", + "The cloud backup has been loaded successfully.": "O backup na nuvem foi carregado com sucesso.", + "An error occurred while loading a backup: ": "Ocorreu um erro ao carregar o backup:", + "Backing up packages to GitHub Gist...": "Fazendo backup dos pacotes para o Github Gist...", + "Backup Successful": "Backup bem sucedido", + "The cloud backup completed successfully.": "O backup na nuvem foi concluído com sucesso.", + "Could not back up packages to GitHub Gist: ": "Não foi possível fazer backup dos pacotes para o GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Não há garantia de que as credenciais fornecidas serão armazenadas com segurança, portanto, você também não pode usar as credenciais da sua conta bancária.", + "Enable the automatic WinGet troubleshooter": "Habilitar a solução de problemas automática do WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Ativar solucionador de problemas do WinGet aprimorado [experimental]", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Adicionar atualizações com falha 'nenhuma atualização aplicável encontrada' à lista de atualizações ignoradas", + "Restart WingetUI to fully apply changes": "Reinicie o UniGetUI para aplicar todas as alterações", + "Restart WingetUI": "Reiniciar UniGetUI", + "Invalid selection": "Seleção inválida", + "No package was selected": "Nenhum pacote foi selecionado", + "More than 1 package was selected": "Mais de 1 pacote foi selecionado", + "List": "Lista", + "Grid": "Grade", + "Icons": "Ícones", "\"{0}\" is a local package and does not have available details": "\"{0}\" é um pacote local e não possui detalhes suficientes", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" é um pacote local e não é compatível com este recurso", - "(Last checked: {0})": "(Última verificação: {0})", + "WinGet malfunction detected": "Mau funcionamento do WinGet detectado", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Parece que o WinGet não está funcionando corretamente. Deseja tentar repará-lo?", + "Repair WinGet": "Reparar WinGet", + "Create .ps1 script": "Criar script .ps1", + "Add packages to bundle": "Adicionar pacotes ao conjunto", + "Preparing packages, please wait...": "Preparando pacotes, por favor aguarde.", + "Loading packages, please wait...": "Carregando pacotes, por favor aguarde...", + "Saving packages, please wait...": "Salvando pacotes, por favor aguarde.", + "The bundle was created successfully on {0}": "O pacote foi criado com sucesso em {0}", + "Install script": "Instalar script", + "The installation script saved to {0}": "O script de instalação foi salvo em {0}", + "An error occurred while attempting to create an installation script:": "Ocorreu um erro ao tentar criar o script de instalação:", + "{0} packages are being updated": "{0} pacotes estão sendo atualizados", + "Error": "Erro", + "Log in failed: ": "Falha no login:", + "Log out failed: ": "Falha ao sair:", + "Package backup settings": "Configurações de backup do pacote", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Posição {0} na fila)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@thiagojramos, @ppvnf, @wanderleihuttel, @maisondasilva, @Rodrigo-Matsuura, @renanalencar", "0 packages found": "0 pacotes encontrados", "0 updates found": "0 atualizações encontradas", - "1 - Errors": "1 - Erros", - "1 day": "1 dia", - "1 hour": "1 hora", "1 month": "1 mês", "1 package was found": "1 pacote foi encontrado", - "1 update is available": "1 atualização está disponível", - "1 week": "1 semana", "1 year": "1 ano", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navegue até a página \"{0}\" ou \"{1}\".", - "2 - Warnings": "2 - Avisos", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Encontre os pacotes que deseja adicionar ao conjunto e selecione a caixa de seleção mais à esquerda.", - "3 - Information (less)": "3 - Informações (resumidas)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Quando os pacotes que deseja adicionar ao conjunto estiverem selecionados, localize e clique na opção \"{0}\" na barra de ferramentas.", - "4 - Information (more)": "4 - Informações (detalhadas)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Os seus pacotes serão adicionados ao conjunto. Você pode continuar adicionando pacotes ou exportar o conjunto.", - "5 - information (debug)": "5 - Informações (depuração)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Um gerenciador de bibliotecas C/C++ bastante popular. Repleto de bibliotecas C/C++ e outras ferramentas relacionadas a C/C++
Contém: Bibliotecas C/C++ e ferramentas relacionadas", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Um repositório repleto de ferramentas e executáveis projetados para o ecossistema .NET da Microsoft.
Contém: ferramentas e scripts relacionados ao .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Um repositório repleto de ferramentas projetadas para o ecossistema .NET da Microsoft.
Contém: Ferramentas relacionadas ao .NET", "A restart is required": "É necessária uma reinicialização", - "Abort install if pre-install command fails": "Cancelar instalação se o comando de pré-instalação falhar", - "Abort uninstall if pre-uninstall command fails": "Cancelar desinstalação se o comando de pré-deinstalação falhar", - "Abort update if pre-update command fails": "Cancelar atualização se o comando de pré-atualização falhar", - "About": "Sobre", "About Qt6": "Sobre o Qt6", - "About WingetUI": "Sobre o UniGetUI", "About WingetUI version {0}": "Sobre o UniGetUI versão {0}", "About the dev": "Sobre o desenvolvedor", - "Accept": "Aceitar", "Action when double-clicking packages, hide successful installations": "Ação ao clicar duas vezes nos pacotes, ocultar instalações concluídas", - "Add": "Adicionar", "Add a source to {0}": "Adicionar uma fonte a {0}", - "Add a timestamp to the backup file names": "Adicionar um registro de data e hora aos nomes dos arquivos de backup", "Add a timestamp to the backup files": "Adicionar um registro de data e hora aos arquivos de backup", "Add packages or open an existing bundle": "Adicionar pacotes ou abrir uma coleção existente", - "Add packages or open an existing package bundle": "Adicione pacotes ou abra uma coleção existente", - "Add packages to bundle": "Adicionar pacotes ao conjunto", - "Add packages to start": "Adicione pacotes para começar", - "Add selection to bundle": "Adicionar seleção à coleção", - "Add source": "Adicionar fonte", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Adicionar atualizações com falha 'nenhuma atualização aplicável encontrada' à lista de atualizações ignoradas", - "Adding source {source}": "Adicionando fonte {source}", - "Adding source {source} to {manager}": "Adicionando a fonte {source} ao {manager}", "Addition succeeded": "Adição bem-sucedida", - "Administrator privileges": "Privilégios de administrador", "Administrator privileges preferences": "Preferências de privilégios de administrador", "Administrator rights": "Privilégios de administrador", - "Administrator rights and other dangerous settings": "Direitos de administrador e outras configurações perigosas", - "Advanced options": "Opções avançadas", "All files": "Todos os arquivos", - "All versions": "Todas as versões", - "Allow changing the paths for package manager executables": "Permitir alterar caminhos para executáveis de gerenciadores de pacotes", - "Allow custom command-line arguments": "Permitir argumentos de linha de comando personalizados", - "Allow importing custom command-line arguments when importing packages from a bundle": "Permitir a importação de argumentos de linha de comando personalizados ao importar pacotes", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permitir a importação de comandos personalizados de pré-instalação e pós-instalação ao importar pacotes", "Allow package operations to be performed in parallel": "Permitir que operações de pacotes sejam realizadas em paralelo", "Allow parallel installs (NOT RECOMMENDED)": "Permitir instalações paralelas (NÃO RECOMENDADO)", - "Allow pre-release versions": "Permitir versões de pré-lançamento", "Allow {pm} operations to be performed in parallel": "Permitir que operações do {pm} sejam executadas em paralelo", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Como alternativa, você também pode instalar {0} executando o seguinte comando no prompt do Windows PowerShell:", "Always elevate {pm} installations by default": "Sempre elevar as instalações do {pm} por padrão", "Always run {pm} operations with administrator rights": "Sempre executar operações do {pm} com privilégios de administrador", - "An error occurred": "Ocorreu um erro\n", - "An error occurred when adding the source: ": "Ocorreu um erro ao adicionar a fonte:", - "An error occurred when attempting to show the package with Id {0}": "Ocorreu um erro ao exibir o pacote com ID {0}", - "An error occurred when checking for updates: ": "Ocorreu um erro ao verificar se há atualizações:", - "An error occurred while attempting to create an installation script:": "Ocorreu um erro ao tentar criar o script de instalação:", - "An error occurred while loading a backup: ": "Ocorreu um erro ao carregar o backup:", - "An error occurred while logging in: ": "Ocorreu um erro ao fazer login:", - "An error occurred while processing this package": "Ocorreu um erro ao processar este pacote", - "An error occurred:": "Ocorreu um erro:", - "An interal error occurred. Please view the log for further details.": "Foi identificado um erro interno. Verifique o log para obter mais informações.", "An unexpected error occurred:": "Ocorreu um erro inesperado:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ocorreu um problema inesperado ao tentar reparar o WinGet. Por favor, tente novamente mais tarde", - "An update was found!": "Uma atualização foi encontrada!", - "Android Subsystem": "Subsistema Android", "Another source": "Outra fonte", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Quaisquer atalhos criados durante a instalação ou atualização serão excluídos automaticamente, em vez de mostrar um prompt de confirmação na primeira vez que forem detectados.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Quaisquer atalhos criados ou modificados fora do UniGetUI serão ignorados. Você poderá adicioná-los com o botão {0}.", - "Any unsaved changes will be lost": "Quaisquer alterações não salvas serão perdidas", "App Name": "Nome do Aplicativo", - "Appearance": "Aparência", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema do aplicativo, página inicial, ícones dos pacotes, remover instalações concluídas automaticamente", - "Application theme:": "Tema do aplicativo:", - "Apply": "Aplicar", - "Architecture to install:": "Arquitetura para instalar:", "Are these screenshots wron or blurry?": "Estas capturas de tela estão erradas ou borradas?", - "Are you really sure you want to enable this feature?": "Você deseja realmente ativar este recurso?", - "Are you sure you want to create a new package bundle? ": "Tem certeza de que deseja criar uma nova coleção de pacotes? ", - "Are you sure you want to delete all shortcuts?": "Você deseja realmente excluir todos os atalhos?", - "Are you sure?": "Você tem certeza?", - "Ascendant": "Ascendente", - "Ask for administrator privileges once for each batch of operations": "Solicitar privilégios de administrador uma vez para cada lote de operações", "Ask for administrator rights when required": "Solicitar privilégios de administrador quando necessário", "Ask once or always for administrator rights, elevate installations by default": "Perguntar uma vez ou sempre por direitos de administrador, elevar instalações por padrão", - "Ask only once for administrator privileges": "Perguntar uma única vez por direitos de administrador", "Ask only once for administrator privileges (not recommended)": "Perguntar apenas uma vez por privilégios de administrador (não recomendado)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Perguntar se deseja excluir atalhos criados na área de trabalho durante a instalação ou atualização.", - "Attention required": "Requer atenção", "Authenticate to the proxy with an user and a password": "Autenticar no proxy com um usuário e senha", - "Author": "Autor", - "Automatic desktop shortcut remover": "Removedor automático de atalhos na área de trabalho", - "Automatic updates": "Atualizações automáticas", - "Automatically save a list of all your installed packages to easily restore them.": "Salvar automaticamente uma lista de todos os seus pacotes instalados para restaurá-los facilmente.", "Automatically save a list of your installed packages on your computer.": "Salvar automaticamente no seu computador uma lista de seus pacotes instalados.", - "Automatically update this package": "Atualizar este pacote automaticamente", "Autostart WingetUI in the notifications area": "Iniciar o UniGetUI automaticamente na área de notificações", - "Available Updates": "Atualizações Disponíveis", "Available updates: {0}": "Atualizações disponíveis: {0} ", "Available updates: {0}, not finished yet...": "Atualizações disponíveis: {0}, ainda não concluído...", - "Backing up packages to GitHub Gist...": "Fazendo backup dos pacotes para o Github Gist...", - "Backup": "Fazer backup", - "Backup Failed": "Falha no backup", - "Backup Successful": "Backup bem sucedido", - "Backup and Restore": "Backup e Restauração", "Backup installed packages": "Fazer backup dos pacotes instalados", "Backup location": "Local do backup", - "Become a contributor": "Torne-se um colaborador", - "Become a translator": "Torne-se um tradutor", - "Begin the process to select a cloud backup and review which packages to restore": "Inicie o processo para selecionar um backup na nuvem e revise quais pacotes restaurar", - "Beta features and other options that shouldn't be touched": "Recursos beta e outras opções que não devem ser alteradas", - "Both": "Ambos", - "Bundle security report": "Relatório de segurança do pacote", "But here are other things you can do to learn about WingetUI even more:": "Mas aqui estão outras coisas que você pode fazer para aprender ainda mais sobre o UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ao desativar um gerenciador de pacotes, você não poderá mais ver ou atualizar seus pacotes.", "Cache administrator rights and elevate installers by default": "Manter privilégios de administrador em cache e elevar instaladores por padrão", "Cache administrator rights, but elevate installers only when required": "Manter privilégios de administrador em cache, mas elevar instaladores apenas quando necessário", "Cache was reset successfully!": "Cache redefinido com sucesso!", "Can't {0} {1}": "Não foi possível {0} {1}", - "Cancel": "Cancelar", "Cancel all operations": "Cancelar todas as operações", - "Change backup output directory": "Alterar diretório de saída do backup", - "Change default options": "Alterar opções padrão", - "Change how UniGetUI checks and installs available updates for your packages": "Alterar como o UniGetUI verifica e instala atualizações disponíveis para seus pacotes", - "Change how UniGetUI handles install, update and uninstall operations.": "Altere como o UniGetUI lida com as operações de instalação, atualização e desinstalação.", "Change how UniGetUI installs packages, and checks and installs available updates": "Altere como o UniGetUI instala pacotes, e verifica e instala atualizações disponíveis", - "Change how operations request administrator rights": "Alterar como as operações solicitam direitos de administrador", "Change install location": "Alterar local de instalação", - "Change this": "Alterar isto", - "Change this and unlock": "Alterar isto e desbloquear", - "Check for package updates periodically": "Verificar atualizações de pacotes periodicamente", - "Check for updates": "Verificar atualizações", - "Check for updates every:": "Verificar atualizações a cada:", "Check for updates periodically": "Verificar atualizações periodicamente", "Check for updates regularly, and ask me what to do when updates are found.": "Verificar atualizações regularmente e perguntar o que fazer quando elas forem encontradas.", "Check for updates regularly, and automatically install available ones.": "Verificar atualizações regularmente e instalar automaticamente as disponíveis.", @@ -159,805 +741,283 @@ "Checking for updates...": "Verificando atualizações...", "Checking found instace(s)...": "Verificando instância(s) encontrada(s).", "Choose how many operations shouls be performed in parallel": "Escolha quantas operações devem ser executadas em paralelo", - "Clear cache": "Limpar cache", "Clear finished operations": "Limpar operações concluídas", - "Clear selection": "Limpar seleção", "Clear successful operations": "Limpar operações bem sucedidas", - "Clear successful operations from the operation list after a 5 second delay": "Limpar as operações bem-sucedidas da lista após um atraso de 5 segundos", "Clear the local icon cache": "Limpar o cache de ícones local", - "Clearing Scoop cache - WingetUI": "Limpando cache do Scoop - UniGetUI", "Clearing Scoop cache...": "Limpando cache do Scoop.", - "Click here for more details": "Clique aqui para mais detalhes", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Clique em Instalar para iniciar a instalação. Se você pular esta etapa, o UniGetUI pode não funcionar corretamente.", - "Close": "Fechar", - "Close UniGetUI to the system tray": "Fechar o UniGetUi para a área de notificação", "Close WingetUI to the notification area": "Fechar o UniGetUI para a área de notificação", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "O backup em nuvem usa um GitHub Gist privado para armazenar uma lista de pacotes instalados", - "Cloud package backup": "Backup de pacote em nuvem", "Command-line Output": "Saída da Linha de Comando", - "Command-line to run:": "Linha de comando para executar:", "Compare query against": "Comparar consulta com", - "Compatible with authentication": "Compatível com autenticação", - "Compatible with proxy": "Compatível com proxy", "Component Information": "Informações do Componente", - "Concurrency and execution": "Concorrência e execução", - "Connect the internet using a custom proxy": "Conectar na Internet usando proxy personalizado", - "Continue": "Continuar", "Contribute to the icon and screenshot repository": "Contribua para o repositório de ícones e capturas de tela", - "Contributors": "Colaboradores", "Copy": "Copiar", - "Copy to clipboard": "Copiar para a área de transferência", - "Could not add source": "Não foi possível adicionar a fonte", - "Could not add source {source} to {manager}": "Não foi possível adicionar a fonte {source} ao {manager}", - "Could not back up packages to GitHub Gist: ": "Não foi possível fazer backup dos pacotes para o GitHub Gist:", - "Could not create bundle": "Não foi possível criar a coleção de pacotes", "Could not load announcements - ": "Não foi possível carregar os anúncios - ", "Could not load announcements - HTTP status code is $CODE": "Não foi possível carregar os anúncios - O código de status HTTP é $CODE", - "Could not remove source": "Não foi possível remover a fonte", - "Could not remove source {source} from {manager}": "Não foi possível remover a fonte {source} do {manager}", "Could not remove {source} from {manager}": "Não foi possível remover {source} de {manager}", - "Create .ps1 script": "Criar script .ps1", - "Credentials": "Credenciais", "Current Version": "Versão Atual", - "Current executable file:": "Arquivo executável atual:", - "Current status: Not logged in": "Status atual: Deslogado", "Current user": "Usuário atual", "Custom arguments:": "Argumentos personalizados:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumentos de linha de comando personalizados podem alterar a maneira como os programas são instalados, atualizados ou desinstalados, de uma forma que o UniGetUI não pode controlar. O uso de linhas de comando personalizadas pode corromper pacotes. Prossiga com cautela.", "Custom command-line arguments:": "Argumentos personalizados da linha de comando:", - "Custom install arguments:": "Argumentos de instalação personalizados:", - "Custom uninstall arguments:": "Argumentos de desinstalação personalizados:", - "Custom update arguments:": "Argumentos de atualização personalizados:", "Customize WingetUI - for hackers and advanced users only": "Personalizar o UniGetUI - apenas para hackers e usuários avançados", - "DEBUG BUILD": "COMPILAÇÃO DE DEPURAÇÃO", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "AVISO LEGAL: NÃO NOS RESPONSABILIZAMOS PELOS PACOTES BAIXADOS. CERTIFIQUE-SE DE INSTALAR APENAS SOFTWARES CONFIÁVEL.", - "Dark": "Escuro", - "Decline": "Recusar", - "Default": "Padrão", - "Default installation options for {0} packages": "Opções de instalação padrão para {0} pacotes", "Default preferences - suitable for regular users": "Preferências padrão - adequadas para usuários comuns", - "Default vcpkg triplet": "Triplet padrão do vcpkg", - "Delete?": "Excluir?", - "Dependencies:": "Dependências:", - "Descendant": "Descendente", "Description:": "Descrição:", - "Desktop shortcut created": "Atalho na área de trabalho criado", - "Details of the report:": "Detalhes do relatório:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Desenvolver é difícil e este aplicativo é gratuito. Mas se você gostou do aplicativo, você sempre pode me pagar um café :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instalar diretamente ao clicar duas vezes em um item na guia \\\"{discoveryTab}\\\" (em vez de mostrar as informações do pacote)", "Disable new share API (port 7058)": "Desativar nova API de compartilhamento (porta 7058)", - "Disable the 1-minute timeout for package-related operations": "Desativar o tempo limite de 1 minuto para operações relacionadas a pacotes", - "Disabled": "Desativado", - "Disclaimer": "Aviso Legal", - "Discover Packages": "Descobrir Pacotes", "Discover packages": "Descobrir pacotes", "Distinguish between\nuppercase and lowercase": "Diferenciar maiúsculas de minúsculas", - "Distinguish between uppercase and lowercase": "Diferenciar maiúsculas de minúsculas", "Do NOT check for updates": "NÃO verificar atualizações", "Do an interactive install for the selected packages": "Fazer uma instalação interativa para os pacotes selecionados", "Do an interactive uninstall for the selected packages": "Fazer uma desinstalação interativa para os pacotes selecionados", "Do an interactive update for the selected packages": "Fazer uma atualização interativa para os pacotes selecionados", - "Do not automatically install updates when the battery saver is on": "Não instalar atualizações automaticamente com a economia de bateria ativada", - "Do not automatically install updates when the device runs on battery": "Não instalar atualizações automaticamente quando o dispositivo estiver funcionando com bateria", - "Do not automatically install updates when the network connection is metered": "Não instalar atualizações automaticamente quando a conexão de rede for limitada", "Do not download new app translations from GitHub automatically": "Não baixar automaticamente novas traduções do aplicativo do GitHub", - "Do not ignore updates for this package anymore": "Não ignorar mais atualizações para este pacote", "Do not remove successful operations from the list automatically": "Não remover operações concluídas da lista automaticamente", - "Do not show this dialog again for {0}": "Não mostrar esta caixa de diálogo novamente para {0}", "Do not update package indexes on launch": "Não atualizar índices de pacotes na inicialização", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Você permite que o UniGetUI colete e envie estatísticas de uso anônimas, com o único objetivo de entender e melhorar a experiência do usuário?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Você acha o UniGetUI útil? Se puder, apoie meu trabalho para que eu possa continuar tornando o UniGetUI a interface definitiva para gerenciamento de pacotes.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Você acha o UniGetUI útil? Gostaria de apoiar o desenvolvedor? Se sim, você pode {0}, ajuda muito!", - "Do you really want to reset this list? This action cannot be reverted.": "Você deseja realmente redefinir esta lista? Esta ação não pode ser desfeita.", - "Do you really want to uninstall the following {0} packages?": "Você tem certeza de que deseja desinstalar os {0} pacotes seguintes?", "Do you really want to uninstall {0} packages?": "Você tem certeza de que deseja desinstalar {0} pacotes?", - "Do you really want to uninstall {0}?": "Você tem certeza de que deseja desinstalar {0}?", "Do you want to restart your computer now?": "Você deseja reiniciar o computador agora?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Quer traduzir o UniGetUI para o seu idioma? Veja como contribuir AQUI!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Não está em condições de fazer uma doação? Sem problemas, você sempre pode compartilhar o UniGetUI com seus amigos. Ajude divulgando o UniGetUI.", "Donate": "Doar", - "Done!": "Concluído!", - "Download failed": "Falha no download", - "Download installer": "Baixar instalador", - "Download operations are not affected by this setting": "Operações de download não são afetadas por esta configuração", - "Download selected installers": "Baixar instaladores selecionados", - "Download succeeded": "Download concluído", "Download updated language files from GitHub automatically": "Baixar arquivos de idioma atualizados do GitHub automaticamente", - "Downloading": "Baixando", - "Downloading backup...": "Baixando o backup...", - "Downloading installer for {package}": "Baixando o instalador para {package}", - "Downloading package metadata...": "Baixando metadados do pacote.", - "Enable Scoop cleanup on launch": "Ativar limpeza do Scoop na inicialização", - "Enable WingetUI notifications": "Ativar notificações do UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Ativar solucionador de problemas do WinGet aprimorado [experimental]", - "Enable and disable package managers, change default install options, etc.": "Habilite e desabilite gerenciadores de pacotes, altere opções de instalação padrão, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ativar otimizações de uso de CPU em segundo plano (veja Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Habilitar API em segundo plano (Widgets e Compartilhamento do UniGetUI, porta 7058)", - "Enable it to install packages from {pm}.": "Habilitar a instalação de pacotes do {pm}.", - "Enable the automatic WinGet troubleshooter": "Habilitar a solução de problemas automática do WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Habilitar o novo elevador de privilégios personalizado do UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Habilitar o novo manipulador de entrada de processo (fechador automatizado StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ative as configurações abaixo SE E SOMENTE SE você entender completamente o que elas fazem e as implicações e perigos que podem envolver.", - "Enable {pm}": "Habilitar {pm}", - "Enabled": "Habilitado", - "Enter proxy URL here": "Insira o URL do proxy aqui", - "Entries that show in RED will be IMPORTED.": "As entradas que aparecerem em VERMELHO serão IMPORTADAS.", - "Entries that show in YELLOW will be IGNORED.": "As entradas que aparecerem em AMARELO serão IGNORADAS.", - "Error": "Erro", - "Everything is up to date": "Tudo está atualizado", - "Exact match": "Correspondência exata", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Atalhos existentes na sua área de trabalho serão verificados, e você precisará escolher quais manter e quais remover.", - "Expand version": "Expandir", - "Experimental settings and developer options": "Configurações experimentais e opções de desenvolvedor", - "Export": "Exportar", + "Downloading": "Baixando", + "Downloading installer for {package}": "Baixando o instalador para {package}", + "Downloading package metadata...": "Baixando metadados do pacote.", + "Enable the new UniGetUI-Branded UAC Elevator": "Habilitar o novo elevador de privilégios personalizado do UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Habilitar o novo manipulador de entrada de processo (fechador automatizado StdIn)", "Export log as a file": "Exportar log como um arquivo", "Export packages": "Exportar pacotes", "Export selected packages to a file": "Exportar pacotes selecionados para um arquivo", - "Export settings to a local file": "Exportar configurações para um arquivo local", - "Export to a file": "Exportar para um arquivo", - "Failed": "Falhou", - "Fetching available backups...": "Buscando backups disponíveis...", "Fetching latest announcements, please wait...": "Buscando os últimos anúncios, aguarde...", - "Filters": "Filtros", "Finish": "Concluir", - "Follow system color scheme": "Seguir o esquema de cores do sistema", - "Follow the default options when installing, upgrading or uninstalling this package": "Seguir opções padrão ao instalar, atualizar ou desinstalar este pacote", - "For security reasons, changing the executable file is disabled by default": "Por razões de segurança, a alteração do arquivo executável é desabilitada por padrão", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Por motivos de segurança, os argumentos de linha de comando personalizados são desabilitados por padrão. Acesse as configurações de segurança do UniGetUI para alterar isso.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Por motivos de segurança, os scripts de pré e pós-operação são desabilitados por padrão. Acesse as configurações de segurança do UniGetUI para alterar isso.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Forçar versão ARM compilada do winget (SOMENTE PARA SISTEMAS ARM64)", - "Force install location parameter when updating packages with custom locations": "Forçar o parâmetro de local de instalação ao atualizar pacotes com locais personalizados", "Formerly known as WingetUI": "Anteriormente conhecido como WingetUI", "Found": "Encontrado", "Found packages: ": "Pacotes encontrados:", "Found packages: {0}": "Pacotes encontrados: {0}", "Found packages: {0}, not finished yet...": "Pacotes encontrados: {0}, ainda não concluído.", - "General preferences": "Preferências gerais", "GitHub profile": "Perfil do GitHub", "Global": "Geral", - "Go to UniGetUI security settings": "Acessar configurações de segurança do UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Uma vasta coleção de utilitários úteis, ainda que pouco conhecidos, e pacotes variados.
Contém: Utilitários, Programas para linha de comando, Software geral (é necessário habilitar o bucket extras)", - "Great! You are on the latest version.": "Ótimo! Você está na versão mais recente.", - "Grid": "Grade", - "Help": "Ajuda", "Help and documentation": "Ajuda e documentação", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aqui você pode alterar o comportamento do UniGetUI em relação aos atalhos abaixo. Marcar um atalho fará com que o UniGetUI o exclua caso ele seja criado em uma futura atualização. Desmarcar manterá o atalho intacto", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Olá, meu nome é Martí e sou o desenvolvedor do UniGetUI. O UniGetUI foi feito inteiramente no meu tempo livre!", "Hide details": "Ocultar detalhes", - "Homepage": "Página Inicial", - "Hooray! No updates were found.": "Uhu! Nenhuma atualização foi encontrada.", "How should installations that require administrator privileges be treated?": "Como as instalações que exigem privilégios de administrador devem ser tratadas?", - "How to add packages to a bundle": "Como adicionar pacotes no conjunto", - "I understand": "Entendi", - "Icons": "Ícones", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Se você tiver o backup em nuvem habilitado, ele será salvo como um GitHub Gist nesta conta", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Ignorar comandos personalizados de pré e pós-instalação ao importar pacotes de uma coleção de pacotes", - "Ignore future updates for this package": "Ignorar futuras atualizações para este pacote", - "Ignore packages from {pm} when showing a notification about updates": "Ignorar pacotes do {pm} ao exibir notificação sobre atualização", - "Ignore selected packages": "Ignorar pacotes selecionados", - "Ignore special characters": "Ignorar caracteres especiais", "Ignore updates for the selected packages": "Ignorar atualizações para os pacotes selecionados", - "Ignore updates for this package": "Ignorar atualizações para este pacote", "Ignored updates": "Atualizações ignoradas", - "Ignored version": "Versão Ignorada", - "Import": "Importar", "Import packages": "Importar pacotes", "Import packages from a file": "Importar pacotes de um arquivo", - "Import settings from a local file": "Importar configurações de um arquivo local", - "In order to add packages to a bundle, you will need to: ": "Para poder adicionar pacotes no conjunto, você precisará:", "Initializing WingetUI...": "Inicializando o UniGetUI...", - "Install": "Instalar", - "Install Scoop": "Instalar Scoop", "Install and more": "Instalação e mais", "Install and update preferences": "Preferências de instalação e atualização", - "Install as administrator": "Instalar como administrador", - "Install available updates automatically": "Instalar atualizações disponíveis automaticamente", - "Install location can't be changed for {0} packages": "O local de instalação não pode ser alterado para {0} pacotes", - "Install location:": "Local de instalação:", - "Install options": "Opções de instalação", "Install packages from a file": "Instalar pacotes de um arquivo", - "Install prerelease versions of UniGetUI": "Instalar versões de pré-lançamento do UniGetUI", - "Install script": "Instalar script", "Install selected packages": "Instalar pacotes selecionados", "Install selected packages with administrator privileges": "Instalar pacotes selecionados com privilégios de administrador", - "Install selection": "Instalar seleção", "Install the latest prerelease version": "Instalar a versão de pré-lançamento mais recente", "Install updates automatically": "Instalar atualizações automaticamente", - "Install {0}": "Instalar {0}", "Installation canceled by the user!": "Instalação cancelada pelo usuário!", - "Installation failed": "A instalação falhou!", - "Installation options": "Opções de instalação", - "Installation scope:": "Escopo da instalação:", - "Installation succeeded": "Instalação concluída com sucesso!", - "Installed Packages": "Pacotes Instalados", - "Installed Version": "Versão Instalada", "Installed packages": "Pacotes instalados", - "Installer SHA256": "SHA256 do Instalador", - "Installer SHA512": "SHA512 do instalador", - "Installer Type": "Tipo de Instalador", - "Installer URL": "URL do Instalador ", - "Installer not available": "Instalador não disponível", "Instance {0} responded, quitting...": "Instância {0} respondeu, saindo...", - "Instant search": "Pesquisa instantânea", - "Integrity checks can be disabled from the Experimental Settings": "As verificações de integridade podem ser desabilitadas nas Configurações Experimentais", - "Integrity checks skipped": "Verificações de integridade ignoradas", - "Integrity checks will not be performed during this operation": "As verificações de integridade não serão executadas durante esta operação", - "Interactive installation": "Instalação interativa", - "Interactive operation": "Operação interativa", - "Interactive uninstall": "Desinstalação interativa", - "Interactive update": "Atualização interativa", - "Internet connection settings": "Configurações de conexão com a Internet", - "Invalid selection": "Seleção inválida", "Is this package missing the icon?": "Este pacote está sem ícone?", - "Is your language missing or incomplete?": "Seu idioma está faltando ou incompleto?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Não há garantia de que as credenciais fornecidas serão armazenadas com segurança, portanto, você também não pode usar as credenciais da sua conta bancária.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "É recomendado reiniciar o UniGetUI após o WinGet ser reparado", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "É altamente recomendável reinstalar o UniGetUI para resolver a situação.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Parece que o WinGet não está funcionando corretamente. Deseja tentar repará-lo?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Parece que você executou o UniGetUI como administrador, o que não é recomendado. Você ainda pode usar o programa, mas é altamente não executar o UniGetUI com privilégios de administrador. Clique em \\\"{showDetails}\\\" para saber mais.", - "Language": "Idioma", - "Language, theme and other miscellaneous preferences": "Idioma, tema e outras preferências diversas", - "Last updated:": "Última atualização:", - "Latest": "Mais recente", "Latest Version": "Versão mais recente", "Latest Version:": "Versão mais recente:", "Latest details...": "Últimos detalhes...", "Launching subprocess...": "Iniciando subprocesso...", - "Leave empty for default": "Deixe em branco para padrão", - "License": "Licença", "Licenses": "Licenças", - "Light": "Claro", - "List": "Lista", "Live command-line output": "Saída da linha de comando em tempo real", - "Live output": "Saída em tempo real", "Loading UI components...": "Carregando componentes da interface...", "Loading WingetUI...": "Carregando UniGetUI...", - "Loading packages": "Carregando pacotes", - "Loading packages, please wait...": "Carregando pacotes, por favor aguarde...", - "Loading...": "Carregando...", - "Local": "Locais", - "Local PC": "PC Local", - "Local backup advanced options": "Opções avançadas de backup local", "Local machine": "Máquina Local", - "Local package backup": "Backup de pacote local", "Locating {pm}...": "Localizando {pm}...", - "Log in": "Login", - "Log in failed: ": "Falha no login:", - "Log in to enable cloud backup": "Faça login para ativar o backup na nuvem", - "Log in with GitHub": "Fazer login com o GitHub", - "Log in with GitHub to enable cloud package backup.": "Faça login com o GitHub para ativar o backup de pacotes na nuvem.", - "Log level:": "Nível de log:", - "Log out": "Sair", - "Log out failed: ": "Falha ao sair:", - "Log out from GitHub": "Sair do GitHub", "Looking for packages...": "Procurando pacotes...", "Machine | Global": "Máquina | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentos de linha de comando malformados podem corromper pacotes ou até mesmo permitir que um agente malicioso obtenha execução privilegiada. Portanto, a importação de argumentos de linha de comando personalizados está desabilitada por padrão.", - "Manage": "Gerenciar", - "Manage UniGetUI settings": "Gerenciar configurações do UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Gerenciar o comportamento de inicialização automática do UniGetUI no aplicativo Configurações", "Manage ignored packages": "Gerenciar pacotes ignorados", - "Manage ignored updates": "Gerenciar atualizações ignoradas", - "Manage shortcuts": "Gerenciar atalhos", - "Manage telemetry settings": "Gerenciar configurações de telemetria", - "Manage {0} sources": "Gerenciar {0} fontes", - "Manifest": "Manifesto", "Manifests": "Manifestos", - "Manual scan": "Verificação manual", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Gerenciador de pacotes oficial da Microsoft. Repleto de pacotes conhecidos e verificados
Contém: Software Geral, aplicativos da Microsoft Store", - "Missing dependency": "Dependência ausente", - "More": "Mais", - "More details": "Mais detalhes", - "More details about the shared data and how it will be processed": "Mais detalhes sobre os dados compartilhados e como eles serão processados", - "More info": "Mais informações", - "More than 1 package was selected": "Mais de 1 pacote foi selecionado", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OBSERVAÇÃO: esta solução de problemas pode ser desabilitada nas Configurações do UniGetUI, na seção WinGet", - "Name": "Nome", - "New": "Novo", "New Version": "Nova Versão", "New bundle": "Nova coleção de pacotes", - "New version": "Nova versão", - "Nice! Backups will be uploaded to a private gist on your account": "Ótimo! Os backups serão enviados para um gist privado na sua conta.", - "No": "Não", - "No applicable installer was found for the package {0}": "Nenhum instalador encontrado para o pacote {0}", - "No dependencies specified": "Nenhuma dependência especificada", - "No new shortcuts were found during the scan.": "Nenhum novo atalho foi encontrado durante a verificação.", - "No package was selected": "Nenhum pacote foi selecionado", "No packages found": "Nenhum pacote encontrado", "No packages found matching the input criteria": "Nenhum pacote encontrado que corresponda aos critérios informados", "No packages have been added yet": "Nenhum pacote foi adicionado ainda", "No packages selected": "Nenhum pacote selecionado", - "No packages were found": "Nenhum pacote foi encontrado", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nenhuma informação pessoal é coletada e enviada. Os dados coletados não anônimos, assim não podem ser rastreados.", - "No results were found matching the input criteria": "Nenhum resultado foi encontrado que corresponda aos critérios informados", "No sources found": "Nenhuma fonte encontrada", "No sources were found": "Nenhuma fonte foi encontrada", "No updates are available": "Nenhuma atualização está disponível", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Gerenciador de pacotes do Node JS. Repleto de bibliotecas e outros utilitários que orbitam o mundo JavaScript
Contém: Bibliotecas JavaScript do Node e outros utilitários relacionados", - "Not available": "Não disponível", - "Not finding the file you are looking for? Make sure it has been added to path.": "Não encontrou o arquivo que procurava? Certifique-se de que ele foi adicionado ao caminho.", - "Not found": "Não encontrado", - "Not right now": "Agora não", "Notes:": "Observações:", - "Notification preferences": "Preferências de notificação", "Notification tray options": "Opções da bandeja de notificação", - "Notification types": "Tipos de notificação", - "NuPkg (zipped manifest)": "NuPkg (manifesto compactado)", - "OK": "OK", "Ok": "Ok", - "Open": "Abrir", "Open GitHub": "Abrir GitHub", - "Open UniGetUI": "Abrir UniGetUI", - "Open UniGetUI security settings": "Anrir configurações de segurança do UniGetUI", "Open WingetUI": "Abrir UniGetUI", "Open backup location": "Abrir local do backup", "Open existing bundle": "Abrir coleção de pacotes existente", - "Open install location": "Abrir local de instalação", "Open the welcome wizard": "Abrir o assistente de boas-vindas", - "Operation canceled by user": "Operação cancelada pelo usuário", "Operation cancelled": "Operação cancelada", - "Operation history": "Histórico de operações", - "Operation in progress": "Operação em andamento", - "Operation on queue (position {0})...": "Operação na fila (posição {0})...", - "Operation profile:": "Perfil de operação:", "Options saved": "Opções salvas!", - "Order by:": "Classificar por:", - "Other": "Outros", - "Other settings": "Outras configurações", - "Package": "Pacote", - "Package Bundles": "Coleção de Pacotes", - "Package ID": "ID do Pacote", "Package Manager": "Gerenciador de pacotes", - "Package Manager logs": "Logs do Gerenciador de Pacotes", - "Package Managers": "Gerenciadores de pacotes", - "Package Name": "Nome do Pacote", - "Package backup": "Backup do pacote", - "Package backup settings": "Configurações de backup do pacote", - "Package bundle": "Coleção de pacotes", - "Package details": "Detalhes do pacote", - "Package lists": "Listas de pacotes", - "Package management made easy": "Gestão de pacotes facilitada", - "Package manager": "Gerenciador de pacotes", - "Package manager preferences": "Preferências do gerenciador de pacotes", "Package managers": "Gerenciadores de pacotes", - "Package not found": "Pacote não encontrado", - "Package operation preferences": "Preferências das operações de pacotes", - "Package update preferences": "Preferências da atualização de pacotes", "Package {name} from {manager}": "Pacote {name} de {manager}", - "Package's default": "Padrão do pacote", "Packages": "Pacotes", "Packages found: {0}": "Pacotes encontrados: {0}", - "Partially": "Parcialmente", - "Password": "Senha", "Paste a valid URL to the database": "Cole uma URL válida no banco de dados", - "Pause updates for": "Pausar atualizações por", "Perform a backup now": "Fazer backup agora", - "Perform a cloud backup now": "Executar backup na nuvem agora", - "Perform a local backup now": "Executar backup local agora", - "Perform integrity checks at startup": "Executar verificações de integridade na inicialização", - "Performing backup, please wait...": "Fazendo backup, aguarde...", "Periodically perform a backup of the installed packages": "Fazer backup dos pacotes instalados periodicamente", - "Periodically perform a cloud backup of the installed packages": "Executar periodicamente um backup na nuvem dos pacotes instalados", - "Periodically perform a local backup of the installed packages": "Executar periodicamente um backup local dos pacotes instalados", - "Please check the installation options for this package and try again": "Verifique as opções de instalação deste pacote e tente novamente", - "Please click on \"Continue\" to continue": "Clique em \"Continuar\" para prosseguir", "Please enter at least 3 characters": "Insira pelo menos 3 caracteres", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Observe que certos pacotes podem não ser instaláveis devido aos gerenciadores de pacotes ativados nesta máquina.", - "Please note that not all package managers may fully support this feature": "Observe que nem todos os gerenciadores de pacotes podem suportar totalmente este recurso", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Observe que pacotes de certas fontes podem não ser exportáveis. Eles foram desativados e não serão exportados.", - "Please run UniGetUI as a regular user and try again.": "Execute o UniGetUI como um usuário comum e tente novamente.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Consulte a saída da linha de comando ou o histórico de operações para mais informações sobre o problema.", "Please select how you want to configure WingetUI": "Selecione como você deseja configurar o UniGetUI", - "Please try again later": "Por favor, tente novamente mais tarde", "Please type at least two characters": "Insira pelo menos dois caracteres", - "Please wait": "Por favor, aguarde", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Aguarde enquanto {0} está sendo instalado. Uma janela preta poderá aparecer. Aguarde até que ela seja fechada.", - "Please wait...": "Por favor, aguarde.", "Portable": "Portátil", - "Portable mode": "Modo portátil", - "Post-install command:": "Comando de pós-instalação:", - "Post-uninstall command:": "Comando de pós-desinstalação:", - "Post-update command:": "Comando de pós-atualização:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Gerenciador de pacotes do PowerShell. Encontre bibliotecas e scripts para expandir as capacidades do PowerShell
Contém: Módulos, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Comandos de pré e pós-instalação podem causar danos graves ao seu dispositivo, se projetados para isso. Pode ser muito perigoso importar os comandos de um pacote, a menos que você confie na fonte desse pacote.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Os comandos de pré e pós-instalação serão executados antes e depois da instalação, atualização ou desinstalação de um pacote. Esteja ciente de que eles podem causar problemas, a menos que sejam usados com cuidado.", - "Pre-install command:": "Comando de pré-instalação:", - "Pre-uninstall command:": "Comando de pré-desinstalação:", - "Pre-update command:": "Comando de pré-atualização:", - "PreRelease": "Pré-lançamento", - "Preparing packages, please wait...": "Preparando pacotes, por favor aguarde.", - "Proceed at your own risk.": "Prossiga por sua conta e risco.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Proibir qualquer tipo de elevação via UniGetUI Elevator ou GSudo", - "Proxy URL": "URL do proxy", - "Proxy compatibility table": "Tabela de compatibilidade do proxy", - "Proxy settings": "Configurações do proxy", - "Proxy settings, etc.": "Configurações do proxy, etc.", "Publication date:": "Data de publicação:", - "Publisher": "Desenvolvedor", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Gerenciador de bibliotecas do Python. Repleto de bibliotecas Python e outros utilitários relacionados ao Python
Contém: Bibliotecas Python e utilitários relacionados", - "Quit": "Sair", "Quit WingetUI": "Sair do UniGetUI", - "Ready": "Pronto", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduza os prompts do UAC, eleve as instalações por padrão, desbloqueie certos recursos perigosos, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Consulte os registros do UniGetUI para obter mais detalhes sobre os arquivos afetados", - "Reinstall": "Reinstalar", - "Reinstall package": "Reinstalar pacote", - "Related settings": "Configurações relacionadas", - "Release notes": "Notas de lançamento", - "Release notes URL": "URL das notas de lançamento", "Release notes URL:": "URL das notas de lançamento:", "Release notes:": "Notas de lançamento:", "Reload": "Recarregar", - "Reload log": "Recarregar log", "Removal failed": "Remoção falhou", "Removal succeeded": "Remoção concluída com sucesso", - "Remove from list": "Remover da lista", "Remove permanent data": "Remover dados permanentes", - "Remove selection from bundle": "Remover seleção da coleção", "Remove successful installs/uninstalls/updates from the installation list": "Remover instalações/desinstalações/atualizações concluídas da lista de instalação", - "Removing source {source}": "Removendo fonte {source}", - "Removing source {source} from {manager}": "Removendo fonte {source} do {manager}", - "Repair UniGetUI": "Reparar o UniGetUI", - "Repair WinGet": "Reparar WinGet", - "Report an issue or submit a feature request": "Reportar um problema ou solicitar um recurso", "Repository": "Repositório", - "Reset": "Redefinir", "Reset Scoop's global app cache": "Redefinir cache global de aplicativos do Scoop", - "Reset UniGetUI": "Redefinir UniGetUI", - "Reset WinGet": "Redefinir WinGet", "Reset Winget sources (might help if no packages are listed)": "Redefinir fontes do Winget (pode ajudar se nenhum pacote estiver listado)", - "Reset WingetUI": "Redefinir UniGetUI", "Reset WingetUI and its preferences": "Redefinir o UniGetUI e as suas preferências", "Reset WingetUI icon and screenshot cache": "Redefinir o cache de ícones e de capturas de tela do WingetU", - "Reset list": "Redefinir lista", "Resetting Winget sources - WingetUI": "Redefinindo fontes do Winget - UniGetUI", - "Restart": "Reiniciar", - "Restart UniGetUI": "Reiniciar UniGetUI", - "Restart WingetUI": "Reiniciar UniGetUI", - "Restart WingetUI to fully apply changes": "Reinicie o UniGetUI para aplicar todas as alterações", - "Restart later": "Reiniciar mais tarde", "Restart now": "Reiniciar agora", - "Restart required": "Reinicialização necessária", - "Restart your PC to finish installation": "Reinicie seu PC para concluir a instalação", - "Restart your computer to finish the installation": "Reinicie o computador para concluir a instalação", - "Restore a backup from the cloud": "Restaurar backup da nuvem", - "Restrictions on package managers": "Restrições em gerenciadores de pacotes", - "Restrictions on package operations": "Restrições nas operações de pacotes", - "Restrictions when importing package bundles": "Restrições ao importar pacotes", - "Retry": "Tentar novamente", - "Retry as administrator": "Repetir como administrador", - "Retry failed operations": "Repetir operações com falha", - "Retry interactively": "Repetir interativamente", - "Retry skipping integrity checks": "Repetir verificações de integridade ignoradas", - "Retrying, please wait...": "Tentando novamente, por favor aguarde.", - "Return to top": "Voltar ao topo", - "Run": "Executar", - "Run as admin": "Executar como administrador", - "Run cleanup and clear cache": "Executar limpeza e limpar cache", - "Run last": "Executar último", - "Run next": "Executar próximo", - "Run now": "Executar agora", + "Restart your PC to finish installation": "Reinicie seu PC para concluir a instalação", + "Restart your computer to finish the installation": "Reinicie o computador para concluir a instalação", + "Retry failed operations": "Repetir operações com falha", + "Retrying, please wait...": "Tentando novamente, por favor aguarde.", + "Return to top": "Voltar ao topo", "Running the installer...": "Executando o instalador...", "Running the uninstaller...": "Executando o desinstalador...", "Running the updater...": "Executando o atualizador...", - "Save": "Salvar", "Save File": "Salvar Arquivo", - "Save and close": "Salvar e fechar", - "Save as": "Salvar como", "Save bundle as": "Salvar coleção como...", "Save now": "Salvar agora", - "Saving packages, please wait...": "Salvando pacotes, por favor aguarde.", - "Scoop Installer - WingetUI": "Instalador do Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Desinstalador do Scoop - UniGetUI", - "Scoop package": "Pacote do Scoop", "Search": "Pesquisar", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Pesquisar por softwares de desktop, me avisar quando houver atualizações disponíveis e não fazer coisas nerds. Não quero que o UniGetUI seja complicado, só quero uma loja de softwares simples", - "Search for packages": "Procurar por pacotes", - "Search for packages to start": "Procure por pacotes para começar", - "Search mode": "Modo de pesquisa", "Search on available updates": "Pesquisar por atualizações disponíveis", "Search on your software": "Buscar programa", "Searching for installed packages...": "Pesquisando por pacotes instalados...", "Searching for packages...": "Pesquisando por pacotes...", "Searching for updates...": "Pesquisando por atualizações...", - "Select": "Selecionar", "Select \"{item}\" to add your custom bucket": "Selecione \"{item}\" para adicionar seu bucket personalizado", "Select a folder": "Selecionar uma pasta", - "Select all": "Selecionar tudo", "Select all packages": "Selecionar todos os pacotes", - "Select backup": "Selecionar backup", "Select only if you know what you are doing.": "Selecione somente se você souber o que está fazendo.", "Select package file": "Selecionar arquivo de pacote", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selecione o backup que deseja abrir. Posteriormente, você poderá verificar quais pacotes/programas deseja restaurar.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selecione o executável a ser usado. A seguinte lista exibe os executáveis encontrados pelo UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selecione os processos que devem ser fechados antes que este pacote seja instalado, atualizado ou desinstalado.", - "Select the source you want to add:": "Selecione a fonte que você deseja adicionar:", - "Select upgradable packages by default": "Selecionar pacotes que podem ser atualizados por padrão", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Selecione quais gerenciadores de pacotes usar ({0}), configure como os pacotes são instalados, gerencie como os privilégios de administrador são manipulados, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake enviado. Aguardando resposta do listener da instância... ({0}%)", - "Set a custom backup file name": "Defina um nome para seu arquivo de backup", "Set custom backup file name": "Defina o nome para seu arquivo de backup", - "Settings": "Configurações", - "Share": "Compartilhar", "Share WingetUI": "Compartilhar UniGetUI", - "Share anonymous usage data": "Compartilhar dados de uso anônimos", - "Share this package": "Compartilhar este pacote", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Caso você modifique as configurações de segurança, será necessário abrir o pacote novamente para que as alterações entrem em vigor.", "Show UniGetUI on the system tray": "Mostrar UniGetUI na bandeja do sistema", - "Show UniGetUI's version and build number on the titlebar.": "Mostrar versão do UniGetUI na barra de título", - "Show WingetUI": "Mostrar UniGetUI", "Show a notification when an installation fails": "Mostrar uma notificação quando uma instalação falhar", "Show a notification when an installation finishes successfully": "Mostrar uma notificação quando uma instalação for concluída com sucesso", - "Show a notification when an operation fails": "Exibir uma notificação quando uma operação falhar", - "Show a notification when an operation finishes successfully": "Exibir uma notificação quando uma operação for concluída com sucesso", - "Show a notification when there are available updates": "Mostrar uma notificação quando houver atualizações disponíveis", - "Show a silent notification when an operation is running": "Exibir uma notificação silenciosa enquanto uma operação está em andamento", "Show details": "Mostrar detalhes", - "Show in explorer": "Exibir no Explorer", "Show info about the package on the Updates tab": "Mostrar informações sobre o pacote na guia Atualizações", "Show missing translation strings": "Mostrar strings de tradução ausentes", - "Show notifications on different events": "Exibir notificações em diferentes eventos", "Show package details": "Mostrar detalhes do pacote", - "Show package icons on package lists": "Exibir ícones dos pacotes nas listas de pacotes", - "Show similar packages": "Mostrar pacotes semelhantes", "Show the live output": "Mostrar a saída em tempo real", - "Size": "Tamanho", "Skip": "Pular", - "Skip hash check": "Ignorar verificação de hash", - "Skip hash checks": "Ignorar verificações de hash", - "Skip integrity checks": "Ignorar verificações de integridade", - "Skip minor updates for this package": "Ignoras atualizações menores deste pacote", "Skip the hash check when installing the selected packages": "Ignorar a verificação de hash ao instalar os pacotes selecionados", "Skip the hash check when updating the selected packages": "Ignorar a verificação de hash ao atualizar os pacotes selecionados", - "Skip this version": "Pular esta versão", - "Software Updates": "Atualizações de Software", - "Something went wrong": "Algo deu errado", - "Something went wrong while launching the updater.": "Algo deu errado ao iniciar o atualizador.", - "Source": "Origem", - "Source URL:": "URL da fonte:", - "Source added successfully": "Fonte adicionada com sucesso", "Source addition failed": "Falha na adição da fonte", - "Source name:": "Nome da fonte:", "Source removal failed": "Falha na remoção da fonte", - "Source removed successfully": "Fonte removida com sucesso", "Source:": "Origem:", - "Sources": "Fontes", "Start": "Iniciar", "Starting daemons...": "Iniciando daemons...", - "Starting operation...": "Iniciando operação...", "Startup options": "Opções de inicialização", "Status": "Estado", "Stuck here? Skip initialization": "Preso aqui? Pular inicialização", - "Success!": "Sucesso!", "Suport the developer": "Apoie o desenvolvedor", "Support me": "Apoie-me", "Support the developer": "Apoiar o desenvolvedor", "Systems are now ready to go!": "Os sistemas estão prontos para começar!", - "Telemetry": "Telemetria", - "Text": "Texto", "Text file": "Arquivo de texto", - "Thank you ❤": "Obrigado ❤", - "Thank you \uD83D\uDE09": "Obrigado \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "O gerenciador de pacotes Rust.
Contém: Bibliotecas Rust e programas escritos em Rust", - "The backup will NOT include any binary file nor any program's saved data.": "O backup NÃO incluirá nenhum arquivo binário nem dados salvos de nenhum programa.", - "The backup will be performed after login.": "O backup será realizado após o login.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "O backup incluirá a lista completa dos pacotes instalados e suas opções de instalação. Atualizações ignoradas e versões puladas também serão salvas.", - "The bundle was created successfully on {0}": "O pacote foi criado com sucesso em {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "A coleção de pacotes que você está tentando carregar parece ser inválida. Verifique o arquivo e tente novamente.", + "Thank you 😉": "Obrigado 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "A soma de verificação do instalador não coincide com o valor esperado e a autenticidade do instalador não pode ser verificada. Se você confia no editor, {0} o pacote novamente ignorando a verificação de hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "O gerenciador de pacotes clássico para Windows. Você encontrará tudo lá.
Contém: Software Geral", - "The cloud backup completed successfully.": "O backup na nuvem foi concluído com sucesso.", - "The cloud backup has been loaded successfully.": "O backup na nuvem foi carregado com sucesso.", - "The current bundle has no packages. Add some packages to get started": "A coleção de pacotes atual não contém pacotes. Adicione alguns para começar!", - "The executable file for {0} was not found": "O arquivo executável do {0} não foi encontrado", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "As seguintes opções serão aplicadas por padrão sempre que um pacote {0} for instalado, atualizado ou desinstalado.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Os seguintes pacotes serão exportados para um arquivo JSON. Nenhum dado do usuário ou binários serão salvos.", "The following packages are going to be installed on your system.": "Os seguintes pacotes serão instalados em seu sistema.", - "The following settings may pose a security risk, hence they are disabled by default.": "As seguintes configurações podem representar um risco à segurança, por isso estão desabilitadas por padrão.", - "The following settings will be applied each time this package is installed, updated or removed.": "As seguintes configurações serão aplicadas sempre que este pacote for instalado, atualizado ou removido.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "As seguintes configurações serão aplicadas sempre que este pacote for instalado, atualizado ou removido. Elas serão salvas automaticamente.", "The icons and screenshots are maintained by users like you!": "Os ícones e capturas de tela são mantidos por usuários como você!", - "The installation script saved to {0}": "O script de instalação foi salvo em {0}", - "The installer authenticity could not be verified.": "A autenticidade do instalador não pôde ser verificada.", "The installer has an invalid checksum": "O instalador possui uma soma de verificação inválida", "The installer hash does not match the expected value.": "O hash do instalador não corresponde ao valor esperado.", - "The local icon cache currently takes {0} MB": "O cache de ícones local atualmente ocupa {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "O principal objetivo deste projeto é criar uma interface de usuário intuitiva para gerenciar os gerenciadores de pacotes de linha de comando mais comuns para Windows, como Winget e Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "O pacote \"{0}\" não foi encontrado no gerenciador de pacotes \"{1}\"", - "The package bundle could not be created due to an error.": "Não foi possível criar a coleção de pacotes devido a um erro.", - "The package bundle is not valid": "A coleção de pacotes não é válida", - "The package manager \"{0}\" is disabled": "O gerenciador de pacotes \"{0}\" está desativado", - "The package manager \"{0}\" was not found": "O gerenciador de pacotes \"{0}\" não foi encontrado", "The package {0} from {1} was not found.": "O pacote {0} de {1} não foi encontrado.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Os pacotes listados aqui não serão levados em conta ao verificar atualizações. Clique duas vezes neles ou clique no botão à direita para parar de ignorar suas atualizações.", "The selected packages have been blacklisted": "Os pacotes selecionados foram colocados na lista negra", - "The settings will list, in their descriptions, the potential security issues they may have.": "As configurações listarão, em suas descrições, os potenciais problemas de segurança que podem ter.", - "The size of the backup is estimated to be less than 1MB.": "O tamanho do backup é estimado em menos de 1 MB.", - "The source {source} was added to {manager} successfully": "A fonte {source} foi adicionada ao {manager} com sucesso", - "The source {source} was removed from {manager} successfully": "A fonte {source} foi removida do {manager} com sucesso", - "The system tray icon must be enabled in order for notifications to work": "O ícone da área de notificação precisa estar ativado para que as notificações funcionem", - "The update process has been aborted.": "O processo de atualização foi interrompido.", - "The update process will start after closing UniGetUI": "O processo de atualização será iniciado após encerrar o UniGetUI", "The update will be installed upon closing WingetUI": "A atualização será instalada ao fechar o UniGetUI", "The update will not continue.": "A atualização não continuará.", "The user has canceled {0}, that was a requirement for {1} to be run": "O usuário cancelou {0}, um requerimento para {1} ser executado", - "There are no new UniGetUI versions to be installed": "Não há novas versões do UniGetUI para serem instaladas", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Há operações em andamento. Sair do UniGetUI pode fazer com que elas falhem. Deseja continuar?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Existem ótimos vídeos no YouTube que mostram o UniGetUI e seus recursos. Você pode aprender truques e dicas úteis!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Existem dois motivos principais para não executar o UniGetUI como administrador:\\n O primeiro é que o gerenciador de pacotes Scoop pode causar problemas com alguns comandos quando executado com direitos de administrador.\\n O segundo é que executar o UniGetUI como administrador significa que qualquer pacote que você baixar será executado como administrador (e isso não é seguro).\\n Lembre-se de que, se precisar instalar um pacote específico como administrador, você sempre pode clicar com o botão direito do mouse no item -> Instalar/Atualizar/Desinstalar como administrador.", - "There is an error with the configuration of the package manager \"{0}\"": "Há um erro na configuração do gerenciador de pacotes \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Há uma instalação em andamento. Se você fechar o UniGetUI, a instalação pode falhar e ter resultados inesperados. Deseja sair do UniGetUI mesmo assim?", "They are the programs in charge of installing, updating and removing packages.": "São os programas responsáveis por instalar, atualizar e remover pacotes.", - "Third-party licenses": "Licenças de terceiros", "This could represent a security risk.": "Isso pode representar um risco de segurança.", - "This is not recommended.": "Isto não é recomendado", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Isso provavelmente se deve ao fato de o pacote que você recebeu ter sido removido ou publicado em um gerenciador de pacotes que você não ativou. O ID recebido é {0}", "This is the default choice.": "Esta é a escolha padrão.", - "This may help if WinGet packages are not shown": "Isso pode ajudar caso os pacotes do WinGet não sejam exibidos", - "This may help if no packages are listed": "Isso pode ajudar se nenhum pacote estiver listado", - "This may take a minute or two": "Isso pode levar um ou dois minutos", - "This operation is running interactively.": "Esta operação está sendo executada de forma interativa.", - "This operation is running with administrator privileges.": "Esta operação está sendo executada com privilégios de administrador.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Esta opção CAUSARÁ problemas. Qualquer operação que não consiga se elevar FALHARÁ. Instalar/atualizar/desinstalar como administrador NÃO FUNCIONARÁ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Este pacote possui algumas configurações que são potencialmente perigosas e podem ser ignoradas por padrão.", "This package can be updated": "Este pacote pode ser atualizado", "This package can be updated to version {0}": "Este pacote pode ser atualizado para a versão {0}", - "This package can be upgraded to version {0}": "Este pacote pode ser atualizado para a versão {0}", - "This package cannot be installed from an elevated context.": "Este pacote não pode ser instalado em um contexto com privilégios elevados.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Este pacote não tem capturas de tela ou está faltando o ícone? Contribua para o UniGetUI adicionando os ícones e capturas de tela ausentes ao nosso banco de dados público e aberto.", - "This package is already installed": "Este pacote já está instalado", - "This package is being processed": "Este pacote está sendo processado", - "This package is not available": "Este pacote não está disponível", - "This package is on the queue": "Este pacote está na fila", "This process is running with administrator privileges": "Este processo está sendo executado com privilégios de administrador", - "This project has no connection with the official {0} project — it's completely unofficial.": "Este projeto não tem conexão com o projeto oficial {0} - é completamente não oficial.", "This setting is disabled": "Esta configuração está desativada", "This wizard will help you configure and customize WingetUI!": "Este assistente ajudará você a configurar e personalizar o UniGetUI!", "Toggle search filters pane": "Alternar painel de filtros de pesquisa", - "Translators": "Tradutores", - "Try to kill the processes that refuse to close when requested to": "Tentar encerrar os processos que se recusam a fechar quando solicitados", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ativar esta opção permite alterar o arquivo executável usado para interagir com os gerenciadores de pacotes. Embora isso permita uma personalização mais precisa dos seus processos de instalação, também pode ser perigoso.", "Type here the name and the URL of the source you want to add, separed by a space.": "Digite aqui o nome e a URL da fonte que você deseja adicionar, separados por um espaço.", "Unable to find package": "Não foi possível encontrar o pacote", "Unable to load informarion": "Não foi possível carregar as informações", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "O UniGetUI coleta dados de uso anônimas para melhorar a experiência do usuário.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "O UniGetUI coleta dados de uso anônimos com o único propósito de entender e melhorar a experiência do usuário.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "O UniGetUI detectou um novo atalho na área de trabalho que pode ser excluído automaticamente.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "O UniGetUI detectou os seguintes atalhos na área de trabalho, que poderão ser removidos automaticamente em futuras atualizações", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "O UniGetUI detectou {0} novos atalhos na área de trabalho que podem ser excluídos automaticamente.", - "UniGetUI is being updated...": "O UniGetUI está sendo atualizado...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "O UniGetUI não está relacionado a nenhum dos gerenciadores de pacotes compatíveis. O UniGetUI é um projeto independente.", - "UniGetUI on the background and system tray": "UniGetUi em segundo plano e área de notificação", - "UniGetUI or some of its components are missing or corrupt.": "O UniGetUI ou alguns de seus componentes estão ausentes ou corrompidos.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "O UniGetUI requer {0} para funcionar, mas ele não foi encontrado em seu sistema.", - "UniGetUI startup page:": "Página inicial do UniGetUI:", - "UniGetUI updater": "Atualizador do UniGetUI", - "UniGetUI version {0} is being downloaded.": "A versão {0} do UniGetUI está sendo baixada.", - "UniGetUI {0} is ready to be installed.": "O UniGetUI {0} está pronto para ser instalado.", - "Uninstall": "Desinstalar", - "Uninstall Scoop (and its packages)": "Desinstalar o Scoop (e os seus pacotes)\n", "Uninstall and more": "Desinstação e mais", - "Uninstall and remove data": "Desinstalar e remover dados", - "Uninstall as administrator": "Desinstalar como administrador", "Uninstall canceled by the user!": "Desinstalação cancelada pelo usuário!", - "Uninstall failed": "Desinstalação falhou", - "Uninstall options": "Opções de desinstalação", - "Uninstall package": "Desinstalar pacote", - "Uninstall package, then reinstall it": "Desinstalar pacote e reinstalá-lo", - "Uninstall package, then update it": "Desinstalar o pacote e atualizá-lo", - "Uninstall previous versions when updated": "Desinstalar versões anteriores ao atualizar", - "Uninstall selected packages": "Desinstalar pacotes selecionados", - "Uninstall selection": "Desinstalar seleção", - "Uninstall succeeded": "Desinstalação bem-sucedida", "Uninstall the selected packages with administrator privileges": "Desinstalar os pacotes selecionados com privilégios de administrador", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Pacotes desinstaláveis com a origem listada como \"{0}\" não são publicados em nenhum gerenciador de pacotes, portanto, não há informações disponíveis para mostrar sobre eles.", - "Unknown": "Desconhecido", - "Unknown size": "Tamanho desconhecido", - "Unset or unknown": "Não definido ou desconhecido", - "Up to date": "Atualizado", - "Update": "Atualizar", - "Update WingetUI automatically": "Atualizar o UniGetUI automaticamente", - "Update all": "Atualizar tudo", "Update and more": "Atualização e mais", - "Update as administrator": "Atualizar como administrador", - "Update check frequency, automatically install updates, etc.": "Frequência de verificação de atualização, instalação automática de atualizações, etc.", - "Update checking": "Verificação de atualização", "Update date": "Data da atualização", - "Update failed": "Falha na atualização", "Update found!": "Atualização encontrada!", - "Update now": "Atualizar agora", - "Update options": "Opções de atualização", "Update package indexes on launch": "Atualizar índices de pacotes na inicialização", "Update packages automatically": "Atualizar pacotes automaticamente", "Update selected packages": "Atualizar pacotes selecionados", "Update selected packages with administrator privileges": "Atualizar os pacotes selecionados com privilégios de administrador", - "Update selection": "Atualizar seleção", - "Update succeeded": "Atualização bem-sucedida", - "Update to version {0}": "Atualizar para a versão {0}", - "Update to {0} available": "Atualização para {0} disponível", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Atualizar automaticamente os portfiles Git do vcpkg (exige o Git instalado)", "Updates": "Atualizações", "Updates available!": "Atualizações disponíveis!", - "Updates for this package are ignored": "As atualizações para este pacote estão sendo ignoradas", - "Updates found!": "Atualizações encontradas!", "Updates preferences": "Preferências de atualizações", "Updating WingetUI": "Atualizando UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Usar versão legada do WinGet integrado em vez dos cmdlets do PowerShell", - "Use a custom icon and screenshot database URL": "Usar uma URL de banco de dados personalizada para ícones e capturas de tela", "Use bundled WinGet instead of PowerShell CMDlets": "Usar o WinGet integrado em vez dos cmdlets do PowerShell", - "Use bundled WinGet instead of system WinGet": "Usar WinGet integrado em vez do WinGet do sistema", - "Use installed GSudo instead of UniGetUI Elevator": "Usar o GSudo instalado em vez do UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Usar o GSudo instalado em vez do integrado", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Usar UniGetUI Elevator legado (pode ser útil se tiver problemas com o UniGetUI Elevator)", - "Use system Chocolatey": "Usar Chocolatey do sistema", "Use system Chocolatey (Needs a restart)": "Usar Chocolatey do sistema (Requer reinicialização)", "Use system Winget (Needs a restart)": "Usar Winget do sistema (Requer reinicialização)", "Use system Winget (System language must be set to english)": "Usar Winget do sistema (O idioma do sistema deve ser definido para inglês)", "Use the WinGet COM API to fetch packages": "Usar a API COM do WinGet para obter pacotes", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Usar o módulo WinGet do PowerShell em vez da API COM do WinGet", - "Useful links": "Links Úteis", "User": "Usuário", - "User interface preferences": "Preferências da interface do usuário", "User | Local": "Usuário | Local", - "Username": "Nome de usuário", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "O uso do UniGetUI implica na aceitação da Licença Pública Geral Menor do GNU v2.1", - "Using WingetUI implies the acceptation of the MIT License": "O uso do UniGetUI implica na aceitação da Licença MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Não foi encontrado o diretório raiz do vcpkg. Defina a variável de ambiente %VCPKG_ROOT% ou defina-a nas Configurações do UniGetUI", "Vcpkg was not found on your system.": "O vcpkg não foi encontrado em seu sistema.", - "Verbose": "Detalhado", - "Version": "Versão", - "Version to install:": "Versão para instalar:", - "Version:": "Versão:", - "View GitHub Profile": "Ver perfil do GitHub", "View WingetUI on GitHub": "Ver UniGetUI no GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Ver o código fonte do UniGetUI. A partir daí, você pode relatar bugs ou sugerir recursos, ou até mesmo contribuir diretamente para o Projeto", - "View mode:": "Modo de visualização:", - "View on UniGetUI": "Ver no UniGetUI", - "View page on browser": "Ver página no navegador", - "View {0} logs": "Visualizar registros do {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Aguarde até que o dispositivo esteja conectado à internet antes de tentar realizar tarefas que exijam conectividade à internet.", "Waiting for other installations to finish...": "Aguardando outras instalações terminarem.", "Waiting for {0} to complete...": "Aguardando {0} ser concluído...", - "Warning": "Aviso", - "Warning!": "Aviso!", - "We are checking for updates.": "Estamos verificando por atualizações.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Não foi possível carregar informações detalhadas sobre este pacote, pois ele não foi encontrado em nenhuma de suas fontes de pacotes", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Não foi possível carregar informações detalhadas sobre este pacote, pois ele não foi instalado de um gerenciador de pacotes disponível.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Não foi possível {action} {package}. Tente novamente mais tarde. Clique em \"{showDetails}\" para obter detalhes do instalador.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Não foi possível {action} {package}. Tente novamente mais tarde. Clique em \"{showDetails}\" para obter detalhes do desinstalador.", "We couldn't find any package": "Não foi possível encontrar nenhum pacote", "Welcome to WingetUI": "Bem-vindo ao UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Na instalação em lote, instalar também pacotes que já estão instalados", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quando novos atalhos forem detectados, exclua-os automaticamente em vez de mostrar esta caixa de diálogo.", - "Which backup do you want to open?": "Qual backup você deseja abrir?", "Which package managers do you want to use?": "Quais gerenciadores de pacotes você deseja usar?", "Which source do you want to add?": "Qual fonte você deseja adicionar?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Embora o Winget possa ser usado dentro do WingetUI, o WingetUI pode ser usado com outros gerenciadores de pacotes, o que pode ser confuso. No passado, o WingetUI foi projetado para funcionar apenas com o Winget, mas isso não é mais verdade e, portanto, o WingetUI não representa o que este projeto pretende se tornar.", - "WinGet could not be repaired": "O WinGet não pôde ser reparado", - "WinGet malfunction detected": "Mau funcionamento do WinGet detectado", - "WinGet was repaired successfully": "O WinGet foi reparado com sucesso", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "UniGetUI - Tudo está atualizado", "WingetUI - {0} updates are available": "UniGetUI - {0} atualizações estão disponíveis", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Página inicial do UniGetUI", "WingetUI Homepage - Share this link!": "Página inicial do UniGetUI - Compartilhe este link!", - "WingetUI License": "Licença do UniGetUI", - "WingetUI Log": "Log do UniGetUI", - "WingetUI Repository": "Repositório do UniGetUI", - "WingetUI Settings": "Configurações do UniGetUI", "WingetUI Settings File": "Arquivo de Configurações do UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "O UniGetUI utiliza as seguintes bibliotecas. Sem elas, o UniGetUI não seria possível.", - "WingetUI Version {0}": "UniGetUI Versão {0}", "WingetUI autostart behaviour, application launch settings": "Comportamento de inicialização automática do UniGetUI, configurações de inicialização do aplicativo", "WingetUI can check if your software has available updates, and install them automatically if you want to": "O UniGetUI pode verificar se seu software tem atualizações disponíveis e instalá-las automaticamente, se você desejar", - "WingetUI display language:": "Idioma de exibição do UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "O UniGetUI foi executado como administrador, o que não é recomendado. Quando executado como administrador, TODAS as operações iniciadas pelo UniGetUI terão privilégios de administrador. Você ainda pode usar o programa, mas é altamente recomendável não executar o UniGetUI com privilégios de administrador.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "O UniGetUI foi traduzido para mais de 40 idiomas graças aos tradutores voluntários. Obrigado \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "O UniGetUI não foi traduzido automaticamente. Os seguintes usuários foram responsáveis pelas traduções:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "O UniGetUI é um aplicativo que facilita o gerenciamento de seu software, fornecendo uma interface gráfica completa para seus gerenciadores de pacotes de linha de comando.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "O WingetUI está sendo renomeado para enfatizar a diferença entre o WingetUI (a interface que você está usando agora) e o Winget (um gerenciador de pacotes desenvolvido pela Microsoft com o qual não tenho relação)", "WingetUI is being updated. When finished, WingetUI will restart itself": "O UniGetUI está sendo atualizado. Quando terminar, o UniGetUI será reiniciado automaticamente.", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "O UniGetUI é gratuito e será gratuito para sempre. Sem anúncios, sem cartão de crédito, sem versão premium. 100% gratuito, para sempre.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "O UniGetUI mostrará um prompt do UAC sempre que um pacote precisar de elevação para ser instalado.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "O WingetUI em breve será chamado de {newname}. Isso não representará nenhuma alteração no aplicativo. Eu (o desenvolvedor) continuarei o desenvolvimento deste projeto como estou fazendo agora, mas sob um nome diferente.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "O UniGetUI não seria possível sem a ajuda de nossos queridos colaboradores. Confira o perfil deles no GitHub, o WingetUI não seria possível sem eles!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "O UniGetUI não seria possível sem a ajuda dos colaboradores. Obrigado a todos \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} está pronto para ser instalado.", - "Write here the process names here, separated by commas (,)": "Escreva aqui os nomes dos processos, separados por vírgulas (,)", - "Yes": "Sim", - "You are logged in as {0} (@{1})": "Você está logado como {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Você pode alterar esse comportamento nas configurações de segurança do UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Você pode definir os comandos que serão executados antes ou depois da instalação, atualização ou desinstalação deste pacote. Eles serão executados em um prompt de comando, portanto, scripts CMD funcionarão aqui.", - "You have currently version {0} installed": "Você tem a versão {0} instalada atualmente", - "You have installed WingetUI Version {0}": "Você instalou a versão {0} do UniGetUI", - "You may lose unsaved data": "Você pode perder dados não salvos", - "You may need to install {pm} in order to use it with WingetUI.": "Você pode precisar instalar {pm} para usá-lo com o UniGetUI.", "You may restart your computer later if you wish": "Você pode reiniciar o computador mais tarde, se desejar", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Você será solicitado apenas uma vez e os direitos de administrador serão concedidos aos pacotes que os solicitarem.", "You will be prompted only once, and every future installation will be elevated automatically.": "Você será solicitado apenas uma vez e todas as instalações futuras serão elevadas automaticamente.", - "You will likely need to interact with the installer.": "Provavelmente você precisará interagir com o instalador.", - "[RAN AS ADMINISTRATOR]": "EXECUTADO COMO ADMINISTRADOR", "buy me a coffee": "me pague um café", - "extracted": "extraído", - "feature": "recurso", "formerly WingetUI": "antigo WingetUI", "homepage": "página inicial", "install": "instalar", "installation": "instalação", - "installed": "instalado", - "installing": "instalando", - "library": "biblioteca", - "mandatory": "obrigatória", - "option": "opção", - "optional": "opcional", "uninstall": "desinstalar", "uninstallation": "desinstalação", "uninstalled": "desinstalado", - "uninstalling": "desinstalando", "update(noun)": "atualização", "update(verb)": "atualizar", "updated": "atualizado", - "updating": "atualizando", - "version {0}": "versão {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} opções de instalação estão bloqueadas no momento porque {0} seguem as opções de instalação padrão.", "{0} Uninstallation": "Desinstalação de {0}", "{0} aborted": "{0} abortado", "{0} can be updated": "{0} pode ser atualizado", - "{0} can be updated to version {1}": "{0} pode ser atualizado para a versão {1}", - "{0} days": "{0} dias", - "{0} desktop shortcuts created": "{0} atalhos na área de trabalho criados", "{0} failed": "{0} falhou", - "{0} has been installed successfully.": "{0} foi instalado com sucesso.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} foi instalado com sucesso. Recomenda-se reiniciar o UniGetUI para concluir a instalação", "{0} has failed, that was a requirement for {1} to be run": "{0} falhou, um requerimento para {1} ser executado", - "{0} homepage": "página inicial de {0}", - "{0} hours": "{0} horas", "{0} installation": "instalação de {0}", - "{0} installation options": "opções de instalação de {0}", - "{0} installer is being downloaded": "O instalador do {0} está sendo baixado", - "{0} is being installed": "{0} está sendo instalado", - "{0} is being uninstalled": "{0} está sendo desinstalado", "{0} is being updated": "{0} está sendo atualizado", - "{0} is being updated to version {1}": "{0} está sendo atualizado para a versão {1}", - "{0} is disabled": "O {0} está desativado", - "{0} minutes": "{0} minutos", "{0} months": "{0} meses", - "{0} packages are being updated": "{0} pacotes estão sendo atualizados", - "{0} packages can be updated": "{0} pacotes podem ser atualizados", "{0} packages found": "{0} pacotes encontrados", "{0} packages were found": "{0} pacotes foram encontrados", - "{0} packages were found, {1} of which match the specified filters.": "{0} pacotes foram encontrados, dos quais {1} correspondem aos filtros especificados.", - "{0} selected": "{0} selecionado(s)", - "{0} settings": "Configurações do {0}", - "{0} status": "Status de {0}", "{0} succeeded": "{0} bem-sucedido", "{0} update": "atualizando {0}", - "{0} updates are available": "{0} atualizações disponíveis", "{0} was {1} successfully!": "{0} foi {1} com sucesso!", "{0} weeks": "{0} semanas", "{0} years": "{0} anos", "{0} {1} failed": "{0} {1} falhou", - "{package} Installation": "Instalação de {package}", - "{package} Uninstall": "Desinstalação de {package}", - "{package} Update": "Atualizando {package}...", - "{package} could not be installed": "{package} não pôde ser instalado", - "{package} could not be uninstalled": "{package} não pôde ser desinstalado", - "{package} could not be updated": "{package} não pôde ser atualizado", "{package} installation failed": "A instalação de {package} falhou", - "{package} installer could not be downloaded": "O instalador do {package} não pôde ser baixado", - "{package} installer download": "Download do instalador do {package}", - "{package} installer was downloaded successfully": "Instalador do {package} baixado com sucesso", "{package} uninstall failed": "A desinstalação de {package} falhou", "{package} update failed": "Falha ao atualizar {package}", "{package} update failed. Click here for more details.": "Falha ao atualizar {package}. Clique aqui para mais detalhes.", - "{package} was installed successfully": "{package} foi instalado com sucesso", - "{package} was uninstalled successfully": "{package} foi desinstalado com sucesso", - "{package} was updated successfully": "{package} foi atualizado com sucesso", - "{pcName} installed packages": "Pacotes instalados em {pcName}", "{pm} could not be found": "{pm} não foi encontrado", "{pm} found: {state}": "{pm} encontrado: {state}", - "{pm} is disabled": "{pm} está desativado", - "{pm} is enabled and ready to go": "{pm} está ativado e pronto para ser usado", "{pm} package manager specific preferences": "Preferências específicas do gerenciador de pacotes {pm}", "{pm} preferences": "Preferências de {pm}", - "{pm} version:": "Versão do {pm}:", - "{pm} was not found!": "{pm} não foi encontrado!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Olá, meu nome é Martí e sou o desenvolvedor do UniGetUI. O UniGetUI foi feito inteiramente no meu tempo livre!", + "Thank you ❤": "Obrigado ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Este projeto não tem conexão com o projeto oficial {0} - é completamente não oficial." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_PT.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_PT.json index a014fc206c..232a5cd50e 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_PT.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_pt_PT.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operação em andamento", + "Please wait...": "Por favor, aguarde...", + "Success!": "Sucesso!", + "Failed": "Falhou", + "An error occurred while processing this package": "Ocorreu um erro a processar este pacote", + "Log in to enable cloud backup": "Inicia sessão para ativar cópias de segurança na nuvem", + "Backup Failed": "Cópia de segurança falhou", + "Downloading backup...": "A descarregar cópia de segurança...", + "An update was found!": "Foi encontrada uma atualização!", + "{0} can be updated to version {1}": "{0} pode ser atualizado para a versão {1}", + "Updates found!": "Atualizações encontradas!", + "{0} packages can be updated": "{0} pacotes podem ser atualizados", + "You have currently version {0} installed": "Tem atualmente a versão {0} instalada", + "Desktop shortcut created": "Atalho criado no ambiente de trabalho", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "O UniGetUI detetou um novo atalho no ambiente de trabalho que pode ser eliminado automaticamente.", + "{0} desktop shortcuts created": "{0} atalhos de ambiente de trabalho criados", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "O UniGetUI detetou {0} novos atalhos na área de trabalho que podem ser eliminados automaticamente.", + "Are you sure?": "Tem certeza?", + "Do you really want to uninstall {0}?": "Deseja realmente desinstalar {0}?", + "Do you really want to uninstall the following {0} packages?": "Deseja realmente desinstalar os seguintes {0} pacotes?", + "No": "Não", + "Yes": "Sim", + "View on UniGetUI": "Ver no UniGetUI", + "Update": "Atualizar", + "Open UniGetUI": "Abrir UniGetUI", + "Update all": "Atualizar todos", + "Update now": "Atualizar agora", + "This package is on the queue": "Este pacote está na fila", + "installing": "A instalar", + "updating": "a atualizar", + "uninstalling": "a desinstalar", + "installed": "instalado", + "Retry": "Nova tentativa", + "Install": "Instalar", + "Uninstall": "Desinstalar", + "Open": "Abrir", + "Operation profile:": "Perfil da operação:", + "Follow the default options when installing, upgrading or uninstalling this package": "Seguir as opções padrão quando a instalar, a atualizar ou a desinstalar este pacote", + "The following settings will be applied each time this package is installed, updated or removed.": "As seguintes configurações serão aplicadas sempre que este pacote for instalado, atualizado ou removido.", + "Version to install:": "Versão para instalar:", + "Architecture to install:": "Arquitetura para instalar:", + "Installation scope:": "Âmbito da instalação:", + "Install location:": "Local de instalação:", + "Select": "Seleccionar", + "Reset": "Repor", + "Custom install arguments:": "Argumentos de instalação personalizados:", + "Custom update arguments:": "Argumentos de atualização personalizados:", + "Custom uninstall arguments:": "Argumentos de desinstalação personalizados:", + "Pre-install command:": "Comando pré-instalação:", + "Post-install command:": "Comando pós-instalação", + "Abort install if pre-install command fails": "Abortar instalação se comando pré-instalação falhar", + "Pre-update command:": "Comando pré-atualização:", + "Post-update command:": "Comando pós-atualização", + "Abort update if pre-update command fails": "Abortar atualização se comando pré-atualização falhar", + "Pre-uninstall command:": "Comando pré-desinstalação:", + "Post-uninstall command:": "Comando pós-desinstalação", + "Abort uninstall if pre-uninstall command fails": "Abortar desinstalação se comando pré-desinstalação falhar", + "Command-line to run:": "Linha de comandos para correr:", + "Save and close": "Salvar e fechar", + "Run as admin": "Executar como administrador", + "Interactive installation": "Instalação interativa ", + "Skip hash check": "Ignorar verificação de hash", + "Uninstall previous versions when updated": "Desinstalar versões anteriores quando atualizar", + "Skip minor updates for this package": "Ignorar atualizações menores para este pacote", + "Automatically update this package": "Atualizar automaticamente este pacote", + "{0} installation options": "{0} opções de instalação", + "Latest": "Último", + "PreRelease": "Pré-lançamento", + "Default": "Padrão", + "Manage ignored updates": "Gerir atualizações ignoradas", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Os pacotes listados aqui não serão tidos em conta na verificação de atualizações. Clique duas vezes neles ou clique no botão à direita para parar de ignorar suas atualizações.", + "Reset list": "Repôr lista", + "Package Name": "Nome do Pacote", + "Package ID": "ID do Pacote", + "Ignored version": "Versão Ignorada", + "New version": "Nova versão", + "Source": "Fonte", + "All versions": "Todas as versões", + "Unknown": "Desconhecido", + "Up to date": "Atualizado", + "Cancel": "Cancelar", + "Administrator privileges": "Privilégios de administrador", + "This operation is running with administrator privileges.": "Esta operação está a correr com privilégios de administrador.", + "Interactive operation": "Operação interativa", + "This operation is running interactively.": "Esta operação está a correr de forma interativa.", + "You will likely need to interact with the installer.": "Provavelmente terá de interagir com o instalador.", + "Integrity checks skipped": "Verificações de integridade ignoradas", + "Proceed at your own risk.": "Prossiga por sua conta e risco.", + "Close": "Fechar", + "Loading...": "A carregar...", + "Installer SHA256": "SHA256 do Instalador", + "Homepage": "Página Inicial", + "Author": "Autor(a)", + "Publisher": "Publicador", + "License": "Licença", + "Manifest": "Manifesto", + "Installer Type": "Tipo de Instalador", + "Size": "Tamanho", + "Installer URL": "URL do Instalador ", + "Last updated:": "Última atualização:", + "Release notes URL": "URL das Notas de lançamento", + "Package details": "Detalhes do pacote", + "Dependencies:": "Dependências:", + "Release notes": "Notas de lançamento", + "Version": "Versão", + "Install as administrator": "Instalar como administrador", + "Update to version {0}": "Atualizar para a versão {0}", + "Installed Version": "Versão Instalada", + "Update as administrator": "Atualizar como administrador", + "Interactive update": "Atualização interativa ", + "Uninstall as administrator": "Desinstalar como administrador", + "Interactive uninstall": "Desinstalação interativa ", + "Uninstall and remove data": "Desinstalar e remover dados", + "Not available": "Não disponível", + "Installer SHA512": "SHA512 do instalador", + "Unknown size": "Tamanho desconhecido", + "No dependencies specified": "Sem dependências especificadas", + "mandatory": "obrigatório", + "optional": "opcional", + "UniGetUI {0} is ready to be installed.": "O UniGetUI {0} está pronto para ser instalado.", + "The update process will start after closing UniGetUI": "A atualização será iniciada após fechar o UniGetUI", + "Share anonymous usage data": "Partilhar dados de utilização anónimos", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "O UniGetUI coleta dados de uso anónimos para melhorar a experiência do utilizador.", + "Accept": "Aceitar", + "You have installed WingetUI Version {0}": "Instalou o UniGetUI versão {0}", + "Disclaimer": "Renúncia de responsabilidade", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "O UniGetUI não está relacionado com nenhum gestor de pacotes compatível. O UniGetUI é um projeto independente.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "O UniGetUI não teria sido possível sem a ajuda dos seus colaboradores. Obrigado a todos 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI usa as seguintes bibliotecas. Sem elas, o UniGetUI não teria sido possível.", + "{0} homepage": "{0} página inicial", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "O UniGetUI foi traduzido para mais de 40 idiomas graças a tradutores voluntários. Obrigado 🤝", + "Verbose": "Detalhado", + "1 - Errors": "1 - Erros", + "2 - Warnings": "2 - Avisos", + "3 - Information (less)": "3 - Informação (menos)", + "4 - Information (more)": "4 - Informação (mais)", + "5 - information (debug)": "5 - Informação (debug)", + "Warning": "Atenção", + "The following settings may pose a security risk, hence they are disabled by default.": "As seguintes configurações podem apresentar risco de segurança, por isso essas estão desabilitadas por padrão.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ativa as definições abaixo SE E APENAS SE tu percebes o que elas fazem, e as implicações e perigos que elas podem involver.", + "The settings will list, in their descriptions, the potential security issues they may have.": "As definições vão indicar, nas suas descrições, os potenciais problemas de segurança que podem ter.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "A cópia de segurança incluirá a lista completa dos pacotes instalados e as suas opções de instalação. Atualizações ignoradas e versões ignoradas também serão guardadas.", + "The backup will NOT include any binary file nor any program's saved data.": "A cópia de segurança NÃO incluirá nenhum ficheiro binário nem dados guardados de nenhum programa.", + "The size of the backup is estimated to be less than 1MB.": "O tamanho da cópia de segurança é estimado em menos de 1 MB.", + "The backup will be performed after login.": "A cópia de segurança será realizada após o login.", + "{pcName} installed packages": "{pcName} pacotes instaldos", + "Current status: Not logged in": "Altual estado: Sem sessão iniciada", + "You are logged in as {0} (@{1})": "Tem sessão iniciada como {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Boa! Cópias de segurança vai ser carregada para um gist privado na tua conta", + "Select backup": "Selecionar cópia de segurança", + "WingetUI Settings": "Definições", + "Allow pre-release versions": "Permitir versões pré-lançamento", + "Apply": "Aplicar", + "Go to UniGetUI security settings": "Vai ás definições de segurança do UniGet UI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "As seguintes opções vão ser aplicadas por padrão cada vez um {0} pacote é instalado, atualizado ou desinstalado.", + "Package's default": "Padrão do pacote", + "Install location can't be changed for {0} packages": "A localização da instalação não pode ser alterada para {0} pacotes", + "The local icon cache currently takes {0} MB": "A cache de ícones locais ocupa atualmente {0} MB", + "Username": "Nome de utilizador", + "Password": "Palavra-passe", + "Credentials": "Credenciais", + "Partially": "Parcialmente", + "Package manager": "Gestor de pacotes", + "Compatible with proxy": "Compatível com proxy", + "Compatible with authentication": "Compatível com autenticação", + "Proxy compatibility table": "Tabela de compatibilidade de proxy", + "{0} settings": "Definições de {0}", + "{0} status": "Status de {0}", + "Default installation options for {0} packages": "Opções de instalação padrão para {0} pacotes", + "Expand version": "Expandir", + "The executable file for {0} was not found": "O ficheiro executável para {0} não foi encontrado", + "{pm} is disabled": "{pm} está desativado", + "Enable it to install packages from {pm}.": "Ative-o para instalar pacotes de {pm}", + "{pm} is enabled and ready to go": "{pm} está ativo e pronto a funcionar", + "{pm} version:": "{pm} versão:", + "{pm} was not found!": "{pm} não foi encontrado!", + "You may need to install {pm} in order to use it with WingetUI.": "Pode ser necessário instalar {pm} para ser possível usá-lo com o UniGetUI.", + "Scoop Installer - WingetUI": "Instalador Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Desinstalador Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "A limpar a cache do Scoop - UniGetUI", + "Restart UniGetUI": "Reiniciar o UniGetUI", + "Manage {0} sources": "Gerir {0} fontes", + "Add source": "Adicionar fonte", + "Add": "Adicionar", + "Other": "Outro(a)", + "1 day": "1 dia", + "{0} days": "{0} dias", + "{0} minutes": "{0} minutos", + "1 hour": "1 hora", + "{0} hours": "{0} horas", + "1 week": "1 semana", + "WingetUI Version {0}": "Versão UniGetUI {0}", + "Search for packages": "Pesquisar pacotes", + "Local": "Local", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{0} pacotes foram encontrados, {1} dos quais correspondem aos filtros especificados", + "{0} selected": "{0} selecionados", + "(Last checked: {0})": "(Verificado em: {0})", + "Enabled": "Ativado", + "Disabled": "Desabilitado", + "More info": "Mais informações", + "Log in with GitHub to enable cloud package backup.": "Inicia sessão com o GitHub para ativar cópias de segurança de pacotes na nuvem.", + "More details": "Mais detalhes", + "Log in": "Iniciar sessão", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Se tens a cópia de segurança na nuvem habilitada, vai ser guardada como um GitHub Gist nesta conta", + "Log out": "Terminar sessão", + "About": "Sobre", + "Third-party licenses": "Licenças de terceiros", + "Contributors": "Contribuidores", + "Translators": "Tradutores", + "Manage shortcuts": "Gerir atalhos", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "O UniGetUI detetou os seguintes atalhos na área de trabalho que podem ser removidos automaticamente em futuras atualizações", + "Do you really want to reset this list? This action cannot be reverted.": "Tem a certeza que deseja repor esta lista? Esta ação não pode ser revertida.", + "Remove from list": "Remover da lista", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quando novos atalhos são detetados, apagá-los automaticamente em vez de mostrar este diálogo.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "O UniGetUI coleta dados de utilização anónimos com o único propósito de compreender e melhor a experiência do utilizador.", + "More details about the shared data and how it will be processed": "Mais detalhes acerca dos dados partilhados e de como serão processados", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Aceita que o UniGetUI recolha e envie estatísticas de uso anónimas, com o único propósito de entender e melhorar a experiência do utilizador?", + "Decline": "Rejeitar", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nenhuma informação pessoal é coletada nem enviada e, os dados coletados são anonimizados, de modo a que não possam ser rastreados até si.", + "About WingetUI": "Sobre o UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "O UniGetUI é uma aplicação que facilita a gestão do seu software, fornecendo uma interface gráfica completa para os seus gestores de pacotes de linha de comandos.", + "Useful links": "Links úteis", + "Report an issue or submit a feature request": "Reportar um problema ou submeter um pedido de um recurso", + "View GitHub Profile": "Ver perfil GitHub", + "WingetUI License": "Licença UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "A utilização do UniGetUI implica a aceitação da Licença MIT", + "Become a translator": "Torne-se num tradutor", + "View page on browser": "Ver página no Browser", + "Copy to clipboard": "Copiar para área de transferência", + "Export to a file": "Exportar para um ficheiro", + "Log level:": "Nível de registo:", + "Reload log": "Recarregar log", + "Text": "Texto", + "Change how operations request administrator rights": "Mudar como as operações pedem direitos de administrador", + "Restrictions on package operations": "Restrições nas operações de pacotes", + "Restrictions on package managers": "Restrições nos gestores de pacotes", + "Restrictions when importing package bundles": "Restrições quando estiveres a importar bundles dos pacotes", + "Ask for administrator privileges once for each batch of operations": "Pedir direitos de administrador uma vez para cada conjunto de operações", + "Ask only once for administrator privileges": "Pedir direitos de administrador apenas uma vez", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Proibir qualquer tipo de Elevação via UniGetUI Elevator ou GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Esta opção VAI causar erros. Qualquer operação impossível de elevar-se VAI FALHAR. Instalar/atualizar/desinstalar como administrador NÃO VAI RESULTAR", + "Allow custom command-line arguments": "Permitir argumentos personalizados na linha de comandos", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Os argumentos personalizados da linha de comandos podem alterar a forma como os programas são instalados, atualizados ou desinstalados, de uma forma que o UniGetUI não consegue controlar. A utilização de linhas de comandos personalizadas pode danificar pacotes. Prossiga com cautela.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permitir comandos personalizados de pre-instalação e pre-desinstalação serem executados", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Os comandos de pré-instalação e pós-instalação serão executados antes e depois de um pacote ser instalado, atualizado ou desinstalado. Tem atenção que estes comandos podem causar problemas caso não sejam utilizados com o devido cuidado.", + "Allow changing the paths for package manager executables": "Permitir mudar os caminhos de executáveis dos gerenciadores de pacotes", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ativar isto permite alterar o ficheiro executável usado para interagir com os gestores de pacotes. Embora dê mais controlo sobre o processo de instalação, também pode ser perigoso.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Permitir importar argumentos personalizados da linha de comandos quando estiveres a importar pacotes de um bundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentos de linha de comandos malformados podem danificar pacotes ou até permitir que um agente malicioso obtenha execução privilegiada. Por isso, a importação de argumentos personalizados de linha de comandos está desativada por defeito.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permitir importar comandos pré e pós-instalação personalizados ao importar pacotes de um conjunto", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Os comandos de pré e pós-instalação podem fazer coisas muito perigosas ao seu dispositivo, se tiverem sido concebidos para isso. Pode ser muito perigoso importar os comandos de um conjunto de pacotes, a menos que confie na origem desse conjunto.", + "Administrator rights and other dangerous settings": "Direitos de administrador e outras definições perigosas", + "Package backup": "Cópia de segurança dos pacotes", + "Cloud package backup": "Cópia de segurança do pacote na nuvem", + "Local package backup": "Cópia de segurança de pacotes local", + "Local backup advanced options": "Opções avançadas da cópia de segurança local", + "Log in with GitHub": "Iniciar sessão com o GitHub", + "Log out from GitHub": "Terminar sessão do GitHub", + "Periodically perform a cloud backup of the installed packages": "Fazer periodicamente uma cópia de segurança na nuvem dos pacotes instalados", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cópias de segurança na nuvem usam um GitHub Gist privado para guardar uma lista de pacotes instalados", + "Perform a cloud backup now": "Fazer uma cópia de segurança na nuvem agora", + "Backup": "Cópia de segurança", + "Restore a backup from the cloud": "Restaurar uma cópia de segurança da nuvem", + "Begin the process to select a cloud backup and review which packages to restore": "Inicie o processo para selecionar uma cópia de segurança na nuvem e reveja os pacotes a restaurar", + "Periodically perform a local backup of the installed packages": "Fazer periodicamente uma cópia de segurança local dos pacotes instalados", + "Perform a local backup now": "Fazer uma cópia de segurança local agora", + "Change backup output directory": "Alterar diretório do ficheiro de cópia de segurança", + "Set a custom backup file name": "Definir nome personalizado do ficheiro de cópia de segurança", + "Leave empty for default": "Deixar vazio para padrão", + "Add a timestamp to the backup file names": "Adicionar data e hora aos nomes dos ficheiros de cópia de segurança", + "Backup and Restore": "Cópia de segurança e restauro", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Ativar api em segundo plano (UniGetUI Widgets and Sharing, porta 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Aguardar que o dispositivo esteja ligado à internet antes de tentar executar tarefas que requerem conexão à internet.", + "Disable the 1-minute timeout for package-related operations": "Desativar o tempo limite de 1 minuto para operações relacionadas com pacotes", + "Use installed GSudo instead of UniGetUI Elevator": "Usar GSudo instalado em vez do UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Utilizar uma base de dados de ícones e capturas de ecrã personalizada", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ativar as otimizações de utilização de CPU em segundo plano (ver o Pull Request #3278)", + "Perform integrity checks at startup": "Fazer verificações de integridade ao iniciar", + "When batch installing packages from a bundle, install also packages that are already installed": "Ao instalar pacotes em lote a partir de um conjunto, instalar também pacotes que já estão instalados", + "Experimental settings and developer options": "Definições experimentais e opções do programador ", + "Show UniGetUI's version and build number on the titlebar.": "Mostrar a versão do UniGetUI na barra de título", + "Language": "Idioma", + "UniGetUI updater": "Atualizador do UniGetUI", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Gerir definições do UniGetUI", + "Related settings": "Definições relacionadas", + "Update WingetUI automatically": "Atualizar o UniGetUI automaticamente", + "Check for updates": "Verificar atualizações", + "Install prerelease versions of UniGetUI": "Instalar versões beta do UniGetUI", + "Manage telemetry settings": "Gerir definições de telemetria", + "Manage": "Gerir", + "Import settings from a local file": "Importar definições de um ficheiro local", + "Import": "Importar", + "Export settings to a local file": "Exportar definições para um ficheiro local", + "Export": "Exportar", + "Reset WingetUI": "Repor UniGetUI", + "Reset UniGetUI": "Repôr UniGetUI", + "User interface preferences": "Preferências da interface do utilizador", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema da aplicação, página de arranque, ícones de pacotes, limpar instalações bem-sucedidas automaticamente", + "General preferences": "Preferências gerais", + "WingetUI display language:": "Idioma de exibição do UniGetUI:", + "Is your language missing or incomplete?": "O seu idioma está em falta ou incompleto?", + "Appearance": "Aparência", + "UniGetUI on the background and system tray": "Manter o UniGetUI no fundo e na bandeja do sistema", + "Package lists": "Listas de pacotes", + "Close UniGetUI to the system tray": "Fechar o UniGetUI para a bandeja do sistema", + "Show package icons on package lists": "Mostrar ícones de pacotes em listas de pacotes", + "Clear cache": "Limpar cache", + "Select upgradable packages by default": "Selecione os pacotes atualizáveis por defeito", + "Light": "Claro", + "Dark": "Escuro", + "Follow system color scheme": "Padrão do sistema", + "Application theme:": "Tema da aplicação:", + "Discover Packages": "Descobrir Pacotes", + "Software Updates": "Atualizações de Software", + "Installed Packages": "Pacotes Instalados", + "Package Bundles": "Conjunto de pacotes", + "Settings": "Definições", + "UniGetUI startup page:": "Página inicial do UniGetUI:", + "Proxy settings": "Definições de proxy", + "Other settings": "Outras definições", + "Connect the internet using a custom proxy": "Ligar à internet usando um proxy personalizado", + "Please note that not all package managers may fully support this feature": "Por favor tenha em conta que nem todos os gestores de pacotes conseguem suportar totalmente esta funcionalidade ", + "Proxy URL": "URL do proxy", + "Enter proxy URL here": "Introduza o URL do proxy aqui", + "Package manager preferences": "Preferências do gestor de pacotes", + "Ready": "Pronto.", + "Not found": "Não encontrado", + "Notification preferences": "Preferências de notificações", + "Notification types": "Tipos de notificação", + "The system tray icon must be enabled in order for notifications to work": "O ícone da bandeja do sistema deve estar ativo para que as notificações funcionem", + "Enable WingetUI notifications": "Ativar notificações do UniGetUI", + "Show a notification when there are available updates": "Mostrar uma notificação quando houver atualizações disponíveis", + "Show a silent notification when an operation is running": "Mostrar uma notificação silenciosa quando uma operação está a decorrer", + "Show a notification when an operation fails": "Mostrar uma notificação quando uma operação falha", + "Show a notification when an operation finishes successfully": "Mostrar uma notificação quando uma operação é completada com sucesso", + "Concurrency and execution": "Simultaneidade e execução", + "Automatic desktop shortcut remover": "Remoção automática de atalhos do ambiente de trabalho", + "Clear successful operations from the operation list after a 5 second delay": "Limpar as operações bem-sucedidas da lista de operações após 5 segundos", + "Download operations are not affected by this setting": "Operações de descarga não são afetadas por esta definição", + "Try to kill the processes that refuse to close when requested to": "Tenta matar os processos que se recusam a fechar após pedido", + "You may lose unsaved data": "Poderá perder dados não guardados", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Pedir para eliminar atalhos do ambiente de trabalho criados durante uma instalação ou atualização.", + "Package update preferences": "Preferências da atualização de pacotes", + "Update check frequency, automatically install updates, etc.": "Frequência de busca de atualizações, instalar atualizações automaticamente, etc.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduzir os avisos do UAC, elevar as instalações por padrão, desbloqueia certas funcionalidades perigosas, etc.", + "Package operation preferences": "Preferências das operações de pacotes", + "Enable {pm}": "Ativar o {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Não estás a encontrar o ficheiro que estás á procura? Vê se ele foi adicionado ao caminho.", + "For security reasons, changing the executable file is disabled by default": "Por razões de segurança, mudar o ficheiro executável está desabilitado por padrão", + "Change this": "Alterar isto", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Seleciona o executável que vai ser executado. A lista seguinte mostra os executáveis encontrados pelo UniGetUI", + "Current executable file:": "Ficheiro executável atual:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorar pacotes de {pm} ao mostrar uma notificação sobre atualizações", + "View {0} logs": "Ver {0} registos", + "Advanced options": "Opções avançadas", + "Reset WinGet": "Repôr WinGet", + "This may help if no packages are listed": "Isto pode ajudar se nenhum pacote for listado", + "Force install location parameter when updating packages with custom locations": "Forçar o parâmetro de localização de instalação ao atualizar pacotes com localizações personalizadas", + "Use bundled WinGet instead of system WinGet": "Utilizar o WinGet da aplicação UnigetUI em vez do WinGet do sistema", + "This may help if WinGet packages are not shown": "Isto pode ajudar se os pacotes do Winget não forem mostrados", + "Install Scoop": "Instalar o Scoop", + "Uninstall Scoop (and its packages)": "Desinstalar o Scoop (e os seus pacotes)", + "Run cleanup and clear cache": "Executar limpeza e limpar cache", + "Run": "Executar", + "Enable Scoop cleanup on launch": "Ativar a limpeza do Scoop ao iniciar", + "Use system Chocolatey": "Utilizar do Chocolatey do sistema", + "Default vcpkg triplet": "Trio vcpkg por defeito", + "Language, theme and other miscellaneous preferences": "Idioma, tema e outras preferências", + "Show notifications on different events": "Mostrar notificações sobre eventos diferentes", + "Change how UniGetUI checks and installs available updates for your packages": "Altera a forma como o UniGetUI verifica e instala as atualizações disponíveis para os seus pacotes", + "Automatically save a list of all your installed packages to easily restore them.": "Guardar automaticamente uma lista de todos os pacotes instalados para ser mas fácil reinstalá-los.", + "Enable and disable package managers, change default install options, etc.": "Habilitar e desabilitar gestores de pacotes, mudar opções de instalação pré-definidas, etc. ", + "Internet connection settings": "Definições de ligação à internet", + "Proxy settings, etc.": "Definições de proxy, etc.", + "Beta features and other options that shouldn't be touched": "Recursos beta e outras opções que não devem ser alteradas", + "Update checking": "A rever atualizações", + "Automatic updates": "Atualizações automáticas", + "Check for package updates periodically": "Verificar se há atualizações de pacotes periodicamente", + "Check for updates every:": "Procurar atualizações a cada:", + "Install available updates automatically": "Instalar as atualizações disponíveis automaticamente", + "Do not automatically install updates when the network connection is metered": "Não instalar atualizações automaticamente quando a ligação à rede é limitada", + "Do not automatically install updates when the device runs on battery": "Não instalar atualizações automáticas quando o dispositivo estiver a usar bateria", + "Do not automatically install updates when the battery saver is on": "Não instalar atualizações automaticamente quando a poupança de bateria está ativa", + "Change how UniGetUI handles install, update and uninstall operations.": "Mudar como o UniGetUI lida com as operações de instalação, atualização e desinstalação.", + "Package Managers": "Gestores de pacotes", + "More": "Mais", + "WingetUI Log": "Log do UniGetUI", + "Package Manager logs": "Logs do gestor de pacotes", + "Operation history": "Histórico de operações ", + "Help": "Ajuda", + "Order by:": "Ordenar por:", + "Name": "Nome", + "Id": "ID", + "Ascendant": "Ascendente", + "Descendant": "Descendente", + "View mode:": "Modo de visualização:", + "Filters": "Filtros", + "Sources": "Fontes", + "Search for packages to start": "Pesquisar por pacotes para iniciar", + "Select all": "Selecionar todos", + "Clear selection": "Limpar seleção ", + "Instant search": "Procura rápida", + "Distinguish between uppercase and lowercase": "Distinguir entre maiúsculas \ne minúsculas", + "Ignore special characters": "Ignorar caracteres especiais", + "Search mode": "Modo de pesquisa", + "Both": "Ambos", + "Exact match": "Correspondência exata", + "Show similar packages": "Mostrar pacotes similares", + "No results were found matching the input criteria": "Nenhum resultado encontrado correspondente aos critérios de pesquisa", + "No packages were found": "Nenhum pacote encontrado", + "Loading packages": "A carregar pacotes", + "Skip integrity checks": "Ignorar verificações de integridade", + "Download selected installers": "Descarregar instaladores selecionados", + "Install selection": "Instalar seleção", + "Install options": "Opções de instalação", + "Share": "Partilhar", + "Add selection to bundle": "Adicionar a seleção ao conjunto", + "Download installer": "Descarregar instalador", + "Share this package": "Partilhar este pacote", + "Uninstall selection": "Desinstalar seleção", + "Uninstall options": "Opções de desinstalação", + "Ignore selected packages": "Ignorar pacotes selecionados ", + "Open install location": "Abrir local de instalação", + "Reinstall package": "Reinstalando pacote", + "Uninstall package, then reinstall it": "Desinstalar pacote e depois reinstalar", + "Ignore updates for this package": "Ignorar atualizações ", + "Do not ignore updates for this package anymore": "Deixar de ignorar as atualizações deste pacote", + "Add packages or open an existing package bundle": "Adicionar pacotes ou abrir um conjunto de pacotes existente", + "Add packages to start": "Adicionar pacotes para começar", + "The current bundle has no packages. Add some packages to get started": "O atual conjunto não tem pacotes. Adicione alguns pacotes para começar", + "New": "Novo", + "Save as": "Guardar como", + "Remove selection from bundle": "Remover seleção do conjunto", + "Skip hash checks": "Ignorar verificações de hash", + "The package bundle is not valid": "O conjunto de pacotes não é válido", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "O pacote que está a tentar carregar parece ser inválido. Verifique o ficheiro e tente novamente.", + "Package bundle": "Conjunto de pacotes", + "Could not create bundle": "Não foi possível criar o conjunto de pacotes", + "The package bundle could not be created due to an error.": "O conjunto de pacotes não pôde ser criado devido a um erro.", + "Bundle security report": "Relatório de segurança do conjunto", + "Hooray! No updates were found.": "Viva! Nenhuma atualização encontrada!", + "Everything is up to date": "Todos os pacotes estão atualizados", + "Uninstall selected packages": "Desinstalar selecionados", + "Update selection": "Atualizar seleção", + "Update options": "Opções de atualização", + "Uninstall package, then update it": "Desinstalar pacote e depois atualizar", + "Uninstall package": "Desinstalar pacote", + "Skip this version": "Ignorar esta versão", + "Pause updates for": "Pausar atualizações por", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "O gestor de pacotes Rust.
Contém: Bibliotecas Rust e programas escritos em Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "O gestor de pacotes mais conhecido para Windows. Irá encontrar de tudo lá.
Contém: Software Geral", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Um repositório cheio de ferramentas projetadas com o ecossistema .NET da Microsoft em mente.
Contém: Ferramentas e scripts relacionado(a)s com o .NET", + "NuPkg (zipped manifest)": "NuPkg (manifesto comprimido)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Gestor de pacotes do Node JS. Cheio de bibliotecas e outros utilitários no mundo Javascript.
Contém: Bibliotecas Javascript do Node e outros utilitários relacionados", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Gestor de bibliotecas do Python. Cheio de bibliotecas Python e outros utilitários relacionados com o Python.
Contém: Bibliotecas Python e utilitários relacionados", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Gestor de pacotes do PowerShell. Encontrar bibliotecas e scripts para expandir os recursos do PowerShell.
Contém: Módulos, Scripts, Cmdlets", + "extracted": "extraído", + "Scoop package": "Pacote do Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Ótimo repositório de utilitários desconhecidos, mas úteis, e outros pacotes interessantes.
Contém: Utilitários, Programas de linha de comando, Software geral (requer o bucket extras)", + "library": "biblioteca", + "feature": "funcionalidade", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Gestor de bibliotecas de C/C++. Cheio de bibliotecas C/C++ e outros utilitários relacionados com C/C++.
Contém: bibliotecas C/C++ e utilitários relacionados", + "option": "opção", + "This package cannot be installed from an elevated context.": "Este pacote não pode ser instalado a partir de um comando elevado.", + "Please run UniGetUI as a regular user and try again.": "Execute o UniGetUI como um utilizador padrão e tente novamente.", + "Please check the installation options for this package and try again": "Verifique as opções de instalação para este pacote e tente novamente", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Gestor de pacotes oficial da Microsoft. Cheio de pacotes conhecidos e verificados.
Contém: Software geral, aplicações da Microsoft Store", + "Local PC": "Computador local", + "Android Subsystem": "Subsistema Android", + "Operation on queue (position {0})...": "Operação em fila de espera (posição {0})", + "Click here for more details": "Clique aqui para mais detalhes", + "Operation canceled by user": "Operação cancelada pelo utilizador", + "Starting operation...": "A iniciar a operação...", + "{package} installer download": "Descarregar instalador do {package}", + "{0} installer is being downloaded": "O instalador {0} está a ser descarregado", + "Download succeeded": "Descarga bem sucedida", + "{package} installer was downloaded successfully": "O instalador do {package} foi descarregado com sucesso", + "Download failed": "A descarga falhou", + "{package} installer could not be downloaded": "Não foi possível descarregar o instalador do {package}", + "{package} Installation": "{package} Installação", + "{0} is being installed": "{0} está a ser instalado", + "Installation succeeded": "Instalação bem sucedida", + "{package} was installed successfully": "{package} foi instalado com sucesso", + "Installation failed": "Instalação falhada", + "{package} could not be installed": "{package} não pôde ser instalado.", + "{package} Update": "{package} Atualizar", + "{0} is being updated to version {1}": "{0} está a ser atualizado para a versão {1}", + "Update succeeded": "Atualização bem-sucedida", + "{package} was updated successfully": "{package} foi atualizado com sucesso", + "Update failed": "Atualização falhou", + "{package} could not be updated": "{package} não pôde ser atualizado.", + "{package} Uninstall": "{package} Desinstalar", + "{0} is being uninstalled": "{0} está a ser desinstalado", + "Uninstall succeeded": "Desinstalação bem-sucedida", + "{package} was uninstalled successfully": "{package} foi desinstalado com sucesso", + "Uninstall failed": "Desinstalação falhou", + "{package} could not be uninstalled": "{package} não pôde ser desinstalado.", + "Adding source {source}": "Adicionando fonte {source}", + "Adding source {source} to {manager}": "Adicionar fonte {source} a {manager}", + "Source added successfully": "Fonte adicionada com sucesso", + "The source {source} was added to {manager} successfully": "A fonte {source} foi adicionada a {manager} com sucesso", + "Could not add source": "Não foi possível adicionar a fonte", + "Could not add source {source} to {manager}": "Não foi possível adicionar a fonte {source} a {manager}", + "Removing source {source}": "A remover a fonte {source}", + "Removing source {source} from {manager}": "Remover fonte {source} de {manager}", + "Source removed successfully": "Fonte removida com sucesso", + "The source {source} was removed from {manager} successfully": "A fonte {source} foi removida de {manager} com sucesso", + "Could not remove source": "Não foi possível remover a fonte", + "Could not remove source {source} from {manager}": "Não foi possível remover a fonte {source} do {manager}", + "The package manager \"{0}\" was not found": "O gestor de pacotes \"{0}\" não foi encontrado", + "The package manager \"{0}\" is disabled": "O gestor de pacotes \"{0}\" está desativado", + "There is an error with the configuration of the package manager \"{0}\"": "Existe um erro na configuração do gestor de pacotes \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "O pacote \"{0}\" não foi encontrado no gestor de pacotes \"{1}\"", + "{0} is disabled": "O {0} está desativado", + "Something went wrong": "Alguma coisa correu mal", + "An interal error occurred. Please view the log for further details.": "Ocorreu um erro interno. Por favor veja os registos para mais detalhes.", + "No applicable installer was found for the package {0}": "Nenhum instalador aplicável foi encontrado para o pacote {0}", + "We are checking for updates.": "Estamos a verificar atualizações.", + "Please wait": "Por favor aguarde", + "UniGetUI version {0} is being downloaded.": "A versão {0} do UniGetUI está a ser descarregada.", + "This may take a minute or two": "Isto pode demorar um minuto ou dois", + "The installer authenticity could not be verified.": "Não foi possível verificar a autenticidade do instalador.", + "The update process has been aborted.": "O processo de atualização foi interrompido.", + "Great! You are on the latest version.": "Excelente! Tem a versão mais recente.", + "There are no new UniGetUI versions to be installed": "Não existem novas versões do UniGetUI para instalar", + "An error occurred when checking for updates: ": "Ocorreu um erro ao procurar por atualizaçoes:", + "UniGetUI is being updated...": "O UniGetUI está a ser atualizado...", + "Something went wrong while launching the updater.": "Algo correu mal ao iniciar o atualizador.", + "Please try again later": "Por favor tente novamente mais tarde", + "Integrity checks will not be performed during this operation": "Verificações de integridade não serão realizadas durante esta operação", + "This is not recommended.": "Isto não é recomendado.", + "Run now": "Executar agora", + "Run next": "Executar a seguir", + "Run last": "Executar no fim", + "Retry as administrator": "Voltar a tentar como administrador", + "Retry interactively": "Voltar a tentar de forma interativa", + "Retry skipping integrity checks": "Voltar a tentar, saltando as verificações de integridade", + "Installation options": "Opções de instalação", + "Show in explorer": "Mostrar no explorador", + "This package is already installed": "Este pacote já está instalado", + "This package can be upgraded to version {0}": "Este pacote pode ser atualizado para a versão {0}", + "Updates for this package are ignored": "As atualizações para este pacote estão a ser ignoradas", + "This package is being processed": "Este pacote está a ser processado", + "This package is not available": "Este pacote não está disponível", + "Select the source you want to add:": "Selecionar a fonte que deseja adicionar:", + "Source name:": "Nome da fonte", + "Source URL:": "URL da fonte:", + "An error occurred": "Ocorreu um erro", + "An error occurred when adding the source: ": "Ocorreu um erro ao adicionar a fonte: ", + "Package management made easy": "Gestão de pacotes de forma fácil", + "version {0}": "versão {0}", + "[RAN AS ADMINISTRATOR]": "EXECUTADO COMO ADMINISTRADOR", + "Portable mode": "Modo portátil", + "DEBUG BUILD": "COMPILAÇÃO DE DEPURAÇÃO", + "Available Updates": "Atualizações disponíveis", + "Show WingetUI": "Mostrar o UniGetUI", + "Quit": "Sair", + "Attention required": "Atenção necessária", + "Restart required": "É necessário reiniciar", + "1 update is available": "1 atualização disponível", + "{0} updates are available": "{0} atualizações disponíveis", + "WingetUI Homepage": "Página do UniGetUI", + "WingetUI Repository": "Repositório UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aqui pode alterar o comportamento do UniGetUI em relação aos seguintes atalhos. Marcar um atalho fará com que o UniGetUI o apague se for criado numa atualização futura. Desmarcá-lo manterá o atalho intacto", + "Manual scan": "Pesquisa manual", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Atalhos existentes na área de trabalho serão analizados e, terá de escolher quais deseja manter e quais deseja remover.", + "Continue": "Continuar", + "Delete?": "Apagar?", + "Missing dependency": "Dependência em falta", + "Not right now": "Agora não", + "Install {0}": "Instalar {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "O UniGetUI requer {0} para operar, mas não foi encontrado no seu sistema.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Clique em Instalar para iniciar o processo de instalação. Se saltar a instalação, o UniGetUI poderá não funcionar como esperado.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Em alternativa, também pode instalar {0} ao executar o seguinte comando numa janela do Windows PowerShell:", + "Do not show this dialog again for {0}": "Não mostrar esta caixa de diálogo novamente para {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Por favor aguarde enquanto {0} está a ser instalado. Pode aparecer uma janela preta (ou azul). Por favor aguarde até que esta feche.", + "{0} has been installed successfully.": "{0} foi instalado com sucesso.", + "Please click on \"Continue\" to continue": "Por favor clique em \"Continuar\" para continuar", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} foi instalado com sucesso. É recomendável reiniciar o UniGetUI para terminar a instalação", + "Restart later": "Reiniciar mais tarde", + "An error occurred:": "Ocorreu um erro:", + "I understand": "Entendi", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "O UniGetUI foi executado como administrador, o que não é recomendado. Ao executar o UniGetUI como administrador, TODAS as operações iniciadas a partir do UniGetUI terão privilégios de administrador. Ainda pode usar o programa, mas é altamente recomendável não executar o UniGetUI com privilégios de administrador.", + "WinGet was repaired successfully": "O WinGet foi reparado com sucesso", + "It is recommended to restart UniGetUI after WinGet has been repaired": "É recomendado reiniciar o UniGetUI após o WinGet ter sido reparado", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: Esta resolução de problemas pode ser desativada nas definições do UniGetUI, na secção WinGet", + "Restart": "Reiniciar", + "WinGet could not be repaired": "O WinGet não pôde ser reparado", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ocorreu um problema inesperado ao tentar reparar o WinGet. Por favor, tente mais tarde", + "Are you sure you want to delete all shortcuts?": "Tem a certeza que pretende apagar todos os atalhos?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Quaisquer novos atalhos criados durante uma operação de instalação ou atualização serão apagados automaticamente, em vez de mostrar um pedido de confirmação na primeira vez que são detetados", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Quaisquer atalhos criados ou modificados fora do UniGetUI serão ignorados. Poderá adicioná-los através do botão {0}", + "Are you really sure you want to enable this feature?": "Tem mesmo a certeza de que pretende ativar esta funcionalidade?", + "No new shortcuts were found during the scan.": "Não foram encontrados novos atalhos durante a pesquisa.", + "How to add packages to a bundle": "Como adicionar pacotes a um conjunto", + "In order to add packages to a bundle, you will need to: ": "Para adicionar pacotes a um conjunto, terá de:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navegar para a página \"{0}\" ou \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Localize o(s) pacote(s) que deseja adicionar ao conjunto e, selecione a caixa mais à esquerda.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Quando os pacotes que deseja adicionar ao conjunto estiverem selecionados, encontre e clique na opção \"{0}\" na barra de tarefas.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Os seus pacotes foram adicionados ao conjunto. Pode continuar a adicionar pacotes ou, exportar o conjunto.", + "Which backup do you want to open?": "Que cópia de segurança quer abrir?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Seleciona a cópia de segurança que queres abrir. Mais tarde, vais poder rever quais os pacotes/programas que queres restaurar.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Existem operações em andamento. Sair do UniGetUI pode fazer com que elas falhem. Quer continuar?", + "UniGetUI or some of its components are missing or corrupt.": "O UniGetUI ou alguns dos seus componentes estão a faltar ou corrompidos.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "É muito recomendado que reinstales o UniGetUI para resolver esta situação.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Consulte os registos do UniGetUI para obter mais detalhes sobre o(s) ficheiro(s) afetado(s)", + "Integrity checks can be disabled from the Experimental Settings": "Verificações de integridade podem ser desativadas nas Definições Exprimentais", + "Repair UniGetUI": "Reparar o UniGetUI", + "Live output": "Saída ao vivo", + "Package not found": "Pacote não encontrado", + "An error occurred when attempting to show the package with Id {0}": "Ocorreu um erro ao tentar mostrar o pacote com o ID {0}", + "Package": "Pacote", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Este pacote contém algumas definições que são potencialmente perigosas, e podem ser ignoradas por padrão.", + "Entries that show in YELLOW will be IGNORED.": "Entradas a AMARELO serão IGNORADAS.", + "Entries that show in RED will be IMPORTED.": "Entradas que mostrem VERMELHO vão ser IMPORTADAS", + "You can change this behavior on UniGetUI security settings.": "Pode alterar este comportamento nas definições de segurança do UniGetUI.", + "Open UniGetUI security settings": "Abre as definições de segurança do UniGetUi", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Se modificares as definições de segurança, vais ter de abrir o pacote de novo para que as alterações tenham efeito.", + "Details of the report:": "Detalhes do relatório:", "\"{0}\" is a local package and can't be shared": "\"{0}\" é um pacote local e não pode ser partilhado", + "Are you sure you want to create a new package bundle? ": "Tem a certeza de que pretende criar um novo conjunto de pacotes?", + "Any unsaved changes will be lost": "Todas as alterações não guardadas serão perdidas", + "Warning!": "Aviso!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Por razões de segurança, argumentos de linha de comandos personalizados estão desabilitados por padrão. Vai ás definições de segurança do UniGetUI para mudar isso.", + "Change default options": "Alterar opções padrão", + "Ignore future updates for this package": "Ignorar atualizações futuras para este pacote", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Por motivos de segurança, scripts pré e pós-operação estão desativados por defeito. Vá às definições de segurança do UniGetUI para alterar isto.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Tu consegues definir os comandos que vão ser executados antes e depois que este pacote é instalado, atualizado ou desinstalado. Eles vão ser executados em uma linha de comandos, então scripts de CMD vão funcionar aqui.", + "Change this and unlock": "Alterar isto e desbloquear", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} opções de instalação estão de momento bloqueadas porque {0} respeita as opções de instalação padrão.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Seleciona o processo que deve ser terminado antes que este pacote seja instalado, atualizado ou desinstalado.", + "Write here the process names here, separated by commas (,)": "Escreve aqui o nome(s) do(s) processo(s), separado por virgulas (,)", + "Unset or unknown": "Não selecionado ou desconhecido", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Por fovar, verifique o output da linha de comando ou o Histórico de Operações para obter mais informações sobre o problema.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Este pacote não possui capturas de ecrã ou o ícone está em falta? Contribua para o UniGetUI adicionando os ícones e capturas de ecrã ausentes à nossa base de dados pública e aberta.", + "Become a contributor": "Torne-se num contribuidor", + "Save": "Guardar", + "Update to {0} available": "Atualização para {0} disponível", + "Reinstall": "Reinstalar", + "Installer not available": "Instalador não disponível", + "Version:": "Versão:", + "Performing backup, please wait...": "A fazer cópia de segurança, por favor aguarde...", + "An error occurred while logging in: ": "Ocorreu um erro ao iniciar sessão:", + "Fetching available backups...": "A apanhar cópias de segurança disponiveis...", + "Done!": "Feito!", + "The cloud backup has been loaded successfully.": "A cópia de segurança foi carregada com sucesso.", + "An error occurred while loading a backup: ": "Ocorreu um erro ao carregar uma cópia de segurança:", + "Backing up packages to GitHub Gist...": "A fazer cópia de segurança dos pacotes para o GitHub Gist...", + "Backup Successful": "Cópia de segurança bem-sucedida", + "The cloud backup completed successfully.": "A cópia de segurança na nuvem foi completa com sucesso.", + "Could not back up packages to GitHub Gist: ": "Não foi possível fazer cópia de segurança dos pacotes para o GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Não é garantido que as credenciais providenciadas sejam guardadas de forma segura, será melhor não utilizar as credenciais da sua conta bancária", + "Enable the automatic WinGet troubleshooter": "Ativar a resolução de problemas automática do WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Ativar um solucionador de problemas melhorado [experimental] do UniGetUI", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Adicionar atualizações que falham com o erro \"nenhuma atualização encontrada\" à lista de atualizações ignoradas.", + "Restart WingetUI to fully apply changes": "Reinicia o UniGetUI para aplicar as alterações", + "Restart WingetUI": "Reiniciar UniGetUI", + "Invalid selection": "Selecção invalida", + "No package was selected": "Sem pacotes selecionados", + "More than 1 package was selected": "Mais de 1 pacote foi selecionado", + "List": "Lista", + "Grid": "Grelha", + "Icons": "Ícones", "\"{0}\" is a local package and does not have available details": "\"{0}\" é um pacote local e não tem detalhes disponíveis", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" é um pacote local e não é compatível com esta funcionalidade", - "(Last checked: {0})": "(Verificado em: {0})", + "WinGet malfunction detected": "Detetado erro no funcionamento do Winget", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Parece que o WinGet não está a funcionar corretamente. Quer tentar reparar o WinGet?", + "Repair WinGet": "Reparar WinGet", + "Create .ps1 script": "Criar script .ps1", + "Add packages to bundle": "Adicionar pacotes ao conjunto", + "Preparing packages, please wait...": "A preparar pacotes, por favor aguarde...", + "Loading packages, please wait...": "A carregar pacotes, por favor aguarde...", + "Saving packages, please wait...": "A salvar pacotes, por favor aguarde...", + "The bundle was created successfully on {0}": "O pacote foi criado com sucesso em {0}", + "Install script": "Instalar script", + "The installation script saved to {0}": "O script da instalação foi guardado em {0}", + "An error occurred while attempting to create an installation script:": "Ocorreu um erro ao tentar criar um script de instalação:", + "{0} packages are being updated": "{0} pacotes estão a ser atualizados", + "Error": "Erro", + "Log in failed: ": "Falhar ao iniciar sessão: ", + "Log out failed: ": "Falha ao terminar sessão:", + "Package backup settings": "Definições da cópia de segurança de pacotes", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Número {0} na fila)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Tiago_Ferreira, @PoetaGA, @Putocoroa, @100Nome, @NimiGames68", "0 packages found": "Nenhum pacote encontrado", "0 updates found": "Nenhuma atualização encontrada", - "1 - Errors": "1 - Erros", - "1 day": "1 dia", - "1 hour": "1 hora", "1 month": "1 mês", "1 package was found": "1 pacote encontrado", - "1 update is available": "1 atualização disponível", - "1 week": "1 semana", "1 year": "1 ano", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navegar para a página \"{0}\" ou \"{1}\".", - "2 - Warnings": "2 - Avisos", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Localize o(s) pacote(s) que deseja adicionar ao conjunto e, selecione a caixa mais à esquerda.", - "3 - Information (less)": "3 - Informação (menos)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Quando os pacotes que deseja adicionar ao conjunto estiverem selecionados, encontre e clique na opção \"{0}\" na barra de tarefas.", - "4 - Information (more)": "4 - Informação (mais)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Os seus pacotes foram adicionados ao conjunto. Pode continuar a adicionar pacotes ou, exportar o conjunto.", - "5 - information (debug)": "5 - Informação (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Gestor de bibliotecas de C/C++. Cheio de bibliotecas C/C++ e outros utilitários relacionados com C/C++.
Contém: bibliotecas C/C++ e utilitários relacionados", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Um repositório cheio de ferramentas projetadas com o ecossistema .NET da Microsoft em mente.
Contém: Ferramentas e scripts relacionado(a)s com o .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Um repositório cheio de ferramentas projetadas com o ecossistema .NET da Microsoft em mente.
Contém: Ferramentas relacionadas com o .NET", "A restart is required": "É necessária uma reinicialização", - "Abort install if pre-install command fails": "Abortar instalação se comando pré-instalação falhar", - "Abort uninstall if pre-uninstall command fails": "Abortar desinstalação se comando pré-desinstalação falhar", - "Abort update if pre-update command fails": "Abortar atualização se comando pré-atualização falhar", - "About": "Sobre", "About Qt6": "Sobre o Qt6", - "About WingetUI": "Sobre o UniGetUI", "About WingetUI version {0}": "Sobre a versão {0} do UniGetUI", "About the dev": "Sobre o programador ", - "Accept": "Aceitar", "Action when double-clicking packages, hide successful installations": "Ação ao clicar duas vezes em pacotes, ocultar instalações bem-sucedidas", - "Add": "Adicionar", "Add a source to {0}": "Adicionar uma fonte a {0}", - "Add a timestamp to the backup file names": "Adicionar data e hora aos nomes dos ficheiros de cópia de segurança", "Add a timestamp to the backup files": "Adicionar data e hora aos ficheiros de cópia de segurança", "Add packages or open an existing bundle": "Adicionar pacotes ou abrir um conjunto existente", - "Add packages or open an existing package bundle": "Adicionar pacotes ou abrir um conjunto de pacotes existente", - "Add packages to bundle": "Adicionar pacotes ao conjunto", - "Add packages to start": "Adicionar pacotes para começar", - "Add selection to bundle": "Adicionar a seleção ao conjunto", - "Add source": "Adicionar fonte", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Adicionar atualizações que falham com o erro \"nenhuma atualização encontrada\" à lista de atualizações ignoradas.", - "Adding source {source}": "Adicionando fonte {source}", - "Adding source {source} to {manager}": "Adicionar fonte {source} a {manager}", "Addition succeeded": "Adição bem sucedida", - "Administrator privileges": "Privilégios de administrador", "Administrator privileges preferences": "Preferências dos privilégios de administrador", "Administrator rights": "Direitos de administrador", - "Administrator rights and other dangerous settings": "Direitos de administrador e outras definições perigosas", - "Advanced options": "Opções avançadas", "All files": "Todos os ficheiros", - "All versions": "Todas as versões", - "Allow changing the paths for package manager executables": "Permitir mudar os caminhos de executáveis dos gerenciadores de pacotes", - "Allow custom command-line arguments": "Permitir argumentos personalizados na linha de comandos", - "Allow importing custom command-line arguments when importing packages from a bundle": "Permitir importar argumentos personalizados da linha de comandos quando estiveres a importar pacotes de um bundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permitir importar comandos pré e pós-instalação personalizados ao importar pacotes de um conjunto", "Allow package operations to be performed in parallel": "Permitir que as operações dos pacotes possam correr em paralelo", "Allow parallel installs (NOT RECOMMENDED)": "Permitir instalações paralelas (NÃO RECOMENDADO)", - "Allow pre-release versions": "Permitir versões pré-lançamento", "Allow {pm} operations to be performed in parallel": "Permitir que operações {pm} sejam executadas em paralelo", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Em alternativa, também pode instalar {0} ao executar o seguinte comando numa janela do Windows PowerShell:", "Always elevate {pm} installations by default": "Elevar sempre as instalações do {pm} por defeito ", "Always run {pm} operations with administrator rights": "Executar sempre operações {pm} com direitos de administrador", - "An error occurred": "Ocorreu um erro", - "An error occurred when adding the source: ": "Ocorreu um erro ao adicionar a fonte: ", - "An error occurred when attempting to show the package with Id {0}": "Ocorreu um erro ao tentar mostrar o pacote com o ID {0}", - "An error occurred when checking for updates: ": "Ocorreu um erro ao procurar por atualizaçoes:", - "An error occurred while attempting to create an installation script:": "Ocorreu um erro ao tentar criar um script de instalação:", - "An error occurred while loading a backup: ": "Ocorreu um erro ao carregar uma cópia de segurança:", - "An error occurred while logging in: ": "Ocorreu um erro ao iniciar sessão:", - "An error occurred while processing this package": "Ocorreu um erro a processar este pacote", - "An error occurred:": "Ocorreu um erro:", - "An interal error occurred. Please view the log for further details.": "Ocorreu um erro interno. Por favor veja os registos para mais detalhes.", "An unexpected error occurred:": "Ocorreu um erro inesperado:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ocorreu um problema inesperado ao tentar reparar o WinGet. Por favor, tente mais tarde", - "An update was found!": "Foi encontrada uma atualização!", - "Android Subsystem": "Subsistema Android", "Another source": "Outra fonte", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Quaisquer novos atalhos criados durante uma operação de instalação ou atualização serão apagados automaticamente, em vez de mostrar um pedido de confirmação na primeira vez que são detetados", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Quaisquer atalhos criados ou modificados fora do UniGetUI serão ignorados. Poderá adicioná-los através do botão {0}", - "Any unsaved changes will be lost": "Todas as alterações não guardadas serão perdidas", "App Name": "Nome da App", - "Appearance": "Aparência", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema da aplicação, página de arranque, ícones de pacotes, limpar instalações bem-sucedidas automaticamente", - "Application theme:": "Tema da aplicação:", - "Apply": "Aplicar", - "Architecture to install:": "Arquitetura para instalar:", "Are these screenshots wron or blurry?": "As capturas de ecrã estão incorrectas ou desfocadas?", - "Are you really sure you want to enable this feature?": "Tem mesmo a certeza de que pretende ativar esta funcionalidade?", - "Are you sure you want to create a new package bundle? ": "Tem a certeza de que pretende criar um novo conjunto de pacotes?", - "Are you sure you want to delete all shortcuts?": "Tem a certeza que pretende apagar todos os atalhos?", - "Are you sure?": "Tem certeza?", - "Ascendant": "Ascendente", - "Ask for administrator privileges once for each batch of operations": "Pedir direitos de administrador uma vez para cada conjunto de operações", "Ask for administrator rights when required": "Pedir direitos de administrador quando necessário", "Ask once or always for administrator rights, elevate installations by default": "Pedir direitos de administrador uma vez ou sempre, elevar as instalações por defeito ", - "Ask only once for administrator privileges": "Pedir direitos de administrador apenas uma vez", "Ask only once for administrator privileges (not recommended)": "Pedir direitos de administrador apenas uma vez (não recomendado)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Pedir para eliminar atalhos do ambiente de trabalho criados durante uma instalação ou atualização.", - "Attention required": "Atenção necessária", "Authenticate to the proxy with an user and a password": "Autenticar com o proxy com nome de utilizador e palavra-passe", - "Author": "Autor(a)", - "Automatic desktop shortcut remover": "Remoção automática de atalhos do ambiente de trabalho", - "Automatic updates": "Atualizações automáticas", - "Automatically save a list of all your installed packages to easily restore them.": "Guardar automaticamente uma lista de todos os pacotes instalados para ser mas fácil reinstalá-los.", "Automatically save a list of your installed packages on your computer.": "Guardar automaticamente uma lista dos pacotes instalados no teu computador.", - "Automatically update this package": "Atualizar automaticamente este pacote", "Autostart WingetUI in the notifications area": "Iniciar automaticamente o UniGetUI para a área de notificações", - "Available Updates": "Atualizações disponíveis", "Available updates: {0}": "Atualizações disponíveis: {0} ", "Available updates: {0}, not finished yet...": "Atualizações disponíveis: {0}, ainda não terminou...", - "Backing up packages to GitHub Gist...": "A fazer cópia de segurança dos pacotes para o GitHub Gist...", - "Backup": "Cópia de segurança", - "Backup Failed": "Cópia de segurança falhou", - "Backup Successful": "Cópia de segurança bem-sucedida", - "Backup and Restore": "Cópia de segurança e restauro", "Backup installed packages": "Fazer cópia de segurança dos pacotes instalados", "Backup location": "Localização da cópia de segurança", - "Become a contributor": "Torne-se num contribuidor", - "Become a translator": "Torne-se num tradutor", - "Begin the process to select a cloud backup and review which packages to restore": "Inicie o processo para selecionar uma cópia de segurança na nuvem e reveja os pacotes a restaurar", - "Beta features and other options that shouldn't be touched": "Recursos beta e outras opções que não devem ser alteradas", - "Both": "Ambos", - "Bundle security report": "Relatório de segurança do conjunto", "But here are other things you can do to learn about WingetUI even more:": "Mas aqui estão outras coisas que pode fazer para aprender ainda mais sobre o UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Ao desativar um gestor de pacotes, deixará de poder ver ou atualizar os seus pacotes.", "Cache administrator rights and elevate installers by default": "Armazenar em cache os direitos de administrador e elevar os instaladores por defeito ", "Cache administrator rights, but elevate installers only when required": "Armazenar em cache os direitos de administrador, mas elevar os instaladores somente quando necessário", "Cache was reset successfully!": "A cache foi reposta com sucesso!", "Can't {0} {1}": "Não é possível {0} o {1}", - "Cancel": "Cancelar", "Cancel all operations": "Cancelar todas as operações", - "Change backup output directory": "Alterar diretório do ficheiro de cópia de segurança", - "Change default options": "Alterar opções padrão", - "Change how UniGetUI checks and installs available updates for your packages": "Altera a forma como o UniGetUI verifica e instala as atualizações disponíveis para os seus pacotes", - "Change how UniGetUI handles install, update and uninstall operations.": "Mudar como o UniGetUI lida com as operações de instalação, atualização e desinstalação.", "Change how UniGetUI installs packages, and checks and installs available updates": "Mudar como o UniGetUI instala pacotes e verifica e instala atualizações disponíveis", - "Change how operations request administrator rights": "Mudar como as operações pedem direitos de administrador", "Change install location": "Alterar diretório de instalação", - "Change this": "Alterar isto", - "Change this and unlock": "Alterar isto e desbloquear", - "Check for package updates periodically": "Verificar se há atualizações de pacotes periodicamente", - "Check for updates": "Verificar atualizações", - "Check for updates every:": "Procurar atualizações a cada:", "Check for updates periodically": "Procurar atualizações periodicamente", "Check for updates regularly, and ask me what to do when updates are found.": "Procurar atualizações regularmente, e perguntar-me o que fazer quando forem encontradas.", "Check for updates regularly, and automatically install available ones.": "Procurar atualizações regularmente e instalar automaticamente as disponíveis.", @@ -159,805 +741,283 @@ "Checking for updates...": "A verificar atualizações...", "Checking found instace(s)...": "A verificar instância(s) encontrada(s)...", "Choose how many operations shouls be performed in parallel": "Escolha quantas operações devem ser efetuadas em paralelo", - "Clear cache": "Limpar cache", "Clear finished operations": "Limpar operações concluídas", - "Clear selection": "Limpar seleção ", "Clear successful operations": "Operações com sucesso e sem erros", - "Clear successful operations from the operation list after a 5 second delay": "Limpar as operações bem-sucedidas da lista de operações após 5 segundos", "Clear the local icon cache": "Limpe a cache local de ícones", - "Clearing Scoop cache - WingetUI": "A limpar a cache do Scoop - UniGetUI", "Clearing Scoop cache...": "A limpar a cache do Scoop...", - "Click here for more details": "Clique aqui para mais detalhes", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Clique em Instalar para iniciar o processo de instalação. Se saltar a instalação, o UniGetUI poderá não funcionar como esperado.", - "Close": "Fechar", - "Close UniGetUI to the system tray": "Fechar o UniGetUI para a bandeja do sistema", "Close WingetUI to the notification area": "Fechar o UniGetUI para a área de notificações", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cópias de segurança na nuvem usam um GitHub Gist privado para guardar uma lista de pacotes instalados", - "Cloud package backup": "Cópia de segurança do pacote na nuvem", "Command-line Output": "Saída da linha de comandos", - "Command-line to run:": "Linha de comandos para correr:", "Compare query against": "Comparar consulta com", - "Compatible with authentication": "Compatível com autenticação", - "Compatible with proxy": "Compatível com proxy", "Component Information": "Informações dos Componentes", - "Concurrency and execution": "Simultaneidade e execução", - "Connect the internet using a custom proxy": "Ligar à internet usando um proxy personalizado", - "Continue": "Continuar", "Contribute to the icon and screenshot repository": "Contribuir para o repositório de ícones e capturas de ecrã", - "Contributors": "Contribuidores", "Copy": "Copiar", - "Copy to clipboard": "Copiar para área de transferência", - "Could not add source": "Não foi possível adicionar a fonte", - "Could not add source {source} to {manager}": "Não foi possível adicionar a fonte {source} a {manager}", - "Could not back up packages to GitHub Gist: ": "Não foi possível fazer cópia de segurança dos pacotes para o GitHub Gist:", - "Could not create bundle": "Não foi possível criar o conjunto de pacotes", "Could not load announcements - ": "Não foi possível carregar os anúncios - ", "Could not load announcements - HTTP status code is $CODE": "Não foi possível carregar os anúncios - O código de estado do HTTP é $CODE", - "Could not remove source": "Não foi possível remover a fonte", - "Could not remove source {source} from {manager}": "Não foi possível remover a fonte {source} do {manager}", "Could not remove {source} from {manager}": "Não foi possível remover {source} de {manager}", - "Create .ps1 script": "Criar script .ps1", - "Credentials": "Credenciais", "Current Version": "Versão Atual ", - "Current executable file:": "Ficheiro executável atual:", - "Current status: Not logged in": "Altual estado: Sem sessão iniciada", "Current user": "Utilizador atual", "Custom arguments:": "Argumentos personalizados:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Os argumentos personalizados da linha de comandos podem alterar a forma como os programas são instalados, atualizados ou desinstalados, de uma forma que o UniGetUI não consegue controlar. A utilização de linhas de comandos personalizadas pode danificar pacotes. Prossiga com cautela.", "Custom command-line arguments:": "Argumentos de linha de comando personalizados:", - "Custom install arguments:": "Argumentos de instalação personalizados:", - "Custom uninstall arguments:": "Argumentos de desinstalação personalizados:", - "Custom update arguments:": "Argumentos de atualização personalizados:", "Customize WingetUI - for hackers and advanced users only": "Personalizar UniGetUI - apenas para hackers e utilizadores avançados", - "DEBUG BUILD": "COMPILAÇÃO DE DEPURAÇÃO", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "AVISO: NÃO SOMOS RESPONSÁVEIS PELOS PACOTES DESCARREGADOS. CERTIFIQUE-SE DE INSTALAR APENAS SOFTWARE DE CONFIANÇA.", - "Dark": "Escuro", - "Decline": "Rejeitar", - "Default": "Padrão", - "Default installation options for {0} packages": "Opções de instalação padrão para {0} pacotes", "Default preferences - suitable for regular users": "Preferências padrão - adequado para utilizadores frequentes", - "Default vcpkg triplet": "Trio vcpkg por defeito", - "Delete?": "Apagar?", - "Dependencies:": "Dependências:", - "Descendant": "Descendente", "Description:": "Descrição:", - "Desktop shortcut created": "Atalho criado no ambiente de trabalho", - "Details of the report:": "Detalhes do relatório:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "O desenvolvimento de software é difícil e esta aplicação é gratuita. Mas se gostou da aplicação, pode sempre comprar-me um café :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instalar directamente ao clicar duas vezes num item na secção \"{discoveryTab}\" (em vez de mostrar as informações do pacote)", "Disable new share API (port 7058)": "Desativar a nova API de partilha (porta 7058)", - "Disable the 1-minute timeout for package-related operations": "Desativar o tempo limite de 1 minuto para operações relacionadas com pacotes", - "Disabled": "Desabilitado", - "Disclaimer": "Renúncia de responsabilidade", - "Discover Packages": "Descobrir Pacotes", "Discover packages": "Descobrir pacotes", "Distinguish between\nuppercase and lowercase": "Distinguir entre maiúsculas \ne minúsculas", - "Distinguish between uppercase and lowercase": "Distinguir entre maiúsculas \ne minúsculas", "Do NOT check for updates": "NÃO procurar atualizações ", "Do an interactive install for the selected packages": "Fazer uma instalação interativa para os pacotes selecionados ", "Do an interactive uninstall for the selected packages": "Fazer uma uma desinstalação interativa para os pacotes selecionados ", "Do an interactive update for the selected packages": "Fazer uma atualização interativa para os pacotes selecionados ", - "Do not automatically install updates when the battery saver is on": "Não instalar atualizações automaticamente quando a poupança de bateria está ativa", - "Do not automatically install updates when the device runs on battery": "Não instalar atualizações automáticas quando o dispositivo estiver a usar bateria", - "Do not automatically install updates when the network connection is metered": "Não instalar atualizações automaticamente quando a ligação à rede é limitada", "Do not download new app translations from GitHub automatically": "Não descarregar automaticamente novas versões das traduções do GitHub", - "Do not ignore updates for this package anymore": "Deixar de ignorar as atualizações deste pacote", "Do not remove successful operations from the list automatically": "Não remover automaticamente operações bem sucedidas da lista", - "Do not show this dialog again for {0}": "Não mostrar esta caixa de diálogo novamente para {0}", "Do not update package indexes on launch": "Não atualizar os índices de pacotes ao iniciar", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Aceita que o UniGetUI recolha e envie estatísticas de uso anónimas, com o único propósito de entender e melhorar a experiência do utilizador?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Acha o UniGetUI útil? Se puder, pode apoiar meu trabalho, para que eu possa continuar a fazer do UniGetUI a interface definitiva de gestão de pacotes.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Acha o UniGetUI útil? Gostaria de apoiar o programador? Se sim, pode {0}, ajuda muito!", - "Do you really want to reset this list? This action cannot be reverted.": "Tem a certeza que deseja repor esta lista? Esta ação não pode ser revertida.", - "Do you really want to uninstall the following {0} packages?": "Deseja realmente desinstalar os seguintes {0} pacotes?", "Do you really want to uninstall {0} packages?": "Deseja realmente desinstalar {0} pacotes?", - "Do you really want to uninstall {0}?": "Deseja realmente desinstalar {0}?", "Do you want to restart your computer now?": "Deseja reiniciar o computador agora?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Quer traduzir o UniGetUI para o seu idioma? Veja como contribuir AQUI!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Não está com vontade de doar? Não se preocupe, pode sempre partilhar o UniGetUI com os seus amigos. Divulgue o UniGetUI.", "Donate": "Doar", - "Done!": "Feito!", - "Download failed": "A descarga falhou", - "Download installer": "Descarregar instalador", - "Download operations are not affected by this setting": "Operações de descarga não são afetadas por esta definição", - "Download selected installers": "Descarregar instaladores selecionados", - "Download succeeded": "Descarga bem sucedida", "Download updated language files from GitHub automatically": "Descarregar automaticamente novas versões das traduções do GitHub", - "Downloading": "A descarregar", - "Downloading backup...": "A descarregar cópia de segurança...", - "Downloading installer for {package}": "A descarregar o instalador para {package}", - "Downloading package metadata...": "A descarregar metadados do pacote...", - "Enable Scoop cleanup on launch": "Ativar a limpeza do Scoop ao iniciar", - "Enable WingetUI notifications": "Ativar notificações do UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Ativar um solucionador de problemas melhorado [experimental] do UniGetUI", - "Enable and disable package managers, change default install options, etc.": "Habilitar e desabilitar gestores de pacotes, mudar opções de instalação pré-definidas, etc. ", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Ativar as otimizações de utilização de CPU em segundo plano (ver o Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Ativar api em segundo plano (UniGetUI Widgets and Sharing, porta 7058)", - "Enable it to install packages from {pm}.": "Ative-o para instalar pacotes de {pm}", - "Enable the automatic WinGet troubleshooter": "Ativar a resolução de problemas automática do WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Ativar a nova caixa de diálogo UAC do UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Ativar o novo manipulador de entrada de processos (fecho automático do StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Ativa as definições abaixo SE E APENAS SE tu percebes o que elas fazem, e as implicações e perigos que elas podem involver.", - "Enable {pm}": "Ativar o {pm}", - "Enabled": "Ativado", - "Enter proxy URL here": "Introduza o URL do proxy aqui", - "Entries that show in RED will be IMPORTED.": "Entradas que mostrem VERMELHO vão ser IMPORTADAS", - "Entries that show in YELLOW will be IGNORED.": "Entradas a AMARELO serão IGNORADAS.", - "Error": "Erro", - "Everything is up to date": "Todos os pacotes estão atualizados", - "Exact match": "Correspondência exata", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Atalhos existentes na área de trabalho serão analizados e, terá de escolher quais deseja manter e quais deseja remover.", - "Expand version": "Expandir", - "Experimental settings and developer options": "Definições experimentais e opções do programador ", - "Export": "Exportar", + "Downloading": "A descarregar", + "Downloading installer for {package}": "A descarregar o instalador para {package}", + "Downloading package metadata...": "A descarregar metadados do pacote...", + "Enable the new UniGetUI-Branded UAC Elevator": "Ativar a nova caixa de diálogo UAC do UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Ativar o novo manipulador de entrada de processos (fecho automático do StdIn)", "Export log as a file": "Exportar log para um ficheiro", "Export packages": "Exportar pacotes", "Export selected packages to a file": "Exportar seleção para um ficheiro", - "Export settings to a local file": "Exportar definições para um ficheiro local", - "Export to a file": "Exportar para um ficheiro", - "Failed": "Falhou", - "Fetching available backups...": "A apanhar cópias de segurança disponiveis...", "Fetching latest announcements, please wait...": "A descarregar os anúncios mais recentes, por favor aguarde...", - "Filters": "Filtros", "Finish": "Finalizar", - "Follow system color scheme": "Padrão do sistema", - "Follow the default options when installing, upgrading or uninstalling this package": "Seguir as opções padrão quando a instalar, a atualizar ou a desinstalar este pacote", - "For security reasons, changing the executable file is disabled by default": "Por razões de segurança, mudar o ficheiro executável está desabilitado por padrão", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Por razões de segurança, argumentos de linha de comandos personalizados estão desabilitados por padrão. Vai ás definições de segurança do UniGetUI para mudar isso.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Por motivos de segurança, scripts pré e pós-operação estão desativados por defeito. Vá às definições de segurança do UniGetUI para alterar isto.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Utilizar a versão do Winget compilada para ARM (APENAS PARA SISTEMAS ARM64)", - "Force install location parameter when updating packages with custom locations": "Forçar o parâmetro de localização de instalação ao atualizar pacotes com localizações personalizadas", "Formerly known as WingetUI": "Anteriormente conhecido como WingetUI", "Found": "Encontrado", "Found packages: ": "Pacotes encontrados:", "Found packages: {0}": "Pacotes encontrados: {0}", "Found packages: {0}, not finished yet...": "Pacotes encontrados: {0}, ainda não terminou...", - "General preferences": "Preferências gerais", "GitHub profile": "Perfil do GitHub", "Global": "Global", - "Go to UniGetUI security settings": "Vai ás definições de segurança do UniGet UI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Ótimo repositório de utilitários desconhecidos, mas úteis, e outros pacotes interessantes.
Contém: Utilitários, Programas de linha de comando, Software geral (requer o bucket extras)", - "Great! You are on the latest version.": "Excelente! Tem a versão mais recente.", - "Grid": "Grelha", - "Help": "Ajuda", "Help and documentation": "Ajuda e documentação", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Aqui pode alterar o comportamento do UniGetUI em relação aos seguintes atalhos. Marcar um atalho fará com que o UniGetUI o apague se for criado numa atualização futura. Desmarcá-lo manterá o atalho intacto", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Olá, o meu nome é Martí, e sou o programador do UniGetUI. O UniGetUI foi feito inteiramente no meu tempo livre!", "Hide details": "Ocultar detalhes", - "Homepage": "Página Inicial", - "Hooray! No updates were found.": "Viva! Nenhuma atualização encontrada!", "How should installations that require administrator privileges be treated?": "Como devem ser tratadas as instalações que requerem privilégios de administrador?", - "How to add packages to a bundle": "Como adicionar pacotes a um conjunto", - "I understand": "Entendi", - "Icons": "Ícones", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Se tens a cópia de segurança na nuvem habilitada, vai ser guardada como um GitHub Gist nesta conta", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permitir comandos personalizados de pre-instalação e pre-desinstalação serem executados", - "Ignore future updates for this package": "Ignorar atualizações futuras para este pacote", - "Ignore packages from {pm} when showing a notification about updates": "Ignorar pacotes de {pm} ao mostrar uma notificação sobre atualizações", - "Ignore selected packages": "Ignorar pacotes selecionados ", - "Ignore special characters": "Ignorar caracteres especiais", "Ignore updates for the selected packages": "Ignorar atualizações para os pacotes selecionados ", - "Ignore updates for this package": "Ignorar atualizações ", "Ignored updates": "Atualizações ignoradas", - "Ignored version": "Versão Ignorada", - "Import": "Importar", "Import packages": "Importar pacotes", "Import packages from a file": "Importar pacotes de um ficheiro", - "Import settings from a local file": "Importar definições de um ficheiro local", - "In order to add packages to a bundle, you will need to: ": "Para adicionar pacotes a um conjunto, terá de:", "Initializing WingetUI...": "A iniciar o UniGetUI...", - "Install": "Instalar", - "Install Scoop": "Instalar o Scoop", "Install and more": "Instalar e mais", "Install and update preferences": "Instalar e atualizar preferências", - "Install as administrator": "Instalar como administrador", - "Install available updates automatically": "Instalar as atualizações disponíveis automaticamente", - "Install location can't be changed for {0} packages": "A localização da instalação não pode ser alterada para {0} pacotes", - "Install location:": "Local de instalação:", - "Install options": "Opções de instalação", "Install packages from a file": "Instalar pacotes de um ficheiro", - "Install prerelease versions of UniGetUI": "Instalar versões beta do UniGetUI", - "Install script": "Instalar script", "Install selected packages": "Instalar pacotes selecionados ", "Install selected packages with administrator privileges": "Instalar pacotes selecionados com privilégios de administrador", - "Install selection": "Instalar seleção", "Install the latest prerelease version": "Instalar a versão mais recente de pré-lançamento", "Install updates automatically": "Instalar atualizações automaticamente", - "Install {0}": "Instalar {0}", "Installation canceled by the user!": "Instalação cancelada pelo utilizador!", - "Installation failed": "Instalação falhada", - "Installation options": "Opções de instalação", - "Installation scope:": "Âmbito da instalação:", - "Installation succeeded": "Instalação bem sucedida", - "Installed Packages": "Pacotes Instalados", - "Installed Version": "Versão Instalada", "Installed packages": "Pacotes instalados", - "Installer SHA256": "SHA256 do Instalador", - "Installer SHA512": "SHA512 do instalador", - "Installer Type": "Tipo de Instalador", - "Installer URL": "URL do Instalador ", - "Installer not available": "Instalador não disponível", "Instance {0} responded, quitting...": "A instância {0} respondeu, a encerrar...", - "Instant search": "Procura rápida", - "Integrity checks can be disabled from the Experimental Settings": "Verificações de integridade podem ser desativadas nas Definições Exprimentais", - "Integrity checks skipped": "Verificações de integridade ignoradas", - "Integrity checks will not be performed during this operation": "Verificações de integridade não serão realizadas durante esta operação", - "Interactive installation": "Instalação interativa ", - "Interactive operation": "Operação interativa", - "Interactive uninstall": "Desinstalação interativa ", - "Interactive update": "Atualização interativa ", - "Internet connection settings": "Definições de ligação à internet", - "Invalid selection": "Selecção invalida", "Is this package missing the icon?": "Falta o ícone deste pacote?", - "Is your language missing or incomplete?": "O seu idioma está em falta ou incompleto?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Não é garantido que as credenciais providenciadas sejam guardadas de forma segura, será melhor não utilizar as credenciais da sua conta bancária", - "It is recommended to restart UniGetUI after WinGet has been repaired": "É recomendado reiniciar o UniGetUI após o WinGet ter sido reparado", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "É muito recomendado que reinstales o UniGetUI para resolver esta situação.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Parece que o WinGet não está a funcionar corretamente. Quer tentar reparar o WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Parece que executou o UniGetUI como administrador, o que não é recomendado. Ainda pode usar o programa, mas é altamente recomendável não executar o UniGetUI com privilégios de administrador. Clique em \"{showDetails}\" para ver o porquê.", - "Language": "Idioma", - "Language, theme and other miscellaneous preferences": "Idioma, tema e outras preferências", - "Last updated:": "Última atualização:", - "Latest": "Último", "Latest Version": "Última Versão", "Latest Version:": "Última Versão:", "Latest details...": "Últimos detalhes...", "Launching subprocess...": "A iniciar subprocesso...", - "Leave empty for default": "Deixar vazio para padrão", - "License": "Licença", "Licenses": "Licenças", - "Light": "Claro", - "List": "Lista", "Live command-line output": "Output da linha de comandos em tempo real", - "Live output": "Saída ao vivo", "Loading UI components...": "A carregar os componentes da interface de utilizador...", "Loading WingetUI...": "A carregar o UniGetUI...", - "Loading packages": "A carregar pacotes", - "Loading packages, please wait...": "A carregar pacotes, por favor aguarde...", - "Loading...": "A carregar...", - "Local": "Local", - "Local PC": "Computador local", - "Local backup advanced options": "Opções avançadas da cópia de segurança local", "Local machine": "Computador local", - "Local package backup": "Cópia de segurança de pacotes local", "Locating {pm}...": "A localizar {pm}...", - "Log in": "Iniciar sessão", - "Log in failed: ": "Falhar ao iniciar sessão: ", - "Log in to enable cloud backup": "Inicia sessão para ativar cópias de segurança na nuvem", - "Log in with GitHub": "Iniciar sessão com o GitHub", - "Log in with GitHub to enable cloud package backup.": "Inicia sessão com o GitHub para ativar cópias de segurança de pacotes na nuvem.", - "Log level:": "Nível de registo:", - "Log out": "Terminar sessão", - "Log out failed: ": "Falha ao terminar sessão:", - "Log out from GitHub": "Terminar sessão do GitHub", "Looking for packages...": "À procura de pacotes...", "Machine | Global": "Máquina | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentos de linha de comandos malformados podem danificar pacotes ou até permitir que um agente malicioso obtenha execução privilegiada. Por isso, a importação de argumentos personalizados de linha de comandos está desativada por defeito.", - "Manage": "Gerir", - "Manage UniGetUI settings": "Gerir definições do UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Gerir o comportamento de inicialização automática do UniGetUI a partir da aplicação Deffinições do Windows", "Manage ignored packages": "Gerir pacotes ignorados", - "Manage ignored updates": "Gerir atualizações ignoradas", - "Manage shortcuts": "Gerir atalhos", - "Manage telemetry settings": "Gerir definições de telemetria", - "Manage {0} sources": "Gerir {0} fontes", - "Manifest": "Manifesto", "Manifests": "Manifestos", - "Manual scan": "Pesquisa manual", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Gestor de pacotes oficial da Microsoft. Cheio de pacotes conhecidos e verificados.
Contém: Software geral, aplicações da Microsoft Store", - "Missing dependency": "Dependência em falta", - "More": "Mais", - "More details": "Mais detalhes", - "More details about the shared data and how it will be processed": "Mais detalhes acerca dos dados partilhados e de como serão processados", - "More info": "Mais informações", - "More than 1 package was selected": "Mais de 1 pacote foi selecionado", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTA: Esta resolução de problemas pode ser desativada nas definições do UniGetUI, na secção WinGet", - "Name": "Nome", - "New": "Novo", "New Version": "Nova Versão", "New bundle": "Novo conjunto", - "New version": "Nova versão", - "Nice! Backups will be uploaded to a private gist on your account": "Boa! Cópias de segurança vai ser carregada para um gist privado na tua conta", - "No": "Não", - "No applicable installer was found for the package {0}": "Nenhum instalador aplicável foi encontrado para o pacote {0}", - "No dependencies specified": "Sem dependências especificadas", - "No new shortcuts were found during the scan.": "Não foram encontrados novos atalhos durante a pesquisa.", - "No package was selected": "Sem pacotes selecionados", "No packages found": "Nenhum pacote encontrado", "No packages found matching the input criteria": "Não foram encontrados pacotes que correspondam aos critérios de pesquisa ", "No packages have been added yet": "Nenhum pacote foi adicionado ainda", "No packages selected": "Nenhum pacote selecionado", - "No packages were found": "Nenhum pacote encontrado", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nenhuma informação pessoal é coletada nem enviada e, os dados coletados são anonimizados, de modo a que não possam ser rastreados até si.", - "No results were found matching the input criteria": "Nenhum resultado encontrado correspondente aos critérios de pesquisa", "No sources found": "Fontes não encontradas", "No sources were found": "Fontes não encontradas", "No updates are available": "Não há atualizações disponíveis", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Gestor de pacotes do Node JS. Cheio de bibliotecas e outros utilitários no mundo Javascript.
Contém: Bibliotecas Javascript do Node e outros utilitários relacionados", - "Not available": "Não disponível", - "Not finding the file you are looking for? Make sure it has been added to path.": "Não estás a encontrar o ficheiro que estás á procura? Vê se ele foi adicionado ao caminho.", - "Not found": "Não encontrado", - "Not right now": "Agora não", "Notes:": "Observações:", - "Notification preferences": "Preferências de notificações", "Notification tray options": "Opções da área de notificações", - "Notification types": "Tipos de notificação", - "NuPkg (zipped manifest)": "NuPkg (manifesto comprimido)", - "OK": "OK", "Ok": "Ok", - "Open": "Abrir", "Open GitHub": "Abrir GitHub", - "Open UniGetUI": "Abrir UniGetUI", - "Open UniGetUI security settings": "Abre as definições de segurança do UniGetUi", "Open WingetUI": "Abrir UniGetUI", "Open backup location": "Abrir pasta da cópia de segurança", "Open existing bundle": "Abrir conjunto existente", - "Open install location": "Abrir local de instalação", "Open the welcome wizard": "Abrir o assistente de boas-vindas", - "Operation canceled by user": "Operação cancelada pelo utilizador", "Operation cancelled": "Operação cancelada", - "Operation history": "Histórico de operações ", - "Operation in progress": "Operação em andamento", - "Operation on queue (position {0})...": "Operação em fila de espera (posição {0})", - "Operation profile:": "Perfil da operação:", "Options saved": "Opções salvas", - "Order by:": "Ordenar por:", - "Other": "Outro(a)", - "Other settings": "Outras definições", - "Package": "Pacote", - "Package Bundles": "Conjunto de pacotes", - "Package ID": "ID do Pacote", "Package Manager": "Gestor de pacotes", - "Package Manager logs": "Logs do gestor de pacotes", - "Package Managers": "Gestores de pacotes", - "Package Name": "Nome do Pacote", - "Package backup": "Cópia de segurança dos pacotes", - "Package backup settings": "Definições da cópia de segurança de pacotes", - "Package bundle": "Conjunto de pacotes", - "Package details": "Detalhes do pacote", - "Package lists": "Listas de pacotes", - "Package management made easy": "Gestão de pacotes de forma fácil", - "Package manager": "Gestor de pacotes", - "Package manager preferences": "Preferências do gestor de pacotes", "Package managers": "Gestores de pacotes", - "Package not found": "Pacote não encontrado", - "Package operation preferences": "Preferências das operações de pacotes", - "Package update preferences": "Preferências da atualização de pacotes", "Package {name} from {manager}": "Pacote {name} de {manager}", - "Package's default": "Padrão do pacote", "Packages": "Pacotes", "Packages found: {0}": "Pacotes encontrados: {0}", - "Partially": "Parcialmente", - "Password": "Palavra-passe", "Paste a valid URL to the database": "Cole um URL válido na base de dados", - "Pause updates for": "Pausar atualizações por", "Perform a backup now": "Fazer cópia de segurança agora", - "Perform a cloud backup now": "Fazer uma cópia de segurança na nuvem agora", - "Perform a local backup now": "Fazer uma cópia de segurança local agora", - "Perform integrity checks at startup": "Fazer verificações de integridade ao iniciar", - "Performing backup, please wait...": "A fazer cópia de segurança, por favor aguarde...", "Periodically perform a backup of the installed packages": "Fazer cópia de segurança periódica dos pacotes instalados", - "Periodically perform a cloud backup of the installed packages": "Fazer periodicamente uma cópia de segurança na nuvem dos pacotes instalados", - "Periodically perform a local backup of the installed packages": "Fazer periodicamente uma cópia de segurança local dos pacotes instalados", - "Please check the installation options for this package and try again": "Verifique as opções de instalação para este pacote e tente novamente", - "Please click on \"Continue\" to continue": "Por favor clique em \"Continuar\" para continuar", "Please enter at least 3 characters": "Por favor introduza pelo menos 3 caracteres", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Note que alguns pacotes podem não ser instaláveis devido aos gestores de pacotes ativos neste sistema.", - "Please note that not all package managers may fully support this feature": "Por favor tenha em conta que nem todos os gestores de pacotes conseguem suportar totalmente esta funcionalidade ", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Note que pacotes de certas origens podem não ser exportáveis. Eles estão escurecidos e não serão exportados.", - "Please run UniGetUI as a regular user and try again.": "Execute o UniGetUI como um utilizador padrão e tente novamente.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Por fovar, verifique o output da linha de comando ou o Histórico de Operações para obter mais informações sobre o problema.", "Please select how you want to configure WingetUI": "Por favor, selecione como deseja configurar o UniGetUI", - "Please try again later": "Por favor tente novamente mais tarde", "Please type at least two characters": "Por favor, escreva pelo menos dois caracteres", - "Please wait": "Por favor aguarde", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Por favor aguarde enquanto {0} está a ser instalado. Pode aparecer uma janela preta (ou azul). Por favor aguarde até que esta feche.", - "Please wait...": "Por favor, aguarde...", "Portable": "Portátil", - "Portable mode": "Modo portátil", - "Post-install command:": "Comando pós-instalação", - "Post-uninstall command:": "Comando pós-desinstalação", - "Post-update command:": "Comando pós-atualização", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Gestor de pacotes do PowerShell. Encontrar bibliotecas e scripts para expandir os recursos do PowerShell.
Contém: Módulos, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Os comandos de pré e pós-instalação podem fazer coisas muito perigosas ao seu dispositivo, se tiverem sido concebidos para isso. Pode ser muito perigoso importar os comandos de um conjunto de pacotes, a menos que confie na origem desse conjunto.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Os comandos de pré-instalação e pós-instalação serão executados antes e depois de um pacote ser instalado, atualizado ou desinstalado. Tem atenção que estes comandos podem causar problemas caso não sejam utilizados com o devido cuidado.", - "Pre-install command:": "Comando pré-instalação:", - "Pre-uninstall command:": "Comando pré-desinstalação:", - "Pre-update command:": "Comando pré-atualização:", - "PreRelease": "Pré-lançamento", - "Preparing packages, please wait...": "A preparar pacotes, por favor aguarde...", - "Proceed at your own risk.": "Prossiga por sua conta e risco.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Proibir qualquer tipo de Elevação via UniGetUI Elevator ou GSudo", - "Proxy URL": "URL do proxy", - "Proxy compatibility table": "Tabela de compatibilidade de proxy", - "Proxy settings": "Definições de proxy", - "Proxy settings, etc.": "Definições de proxy, etc.", "Publication date:": "Data de publicação:", - "Publisher": "Publicador", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Gestor de bibliotecas do Python. Cheio de bibliotecas Python e outros utilitários relacionados com o Python.
Contém: Bibliotecas Python e utilitários relacionados", - "Quit": "Sair", "Quit WingetUI": "Sair do UniGetUI", - "Ready": "Pronto.", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reduzir os avisos do UAC, elevar as instalações por padrão, desbloqueia certas funcionalidades perigosas, etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Consulte os registos do UniGetUI para obter mais detalhes sobre o(s) ficheiro(s) afetado(s)", - "Reinstall": "Reinstalar", - "Reinstall package": "Reinstalando pacote", - "Related settings": "Definições relacionadas", - "Release notes": "Notas de lançamento", - "Release notes URL": "URL das Notas de lançamento", "Release notes URL:": "URL das notas da versão:", "Release notes:": "Notas da versão:", "Reload": "Recarregar", - "Reload log": "Recarregar log", "Removal failed": "Falha na Remoção", "Removal succeeded": "Remoção bem-sucedida", - "Remove from list": "Remover da lista", "Remove permanent data": "Remover dados permanentes", - "Remove selection from bundle": "Remover seleção do conjunto", "Remove successful installs/uninstalls/updates from the installation list": "Remover instalações/desinstalações/atualizações bem-sucedidas da lista de instalação", - "Removing source {source}": "A remover a fonte {source}", - "Removing source {source} from {manager}": "Remover fonte {source} de {manager}", - "Repair UniGetUI": "Reparar o UniGetUI", - "Repair WinGet": "Reparar WinGet", - "Report an issue or submit a feature request": "Reportar um problema ou submeter um pedido de um recurso", "Repository": "Repositório", - "Reset": "Repor", "Reset Scoop's global app cache": "Repor a cache global de aplicações do Scoop", - "Reset UniGetUI": "Repôr UniGetUI", - "Reset WinGet": "Repôr WinGet", "Reset Winget sources (might help if no packages are listed)": "Repor as fontes do Winget (pode ajudar se nenhum pacote estiver listado)", - "Reset WingetUI": "Repor UniGetUI", "Reset WingetUI and its preferences": "Repor o UniGetUI e as suas preferências", "Reset WingetUI icon and screenshot cache": "Repor a cache de ícones e de capturas de ecrã do UniGetUI", - "Reset list": "Repôr lista", "Resetting Winget sources - WingetUI": "A repor as fontes do Winget - UniGetUI", - "Restart": "Reiniciar", - "Restart UniGetUI": "Reiniciar o UniGetUI", - "Restart WingetUI": "Reiniciar UniGetUI", - "Restart WingetUI to fully apply changes": "Reinicia o UniGetUI para aplicar as alterações", - "Restart later": "Reiniciar mais tarde", "Restart now": "Reiniciar agora", - "Restart required": "É necessário reiniciar", - "Restart your PC to finish installation": "Reinicie o seu computador para concluir a instalação ", - "Restart your computer to finish the installation": "Reinicie o computador para concluir a instalação ", - "Restore a backup from the cloud": "Restaurar uma cópia de segurança da nuvem", - "Restrictions on package managers": "Restrições nos gestores de pacotes", - "Restrictions on package operations": "Restrições nas operações de pacotes", - "Restrictions when importing package bundles": "Restrições quando estiveres a importar bundles dos pacotes", - "Retry": "Nova tentativa", - "Retry as administrator": "Voltar a tentar como administrador", - "Retry failed operations": "Voltar a tentar as operações que falharam", - "Retry interactively": "Voltar a tentar de forma interativa", - "Retry skipping integrity checks": "Voltar a tentar, saltando as verificações de integridade", - "Retrying, please wait...": "A tentar novamente, por favor aguarde...", - "Return to top": "Voltar ao topo", - "Run": "Executar", - "Run as admin": "Executar como administrador", - "Run cleanup and clear cache": "Executar limpeza e limpar cache", - "Run last": "Executar no fim", - "Run next": "Executar a seguir", - "Run now": "Executar agora", + "Restart your PC to finish installation": "Reinicie o seu computador para concluir a instalação ", + "Restart your computer to finish the installation": "Reinicie o computador para concluir a instalação ", + "Retry failed operations": "Voltar a tentar as operações que falharam", + "Retrying, please wait...": "A tentar novamente, por favor aguarde...", + "Return to top": "Voltar ao topo", "Running the installer...": "A executar o instalador...", "Running the uninstaller...": "A executar o desinstalador...", "Running the updater...": "A executar o atualizador...", - "Save": "Guardar", "Save File": "Salvar Ficheiro", - "Save and close": "Salvar e fechar", - "Save as": "Guardar como", "Save bundle as": "Salvar conjunto como", "Save now": "Salvar agora", - "Saving packages, please wait...": "A salvar pacotes, por favor aguarde...", - "Scoop Installer - WingetUI": "Instalador Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Desinstalador Scoop - UniGetUI", - "Scoop package": "Pacote do Scoop", "Search": "Procurar", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Pesquisar software de desktop, avisar-me quando houver atualizações disponíveis e não fazer coisas de nerd. Não quero que o UniGetUI seja complicado, só quero uma loja de software simples", - "Search for packages": "Pesquisar pacotes", - "Search for packages to start": "Pesquisar por pacotes para iniciar", - "Search mode": "Modo de pesquisa", "Search on available updates": "Pesquisar nas atualizações disponíveis", "Search on your software": "Pesquisar nos seus programas", "Searching for installed packages...": "A procurar pacotes instalados...", "Searching for packages...": "A procurar pacotes...", "Searching for updates...": "A procurar atualizações...", - "Select": "Seleccionar", "Select \"{item}\" to add your custom bucket": "Seleciona \"{item}\" para adicionar teu bucket personalizado", "Select a folder": "Seleccionar uma pasta", - "Select all": "Selecionar todos", "Select all packages": "Selecionar todos os pacotes", - "Select backup": "Selecionar cópia de segurança", "Select only if you know what you are doing.": "Selecionar apenas se souber o que está a fazer.", "Select package file": "Selecionar ficheiro de pacote", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Seleciona a cópia de segurança que queres abrir. Mais tarde, vais poder rever quais os pacotes/programas que queres restaurar.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Seleciona o executável que vai ser executado. A lista seguinte mostra os executáveis encontrados pelo UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Seleciona o processo que deve ser terminado antes que este pacote seja instalado, atualizado ou desinstalado.", - "Select the source you want to add:": "Selecionar a fonte que deseja adicionar:", - "Select upgradable packages by default": "Selecione os pacotes atualizáveis por defeito", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Selecionar quais os gestores de pacotes a utilizar ({0}), configurar como os pacotes são instalados, gerir como os direitos de administrador são tratados, etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake enviado. A esperar resposta da instância... ({0}%)", - "Set a custom backup file name": "Definir nome personalizado do ficheiro de cópia de segurança", "Set custom backup file name": "Definir nome personalizado do ficheiro de cópia de segurança", - "Settings": "Definições", - "Share": "Partilhar", "Share WingetUI": "Partilhar UniGetUI", - "Share anonymous usage data": "Partilhar dados de utilização anónimos", - "Share this package": "Partilhar este pacote", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Se modificares as definições de segurança, vais ter de abrir o pacote de novo para que as alterações tenham efeito.", "Show UniGetUI on the system tray": "Mostrar UniGetUI na bandeja do sistema", - "Show UniGetUI's version and build number on the titlebar.": "Mostrar a versão do UniGetUI na barra de título", - "Show WingetUI": "Mostrar o UniGetUI", "Show a notification when an installation fails": "Mostrar uma notificação quando uma instalação falhar", "Show a notification when an installation finishes successfully": "Mostrar uma notificação quando uma instalação for concluída com sucesso", - "Show a notification when an operation fails": "Mostrar uma notificação quando uma operação falha", - "Show a notification when an operation finishes successfully": "Mostrar uma notificação quando uma operação é completada com sucesso", - "Show a notification when there are available updates": "Mostrar uma notificação quando houver atualizações disponíveis", - "Show a silent notification when an operation is running": "Mostrar uma notificação silenciosa quando uma operação está a decorrer", "Show details": "Mostrar detalhes", - "Show in explorer": "Mostrar no explorador", "Show info about the package on the Updates tab": "Mostrar informações sobre o pacote no separador Atualizações", "Show missing translation strings": "Mostrar texto ainda não traduzido", - "Show notifications on different events": "Mostrar notificações sobre eventos diferentes", "Show package details": "Mostrar detalhes do pacote", - "Show package icons on package lists": "Mostrar ícones de pacotes em listas de pacotes", - "Show similar packages": "Mostrar pacotes similares", "Show the live output": "Mostrar o output em tempo real", - "Size": "Tamanho", "Skip": "Ignorar", - "Skip hash check": "Ignorar verificação de hash", - "Skip hash checks": "Ignorar verificações de hash", - "Skip integrity checks": "Ignorar verificações de integridade", - "Skip minor updates for this package": "Ignorar atualizações menores para este pacote", "Skip the hash check when installing the selected packages": "Ignorar a verificação de hash ao instalar os pacotes selecionados", "Skip the hash check when updating the selected packages": "Ignorar a verificação de hash ao atualizar os pacotes selecionados", - "Skip this version": "Ignorar esta versão", - "Software Updates": "Atualizações de Software", - "Something went wrong": "Alguma coisa correu mal", - "Something went wrong while launching the updater.": "Algo correu mal ao iniciar o atualizador.", - "Source": "Fonte", - "Source URL:": "URL da fonte:", - "Source added successfully": "Fonte adicionada com sucesso", "Source addition failed": "Adição da fonte falhou", - "Source name:": "Nome da fonte", "Source removal failed": "Remoção da fonte falhou", - "Source removed successfully": "Fonte removida com sucesso", "Source:": "Fonte:", - "Sources": "Fontes", "Start": "Iniciar", "Starting daemons...": "A iniciar daemons...", - "Starting operation...": "A iniciar a operação...", "Startup options": "Opções de arranque", "Status": "Estado", "Stuck here? Skip initialization": "Preso aqui? Saltar a inicialização", - "Success!": "Sucesso!", "Suport the developer": "Apoiar o programador", "Support me": "Ajude-me", "Support the developer": "Ajude o programador", "Systems are now ready to go!": "Os sistemas estão prontos a funcionar!", - "Telemetry": "Telemetria", - "Text": "Texto", "Text file": "Ficheiro de texto", - "Thank you ❤": "Obrigado ❤", - "Thank you \uD83D\uDE09": "Obrigado \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "O gestor de pacotes Rust.
Contém: Bibliotecas Rust e programas escritos em Rust", - "The backup will NOT include any binary file nor any program's saved data.": "A cópia de segurança NÃO incluirá nenhum ficheiro binário nem dados guardados de nenhum programa.", - "The backup will be performed after login.": "A cópia de segurança será realizada após o login.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "A cópia de segurança incluirá a lista completa dos pacotes instalados e as suas opções de instalação. Atualizações ignoradas e versões ignoradas também serão guardadas.", - "The bundle was created successfully on {0}": "O pacote foi criado com sucesso em {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "O pacote que está a tentar carregar parece ser inválido. Verifique o ficheiro e tente novamente.", + "Thank you 😉": "Obrigado 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "A checksum do instalador não coincide com o valor esperado e a autenticidade do instalador não pode ser verificada. Se confiares no editor, {0} o pacote ignorará a verificação de hash.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "O gestor de pacotes mais conhecido para Windows. Irá encontrar de tudo lá.
Contém: Software Geral", - "The cloud backup completed successfully.": "A cópia de segurança na nuvem foi completa com sucesso.", - "The cloud backup has been loaded successfully.": "A cópia de segurança foi carregada com sucesso.", - "The current bundle has no packages. Add some packages to get started": "O atual conjunto não tem pacotes. Adicione alguns pacotes para começar", - "The executable file for {0} was not found": "O ficheiro executável para {0} não foi encontrado", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "As seguintes opções vão ser aplicadas por padrão cada vez um {0} pacote é instalado, atualizado ou desinstalado.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Os seguintes pacotes serão exportados para um ficheiro JSON. Nenhum dado do utilizador ou ficheiro serão guardados.", "The following packages are going to be installed on your system.": "Os seguintes pacotes serão instalados no sistema.", - "The following settings may pose a security risk, hence they are disabled by default.": "As seguintes configurações podem apresentar risco de segurança, por isso essas estão desabilitadas por padrão.", - "The following settings will be applied each time this package is installed, updated or removed.": "As seguintes configurações serão aplicadas sempre que este pacote for instalado, atualizado ou removido.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "As configurações a seguir serão aplicadas sempre que este pacote for instalado, actualizado ou removido. Elas serão salvas automaticamente.", "The icons and screenshots are maintained by users like you!": "Os ícones e as capturas de ecrã são mantidos por utilizadores como você!", - "The installation script saved to {0}": "O script da instalação foi guardado em {0}", - "The installer authenticity could not be verified.": "Não foi possível verificar a autenticidade do instalador.", "The installer has an invalid checksum": "O instalador tem um checksum inválido", "The installer hash does not match the expected value.": "O hash do instalador não corresponde com o valor expectável.", - "The local icon cache currently takes {0} MB": "A cache de ícones locais ocupa atualmente {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "O objectivo principal deste projecto é criar uma interface de utilizador intuitiva para os gestores de pacotes CLI mais comuns para o Windows, como o Winget e o Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "O pacote \"{0}\" não foi encontrado no gestor de pacotes \"{1}\"", - "The package bundle could not be created due to an error.": "O conjunto de pacotes não pôde ser criado devido a um erro.", - "The package bundle is not valid": "O conjunto de pacotes não é válido", - "The package manager \"{0}\" is disabled": "O gestor de pacotes \"{0}\" está desativado", - "The package manager \"{0}\" was not found": "O gestor de pacotes \"{0}\" não foi encontrado", "The package {0} from {1} was not found.": "O pacote {0} de {1} não foi encontrado.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Os pacotes listados aqui não serão tidos em conta na verificação de atualizações. Clique duas vezes neles ou clique no botão à direita para parar de ignorar suas atualizações.", "The selected packages have been blacklisted": "Os pacotes selecionados foram colocados na lista negra", - "The settings will list, in their descriptions, the potential security issues they may have.": "As definições vão indicar, nas suas descrições, os potenciais problemas de segurança que podem ter.", - "The size of the backup is estimated to be less than 1MB.": "O tamanho da cópia de segurança é estimado em menos de 1 MB.", - "The source {source} was added to {manager} successfully": "A fonte {source} foi adicionada a {manager} com sucesso", - "The source {source} was removed from {manager} successfully": "A fonte {source} foi removida de {manager} com sucesso", - "The system tray icon must be enabled in order for notifications to work": "O ícone da bandeja do sistema deve estar ativo para que as notificações funcionem", - "The update process has been aborted.": "O processo de atualização foi interrompido.", - "The update process will start after closing UniGetUI": "A atualização será iniciada após fechar o UniGetUI", "The update will be installed upon closing WingetUI": "A atualização será instalada depois de sair do UniGetUI", "The update will not continue.": "A atualização não irá continuar.", "The user has canceled {0}, that was a requirement for {1} to be run": "O utilizador cancelou {0}, que era pré-requisito para executar {1}", - "There are no new UniGetUI versions to be installed": "Não existem novas versões do UniGetUI para instalar", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Existem operações em andamento. Sair do UniGetUI pode fazer com que elas falhem. Quer continuar?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Há alguns vídeos ótimos no YouTube que mostram o UniGetUI e os seus recursos. Pode aprender truques e dicas úteis!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Há dois motivos principais para não executar o UniGetUI como administrador: O primeiro é que o gestor de pacotes Scoop pode ter problemas com alguns comandos quando executado com direitos de administrador. O segundo é que executar o UniGetUI como administrador significa que qualquer pacote que descarregue será executado como administrador (o que não é seguro). Lembre-se de que, se necessitar de instalar um pacote específico como administrador, pode sempre clicar com o botão direito do rato no item -> Instalar/Atualizar/Desinstalar como administrador.", - "There is an error with the configuration of the package manager \"{0}\"": "Existe um erro na configuração do gestor de pacotes \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Há uma instalação em andamento. Se fechares o UniGetUI, a instalação poderá falhar e ter resultados inesperados. Ainda desejas sair do UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "São os programas encarregados de instalar, atualizar e remover pacotes.", - "Third-party licenses": "Licenças de terceiros", "This could represent a security risk.": "Isto pode representar um risco de segurança.", - "This is not recommended.": "Isto não é recomendado.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Isto provavelmente deve-se ao facto de que o pacote que recebeu foi removido ou publicado num gestor de pacotes que não foi ativado. O ID recebido é {0}", "This is the default choice.": "Esta é a escolha padrão.", - "This may help if WinGet packages are not shown": "Isto pode ajudar se os pacotes do Winget não forem mostrados", - "This may help if no packages are listed": "Isto pode ajudar se nenhum pacote for listado", - "This may take a minute or two": "Isto pode demorar um minuto ou dois", - "This operation is running interactively.": "Esta operação está a correr de forma interativa.", - "This operation is running with administrator privileges.": "Esta operação está a correr com privilégios de administrador.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Esta opção VAI causar erros. Qualquer operação impossível de elevar-se VAI FALHAR. Instalar/atualizar/desinstalar como administrador NÃO VAI RESULTAR", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Este pacote contém algumas definições que são potencialmente perigosas, e podem ser ignoradas por padrão.", "This package can be updated": "Este pacote pode ser actualizado", "This package can be updated to version {0}": "Este pacote pode ser atualizado para a versão {0}", - "This package can be upgraded to version {0}": "Este pacote pode ser atualizado para a versão {0}", - "This package cannot be installed from an elevated context.": "Este pacote não pode ser instalado a partir de um comando elevado.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Este pacote não possui capturas de ecrã ou o ícone está em falta? Contribua para o UniGetUI adicionando os ícones e capturas de ecrã ausentes à nossa base de dados pública e aberta.", - "This package is already installed": "Este pacote já está instalado", - "This package is being processed": "Este pacote está a ser processado", - "This package is not available": "Este pacote não está disponível", - "This package is on the queue": "Este pacote está na fila", "This process is running with administrator privileges": "Este processo está a ser executado com privilégios de administrador", - "This project has no connection with the official {0} project — it's completely unofficial.": "Este projeto não tem nenhuma relação com o projeto oficial do {0} — é totalmente não oficial.", "This setting is disabled": "Esta definição está desativada", "This wizard will help you configure and customize WingetUI!": "Este assistente ajudá-lo-á a configurar e personalizar o UniGetUI!", "Toggle search filters pane": "Mostrar/esconder painel de filtros de pesquisa", - "Translators": "Tradutores", - "Try to kill the processes that refuse to close when requested to": "Tenta matar os processos que se recusam a fechar após pedido", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Ativar isto permite alterar o ficheiro executável usado para interagir com os gestores de pacotes. Embora dê mais controlo sobre o processo de instalação, também pode ser perigoso.", "Type here the name and the URL of the source you want to add, separed by a space.": "Escreva aqui o nome e a URL da fonte que deseja adicionar, separados por um espaço.", "Unable to find package": "Não foi possível encontrar o pacote", "Unable to load informarion": "Não foi possível carregar as informações", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "O UniGetUI coleta dados de uso anónimos para melhorar a experiência do utilizador.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "O UniGetUI coleta dados de utilização anónimos com o único propósito de compreender e melhor a experiência do utilizador.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "O UniGetUI detetou um novo atalho no ambiente de trabalho que pode ser eliminado automaticamente.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "O UniGetUI detetou os seguintes atalhos na área de trabalho que podem ser removidos automaticamente em futuras atualizações", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "O UniGetUI detetou {0} novos atalhos na área de trabalho que podem ser eliminados automaticamente.", - "UniGetUI is being updated...": "O UniGetUI está a ser atualizado...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "O UniGetUI não está relacionado com nenhum gestor de pacotes compatível. O UniGetUI é um projeto independente.", - "UniGetUI on the background and system tray": "Manter o UniGetUI no fundo e na bandeja do sistema", - "UniGetUI or some of its components are missing or corrupt.": "O UniGetUI ou alguns dos seus componentes estão a faltar ou corrompidos.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "O UniGetUI requer {0} para operar, mas não foi encontrado no seu sistema.", - "UniGetUI startup page:": "Página inicial do UniGetUI:", - "UniGetUI updater": "Atualizador do UniGetUI", - "UniGetUI version {0} is being downloaded.": "A versão {0} do UniGetUI está a ser descarregada.", - "UniGetUI {0} is ready to be installed.": "O UniGetUI {0} está pronto para ser instalado.", - "Uninstall": "Desinstalar", - "Uninstall Scoop (and its packages)": "Desinstalar o Scoop (e os seus pacotes)", "Uninstall and more": "Desinstalar e mais", - "Uninstall and remove data": "Desinstalar e remover dados", - "Uninstall as administrator": "Desinstalar como administrador", "Uninstall canceled by the user!": "Desinstalação cancelada pelo utilizador!", - "Uninstall failed": "Desinstalação falhou", - "Uninstall options": "Opções de desinstalação", - "Uninstall package": "Desinstalar pacote", - "Uninstall package, then reinstall it": "Desinstalar pacote e depois reinstalar", - "Uninstall package, then update it": "Desinstalar pacote e depois atualizar", - "Uninstall previous versions when updated": "Desinstalar versões anteriores quando atualizar", - "Uninstall selected packages": "Desinstalar selecionados", - "Uninstall selection": "Desinstalar seleção", - "Uninstall succeeded": "Desinstalação bem-sucedida", "Uninstall the selected packages with administrator privileges": "Desinstalar os pacotes selecionados com privilégios de administrador", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Pacotes desinstaláveis com a fonte listada como \"{0}\" não foram publicados em nenhum gestor de pacotes, não há informações disponíveis para mostrar sobre eles.", - "Unknown": "Desconhecido", - "Unknown size": "Tamanho desconhecido", - "Unset or unknown": "Não selecionado ou desconhecido", - "Up to date": "Atualizado", - "Update": "Atualizar", - "Update WingetUI automatically": "Atualizar o UniGetUI automaticamente", - "Update all": "Atualizar todos", "Update and more": "Atualizar e mais", - "Update as administrator": "Atualizar como administrador", - "Update check frequency, automatically install updates, etc.": "Frequência de busca de atualizações, instalar atualizações automaticamente, etc.", - "Update checking": "A rever atualizações", "Update date": "Data de atualização\n", - "Update failed": "Atualização falhou", "Update found!": "Atualização encontrada!", - "Update now": "Atualizar agora", - "Update options": "Opções de atualização", "Update package indexes on launch": "Atualizar os indíces dos pacotes ao iniciar", "Update packages automatically": "Atualizar pacotes automaticamente", "Update selected packages": "Atualizar pacotes selecionados", "Update selected packages with administrator privileges": "Atualizar os pacotes selecionados com privilégios de administrador", - "Update selection": "Atualizar seleção", - "Update succeeded": "Atualização bem-sucedida", - "Update to version {0}": "Atualizar para a versão {0}", - "Update to {0} available": "Atualização para {0} disponível", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Atualizar os portfiles Git do vcpkg automaticamente (requer Git instalado)", "Updates": "Atualizações", "Updates available!": "Atualizações disponíveis!", - "Updates for this package are ignored": "As atualizações para este pacote estão a ser ignoradas", - "Updates found!": "Atualizações encontradas!", "Updates preferences": "Preferências de atualização", "Updating WingetUI": "A atualizar o UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Utiliza os CMDlets originais incluídos no WinGet em vez dos CMDlets do PowerShell", - "Use a custom icon and screenshot database URL": "Utilizar uma base de dados de ícones e capturas de ecrã personalizada", "Use bundled WinGet instead of PowerShell CMDlets": "Utilize os CMDlets incluídos no WinGet em vez dos CMDlets do PowerShell", - "Use bundled WinGet instead of system WinGet": "Utilizar o WinGet da aplicação UnigetUI em vez do WinGet do sistema", - "Use installed GSudo instead of UniGetUI Elevator": "Usar GSudo instalado em vez do UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Utilizar o GSudo instalado em vez do incluído (é necessário reiniciar)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Usar o UniGetUI Elevator legado (pode ajudar se tiveres erros com o UniGetUI Elevator)", - "Use system Chocolatey": "Utilizar do Chocolatey do sistema", "Use system Chocolatey (Needs a restart)": "Utilizar o Chocolatey do sistema (é necessário reiniciar)", "Use system Winget (Needs a restart)": "Utilizar o Winget do sistema (é necessário reiniciar)", "Use system Winget (System language must be set to english)": "Utilize o Winget do sistema (o idioma do sistema deve estar definido como Inglês)", "Use the WinGet COM API to fetch packages": "Use a API COM do WinGet para pesquisar pacotes", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Utilizar o módulo PowerShell WinGet da aplicação UnigetUI em vez da API COM do WinGet do sistema", - "Useful links": "Links úteis", "User": "Utilizador", - "User interface preferences": "Preferências da interface do utilizador", "User | Local": "Utilizador | Local", - "Username": "Nome de utilizador", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "A utilização do UniGetUI implica a aceitação da Licença GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "A utilização do UniGetUI implica a aceitação da Licença MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "A raiz do vcpkg não foi encontrada. Defina a variável de ambiente %VCPKG_ROOT% ou defina-a nas definições do UniGetUI", "Vcpkg was not found on your system.": "Vcpkg não foi encontrado no seu sistema.", - "Verbose": "Detalhado", - "Version": "Versão", - "Version to install:": "Versão para instalar:", - "Version:": "Versão:", - "View GitHub Profile": "Ver perfil GitHub", "View WingetUI on GitHub": "Visualizar o UniGetUI no GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Veja o código-fonte do UniGetUI. A partir daí, pode reportar bugs ou sugerir funcionalidades, ou mesmo contribuir directamente para o projeto do UniGetUI", - "View mode:": "Modo de visualização:", - "View on UniGetUI": "Ver no UniGetUI", - "View page on browser": "Ver página no Browser", - "View {0} logs": "Ver {0} registos", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Aguardar que o dispositivo esteja ligado à internet antes de tentar executar tarefas que requerem conexão à internet.", "Waiting for other installations to finish...": "A aguardar a conclusão das outras instalações...", "Waiting for {0} to complete...": "Aguardando que {0} termine...", - "Warning": "Atenção", - "Warning!": "Aviso!", - "We are checking for updates.": "Estamos a verificar atualizações.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Não foi possível carregar informações detalhadas sobre este pacote, porque ele não foi encontrado em nenhuma das suas fontes de pacotes", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Não foi possível carregar informações detalhadas sobre este pacote, porque ele não foi instalado a partir de um gestor de pacotes disponível.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Não foi possível {action} o {package}. Por favor, tenta novamente mais tarde. Clica em \"{showDetails}\" para obter os logs do instalador.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Não foi possível {action} {package}. Por favor, tenta novamente mais tarde. Clica em \"{showDetails}\" para obter os logs do desinstalador.", "We couldn't find any package": "Não foi encontrado nenhum pacote", "Welcome to WingetUI": "Bem-vindo ao UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Ao instalar pacotes em lote a partir de um conjunto, instalar também pacotes que já estão instalados", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Quando novos atalhos são detetados, apagá-los automaticamente em vez de mostrar este diálogo.", - "Which backup do you want to open?": "Que cópia de segurança quer abrir?", "Which package managers do you want to use?": "Quais gestores de pacotes deseja utilizar?", "Which source do you want to add?": "Qual fonte deseja adicionar?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Embora o Winget possa ser usado no WingetUI (nome antigo), o UniGetUI pode ser usado com outros gestores de pacotes, o que pode ser confuso. No passado, o WingetUI (nome antigo) foi projetado para funcionar apenas com o Winget, mas isso já não é verdade e, portanto, o nome WingetUI não representa o que este projeto pretende ser.", - "WinGet could not be repaired": "O WinGet não pôde ser reparado", - "WinGet malfunction detected": "Detetado erro no funcionamento do Winget", - "WinGet was repaired successfully": "O WinGet foi reparado com sucesso", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Está tudo atualizado", "WingetUI - {0} updates are available": "UniGetUI - {0} atualizações disponíveis", "WingetUI - {0} {1}": "UniGetUI - {1} de {0}", - "WingetUI Homepage": "Página do UniGetUI", "WingetUI Homepage - Share this link!": "Página do UniGetUI - Partilha este link", - "WingetUI License": "Licença UniGetUI", - "WingetUI Log": "Log do UniGetUI", - "WingetUI Repository": "Repositório UniGetUI", - "WingetUI Settings": "Definições", "WingetUI Settings File": "Ficheiro de definições do UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI usa as seguintes bibliotecas. Sem elas, o UniGetUI não teria sido possível.", - "WingetUI Version {0}": "Versão UniGetUI {0}", "WingetUI autostart behaviour, application launch settings": "Comportamento de arranque automático do UniGetUI, definições de arranque da aplicação", "WingetUI can check if your software has available updates, and install them automatically if you want to": "O UniGetUI pode verificar se o teu software tem atualizações disponíveis, e instalá-las automaticamente.", - "WingetUI display language:": "Idioma de exibição do UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "O UniGetUI foi executado como administrador, o que não é recomendado. Ao executar o UniGetUI como administrador, TODAS as operações iniciadas a partir do UniGetUI terão privilégios de administrador. Ainda pode usar o programa, mas é altamente recomendável não executar o UniGetUI com privilégios de administrador.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "O UniGetUI foi traduzido para mais de 40 idiomas graças a tradutores voluntários. Obrigado \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "O UniGetUI não foi traduzido por serviços de tradução automáticos! Os seguintes utilizadores foram responsáveis pelas traduções:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "O UniGetUI é uma aplicação que facilita a gestão do seu software, fornecendo uma interface gráfica completa para os seus gestores de pacotes de linha de comandos.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI será renomeado para enfatizar a diferença entre UniGetUI (a interface que está a usar agora) e Winget (um gestor de pacotes desenvolvido pela Microsoft com a qual não tenho relação)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI está a ser atualizado. Quando terminar, o UniGetUI será reiniciado automaticamente", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "O UniGetUI é gratuito e será gratuito para sempre. Sem anúncios, sem necessidade de cartão de crédito, sem versão premium. 100% grátis, para sempre.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "O UniGetUI mostrará um prompt do UAC sempre que um pacote exigir elevação para ser instalado.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "O WingetUI em breve será renomeado para {newname}. Isto não representará nenhuma alteração na aplicação. Eu (o programador) continuarei o desenvolvimento deste projeto como atualmente, mas com um nome diferente.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "O UniGetUI não teria sido possível sem a ajuda dos nossos queridos colaboradores. Espreite os seus perfis no GitHub, o UniGetUI não seria possível sem eles!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "O UniGetUI não teria sido possível sem a ajuda dos seus colaboradores. Obrigado a todos \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} está pronto para ser instalado", - "Write here the process names here, separated by commas (,)": "Escreve aqui o nome(s) do(s) processo(s), separado por virgulas (,)", - "Yes": "Sim", - "You are logged in as {0} (@{1})": "Tem sessão iniciada como {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Pode alterar este comportamento nas definições de segurança do UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Tu consegues definir os comandos que vão ser executados antes e depois que este pacote é instalado, atualizado ou desinstalado. Eles vão ser executados em uma linha de comandos, então scripts de CMD vão funcionar aqui.", - "You have currently version {0} installed": "Tem atualmente a versão {0} instalada", - "You have installed WingetUI Version {0}": "Instalou o UniGetUI versão {0}", - "You may lose unsaved data": "Poderá perder dados não guardados", - "You may need to install {pm} in order to use it with WingetUI.": "Pode ser necessário instalar {pm} para ser possível usá-lo com o UniGetUI.", "You may restart your computer later if you wish": "Pode reiniciar o computador mais tarde, se desejar", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Será solicitado apenas uma vez e os direitos de administrador serão concedidos aos pacotes que os solicitarem.", "You will be prompted only once, and every future installation will be elevated automatically.": "Será solicitado apenas uma vez, e todas as instalações futuras serão elevadas automaticamente.", - "You will likely need to interact with the installer.": "Provavelmente terá de interagir com o instalador.", - "[RAN AS ADMINISTRATOR]": "EXECUTADO COMO ADMINISTRADOR", "buy me a coffee": "comprar-me um café", - "extracted": "extraído", - "feature": "funcionalidade", "formerly WingetUI": "anteriormente WingetUI", "homepage": "Página de Internet", "install": "instalar", "installation": "instalação", - "installed": "instalado", - "installing": "A instalar", - "library": "biblioteca", - "mandatory": "obrigatório", - "option": "opção", - "optional": "opcional", "uninstall": "desinstalar", "uninstallation": "desinstalação", "uninstalled": "desinstalado", - "uninstalling": "a desinstalar", "update(noun)": "atualização", "update(verb)": "atualizar", "updated": "atualizado", - "updating": "a atualizar", - "version {0}": "versão {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} opções de instalação estão de momento bloqueadas porque {0} respeita as opções de instalação padrão.", "{0} Uninstallation": "Desinstalação do {0}", "{0} aborted": "{0} abortada", "{0} can be updated": "{0} pode ser atualizado", - "{0} can be updated to version {1}": "{0} pode ser atualizado para a versão {1}", - "{0} days": "{0} dias", - "{0} desktop shortcuts created": "{0} atalhos de ambiente de trabalho criados", "{0} failed": "{0} fracassou", - "{0} has been installed successfully.": "{0} foi instalado com sucesso.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} foi instalado com sucesso. É recomendável reiniciar o UniGetUI para terminar a instalação", "{0} has failed, that was a requirement for {1} to be run": "{0} falhou, era um pré-requisito para executar {1}", - "{0} homepage": "{0} página inicial", - "{0} hours": "{0} horas", "{0} installation": "Instalação do {0}", - "{0} installation options": "{0} opções de instalação", - "{0} installer is being downloaded": "O instalador {0} está a ser descarregado", - "{0} is being installed": "{0} está a ser instalado", - "{0} is being uninstalled": "{0} está a ser desinstalado", "{0} is being updated": "{0} está a ser atualizado", - "{0} is being updated to version {1}": "{0} está a ser atualizado para a versão {1}", - "{0} is disabled": "O {0} está desativado", - "{0} minutes": "{0} minutos", "{0} months": "{0} meses", - "{0} packages are being updated": "{0} pacotes estão a ser atualizados", - "{0} packages can be updated": "{0} pacotes podem ser atualizados", "{0} packages found": "{0} pacotes encontrados", "{0} packages were found": "{0} pacotes foram encontrados", - "{0} packages were found, {1} of which match the specified filters.": "{0} pacotes foram encontrados, {1} dos quais correspondem aos filtros especificados", - "{0} selected": "{0} selecionados", - "{0} settings": "Definições de {0}", - "{0} status": "Status de {0}", "{0} succeeded": "{0} bem-sucedida", "{0} update": "Atualização do {0}", - "{0} updates are available": "{0} atualizações disponíveis", "{0} was {1} successfully!": "{0} foi {1} com sucesso!", "{0} weeks": "{0} semanas", "{0} years": "{0} anos", "{0} {1} failed": "A {1} de {0} falhou", - "{package} Installation": "{package} Installação", - "{package} Uninstall": "{package} Desinstalar", - "{package} Update": "{package} Atualizar", - "{package} could not be installed": "{package} não pôde ser instalado.", - "{package} could not be uninstalled": "{package} não pôde ser desinstalado.", - "{package} could not be updated": "{package} não pôde ser atualizado.", "{package} installation failed": "{package} instalação falhou.", - "{package} installer could not be downloaded": "Não foi possível descarregar o instalador do {package}", - "{package} installer download": "Descarregar instalador do {package}", - "{package} installer was downloaded successfully": "O instalador do {package} foi descarregado com sucesso", "{package} uninstall failed": "Desinstalação de {package} falhou.", "{package} update failed": "Atualização de {package} falhou.", "{package} update failed. Click here for more details.": "Atualização de {package} falhou. Clique aqui para mais informações.", - "{package} was installed successfully": "{package} foi instalado com sucesso", - "{package} was uninstalled successfully": "{package} foi desinstalado com sucesso", - "{package} was updated successfully": "{package} foi atualizado com sucesso", - "{pcName} installed packages": "{pcName} pacotes instaldos", "{pm} could not be found": "{pm} não foi encontrado", "{pm} found: {state}": "{pm} encontrado: {state}", - "{pm} is disabled": "{pm} está desativado", - "{pm} is enabled and ready to go": "{pm} está ativo e pronto a funcionar", "{pm} package manager specific preferences": "Preferências específicas do gestor de pacotes {pm}", "{pm} preferences": "Preferências do {pm}", - "{pm} version:": "{pm} versão:", - "{pm} was not found!": "{pm} não foi encontrado!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Olá, o meu nome é Martí, e sou o programador do UniGetUI. O UniGetUI foi feito inteiramente no meu tempo livre!", + "Thank you ❤": "Obrigado ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Este projeto não tem nenhuma relação com o projeto oficial do {0} — é totalmente não oficial." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ro.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ro.json index 831b782000..d14bee8174 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ro.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ro.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operație în curs", + "Please wait...": "Te rog așteaptă...", + "Success!": "Succes!", + "Failed": "Eșuat", + "An error occurred while processing this package": "A apărut o eroare în timpul procesării acestui pachet", + "Log in to enable cloud backup": "Autentifică-te pentru a activa backup în cloud", + "Backup Failed": "Backup-ul a eșuat", + "Downloading backup...": "Se descarcă copia de siguranță...", + "An update was found!": "A fost găsită o actualizare!", + "{0} can be updated to version {1}": "{0} poate fi actualizat la versiunea {1}", + "Updates found!": "Actualizări găsite!", + "{0} packages can be updated": "{0} pachete pot fi actualizate", + "You have currently version {0} installed": "Versiunea curentă instalată este {0}", + "Desktop shortcut created": "Scurtătură pe spațiul de lucru creată", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI a detectat o nouă scurtătură pe spațiul de lucru care poate fi ștearsă automat.", + "{0} desktop shortcuts created": "{0} scurtături create pe spațiul de lucru", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI a detectat {0} noi scurtături pe spațiul de lucru care pot fi șterse automat.", + "Are you sure?": "Ești sigur?", + "Do you really want to uninstall {0}?": "Chiar dorești să dezinstalezi {0}?", + "Do you really want to uninstall the following {0} packages?": "Sigur dorești să dezinstalezi următoarele {0} pachete?", + "No": "Nu", + "Yes": "Da", + "View on UniGetUI": "Vezi în UniGetUI", + "Update": "Actualizează", + "Open UniGetUI": "Deschide UniGetUI", + "Update all": "Actualizează tot", + "Update now": "Actualizează acum", + "This package is on the queue": "Acest pachet este pus în coadă", + "installing": "instalează", + "updating": "se actualizează", + "uninstalling": "se dezinstalează", + "installed": "instalat", + "Retry": "Reîncearcă", + "Install": "Instalează", + "Uninstall": "Dezinstalează", + "Open": "Deschide", + "Operation profile:": "Profil operațiuni:", + "Follow the default options when installing, upgrading or uninstalling this package": "Urmează opțiunile implicite la instalarea, actualizarea sau dezinstalarea acestui pachet.", + "The following settings will be applied each time this package is installed, updated or removed.": "Următoarele setări vor fi aplicate de fiecare dată când acest pachet este instalat, actualizat sau eliminat.", + "Version to install:": "Versiune de instalat:", + "Architecture to install:": "Arhitectura de instalat:", + "Installation scope:": "Domeniu instalare:", + "Install location:": "Locația instalării:", + "Select": "Selectează", + "Reset": "Resetează", + "Custom install arguments:": "Argumente de instalare personalizate:", + "Custom update arguments:": "Argumente de actualizare personalizate:", + "Custom uninstall arguments:": "Argumente de dezinstalare personalizate:", + "Pre-install command:": "Comandă pre-instalare:", + "Post-install command:": "Comandă post-instalare:", + "Abort install if pre-install command fails": "Anulează instalarea dacă comanda pre-instalare eșuează.", + "Pre-update command:": "Comandă pre-actualizare:", + "Post-update command:": "Comandă post-actualizare:", + "Abort update if pre-update command fails": "Anulează actualizarea dacă comanda pre-actualizării eșuează.", + "Pre-uninstall command:": "Comandă pre-dezinstalare:", + "Post-uninstall command:": "Comandă post-dezinstalare:", + "Abort uninstall if pre-uninstall command fails": "Anulează dezinstalarea dacă comanda pre-dezinstalare eșuează.", + "Command-line to run:": "Linia de comandă de rulat:", + "Save and close": "Salvează și închide", + "Run as admin": "Rulează ca administrator", + "Interactive installation": "Instalare interactivă", + "Skip hash check": "Omite verificarea sumei de control", + "Uninstall previous versions when updated": "Dezinstalează versiunile anterioare la actualizare", + "Skip minor updates for this package": "Omite actualizări minore pentru acest pachet", + "Automatically update this package": "Actualizează pachetele automat", + "{0} installation options": "Opțiuni instalare {0}", + "Latest": "Ultima", + "PreRelease": "Versiune preliminară", + "Default": "Implicit", + "Manage ignored updates": "Administrează actualizările ignorate", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pachetele enumerate aici nu vor fi luate în considerare la verificarea actualizărilor. Fă dublu clic pe ele sau fă clic pe butonul din dreapta lor pentru a nu mai mai ignora actualizările.", + "Reset list": "Resetează lista", + "Package Name": "Nume pachet", + "Package ID": "ID pachet", + "Ignored version": "Versiune ignorată", + "New version": "Versiune nouă", + "Source": "Sursă", + "All versions": "Toate versiunile", + "Unknown": "Necunoscut", + "Up to date": "La zi", + "Cancel": "Anulează", + "Administrator privileges": "Privilegii administrator", + "This operation is running with administrator privileges.": "Această operație este rulată cu privilegii de administrator.", + "Interactive operation": "Operație interactivă", + "This operation is running interactively.": "Această operație este rulată interactiv.", + "You will likely need to interact with the installer.": "S-ar putea să trebuiască să interacționezi cu instalatorul.", + "Integrity checks skipped": "Verificările de integritate au fost omise", + "Proceed at your own risk.": "Continuă pe riscul tău.", + "Close": "Închide", + "Loading...": "Se încarcă...", + "Installer SHA256": "Instalator SHA256", + "Homepage": "Pagina principală", + "Author": "Autor", + "Publisher": "Editor", + "License": "Licență", + "Manifest": "Fișier manifest", + "Installer Type": "Tip Instalator", + "Size": "Dimensiune", + "Installer URL": "Instalator URL", + "Last updated:": "Ultima dată actualizat:", + "Release notes URL": "URL informații versiune", + "Package details": "Detalii pachet", + "Dependencies:": "Dependințe:", + "Release notes": "Informații versiune", + "Version": "Versiune", + "Install as administrator": "Instalează ca administrator", + "Update to version {0}": "Actualizează la versiunea {0}", + "Installed Version": "Versiune instalată", + "Update as administrator": "Actualizează ca administrator", + "Interactive update": "Actualizare interactivă", + "Uninstall as administrator": "Dezinstalează ca administrator", + "Interactive uninstall": "Dezinstalare interactivă", + "Uninstall and remove data": "Dezinstalează și elimină datele", + "Not available": "Indisponibil", + "Installer SHA512": "Instalator SHA512", + "Unknown size": "Mărime necunoscută", + "No dependencies specified": "Nicio dependință specificată", + "mandatory": "obligatoriu", + "optional": "opțional", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} este gata pentru a fi instalat.", + "The update process will start after closing UniGetUI": "Procesul de actualizare va porni după închiderea UniGetUI", + "Share anonymous usage data": "Partajează date de utilizare anonime", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI colectează date de utilizare anonime pentru a îmbunătăți experiența utilizatorilor.", + "Accept": "Acceptă", + "You have installed WingetUI Version {0}": "Ai instalat UniGetUI versiunea {0}", + "Disclaimer": "Negarea responsabilității", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nu este înrudit cu niciunul dintre managerele de pachete. UniGetUI este un proiect independent.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI nu ar fi fost posibil fără ajutorul contribuitorilor. Mulțumesc vouă, tuturor 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI folosește următoarele biblioteci. Fără acestea, UniGetUI nu ar fi fost existat.", + "{0} homepage": "Pagina principală a {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI a fost tradus în mai mult de 40 de limbi mulțumită voluntarilor. Mulțumesc🤝", + "Verbose": "Verbos", + "1 - Errors": "1 - Erori", + "2 - Warnings": "2 - Avertismente", + "3 - Information (less)": "3 - Informații (mai puține)", + "4 - Information (more)": "4 - Informații (mai multe)", + "5 - information (debug)": "5 - Informații (pentru depanare)", + "Warning": "Avertizare", + "The following settings may pose a security risk, hence they are disabled by default.": "Următoarele setări pot reprezenta un risc de securitate, de aceea sunt implicit dezactivate.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activează setările de mai jos numai și numai dacă înțelegi deplin ceea ce fac și implicațiile pe care le pot avea.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Setările vor lista, în descrierile lor, problemele potențiale de securitate pe care le pot introduce.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Copia de siguranță va include lista completă a pachetelor instalate și opțiunile lor de instalare. Actualizările ignorate și versiunile omise vor fi salvate de asemenea.", + "The backup will NOT include any binary file nor any program's saved data.": "Copia de siguranță NU va conține fișiere binare sau salvări ale datelor programului.", + "The size of the backup is estimated to be less than 1MB.": "Dimensiunea copiei de siguranță este estimată a fi sub 1MB.", + "The backup will be performed after login.": "Copia de siguranță va fi făcută după autentificare.", + "{pcName} installed packages": "Pachete instalate {pcName}", + "Current status: Not logged in": "Stare curentă: Neautentificat", + "You are logged in as {0} (@{1})": "Ești autentificat ca {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Fain! Backup-urile se vor încărca automat într-un gist privat în contul tău", + "Select backup": "Alege backup", + "WingetUI Settings": "Setări UniGetUI", + "Allow pre-release versions": "Permite versiuni beta", + "Apply": "Aplică", + "Go to UniGetUI security settings": "Mergi la setările de securitate UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Următoarele opțiuni vor fi aplicate implicit de fiecare dată când un pachet {0} este instalat, actualizat sau dezinstalat.", + "Package's default": "Implicitele pachetului", + "Install location can't be changed for {0} packages": "Locația instalării nu poate fi schimbată pentru pachetele {0}", + "The local icon cache currently takes {0} MB": "Cache-ul de pictograme local ocupă {0}MO", + "Username": "Nume utilizator", + "Password": "Parolă", + "Credentials": "Acreditări", + "Partially": "Parțial", + "Package manager": "Manager de pachete", + "Compatible with proxy": "Compatibil cu proxy", + "Compatible with authentication": "Compatibil cu autentificarea", + "Proxy compatibility table": "Tabel compatibilitate proxy", + "{0} settings": "Setări {0}", + "{0} status": "Stare {0}", + "Default installation options for {0} packages": "Opțiunile implicite de instalare pentru pachete {0}", + "Expand version": "Extinde versiunea", + "The executable file for {0} was not found": "Fișierul executabil pentru {0} nu a fost găsit", + "{pm} is disabled": "{pm} este dezactivat", + "Enable it to install packages from {pm}.": "Activează-l pentru a instala pachete de la {pm}.", + "{pm} is enabled and ready to go": "{pm} este activat și gata de lucru", + "{pm} version:": "{pm} versiunea:", + "{pm} was not found!": "{pm} nu a fost găsit!", + "You may need to install {pm} in order to use it with WingetUI.": "Ar putea fi necesar să instalezi {pm} pentru a-l utiliza cu UniGetUI.", + "Scoop Installer - WingetUI": "Instalator Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Dezinstalator Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Se curăță cache-ul pentru Scoop - UniGetUI", + "Restart UniGetUI": "Repornește UniGetUI", + "Manage {0} sources": "Administrează {0} surse", + "Add source": "Adaugă sursă", + "Add": "Adaugă", + "Other": "Altele", + "1 day": "1 zi", + "{0} days": "{0} zile", + "{0} minutes": "{0} minute", + "1 hour": "o oră", + "{0} hours": "{0} ore", + "1 week": "o săptămână", + "WingetUI Version {0}": "Versiunea UniGetUI {0}", + "Search for packages": "Caută pachete", + "Local": "La nivel local", + "OK": "Bine", + "{0} packages were found, {1} of which match the specified filters.": "{0} pachete au fost găsite, dintre care {1} se potrivesc cu filtrele specificate.", + "{0} selected": "{0} selectate", + "(Last checked: {0})": "(Ultima verificare: {0})", + "Enabled": "Activat", + "Disabled": "Dezactivat", + "More info": "Mai multe informații", + "Log in with GitHub to enable cloud package backup.": "Autentifică-te cu GitHub pentru a activa backup de pachete în cloud.", + "More details": "Mai multe detalii", + "Log in": "Autentifică-te", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Dacă ai activat backup în cloud, acesta va fi salvat ca un GitHub Gist în acest cont", + "Log out": "Deconectează-te", + "About": "Despre", + "Third-party licenses": "Licențe terțe", + "Contributors": "Contribuitori", + "Translators": "Traducători", + "Manage shortcuts": "Administrează scurtăturile", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI a detectat următoarele scurtături pe spațiul de lucru care pot fi șterse automat la actualizările viitoare", + "Do you really want to reset this list? This action cannot be reverted.": "Chiar vrei să resetezi această listă? Această acțiune nu poate fi anulată.", + "Remove from list": "Elimină din listă", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Când noi scurtături sunt detectate, șterge-le automat în loc de a arăta acest dialog.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI colectează date de utilizare anonime cu unicul scop de a înțelege și a îmbunătăți experiența utilizatorilor.", + "More details about the shared data and how it will be processed": "Mai multe detalii despre datele partajate și cum vor fi acestea procesate", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepți ca UniGetUI să colecteze și să trimită statistici de utilizare anonime, cu unicul scop de a înțelege și îmbunătăți experiența utilizatorilor?", + "Decline": "Refuză", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nicio informație personală nu este colectată sau trimisă, iar datele colectate sunt anonimizate, deci nu pot fi asociate cu tine.", + "About WingetUI": "Despre UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI este o aplicație care face managementul software-ului instalat mai ușor aducând o interfață grafică comună tuturor managerelor de pachete în linie de comandă.", + "Useful links": "Legături utile", + "Report an issue or submit a feature request": "Raportează o problemă sau creează o cerere pentru o funcție nouă", + "View GitHub Profile": "Vezi profil GitHub", + "WingetUI License": "Licență UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Folosirea UniGetUI implică acceptarea licenței MIT.", + "Become a translator": "Devino un traducător", + "View page on browser": "Vezi pagina în navigatorul web", + "Copy to clipboard": "Copiază în clipboard", + "Export to a file": "Exportă într-un fișier", + "Log level:": "Nivel jurnalizare:", + "Reload log": "Reîncarcă jurnalul", + "Text": "Textual", + "Change how operations request administrator rights": "Schimbă modul cum operațiile cer drepturi de administrator", + "Restrictions on package operations": "Restricții asupra operațiilor cu pachete", + "Restrictions on package managers": "Restricții asupra managerilor de pachete", + "Restrictions when importing package bundles": "Restricții la importarea grupurilor de pachete", + "Ask for administrator privileges once for each batch of operations": "Solicită drepturi de administrator o singură dată pentru fiecare serie de operații", + "Ask only once for administrator privileges": "Cere doar o singură dată drepturi de administrator", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Interzice orice tip de elevare via elevatorul UniGetUI sau GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Această opțiune VA cauza probleme. Orice operație incapabilă de a se eleva singură VA EȘUA. Instalarea/actualizarea/dezinstalarea ca administrator NU VA FUNCȚIONA.", + "Allow custom command-line arguments": "Permite argumente personalizate în linia de comandă", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumentele personalizate în linie de comandă pot schimba modul în care programul este instalat, actualizat sau dezinstalat într-un mod pe care UniGetUI nu îl poate controla. Folosind argumente în linie de comandă poate strica pachetele. Continuă cu atenție.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permiteți rularea comenzilor personalizate de pre-instalare și post-instalare", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Comenzile pre și post instalare vor fi rulate înainte și după ce un pachet a fost instalat, actualizat sau dezinstalat. Fii conștient că acestea pot strica lucruri dacă nu sunt utilizate cu grijă.", + "Allow changing the paths for package manager executables": "Permite schimbarea căilor pentru executabilele managerilor de pachete", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activarea acestei opțiuni permite schimbarea fișierului executabil folosit pentru a interacționa cu managerii de pachete. Deși acest lucru permite personalizare mai detaliată a procesului de instalare, ar putea de asemenea să fie periculos.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Permite importarea argumentelor personalizate în linia de comandă la importarea pachetelor dintr-un grup", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentele în linie de comandă malformate pot strica pachetele sau chiar permite unui actor malițios să obțină acces privilegiat. Așadar, importarea argumentelor personalizate în linie de comandă este implicit dezactivată.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permite importarea comenzilor de pre-instalare și post-instalare la importarea unui pachet dintr-un grup", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Comenzile pre și post instalare pot face lucruri rele pentru dispozitivul tău dacă sunt făcute să facă astfel. Este foarte periculos să imporți o comandă dintr-un grup dacă nu ai încredere în proveniența grupului.", + "Administrator rights and other dangerous settings": "Drepturi de administrator și alte setări periculoase", + "Package backup": "Backup pachete", + "Cloud package backup": "Backup pachete în cloud", + "Local package backup": "Backup pachete local", + "Local backup advanced options": "Opțiuni avansate backup local", + "Log in with GitHub": "Autentifică-te cu GitHub", + "Log out from GitHub": "Deconectează-te de la GitHub", + "Periodically perform a cloud backup of the installed packages": "Realizează periodic un backup în cloud al pachetelor instalate", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Copia de siguranță în cloud folosește un GitHub Gist privat pentru a stoca o listă a pachetelor instalate", + "Perform a cloud backup now": "Realizează un backup în cloud acum", + "Backup": "Copie de rezervă", + "Restore a backup from the cloud": "Restaurează un backup din cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Începe procesul de a selecta un backup din cloud și revizuiește ce pachete să restaurezi", + "Periodically perform a local backup of the installed packages": "Realizează periodic un backup local al pachetelor instalate", + "Perform a local backup now": "Realizează un backup local acum", + "Change backup output directory": "Schimbă dosarul pentru copia de siguranță", + "Set a custom backup file name": "Alege un nume de fișier personalizat al copiei de siguranță", + "Leave empty for default": "Lasă liber pentru valoarea implicită", + "Add a timestamp to the backup file names": "Adaugă data și ora în numele copiei de siguranță", + "Backup and Restore": "Backup și restaurare", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Activează API în fundal (Widgets for UniGetUI and Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Așteaptă ca dispozitivul să fie conectat la internet înainte să rulezi sarcini care necesită o conexiune la internet.", + "Disable the 1-minute timeout for package-related operations": "Dezactivează întârzierea de 1 minut pentru operațiile legate de pachete", + "Use installed GSudo instead of UniGetUI Elevator": "Folosește GSudo instalat în loc de UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Utilizați o pictogramă personalizată și o captură de ecran la URL-ul bazei de date", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activarea optimizărilor în fundal ale utilizării CPU (vezi Pull Request #3278)", + "Perform integrity checks at startup": "Realizează verificări de integritate la pornire", + "When batch installing packages from a bundle, install also packages that are already installed": "La instalarea pachetelor în serie dintr-un grup, instalează de asemenea și pachetele care sunt deja instalate.", + "Experimental settings and developer options": "Setări experimentale și opțiuni dezvoltator", + "Show UniGetUI's version and build number on the titlebar.": "Afișează versiunea și numărul de build al UniGetUI în bara de titlu.", + "Language": "Limbă", + "UniGetUI updater": "Actualizator UniGetUI", + "Telemetry": "Telemetrie", + "Manage UniGetUI settings": "Administrează setările UniGetUI", + "Related settings": "Setări înrudite", + "Update WingetUI automatically": "Actualizează UniGetUI automat", + "Check for updates": "Verifică pentru actualizări", + "Install prerelease versions of UniGetUI": "Instalează versiuni în fază de testare ale UniGetUI", + "Manage telemetry settings": "Administrează setări telemetrie", + "Manage": "Administrează", + "Import settings from a local file": "Importă setări dintr-un fișier local", + "Import": "Importă", + "Export settings to a local file": "Exportă setările într-un fișier local", + "Export": "Exportă", + "Reset WingetUI": "Resetează UniGetUI", + "Reset UniGetUI": "Resetează UniGetUI", + "User interface preferences": "Preferințele interfeței utilizatorului", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplicației, pagina de pornire, pictogramele pachetelor, elimină instalările reușite automat", + "General preferences": "Preferințe generale", + "WingetUI display language:": "Limba de afișare pentru UniGetUI:", + "Is your language missing or incomplete?": "Lipsește limba ta sau este incompletă?", + "Appearance": "Aspect", + "UniGetUI on the background and system tray": "UniGetUI în fundal și zona de notificări a sistemului", + "Package lists": "Liste de pachete", + "Close UniGetUI to the system tray": "Închide UniGetUI în tăvița sistemului", + "Show package icons on package lists": "Afișează pictogramele pachetelor în listele de pachete", + "Clear cache": "Golește cache-ul", + "Select upgradable packages by default": "Selectează pachetele actualizabile în mod implicit", + "Light": "Luminos", + "Dark": "Întunecat", + "Follow system color scheme": "Urmează tema de culoare a sistemului", + "Application theme:": "Temă aplicație:", + "Discover Packages": "Descoperă pachete", + "Software Updates": "Actualizări pachete", + "Installed Packages": "Pachete instalate", + "Package Bundles": "Grupuri aplicații", + "Settings": "Setări", + "UniGetUI startup page:": "Pagina de pornire UniGetUI:", + "Proxy settings": "Setări proxy", + "Other settings": "Alte setări", + "Connect the internet using a custom proxy": "Conectează-te la internet folosind un proxy personalizat", + "Please note that not all package managers may fully support this feature": "Te rog ia aminte că nu toți managerii de pachete pot suporta această funcție", + "Proxy URL": "URL proxy", + "Enter proxy URL here": "Introdu URL proxy aici", + "Package manager preferences": "Preferințe manageri pachete", + "Ready": "Pregătit", + "Not found": "Negăsit", + "Notification preferences": "Preferințe notificări", + "Notification types": "Tipuri de notificări", + "The system tray icon must be enabled in order for notifications to work": "Pictograma din tăvița sistemului trebuie să fie activată pentru a putea primi notificări", + "Enable WingetUI notifications": "Activează notificările de la UniGetUI", + "Show a notification when there are available updates": "Arată o notificare când există actualizări disponibile", + "Show a silent notification when an operation is running": "Afișează o notificare silențioasă când se rulează o operațiune", + "Show a notification when an operation fails": "Afișează o notificare dacă o operație eșuează", + "Show a notification when an operation finishes successfully": "Afișează o notificare dacă o operație se finalizează cu succes", + "Concurrency and execution": "Concurență și execuție", + "Automatic desktop shortcut remover": "Eliminarea automată a scurtăturilor de pe spațiul de lucru", + "Clear successful operations from the operation list after a 5 second delay": "Curăță operațiile terminate cu succes din lista de operații după 5 secunde", + "Download operations are not affected by this setting": "Operațiile de descărcare nu sunt afectate de această setare", + "Try to kill the processes that refuse to close when requested to": "Încearcă să ucizi procesul care refuză a fi închis la cerere.", + "You may lose unsaved data": "Ai putea pierde datele nesalvate", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Întreabă pentru a șterge scurtăturile din spațiul de lucru create în timpul instalării sau actualizării.", + "Package update preferences": "Preferințe actualizări pachete", + "Update check frequency, automatically install updates, etc.": "Frecvența verificărilor de actualizări, instalări automate ș.a.m.d.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Redu întrbările UAC, elevează instalările în mod implicit, deblochează anumite funcții periculoase etc.", + "Package operation preferences": "Preferințe operații cu pachete", + "Enable {pm}": "Activează {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nu găsești fișierul pe care îl cauți? Asigură-te că a fost adăugat în cale.", + "For security reasons, changing the executable file is disabled by default": "Din motive de securitate, schimbarea fișierului executabil este implicit dezactivată", + "Change this": "Schimbă asta", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selectează executabilul de folosit. Lista următoare arată executabilele găsite de UniGetUI", + "Current executable file:": "Fișierul executabil curent:", + "Ignore packages from {pm} when showing a notification about updates": "Ignoră pachetele din {pm} când este arătată o notificare despre actualizări", + "View {0} logs": "Vezi jurnale {0}", + "Advanced options": "Opțiuni avansate", + "Reset WinGet": "Resetează WinGet", + "This may help if no packages are listed": "Acest lucru poate ajuta dacă nu este listat niciun pachet", + "Force install location parameter when updating packages with custom locations": "Forțează parametrul locației de instalare la actualizarea pachetelor cu locații personalizate", + "Use bundled WinGet instead of system WinGet": "Folosește WinGet-ul inclus în loc de cel al sistemului", + "This may help if WinGet packages are not shown": "Acest lucru poate ajuta dacă pachetele WinGet nu sunt afișate", + "Install Scoop": "Instalează Scoop", + "Uninstall Scoop (and its packages)": "Dezinstalează Scoop (și pachetele sale)", + "Run cleanup and clear cache": "Rulează curățarea și curăță cache-ul", + "Run": "Rulează", + "Enable Scoop cleanup on launch": "Activează curățarea pentru Scoop la pornire", + "Use system Chocolatey": "Folosește Chocolatey de sistem", + "Default vcpkg triplet": "Triplet vcpkg implicit", + "Language, theme and other miscellaneous preferences": "Limbă, temă și alte preferințe diverse", + "Show notifications on different events": "Arată notificări pentru diverse evenimente", + "Change how UniGetUI checks and installs available updates for your packages": "Schimbă modul în care UniGetUI verifică și instalează actualizările disponibile pentru pachetele tale", + "Automatically save a list of all your installed packages to easily restore them.": "Salvează automat o listă a tuturor pachetelor instalate pentru a putea să le restaurezi cu ușurință", + "Enable and disable package managers, change default install options, etc.": "Activează și dezactivează manageri de pachete, schimbă opțiunile implicite de instalare etc.", + "Internet connection settings": "Setări conexiune la internet", + "Proxy settings, etc.": "Setări proxy etc.", + "Beta features and other options that shouldn't be touched": "Funcții beta și alte opțiuni care nu ar trebui atinse", + "Update checking": "Verificare pentru actualizări", + "Automatic updates": "Actualizări automate", + "Check for package updates periodically": "Verifică pentru actualizări pachete periodic", + "Check for updates every:": "Verifică pentru actualizări la fiecare:", + "Install available updates automatically": "Instalează actualizările disponibile automat", + "Do not automatically install updates when the network connection is metered": "Nu instala actualizările automat când conexiunea la internet este monitorizată", + "Do not automatically install updates when the device runs on battery": "Nu instala automat actualizările când dispozitivul rulează pe baterie", + "Do not automatically install updates when the battery saver is on": "Nu instala actualizările automat când economizorul de baterie este activat", + "Change how UniGetUI handles install, update and uninstall operations.": "Schimbă modul cum abordează UniGetUI operațiile de instalare, actualizare și dezinstalare.", + "Package Managers": "Manageri pachete", + "More": "Mai mult", + "WingetUI Log": "Jurnal UniGetUI", + "Package Manager logs": "Jurnale manager de pachete", + "Operation history": "Istoric operații", + "Help": "Ajutor", + "Order by:": "Ordonează după:", + "Name": "Nume", + "Id": "ID", + "Ascendant": "Crescător", + "Descendant": "Descrescător", + "View mode:": "Mod vizualizare:", + "Filters": "Filtre", + "Sources": "Surse", + "Search for packages to start": "Caută pachete pentru a începe", + "Select all": "Selectează tot", + "Clear selection": "Anulează selecția", + "Instant search": "Căutare instantă", + "Distinguish between uppercase and lowercase": "Distingeți între majuscule și minuscule", + "Ignore special characters": "Ignoră caracterele speciale", + "Search mode": "Mod căutare", + "Both": "Amândouă", + "Exact match": "Potrivire exactă", + "Show similar packages": "Pachete similare", + "No results were found matching the input criteria": "Nu s-au găsit rezultate potrivite cu criteriile selectate", + "No packages were found": "Nu au fost găsite pachete", + "Loading packages": "Se încarcă pachetele", + "Skip integrity checks": "Omite verificările de integritate", + "Download selected installers": "Descarcă instalatoarele selectate", + "Install selection": "Instalează selecția", + "Install options": "Opțiuni instalare", + "Share": "Partajează", + "Add selection to bundle": "Adaugă selecția la grup", + "Download installer": "Descarcă instalatorul", + "Share this package": "Partajează acest pachet", + "Uninstall selection": "Dezinstalează selecția", + "Uninstall options": "Opțiuni dezinstalare", + "Ignore selected packages": "Ignoră pachetele selectate", + "Open install location": "Deschide locația instalării", + "Reinstall package": "Reinstalează pachet", + "Uninstall package, then reinstall it": "Dezinstalează pachetul, apoi reinstalează-l", + "Ignore updates for this package": "Ignoră actualizările pentru acest pachet", + "Do not ignore updates for this package anymore": "Nu mai ignora actualizările pentru acest pachet", + "Add packages or open an existing package bundle": "Adaugă pachete sau deschide un set existent de pachete", + "Add packages to start": "Adaugă pachete pentru a începe", + "The current bundle has no packages. Add some packages to get started": "Setul curent nu conține pachete. Adaugă câteva pachete pentru a începe", + "New": "Nou", + "Save as": "Salvează ca", + "Remove selection from bundle": "Elimină selecția din grup", + "Skip hash checks": "Omite verificările sumelor de control", + "The package bundle is not valid": "Grupul de pachete nu este valid", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Grupul pe care încerci să-l încarci pare să fie invalid. Te rog verifică fișierul și încearcă din nou.", + "Package bundle": "Grup pachete", + "Could not create bundle": "Nu s-a putut crea grupul", + "The package bundle could not be created due to an error.": "Grupul de pachete nu a putut fi creat din cauza unei erori.", + "Bundle security report": "Raport de securitate grup", + "Hooray! No updates were found.": "Ura! Nu a fost găsită nicio actualizare!", + "Everything is up to date": "Totul este la zi", + "Uninstall selected packages": "Dezinstalează pachetele selectate", + "Update selection": "Actualizează selecția", + "Update options": "Opțiuni actualizare", + "Uninstall package, then update it": "Dezinstalează pachetul, apoi actualizează-l", + "Uninstall package": "Dezinstalează pachetul", + "Skip this version": "Omite această versiune", + "Pause updates for": "Sistează actualizările pentru", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Managerul de pachete Rust.
Conține: Biblioteci Rust și programe scrise în Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Managerul de pachete clasic pentru Windows. Vei găsi totul acolo.
Conține: Programe generale", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repository plin de unelte și executabile concepute pe baza ecosistemului Microsoft .NET.
Conține: Unelte și scripturi legate de .NET", + "NuPkg (zipped manifest)": "NuPkg (manifest zip)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Managerul de pachete al lui Node JS. Plin de biblioteci și alte utilitare care orbitează lumea javascript
Conține: Biblioteci javascript Node și alte utilitare conexe", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Managerul bibliotecii Python. Plin de biblioteci Python și alte utilitare legate de Python
Conține: Biblioteci Python și utilități aferente", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Managerul de pachete al PowerShell. Găsește biblioteci și scripturi pentru a extinde capabilitățile PowerShell
Conține: Module, Scripturi, Comenzi", + "extracted": "extras", + "Scoop package": "Pachet Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Repository excelent de utilități necunoscute, dar utile, și alte pachete interesante.
Conține: Utilitare, programe în linie de comandă, software general (găleata extra necesară)", + "library": "bibliotecă", + "feature": "caracteristică", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un manager de biblioteci C/C++ popular. Plin de biblioteci C/C++ și alte utilitare conexe
Conține: biblioteci C/C++ și utilitare conexe", + "option": "opțiune", + "This package cannot be installed from an elevated context.": "Acest pachet nu poate fi instalat dintr-un context elevat.", + "Please run UniGetUI as a regular user and try again.": "Te rog rulează UniGetUI ca un utilizator normal și încearcă din nou", + "Please check the installation options for this package and try again": "Te rog verifică opțiunile de instalare ale acestui pachet și încearcă din nou", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Managerul de pachete oficial al Microsoft. Plin de pachete arhicunoscute și verificate.
Conține: Software general, aplicații Microsoft Store", + "Local PC": "PC-ul local", + "Android Subsystem": "Subsistemul Android", + "Operation on queue (position {0})...": "Operație în coadă (poziția {0})...", + "Click here for more details": "Clic aici pentru mai multe detalii", + "Operation canceled by user": "Operația a fost anulată de utilizator", + "Starting operation...": "Se începe operația...", + "{package} installer download": "Descărcare installer {package}", + "{0} installer is being downloaded": "Instalatorul {0} este în curs de descărcare", + "Download succeeded": "Descărcarea a fost realizată", + "{package} installer was downloaded successfully": "Instalatorul pentru {package} a fost descărcat cu succes", + "Download failed": "Descărcarea a eșuat", + "{package} installer could not be downloaded": "Instalatorul {package} nu a putut fi descărcat", + "{package} Installation": "Instalare {package}", + "{0} is being installed": "{0} este în curs de instalare", + "Installation succeeded": "Instalarea s-a realizat", + "{package} was installed successfully": "{package} a fost instalat cu succes", + "Installation failed": "Instalarea a eșuat", + "{package} could not be installed": "{package} nu a putut fi instalat", + "{package} Update": "Actualizare {package}", + "{0} is being updated to version {1}": "{0} este în curs de actualizare la {1}", + "Update succeeded": "Actualizarea s-a realizat", + "{package} was updated successfully": "{package} a fost actualizat cu succes", + "Update failed": "Actualizarea a eșuat", + "{package} could not be updated": "{package} nu a putut fi actualizat", + "{package} Uninstall": "Dezinstalare {package}", + "{0} is being uninstalled": "{0} este în curs de dezinstalare", + "Uninstall succeeded": "Dezinstalarea s-a realizat", + "{package} was uninstalled successfully": "{package} a fost dezinstalat cu succes", + "Uninstall failed": "Dezinstalarea a eșuat", + "{package} could not be uninstalled": "{package} nu a putut fi dezinstalat", + "Adding source {source}": "Se adaugă sursa {source}", + "Adding source {source} to {manager}": "Se adaugă sursa {source} la {manager}", + "Source added successfully": "Sursa a fost adăugată cu succes", + "The source {source} was added to {manager} successfully": "Sursa {source} a fost adăugată la {manager} cu succes", + "Could not add source": "Nu s-a putut adăuga sursa", + "Could not add source {source} to {manager}": "Nu s-a putut adăuga sursa {source} la {manager}", + "Removing source {source}": "Se elimină sursa {source}", + "Removing source {source} from {manager}": "Se elimină sursa {source} din {manager}", + "Source removed successfully": "Sursa a fost eliminată cu succes", + "The source {source} was removed from {manager} successfully": "Sursa {source} a fost eliminată din {manager} cu succes", + "Could not remove source": "Nu s-a putut elimina sursa", + "Could not remove source {source} from {manager}": "Nu s-a putut elimina sursa {source} din {manager}", + "The package manager \"{0}\" was not found": "Managerul de pachete „{0}” nu a fost găsit", + "The package manager \"{0}\" is disabled": "Managerul de pachete „{0}” este dezactivat", + "There is an error with the configuration of the package manager \"{0}\"": "Există o eroare cu configurația managerului de pachete „{0}”", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Pachetul „{0}” nu a fost găsit în managerul de pachete „{1}”", + "{0} is disabled": "{0} este dezactivat", + "Something went wrong": "Ceva nu a funcționat", + "An interal error occurred. Please view the log for further details.": "A apărut o eroare internă. Te rog să verifici jurnalul pentru detalii suplimentare.", + "No applicable installer was found for the package {0}": "Niciun instalator aplicabil nu a fost găsit pentru pachetul {0}", + "We are checking for updates.": "Verificăm pentru actualizări.", + "Please wait": "Te rog așteaptă", + "UniGetUI version {0} is being downloaded.": "UniGetUI versiunea {0} este în curs de descărcare.", + "This may take a minute or two": "Acest lucru poate dura 1-2 minut(e)", + "The installer authenticity could not be verified.": "Autenticitatea instalatorului nu a putut fi verificată.", + "The update process has been aborted.": "Procesul de actualizare a fost anulat.", + "Great! You are on the latest version.": "Minunat! Folosești cea mai nouă versiune.", + "There are no new UniGetUI versions to be installed": "Nu există versiuni noi de UniGetUI pentru a fi instalate", + "An error occurred when checking for updates: ": "A apărut o eroare la verificarea de actualizări:", + "UniGetUI is being updated...": "UniGetUI este în curs de actualizare...", + "Something went wrong while launching the updater.": "Ceva nu a funcționat la lansarea actualizatorului.", + "Please try again later": "Te rog încearcă din nou mai târziu", + "Integrity checks will not be performed during this operation": "Verificările de integritate nu vor fi făcute în timpul acestei operații", + "This is not recommended.": "Acest lucru nu este recomandat", + "Run now": "Rulează acum", + "Run next": "Rulează următoarea", + "Run last": "Rulează ultima", + "Retry as administrator": "Reîncearcă ca Administrator", + "Retry interactively": "Reîncearcă interactiv", + "Retry skipping integrity checks": "Reîncearcă omiterea verificărilor de integritate", + "Installation options": "Opțiuni instalare", + "Show in explorer": "Arată în Explorer", + "This package is already installed": "Acest pachet este deja instalat", + "This package can be upgraded to version {0}": "Acest pachet poate fi actualizat la versiunea {0}", + "Updates for this package are ignored": "Actualizările pentru acest pachet sunt ignorate", + "This package is being processed": "Acest pachet este în curs de procesare", + "This package is not available": "Acest pachet nu este disponibil", + "Select the source you want to add:": "Selectează sursa pe care dorești să o adaugi:", + "Source name:": "Nume sursă:", + "Source URL:": "Sursă URL:", + "An error occurred": "A apărut o eroare", + "An error occurred when adding the source: ": "A apărut o eroare la adăugarea sursei:", + "Package management made easy": "Gestionarea pachetelor simplificată", + "version {0}": "versiunea {0}", + "[RAN AS ADMINISTRATOR]": "RULAT CA ADMINISTRATOR", + "Portable mode": "Mod portabil", + "DEBUG BUILD": "BUILD DEPANARE", + "Available Updates": "Actualizări disponibile", + "Show WingetUI": "Arată UniGetUI", + "Quit": "Ieșire", + "Attention required": "Este necesară atenție", + "Restart required": "Repornire necesară", + "1 update is available": "1 actualizare este disponibilă", + "{0} updates are available": "{0} actualizări sunt disponibile", + "WingetUI Homepage": "Pagină web UniGetUI", + "WingetUI Repository": "Repository UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "De aici poți schimba comportamentul UniGetUI legat de scurtături. Bifând o scurtătură vei face ca UniGetUI să o șteargă dacă ea va fi creată la o actualizare viitoare. Debifând-o, vei păstra scurtătura intactă.", + "Manual scan": "Scanare manuală", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Scurtăturile existente pe Desktop vor fi scanate și va trebui să alegi pe care le păstrezi și pe care le ștergi.", + "Continue": "Continuă", + "Delete?": "Ștergi?", + "Missing dependency": "Dependință lipsă", + "Not right now": "Nu chiar acum", + "Install {0}": "Instalează {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI necesită {0} pentru a opera, dar nu a fost găsit pe sistemul tău.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Clic pe Instalează pentru a începe procesul de instalare. Dacă vei omite instalarea, UniGetUI ar putea să nu funcționeze așa cum te-ai aștepta.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativ, poți de asemenea să instalezi {0} rulând următoarea comandă în Windows PowerShell:", + "Do not show this dialog again for {0}": "Nu mai afișa acest dialog pentru {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Te rog așteaptă cât timp {0} se instalează. O fereastră neagră ar putea apărea. Așteaptă până când aceasta va dispărea.", + "{0} has been installed successfully.": "{0} a fost instalat cu succes.", + "Please click on \"Continue\" to continue": "Te rog apasă pe „Continuă” pentru a continua", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} a fost instalat cu succes. Este recomandat să repornești UniGetUI pentru a finaliza instalarea", + "Restart later": "Repornește mai târziu", + "An error occurred:": "A apărut o eroare:", + "I understand": "Am înțeles", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI a fost lansat cu drepturi de administrator, ceea ce nu este recomandat. Când UnigetUI este rulat ca administrator, FIECARE operație lansată din UniGetUI va avea și ea drepturi de administrator. Poți desigur să folosești programul în continuare, dar încurajăm să nu mai rulezi UniGetUI în acest mod.", + "WinGet was repaired successfully": "WinGet a fost reparat cu succes", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Este recomandat să repornești UniGetUI după ce WinGet a fost reparat", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTĂ: Acest depanator poate fi dezactivat din setările UniGetUI, din secțiunea WinGet", + "Restart": "Repornește", + "WinGet could not be repaired": "WinGet nu a putut fi reparat", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "O problemă neașteptată a apărut în încercarea de a repara WinGet. Te rog încearcă mai târziu", + "Are you sure you want to delete all shortcuts?": "Ești sigur că dorești să ștergi toate scurtăturile?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Orice scurtături noi create în timpul unei instalări sau actualizări vor fi șterse automat, în loc de a arăta o întrebare prima dată ce sunt detectate.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Orice scurtături create sau modificate în afara UniGetUI vor fi ignorate. Le vei putea adăuga cu butonul {0}.", + "Are you really sure you want to enable this feature?": "Ești sigur că dorești să activezi această caracteristică?", + "No new shortcuts were found during the scan.": "În timpul scanării nu au fost găsite noi scurtături.", + "How to add packages to a bundle": "Cum să adaugi pachete într-un grup", + "In order to add packages to a bundle, you will need to: ": "Pentru a putea adăuga pachete într-un grup va trebui să:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navighează la pagina „{0}” sau „{1}”", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Localizează pachetele pe care dorești să le adaugi în grup și bifează caseta cea mai din stânga.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Când pachetele pe care dorești să le adaugi la grup sunt selectate, apasă pe opțiunea „{0}” din bara de instrumente.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pachetele tale vor fi fost adăugate în grup. Poți continua să adaugi pachete sau să exporți grupul.", + "Which backup do you want to open?": "Ce backup dorești să deschizi?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selectează backup-ul pe care dorești să îl deschizi. Mai târziu vei putea să revizuiești ce pachete dorești să instalezi.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Există operații în curs. Închizând UniGetUI va face ca ele să eșueze. Dorești să continui?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI sau unele din componentele sale lipsesc sau sunt corupte.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Este recomandat cu tărie să reinstalezi UniGetUI pentru a adresa această situație.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Fă referire la jurnalele UniGetUI pentru a obține mai multe detalii despre fișierele afectate", + "Integrity checks can be disabled from the Experimental Settings": "Verificările de integritate pot fi dezactivate din setările experimentale", + "Repair UniGetUI": "Repară UniGetUI", + "Live output": "Output în timp real", + "Package not found": "Pachetul nu a fost găsit", + "An error occurred when attempting to show the package with Id {0}": "A apărut o eroare la încercarea de afișare a pachetului cu ID {0}", + "Package": "Pachet", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Acest grup de pachete a avut anumite setări care sunt potențial periculoase și ar putea să fie implicit ignorate.", + "Entries that show in YELLOW will be IGNORED.": "Intrările afișate cu GALBEN for fi IGNORATE.", + "Entries that show in RED will be IMPORTED.": "Intrările afișate cu ROȘU vor fi IMPORTATE.", + "You can change this behavior on UniGetUI security settings.": "Poți schimba acest comportament în setările de securiate al UniGetUI.", + "Open UniGetUI security settings": "Deschide setările de securitate ale UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Dacă ar fi să modifici setările de securitate, va trebui să deschizi grupul din nou pentru ca schimbările să fie aplicate.", + "Details of the report:": "Detaliile raportului:", "\"{0}\" is a local package and can't be shared": "„{0}” este un pachet local și nu poate fi partajat", + "Are you sure you want to create a new package bundle? ": "Ești sigur că dorești să creezi un nou grup de pachete?", + "Any unsaved changes will be lost": "Orice modificări nesalvate vor fi pierdute", + "Warning!": "Atenție!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Din motive de securitate, argumentele personalizate din linia de comandă sunt implicit dezactivate. Mergi la setările de securitate ale UniGetUI pentru a schimba acest lucru.", + "Change default options": "Schimbă opțiunile implicite", + "Ignore future updates for this package": "Ignoră actualizările viitoare pentru acest pachet", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Din motive de securitate, scripturile pre-operație și post-operație sunt implicit dezactivate. Mergi la setările de securitate ale UniGetUI pentru a schimba acest lucru.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Poți defini comenzile care vor fi rulate înainte sau după ce acest pachet este instalat, actualizat sau dezinstalat. Acestea vor fi rulate într-un prompt de comandă, deci scripturile CMD vor funcționa aici.", + "Change this and unlock": "Schimbă asta și deblochează", + "{0} Install options are currently locked because {0} follows the default install options.": "Opțiunile de instalare ale {0} sunt blocate acum deoarece {0} respectă opțiunile de instalare implicite.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selectează procesele care ar trebui să fie închise înainte ca acest pachet să fie instalat, actualizat sau dezinstalat.", + "Write here the process names here, separated by commas (,)": "Scrie aici numele proceselor, separate de virgule (,)", + "Unset or unknown": "Nesetat sau necunoscut", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Te rog uită-te în output-ul liniei de comandă sau vezi istoricul operațiilor pentru mai multe informații legate de problemă.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Lipsesc capturile de ecran sau pictograma acestui pachet? Contribuie la UniGetUI adăugând pictogramele sau capturile de ecran lipsă în baza noastră de date deschisă și publică.", + "Become a contributor": "Devino un contribuitor", + "Save": "Salvează", + "Update to {0} available": "Actualizare la {0} disponibilă", + "Reinstall": "Reinstalează", + "Installer not available": "Instalatorul nu este disponibil", + "Version:": "Versiune:", + "Performing backup, please wait...": "Se face un backup, te rog așteaptă...", + "An error occurred while logging in: ": "A apărut o eroare la autentificare:", + "Fetching available backups...": "Se preiau copiile de siguranță disponibile...", + "Done!": "Gata!", + "The cloud backup has been loaded successfully.": "Copia de siguranță din cloud a fost încărcată cu succes.", + "An error occurred while loading a backup: ": "A apărut o eroare la încărcarea copiei de siguranță:", + "Backing up packages to GitHub Gist...": "Se face un backup al pachetelor pe GitHub Gist...", + "Backup Successful": "Backup-ul s-a finalizat cu succes", + "The cloud backup completed successfully.": "Copierea de siguranță s-a finalizat cu succes.", + "Could not back up packages to GitHub Gist: ": "Nu s-au putut copia pachetele în GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nu este garantat că acreditările oferite vor fi stocate în siguranță, deci ai putea să nu folosești datele contului tău bancar.", + "Enable the automatic WinGet troubleshooter": "Activează depanatorul automat pentru WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Activează un depanator îmbunătățit WinGet [experimental]", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Adaugă actualizările care eșuează cu „nicio actualizare aplicabilă găsită” în lista de actualizări ignorate", + "Restart WingetUI to fully apply changes": "Repornește UniGetUI pentru a aplica schimbările în totalitate", + "Restart WingetUI": "Repornește WingetUI", + "Invalid selection": "Selecție invalidă", + "No package was selected": "Niciun pachet selectat", + "More than 1 package was selected": "A fost selectat mai mult de un pachet", + "List": "Listă", + "Grid": "Grilă", + "Icons": "Pictograme", "\"{0}\" is a local package and does not have available details": "„{0}” este un pachet local și nu are detalii disponibile", "\"{0}\" is a local package and is not compatible with this feature": "„{0}” este un pachet local și nu este compatibil cu această funcție", - "(Last checked: {0})": "(Ultima verificare: {0})", + "WinGet malfunction detected": "A fost detectată o defecțiune a WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Se pare că WinGet nu funcționează corect. Dorești să încerci să repari WinGet?", + "Repair WinGet": "Repară WinGet", + "Create .ps1 script": "Creează un script .ps1", + "Add packages to bundle": "Adaugă pachete în grup", + "Preparing packages, please wait...": "Se pregătesc pachetele, te rog așteaptă...", + "Loading packages, please wait...": "Se încarcă pachetele, te rog așteaptă...", + "Saving packages, please wait...": "Se salvează pachetele, te rog așteaptă...", + "The bundle was created successfully on {0}": "Grupul a fost creat cu succes pe {0}", + "Install script": "Script instalare", + "The installation script saved to {0}": "Scriptul de instalare a fost salvat în {0}", + "An error occurred while attempting to create an installation script:": "A apărut o eroare la încercarea de a creea un script de instalare:", + "{0} packages are being updated": "{0} pachete sunt în curs de actualizare", + "Error": "Eroare", + "Log in failed: ": "Autentificarea a eșuat:", + "Log out failed: ": "Deconectarea a eșuat:", + "Package backup settings": "Setări backup pachete", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Poziția {0} în coadă)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@lucadsign, @SilverGreen93, TZACANEL, @David735453", "0 packages found": "0 pachete găsite", "0 updates found": "0 actualizări găsite", - "1 - Errors": "1 - Erori", - "1 day": "1 zi", - "1 hour": "o oră", "1 month": "o lună", "1 package was found": "1 pachet a fost găsit", - "1 update is available": "1 actualizare este disponibilă", - "1 week": "o săptămână", "1 year": "un an", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Navighează la pagina „{0}” sau „{1}”", - "2 - Warnings": "2 - Avertismente", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Localizează pachetele pe care dorești să le adaugi în grup și bifează caseta cea mai din stânga.", - "3 - Information (less)": "3 - Informații (mai puține)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Când pachetele pe care dorești să le adaugi la grup sunt selectate, apasă pe opțiunea „{0}” din bara de instrumente.", - "4 - Information (more)": "4 - Informații (mai multe)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Pachetele tale vor fi fost adăugate în grup. Poți continua să adaugi pachete sau să exporți grupul.", - "5 - information (debug)": "5 - Informații (pentru depanare)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Un manager de biblioteci C/C++ popular. Plin de biblioteci C/C++ și alte utilitare conexe
Conține: biblioteci C/C++ și utilitare conexe", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Un repository plin de unelte și executabile concepute pe baza ecosistemului Microsoft .NET.
Conține: Unelte și scripturi legate de .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Un repository plin cu unelte proiectat cu ecosistemul Microsoft .NET în minte.
Conține: Unelte înrudite cu .NET", "A restart is required": "Repornirea este necesară", - "Abort install if pre-install command fails": "Anulează instalarea dacă comanda pre-instalare eșuează.", - "Abort uninstall if pre-uninstall command fails": "Anulează dezinstalarea dacă comanda pre-dezinstalare eșuează.", - "Abort update if pre-update command fails": "Anulează actualizarea dacă comanda pre-actualizării eșuează.", - "About": "Despre", "About Qt6": "Despre Qt6", - "About WingetUI": "Despre UniGetUI", "About WingetUI version {0}": "Despre versiunea UniGetUI {0}", "About the dev": "Despre dezvoltator", - "Accept": "Acceptă", "Action when double-clicking packages, hide successful installations": "Acțiune la dublu-clic pe pachete, ascunde instalările cu succes", - "Add": "Adaugă", "Add a source to {0}": "Adaugă o sursă la {0}", - "Add a timestamp to the backup file names": "Adaugă data și ora în numele copiei de siguranță", "Add a timestamp to the backup files": "Adaugă data și ora fișierelor din backup", "Add packages or open an existing bundle": "Adaugă pachete sau deschide un grup existent", - "Add packages or open an existing package bundle": "Adaugă pachete sau deschide un set existent de pachete", - "Add packages to bundle": "Adaugă pachete în grup", - "Add packages to start": "Adaugă pachete pentru a începe", - "Add selection to bundle": "Adaugă selecția la grup", - "Add source": "Adaugă sursă", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Adaugă actualizările care eșuează cu „nicio actualizare aplicabilă găsită” în lista de actualizări ignorate", - "Adding source {source}": "Se adaugă sursa {source}", - "Adding source {source} to {manager}": "Se adaugă sursa {source} la {manager}", "Addition succeeded": "Adăugarea a fost realizată", - "Administrator privileges": "Privilegii administrator", "Administrator privileges preferences": "Preferințe privilegii administrator", "Administrator rights": "Drepturi administrator", - "Administrator rights and other dangerous settings": "Drepturi de administrator și alte setări periculoase", - "Advanced options": "Opțiuni avansate", "All files": "Toate fișierele", - "All versions": "Toate versiunile", - "Allow changing the paths for package manager executables": "Permite schimbarea căilor pentru executabilele managerilor de pachete", - "Allow custom command-line arguments": "Permite argumente personalizate în linia de comandă", - "Allow importing custom command-line arguments when importing packages from a bundle": "Permite importarea argumentelor personalizate în linia de comandă la importarea pachetelor dintr-un grup", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Permite importarea comenzilor de pre-instalare și post-instalare la importarea unui pachet dintr-un grup", "Allow package operations to be performed in parallel": "Permite ca operațiile cu pachete să fie executate în paralel", "Allow parallel installs (NOT RECOMMENDED)": "Permite instalările paralele (NERECOMANDAT)", - "Allow pre-release versions": "Permite versiuni beta", "Allow {pm} operations to be performed in parallel": "Permite operațiile {pm} să fie executate în paralel", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativ, poți de asemenea să instalezi {0} rulând următoarea comandă în Windows PowerShell:", "Always elevate {pm} installations by default": "Elevează mereu instalările {pm} în mod implicit", "Always run {pm} operations with administrator rights": "Rulează mereu operațiile {pm} cu drepturi de administrator", - "An error occurred": "A apărut o eroare", - "An error occurred when adding the source: ": "A apărut o eroare la adăugarea sursei:", - "An error occurred when attempting to show the package with Id {0}": "A apărut o eroare la încercarea de afișare a pachetului cu ID {0}", - "An error occurred when checking for updates: ": "A apărut o eroare la verificarea de actualizări:", - "An error occurred while attempting to create an installation script:": "A apărut o eroare la încercarea de a creea un script de instalare:", - "An error occurred while loading a backup: ": "A apărut o eroare la încărcarea copiei de siguranță:", - "An error occurred while logging in: ": "A apărut o eroare la autentificare:", - "An error occurred while processing this package": "A apărut o eroare în timpul procesării acestui pachet", - "An error occurred:": "A apărut o eroare:", - "An interal error occurred. Please view the log for further details.": "A apărut o eroare internă. Te rog să verifici jurnalul pentru detalii suplimentare.", "An unexpected error occurred:": "A apărut o eroare neașteptată:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "O problemă neașteptată a apărut în încercarea de a repara WinGet. Te rog încearcă mai târziu", - "An update was found!": "A fost găsită o actualizare!", - "Android Subsystem": "Subsistemul Android", "Another source": "Altă sursă", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Orice scurtături noi create în timpul unei instalări sau actualizări vor fi șterse automat, în loc de a arăta o întrebare prima dată ce sunt detectate.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Orice scurtături create sau modificate în afara UniGetUI vor fi ignorate. Le vei putea adăuga cu butonul {0}.", - "Any unsaved changes will be lost": "Orice modificări nesalvate vor fi pierdute", "App Name": "Nume aplicație", - "Appearance": "Aspect", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplicației, pagina de pornire, pictogramele pachetelor, elimină instalările reușite automat", - "Application theme:": "Temă aplicație:", - "Apply": "Aplică", - "Architecture to install:": "Arhitectura de instalat:", "Are these screenshots wron or blurry?": "Sunt aceste capturi de ecran greșite sau neclare?", - "Are you really sure you want to enable this feature?": "Ești sigur că dorești să activezi această caracteristică?", - "Are you sure you want to create a new package bundle? ": "Ești sigur că dorești să creezi un nou grup de pachete?", - "Are you sure you want to delete all shortcuts?": "Ești sigur că dorești să ștergi toate scurtăturile?", - "Are you sure?": "Ești sigur?", - "Ascendant": "Crescător", - "Ask for administrator privileges once for each batch of operations": "Solicită drepturi de administrator o singură dată pentru fiecare serie de operații", "Ask for administrator rights when required": "Solicită drepturi de administrator când este necesar", "Ask once or always for administrator rights, elevate installations by default": "Solicită o dată sau de mai multe ori drepturi de administrator, elevează instalările în mod implicit", - "Ask only once for administrator privileges": "Cere doar o singură dată drepturi de administrator", "Ask only once for administrator privileges (not recommended)": "Solicită doar o singură dată privilegii de administrator (nerecomandat)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Întreabă pentru a șterge scurtăturile din spațiul de lucru create în timpul instalării sau actualizării.", - "Attention required": "Este necesară atenție", "Authenticate to the proxy with an user and a password": "Autentifică-te la acest proxy cu un nume de utilizator și o parolă", - "Author": "Autor", - "Automatic desktop shortcut remover": "Eliminarea automată a scurtăturilor de pe spațiul de lucru", - "Automatic updates": "Actualizări automate", - "Automatically save a list of all your installed packages to easily restore them.": "Salvează automat o listă a tuturor pachetelor instalate pentru a putea să le restaurezi cu ușurință", "Automatically save a list of your installed packages on your computer.": "Salvează automat o listă a pachetelor instalate pe calculatorul tău.", - "Automatically update this package": "Actualizează pachetele automat", "Autostart WingetUI in the notifications area": "Pornește automat UniGetUI în zona de notificări", - "Available Updates": "Actualizări disponibile", "Available updates: {0}": "Actualizări disponibile: {0}", "Available updates: {0}, not finished yet...": "Actualizări disponibile: {0}, căutare în curs...", - "Backing up packages to GitHub Gist...": "Se face un backup al pachetelor pe GitHub Gist...", - "Backup": "Copie de rezervă", - "Backup Failed": "Backup-ul a eșuat", - "Backup Successful": "Backup-ul s-a finalizat cu succes", - "Backup and Restore": "Backup și restaurare", "Backup installed packages": "Fă un backup al pachetelor instalate", "Backup location": "Locația copiei de siguranță", - "Become a contributor": "Devino un contribuitor", - "Become a translator": "Devino un traducător", - "Begin the process to select a cloud backup and review which packages to restore": "Începe procesul de a selecta un backup din cloud și revizuiește ce pachete să restaurezi", - "Beta features and other options that shouldn't be touched": "Funcții beta și alte opțiuni care nu ar trebui atinse", - "Both": "Amândouă", - "Bundle security report": "Raport de securitate grup", "But here are other things you can do to learn about WingetUI even more:": "Dar aici sunt alte lucruri pe care le poți face pentru a învăța despre UniGetUI și multe altele:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Dezactivând un manager de pachete, nu vei mai putea să vezi sau să actualizezi pachetele sale.", "Cache administrator rights and elevate installers by default": "Ține minte drepturile de administrator și elevează instalările în mod implicit", "Cache administrator rights, but elevate installers only when required": "Ține minte drepturile de administrator, dar elevează instalările doar când e necesar", "Cache was reset successfully!": "Cache-ul a fost resetat cu succes!", "Can't {0} {1}": "Nu se poate {0} {1}", - "Cancel": "Anulează", "Cancel all operations": "Anulează toate operațiile", - "Change backup output directory": "Schimbă dosarul pentru copia de siguranță", - "Change default options": "Schimbă opțiunile implicite", - "Change how UniGetUI checks and installs available updates for your packages": "Schimbă modul în care UniGetUI verifică și instalează actualizările disponibile pentru pachetele tale", - "Change how UniGetUI handles install, update and uninstall operations.": "Schimbă modul cum abordează UniGetUI operațiile de instalare, actualizare și dezinstalare.", "Change how UniGetUI installs packages, and checks and installs available updates": "Schimbă modul cum UniGetUI instalează, verifică și actualizează pachetele", - "Change how operations request administrator rights": "Schimbă modul cum operațiile cer drepturi de administrator", "Change install location": "Schimbă locația instalării", - "Change this": "Schimbă asta", - "Change this and unlock": "Schimbă asta și deblochează", - "Check for package updates periodically": "Verifică pentru actualizări pachete periodic", - "Check for updates": "Verifică pentru actualizări", - "Check for updates every:": "Verifică pentru actualizări la fiecare:", "Check for updates periodically": "Verifică pentru actualizări periodic", "Check for updates regularly, and ask me what to do when updates are found.": "Verifică pentru actualizări periodic și întreabă-mă ce să fac dacă se găsesc actualizări.", "Check for updates regularly, and automatically install available ones.": "Verifică pentru actualizări periodic și instalează automat actualizările disponibile.", @@ -159,805 +741,283 @@ "Checking for updates...": "Se caută actualizări...", "Checking found instace(s)...": "Se verifică instanțele găsite...", "Choose how many operations shouls be performed in parallel": "Alege câte operații se vor executa în paralel", - "Clear cache": "Golește cache-ul", "Clear finished operations": "Elimină operațiunile finalizate", - "Clear selection": "Anulează selecția", "Clear successful operations": "Curăță operațiile care au avut succes", - "Clear successful operations from the operation list after a 5 second delay": "Curăță operațiile terminate cu succes din lista de operații după 5 secunde", "Clear the local icon cache": "Golește cache-ul de pictograme local", - "Clearing Scoop cache - WingetUI": "Se curăță cache-ul pentru Scoop - UniGetUI", "Clearing Scoop cache...": "Se golește cache-ul pentru Scoop...", - "Click here for more details": "Clic aici pentru mai multe detalii", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Clic pe Instalează pentru a începe procesul de instalare. Dacă vei omite instalarea, UniGetUI ar putea să nu funcționeze așa cum te-ai aștepta.", - "Close": "Închide", - "Close UniGetUI to the system tray": "Închide UniGetUI în tăvița sistemului", "Close WingetUI to the notification area": "Închide UniGetUI în zona de notificări", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Copia de siguranță în cloud folosește un GitHub Gist privat pentru a stoca o listă a pachetelor instalate", - "Cloud package backup": "Backup pachete în cloud", "Command-line Output": "Ieșire din linia de comandă", - "Command-line to run:": "Linia de comandă de rulat:", "Compare query against": "Compară interogarea cu", - "Compatible with authentication": "Compatibil cu autentificarea", - "Compatible with proxy": "Compatibil cu proxy", "Component Information": "Informații componentă", - "Concurrency and execution": "Concurență și execuție", - "Connect the internet using a custom proxy": "Conectează-te la internet folosind un proxy personalizat", - "Continue": "Continuă", "Contribute to the icon and screenshot repository": "Contribuie la repository-ul pictogramei și capturii de ecran", - "Contributors": "Contribuitori", "Copy": "Copiază", - "Copy to clipboard": "Copiază în clipboard", - "Could not add source": "Nu s-a putut adăuga sursa", - "Could not add source {source} to {manager}": "Nu s-a putut adăuga sursa {source} la {manager}", - "Could not back up packages to GitHub Gist: ": "Nu s-au putut copia pachetele în GitHub Gist:", - "Could not create bundle": "Nu s-a putut crea grupul", "Could not load announcements - ": "Nu s-au putut încărca anunțurile - ", "Could not load announcements - HTTP status code is $CODE": "Nu s-au putut încărca anunțurile - Codul de stare HTTP este $CODE", - "Could not remove source": "Nu s-a putut elimina sursa", - "Could not remove source {source} from {manager}": "Nu s-a putut elimina sursa {source} din {manager}", "Could not remove {source} from {manager}": "Nu s-a putut elimina {source} din {manager}", - "Create .ps1 script": "Creează un script .ps1", - "Credentials": "Acreditări", "Current Version": "Versiune curentă", - "Current executable file:": "Fișierul executabil curent:", - "Current status: Not logged in": "Stare curentă: Neautentificat", "Current user": "Utilizatorul curent", "Custom arguments:": "Argumente particularizate:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumentele personalizate în linie de comandă pot schimba modul în care programul este instalat, actualizat sau dezinstalat într-un mod pe care UniGetUI nu îl poate controla. Folosind argumente în linie de comandă poate strica pachetele. Continuă cu atenție.", "Custom command-line arguments:": "Argumente particularizate în linie de comandă:", - "Custom install arguments:": "Argumente de instalare personalizate:", - "Custom uninstall arguments:": "Argumente de dezinstalare personalizate:", - "Custom update arguments:": "Argumente de actualizare personalizate:", "Customize WingetUI - for hackers and advanced users only": "Particularizează UniGetUI - doar pentru utilizatori avansați", - "DEBUG BUILD": "BUILD DEPANARE", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "NOTĂ DE INFORMARE: NU SUNTEM RESPONSABILI PENTRU PACHETELE DESCĂRCATE. TE ROG SĂ FII SIGUR CĂ INSTALEZI DOAR SOFTWARE ÎN CARE AI ÎNCREDERE.", - "Dark": "Întunecat", - "Decline": "Refuză", - "Default": "Implicit", - "Default installation options for {0} packages": "Opțiunile implicite de instalare pentru pachete {0}", "Default preferences - suitable for regular users": "Preferințe implicite - potrivite pentru utilizatori obișnuiți", - "Default vcpkg triplet": "Triplet vcpkg implicit", - "Delete?": "Ștergi?", - "Dependencies:": "Dependințe:", - "Descendant": "Descrescător", "Description:": "Descriere:", - "Desktop shortcut created": "Scurtătură pe spațiul de lucru creată", - "Details of the report:": "Detaliile raportului:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Dezvoltarea este dificilă și această aplicație este gratuită. Dar dacă îți place aplicația, îmi poți cumpăra oricând o cafea :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instalează direct când faci dublu-clic pe un element din fila „{discoveryTab}” (în loc de a afișa informațiile despre pachet)", "Disable new share API (port 7058)": "Dezactivează API-ul nou de partajare (portul 7058)", - "Disable the 1-minute timeout for package-related operations": "Dezactivează întârzierea de 1 minut pentru operațiile legate de pachete", - "Disabled": "Dezactivat", - "Disclaimer": "Negarea responsabilității", - "Discover Packages": "Descoperă pachete", "Discover packages": "Descoperă pachete", "Distinguish between\nuppercase and lowercase": "Distingeți între \nmajuscule și minuscule", - "Distinguish between uppercase and lowercase": "Distingeți între majuscule și minuscule", "Do NOT check for updates": "NU verifica pentru actualizări", "Do an interactive install for the selected packages": "Efectuază o instalare interactivă pentru pachetele selectate", "Do an interactive uninstall for the selected packages": "Efectuază o dezinstalare interactivă pentru pachetele selectate", "Do an interactive update for the selected packages": "Efectuază o actualizare interactivă pentru pachetele selectate", - "Do not automatically install updates when the battery saver is on": "Nu instala actualizările automat când economizorul de baterie este activat", - "Do not automatically install updates when the device runs on battery": "Nu instala automat actualizările când dispozitivul rulează pe baterie", - "Do not automatically install updates when the network connection is metered": "Nu instala actualizările automat când conexiunea la internet este monitorizată", "Do not download new app translations from GitHub automatically": "Nu descărca noi traduceri ale aplicației de pe GitHub automat", - "Do not ignore updates for this package anymore": "Nu mai ignora actualizările pentru acest pachet", "Do not remove successful operations from the list automatically": "Nu elimina automat operațiile terminate cu succes din listă", - "Do not show this dialog again for {0}": "Nu mai afișa acest dialog pentru {0}", "Do not update package indexes on launch": "Nu actualiza indexul de pachete la pornire", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepți ca UniGetUI să colecteze și să trimită statistici de utilizare anonime, cu unicul scop de a înțelege și îmbunătăți experiența utilizatorilor?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "UniGetUI îți este util? Dacă poți, sprijină munca mea pentru a putea continua să fac UniGetUI cea mai bună interfață grafică pentru managerele de pachete.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "UniGetUI ți se pare util? Dorești să sprijini dezvoltatorul? Dacă da, poți {0}, ar ajuta foarte mult!", - "Do you really want to reset this list? This action cannot be reverted.": "Chiar vrei să resetezi această listă? Această acțiune nu poate fi anulată.", - "Do you really want to uninstall the following {0} packages?": "Sigur dorești să dezinstalezi următoarele {0} pachete?", "Do you really want to uninstall {0} packages?": "Chiar dorești să dezinstalezi {0} pachete?", - "Do you really want to uninstall {0}?": "Chiar dorești să dezinstalezi {0}?", "Do you want to restart your computer now?": "Dorești să repornești calculatorul acum?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Dorești să traduci UniGetUI în limba ta? Află cum poți contribui AICI!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Nu ai vrea să donezi încă? Nu-ți face probleme, poți măcar să partajezi UniGetUI cu prietenii. Împrăștie vorba depsre UniGetUI!", "Donate": "Donează", - "Done!": "Gata!", - "Download failed": "Descărcarea a eșuat", - "Download installer": "Descarcă instalatorul", - "Download operations are not affected by this setting": "Operațiile de descărcare nu sunt afectate de această setare", - "Download selected installers": "Descarcă instalatoarele selectate", - "Download succeeded": "Descărcarea a fost realizată", "Download updated language files from GitHub automatically": "Descarcă automat fișiere lingvistice actualizate de pe GitHub", - "Downloading": "Se descarcă", - "Downloading backup...": "Se descarcă copia de siguranță...", - "Downloading installer for {package}": "Se descarcă instalatorul pentru {package}", - "Downloading package metadata...": "Se descarcă metadatele pachetelor...", - "Enable Scoop cleanup on launch": "Activează curățarea pentru Scoop la pornire", - "Enable WingetUI notifications": "Activează notificările de la UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Activează un depanator îmbunătățit WinGet [experimental]", - "Enable and disable package managers, change default install options, etc.": "Activează și dezactivează manageri de pachete, schimbă opțiunile implicite de instalare etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Activarea optimizărilor în fundal ale utilizării CPU (vezi Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Activează API în fundal (Widgets for UniGetUI and Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Activează-l pentru a instala pachete de la {pm}.", - "Enable the automatic WinGet troubleshooter": "Activează depanatorul automat pentru WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Activează noul elevator UAC al UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Activează noul mod de manipulare a intrării procesului (închizător de stdin automat)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Activează setările de mai jos numai și numai dacă înțelegi deplin ceea ce fac și implicațiile pe care le pot avea.", - "Enable {pm}": "Activează {pm}", - "Enabled": "Activat", - "Enter proxy URL here": "Introdu URL proxy aici", - "Entries that show in RED will be IMPORTED.": "Intrările afișate cu ROȘU vor fi IMPORTATE.", - "Entries that show in YELLOW will be IGNORED.": "Intrările afișate cu GALBEN for fi IGNORATE.", - "Error": "Eroare", - "Everything is up to date": "Totul este la zi", - "Exact match": "Potrivire exactă", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Scurtăturile existente pe Desktop vor fi scanate și va trebui să alegi pe care le păstrezi și pe care le ștergi.", - "Expand version": "Extinde versiunea", - "Experimental settings and developer options": "Setări experimentale și opțiuni dezvoltator", - "Export": "Exportă", + "Downloading": "Se descarcă", + "Downloading installer for {package}": "Se descarcă instalatorul pentru {package}", + "Downloading package metadata...": "Se descarcă metadatele pachetelor...", + "Enable the new UniGetUI-Branded UAC Elevator": "Activează noul elevator UAC al UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Activează noul mod de manipulare a intrării procesului (închizător de stdin automat)", "Export log as a file": "Exportă jurnalul ca fișier", "Export packages": "Exportă pachetele", "Export selected packages to a file": "Exportă pachetele selectate într-un fișier", - "Export settings to a local file": "Exportă setările într-un fișier local", - "Export to a file": "Exportă într-un fișier", - "Failed": "Eșuat", - "Fetching available backups...": "Se preiau copiile de siguranță disponibile...", "Fetching latest announcements, please wait...": "Se preiau ultimele anunțuri, te rog așteaptă...", - "Filters": "Filtre", "Finish": "Terminare", - "Follow system color scheme": "Urmează tema de culoare a sistemului", - "Follow the default options when installing, upgrading or uninstalling this package": "Urmează opțiunile implicite la instalarea, actualizarea sau dezinstalarea acestui pachet.", - "For security reasons, changing the executable file is disabled by default": "Din motive de securitate, schimbarea fișierului executabil este implicit dezactivată", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Din motive de securitate, argumentele personalizate din linia de comandă sunt implicit dezactivate. Mergi la setările de securitate ale UniGetUI pentru a schimba acest lucru.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Din motive de securitate, scripturile pre-operație și post-operație sunt implicit dezactivate. Mergi la setările de securitate ale UniGetUI pentru a schimba acest lucru.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Forțează versiunea winget compilată pentru ARM (DOAR PENTRU SISTEMELE ARM64)", - "Force install location parameter when updating packages with custom locations": "Forțează parametrul locației de instalare la actualizarea pachetelor cu locații personalizate", "Formerly known as WingetUI": "Cunoscut anterior ca WingetUI", "Found": "Găsit", "Found packages: ": "Pachete găsite:", "Found packages: {0}": "Pachete găsite: {0}", "Found packages: {0}, not finished yet...": "Pachete găsite: {0}, căutare în curs...", - "General preferences": "Preferințe generale", "GitHub profile": "Profil GitHub", "Global": "La nivel global", - "Go to UniGetUI security settings": "Mergi la setările de securitate UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Repository excelent de utilități necunoscute, dar utile, și alte pachete interesante.
Conține: Utilitare, programe în linie de comandă, software general (găleata extra necesară)", - "Great! You are on the latest version.": "Minunat! Folosești cea mai nouă versiune.", - "Grid": "Grilă", - "Help": "Ajutor", "Help and documentation": "Ajutor și documentație", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "De aici poți schimba comportamentul UniGetUI legat de scurtături. Bifând o scurtătură vei face ca UniGetUI să o șteargă dacă ea va fi creată la o actualizare viitoare. Debifând-o, vei păstra scurtătura intactă.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Salut! Numele meu este Martí și sunt dezvoltatorul programului UniGetUI. UniGetUI a fost făcut în întregime în timpul meu liber!", "Hide details": "Ascunde detaliile", - "Homepage": "Pagina principală", - "Hooray! No updates were found.": "Ura! Nu a fost găsită nicio actualizare!", "How should installations that require administrator privileges be treated?": "Cum ar trebui să fie tratate instalările care necesită privilegii de administrator?", - "How to add packages to a bundle": "Cum să adaugi pachete într-un grup", - "I understand": "Am înțeles", - "Icons": "Pictograme", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Dacă ai activat backup în cloud, acesta va fi salvat ca un GitHub Gist în acest cont", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Permiteți rularea comenzilor personalizate de pre-instalare și post-instalare", - "Ignore future updates for this package": "Ignoră actualizările viitoare pentru acest pachet", - "Ignore packages from {pm} when showing a notification about updates": "Ignoră pachetele din {pm} când este arătată o notificare despre actualizări", - "Ignore selected packages": "Ignoră pachetele selectate", - "Ignore special characters": "Ignoră caracterele speciale", "Ignore updates for the selected packages": "Ignoră actualizările pentru pachetele selectate", - "Ignore updates for this package": "Ignoră actualizările pentru acest pachet", "Ignored updates": "Ignoră actualizările", - "Ignored version": "Versiune ignorată", - "Import": "Importă", "Import packages": "Importă pachete", "Import packages from a file": "Importă pachete din fișier", - "Import settings from a local file": "Importă setări dintr-un fișier local", - "In order to add packages to a bundle, you will need to: ": "Pentru a putea adăuga pachete într-un grup va trebui să:", "Initializing WingetUI...": "Se inițializează UniGetUI...", - "Install": "Instalează", - "Install Scoop": "Instalează Scoop", "Install and more": "Instalează și mai multe", "Install and update preferences": "Preferințe instalare și actualizare", - "Install as administrator": "Instalează ca administrator", - "Install available updates automatically": "Instalează actualizările disponibile automat", - "Install location can't be changed for {0} packages": "Locația instalării nu poate fi schimbată pentru pachetele {0}", - "Install location:": "Locația instalării:", - "Install options": "Opțiuni instalare", "Install packages from a file": "Instalează pachete din fișier", - "Install prerelease versions of UniGetUI": "Instalează versiuni în fază de testare ale UniGetUI", - "Install script": "Script instalare", "Install selected packages": "Instalează pachetele selectate", "Install selected packages with administrator privileges": "Instalează pachetele selectate cu privilegii de administrator", - "Install selection": "Instalează selecția", "Install the latest prerelease version": "Instalează ultima versiune beta", "Install updates automatically": "Instalează actualizările automat", - "Install {0}": "Instalează {0}", "Installation canceled by the user!": "Instalarea a fost anulată de utilizator!", - "Installation failed": "Instalarea a eșuat", - "Installation options": "Opțiuni instalare", - "Installation scope:": "Domeniu instalare:", - "Installation succeeded": "Instalarea s-a realizat", - "Installed Packages": "Pachete instalate", - "Installed Version": "Versiune instalată", "Installed packages": "Pachete instalate", - "Installer SHA256": "Instalator SHA256", - "Installer SHA512": "Instalator SHA512", - "Installer Type": "Tip Instalator", - "Installer URL": "Instalator URL", - "Installer not available": "Instalatorul nu este disponibil", "Instance {0} responded, quitting...": "Instanța {0} a răspuns, se închide...", - "Instant search": "Căutare instantă", - "Integrity checks can be disabled from the Experimental Settings": "Verificările de integritate pot fi dezactivate din setările experimentale", - "Integrity checks skipped": "Verificările de integritate au fost omise", - "Integrity checks will not be performed during this operation": "Verificările de integritate nu vor fi făcute în timpul acestei operații", - "Interactive installation": "Instalare interactivă", - "Interactive operation": "Operație interactivă", - "Interactive uninstall": "Dezinstalare interactivă", - "Interactive update": "Actualizare interactivă", - "Internet connection settings": "Setări conexiune la internet", - "Invalid selection": "Selecție invalidă", "Is this package missing the icon?": "Lipsește pictograma acestui pachet?", - "Is your language missing or incomplete?": "Lipsește limba ta sau este incompletă?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nu este garantat că acreditările oferite vor fi stocate în siguranță, deci ai putea să nu folosești datele contului tău bancar.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Este recomandat să repornești UniGetUI după ce WinGet a fost reparat", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Este recomandat cu tărie să reinstalezi UniGetUI pentru a adresa această situație.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Se pare că WinGet nu funcționează corect. Dorești să încerci să repari WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Se pare că ai rulat UniGetUI ca administrator, lucru care nerecomandat. Poți folosi programul și astfel, dar este recomandat să nu rulezi UniGetUI ca administrator. Apasă pe „{showDetails}” pentru a vedea cauza.", - "Language": "Limbă", - "Language, theme and other miscellaneous preferences": "Limbă, temă și alte preferințe diverse", - "Last updated:": "Ultima dată actualizat:", - "Latest": "Ultima", "Latest Version": "Ultima versiune", "Latest Version:": "Ultima versiune:", "Latest details...": "Ultimele detalii...", "Launching subprocess...": "Se lansează subprocesul...", - "Leave empty for default": "Lasă liber pentru valoarea implicită", - "License": "Licență", "Licenses": "Licențe", - "Light": "Luminos", - "List": "Listă", "Live command-line output": "Ieșirea liniei de comandă în timp real", - "Live output": "Output în timp real", "Loading UI components...": "Se încarcă componentele de interfață...", "Loading WingetUI...": "Se încarcă UniGetUI...", - "Loading packages": "Se încarcă pachetele", - "Loading packages, please wait...": "Se încarcă pachetele, te rog așteaptă...", - "Loading...": "Se încarcă...", - "Local": "La nivel local", - "Local PC": "PC-ul local", - "Local backup advanced options": "Opțiuni avansate backup local", "Local machine": "Mașina locală", - "Local package backup": "Backup pachete local", "Locating {pm}...": "Se localizează {pm}...", - "Log in": "Autentifică-te", - "Log in failed: ": "Autentificarea a eșuat:", - "Log in to enable cloud backup": "Autentifică-te pentru a activa backup în cloud", - "Log in with GitHub": "Autentifică-te cu GitHub", - "Log in with GitHub to enable cloud package backup.": "Autentifică-te cu GitHub pentru a activa backup de pachete în cloud.", - "Log level:": "Nivel jurnalizare:", - "Log out": "Deconectează-te", - "Log out failed: ": "Deconectarea a eșuat:", - "Log out from GitHub": "Deconectează-te de la GitHub", "Looking for packages...": "Se caută pachete...", "Machine | Global": "Mașină | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentele în linie de comandă malformate pot strica pachetele sau chiar permite unui actor malițios să obțină acces privilegiat. Așadar, importarea argumentelor personalizate în linie de comandă este implicit dezactivată.", - "Manage": "Administrează", - "Manage UniGetUI settings": "Administrează setările UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Configurează pornirea automată a UniGetUI din Setările sistemului de operare", "Manage ignored packages": "Administrează pachetele ignorate", - "Manage ignored updates": "Administrează actualizările ignorate", - "Manage shortcuts": "Administrează scurtăturile", - "Manage telemetry settings": "Administrează setări telemetrie", - "Manage {0} sources": "Administrează {0} surse", - "Manifest": "Fișier manifest", "Manifests": "Manifesturi", - "Manual scan": "Scanare manuală", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Managerul de pachete oficial al Microsoft. Plin de pachete arhicunoscute și verificate.
Conține: Software general, aplicații Microsoft Store", - "Missing dependency": "Dependință lipsă", - "More": "Mai mult", - "More details": "Mai multe detalii", - "More details about the shared data and how it will be processed": "Mai multe detalii despre datele partajate și cum vor fi acestea procesate", - "More info": "Mai multe informații", - "More than 1 package was selected": "A fost selectat mai mult de un pachet", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOTĂ: Acest depanator poate fi dezactivat din setările UniGetUI, din secțiunea WinGet", - "Name": "Nume", - "New": "Nou", "New Version": "Versiune nouă", "New bundle": "Grup nou", - "New version": "Versiune nouă", - "Nice! Backups will be uploaded to a private gist on your account": "Fain! Backup-urile se vor încărca automat într-un gist privat în contul tău", - "No": "Nu", - "No applicable installer was found for the package {0}": "Niciun instalator aplicabil nu a fost găsit pentru pachetul {0}", - "No dependencies specified": "Nicio dependință specificată", - "No new shortcuts were found during the scan.": "În timpul scanării nu au fost găsite noi scurtături.", - "No package was selected": "Niciun pachet selectat", "No packages found": "Nu s-au găsit pachete", "No packages found matching the input criteria": "Nu s-au găsit pachete care corespund criteriilor introduse", "No packages have been added yet": "Niciun pachet nu a fost adăugat încă", "No packages selected": "Niciun pachet selectat", - "No packages were found": "Nu au fost găsite pachete", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nicio informație personală nu este colectată sau trimisă, iar datele colectate sunt anonimizate, deci nu pot fi asociate cu tine.", - "No results were found matching the input criteria": "Nu s-au găsit rezultate potrivite cu criteriile selectate", "No sources found": "Nu s-au găsit surse", "No sources were found": "Nu s-au găsit surse", "No updates are available": "Nu sunt disponibile actualizări", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Managerul de pachete al lui Node JS. Plin de biblioteci și alte utilitare care orbitează lumea javascript
Conține: Biblioteci javascript Node și alte utilitare conexe", - "Not available": "Indisponibil", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nu găsești fișierul pe care îl cauți? Asigură-te că a fost adăugat în cale.", - "Not found": "Negăsit", - "Not right now": "Nu chiar acum", "Notes:": "Notițe:", - "Notification preferences": "Preferințe notificări", "Notification tray options": "Opțiuni zonă notificări", - "Notification types": "Tipuri de notificări", - "NuPkg (zipped manifest)": "NuPkg (manifest zip)", - "OK": "Bine", "Ok": "Bine", - "Open": "Deschide", "Open GitHub": "Deschide GitHub", - "Open UniGetUI": "Deschide UniGetUI", - "Open UniGetUI security settings": "Deschide setările de securitate ale UniGetUI", "Open WingetUI": "Deschide UniGetUI", "Open backup location": "Deschide locația copiei de siguranță", "Open existing bundle": "Deschide grup existent", - "Open install location": "Deschide locația instalării", "Open the welcome wizard": "Deschide asistentul pentru instalare", - "Operation canceled by user": "Operația a fost anulată de utilizator", "Operation cancelled": "Operație anulată", - "Operation history": "Istoric operații", - "Operation in progress": "Operație în curs", - "Operation on queue (position {0})...": "Operație în coadă (poziția {0})...", - "Operation profile:": "Profil operațiuni:", "Options saved": "Opțiunile au fost salvate", - "Order by:": "Ordonează după:", - "Other": "Altele", - "Other settings": "Alte setări", - "Package": "Pachet", - "Package Bundles": "Grupuri aplicații", - "Package ID": "ID pachet", "Package Manager": "Manager pachete", - "Package Manager logs": "Jurnale manager de pachete", - "Package Managers": "Manageri pachete", - "Package Name": "Nume pachet", - "Package backup": "Backup pachete", - "Package backup settings": "Setări backup pachete", - "Package bundle": "Grup pachete", - "Package details": "Detalii pachet", - "Package lists": "Liste de pachete", - "Package management made easy": "Gestionarea pachetelor simplificată", - "Package manager": "Manager de pachete", - "Package manager preferences": "Preferințe manageri pachete", "Package managers": "Manageri pachete", - "Package not found": "Pachetul nu a fost găsit", - "Package operation preferences": "Preferințe operații cu pachete", - "Package update preferences": "Preferințe actualizări pachete", "Package {name} from {manager}": "Pachetul {name} din {manager}", - "Package's default": "Implicitele pachetului", "Packages": "Pachete", "Packages found: {0}": "Pachete disponibile: {0}", - "Partially": "Parțial", - "Password": "Parolă", "Paste a valid URL to the database": "Lipește un URL valid în baza de date", - "Pause updates for": "Sistează actualizările pentru", "Perform a backup now": "Fă un backup acum", - "Perform a cloud backup now": "Realizează un backup în cloud acum", - "Perform a local backup now": "Realizează un backup local acum", - "Perform integrity checks at startup": "Realizează verificări de integritate la pornire", - "Performing backup, please wait...": "Se face un backup, te rog așteaptă...", "Periodically perform a backup of the installed packages": "Realizează periodic un backup al pachetelor instalate", - "Periodically perform a cloud backup of the installed packages": "Realizează periodic un backup în cloud al pachetelor instalate", - "Periodically perform a local backup of the installed packages": "Realizează periodic un backup local al pachetelor instalate", - "Please check the installation options for this package and try again": "Te rog verifică opțiunile de instalare ale acestui pachet și încearcă din nou", - "Please click on \"Continue\" to continue": "Te rog apasă pe „Continuă” pentru a continua", "Please enter at least 3 characters": "Te rog introdu cel puțin 3 caractere", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Ia aminte că anumite pachete nu pot fi instalate din cauza managerelor de pachete activate pe acest sistem.", - "Please note that not all package managers may fully support this feature": "Te rog ia aminte că nu toți managerii de pachete pot suporta această funcție", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Ia aminte că pachetele din anumite surse pot să nu fie exportabile. Ele au fost marcate cu gri și nu vor fi exportate.", - "Please run UniGetUI as a regular user and try again.": "Te rog rulează UniGetUI ca un utilizator normal și încearcă din nou", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Te rog uită-te în output-ul liniei de comandă sau vezi istoricul operațiilor pentru mai multe informații legate de problemă.", "Please select how you want to configure WingetUI": "Te rog alege cum dorești să configurezi UniGetUI", - "Please try again later": "Te rog încearcă din nou mai târziu", "Please type at least two characters": "Te rog tastează cel puțin două caractere", - "Please wait": "Te rog așteaptă", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Te rog așteaptă cât timp {0} se instalează. O fereastră neagră ar putea apărea. Așteaptă până când aceasta va dispărea.", - "Please wait...": "Te rog așteaptă...", "Portable": "Portabil", - "Portable mode": "Mod portabil", - "Post-install command:": "Comandă post-instalare:", - "Post-uninstall command:": "Comandă post-dezinstalare:", - "Post-update command:": "Comandă post-actualizare:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Managerul de pachete al PowerShell. Găsește biblioteci și scripturi pentru a extinde capabilitățile PowerShell
Conține: Module, Scripturi, Comenzi", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Comenzile pre și post instalare pot face lucruri rele pentru dispozitivul tău dacă sunt făcute să facă astfel. Este foarte periculos să imporți o comandă dintr-un grup dacă nu ai încredere în proveniența grupului.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Comenzile pre și post instalare vor fi rulate înainte și după ce un pachet a fost instalat, actualizat sau dezinstalat. Fii conștient că acestea pot strica lucruri dacă nu sunt utilizate cu grijă.", - "Pre-install command:": "Comandă pre-instalare:", - "Pre-uninstall command:": "Comandă pre-dezinstalare:", - "Pre-update command:": "Comandă pre-actualizare:", - "PreRelease": "Versiune preliminară", - "Preparing packages, please wait...": "Se pregătesc pachetele, te rog așteaptă...", - "Proceed at your own risk.": "Continuă pe riscul tău.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Interzice orice tip de elevare via elevatorul UniGetUI sau GSudo", - "Proxy URL": "URL proxy", - "Proxy compatibility table": "Tabel compatibilitate proxy", - "Proxy settings": "Setări proxy", - "Proxy settings, etc.": "Setări proxy etc.", "Publication date:": "Data publicării:", - "Publisher": "Editor", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Managerul bibliotecii Python. Plin de biblioteci Python și alte utilitare legate de Python
Conține: Biblioteci Python și utilități aferente", - "Quit": "Ieșire", "Quit WingetUI": "Închide UniGetUI", - "Ready": "Pregătit", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Redu întrbările UAC, elevează instalările în mod implicit, deblochează anumite funcții periculoase etc.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Fă referire la jurnalele UniGetUI pentru a obține mai multe detalii despre fișierele afectate", - "Reinstall": "Reinstalează", - "Reinstall package": "Reinstalează pachet", - "Related settings": "Setări înrudite", - "Release notes": "Informații versiune", - "Release notes URL": "URL informații versiune", "Release notes URL:": "URL informații versiune:", "Release notes:": "Informații versiune:", "Reload": "Reîncarcă", - "Reload log": "Reîncarcă jurnalul", "Removal failed": "Eliminarea a eșuat", "Removal succeeded": "Eliminarea a avut succes", - "Remove from list": "Elimină din listă", "Remove permanent data": "Elimină datele permanente", - "Remove selection from bundle": "Elimină selecția din grup", "Remove successful installs/uninstalls/updates from the installation list": "Elimină instalările/dezinstalările/actualizările realizate din lista de instalare", - "Removing source {source}": "Se elimină sursa {source}", - "Removing source {source} from {manager}": "Se elimină sursa {source} din {manager}", - "Repair UniGetUI": "Repară UniGetUI", - "Repair WinGet": "Repară WinGet", - "Report an issue or submit a feature request": "Raportează o problemă sau creează o cerere pentru o funcție nouă", "Repository": "Repozitoriu", - "Reset": "Resetează", "Reset Scoop's global app cache": "Resetează cache-ul global de aplicații Scoop", - "Reset UniGetUI": "Resetează UniGetUI", - "Reset WinGet": "Resetează WinGet", "Reset Winget sources (might help if no packages are listed)": "Resetează sursele Winget (poate ajuta dacă nu sunt listate pachete)", - "Reset WingetUI": "Resetează UniGetUI", "Reset WingetUI and its preferences": "Resetează UniGetUI și preferințele sale", "Reset WingetUI icon and screenshot cache": "Resetează UniGetUI și cache-ul de capturi de ecran", - "Reset list": "Resetează lista", "Resetting Winget sources - WingetUI": "Se resetează sursele Winget - UniGetUI", - "Restart": "Repornește", - "Restart UniGetUI": "Repornește UniGetUI", - "Restart WingetUI": "Repornește WingetUI", - "Restart WingetUI to fully apply changes": "Repornește UniGetUI pentru a aplica schimbările în totalitate", - "Restart later": "Repornește mai târziu", "Restart now": "Repornește acum", - "Restart required": "Repornire necesară", - "Restart your PC to finish installation": "Repornește PC-ul pentru a termina instalarea", - "Restart your computer to finish the installation": "Repornește calculatorul pentru a termina instalarea", - "Restore a backup from the cloud": "Restaurează un backup din cloud", - "Restrictions on package managers": "Restricții asupra managerilor de pachete", - "Restrictions on package operations": "Restricții asupra operațiilor cu pachete", - "Restrictions when importing package bundles": "Restricții la importarea grupurilor de pachete", - "Retry": "Reîncearcă", - "Retry as administrator": "Reîncearcă ca Administrator", - "Retry failed operations": "Reîncearcă operațiile eșuate", - "Retry interactively": "Reîncearcă interactiv", - "Retry skipping integrity checks": "Reîncearcă omiterea verificărilor de integritate", - "Retrying, please wait...": "Se încearcă din nou, te rog așteaptă...", - "Return to top": "Înapoi sus", - "Run": "Rulează", - "Run as admin": "Rulează ca administrator", - "Run cleanup and clear cache": "Rulează curățarea și curăță cache-ul", - "Run last": "Rulează ultima", - "Run next": "Rulează următoarea", - "Run now": "Rulează acum", + "Restart your PC to finish installation": "Repornește PC-ul pentru a termina instalarea", + "Restart your computer to finish the installation": "Repornește calculatorul pentru a termina instalarea", + "Retry failed operations": "Reîncearcă operațiile eșuate", + "Retrying, please wait...": "Se încearcă din nou, te rog așteaptă...", + "Return to top": "Înapoi sus", "Running the installer...": "Se rulează instalatorul...", "Running the uninstaller...": "Se rulează dezinstalatorul...", "Running the updater...": "Se rulează actualizatorul...", - "Save": "Salvează", "Save File": "Salvează fișier", - "Save and close": "Salvează și închide", - "Save as": "Salvează ca", "Save bundle as": "Salvează grupul ca", "Save now": "Salvează acum", - "Saving packages, please wait...": "Se salvează pachetele, te rog așteaptă...", - "Scoop Installer - WingetUI": "Instalator Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Dezinstalator Scoop - UniGetUI", - "Scoop package": "Pachet Scoop", "Search": "Caută", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Caut programe pentru desktop, avertizează-mă când sunt disponibile actualizări și nu face lucruri tocilărești. Nu vreau ca UniGetUI să fie prea complicat, vreau doar un simplu magazin de programe", - "Search for packages": "Caută pachete", - "Search for packages to start": "Caută pachete pentru a începe", - "Search mode": "Mod căutare", "Search on available updates": "Caută printre actualizările disponibile", "Search on your software": "Caută prin software-ul tău", "Searching for installed packages...": "Se caută pachete instalate...", "Searching for packages...": "Se caută pachete...", "Searching for updates...": "Se caută actualizări...", - "Select": "Selectează", "Select \"{item}\" to add your custom bucket": "Selectați „{item}” pentru a adăuga ceva personalizat", "Select a folder": "Selectează un dosar", - "Select all": "Selectează tot", "Select all packages": "Selectează toate pachetele", - "Select backup": "Alege backup", "Select only if you know what you are doing.": "Alege doar dacă știi ce faci.", "Select package file": "Selectează fișier pachet", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Selectează backup-ul pe care dorești să îl deschizi. Mai târziu vei putea să revizuiești ce pachete dorești să instalezi.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Selectează executabilul de folosit. Lista următoare arată executabilele găsite de UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Selectează procesele care ar trebui să fie închise înainte ca acest pachet să fie instalat, actualizat sau dezinstalat.", - "Select the source you want to add:": "Selectează sursa pe care dorești să o adaugi:", - "Select upgradable packages by default": "Selectează pachetele actualizabile în mod implicit", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Selectați ce administratori de pachete să utilizați ({0}), configurați modul în care sunt instalate pachetele, gestionați modul în care sunt gestionate drepturile de administrator etc.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Strângere de mână trimisă. Se așteaptă răspunsul ascultătorului... ({0}%)", - "Set a custom backup file name": "Alege un nume de fișier personalizat al copiei de siguranță", "Set custom backup file name": "Setează nume particularizat pentru copia de siguranță", - "Settings": "Setări", - "Share": "Partajează", "Share WingetUI": "Partajează UniGetUI", - "Share anonymous usage data": "Partajează date de utilizare anonime", - "Share this package": "Partajează acest pachet", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Dacă ar fi să modifici setările de securitate, va trebui să deschizi grupul din nou pentru ca schimbările să fie aplicate.", "Show UniGetUI on the system tray": "Afișează UniGetUI în tăvița sistemului", - "Show UniGetUI's version and build number on the titlebar.": "Afișează versiunea și numărul de build al UniGetUI în bara de titlu.", - "Show WingetUI": "Arată UniGetUI", "Show a notification when an installation fails": "Arată o notificare când o instalare eșuează", "Show a notification when an installation finishes successfully": "Arată o notificare când o instalare s-a realizat", - "Show a notification when an operation fails": "Afișează o notificare dacă o operație eșuează", - "Show a notification when an operation finishes successfully": "Afișează o notificare dacă o operație se finalizează cu succes", - "Show a notification when there are available updates": "Arată o notificare când există actualizări disponibile", - "Show a silent notification when an operation is running": "Afișează o notificare silențioasă când se rulează o operațiune", "Show details": "Arată detalii", - "Show in explorer": "Arată în Explorer", "Show info about the package on the Updates tab": "Arată informații despre pachet pe file de Actualizări", "Show missing translation strings": "Arată șirurile lipsă din traducere", - "Show notifications on different events": "Arată notificări pentru diverse evenimente", "Show package details": "Arată detalii pachete", - "Show package icons on package lists": "Afișează pictogramele pachetelor în listele de pachete", - "Show similar packages": "Pachete similare", "Show the live output": "Arată datele de ieșire în timp real", - "Size": "Dimensiune", "Skip": "Omite", - "Skip hash check": "Omite verificarea sumei de control", - "Skip hash checks": "Omite verificările sumelor de control", - "Skip integrity checks": "Omite verificările de integritate", - "Skip minor updates for this package": "Omite actualizări minore pentru acest pachet", "Skip the hash check when installing the selected packages": "Omite verificarea sumei de control când se instalează pachetele selectate", "Skip the hash check when updating the selected packages": "Omite verificarea sumei de control când se actualizează pachetele selectate", - "Skip this version": "Omite această versiune", - "Software Updates": "Actualizări pachete", - "Something went wrong": "Ceva nu a funcționat", - "Something went wrong while launching the updater.": "Ceva nu a funcționat la lansarea actualizatorului.", - "Source": "Sursă", - "Source URL:": "Sursă URL:", - "Source added successfully": "Sursa a fost adăugată cu succes", "Source addition failed": "Adăugarea sursei a eșuat", - "Source name:": "Nume sursă:", "Source removal failed": "Eliminarea sursei a eșuat", - "Source removed successfully": "Sursa a fost eliminată cu succes", "Source:": "Sursă:", - "Sources": "Surse", "Start": "Pornire", "Starting daemons...": "Se pornesc demonii...", - "Starting operation...": "Se începe operația...", "Startup options": "Opțiuni pornire", "Status": "Stare", "Stuck here? Skip initialization": "Blocat aici? Omite inițializarea", - "Success!": "Succes!", "Suport the developer": "Susține dezvoltatorul", "Support me": "Susține-mă", "Support the developer": "Susține dezvoltatorul", "Systems are now ready to go!": "Sistemele sunt acum pregătite!", - "Telemetry": "Telemetrie", - "Text": "Textual", "Text file": "Fișier text", - "Thank you ❤": "Mulțumesc ❤", - "Thank you \uD83D\uDE09": "Mulțumesc \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Managerul de pachete Rust.
Conține: Biblioteci Rust și programe scrise în Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Copia de siguranță NU va conține fișiere binare sau salvări ale datelor programului.", - "The backup will be performed after login.": "Copia de siguranță va fi făcută după autentificare.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Copia de siguranță va include lista completă a pachetelor instalate și opțiunile lor de instalare. Actualizările ignorate și versiunile omise vor fi salvate de asemenea.", - "The bundle was created successfully on {0}": "Grupul a fost creat cu succes pe {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Grupul pe care încerci să-l încarci pare să fie invalid. Te rog verifică fișierul și încearcă din nou.", + "Thank you 😉": "Mulțumesc 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Suma de control a programului de instalare nu coincide cu valoarea așteptată așa că autenticitatea nu poate fi verificată. Dacă ai încredere în acest editor, {0} pachetul va omite din nou verificarea sumei de control.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Managerul de pachete clasic pentru Windows. Vei găsi totul acolo.
Conține: Programe generale", - "The cloud backup completed successfully.": "Copierea de siguranță s-a finalizat cu succes.", - "The cloud backup has been loaded successfully.": "Copia de siguranță din cloud a fost încărcată cu succes.", - "The current bundle has no packages. Add some packages to get started": "Setul curent nu conține pachete. Adaugă câteva pachete pentru a începe", - "The executable file for {0} was not found": "Fișierul executabil pentru {0} nu a fost găsit", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Următoarele opțiuni vor fi aplicate implicit de fiecare dată când un pachet {0} este instalat, actualizat sau dezinstalat.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Următoarele pachete vor fi exportate într-un fișier JSON. Nu vor fi salvate fișere binare sau datele utilizatorului.", "The following packages are going to be installed on your system.": "Următoarele pachete vor fi instalate pe sistemul dumneavoastră.", - "The following settings may pose a security risk, hence they are disabled by default.": "Următoarele setări pot reprezenta un risc de securitate, de aceea sunt implicit dezactivate.", - "The following settings will be applied each time this package is installed, updated or removed.": "Următoarele setări vor fi aplicate de fiecare dată când acest pachet este instalat, actualizat sau eliminat.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Următoarele setări vor fi aplicate de fiecare dată când acest pachet este instalat, actualizat sau șters. Ele vor fi salvate automat.", "The icons and screenshots are maintained by users like you!": "Pictogramele și capturile de ecran sunt întreținute de utilizatori ca tine!", - "The installation script saved to {0}": "Scriptul de instalare a fost salvat în {0}", - "The installer authenticity could not be verified.": "Autenticitatea instalatorului nu a putut fi verificată.", "The installer has an invalid checksum": "Programul de instalare are o sumă de control invalidă", "The installer hash does not match the expected value.": "Suma de control a instalatorului nu se potrivește cu valoarea așteptată.", - "The local icon cache currently takes {0} MB": "Cache-ul de pictograme local ocupă {0}MO", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Scopul principal al acestui proiect este de a crea o interfață intuitivă pentru a gestiona cei mai simpli manageri de pachete CLI pentru Windows, cum ar fi Winget și Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Pachetul „{0}” nu a fost găsit în managerul de pachete „{1}”", - "The package bundle could not be created due to an error.": "Grupul de pachete nu a putut fi creat din cauza unei erori.", - "The package bundle is not valid": "Grupul de pachete nu este valid", - "The package manager \"{0}\" is disabled": "Managerul de pachete „{0}” este dezactivat", - "The package manager \"{0}\" was not found": "Managerul de pachete „{0}” nu a fost găsit", "The package {0} from {1} was not found.": "Pachetul {0} din {1} nu a fost găsit.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Pachetele enumerate aici nu vor fi luate în considerare la verificarea actualizărilor. Fă dublu clic pe ele sau fă clic pe butonul din dreapta lor pentru a nu mai mai ignora actualizările.", "The selected packages have been blacklisted": "Pachetele selectate au fost incluse pe lista neagră", - "The settings will list, in their descriptions, the potential security issues they may have.": "Setările vor lista, în descrierile lor, problemele potențiale de securitate pe care le pot introduce.", - "The size of the backup is estimated to be less than 1MB.": "Dimensiunea copiei de siguranță este estimată a fi sub 1MB.", - "The source {source} was added to {manager} successfully": "Sursa {source} a fost adăugată la {manager} cu succes", - "The source {source} was removed from {manager} successfully": "Sursa {source} a fost eliminată din {manager} cu succes", - "The system tray icon must be enabled in order for notifications to work": "Pictograma din tăvița sistemului trebuie să fie activată pentru a putea primi notificări", - "The update process has been aborted.": "Procesul de actualizare a fost anulat.", - "The update process will start after closing UniGetUI": "Procesul de actualizare va porni după închiderea UniGetUI", "The update will be installed upon closing WingetUI": "Actualizarea va fi instalată la închiderea UniGetUI", "The update will not continue.": "Actualizarea nu va continua.", "The user has canceled {0}, that was a requirement for {1} to be run": "Utilizatorul a anulat {0}, care era o necesitate pentru a putea fi rulată {1}", - "There are no new UniGetUI versions to be installed": "Nu există versiuni noi de UniGetUI pentru a fi instalate", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Există operații în curs. Închizând UniGetUI va face ca ele să eșueze. Dorești să continui?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Există câteva videoclipuri minunate pe YouTube care îți prezintă UniGetUI și capacitățile sale. Ai putea învăța trucuri și sfaturi utile!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Există două motive principale pentru a nu rula UniGetUI ca administrator: Primul este că managerul de pachete Scoop poate cauza probleme cu unele comenzi rulate ca administrator. Al doilea este că rulând UniGetUI ca administrator înseamnă că orice pachet vei descărca va fi rulat de asemenea ca administrator (și acest lucru nu este sigur). Ia aminte că dacă ai nevoie să instalezi un anumit pachet ca administrator, poți oricând să faci click-dreapta pe acesta și să alegi Instalează/Actualizează/Dezinstalează ca administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Există o eroare cu configurația managerului de pachete „{0}”", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Există o instalare în curs. Dacă închideți UniGetUI, este posibil ca instalarea să eșueze și să aibă rezultate neașteptate. Mai vrei să renunți la UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Sunt programele responsabile cu instalarea, actualizarea și eliminarea pachetelor.", - "Third-party licenses": "Licențe terțe", "This could represent a security risk.": "Acest lucru ar putea reprezenta un risc de securitate.", - "This is not recommended.": "Acest lucru nu este recomandat", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Probabil acest lucru se datorează faptului că pachetul care v-a fost trimis a fost eliminat sau publicat pe un manager de pachete pe care nu l-ați activat. ID-ul primit este {0}", "This is the default choice.": "Aceasta este alegerea implicită.", - "This may help if WinGet packages are not shown": "Acest lucru poate ajuta dacă pachetele WinGet nu sunt afișate", - "This may help if no packages are listed": "Acest lucru poate ajuta dacă nu este listat niciun pachet", - "This may take a minute or two": "Acest lucru poate dura 1-2 minut(e)", - "This operation is running interactively.": "Această operație este rulată interactiv.", - "This operation is running with administrator privileges.": "Această operație este rulată cu privilegii de administrator.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Această opțiune VA cauza probleme. Orice operație incapabilă de a se eleva singură VA EȘUA. Instalarea/actualizarea/dezinstalarea ca administrator NU VA FUNCȚIONA.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Acest grup de pachete a avut anumite setări care sunt potențial periculoase și ar putea să fie implicit ignorate.", "This package can be updated": "Acest pachet poate fi actualizat", "This package can be updated to version {0}": "Acest pachet poate fi actualizat la versiunea {0}", - "This package can be upgraded to version {0}": "Acest pachet poate fi actualizat la versiunea {0}", - "This package cannot be installed from an elevated context.": "Acest pachet nu poate fi instalat dintr-un context elevat.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Lipsesc capturile de ecran sau pictograma acestui pachet? Contribuie la UniGetUI adăugând pictogramele sau capturile de ecran lipsă în baza noastră de date deschisă și publică.", - "This package is already installed": "Acest pachet este deja instalat", - "This package is being processed": "Acest pachet este în curs de procesare", - "This package is not available": "Acest pachet nu este disponibil", - "This package is on the queue": "Acest pachet este pus în coadă", "This process is running with administrator privileges": "Acest proces rulează cu privilegii de administrator", - "This project has no connection with the official {0} project — it's completely unofficial.": "Acest proiect nu are nicio legătură cu proiectul oficial {0} — este complet neoficial.", "This setting is disabled": "Această setare este dezactivată", "This wizard will help you configure and customize WingetUI!": "Acest asistent pentru instalare vă va ajuta să configurați și să personalizați UniGetUI!", "Toggle search filters pane": "Comutați panoul de filtre de căutare", - "Translators": "Traducători", - "Try to kill the processes that refuse to close when requested to": "Încearcă să ucizi procesul care refuză a fi închis la cerere.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Activarea acestei opțiuni permite schimbarea fișierului executabil folosit pentru a interacționa cu managerii de pachete. Deși acest lucru permite personalizare mai detaliată a procesului de instalare, ar putea de asemenea să fie periculos.", "Type here the name and the URL of the source you want to add, separed by a space.": "Scrie aici numele și URL-ul sursei pe care o dorești adăugată, separate printr-un spațiu.", "Unable to find package": "Imposibil de găsit pachetul", "Unable to load informarion": "Nu se poate încărca informația", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI colectează date de utilizare anonime pentru a îmbunătăți experiența utilizatorilor.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI colectează date de utilizare anonime cu unicul scop de a înțelege și a îmbunătăți experiența utilizatorilor.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI a detectat o nouă scurtătură pe spațiul de lucru care poate fi ștearsă automat.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI a detectat următoarele scurtături pe spațiul de lucru care pot fi șterse automat la actualizările viitoare", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI a detectat {0} noi scurtături pe spațiul de lucru care pot fi șterse automat.", - "UniGetUI is being updated...": "UniGetUI este în curs de actualizare...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nu este înrudit cu niciunul dintre managerele de pachete. UniGetUI este un proiect independent.", - "UniGetUI on the background and system tray": "UniGetUI în fundal și zona de notificări a sistemului", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI sau unele din componentele sale lipsesc sau sunt corupte.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI necesită {0} pentru a opera, dar nu a fost găsit pe sistemul tău.", - "UniGetUI startup page:": "Pagina de pornire UniGetUI:", - "UniGetUI updater": "Actualizator UniGetUI", - "UniGetUI version {0} is being downloaded.": "UniGetUI versiunea {0} este în curs de descărcare.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} este gata pentru a fi instalat.", - "Uninstall": "Dezinstalează", - "Uninstall Scoop (and its packages)": "Dezinstalează Scoop (și pachetele sale)", "Uninstall and more": "Dezinstalează și mai multe", - "Uninstall and remove data": "Dezinstalează și elimină datele", - "Uninstall as administrator": "Dezinstalează ca administrator", "Uninstall canceled by the user!": "Dezinstalare anulată de utilizator!", - "Uninstall failed": "Dezinstalarea a eșuat", - "Uninstall options": "Opțiuni dezinstalare", - "Uninstall package": "Dezinstalează pachetul", - "Uninstall package, then reinstall it": "Dezinstalează pachetul, apoi reinstalează-l", - "Uninstall package, then update it": "Dezinstalează pachetul, apoi actualizează-l", - "Uninstall previous versions when updated": "Dezinstalează versiunile anterioare la actualizare", - "Uninstall selected packages": "Dezinstalează pachetele selectate", - "Uninstall selection": "Dezinstalează selecția", - "Uninstall succeeded": "Dezinstalarea s-a realizat", "Uninstall the selected packages with administrator privileges": "Dezinstalează pachetele selectate cu privilegii de administrator", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Pachetele ce nu se pot dezinstala cu originea listată ca „{0}” nu sunt publicate în niciun manager de pachete, deci nu există informații despre ele ce se pot afișa.", - "Unknown": "Necunoscut", - "Unknown size": "Mărime necunoscută", - "Unset or unknown": "Nesetat sau necunoscut", - "Up to date": "La zi", - "Update": "Actualizează", - "Update WingetUI automatically": "Actualizează UniGetUI automat", - "Update all": "Actualizează tot", "Update and more": "Actualizează și mai mult", - "Update as administrator": "Actualizează ca administrator", - "Update check frequency, automatically install updates, etc.": "Frecvența verificărilor de actualizări, instalări automate ș.a.m.d.", - "Update checking": "Verificare pentru actualizări", "Update date": "Actualizare date", - "Update failed": "Actualizarea a eșuat", "Update found!": "Actualizare găsită!", - "Update now": "Actualizează acum", - "Update options": "Opțiuni actualizare", "Update package indexes on launch": "Actualizează indexul pachetelor la pornire", "Update packages automatically": "Actualizează pachetele automat", "Update selected packages": "Actualizează pachetele selectate", "Update selected packages with administrator privileges": "Actualizează pachetele selectate cu privilegii de administrator", - "Update selection": "Actualizează selecția", - "Update succeeded": "Actualizarea s-a realizat", - "Update to version {0}": "Actualizează la versiunea {0}", - "Update to {0} available": "Actualizare la {0} disponibilă", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Actualizează fișierele port Git ale vcpkg automat (necesită Git instalat)", "Updates": "Actualizări", "Updates available!": "Actualizări disponibile!", - "Updates for this package are ignored": "Actualizările pentru acest pachet sunt ignorate", - "Updates found!": "Actualizări găsite!", "Updates preferences": "Preferințe actualizări", "Updating WingetUI": "Actualizează UniGetUI", "Url": "Adresă URL", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Folosește WinGet inclus moștenit în loc de Comenzi PowerShell", - "Use a custom icon and screenshot database URL": "Utilizați o pictogramă personalizată și o captură de ecran la URL-ul bazei de date", "Use bundled WinGet instead of PowerShell CMDlets": "Folosește WinGet inclus în loc de CMDLet-uri PowerShell", - "Use bundled WinGet instead of system WinGet": "Folosește WinGet-ul inclus în loc de cel al sistemului", - "Use installed GSudo instead of UniGetUI Elevator": "Folosește GSudo instalat în loc de UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Utilizați GSudo instalat în loc de cel inclus (necesită repornirea aplicației)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Folosește elevatorul UniGetUI învechit (dezactivează suportul pentru AdminByRequest)", - "Use system Chocolatey": "Folosește Chocolatey de sistem", "Use system Chocolatey (Needs a restart)": "Folosește Chocolatey sistem (Necesită repornire)", "Use system Winget (Needs a restart)": "Folosește Winget sistem (Necesită repornire)", "Use system Winget (System language must be set to english)": "Folosește WinGet de sistem (limba sistemului trebuie să fie setată la engleză)", "Use the WinGet COM API to fetch packages": "Folosește API-uri COM WinGet pentru a prelua pachete", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Folosește modulul WinGet de PowerShell în loc de API-ul COM", - "Useful links": "Legături utile", "User": "Utilizator", - "User interface preferences": "Preferințele interfeței utilizatorului", "User | Local": "Utilizator | Local", - "Username": "Nume utilizator", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Folosind UniGetUI implică acceptarea licenței GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Folosirea UniGetUI implică acceptarea licenței MIT.", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Rădăcina vcpkg nu a fost găsită. Te rog definește variabila de mediu %VCPKG_ROOT% sau definește-o din setările UniGetUI", "Vcpkg was not found on your system.": "Vcpkg nu a fost găsit pe sistemul tău.", - "Verbose": "Verbos", - "Version": "Versiune", - "Version to install:": "Versiune de instalat:", - "Version:": "Versiune:", - "View GitHub Profile": "Vezi profil GitHub", "View WingetUI on GitHub": "Vizualizați UniGetUI pe GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Vizualizează codul sursă al UniGetUI. De acolo poți raporta probleme, sugera funcții noi sau contribui direct la proiect.", - "View mode:": "Mod vizualizare:", - "View on UniGetUI": "Vezi în UniGetUI", - "View page on browser": "Vezi pagina în navigatorul web", - "View {0} logs": "Vezi jurnale {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Așteaptă ca dispozitivul să fie conectat la internet înainte să rulezi sarcini care necesită o conexiune la internet.", "Waiting for other installations to finish...": "Se așteaptă finalizarea celorlalte instalări...", "Waiting for {0} to complete...": "Se așteaptă ca {0} să se termine...", - "Warning": "Avertizare", - "Warning!": "Atenție!", - "We are checking for updates.": "Verificăm pentru actualizări.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Nu am putut încărca informații detaliate despre acest pachet, deoarece nu a fost găsit în niciuna dintre sursele pachetului dumneavoastră.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Nu am putut încărca informații detaliate despre acest pachet deoarece nu a fost instalat dintr-un manager de pachete disponibil.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nu am putut {action} {package}. Te rog încearcă mai târziu. Apasă pe „{showDetails}” pentru a vedea jurnalele de instalare.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nu am putut {action} {package}. Te rog încearcă mai târziu. Apasă pe „{showDetails}” pentru a vedea jurnalele de dezinstalare.", "We couldn't find any package": "Nu am putut găsit niciun pachet", "Welcome to WingetUI": "Bun venit la UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "La instalarea pachetelor în serie dintr-un grup, instalează de asemenea și pachetele care sunt deja instalate.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Când noi scurtături sunt detectate, șterge-le automat în loc de a arăta acest dialog.", - "Which backup do you want to open?": "Ce backup dorești să deschizi?", "Which package managers do you want to use?": "Ce manager de pachete doriți să utilizați?", "Which source do you want to add?": "Ce sursă vrei să adaugi?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Deși WinGet poate fi folosit în UniGetUI, UniGetUI poate fi folosit și împreună cu alte managere de pachete, lucru care poate fi ușor confuz. În trecut, WingetUI a fost făcut să lucreze doar cu Winget, dar acest lucru nu mai este întrutotul adevărat. Astfel WingetUI nu mai este reprezentativ pentru ceea ce vrea să devină acest proiect.", - "WinGet could not be repaired": "WinGet nu a putut fi reparat", - "WinGet malfunction detected": "A fost detectată o defecțiune a WinGet", - "WinGet was repaired successfully": "WinGet a fost reparat cu succes", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Totul este la zi", "WingetUI - {0} updates are available": "UniGetUI - {0} actualizări sunt disponibile", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Pagină web UniGetUI", "WingetUI Homepage - Share this link!": "Pagină web UniGetUI - Partajează această link!", - "WingetUI License": "Licență UniGetUI", - "WingetUI Log": "Jurnal UniGetUI", - "WingetUI Repository": "Repository UniGetUI", - "WingetUI Settings": "Setări UniGetUI", "WingetUI Settings File": "Fișierul de setări UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI folosește următoarele biblioteci. Fără acestea, UniGetUI nu ar fi fost existat.", - "WingetUI Version {0}": "Versiunea UniGetUI {0}", "WingetUI autostart behaviour, application launch settings": "Pornire automată, setări lansare UniGetUI", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI poate verifica dacă software-ul dvs. are actualizări disponibile și le poate instala automat dacă doriți", - "WingetUI display language:": "Limba de afișare pentru UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI a fost lansat cu drepturi de administrator, ceea ce nu este recomandat. Când UnigetUI este rulat ca administrator, FIECARE operație lansată din UniGetUI va avea și ea drepturi de administrator. Poți desigur să folosești programul în continuare, dar încurajăm să nu mai rulezi UniGetUI în acest mod.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI a fost tradus în mai mult de 40 de limbi mulțumită voluntarilor. Mulțumesc\uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI nu a fost tradus automat. Următorii utilizatori s-au ocupat de traduceri:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI este o aplicație care face managementul software-ului instalat mai ușor aducând o interfață grafică comună tuturor managerelor de pachete în linie de comandă.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI a fost redenumit pentru a sublinia diferența dintre UniGetUI (interfața pe care o utilizezi acum) și Winget (managerul de pachete dezvoltat de Microsoft) cu care eu nu sunt afiliat", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI este în curs de actualizare. Când se termină, UniGetUI va reporni singur", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI este gratuit și va fi la fel pentru totdeauna. Fără reclame, fără card de credit, fără variantă premium. 100% gratuit, pentru totdeauna.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI va afișa un prompt UAC de fiecare dată când un pachet necesită instalarea unei elevații.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI va fi în curând redenumit {newname}. Acest lucru nu va reprezenta nicio schimbare în aplicație. Eu (dezvolatorul) voi continua dezvoltarea acestui proiect exact ca și până acum, dar sub un nume diferit.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI nu ar fi fost posibil fără ajutorul colaboratorilor noștrii. Vezi profilul lor de GitHub!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI nu ar fi fost posibil fără ajutorul contribuitorilor. Mulțumesc vouă, tuturor \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} este gata de a fi instalat.", - "Write here the process names here, separated by commas (,)": "Scrie aici numele proceselor, separate de virgule (,)", - "Yes": "Da", - "You are logged in as {0} (@{1})": "Ești autentificat ca {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Poți schimba acest comportament în setările de securiate al UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Poți defini comenzile care vor fi rulate înainte sau după ce acest pachet este instalat, actualizat sau dezinstalat. Acestea vor fi rulate într-un prompt de comandă, deci scripturile CMD vor funcționa aici.", - "You have currently version {0} installed": "Versiunea curentă instalată este {0}", - "You have installed WingetUI Version {0}": "Ai instalat UniGetUI versiunea {0}", - "You may lose unsaved data": "Ai putea pierde datele nesalvate", - "You may need to install {pm} in order to use it with WingetUI.": "Ar putea fi necesar să instalezi {pm} pentru a-l utiliza cu UniGetUI.", "You may restart your computer later if you wish": "Puteți reporni computerul mai târziu, dacă doriți", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Vei fi întrebat o singură dată, iar drepturile de administrator vor fi acordate pachetelor care le solicită.", "You will be prompted only once, and every future installation will be elevated automatically.": "Vei fi întrebat o singură dată și la fiecare instalare viitoare va fi aplicat automat.", - "You will likely need to interact with the installer.": "S-ar putea să trebuiască să interacționezi cu instalatorul.", - "[RAN AS ADMINISTRATOR]": "RULAT CA ADMINISTRATOR", "buy me a coffee": "Cumpără-mi o cafea", - "extracted": "extras", - "feature": "caracteristică", "formerly WingetUI": "în trecut WingetUI", "homepage": "pagina principală", "install": "instalează", "installation": "instalare", - "installed": "instalat", - "installing": "instalează", - "library": "bibliotecă", - "mandatory": "obligatoriu", - "option": "opțiune", - "optional": "opțional", "uninstall": "dezinstalează", "uninstallation": "dezinstalare", "uninstalled": "dezinstalat", - "uninstalling": "se dezinstalează", "update(noun)": "Actualizarea", "update(verb)": "actualiza", "updated": "actualizat", - "updating": "se actualizează", - "version {0}": "versiunea {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Opțiunile de instalare ale {0} sunt blocate acum deoarece {0} respectă opțiunile de instalare implicite.", "{0} Uninstallation": "{0} Dezinstalare", "{0} aborted": "{0} anulat", "{0} can be updated": "{0} pot fi actualizate", - "{0} can be updated to version {1}": "{0} poate fi actualizat la versiunea {1}", - "{0} days": "{0} zile", - "{0} desktop shortcuts created": "{0} scurtături create pe spațiul de lucru", "{0} failed": "{0} a eșuat", - "{0} has been installed successfully.": "{0} a fost instalat cu succes.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} a fost instalat cu succes. Este recomandat să repornești UniGetUI pentru a finaliza instalarea", "{0} has failed, that was a requirement for {1} to be run": "{0} a eșuat, care era necesar pentru a putea rula {1}", - "{0} homepage": "Pagina principală a {0}", - "{0} hours": "{0} ore", "{0} installation": "{0} instalări", - "{0} installation options": "Opțiuni instalare {0}", - "{0} installer is being downloaded": "Instalatorul {0} este în curs de descărcare", - "{0} is being installed": "{0} este în curs de instalare", - "{0} is being uninstalled": "{0} este în curs de dezinstalare", "{0} is being updated": "{0} este în curs de actualizare", - "{0} is being updated to version {1}": "{0} este în curs de actualizare la {1}", - "{0} is disabled": "{0} este dezactivat", - "{0} minutes": "{0} minute", "{0} months": "{0} luni", - "{0} packages are being updated": "{0} pachete sunt în curs de actualizare", - "{0} packages can be updated": "{0} pachete pot fi actualizate", "{0} packages found": "Pachete găsite: {0}", "{0} packages were found": "Pachete găsite: {0}", - "{0} packages were found, {1} of which match the specified filters.": "{0} pachete au fost găsite, dintre care {1} se potrivesc cu filtrele specificate.", - "{0} selected": "{0} selectate", - "{0} settings": "Setări {0}", - "{0} status": "Stare {0}", "{0} succeeded": "{0} a reușit", "{0} update": "Actualizare {0}", - "{0} updates are available": "{0} actualizări sunt disponibile", "{0} was {1} successfully!": "{0} a fost {1} cu succes!", "{0} weeks": "{0} săptămâni", "{0} years": "{0} ani", "{0} {1} failed": "{0} {1} a eșuat", - "{package} Installation": "Instalare {package}", - "{package} Uninstall": "Dezinstalare {package}", - "{package} Update": "Actualizare {package}", - "{package} could not be installed": "{package} nu a putut fi instalat", - "{package} could not be uninstalled": "{package} nu a putut fi dezinstalat", - "{package} could not be updated": "{package} nu a putut fi actualizat", "{package} installation failed": "Instalarea {package} a eșuat", - "{package} installer could not be downloaded": "Instalatorul {package} nu a putut fi descărcat", - "{package} installer download": "Descărcare installer {package}", - "{package} installer was downloaded successfully": "Instalatorul pentru {package} a fost descărcat cu succes", "{package} uninstall failed": "Dezinstalarea {package} a eșuat", "{package} update failed": "Acualizarea {package} a eșuat", "{package} update failed. Click here for more details.": "Actualizarea {package} a eșuat. Clic aici pentru mai multe detalii.", - "{package} was installed successfully": "{package} a fost instalat cu succes", - "{package} was uninstalled successfully": "{package} a fost dezinstalat cu succes", - "{package} was updated successfully": "{package} a fost actualizat cu succes", - "{pcName} installed packages": "Pachete instalate {pcName}", "{pm} could not be found": "{pm} nu a putut fi găsit", "{pm} found: {state}": "{pm} găsit: {state}", - "{pm} is disabled": "{pm} este dezactivat", - "{pm} is enabled and ready to go": "{pm} este activat și gata de lucru", "{pm} package manager specific preferences": "Preferințe specifice managerului de pachete {pm}", "{pm} preferences": "Preferințe {pm}", - "{pm} version:": "{pm} versiunea:", - "{pm} was not found!": "{pm} nu a fost găsit!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Salut! Numele meu este Martí și sunt dezvoltatorul programului UniGetUI. UniGetUI a fost făcut în întregime în timpul meu liber!", + "Thank you ❤": "Mulțumesc ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Acest proiect nu are nicio legătură cu proiectul oficial {0} — este complet neoficial." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ru.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ru.json index d12e85e6be..5e1d303b4c 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ru.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ru.json @@ -1,155 +1,737 @@ { + "Operation in progress": "В процессе...", + "Please wait...": "Пожалуйста, подождите...", + "Success!": "Успешно!", + "Failed": "Не удалось", + "An error occurred while processing this package": "Произошла ошибка при обработке этого пакета", + "Log in to enable cloud backup": "Войдите для включения облачного резервного копирования", + "Backup Failed": "Ошибка резервного копирования", + "Downloading backup...": "Загружаем резервную копию…", + "An update was found!": "Найдено обновление!", + "{0} can be updated to version {1}": "{0} может быть обновлен до версии {1}", + "Updates found!": "Найдены обновления!", + "{0} packages can be updated": "{0} пакетов можно обновить", + "You have currently version {0} installed": "На данный момент у вас установлена версия {0}", + "Desktop shortcut created": "Ярлык на рабочем столе создан", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI обнаружил новый ярлык на рабочем столе, который может быть удален автоматически.", + "{0} desktop shortcuts created": "Создано {0} ярлыков на рабочем столе", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI обнаружил {0} новые ярлыки на рабочем столе, которые могут быть удалены автоматически.", + "Are you sure?": "Вы уверены?", + "Do you really want to uninstall {0}?": "Вы действительно хотите удалить {0}?", + "Do you really want to uninstall the following {0} packages?": "Вы действительно хотите удалить следующие {0} пакетов?", + "No": "Нет", + "Yes": "Да", + "View on UniGetUI": "Смотреть на сайте UniGetUI", + "Update": "Обновить", + "Open UniGetUI": "Открыть UniGetUI", + "Update all": "Обновить все", + "Update now": "Обновить сейчас", + "This package is on the queue": "Этот пакет находится в очереди", + "installing": "установка", + "updating": "обновление", + "uninstalling": "удаление", + "installed": "установлен", + "Retry": "Повторить", + "Install": "Установить", + "Uninstall": "Удалить", + "Open": "Открыть", + "Operation profile:": "Профиль операции:", + "Follow the default options when installing, upgrading or uninstalling this package": "Следовать настройкам по умолчанию при установке, обновлении или удалении этого пакета", + "The following settings will be applied each time this package is installed, updated or removed.": "Следующие настройки будут применяться каждый раз при установке, обновлении или удалении этого пакета.", + "Version to install:": "Версия для установки:", + "Architecture to install:": "Архитектура для установки:", + "Installation scope:": "Область установки:", + "Install location:": "Место установки:", + "Select": "Выбрать", + "Reset": "Сбросить", + "Custom install arguments:": "Пользовательские аргументы для установки:", + "Custom update arguments:": "Пользовательские аргументы для обновления:", + "Custom uninstall arguments:": "Пользовательские аргументы для удаления:", + "Pre-install command:": "Команда перед установкой:", + "Post-install command:": "Команда после установки:", + "Abort install if pre-install command fails": "Отменить установку при ошибке выполнения предустановочной команды", + "Pre-update command:": "Команда перед обновлением:", + "Post-update command:": "Команда после обновления:", + "Abort update if pre-update command fails": "Отменить обновление при ошибке выполнения предварительной команды", + "Pre-uninstall command:": "Команда перед удалением:", + "Post-uninstall command:": "Команда после удаления:", + "Abort uninstall if pre-uninstall command fails": "Отменить удаление при ошибке выполнения предварительной команды", + "Command-line to run:": "Команда для запуска:", + "Save and close": "Сохранить и закрыть", + "Run as admin": "Запуск от имени администратора", + "Interactive installation": "Интерактивная установка", + "Skip hash check": "Пропустить проверку хэша", + "Uninstall previous versions when updated": "Удалять предыдущие версии после обновления", + "Skip minor updates for this package": "Пропускать минорные обновления данного пакета", + "Automatically update this package": "Автоматически обновлять этот пакет", + "{0} installation options": "Параметры установки {0}", + "Latest": "Последний", + "PreRelease": "Предварительный релиз", + "Default": "По умолчанию", + "Manage ignored updates": "Управление игнорируемыми обновлениями", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Перечисленные здесь пакеты не будут учитываться при проверке обновлений. Дважды щелкните по ним или нажмите кнопку справа, чтобы перестать игнорировать их обновления.", + "Reset list": "Сбросить список", + "Package Name": "Название пакета", + "Package ID": "ID пакета", + "Ignored version": "Игнорируемая версия", + "New version": "Новая версия", + "Source": "Источник", + "All versions": "Все версии", + "Unknown": "Неизвестно", + "Up to date": "Актуально", + "Cancel": "Отмена", + "Administrator privileges": "Права администратора", + "This operation is running with administrator privileges.": "Данная операция запущена с правами администратора", + "Interactive operation": "Интерактивное управление", + "This operation is running interactively.": "Данная операция запущена интерактивно", + "You will likely need to interact with the installer.": "Вам скорее всего потребуется взаимодействовать с установщиком", + "Integrity checks skipped": "Проверка целостности пропущена", + "Proceed at your own risk.": "Действуйте на свой страх и риск", + "Close": "Закрыть", + "Loading...": "Загрузка...", + "Installer SHA256": "SHA256 установщика", + "Homepage": "Домашняя страница", + "Author": "Автор", + "Publisher": "Издатель", + "License": "Лицензия", + "Manifest": "Манифест", + "Installer Type": "Тип установщика", + "Size": "Размер", + "Installer URL": "URL установщика", + "Last updated:": "Последнее обновление:", + "Release notes URL": "URL заметок к выпуску", + "Package details": "Информация о пакете", + "Dependencies:": "Зависимости:", + "Release notes": "Примечания к выпуску", + "Version": "Версия", + "Install as administrator": "Установить от имени администратора", + "Update to version {0}": "Обновление до версии {0}", + "Installed Version": "Установленная версия", + "Update as administrator": "Обновить от имени администратора", + "Interactive update": "Интерактивное обновление", + "Uninstall as administrator": "Удалить от имени администратора", + "Interactive uninstall": "Интерактивное удаление", + "Uninstall and remove data": "Деинсталляция и удаление данных", + "Not available": "Не доступно", + "Installer SHA512": "Хэш установщика SHA512", + "Unknown size": "Неизвестный размер", + "No dependencies specified": "Не указаны зависимости", + "mandatory": "обязательно", + "optional": "необязательно", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} готов к установке.", + "The update process will start after closing UniGetUI": "Процесс обновления начнется после закрытия UniGetUI", + "Share anonymous usage data": "Отправлять анонимные пользовательские данные", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI собирает анонимную статистику использования в целях улучшения опыта использования", + "Accept": "Применить", + "You have installed WingetUI Version {0}": "Вы установили WingetUI версию {0}", + "Disclaimer": "Отказ от ответственности", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не связан ни с одним из совместимых менеджеров пакетов. UniGetUI - это независимый проект.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI был бы невозможен без помощи участников. Спасибо вам всем 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "В WingetUI используются следующие библиотеки. Без них WingetUI был бы невозможен.", + "{0} homepage": "{0} домашняя страница", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI был переведен более чем на 40 языков благодаря переводчикам-добровольцам. Спасибо 🤝", + "Verbose": "Подробно", + "1 - Errors": "1 - Ошибки", + "2 - Warnings": "2 - Предупреждения", + "3 - Information (less)": "3 - Информация (меньше)", + "4 - Information (more)": "4 - Информация (больше)", + "5 - information (debug)": "5 - Информация (отладка)", + "Warning": "Внимание", + "The following settings may pose a security risk, hence they are disabled by default.": "Следующие настройки могут привести к риску, поэтому они отключены по умолчанию.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Включайте настройки ниже только в том случае, если вы полностью осознаете их назначение и эффект от включения", + "The settings will list, in their descriptions, the potential security issues they may have.": "В примечаниях к настройкам будут перечислены возможные нарушения безопасности, к которым может привести их изменение.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервная копия будет включать полный список установленных пакетов и вариантов их установки. Проигнорированные обновления и пропущенные версии также будут сохранены.", + "The backup will NOT include any binary file nor any program's saved data.": "Резервная копия НЕ будет включать в себя ни двоичные файлы, ни сохраненные данные какой-либо программы.", + "The size of the backup is estimated to be less than 1MB.": "Предполагаемый размер резервной копии составляет менее 1 МБ.", + "The backup will be performed after login.": "Резервное копирование будет выполнено после входа в систему.", + "{pcName} installed packages": "Установленные пакеты {pcName}", + "Current status: Not logged in": "Статус: вход не выполнен", + "You are logged in as {0} (@{1})": "Вы вошли как {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Резервные копии будут загружены в приватный Gist на вашем аккаунте", + "Select backup": "Выбрать резервную копию", + "WingetUI Settings": "Настройки WingetUI", + "Allow pre-release versions": "Разрешить обновление до предварительных версий", + "Apply": "Применить", + "Go to UniGetUI security settings": "Перейти в настройки безопасности UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следующие настройки будут применяться по умолчанию каждый раз после установки, обновления или удаления {0} пакетов.", + "Package's default": "По умолчанию для пакета", + "Install location can't be changed for {0} packages": "Расположение установки не может быть изменено для {0} пакетов", + "The local icon cache currently takes {0} MB": "Локальный кэш иконок занимает {0} Мб", + "Username": "Имя пользователя", + "Password": "Пароль", + "Credentials": "Учетные данные", + "Partially": "Частично", + "Package manager": "Менеджер пакетов", + "Compatible with proxy": "Совместимо с прокси", + "Compatible with authentication": "Совместимо с аутентификацией", + "Proxy compatibility table": "Таблица совместимости с прокси", + "{0} settings": "Настройки {0}", + "{0} status": "{0} статус", + "Default installation options for {0} packages": "Настройки установки по умолчанию для {0} пакетов", + "Expand version": "Расширенная версия", + "The executable file for {0} was not found": "Исполняемый файл для {0} не найден", + "{pm} is disabled": "{pm} отключен", + "Enable it to install packages from {pm}.": "Включите его для установки пакетов из {pm}.", + "{pm} is enabled and ready to go": "{pm} включен и готов к работе", + "{pm} version:": "{pm} версия:", + "{pm} was not found!": "{pm} не найден!", + "You may need to install {pm} in order to use it with WingetUI.": "Вам может потребоваться установить {pm}, чтобы использовать его с WingetUI.", + "Scoop Installer - WingetUI": "Установщик Scoop - WingetUI", + "Scoop Uninstaller - WingetUI": "Деинсталлятор Scoop - WingetUI", + "Clearing Scoop cache - WingetUI": "Очистка кэша Scoop - UniGetUI", + "Restart UniGetUI": "Перезапустить UniGetUI", + "Manage {0} sources": "Управление источниками {0}", + "Add source": "Добавить источник", + "Add": "Добавить", + "Other": "Другой", + "1 day": "1 день", + "{0} days": "{0} дни", + "{0} minutes": "{0} минут", + "1 hour": "1 час", + "{0} hours": "{0} часы", + "1 week": "1 неделя", + "WingetUI Version {0}": "WingetUI Версия {0}", + "Search for packages": "Поиск пакетов", + "Local": "Локально", + "OK": "ОК", + "{0} packages were found, {1} of which match the specified filters.": "{0, plural, one {Найден {0} пакет} few {Найдено {0} пакета} other {Найдено {0} пакетов}}, {1} из которых {1, plural, one {соответствует} other {соответствуют}} указанным фильтрам.", + "{0} selected": "{0} выбрано", + "(Last checked: {0})": "(Последняя проверка: {0})", + "Enabled": "Включено", + "Disabled": "Выключен", + "More info": "Дополнительная информация", + "Log in with GitHub to enable cloud package backup.": "Войдите с GitHub для включения облачного резервного копирования пакета.", + "More details": "Более подробная информация", + "Log in": "Вход", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Если включено резервное копирование в облако, копия будет сохранена как GitHub Gist в этом аккаунте", + "Log out": "Выйти", + "About": "О приложении", + "Third-party licenses": "Сторонние лицензии", + "Contributors": "Участники", + "Translators": "Переводчики", + "Manage shortcuts": "Управление ярлыками", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI обнаружил следующие ярлыки на рабочем столе, которые могут быть автоматически удалены при будущих обновлениях", + "Do you really want to reset this list? This action cannot be reverted.": "Вы действительно хотите сбросить этот список? Это действие нельзя отменить.", + "Remove from list": "Удалить из списка", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Когда обнаружены новые ярлыки, удалять их автоматически вместо отображения этого диалога.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI собирает анонимную статистику использования с единственной целью изучения и улучшения опыта использования", + "More details about the shared data and how it will be processed": "Больше информации о передаваемых данных и их обработке", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Разрешаете ли Вы UniGetUI сбор и отправку анонимной статистики использования с целью изучения и улучшения пользовательского опыта?", + "Decline": "Отменить", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Сбор и обработка персональных данных не производятся. Собранные данные анонимизированы, поэтому по ним невозможно определить Вашу личность", + "About WingetUI": "О программе UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI - это приложение, которое упрощает управление вашим программным обеспечением, предоставляя универсальный графический интерфейс для ваших менеджеров пакетов командной строки.", + "Useful links": "Полезные ссылки", + "Report an issue or submit a feature request": "Сообщить о проблеме или отправить запрос на функцию", + "View GitHub Profile": "Посмотреть профиль GitHub", + "WingetUI License": "Лицензия WingetUI", + "Using WingetUI implies the acceptation of the MIT License": "Использование WingetUI подразумевает согласие с лицензией MIT", + "Become a translator": "Стать переводчиком", + "View page on browser": "Просмотреть страницу в браузере", + "Copy to clipboard": "Копировать в буфер обмена", + "Export to a file": "Экспорт в файл", + "Log level:": "Уровень журнала:", + "Reload log": "Перезагрузить журнал", + "Text": "Текст", + "Change how operations request administrator rights": "Изменить как операции запрашивают права администратора", + "Restrictions on package operations": "Ограничения операций с пакетами", + "Restrictions on package managers": "Ограничения менеджеров пакетов", + "Restrictions when importing package bundles": "Ограничения импорта бандлов пакетов", + "Ask for administrator privileges once for each batch of operations": "Запрашивать права администратора для каждого пакета операций", + "Ask only once for administrator privileges": "Запрашивать права администратора один раз", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Запрещать любую элевацию через UniGetUI Elevator или GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Настройка БУДЕТ приводить к неполадкам. Любая операция, неспособная элевации, БУДЕТ ЗАВЕРШЕНА. Установка, обновление или удаление с правами администратора НЕ БУДЕТ работать.", + "Allow custom command-line arguments": "Допускать пользовательские аргументы командной строки", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Пользовательские аргументы командной строки могут изменять путь, по которому установлены, обновлены или удалены программы, что UniGetUI контролировать не может. Использование пользовательских аргументов командной строки может повредить пакеты. Продолжайте на свой страх и риск.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Разрешить выполнение пользовательских команд до и после установки при импорте пакетов из набора", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Пред- и послеустановочные команды будут запущены до и после того, как установится, обновится или удалится пакет. Имейте в виду, что такие команды могут нанести вред, если используются неосторожно.", + "Allow changing the paths for package manager executables": "Разрешить изменять каталоги исполняемых файлов менеджера пакетов", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Включение данной настройки изменит исполняемый файл, использовавшийся для взаимодействия с менеджером пакетов. В то время как данная настройка позволяет более тонко настраивать процесс установки, она также может представлять опасность.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Разрешить импорт пользовательских аргументов командной строки при импорте пакетов из бандла", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправильные аргументы командной строки могут повредить пакеты или даже позволить вредоносному коду получить привилегии на исполнение.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Разрешить импорт пользовательских пред- и постустановочных команд при импорте пакетов из комплекта", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Пред- и послеустановочные команды могут навредить вашему устройству, если они созданы для этого. Крайне опасно импортировать команды из бандла, если вы не доверяете источнику бандла пакетов.", + "Administrator rights and other dangerous settings": "Права администратора и другие чувствительные настройки", + "Package backup": "Резервная копия пакета", + "Cloud package backup": "Резервное копирование в облако", + "Local package backup": "Резервное копирование локального пакета", + "Local backup advanced options": "Расширенные настройки локального резервного копирования", + "Log in with GitHub": "Войти используя GitHub", + "Log out from GitHub": "Выйти из GitHub", + "Periodically perform a cloud backup of the installed packages": "Периодически выполнять облачное резервное копирование установленных пакетов", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Облачное хранилище использует частный сервис GitHub Gist для хранения списка установленных пакетов", + "Perform a cloud backup now": "Выполнить резервное копирование в облако сейчас", + "Backup": "Резервная копия", + "Restore a backup from the cloud": "Восстановить резервную копию из облака", + "Begin the process to select a cloud backup and review which packages to restore": "Выбрать облачное хранилище и пакеты для восстановления", + "Periodically perform a local backup of the installed packages": "Периодически выполнять локальное резервное копирование установленных пакетов", + "Perform a local backup now": "Выполнить локальное резервное копирование сейчас", + "Change backup output directory": "Изменить каталог для резервных копий", + "Set a custom backup file name": "Задать собственное имя файла резервной копии", + "Leave empty for default": "Оставьте пустым по умолчанию", + "Add a timestamp to the backup file names": "Добавить временную метку к именам файлов резервных копий", + "Backup and Restore": "Резервная копия и восстановление", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Включить фоновый API (WingetUI виджеты и возможность поделиться, порт 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Ожидать подключения устройства к сети перед запуском операций, требующих подключения к сети", + "Disable the 1-minute timeout for package-related operations": "Отключить 1-минутный тайм-аут для операций, связанных с пакетами", + "Use installed GSudo instead of UniGetUI Elevator": "Использовать установленный GSudo вместо UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Использовать пользовательский значок и URL-адрес базы данных снимков экрана", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Включить фоновую оптимизацию использования процессора", + "Perform integrity checks at startup": "Выполнять проверку целостности при запуске.", + "When batch installing packages from a bundle, install also packages that are already installed": "При групповой установке пакетов из бандла также установить пакеты, которые уже установлены", + "Experimental settings and developer options": "Экспериментальные настройки и опции разработчика", + "Show UniGetUI's version and build number on the titlebar.": "Показать версию UniGetUI на панели заголовка", + "Language": "Язык", + "UniGetUI updater": "Обновления UniGetUI", + "Telemetry": "Телеметрия", + "Manage UniGetUI settings": "Управление настройками UniGetUI", + "Related settings": "Связанные настройки", + "Update WingetUI automatically": "Обновлять WingetUI автоматически", + "Check for updates": "Проверка обновлений", + "Install prerelease versions of UniGetUI": "Устанавливать предварительные версии UniGetUI", + "Manage telemetry settings": "Управление настройками телеметрии", + "Manage": "Управление", + "Import settings from a local file": "Импорт настроек из файла", + "Import": "Импорт", + "Export settings to a local file": "Экспорт настроек в файл", + "Export": "Экспорт", + "Reset WingetUI": "Сброс настроек WingetUI", + "Reset UniGetUI": "Сброс UniGetUI", + "User interface preferences": "Настройки пользовательского интерфейса", + "Application theme, startup page, package icons, clear successful installs automatically": "Тема приложения, стартовая страница, значки пакетов, автоматическая очистка успешных установок", + "General preferences": "Общие настройки", + "WingetUI display language:": "Язык интерфейса WingetUI:", + "Is your language missing or incomplete?": "Ваш язык отсутствует или является неполным?", + "Appearance": "Внешний вид", + "UniGetUI on the background and system tray": "UniGetUI в фоновом режиме и системном трее", + "Package lists": "Списки пакетов", + "Close UniGetUI to the system tray": "Закрепить UniGetUI в системном трее", + "Show package icons on package lists": "Показывать иконки в списке пакетов", + "Clear cache": "Очистить кэш", + "Select upgradable packages by default": "Выбирать пакеты с возможностью обновления по умолчанию", + "Light": "Светлая", + "Dark": "Темная", + "Follow system color scheme": "Использовать системную цветовую схему", + "Application theme:": "Тема оформления:", + "Discover Packages": "Доступные пакеты", + "Software Updates": "Обновления программ", + "Installed Packages": "Установленные пакеты", + "Package Bundles": "Наборы пакетов", + "Settings": "Настройки", + "UniGetUI startup page:": "Начальная страница UniGetUI:", + "Proxy settings": "Настройки прокси", + "Other settings": "Другие настройки", + "Connect the internet using a custom proxy": "Подключиться к интернету, используя указанный прокси", + "Please note that not all package managers may fully support this feature": "Обратите внимание, что не все менеджеры пакетов могут полностью поддерживать эту функцию", + "Proxy URL": "Прокси URL", + "Enter proxy URL here": "Введите URL прокси здесь", + "Package manager preferences": "Настройки менеджеров пакетов", + "Ready": "Готов", + "Not found": "Не найден", + "Notification preferences": "Параметры уведомлений", + "Notification types": "Типы уведомлений", + "The system tray icon must be enabled in order for notifications to work": "Иконка в системном трее должна быть включена, чтобы уведомления работали", + "Enable WingetUI notifications": "Включить уведомления WingetUI", + "Show a notification when there are available updates": "Показывать уведомление, когда есть доступные обновления", + "Show a silent notification when an operation is running": "Показывать беззвучное уведомление, когда операция запущена", + "Show a notification when an operation fails": "Показывать уведомление в случае ошибки операции", + "Show a notification when an operation finishes successfully": "Показывать уведомление, когда операция завершена успешно", + "Concurrency and execution": "Параллелизм и выполнение", + "Automatic desktop shortcut remover": "Автоматическое удаление ярлыков на рабочем столе", + "Clear successful operations from the operation list after a 5 second delay": "Очищать успешные операции из списка операций после 5-секундной задержки", + "Download operations are not affected by this setting": "Этот параметр не влияет на операции загрузки", + "Try to kill the processes that refuse to close when requested to": "Пробовать останавливать процессы, препятствующие закрытию во время запроса.", + "You may lose unsaved data": "Вы можете потерять несохраненные данные", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Спрашивать об удалении ярлыков на рабочем столе, созданных во время установки или обновления.", + "Package update preferences": "Настройка обновлений пакетов", + "Update check frequency, automatically install updates, etc.": "Частота проверки, автоматическая установка обновлений и т.д.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Уменьшить частоту уведомлений UAC, запускать установку с правами администратора по умолчанию, разблокировать некоторые опасные функции и т.д.", + "Package operation preferences": "Настройка операций с пакетами", + "Enable {pm}": "Включить {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Не можете найти необходимый файл? Убедитесь, что он был добавлен в PATH.", + "For security reasons, changing the executable file is disabled by default": "В целях безопасности изменение исполняемого файла отключено по умолчанию", + "Change this": "Изменить это", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Укажите исполняемый файл. В данном списке перечислены исполняемые файлы найденные UniGetUI", + "Current executable file:": "Текущий исполняемый файл:", + "Ignore packages from {pm} when showing a notification about updates": "Игнорировать пакеты из {pm} при показе уведомления о обновлениях", + "View {0} logs": "Посмотреть журналы {0}", + "Advanced options": "Расширенные настройки", + "Reset WinGet": "Сброс WinGet", + "This may help if no packages are listed": "Это может помочь, если в списке нет пакетов", + "Force install location parameter when updating packages with custom locations": "Принудительно использовать параметр расположения установки при обновлении пакетов с пользовательскими путями", + "Use bundled WinGet instead of system WinGet": "Использовать встроенный WinGet вместо системного", + "This may help if WinGet packages are not shown": "Это может помочь в случае, если пакеты WinGet не отображаются", + "Install Scoop": "Установить Scoop", + "Uninstall Scoop (and its packages)": "Удалить Scoop (и его пакеты)", + "Run cleanup and clear cache": "Выполнить очистку и очистить кэш", + "Run": "Выполнить", + "Enable Scoop cleanup on launch": "Включить очистку Scoop при запуске", + "Use system Chocolatey": "Использовать системный Chocolatey", + "Default vcpkg triplet": "Триплет vcpkg по умолчанию", + "Language, theme and other miscellaneous preferences": "Язык, тема и другие настройки", + "Show notifications on different events": "Показывать уведомления о различных событиях", + "Change how UniGetUI checks and installs available updates for your packages": "Изменить способ проверки и установки доступных обновлений для пакетов в UniGetUI", + "Automatically save a list of all your installed packages to easily restore them.": "Автоматически сохраняйте список всех установленных вами пакетов, чтобы легко восстановить их.", + "Enable and disable package managers, change default install options, etc.": "Включить и отключить менеджеры пакетов, изменить настройки установки по умолчанию и т.д.", + "Internet connection settings": "Настройка подключения к интернету", + "Proxy settings, etc.": "Настройки прокси и т.д.", + "Beta features and other options that shouldn't be touched": "Функции бета-версии и другие настройки, которые не стоит изменять", + "Update checking": "Проверка обновлений", + "Automatic updates": "Автоматические обновления", + "Check for package updates periodically": "Периодически проверять наличие обновлений пакетов", + "Check for updates every:": "Интервал проверки обновлений:", + "Install available updates automatically": "Автоматически устанавливать доступные обновления", + "Do not automatically install updates when the network connection is metered": "Не устанавливать обновления автоматически при использовании лимитированного подключения", + "Do not automatically install updates when the device runs on battery": "Не устанавливать обновления автоматически, когда включён режим экономии заряда батареи", + "Do not automatically install updates when the battery saver is on": "Не устанавливать обновления автоматически, когда включён режим экономии заряда батареи", + "Change how UniGetUI handles install, update and uninstall operations.": "Изменить управление операциями установки, обновления и удаления.", + "Package Managers": "Менеджеры пакетов", + "More": "Еще", + "WingetUI Log": "Журнал WingetUI", + "Package Manager logs": "Журналы событий пакетного менеджера", + "Operation history": "История действий", + "Help": "Помощь", + "Order by:": "Сортировать по:", + "Name": "Название", + "Id": "Id", + "Ascendant": "По возрастанию", + "Descendant": "По убыванию", + "View mode:": "Представление:", + "Filters": "Фильтры", + "Sources": "Источники", + "Search for packages to start": "Начните поиск пакетов", + "Select all": "Выбрать все", + "Clear selection": "Снять выделение", + "Instant search": "Искать незамедлительно", + "Distinguish between uppercase and lowercase": "Различать прописные и строчные буквы", + "Ignore special characters": "Игнорировать специальные\nсимволы", + "Search mode": "Режим поиска", + "Both": "Оба", + "Exact match": "Точное совпадение", + "Show similar packages": "Показать похожие пакеты", + "No results were found matching the input criteria": "Не найдено результатов, соответствующих критериям ввода", + "No packages were found": "Пакеты не найдены", + "Loading packages": "Загрузка пакетов", + "Skip integrity checks": "Пропуск проверок целостности", + "Download selected installers": "Загрузить выбранные установщики", + "Install selection": "Установить выбранные", + "Install options": "Настройки установки", + "Share": "Поделиться", + "Add selection to bundle": "Добавить выбранное в набор", + "Download installer": "Загрузить программу установки", + "Share this package": "Поделиться пакетом", + "Uninstall selection": "Удалить выбранные", + "Uninstall options": "Настройки удаления", + "Ignore selected packages": "Игнорировать выбранные пакеты", + "Open install location": "Открыть папку установки", + "Reinstall package": "Переустановить пакет", + "Uninstall package, then reinstall it": "Удалить пакет, затем установить его заново", + "Ignore updates for this package": "Игнорировать обновления для этого пакета", + "Do not ignore updates for this package anymore": "Больше не игнорировать обновления для этого пакета", + "Add packages or open an existing package bundle": "Добавьте пакеты или откройте существующий набор пакетов", + "Add packages to start": "Добавьте пакеты для начала", + "The current bundle has no packages. Add some packages to get started": "В текущем наборе нет пакетов. Добавьте пакеты, чтобы начать", + "New": "Новое", + "Save as": "Сохранить как", + "Remove selection from bundle": "Удалить выбранное из набора", + "Skip hash checks": "Пропустить проверки хэша", + "The package bundle is not valid": "Набор пакетов недействителен", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Набор, который вы пытаетесь загрузить, кажется недействительным. Пожалуйста, проверьте файл и попробуйте снова.", + "Package bundle": "Набор пакетов", + "Could not create bundle": "Не удалось создать набор", + "The package bundle could not be created due to an error.": "В связи с ошибкой набор пакетов не может быть создан", + "Bundle security report": "Сводный отчет по безопасности", + "Hooray! No updates were found.": "Ура! Обновления не найдены!", + "Everything is up to date": "Все актуально", + "Uninstall selected packages": "Удалить выбранные пакеты", + "Update selection": "Обновить выбранные", + "Update options": "Настройки обновления", + "Uninstall package, then update it": "Удалить пакет, затем обновить его", + "Uninstall package": "Удалить пакет", + "Skip this version": "Пропустить версию", + "Pause updates for": "Приостановить обновления для", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Пакетный менеджер Rust.
Содержит: Библиотеки и программы, написанные на Rust ", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Классический пакетный менеджер для Windows. Там ты найдешь все.
Содержит: General Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиторий, полный инструментов и исполняемых файлов, разработан с учетом экосистемы Microsoft .NET.
Содержит: инструменты и сценарии, связанные с .NET ", + "NuPkg (zipped manifest)": "NuPkg (заархивированный манифест)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Пакетный менеджер NodeJS. Наполнен библиотеками и другими утилитами, которые вращаются вокруг мира javascript
Содержит: Библиотеки Node javascript и другие связанные с ними утилиты", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менеджер библиотек Python. Полон библиотек Python и других утилит, связанных с Python
Содержит: Библиотеки Python и связанные с ними утилиты", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Менеджер пакетов PowerShell. Поиск библиотек и сценариев для расширения возможностей PowerShell
Содержит: Модули, скрипты, команды", + "extracted": "извлечено", + "Scoop package": "Пакет Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Отличное хранилище малоизвестных, но полезных утилит и других интересных пакетов.
Содержит: Утилиты, программы командной строки, общее программное обеспечение (требуется дополнительный бакет)", + "library": "библиотека", + "feature": "функция", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популярный менеджер библиотек C/C++. Полный набор библиотек C/C++ и других утилит, связанных с C/C++
Содержит: библиотеки C/C++ и связанные с ними утилиты", + "option": "опция", + "This package cannot be installed from an elevated context.": "Этот пакет не может быть установлен из контекста с повышенными правами.", + "Please run UniGetUI as a regular user and try again.": "Пожалуйста, запустите UniGetUI как обычный пользователь и повторите попытку.", + "Please check the installation options for this package and try again": "Пожалуйста, проверьте параметры установки этого пакета и повторите попытку", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Официальный пакетный менеджер Microsoft. Полон хорошо известных и проверенных пакетов
Содержит: Общее программное обеспечение, приложения Microsoft Store", + "Local PC": "Этот ПК", + "Android Subsystem": "Подсистема Android", + "Operation on queue (position {0})...": "Операция в очереди (позиция {0})...", + "Click here for more details": "Нажмите здесь для получения подробностей", + "Operation canceled by user": "Операция отменена пользователем", + "Starting operation...": "Запуск операции...", + "{package} installer download": "{package} установщик загружается", + "{0} installer is being downloaded": "{0} установщиков было загружено", + "Download succeeded": "Загрузка прошла успешно", + "{package} installer was downloaded successfully": "{package} установщик был успешно загружен", + "Download failed": "Ошибка загрузки", + "{package} installer could not be downloaded": "{package} установщик не может быть загружен", + "{package} Installation": "Установка {package}", + "{0} is being installed": "{0} был установлен", + "Installation succeeded": "Установка выполнена успешно", + "{package} was installed successfully": "{package} был успешно установлен", + "Installation failed": "Ошибка установки", + "{package} could not be installed": "Не удалось установить {package}", + "{package} Update": "Обновление {package}", + "{0} is being updated to version {1}": "{0} обновляется до версии {1}", + "Update succeeded": "Обновление прошло успешно", + "{package} was updated successfully": "{package} был успешно обновлен", + "Update failed": "Ошибка обновления", + "{package} could not be updated": "Не удалось обновить {package}", + "{package} Uninstall": "Удаление {package}", + "{0} is being uninstalled": "{0} был удален", + "Uninstall succeeded": "Удаление прошло успешно", + "{package} was uninstalled successfully": "{package} был успешно удален", + "Uninstall failed": "Ошибка удаления", + "{package} could not be uninstalled": "Не удалось удалить {package}", + "Adding source {source}": "Добавление источника {source}", + "Adding source {source} to {manager}": "Добавление источника {source} в {manager}", + "Source added successfully": "Источник добавлен успешно", + "The source {source} was added to {manager} successfully": "Источник {source} был успешно добавлен в {manager}", + "Could not add source": "Невозможно добавить источник", + "Could not add source {source} to {manager}": "Не удалось добавить источник {source} в {manager}", + "Removing source {source}": "Удаление источника {source}", + "Removing source {source} from {manager}": "Удаление источника {source} из {manager}", + "Source removed successfully": "Источник удален успешно", + "The source {source} was removed from {manager} successfully": "Источник {source} был успешно удален из {manager}", + "Could not remove source": "Невозможно удалить источник", + "Could not remove source {source} from {manager}": "Не удалось удалить источник {source} из {manager}", + "The package manager \"{0}\" was not found": "Пакетный менеджер \"{0}\" не найден", + "The package manager \"{0}\" is disabled": "Пакетный менеджер \"{0}\" отключен", + "There is an error with the configuration of the package manager \"{0}\"": "Произошла ошибка с конфигурацией менеджера пакетов \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" не найден в пакетном менеджере \"{1}\"", + "{0} is disabled": "{0} отключён", + "Something went wrong": "Что-то пошло не так", + "An interal error occurred. Please view the log for further details.": "Внутренняя ошибка. Пожалуйста, ознакомьтесь с журналом для получения более подробной информации.", + "No applicable installer was found for the package {0}": "Не найден подходящий установщик для пакета {0}", + "We are checking for updates.": "Мы проверяем наличие обновлений.", + "Please wait": "Пожалуйста подождите", + "UniGetUI version {0} is being downloaded.": "Идет загрузка UniGetUI версии {0}.", + "This may take a minute or two": "Это может занять минуту или две", + "The installer authenticity could not be verified.": "Подлинность установщика не удалось проверить.", + "The update process has been aborted.": "Процесс обновления был прерван.", + "Great! You are on the latest version.": "Отлично! Вы используете последнюю версию.", + "There are no new UniGetUI versions to be installed": "Новых версий UniGetUI для установки нет", + "An error occurred when checking for updates: ": "Ошибка при проверке обновлений:", + "UniGetUI is being updated...": "UniGetUI обновляется...", + "Something went wrong while launching the updater.": "Что-то пошло не так при запуске программы обновления.", + "Please try again later": "Пожалуйста, попробуйте ещё раз позже", + "Integrity checks will not be performed during this operation": "Проверка целостности не будет выполнена во время этой операции", + "This is not recommended.": "Это не рекомендуется", + "Run now": "Запустить сейчас", + "Run next": "Запустить следующим", + "Run last": "Запустить последним", + "Retry as administrator": "Перезапустить с правами администратора", + "Retry interactively": "Перезапустить в интерактивном режиме", + "Retry skipping integrity checks": "Повторить пропуск проверки целостности", + "Installation options": "Опции установки", + "Show in explorer": "Показать в Проводнике", + "This package is already installed": "Этот пакет уже установлен", + "This package can be upgraded to version {0}": "Пакет может быть обновлен до версии {0}", + "Updates for this package are ignored": "Обновления этих пакетов игнорируются", + "This package is being processed": "Этот пакет находится в стадии обработки", + "This package is not available": "Пакет недоступен", + "Select the source you want to add:": "Выберите источник, который вы хотите добавить:", + "Source name:": "Название источника:", + "Source URL:": "URL-адрес источника:", + "An error occurred": "Произошла ошибка", + "An error occurred when adding the source: ": "Ошибка при добавлении источника:", + "Package management made easy": "Управление пакетами без усилий", + "version {0}": "версия {0}", + "[RAN AS ADMINISTRATOR]": "ЗАПУЩЕН ОТ ИМЕНИ АДМИНИСТРАТОРА", + "Portable mode": "Портативный режим", + "DEBUG BUILD": "СБОРКА ДЛЯ ОТЛАДКИ", + "Available Updates": "Доступные обновления", + "Show WingetUI": "Показать WingetUI", + "Quit": "Выход", + "Attention required": "Требуется внимание пользователя", + "Restart required": "Требуется перезагрузка", + "1 update is available": "Доступно 1 обновление", + "{0} updates are available": "{0} доступны обновления", + "WingetUI Homepage": "Домашняя страница WingetUI", + "WingetUI Repository": "Репозиторий WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Здесь вы можете изменить поведение UniGetUI в отношении следующих сочетаний клавиш. Проверка ярлыка приведет к тому, что UniGetUI удалит его, если он будет создан при будущем обновлении. Если снять флажок, ярлык останется нетронутым", + "Manual scan": "Ручное сканирование", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Существующие ярлыки на вашем рабочем столе будут отсканированы, и вам нужно будет выбрать, какие из них оставить, а какие удалить.", + "Continue": "Продолжить", + "Delete?": "Удалить?", + "Missing dependency": "Отсутствующие зависимости", + "Not right now": "Не сейчас", + "Install {0}": "Установить {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI требуется {0} для работы, но он не найден в системе", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Нажмите \"Установить\" для начала процесса установки. Если Вы пропустите установку, UniGetUI может не работать должным образом ", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "В качестве альтернативы Вы также можете установить {0} запустив следующую команду из командной строки PowerShell:", + "Do not show this dialog again for {0}": "Не показывать диалог снова для {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Пожалуйста, подождите, пока выполняется установка {0}. Во время установки может появляться черное окно. Ожидайте его закрытия", + "{0} has been installed successfully.": "{0} был успешно установлен", + "Please click on \"Continue\" to continue": "Пожалуйста, нажмите «Продолжить», чтобы продолжить", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} был успешно установлен. Рекомендуется перезапустить UniGetUI для завершения установки", + "Restart later": "Перезагрузить позже", + "An error occurred:": "Возникла ошибка:", + "I understand": "Я понимаю", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI был запущен от имени администратора, что не рекомендуется. При запуске WingetUI от имени администратора КАЖДАЯ операция, запущенная из WingetUI, будет иметь привилегии администратора. Вы можете продолжать пользоваться программой, но мы настоятельно рекомендуем не запускать WingetUI с правами администратора.", + "WinGet was repaired successfully": "WinGet восстановлен успешно", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Рекомендуется перезапустить UniGetUI после восстановления WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ПРИМЕЧАНИЕ: Это средство устранения неполадок можно отключить в настройках UniGetUI в разделе WinGet", + "Restart": "Рестарт", + "WinGet could not be repaired": "WinGet не может быть восстановлен", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Неожиданная проблема во время восстановления WinGet. Пожалуйста, попробуйте запустить восстановление позднее", + "Are you sure you want to delete all shortcuts?": "Вы уверены, что хотите удалить все ярлыки?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Все новые ярлыки, созданные во время установки или обновления, будут автоматически удалены, вместо того чтобы показывать запрос на подтверждение при их первом обнаружении.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Все ярлыки, созданные или измененные вне UniGetUI, будут проигнорированы. Вы сможете добавить их через кнопку {0}.", + "Are you really sure you want to enable this feature?": "Вы действительно уверены, что хотите включить эту функцию?", + "No new shortcuts were found during the scan.": "Во время сканирования не было обнаружено новых ярлыков.", + "How to add packages to a bundle": "Как добавить пакеты в набор", + "In order to add packages to a bundle, you will need to: ": "Чтобы добавить пакеты в набор, вам нужно:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Перейдите на страницу \"{0}\" или \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Найдите пакет(ы), которые вы хотите добавить в набор, и выберите самый левый флажок.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Когда пакеты, которые вы хотите добавить в набор, выбраны, найдите и нажмите на опцию \"{0}\" на панели инструментов.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ваши пакеты будут добавлены в набор. Вы можете продолжить добавление пакетов или экспортировать набор.", + "Which backup do you want to open?": "Какую резервную копию вы хотите открыть?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Выберите резервную копию для открытия. Позже вы сможете ознакомиться с пакетами для установки.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Операции продолжаются. Выход из UniGetUI может привести к их сбою. Вы хотите продолжить?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или некоторые ее компоненты утеряны или повреждены.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Настоятельно рекомендуется переустановить UniGetUI, чтобы исправить ситуацию.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Обратитесь к логам UniGetUI, чтобы получить больше информации, связанной с затронутыми файлами.", + "Integrity checks can be disabled from the Experimental Settings": "Проверка целостности может быть отключена в разделе экспериментальных настроек.", + "Repair UniGetUI": "Восстановить UniGetUI", + "Live output": "Вывод в реальном времени", + "Package not found": "Пакет не найден", + "An error occurred when attempting to show the package with Id {0}": "Ошибка при попытке показать пакет с ID {0} ", + "Package": "Пакет", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Этот бандл пакетов имеет потенциально опасные настройки и может быть проигнорирован по умолчанию.", + "Entries that show in YELLOW will be IGNORED.": "Записи, показанные ЖЕЛТЫМ цветом, будут ПРОИГНОРИРОВАНЫ.", + "Entries that show in RED will be IMPORTED.": "Позиции, помеченные КРАСНЫМ цветом, будут ИМПОРТИРОВАНЫ", + "You can change this behavior on UniGetUI security settings.": "Вы можете изменить такое поведение в настройках безопасности UniGetUI.", + "Open UniGetUI security settings": "Открыть настройки безопасности UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Если вы измените настройки безопасности, необходимо будет открыть бандл снова, чтобы изменения вступили в силу.", + "Details of the report:": "Детали отчета:", "\"{0}\" is a local package and can't be shared": "\"{0}\" является локальным пакетом и не может быть передан", + "Are you sure you want to create a new package bundle? ": "Вы уверены, что хотите создать новый набор пакетов?", + "Any unsaved changes will be lost": "Любые несохраненные изменения будут потеряны", + "Warning!": "Внимание!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "В целях безопасности пользовательские аргументы командной строки отключены по умолчанию. Включить их можно в разделе настроек UniGetUI.", + "Change default options": "Изменить настройки по умолчанию", + "Ignore future updates for this package": "Игнорировать будущие обновления этого пакета", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "В целях безопасности предварительные и завершающие скрипты отключены по умолчанию. Включить их можно в разделе настроек UnitGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Вы можете настроить, какие команды будут выполнять до или после установки, обновления или удаления пакета. Они будут запускаться в командной строке, поэтому CMD-скрипты будут работать.", + "Change this and unlock": "Изменить это и разблокировать", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} Настройки установки в настоящее время заблокированы, т.к. {0} следуют настройкам установки по умолчанию.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Выберите процессы для закрытия перед установкой, обновлением или удалением пакета.", + "Write here the process names here, separated by commas (,)": "Укажите здесь имена процессов, разделяя их запятыми (,)", + "Unset or unknown": "Отключено или неизвестно", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Пожалуйста, посмотрите вывод командной строки или обратитесь к истории операций для получения дополнительной информации о проблеме.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "У этого пакета нет скриншотов или отсутствует иконка? Внесите свой вклад в WingetUI, добавив недостающие иконки и скриншоты в нашу открытую, общедоступную базу данных.", + "Become a contributor": "Стать участником", + "Save": "Сохранить", + "Update to {0} available": "Обновление для {0} найдено", + "Reinstall": "Переустановить", + "Installer not available": "Установщик недоступен", + "Version:": "Версия:", + "Performing backup, please wait...": "Создается резервная копия, пожалуйста, подождите...", + "An error occurred while logging in: ": "Ошибка при авторизации:", + "Fetching available backups...": "Получение доступных резервных копий...", + "Done!": "Готово!", + "The cloud backup has been loaded successfully.": "Облачная резервная копия была загружена успешно.", + "An error occurred while loading a backup: ": "Ошибка при загрузке резервной копии:", + "Backing up packages to GitHub Gist...": "Резервное копирование пакетов в сервис GitHub Gist...", + "Backup Successful": "Резервное копирование завершено успешно", + "The cloud backup completed successfully.": "Облачное резервное копирование завершено успешно.", + "Could not back up packages to GitHub Gist: ": "Ошибка резервного копирования пакетов на сервис GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не гарантированно, что предоставленные учётные данные будут храниться в безопасности, поэтому лучше не использовать учётные данные от вашего банковского счёта.", + "Enable the automatic WinGet troubleshooter": "Включить автоматическое средство устранения неполадок WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Включить [экспериментальное] улучшенное средство устранения неполадок WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Добавить обновления, которые завершаются ошибкой с сообщением \"не найдено подходящего обновления\", в список игнорируемых обновлений", + "Restart WingetUI to fully apply changes": "Перезапустить WingetUI для применения всех настроек", + "Restart WingetUI": "Перезапустить WingetUI", + "Invalid selection": "Недопустимый выбор", + "No package was selected": "Не был выбран ни один пакет", + "More than 1 package was selected": "Было выбрано более одного пакета", + "List": "Список", + "Grid": "Сетка", + "Icons": "Иконки", "\"{0}\" is a local package and does not have available details": "\"{0}\" является локальным пакетом, и сведения о нём недоступны", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" является локальным пакетом и не поддерживает эту функцию", - "(Last checked: {0})": "(Последняя проверка: {0})", + "WinGet malfunction detected": "Обнаружена неисправность WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Похоже, WinGet не работает должным образом. Хотите ли Вы попробовать исправить WinGet?", + "Repair WinGet": "Восстановить WinGet", + "Create .ps1 script": "Создать скрипт .ps1", + "Add packages to bundle": "Добавить пакеты в набор", + "Preparing packages, please wait...": "Подготовка пакетов, пожалуйста, подождите...", + "Loading packages, please wait...": "Загрузка пакетов, пожалуйста, подождите...", + "Saving packages, please wait...": "Сохранение пакетов, пожалуйста, подождите...", + "The bundle was created successfully on {0}": "Набор был успешно создан в {0}", + "Install script": "Скрипт установки", + "The installation script saved to {0}": "Скрипт установки сохранен в {0}", + "An error occurred while attempting to create an installation script:": "Произошла ошибка при попытке создания установочного скрипта:", + "{0} packages are being updated": "{0} пакетов обновляется", + "Error": "Ошибка", + "Log in failed: ": "Ошибка входа:", + "Log out failed: ": "Ошибка выхода:", + "Package backup settings": "Настройки резервного копирования пакета", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "({0} позиция в очереди)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Vertuhai, Sergey, sklart, @flatron4eg, @bropines, @katrovsky, @DvladikD, Gleb Saygin, @Denisskas, @solarscream, @tapnisu, Alexander", "0 packages found": "Найдено 0 пакетов", "0 updates found": "Найдено 0 обновлений", - "1 - Errors": "1 - Ошибки", - "1 day": "1 день", - "1 hour": "1 час", "1 month": "1 месяц", "1 package was found": "Найден 1 пакет", - "1 update is available": "Доступно 1 обновление", - "1 week": "1 неделя", "1 year": "1 год", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Перейдите на страницу \"{0}\" или \"{1}\".", - "2 - Warnings": "2 - Предупреждения", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Найдите пакет(ы), которые вы хотите добавить в набор, и выберите самый левый флажок.", - "3 - Information (less)": "3 - Информация (меньше)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Когда пакеты, которые вы хотите добавить в набор, выбраны, найдите и нажмите на опцию \"{0}\" на панели инструментов.", - "4 - Information (more)": "4 - Информация (больше)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ваши пакеты будут добавлены в набор. Вы можете продолжить добавление пакетов или экспортировать набор.", - "5 - information (debug)": "5 - Информация (отладка)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популярный менеджер библиотек C/C++. Полный набор библиотек C/C++ и других утилит, связанных с C/C++
Содержит: библиотеки C/C++ и связанные с ними утилиты", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиторий, полный инструментов и исполняемых файлов, разработан с учетом экосистемы Microsoft .NET.
Содержит: инструменты и сценарии, связанные с .NET ", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Репозиторий, полный инструментов, разработан с учетом экосистемы Microsoft .NET.
Содержит: инструменты, связанные с .NET ", "A restart is required": "Требуется перезапуск", - "Abort install if pre-install command fails": "Отменить установку при ошибке выполнения предустановочной команды", - "Abort uninstall if pre-uninstall command fails": "Отменить удаление при ошибке выполнения предварительной команды", - "Abort update if pre-update command fails": "Отменить обновление при ошибке выполнения предварительной команды", - "About": "О приложении", "About Qt6": "О библиотеке Qt6", - "About WingetUI": "О программе UniGetUI", "About WingetUI version {0}": "О программе UniGetUI версии {0}", "About the dev": "О разработчиках", - "Accept": "Применить", "Action when double-clicking packages, hide successful installations": "Действие при двойном нажатии, исключая успешные установки", - "Add": "Добавить", "Add a source to {0}": "Добавьте источник в {0}", - "Add a timestamp to the backup file names": "Добавить временную метку к именам файлов резервных копий", "Add a timestamp to the backup files": "Добавлять временную метку к файлам резервных копий", "Add packages or open an existing bundle": "Добавьте пакеты или откройте существующий набор", - "Add packages or open an existing package bundle": "Добавьте пакеты или откройте существующий набор пакетов", - "Add packages to bundle": "Добавить пакеты в набор", - "Add packages to start": "Добавьте пакеты для начала", - "Add selection to bundle": "Добавить выбранное в набор", - "Add source": "Добавить источник", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Добавить обновления, которые завершаются ошибкой с сообщением \"не найдено подходящего обновления\", в список игнорируемых обновлений", - "Adding source {source}": "Добавление источника {source}", - "Adding source {source} to {manager}": "Добавление источника {source} в {manager}", "Addition succeeded": "Добавление выполнено успешно", - "Administrator privileges": "Права администратора", "Administrator privileges preferences": "Настройки прав администратора", "Administrator rights": "Права администратора", - "Administrator rights and other dangerous settings": "Права администратора и другие чувствительные настройки", - "Advanced options": "Расширенные настройки", "All files": "Все файлы", - "All versions": "Все версии", - "Allow changing the paths for package manager executables": "Разрешить изменять каталоги исполняемых файлов менеджера пакетов", - "Allow custom command-line arguments": "Допускать пользовательские аргументы командной строки", - "Allow importing custom command-line arguments when importing packages from a bundle": "Разрешить импорт пользовательских аргументов командной строки при импорте пакетов из бандла", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Разрешить импорт пользовательских пред- и постустановочных команд при импорте пакетов из комплекта", "Allow package operations to be performed in parallel": "Позволить выполнять операции с пакетами параллельно", "Allow parallel installs (NOT RECOMMENDED)": "Разрешить параллельные установки (НЕ РЕКОМЕНДУЕТСЯ)", - "Allow pre-release versions": "Разрешить обновление до предварительных версий", "Allow {pm} operations to be performed in parallel": "Разрешить {pm} параллельное выполнение операций ", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "В качестве альтернативы Вы также можете установить {0} запустив следующую команду из командной строки PowerShell:", "Always elevate {pm} installations by default": "Всегда повышать права установки {pm} по умолчанию", "Always run {pm} operations with administrator rights": "Всегда выполнять {pm} операции с правами администратора", - "An error occurred": "Произошла ошибка", - "An error occurred when adding the source: ": "Ошибка при добавлении источника:", - "An error occurred when attempting to show the package with Id {0}": "Ошибка при попытке показать пакет с ID {0} ", - "An error occurred when checking for updates: ": "Ошибка при проверке обновлений:", - "An error occurred while attempting to create an installation script:": "Произошла ошибка при попытке создания установочного скрипта:", - "An error occurred while loading a backup: ": "Ошибка при загрузке резервной копии:", - "An error occurred while logging in: ": "Ошибка при авторизации:", - "An error occurred while processing this package": "Произошла ошибка при обработке этого пакета", - "An error occurred:": "Возникла ошибка:", - "An interal error occurred. Please view the log for further details.": "Внутренняя ошибка. Пожалуйста, ознакомьтесь с журналом для получения более подробной информации.", "An unexpected error occurred:": "Произошла непредвиденная ошибка:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Неожиданная проблема во время восстановления WinGet. Пожалуйста, попробуйте запустить восстановление позднее", - "An update was found!": "Найдено обновление!", - "Android Subsystem": "Подсистема Android", "Another source": "Другой источник", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Все новые ярлыки, созданные во время установки или обновления, будут автоматически удалены, вместо того чтобы показывать запрос на подтверждение при их первом обнаружении.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Все ярлыки, созданные или измененные вне UniGetUI, будут проигнорированы. Вы сможете добавить их через кнопку {0}.", - "Any unsaved changes will be lost": "Любые несохраненные изменения будут потеряны", "App Name": "Название приложения", - "Appearance": "Внешний вид", - "Application theme, startup page, package icons, clear successful installs automatically": "Тема приложения, стартовая страница, значки пакетов, автоматическая очистка успешных установок", - "Application theme:": "Тема оформления:", - "Apply": "Применить", - "Architecture to install:": "Архитектура для установки:", "Are these screenshots wron or blurry?": "Эти скриншоты неправильные или размытые?", - "Are you really sure you want to enable this feature?": "Вы действительно уверены, что хотите включить эту функцию?", - "Are you sure you want to create a new package bundle? ": "Вы уверены, что хотите создать новый набор пакетов?", - "Are you sure you want to delete all shortcuts?": "Вы уверены, что хотите удалить все ярлыки?", - "Are you sure?": "Вы уверены?", - "Ascendant": "По возрастанию", - "Ask for administrator privileges once for each batch of operations": "Запрашивать права администратора для каждого пакета операций", "Ask for administrator rights when required": "Запрашивать права администратора при необходимости", "Ask once or always for administrator rights, elevate installations by default": "Запрашивать права администратора единожды или всегда, повышая права установки по умолчанию", - "Ask only once for administrator privileges": "Запрашивать права администратора один раз", "Ask only once for administrator privileges (not recommended)": "Запрашивать права администратора единожды (не рекомендуется)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Спрашивать об удалении ярлыков на рабочем столе, созданных во время установки или обновления.", - "Attention required": "Требуется внимание пользователя", "Authenticate to the proxy with an user and a password": "Авторизоваться в прокси с помощью имени пользователя и пароля", - "Author": "Автор", - "Automatic desktop shortcut remover": "Автоматическое удаление ярлыков на рабочем столе", - "Automatic updates": "Автоматические обновления", - "Automatically save a list of all your installed packages to easily restore them.": "Автоматически сохраняйте список всех установленных вами пакетов, чтобы легко восстановить их.", "Automatically save a list of your installed packages on your computer.": "Автоматически сохранять список установленных пакетов на вашем компьютере.", - "Automatically update this package": "Автоматически обновлять этот пакет", "Autostart WingetUI in the notifications area": "Автозапуск UniGetUI в области уведомлений", - "Available Updates": "Доступные обновления", "Available updates: {0}": "Доступно обновлений: {0}", "Available updates: {0}, not finished yet...": "Доступно обновлений: {0}, еще не завершено...", - "Backing up packages to GitHub Gist...": "Резервное копирование пакетов в сервис GitHub Gist...", - "Backup": "Резервная копия", - "Backup Failed": "Ошибка резервного копирования", - "Backup Successful": "Резервное копирование завершено успешно", - "Backup and Restore": "Резервная копия и восстановление", "Backup installed packages": "Создать резервную копию установленных пакетов", "Backup location": "Расположение резервной копии", - "Become a contributor": "Стать участником", - "Become a translator": "Стать переводчиком", - "Begin the process to select a cloud backup and review which packages to restore": "Выбрать облачное хранилище и пакеты для восстановления", - "Beta features and other options that shouldn't be touched": "Функции бета-версии и другие настройки, которые не стоит изменять", - "Both": "Оба", - "Bundle security report": "Сводный отчет по безопасности", "But here are other things you can do to learn about WingetUI even more:": "Но вот что еще можно сделать, чтобы узнать о UniGetUI еще больше:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Отключив менеджер пакетов, вы больше не сможете видеть и обновлять его пакеты.", "Cache administrator rights and elevate installers by default": "Запоминать права администратора и повышать права установщиков по умолчанию", "Cache administrator rights, but elevate installers only when required": "Запоминать права администратора, но повышать права установщиков только при необходимости", "Cache was reset successfully!": "Кэш успешно сброшен!", "Can't {0} {1}": "Невозможно {0} {1}", - "Cancel": "Отмена", "Cancel all operations": "Отменить все операции", - "Change backup output directory": "Изменить каталог для резервных копий", - "Change default options": "Изменить настройки по умолчанию", - "Change how UniGetUI checks and installs available updates for your packages": "Изменить способ проверки и установки доступных обновлений для пакетов в UniGetUI", - "Change how UniGetUI handles install, update and uninstall operations.": "Изменить управление операциями установки, обновления и удаления.", "Change how UniGetUI installs packages, and checks and installs available updates": "Изменение механизма получения пакетов обновлений, проверка и установка доступных обновлений", - "Change how operations request administrator rights": "Изменить как операции запрашивают права администратора", "Change install location": "Измените место установки", - "Change this": "Изменить это", - "Change this and unlock": "Изменить это и разблокировать", - "Check for package updates periodically": "Периодически проверять наличие обновлений пакетов", - "Check for updates": "Проверка обновлений", - "Check for updates every:": "Интервал проверки обновлений:", "Check for updates periodically": "Проверять обновления периодически", "Check for updates regularly, and ask me what to do when updates are found.": "Проверять обновления регулярно и спрашивать меня, что делать при их обнаружении.", "Check for updates regularly, and automatically install available ones.": "Регулярно проверять наличие обновлений и автоматически устанавливать доступные.", @@ -159,805 +741,283 @@ "Checking for updates...": "Проверка обновлений...", "Checking found instace(s)...": "Проверка найденных экземпляров...", "Choose how many operations shouls be performed in parallel": "Выбор количества одновременно выполняемых операций", - "Clear cache": "Очистить кэш", "Clear finished operations": "Очистить завершенные операции", - "Clear selection": "Снять выделение", "Clear successful operations": "Очистить успешно завершенные загрузки", - "Clear successful operations from the operation list after a 5 second delay": "Очищать успешные операции из списка операций после 5-секундной задержки", "Clear the local icon cache": "Очистить локальный кэш иконок", - "Clearing Scoop cache - WingetUI": "Очистка кэша Scoop - UniGetUI", "Clearing Scoop cache...": "Очистка кеша Scoop...", - "Click here for more details": "Нажмите здесь для получения подробностей", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Нажмите \"Установить\" для начала процесса установки. Если Вы пропустите установку, UniGetUI может не работать должным образом ", - "Close": "Закрыть", - "Close UniGetUI to the system tray": "Закрепить UniGetUI в системном трее", "Close WingetUI to the notification area": "Закрепить WingetUI в области уведомлений", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Облачное хранилище использует частный сервис GitHub Gist для хранения списка установленных пакетов", - "Cloud package backup": "Резервное копирование в облако", "Command-line Output": "Вывод командной строки", - "Command-line to run:": "Команда для запуска:", "Compare query against": "Сравнить запрос с", - "Compatible with authentication": "Совместимо с аутентификацией", - "Compatible with proxy": "Совместимо с прокси", "Component Information": "Информация о компонентах", - "Concurrency and execution": "Параллелизм и выполнение", - "Connect the internet using a custom proxy": "Подключиться к интернету, используя указанный прокси", - "Continue": "Продолжить", "Contribute to the icon and screenshot repository": "Внести свой вклад в репозиторий значков и скриншотов", - "Contributors": "Участники", "Copy": "Копировать", - "Copy to clipboard": "Копировать в буфер обмена", - "Could not add source": "Невозможно добавить источник", - "Could not add source {source} to {manager}": "Не удалось добавить источник {source} в {manager}", - "Could not back up packages to GitHub Gist: ": "Ошибка резервного копирования пакетов на сервис GitHub Gist:", - "Could not create bundle": "Не удалось создать набор", "Could not load announcements - ": "Не удалось загрузить объявления -", "Could not load announcements - HTTP status code is $CODE": "Не удалось загрузить объявления - код состояния HTTP $CODE", - "Could not remove source": "Невозможно удалить источник", - "Could not remove source {source} from {manager}": "Не удалось удалить источник {source} из {manager}", "Could not remove {source} from {manager}": "Не удалось удалить {source} из {manager} ", - "Create .ps1 script": "Создать скрипт .ps1", - "Credentials": "Учетные данные", "Current Version": "Текущая версия", - "Current executable file:": "Текущий исполняемый файл:", - "Current status: Not logged in": "Статус: вход не выполнен", "Current user": "Для текущего пользователя", "Custom arguments:": "Пользовательские аргументы:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Пользовательские аргументы командной строки могут изменять путь, по которому установлены, обновлены или удалены программы, что UniGetUI контролировать не может. Использование пользовательских аргументов командной строки может повредить пакеты. Продолжайте на свой страх и риск.", "Custom command-line arguments:": "Пользовательские аргументы командной строки:", - "Custom install arguments:": "Пользовательские аргументы для установки:", - "Custom uninstall arguments:": "Пользовательские аргументы для удаления:", - "Custom update arguments:": "Пользовательские аргументы для обновления:", "Customize WingetUI - for hackers and advanced users only": "Настроить UniGetUI — для хакеров и экспертов", - "DEBUG BUILD": "СБОРКА ДЛЯ ОТЛАДКИ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ОТКАЗ ОТ ОТВЕТСТВЕННОСТИ: МЫ НЕ НЕСЕМ ОТВЕТСТВЕННОСТИ ЗА ЗАГРУЖАЕМЫЕ ПАКЕТЫ. ПОЖАЛУЙСТА, УСТАНАВЛИВАЙТЕ ТОЛЬКО ПРОВЕРЕННОЕ ПРОГРАММНОЕ ОБЕСПЕЧЕНИЕ.", - "Dark": "Темная", - "Decline": "Отменить", - "Default": "По умолчанию", - "Default installation options for {0} packages": "Настройки установки по умолчанию для {0} пакетов", "Default preferences - suitable for regular users": "Настройки по умолчанию - подходят для большинства пользователей", - "Default vcpkg triplet": "Триплет vcpkg по умолчанию", - "Delete?": "Удалить?", - "Dependencies:": "Зависимости:", - "Descendant": "По убыванию", "Description:": "Описание:", - "Desktop shortcut created": "Ярлык на рабочем столе создан", - "Details of the report:": "Детали отчета:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Разработка сложна, и это приложение бесплатное. Но если вам понравилось приложение, вы всегда можете купить мне кофе :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Прямая установка при двойном щелчке по элементу на вкладке \"{discoveryTab}\" (без инф. о пакете)", "Disable new share API (port 7058)": "Отключить новое API для функции \"поделиться\" (порт 7058)", - "Disable the 1-minute timeout for package-related operations": "Отключить 1-минутный тайм-аут для операций, связанных с пакетами", - "Disabled": "Выключен", - "Disclaimer": "Отказ от ответственности", - "Discover Packages": "Доступные пакеты", "Discover packages": "Доступные пакеты", "Distinguish between\nuppercase and lowercase": "Различать верхний\nи нижний регистр", - "Distinguish between uppercase and lowercase": "Различать прописные и строчные буквы", "Do NOT check for updates": "НЕ проверять наличие обновлений", "Do an interactive install for the selected packages": "Выполнить интерактивную установку для выбранных пакетов", "Do an interactive uninstall for the selected packages": "Выполнить интерактивное удаление для выбранных пакетов", "Do an interactive update for the selected packages": "Выполнить интерактивное обновление для выбранных пакетов", - "Do not automatically install updates when the battery saver is on": "Не устанавливать обновления автоматически, когда включён режим экономии заряда батареи", - "Do not automatically install updates when the device runs on battery": "Не устанавливать обновления автоматически, когда включён режим экономии заряда батареи", - "Do not automatically install updates when the network connection is metered": "Не устанавливать обновления автоматически при использовании лимитированного подключения", "Do not download new app translations from GitHub automatically": "Не скачивать новые переводы с GitHub автоматически", - "Do not ignore updates for this package anymore": "Больше не игнорировать обновления для этого пакета", "Do not remove successful operations from the list automatically": "Не удалять успешные операции из списка автоматически\n", - "Do not show this dialog again for {0}": "Не показывать диалог снова для {0}", "Do not update package indexes on launch": "Не обновлять индексы пакетов при запуске", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Разрешаете ли Вы UniGetUI сбор и отправку анонимной статистики использования с целью изучения и улучшения пользовательского опыта?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Считаете ли вы UniGetUI полезным? Если, вы захотите поддержать мою работу, чтобы я мог продолжать делать UniGetUI идеальным интерфейсом для управления пакетами.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Считаете ли вы UniGetUI полезным? Хотите поддержать разработчика? Если это так, вы можете {0}, это очень поможет!", - "Do you really want to reset this list? This action cannot be reverted.": "Вы действительно хотите сбросить этот список? Это действие нельзя отменить.", - "Do you really want to uninstall the following {0} packages?": "Вы действительно хотите удалить следующие {0} пакетов?", "Do you really want to uninstall {0} packages?": "Вы действительно хотите удалить {0} пакеты?", - "Do you really want to uninstall {0}?": "Вы действительно хотите удалить {0}?", "Do you want to restart your computer now?": "Вы хотите перезагрузить компьютер сейчас?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Хотите перевести UniGetUI на свой язык? Узнайте, как внести свой вклад ЗДЕСЬ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Не хотите делать пожертвование? Не волнуйтесь, вы всегда можете поделиться WingetUI со своими друзьями. Расскажите о WingetUI.", "Donate": "Пожертвовать", - "Done!": "Готово!", - "Download failed": "Ошибка загрузки", - "Download installer": "Загрузить программу установки", - "Download operations are not affected by this setting": "Этот параметр не влияет на операции загрузки", - "Download selected installers": "Загрузить выбранные установщики", - "Download succeeded": "Загрузка прошла успешно", "Download updated language files from GitHub automatically": "Автоматически скачивать обновленные языковые файлы с GitHub", - "Downloading": "Загрузка", - "Downloading backup...": "Загружаем резервную копию…", - "Downloading installer for {package}": "Загрузка установщика для {package}", - "Downloading package metadata...": "Загрузка метаданных пакета...", - "Enable Scoop cleanup on launch": "Включить очистку Scoop при запуске", - "Enable WingetUI notifications": "Включить уведомления WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Включить [экспериментальное] улучшенное средство устранения неполадок WinGet", - "Enable and disable package managers, change default install options, etc.": "Включить и отключить менеджеры пакетов, изменить настройки установки по умолчанию и т.д.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Включить фоновую оптимизацию использования процессора", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Включить фоновый API (WingetUI виджеты и возможность поделиться, порт 7058)", - "Enable it to install packages from {pm}.": "Включите его для установки пакетов из {pm}.", - "Enable the automatic WinGet troubleshooter": "Включить автоматическое средство устранения неполадок WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Включить новый модуль управления учетными записями под брендом UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Включить новый обработчик входных данных (Std In automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Включайте настройки ниже только в том случае, если вы полностью осознаете их назначение и эффект от включения", - "Enable {pm}": "Включить {pm}", - "Enabled": "Включено", - "Enter proxy URL here": "Введите URL прокси здесь", - "Entries that show in RED will be IMPORTED.": "Позиции, помеченные КРАСНЫМ цветом, будут ИМПОРТИРОВАНЫ", - "Entries that show in YELLOW will be IGNORED.": "Записи, показанные ЖЕЛТЫМ цветом, будут ПРОИГНОРИРОВАНЫ.", - "Error": "Ошибка", - "Everything is up to date": "Все актуально", - "Exact match": "Точное совпадение", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Существующие ярлыки на вашем рабочем столе будут отсканированы, и вам нужно будет выбрать, какие из них оставить, а какие удалить.", - "Expand version": "Расширенная версия", - "Experimental settings and developer options": "Экспериментальные настройки и опции разработчика", - "Export": "Экспорт", + "Downloading": "Загрузка", + "Downloading installer for {package}": "Загрузка установщика для {package}", + "Downloading package metadata...": "Загрузка метаданных пакета...", + "Enable the new UniGetUI-Branded UAC Elevator": "Включить новый модуль управления учетными записями под брендом UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Включить новый обработчик входных данных (Std In automated closer)", "Export log as a file": "Экспорт журнала в файл", "Export packages": "Экспортировать пакеты", "Export selected packages to a file": "Экспорт выбранных пакетов в файл", - "Export settings to a local file": "Экспорт настроек в файл", - "Export to a file": "Экспорт в файл", - "Failed": "Не удалось", - "Fetching available backups...": "Получение доступных резервных копий...", "Fetching latest announcements, please wait...": "Чтобы получить последние объявления, пожалуйста, подождите...", - "Filters": "Фильтры", "Finish": "Конец", - "Follow system color scheme": "Использовать системную цветовую схему", - "Follow the default options when installing, upgrading or uninstalling this package": "Следовать настройкам по умолчанию при установке, обновлении или удалении этого пакета", - "For security reasons, changing the executable file is disabled by default": "В целях безопасности изменение исполняемого файла отключено по умолчанию", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "В целях безопасности пользовательские аргументы командной строки отключены по умолчанию. Включить их можно в разделе настроек UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "В целях безопасности предварительные и завершающие скрипты отключены по умолчанию. Включить их можно в разделе настроек UnitGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Используйте версию winget, скомпилированную для ARM (ТОЛЬКО ДЛЯ СИСТЕМ ARM64)", - "Force install location parameter when updating packages with custom locations": "Принудительно использовать параметр расположения установки при обновлении пакетов с пользовательскими путями", "Formerly known as WingetUI": "Ранее известный как WingetUI", "Found": "Найден", "Found packages: ": "Найденные пакеты:", "Found packages: {0}": "Найдено пакетов: {0}", "Found packages: {0}, not finished yet...": "Найдено пакетов: {0}, еще не завершено...", - "General preferences": "Общие настройки", "GitHub profile": "Профиль GitHub", "Global": "Глобально", - "Go to UniGetUI security settings": "Перейти в настройки безопасности UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Отличное хранилище малоизвестных, но полезных утилит и других интересных пакетов.
Содержит: Утилиты, программы командной строки, общее программное обеспечение (требуется дополнительный бакет)", - "Great! You are on the latest version.": "Отлично! Вы используете последнюю версию.", - "Grid": "Сетка", - "Help": "Помощь", "Help and documentation": "Справка и документация", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Здесь вы можете изменить поведение UniGetUI в отношении следующих сочетаний клавиш. Проверка ярлыка приведет к тому, что UniGetUI удалит его, если он будет создан при будущем обновлении. Если снять флажок, ярлык останется нетронутым", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Привет, меня зовут Марти́, и я разработчик WingetUI. WingetUI был полностью сделан мной в свободное время!", "Hide details": "Скрыть детали", - "Homepage": "Домашняя страница", - "Hooray! No updates were found.": "Ура! Обновления не найдены!", "How should installations that require administrator privileges be treated?": "Как следует относиться к установкам, требующим прав администратора?", - "How to add packages to a bundle": "Как добавить пакеты в набор", - "I understand": "Я понимаю", - "Icons": "Иконки", - "Id": "Id", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Если включено резервное копирование в облако, копия будет сохранена как GitHub Gist в этом аккаунте", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Разрешить выполнение пользовательских команд до и после установки при импорте пакетов из набора", - "Ignore future updates for this package": "Игнорировать будущие обновления этого пакета", - "Ignore packages from {pm} when showing a notification about updates": "Игнорировать пакеты из {pm} при показе уведомления о обновлениях", - "Ignore selected packages": "Игнорировать выбранные пакеты", - "Ignore special characters": "Игнорировать специальные\nсимволы", "Ignore updates for the selected packages": "Игнорировать обновления выбранных пакетов", - "Ignore updates for this package": "Игнорировать обновления для этого пакета", "Ignored updates": "Игнорируемые обновления", - "Ignored version": "Игнорируемая версия", - "Import": "Импорт", "Import packages": "Импортировать пакеты", "Import packages from a file": "Импорт пакетов из файла", - "Import settings from a local file": "Импорт настроек из файла", - "In order to add packages to a bundle, you will need to: ": "Чтобы добавить пакеты в набор, вам нужно:", "Initializing WingetUI...": "Запуск WingetUI...", - "Install": "Установить", - "Install Scoop": "Установить Scoop", "Install and more": "Установить и более", "Install and update preferences": "Настройки установки и обновления", - "Install as administrator": "Установить от имени администратора", - "Install available updates automatically": "Автоматически устанавливать доступные обновления", - "Install location can't be changed for {0} packages": "Расположение установки не может быть изменено для {0} пакетов", - "Install location:": "Место установки:", - "Install options": "Настройки установки", "Install packages from a file": "Установить пакеты из файла", - "Install prerelease versions of UniGetUI": "Устанавливать предварительные версии UniGetUI", - "Install script": "Скрипт установки", "Install selected packages": "Установить выбранные пакеты", "Install selected packages with administrator privileges": "Установить выбранные пакеты с правами администратора", - "Install selection": "Установить выбранные", "Install the latest prerelease version": "Установка последней предварительной версии", "Install updates automatically": "Устанавливать обновления автоматически", - "Install {0}": "Установить {0}", "Installation canceled by the user!": "Установка отменена пользователем!", - "Installation failed": "Ошибка установки", - "Installation options": "Опции установки", - "Installation scope:": "Область установки:", - "Installation succeeded": "Установка выполнена успешно", - "Installed Packages": "Установленные пакеты", - "Installed Version": "Установленная версия", "Installed packages": "Установленные пакеты", - "Installer SHA256": "SHA256 установщика", - "Installer SHA512": "Хэш установщика SHA512", - "Installer Type": "Тип установщика", - "Installer URL": "URL установщика", - "Installer not available": "Установщик недоступен", "Instance {0} responded, quitting...": "Получен ответ от инстанса {0}, закрытие...", - "Instant search": "Искать незамедлительно", - "Integrity checks can be disabled from the Experimental Settings": "Проверка целостности может быть отключена в разделе экспериментальных настроек.", - "Integrity checks skipped": "Проверка целостности пропущена", - "Integrity checks will not be performed during this operation": "Проверка целостности не будет выполнена во время этой операции", - "Interactive installation": "Интерактивная установка", - "Interactive operation": "Интерактивное управление", - "Interactive uninstall": "Интерактивное удаление", - "Interactive update": "Интерактивное обновление", - "Internet connection settings": "Настройка подключения к интернету", - "Invalid selection": "Недопустимый выбор", "Is this package missing the icon?": "В этом пакете отсутствует значок?", - "Is your language missing or incomplete?": "Ваш язык отсутствует или является неполным?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не гарантированно, что предоставленные учётные данные будут храниться в безопасности, поэтому лучше не использовать учётные данные от вашего банковского счёта.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Рекомендуется перезапустить UniGetUI после восстановления WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Настоятельно рекомендуется переустановить UniGetUI, чтобы исправить ситуацию.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Похоже, WinGet не работает должным образом. Хотите ли Вы попробовать исправить WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Похоже, вы запустили WingetUI от имени администратора, что не рекомендуется. Вы по-прежнему можете использовать программу, но мы настоятельно рекомендуем не запускать WingetUI с правами администратора. Нажмите \"{showDetails}\", чтобы узнать почему.", - "Language": "Язык", - "Language, theme and other miscellaneous preferences": "Язык, тема и другие настройки", - "Last updated:": "Последнее обновление:", - "Latest": "Последний", "Latest Version": "Последняя версия", "Latest Version:": "Последняя версия:", "Latest details...": "Последние детали...", "Launching subprocess...": "Запуск подпроцесса...", - "Leave empty for default": "Оставьте пустым по умолчанию", - "License": "Лицензия", "Licenses": "Лицензии", - "Light": "Светлая", - "List": "Список", "Live command-line output": "Вывод командной строки", - "Live output": "Вывод в реальном времени", "Loading UI components...": "Загрузка UI-компонентов...", "Loading WingetUI...": "Загрузка WingetUI...", - "Loading packages": "Загрузка пакетов", - "Loading packages, please wait...": "Загрузка пакетов, пожалуйста, подождите...", - "Loading...": "Загрузка...", - "Local": "Локально", - "Local PC": "Этот ПК", - "Local backup advanced options": "Расширенные настройки локального резервного копирования", "Local machine": "Для всех пользователей", - "Local package backup": "Резервное копирование локального пакета", "Locating {pm}...": "Поиск {pm}...", - "Log in": "Вход", - "Log in failed: ": "Ошибка входа:", - "Log in to enable cloud backup": "Войдите для включения облачного резервного копирования", - "Log in with GitHub": "Войти используя GitHub", - "Log in with GitHub to enable cloud package backup.": "Войдите с GitHub для включения облачного резервного копирования пакета.", - "Log level:": "Уровень журнала:", - "Log out": "Выйти", - "Log out failed: ": "Ошибка выхода:", - "Log out from GitHub": "Выйти из GitHub", "Looking for packages...": "Ищу...", "Machine | Global": "Устройство | Глобально", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправильные аргументы командной строки могут повредить пакеты или даже позволить вредоносному коду получить привилегии на исполнение.", - "Manage": "Управление", - "Manage UniGetUI settings": "Управление настройками UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Настроить поведение автозапуска WingetUI из приложения \"Параметры\"", "Manage ignored packages": "Управление игнорируемыми пакетами", - "Manage ignored updates": "Управление игнорируемыми обновлениями", - "Manage shortcuts": "Управление ярлыками", - "Manage telemetry settings": "Управление настройками телеметрии", - "Manage {0} sources": "Управление источниками {0}", - "Manifest": "Манифест", "Manifests": "Манифесты", - "Manual scan": "Ручное сканирование", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Официальный пакетный менеджер Microsoft. Полон хорошо известных и проверенных пакетов
Содержит: Общее программное обеспечение, приложения Microsoft Store", - "Missing dependency": "Отсутствующие зависимости", - "More": "Еще", - "More details": "Более подробная информация", - "More details about the shared data and how it will be processed": "Больше информации о передаваемых данных и их обработке", - "More info": "Дополнительная информация", - "More than 1 package was selected": "Было выбрано более одного пакета", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ПРИМЕЧАНИЕ: Это средство устранения неполадок можно отключить в настройках UniGetUI в разделе WinGet", - "Name": "Название", - "New": "Новое", "New Version": "Новая версия", "New bundle": "Новый набор", - "New version": "Новая версия", - "Nice! Backups will be uploaded to a private gist on your account": "Резервные копии будут загружены в приватный Gist на вашем аккаунте", - "No": "Нет", - "No applicable installer was found for the package {0}": "Не найден подходящий установщик для пакета {0}", - "No dependencies specified": "Не указаны зависимости", - "No new shortcuts were found during the scan.": "Во время сканирования не было обнаружено новых ярлыков.", - "No package was selected": "Не был выбран ни один пакет", "No packages found": "Пакеты не найдены", "No packages found matching the input criteria": "Пакеты, соответствующие введенным критериям, не найдены", "No packages have been added yet": "Пакеты еще не добавлены", "No packages selected": "Нет выбранных пакетов", - "No packages were found": "Пакеты не найдены", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Сбор и обработка персональных данных не производятся. Собранные данные анонимизированы, поэтому по ним невозможно определить Вашу личность", - "No results were found matching the input criteria": "Не найдено результатов, соответствующих критериям ввода", "No sources found": "Источники не найдены", "No sources were found": "Источники не найдены", "No updates are available": "Нет доступных обновлений", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Пакетный менеджер NodeJS. Наполнен библиотеками и другими утилитами, которые вращаются вокруг мира javascript
Содержит: Библиотеки Node javascript и другие связанные с ними утилиты", - "Not available": "Не доступно", - "Not finding the file you are looking for? Make sure it has been added to path.": "Не можете найти необходимый файл? Убедитесь, что он был добавлен в PATH.", - "Not found": "Не найден", - "Not right now": "Не сейчас", "Notes:": "Примечания:", - "Notification preferences": "Параметры уведомлений", "Notification tray options": "Параметры панели уведомлений", - "Notification types": "Типы уведомлений", - "NuPkg (zipped manifest)": "NuPkg (заархивированный манифест)", - "OK": "ОК", "Ok": "Ок", - "Open": "Открыть", "Open GitHub": "Открыть GitHub", - "Open UniGetUI": "Открыть UniGetUI", - "Open UniGetUI security settings": "Открыть настройки безопасности UniGetUI", "Open WingetUI": "Открыть WingetUI", "Open backup location": "Открыть хранилище резервных копий", "Open existing bundle": "Открыть существующий набор", - "Open install location": "Открыть папку установки", "Open the welcome wizard": "Открыть мастер начальной настройки", - "Operation canceled by user": "Операция отменена пользователем", "Operation cancelled": "Операция отменена", - "Operation history": "История действий", - "Operation in progress": "В процессе...", - "Operation on queue (position {0})...": "Операция в очереди (позиция {0})...", - "Operation profile:": "Профиль операции:", "Options saved": "Параметры сохранены", - "Order by:": "Сортировать по:", - "Other": "Другой", - "Other settings": "Другие настройки", - "Package": "Пакет", - "Package Bundles": "Наборы пакетов", - "Package ID": "ID пакета", "Package Manager": "Менеджер пакетов", - "Package Manager logs": "Журналы событий пакетного менеджера", - "Package Managers": "Менеджеры пакетов", - "Package Name": "Название пакета", - "Package backup": "Резервная копия пакета", - "Package backup settings": "Настройки резервного копирования пакета", - "Package bundle": "Набор пакетов", - "Package details": "Информация о пакете", - "Package lists": "Списки пакетов", - "Package management made easy": "Управление пакетами без усилий", - "Package manager": "Менеджер пакетов", - "Package manager preferences": "Настройки менеджеров пакетов", "Package managers": "Менеджеры пакетов", - "Package not found": "Пакет не найден", - "Package operation preferences": "Настройка операций с пакетами", - "Package update preferences": "Настройка обновлений пакетов", "Package {name} from {manager}": "Пакет {name} из {manager} ", - "Package's default": "По умолчанию для пакета", "Packages": "Пакеты", "Packages found: {0}": "Найдено пакетов: {0}", - "Partially": "Частично", - "Password": "Пароль", "Paste a valid URL to the database": "Вставьте действительный URL-адрес в базу данных", - "Pause updates for": "Приостановить обновления для", "Perform a backup now": "Выполнить резервное копирование сейчас", - "Perform a cloud backup now": "Выполнить резервное копирование в облако сейчас", - "Perform a local backup now": "Выполнить локальное резервное копирование сейчас", - "Perform integrity checks at startup": "Выполнять проверку целостности при запуске.", - "Performing backup, please wait...": "Создается резервная копия, пожалуйста, подождите...", "Periodically perform a backup of the installed packages": "Периодически выполнять резервное копирование установленных пакетов", - "Periodically perform a cloud backup of the installed packages": "Периодически выполнять облачное резервное копирование установленных пакетов", - "Periodically perform a local backup of the installed packages": "Периодически выполнять локальное резервное копирование установленных пакетов", - "Please check the installation options for this package and try again": "Пожалуйста, проверьте параметры установки этого пакета и повторите попытку", - "Please click on \"Continue\" to continue": "Пожалуйста, нажмите «Продолжить», чтобы продолжить", "Please enter at least 3 characters": "Пожалуйста, введите не менее 3 символов", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Учтите, что некоторые пакеты могут быть недоступны для установки из-за включенных на этом компьютере менеджеров пакетов.", - "Please note that not all package managers may fully support this feature": "Обратите внимание, что не все менеджеры пакетов могут полностью поддерживать эту функцию", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Учтите, что пакеты из определенных источников могут быть недоступны для экспорта. Они были выделены серым цветом и не будут экспортированы.", - "Please run UniGetUI as a regular user and try again.": "Пожалуйста, запустите UniGetUI как обычный пользователь и повторите попытку.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Пожалуйста, посмотрите вывод командной строки или обратитесь к истории операций для получения дополнительной информации о проблеме.", "Please select how you want to configure WingetUI": "Пожалуйста, выберите желаемые настройки WingetUI", - "Please try again later": "Пожалуйста, попробуйте ещё раз позже", "Please type at least two characters": "Пожалуйста, введите не менее двух символов", - "Please wait": "Пожалуйста подождите", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Пожалуйста, подождите, пока выполняется установка {0}. Во время установки может появляться черное окно. Ожидайте его закрытия", - "Please wait...": "Пожалуйста, подождите...", "Portable": "Портативный", - "Portable mode": "Портативный режим", - "Post-install command:": "Команда после установки:", - "Post-uninstall command:": "Команда после удаления:", - "Post-update command:": "Команда после обновления:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Менеджер пакетов PowerShell. Поиск библиотек и сценариев для расширения возможностей PowerShell
Содержит: Модули, скрипты, команды", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Пред- и послеустановочные команды могут навредить вашему устройству, если они созданы для этого. Крайне опасно импортировать команды из бандла, если вы не доверяете источнику бандла пакетов.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Пред- и послеустановочные команды будут запущены до и после того, как установится, обновится или удалится пакет. Имейте в виду, что такие команды могут нанести вред, если используются неосторожно.", - "Pre-install command:": "Команда перед установкой:", - "Pre-uninstall command:": "Команда перед удалением:", - "Pre-update command:": "Команда перед обновлением:", - "PreRelease": "Предварительный релиз", - "Preparing packages, please wait...": "Подготовка пакетов, пожалуйста, подождите...", - "Proceed at your own risk.": "Действуйте на свой страх и риск", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Запрещать любую элевацию через UniGetUI Elevator или GSudo", - "Proxy URL": "Прокси URL", - "Proxy compatibility table": "Таблица совместимости с прокси", - "Proxy settings": "Настройки прокси", - "Proxy settings, etc.": "Настройки прокси и т.д.", "Publication date:": "Дата публикации:", - "Publisher": "Издатель", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менеджер библиотек Python. Полон библиотек Python и других утилит, связанных с Python
Содержит: Библиотеки Python и связанные с ними утилиты", - "Quit": "Выход", "Quit WingetUI": "Выйти из WingetUI", - "Ready": "Готов", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Уменьшить частоту уведомлений UAC, запускать установку с правами администратора по умолчанию, разблокировать некоторые опасные функции и т.д.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Обратитесь к логам UniGetUI, чтобы получить больше информации, связанной с затронутыми файлами.", - "Reinstall": "Переустановить", - "Reinstall package": "Переустановить пакет", - "Related settings": "Связанные настройки", - "Release notes": "Примечания к выпуску", - "Release notes URL": "URL заметок к выпуску", "Release notes URL:": "URL заметок к выпуску:", "Release notes:": "Список изменений:", "Reload": "Перезагрузить", - "Reload log": "Перезагрузить журнал", "Removal failed": "Удаление не удалось", "Removal succeeded": "Удаление прошло успешно", - "Remove from list": "Удалить из списка", "Remove permanent data": "Удалить постоянные данные", - "Remove selection from bundle": "Удалить выбранное из набора", "Remove successful installs/uninstalls/updates from the installation list": "Убирать успешные установки/удаления/обновления из списка установок", - "Removing source {source}": "Удаление источника {source}", - "Removing source {source} from {manager}": "Удаление источника {source} из {manager}", - "Repair UniGetUI": "Восстановить UniGetUI", - "Repair WinGet": "Восстановить WinGet", - "Report an issue or submit a feature request": "Сообщить о проблеме или отправить запрос на функцию", "Repository": "Репозиторий", - "Reset": "Сбросить", "Reset Scoop's global app cache": "Сброс кэша Scoop в системе", - "Reset UniGetUI": "Сброс UniGetUI", - "Reset WinGet": "Сброс WinGet", "Reset Winget sources (might help if no packages are listed)": "Сбросить источники Winget (может помочь, если в списке нет пакетов)", - "Reset WingetUI": "Сброс настроек WingetUI", "Reset WingetUI and its preferences": "Сбросить WingetUI и его настройки", "Reset WingetUI icon and screenshot cache": "Сбросить значок WingetUI и кэш скриншотов", - "Reset list": "Сбросить список", "Resetting Winget sources - WingetUI": "Сброс источников Winget - WingetUI", - "Restart": "Рестарт", - "Restart UniGetUI": "Перезапустить UniGetUI", - "Restart WingetUI": "Перезапустить WingetUI", - "Restart WingetUI to fully apply changes": "Перезапустить WingetUI для применения всех настроек", - "Restart later": "Перезагрузить позже", "Restart now": "Перезагрузить сейчас", - "Restart required": "Требуется перезагрузка", - "Restart your PC to finish installation": "Перезагрузите компьютер, чтобы завершить установку", - "Restart your computer to finish the installation": "Перезагрузите компьютер для завершения установки", - "Restore a backup from the cloud": "Восстановить резервную копию из облака", - "Restrictions on package managers": "Ограничения менеджеров пакетов", - "Restrictions on package operations": "Ограничения операций с пакетами", - "Restrictions when importing package bundles": "Ограничения импорта бандлов пакетов", - "Retry": "Повторить", - "Retry as administrator": "Перезапустить с правами администратора", - "Retry failed operations": "Перезапустить неудачные операции", - "Retry interactively": "Перезапустить в интерактивном режиме", - "Retry skipping integrity checks": "Повторить пропуск проверки целостности", - "Retrying, please wait...": "Повторная попытка, пожалуйста, подождите...", - "Return to top": "Вернуться наверх", - "Run": "Выполнить", - "Run as admin": "Запуск от имени администратора", - "Run cleanup and clear cache": "Выполнить очистку и очистить кэш", - "Run last": "Запустить последним", - "Run next": "Запустить следующим", - "Run now": "Запустить сейчас", + "Restart your PC to finish installation": "Перезагрузите компьютер, чтобы завершить установку", + "Restart your computer to finish the installation": "Перезагрузите компьютер для завершения установки", + "Retry failed operations": "Перезапустить неудачные операции", + "Retrying, please wait...": "Повторная попытка, пожалуйста, подождите...", + "Return to top": "Вернуться наверх", "Running the installer...": "Запуск установщика...", "Running the uninstaller...": "Запуск деинсталлятора...", "Running the updater...": "Запуск установщика обновления...", - "Save": "Сохранить", "Save File": "Сохранить файл", - "Save and close": "Сохранить и закрыть", - "Save as": "Сохранить как", "Save bundle as": "Сохранить набор как", "Save now": "Сохранить сейчас", - "Saving packages, please wait...": "Сохранение пакетов, пожалуйста, подождите...", - "Scoop Installer - WingetUI": "Установщик Scoop - WingetUI", - "Scoop Uninstaller - WingetUI": "Деинсталлятор Scoop - WingetUI", - "Scoop package": "Пакет Scoop", "Search": "Поиск", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Ищите программное обеспечение для ПК, предупреждайте меня, когда доступны обновления, и не делайте глупостей. Я не хочу, чтобы WingetUI был слишком сложным, я лишь хочу простой магазин программного обеспечения.", - "Search for packages": "Поиск пакетов", - "Search for packages to start": "Начните поиск пакетов", - "Search mode": "Режим поиска", "Search on available updates": "Поиск доступных обновлений", "Search on your software": "Поиск в ваших программах", "Searching for installed packages...": "Поиск установленных пакетов...", "Searching for packages...": "Поиск пакетов...", "Searching for updates...": "Поиск обновлений...", - "Select": "Выбрать", "Select \"{item}\" to add your custom bucket": "Выберите \"{item}\" чтобы добавить пользовательский бакет", "Select a folder": "Выберите папку", - "Select all": "Выбрать все", "Select all packages": "Выбрать все пакеты", - "Select backup": "Выбрать резервную копию", "Select only if you know what you are doing.": "Выбирайте с умом.", "Select package file": "Выбрать файл пакета", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Выберите резервную копию для открытия. Позже вы сможете ознакомиться с пакетами для установки.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Укажите исполняемый файл. В данном списке перечислены исполняемые файлы найденные UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Выберите процессы для закрытия перед установкой, обновлением или удалением пакета.", - "Select the source you want to add:": "Выберите источник, который вы хотите добавить:", - "Select upgradable packages by default": "Выбирать пакеты с возможностью обновления по умолчанию", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Выберите, какие менеджеры пакетов использовать ({0}), настройте способ установки пакетов, настройте управление правами администратора и т.д.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Отправлено рукопожатие. Ожидание ответа слушающего процесса... ({0}%)", - "Set a custom backup file name": "Задать собственное имя файла резервной копии", "Set custom backup file name": "Задать собственное имя файла резервной копии", - "Settings": "Настройки", - "Share": "Поделиться", "Share WingetUI": "Поделиться WingetUI", - "Share anonymous usage data": "Отправлять анонимные пользовательские данные", - "Share this package": "Поделиться пакетом", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Если вы измените настройки безопасности, необходимо будет открыть бандл снова, чтобы изменения вступили в силу.", "Show UniGetUI on the system tray": "Показывать UniGetUI в системном трее", - "Show UniGetUI's version and build number on the titlebar.": "Показать версию UniGetUI на панели заголовка", - "Show WingetUI": "Показать WingetUI", "Show a notification when an installation fails": "Показывать уведомление при сбое установки", "Show a notification when an installation finishes successfully": "Показать уведомление об успешном завершении установки", - "Show a notification when an operation fails": "Показывать уведомление в случае ошибки операции", - "Show a notification when an operation finishes successfully": "Показывать уведомление, когда операция завершена успешно", - "Show a notification when there are available updates": "Показывать уведомление, когда есть доступные обновления", - "Show a silent notification when an operation is running": "Показывать беззвучное уведомление, когда операция запущена", "Show details": "Показать детали", - "Show in explorer": "Показать в Проводнике", "Show info about the package on the Updates tab": "Показать информацию о пакете на вкладке «Обновления»", "Show missing translation strings": "Показать отсутствующие строки перевода", - "Show notifications on different events": "Показывать уведомления о различных событиях", "Show package details": "Показать информацию о пакете", - "Show package icons on package lists": "Показывать иконки в списке пакетов", - "Show similar packages": "Показать похожие пакеты", "Show the live output": "Показать вывод консоли", - "Size": "Размер", "Skip": "Пропустить", - "Skip hash check": "Пропустить проверку хэша", - "Skip hash checks": "Пропустить проверки хэша", - "Skip integrity checks": "Пропуск проверок целостности", - "Skip minor updates for this package": "Пропускать минорные обновления данного пакета", "Skip the hash check when installing the selected packages": "Пропустить проверку хэша при установке выбранных пакетов", "Skip the hash check when updating the selected packages": "Пропустить проверку хэша при обновлении выбранных пакетов", - "Skip this version": "Пропустить версию", - "Software Updates": "Обновления программ", - "Something went wrong": "Что-то пошло не так", - "Something went wrong while launching the updater.": "Что-то пошло не так при запуске программы обновления.", - "Source": "Источник", - "Source URL:": "URL-адрес источника:", - "Source added successfully": "Источник добавлен успешно", "Source addition failed": "Не удалось добавить источник", - "Source name:": "Название источника:", "Source removal failed": "Не удалось удалить источник", - "Source removed successfully": "Источник удален успешно", "Source:": "Источник:", - "Sources": "Источники", "Start": "Начать", "Starting daemons...": "Запуск демонов...", - "Starting operation...": "Запуск операции...", "Startup options": "Параметры запуска", "Status": "Статус", "Stuck here? Skip initialization": "Застряли? Пропустить инициализацию", - "Success!": "Успешно!", "Suport the developer": "Поддержать разработчика", "Support me": "Поддержи меня", "Support the developer": "Поддержите разработчика", "Systems are now ready to go!": "Теперь системы готовы к работе!", - "Telemetry": "Телеметрия", - "Text": "Текст", "Text file": "Текстовый файл", - "Thank you ❤": "Спасибо ❤", - "Thank you \uD83D\uDE09": "Спасибо \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Пакетный менеджер Rust.
Содержит: Библиотеки и программы, написанные на Rust ", - "The backup will NOT include any binary file nor any program's saved data.": "Резервная копия НЕ будет включать в себя ни двоичные файлы, ни сохраненные данные какой-либо программы.", - "The backup will be performed after login.": "Резервное копирование будет выполнено после входа в систему.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервная копия будет включать полный список установленных пакетов и вариантов их установки. Проигнорированные обновления и пропущенные версии также будут сохранены.", - "The bundle was created successfully on {0}": "Набор был успешно создан в {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Набор, который вы пытаетесь загрузить, кажется недействительным. Пожалуйста, проверьте файл и попробуйте снова.", + "Thank you 😉": "Спасибо 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Контрольная сумма установщика не совпадает с ожидаемым значением, а подлинность установщика проверить невозможно. Если вы доверяете издателю, {0} пакет снова, пропустив проверку хэша.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Классический пакетный менеджер для Windows. Там ты найдешь все.
Содержит: General Software", - "The cloud backup completed successfully.": "Облачное резервное копирование завершено успешно.", - "The cloud backup has been loaded successfully.": "Облачная резервная копия была загружена успешно.", - "The current bundle has no packages. Add some packages to get started": "В текущем наборе нет пакетов. Добавьте пакеты, чтобы начать", - "The executable file for {0} was not found": "Исполняемый файл для {0} не найден", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следующие настройки будут применяться по умолчанию каждый раз после установки, обновления или удаления {0} пакетов.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Следующие пакеты будут экспортированы в файл JSON. Никакие пользовательские данные или двоичные файлы не будут сохранены.", "The following packages are going to be installed on your system.": "Следующие пакеты будут установлены в вашей системе.", - "The following settings may pose a security risk, hence they are disabled by default.": "Следующие настройки могут привести к риску, поэтому они отключены по умолчанию.", - "The following settings will be applied each time this package is installed, updated or removed.": "Следующие настройки будут применяться каждый раз при установке, обновлении или удалении этого пакета.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Следующие настройки будут применяться каждый раз при установке, обновлении или удалении этого пакета. Они будут сохраняться автоматически.", "The icons and screenshots are maintained by users like you!": "Иконки и скриншоты создаются такими же пользователями, как вы!", - "The installation script saved to {0}": "Скрипт установки сохранен в {0}", - "The installer authenticity could not be verified.": "Подлинность установщика не удалось проверить.", "The installer has an invalid checksum": "Неверная контрольная сумма установщика", "The installer hash does not match the expected value.": "Хэш установщика не соответствует ожидаемому значению.", - "The local icon cache currently takes {0} MB": "Локальный кэш иконок занимает {0} Мб", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Основная цель этого проекта — создать интуитивно понятный пользовательский интерфейс для управления наиболее распространенными менеджерами пакетов CLI для Windows, такими как Winget и Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" не найден в пакетном менеджере \"{1}\"", - "The package bundle could not be created due to an error.": "В связи с ошибкой набор пакетов не может быть создан", - "The package bundle is not valid": "Набор пакетов недействителен", - "The package manager \"{0}\" is disabled": "Пакетный менеджер \"{0}\" отключен", - "The package manager \"{0}\" was not found": "Пакетный менеджер \"{0}\" не найден", "The package {0} from {1} was not found.": "Пакет {0} из {1} не найден.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Перечисленные здесь пакеты не будут учитываться при проверке обновлений. Дважды щелкните по ним или нажмите кнопку справа, чтобы перестать игнорировать их обновления.", "The selected packages have been blacklisted": "Выбранные пакеты были занесены в черный список", - "The settings will list, in their descriptions, the potential security issues they may have.": "В примечаниях к настройкам будут перечислены возможные нарушения безопасности, к которым может привести их изменение.", - "The size of the backup is estimated to be less than 1MB.": "Предполагаемый размер резервной копии составляет менее 1 МБ.", - "The source {source} was added to {manager} successfully": "Источник {source} был успешно добавлен в {manager}", - "The source {source} was removed from {manager} successfully": "Источник {source} был успешно удален из {manager}", - "The system tray icon must be enabled in order for notifications to work": "Иконка в системном трее должна быть включена, чтобы уведомления работали", - "The update process has been aborted.": "Процесс обновления был прерван.", - "The update process will start after closing UniGetUI": "Процесс обновления начнется после закрытия UniGetUI", "The update will be installed upon closing WingetUI": "Обновление будет установлено после закрытия WingetUI", "The update will not continue.": "Обновление не будет продолжено.", "The user has canceled {0}, that was a requirement for {1} to be run": "Пользователь отменил {0}, при этом было требование запуска {1}", - "There are no new UniGetUI versions to be installed": "Новых версий UniGetUI для установки нет", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Операции продолжаются. Выход из UniGetUI может привести к их сбою. Вы хотите продолжить?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "На YouTube есть несколько отличных видеороликов, демонстрирующих WingetUI и его возможности. Вы можете узнать полезные трюки и советы!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Есть две основные причины не запускать WingetUI от имени администратора: Первая заключается в том, что менеджер пакетов Scoop может вызывать проблемы с некоторыми командами при запуске с правами администратора. Вторая причина заключается в том, что запуск WingetUI от имени администратора означает, что любой пакет который вы загружаете, будет запускаться от имени администратора (и это небезопасно). Помните, что если вам нужно установить конкретный пакет от имени администратора, вы всегда можете щелкнуть правой кнопкой мыши элемент -> Установить/Обновить/Удалить от имени администратора.", - "There is an error with the configuration of the package manager \"{0}\"": "Произошла ошибка с конфигурацией менеджера пакетов \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Идет процесс установки. Если вы закроете WingetUI сейчас, установка может прерваться с неожиданным результатом. Вы уверены, что хотите закрыть WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "Это программы, отвечающие за установку, обновление и удаление пакетов.", - "Third-party licenses": "Сторонние лицензии", "This could represent a security risk.": "Это может представлять угрозу безопасности.", - "This is not recommended.": "Это не рекомендуется", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Возможно, это случилось по причине удаления пакета, который вы отправили, либо он был опубликован в менеджере пакетов, который вы не включили. Полученный ID - {0}", "This is the default choice.": "Это выбор по умолчанию.", - "This may help if WinGet packages are not shown": "Это может помочь в случае, если пакеты WinGet не отображаются", - "This may help if no packages are listed": "Это может помочь, если в списке нет пакетов", - "This may take a minute or two": "Это может занять минуту или две", - "This operation is running interactively.": "Данная операция запущена интерактивно", - "This operation is running with administrator privileges.": "Данная операция запущена с правами администратора", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Настройка БУДЕТ приводить к неполадкам. Любая операция, неспособная элевации, БУДЕТ ЗАВЕРШЕНА. Установка, обновление или удаление с правами администратора НЕ БУДЕТ работать.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Этот бандл пакетов имеет потенциально опасные настройки и может быть проигнорирован по умолчанию.", "This package can be updated": "Этот пакет может быть обновлен", "This package can be updated to version {0}": "Этот пакет может быть обновлен до версии {0}", - "This package can be upgraded to version {0}": "Пакет может быть обновлен до версии {0}", - "This package cannot be installed from an elevated context.": "Этот пакет не может быть установлен из контекста с повышенными правами.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "У этого пакета нет скриншотов или отсутствует иконка? Внесите свой вклад в WingetUI, добавив недостающие иконки и скриншоты в нашу открытую, общедоступную базу данных.", - "This package is already installed": "Этот пакет уже установлен", - "This package is being processed": "Этот пакет находится в стадии обработки", - "This package is not available": "Пакет недоступен", - "This package is on the queue": "Этот пакет находится в очереди", "This process is running with administrator privileges": "Процесс запущен с правами администратора", - "This project has no connection with the official {0} project — it's completely unofficial.": "Этот проект никак не связан с официальным проектом {0} - он полностью неофициальный.", "This setting is disabled": "Эта настройка отключена", "This wizard will help you configure and customize WingetUI!": "Этот мастер поможет вам настроить WingetUI!", "Toggle search filters pane": "Переключить панель фильтров поиска", - "Translators": "Переводчики", - "Try to kill the processes that refuse to close when requested to": "Пробовать останавливать процессы, препятствующие закрытию во время запроса.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Включение данной настройки изменит исполняемый файл, использовавшийся для взаимодействия с менеджером пакетов. В то время как данная настройка позволяет более тонко настраивать процесс установки, она также может представлять опасность.", "Type here the name and the URL of the source you want to add, separed by a space.": "Введите здесь название и URL-адрес источника, который вы хотите добавить, разделив их пробелом.", "Unable to find package": "Не удается найти пакет", "Unable to load informarion": "Не удалось загрузить информацию", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI собирает анонимную статистику использования в целях улучшения опыта использования", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI собирает анонимную статистику использования с единственной целью изучения и улучшения опыта использования", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI обнаружил новый ярлык на рабочем столе, который может быть удален автоматически.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI обнаружил следующие ярлыки на рабочем столе, которые могут быть автоматически удалены при будущих обновлениях", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI обнаружил {0} новые ярлыки на рабочем столе, которые могут быть удалены автоматически.", - "UniGetUI is being updated...": "UniGetUI обновляется...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не связан ни с одним из совместимых менеджеров пакетов. UniGetUI - это независимый проект.", - "UniGetUI on the background and system tray": "UniGetUI в фоновом режиме и системном трее", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или некоторые ее компоненты утеряны или повреждены.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI требуется {0} для работы, но он не найден в системе", - "UniGetUI startup page:": "Начальная страница UniGetUI:", - "UniGetUI updater": "Обновления UniGetUI", - "UniGetUI version {0} is being downloaded.": "Идет загрузка UniGetUI версии {0}.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} готов к установке.", - "Uninstall": "Удалить", - "Uninstall Scoop (and its packages)": "Удалить Scoop (и его пакеты)", "Uninstall and more": "Удалить", - "Uninstall and remove data": "Деинсталляция и удаление данных", - "Uninstall as administrator": "Удалить от имени администратора", "Uninstall canceled by the user!": "Удаление отменено пользователем!", - "Uninstall failed": "Ошибка удаления", - "Uninstall options": "Настройки удаления", - "Uninstall package": "Удалить пакет", - "Uninstall package, then reinstall it": "Удалить пакет, затем установить его заново", - "Uninstall package, then update it": "Удалить пакет, затем обновить его", - "Uninstall previous versions when updated": "Удалять предыдущие версии после обновления", - "Uninstall selected packages": "Удалить выбранные пакеты", - "Uninstall selection": "Удалить выбранные", - "Uninstall succeeded": "Удаление прошло успешно", "Uninstall the selected packages with administrator privileges": "Удалить выбранные пакеты с правами администратора", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Пакеты с возможностью удаления от источника \"{0}\" не были опубликованы ни в одном из доступных менеджеров пакетов, поэтому информация о них отсутствует.", - "Unknown": "Неизвестно", - "Unknown size": "Неизвестный размер", - "Unset or unknown": "Отключено или неизвестно", - "Up to date": "Актуально", - "Update": "Обновить", - "Update WingetUI automatically": "Обновлять WingetUI автоматически", - "Update all": "Обновить все", "Update and more": "Обновить", - "Update as administrator": "Обновить от имени администратора", - "Update check frequency, automatically install updates, etc.": "Частота проверки, автоматическая установка обновлений и т.д.", - "Update checking": "Проверка обновлений", "Update date": "Дата обновления", - "Update failed": "Ошибка обновления", "Update found!": "Найдено обновление!", - "Update now": "Обновить сейчас", - "Update options": "Настройки обновления", "Update package indexes on launch": "Обновлять индексы пакетов при запуске", "Update packages automatically": "Обновлять пакеты автоматически", "Update selected packages": "Обновить выбранные пакеты", "Update selected packages with administrator privileges": "Обновить выбранные пакеты с правами администратора", - "Update selection": "Обновить выбранные", - "Update succeeded": "Обновление прошло успешно", - "Update to version {0}": "Обновление до версии {0}", - "Update to {0} available": "Обновление для {0} найдено", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Обновлять vcpkg's Git-файлы портов автоматически (требуется установленный Git)", "Updates": "Обновления", "Updates available!": "Доступны обновления!", - "Updates for this package are ignored": "Обновления этих пакетов игнорируются", - "Updates found!": "Найдены обновления!", "Updates preferences": "Настройки обновлений", "Updating WingetUI": "WingetUI обновляется", "Url": "Ссылка", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Использовать встроенный WinGet вместо CMDLets из PowerShell", - "Use a custom icon and screenshot database URL": "Использовать пользовательский значок и URL-адрес базы данных снимков экрана", "Use bundled WinGet instead of PowerShell CMDlets": "Использовать встроенный WinGet вместо CMDLets из PowerShell", - "Use bundled WinGet instead of system WinGet": "Использовать встроенный WinGet вместо системного", - "Use installed GSudo instead of UniGetUI Elevator": "Использовать установленный GSudo вместо UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Использовать установленный GSudo вместо встроенного (требуется перезапуск приложения)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Использовать устаревший UniGetUI Elevator (может быть полезен если есть проблемы с UniGetUI Elevator)", - "Use system Chocolatey": "Использовать системный Chocolatey", "Use system Chocolatey (Needs a restart)": "Использовать системный Chocolatey (требуется перезапуск)", "Use system Winget (Needs a restart)": "Использовать системный Winget (требуется перезапуск)", "Use system Winget (System language must be set to english)": "Использовать системный Winget (язык системы должен быть установлен на английский)", "Use the WinGet COM API to fetch packages": "Использовать WinGet COM API для получения пакетов", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Использовать модуль WinGet в PowerShell вместо WinGet COM API", - "Useful links": "Полезные ссылки", "User": "Пользователь", - "User interface preferences": "Настройки пользовательского интерфейса", "User | Local": "Пользователь | Локально", - "Username": "Имя пользователя", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Использование WingetUI подразумевает принятие лицензии GNU Lesser General Public License версии 2.1", - "Using WingetUI implies the acceptation of the MIT License": "Использование WingetUI подразумевает согласие с лицензией MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root не найден. Пожалуйста, задайте переменную окружения %VCPKG_ROOT% или укажите ее в настройках UniGetUI", "Vcpkg was not found on your system.": "Vcpkg не был найден в вашей системе.", - "Verbose": "Подробно", - "Version": "Версия", - "Version to install:": "Версия для установки:", - "Version:": "Версия:", - "View GitHub Profile": "Посмотреть профиль GitHub", "View WingetUI on GitHub": "Открыть WingetUI на GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Просмотрите исходный код WingetUI. Оттуда вы можете сообщать об ошибках, предлагать функции или даже напрямую внести свой вклад в проект WingetUI.", - "View mode:": "Представление:", - "View on UniGetUI": "Смотреть на сайте UniGetUI", - "View page on browser": "Просмотреть страницу в браузере", - "View {0} logs": "Посмотреть журналы {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Ожидать подключения устройства к сети перед запуском операций, требующих подключения к сети", "Waiting for other installations to finish...": "Ожидание завершения других установок...", "Waiting for {0} to complete...": "Ожидание завершения {0}", - "Warning": "Внимание", - "Warning!": "Внимание!", - "We are checking for updates.": "Мы проверяем наличие обновлений.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Не удалось загрузить подробную информацию об этом пакете, так как он не был найден ни в одном из ваших источников пакетов.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Не удалось загрузить подробную информацию об этом пакете, так как он не был установлен из доступного менеджера пакетов.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Мы не смогли {action} {package}. Пожалуйста, повторите попытку позже. Нажмите \"{showDetails}\", чтобы получить журналы установщика.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Мы не смогли {action} {package}. Пожалуйста, повторите попытку позже. Нажмите \"{showDetails}\", чтобы получить журналы установщика.", "We couldn't find any package": "Мы не смогли найти ни одного пакета.", "Welcome to WingetUI": "Добро пожаловать в WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "При групповой установке пакетов из бандла также установить пакеты, которые уже установлены", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Когда обнаружены новые ярлыки, удалять их автоматически вместо отображения этого диалога.", - "Which backup do you want to open?": "Какую резервную копию вы хотите открыть?", "Which package managers do you want to use?": "Какие менеджеры пакетов вы хотите использовать?", "Which source do you want to add?": "Какой источник вы хотите добавить?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "В то время как Winget можно использовать в WingetUI, WingetUI можно использовать с другими пакетными менеджерами, что может привести к путанице. В прошлом WingetUI был разработан для работы только с Winget, но это уже не так, и поэтому WingetUI не отражает того, чем стремится стать этот проект.", - "WinGet could not be repaired": "WinGet не может быть восстановлен", - "WinGet malfunction detected": "Обнаружена неисправность WinGet", - "WinGet was repaired successfully": "WinGet восстановлен успешно", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Все обновлено", "WingetUI - {0} updates are available": "UniGetUI - {0} обновлений доступно", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "Домашняя страница WingetUI", "WingetUI Homepage - Share this link!": "Домашняя страница WingetUI - Поделитесь этой ссылкой!", - "WingetUI License": "Лицензия WingetUI", - "WingetUI Log": "Журнал WingetUI", - "WingetUI Repository": "Репозиторий WingetUI", - "WingetUI Settings": "Настройки WingetUI", "WingetUI Settings File": "Файл настроек WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "В WingetUI используются следующие библиотеки. Без них WingetUI был бы невозможен.", - "WingetUI Version {0}": "WingetUI Версия {0}", "WingetUI autostart behaviour, application launch settings": "Поведение автозапуска WingetUI, настройки запуска приложения", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI может проверить, есть ли для вашего программного обеспечения доступные обновления, и установить их автоматически, если вы захотите", - "WingetUI display language:": "Язык интерфейса WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI был запущен от имени администратора, что не рекомендуется. При запуске WingetUI от имени администратора КАЖДАЯ операция, запущенная из WingetUI, будет иметь привилегии администратора. Вы можете продолжать пользоваться программой, но мы настоятельно рекомендуем не запускать WingetUI с правами администратора.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI был переведен более чем на 40 языков благодаря переводчикам-добровольцам. Спасибо \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI переведен не машинным способом. Эти люди участвовали в переводе:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI - это приложение, которое упрощает управление вашим программным обеспечением, предоставляя универсальный графический интерфейс для ваших менеджеров пакетов командной строки.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI переименовывается, чтобы подчеркнуть разницу между WingetUI (интерфейсом, который вы используете прямо сейчас) и Winget (менеджером пакетов, разработанным Microsoft, с которым я не связан).", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI обновляется. После окончания WingetUI перезапустится сам", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI бесплатен, и он будет бесплатным всегда. Никакой рекламы, никаких кредитных карт, никакой премиум-версии. 100% бесплатно, навсегда.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI будет отображать запрос UAC каждый раз, когда для установки пакета требуется повышение прав.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI скоро получит название {newname}. Это не повлечет за собой никаких изменений в приложении. Я (разработчик) буду продолжать развивать этот проект, как и сейчас, но под другим именем.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI был бы невозможен без помощи наших дорогих участников. Посмотрите их профиль на GitHub, без них WingetUI не существовал бы!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "WingetUI был бы невозможен без помощи участников. Спасибо вам всем \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} готов к установке.", - "Write here the process names here, separated by commas (,)": "Укажите здесь имена процессов, разделяя их запятыми (,)", - "Yes": "Да", - "You are logged in as {0} (@{1})": "Вы вошли как {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Вы можете изменить такое поведение в настройках безопасности UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Вы можете настроить, какие команды будут выполнять до или после установки, обновления или удаления пакета. Они будут запускаться в командной строке, поэтому CMD-скрипты будут работать.", - "You have currently version {0} installed": "На данный момент у вас установлена версия {0}", - "You have installed WingetUI Version {0}": "Вы установили WingetUI версию {0}", - "You may lose unsaved data": "Вы можете потерять несохраненные данные", - "You may need to install {pm} in order to use it with WingetUI.": "Вам может потребоваться установить {pm}, чтобы использовать его с WingetUI.", "You may restart your computer later if you wish": "Вы можете перезагрузить компьютер позже, если хотите", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Права администратора будут запрошены только один раз, затем они будут предоставлены пакетам, которые их запрашивают.", "You will be prompted only once, and every future installation will be elevated automatically.": "Права администратора будут запрошены единожды и для каждой будущей установки будут повышены автоматически.", - "You will likely need to interact with the installer.": "Вам скорее всего потребуется взаимодействовать с установщиком", - "[RAN AS ADMINISTRATOR]": "ЗАПУЩЕН ОТ ИМЕНИ АДМИНИСТРАТОРА", "buy me a coffee": "купить мне кофе", - "extracted": "извлечено", - "feature": "функция", "formerly WingetUI": "ранее WingetUI", "homepage": "сайт", "install": "установить", "installation": "установка", - "installed": "установлен", - "installing": "установка", - "library": "библиотека", - "mandatory": "обязательно", - "option": "опция", - "optional": "необязательно", "uninstall": "удалить", "uninstallation": "удаление", "uninstalled": "удалён", - "uninstalling": "удаление", "update(noun)": "обновление", "update(verb)": "обновить", "updated": "обновлён", - "updating": "обновление", - "version {0}": "версия {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} Настройки установки в настоящее время заблокированы, т.к. {0} следуют настройкам установки по умолчанию.", "{0} Uninstallation": "Удаление {0}", "{0} aborted": "{0} без успеха", "{0} can be updated": "Можно обновить {0}", - "{0} can be updated to version {1}": "{0} может быть обновлен до версии {1}", - "{0} days": "{0} дни", - "{0} desktop shortcuts created": "Создано {0} ярлыков на рабочем столе", "{0} failed": "{0} не удалось", - "{0} has been installed successfully.": "{0} был успешно установлен", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} был успешно установлен. Рекомендуется перезапустить UniGetUI для завершения установки", "{0} has failed, that was a requirement for {1} to be run": "{0} неудачных, при этом было требование запуска {1}", - "{0} homepage": "{0} домашняя страница", - "{0} hours": "{0} часы", "{0} installation": "Установка {0}", - "{0} installation options": "Параметры установки {0}", - "{0} installer is being downloaded": "{0} установщиков было загружено", - "{0} is being installed": "{0} был установлен", - "{0} is being uninstalled": "{0} был удален", "{0} is being updated": "{0} обновляется", - "{0} is being updated to version {1}": "{0} обновляется до версии {1}", - "{0} is disabled": "{0} отключён", - "{0} minutes": "{0} минут", "{0} months": "{0} месяцев", - "{0} packages are being updated": "{0} пакетов обновляется", - "{0} packages can be updated": "{0} пакетов можно обновить", "{0} packages found": "{0} найдено пакетов", "{0} packages were found": "{0} были найдены пакеты", - "{0} packages were found, {1} of which match the specified filters.": "{0, plural, one {Найден {0} пакет} few {Найдено {0} пакета} other {Найдено {0} пакетов}}, {1} из которых {1, plural, one {соответствует} other {соответствуют}} указанным фильтрам.", - "{0} selected": "{0} выбрано", - "{0} settings": "Настройки {0}", - "{0} status": "{0} статус", "{0} succeeded": "{0} выполнено успешно", "{0} update": "Обновление {0}", - "{0} updates are available": "{0} доступны обновления", "{0} was {1} successfully!": "{0} было {1} успешно!", "{0} weeks": "{0} недель", "{0} years": "{0} лет", "{0} {1} failed": "{0} {1} не удалось", - "{package} Installation": "Установка {package}", - "{package} Uninstall": "Удаление {package}", - "{package} Update": "Обновление {package}", - "{package} could not be installed": "Не удалось установить {package}", - "{package} could not be uninstalled": "Не удалось удалить {package}", - "{package} could not be updated": "Не удалось обновить {package}", "{package} installation failed": "Установка {package} не удалась", - "{package} installer could not be downloaded": "{package} установщик не может быть загружен", - "{package} installer download": "{package} установщик загружается", - "{package} installer was downloaded successfully": "{package} установщик был успешно загружен", "{package} uninstall failed": "Удаление {package} не удалось", "{package} update failed": "Обновление {package} не удалось", "{package} update failed. Click here for more details.": "Обновление {package} не удалось. Нажмите здесь для получения более подробной информации.", - "{package} was installed successfully": "{package} был успешно установлен", - "{package} was uninstalled successfully": "{package} был успешно удален", - "{package} was updated successfully": "{package} был успешно обновлен", - "{pcName} installed packages": "Установленные пакеты {pcName}", "{pm} could not be found": "{pm} не удалось найти", "{pm} found: {state}": "{pm} найдено: {state}", - "{pm} is disabled": "{pm} отключен", - "{pm} is enabled and ready to go": "{pm} включен и готов к работе", "{pm} package manager specific preferences": "Специфичные настройки менеджера пакетов {pm}", "{pm} preferences": "Настройки {pm}", - "{pm} version:": "{pm} версия:", - "{pm} was not found!": "{pm} не найден!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Привет, меня зовут Марти́, и я разработчик WingetUI. WingetUI был полностью сделан мной в свободное время!", + "Thank you ❤": "Спасибо ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Этот проект никак не связан с официальным проектом {0} - он полностью неофициальный." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sa.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sa.json index a18a46b1aa..d9a857255a 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sa.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sa.json @@ -1,155 +1,737 @@ { + "Operation in progress": "operation प्रचलति", + "Please wait...": "कृपया प्रतीक्षस्व...", + "Success!": "सफलम्!", + "Failed": "विफलम्", + "An error occurred while processing this package": "एतस्य पुटकस्य प्रक्रियायां दोषः अभवत्", + "Log in to enable cloud backup": "cloud backup सक्रियीकरणाय प्रविशतु", + "Backup Failed": "backup विफलम्", + "Downloading backup...": "backup download क्रियते...", + "An update was found!": "अद्यतनं लब्धम्!", + "{0} can be updated to version {1}": "{0} संस्करणं {1} पर्यन्तम् अद्यतनीयम् अस्ति", + "Updates found!": "अद्यतनानि लब्धानि!", + "{0} packages can be updated": "{0} packages अद्यतनीयानि सन्ति", + "You have currently version {0} installed": "अधुना संस्करणं {0} स्थापितम् अस्ति", + "Desktop shortcut created": "Desktop shortcut निर्मितम्", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI इत्यनेन नूतनः desktop shortcut ज्ञातः यः स्वयमेव अपाकर्तुं शक्यते।", + "{0} desktop shortcuts created": "{0} desktop shortcuts निर्मिताः", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI इत्यनेन {0} नूतनाः desktop shortcuts ज्ञाताः ये स्वयमेव अपाकर्तुं शक्यन्ते।", + "Are you sure?": "किम् त्वं निश्चितः?", + "Do you really want to uninstall {0}?": "{0} uninstall कर्तुम् एव इच्छसि किम्?", + "Do you really want to uninstall the following {0} packages?": "निम्नलिखित {0} packages uninstall कर्तुम् एव इच्छसि किम्?", + "No": "न", + "Yes": "आम्", + "View on UniGetUI": "UniGetUI मध्ये पश्य", + "Update": "अद्यतय", + "Open UniGetUI": "UniGetUI उद्घाटय", + "Update all": "सर्वम् अद्यतय", + "Update now": "अधुना अद्यतय", + "This package is on the queue": "अयं package queue मध्ये अस्ति", + "installing": "स्थाप्यते", + "updating": "अद्यतन्यते", + "uninstalling": "अनस्थाप्यते", + "installed": "स्थापितम्", + "Retry": "पुनः प्रयतस्व", + "Install": "स्थापयतु", + "Uninstall": "अनस्थापयतु", + "Open": "उद्घाटय", + "Operation profile:": "operation-profile:", + "Follow the default options when installing, upgrading or uninstalling this package": "अस्य package इत्यस्य install, upgrade, अथवा uninstall काले default options अनुसरतु", + "The following settings will be applied each time this package is installed, updated or removed.": "अयं package यदा स्थाप्यते, अद्यतन्यते, अथवा अपाक्रियते तदा तदा निम्नलिखिताः settings प्रयुज्यन्ते।", + "Version to install:": "स्थापनार्थं संस्करणम्:", + "Architecture to install:": "स्थापनीयम् architecture:", + "Installation scope:": "स्थापन-परिधिः:", + "Install location:": "स्थापन-स्थानम्:", + "Select": "चयनय", + "Reset": "पुनर्स्थापय", + "Custom install arguments:": "custom install arguments:", + "Custom update arguments:": "custom update arguments:", + "Custom uninstall arguments:": "custom uninstall arguments:", + "Pre-install command:": "स्थापनपूर्व-command:", + "Post-install command:": "स्थापनोत्तर-command:", + "Abort install if pre-install command fails": "pre-install आदेशः विफलः चेत् स्थापनं निरस्यतु", + "Pre-update command:": "अद्यतनपूर्व-command:", + "Post-update command:": "अद्यतनोत्तर-command:", + "Abort update if pre-update command fails": "pre-update आदेशः विफलः चेत् अद्यतनं निरस्यतु", + "Pre-uninstall command:": "अनस्थापनपूर्व-command:", + "Post-uninstall command:": "अनस्थापनोत्तर-command:", + "Abort uninstall if pre-uninstall command fails": "pre-uninstall आदेशः विफलः चेत् अनस्थापनं निरस्यतु", + "Command-line to run:": "चालयितव्यं command-line:", + "Save and close": "संगृह्य पिधाय", + "Run as admin": "admin रूपेण चालय", + "Interactive installation": "interactive स्थापना", + "Skip hash check": "hash check त्यज", + "Uninstall previous versions when updated": "अद्यतनकाले पूर्व-संस्करणानि अनस्थापय", + "Skip minor updates for this package": "अस्य package कृते लघ्व-अद्यतनानि त्यज", + "Automatically update this package": "एतत् पुटकं स्वयमेव अद्यतनयतु", + "{0} installation options": "{0} स्थापना-विकल्पाः", + "Latest": "नवीनतमम्", + "PreRelease": "पूर्व-प्रकाशनम्", + "Default": "मूलनिर्धारितम्", + "Manage ignored updates": "उपेक्षित-अद्यतनानि प्रबन्धय", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "अत्र सूचीकृताः packages अद्यतन-परीक्षणकाले गणनायां न गृहीष्यन्ते। तेषां अद्यतनानाम् उपेक्षां निरोद्धुं तेषु double-click कुरु अथवा तेषां दक्षिणभागस्थं button क्लिक् कुरु।", + "Reset list": "सूचीं पुनर्स्थापय", + "Package Name": "पैकेज्-नाम", + "Package ID": "पैकेज् ID", + "Ignored version": "उपेक्षित-संस्करणम्", + "New version": "नूतनं संस्करणम्", + "Source": "स्रोतः", + "All versions": "सर्वाणि संस्करणानि", + "Unknown": "अज्ञातम्", + "Up to date": "अद्यतनम् अस्ति", + "Cancel": "रद्दय", + "Administrator privileges": "प्रशासकाधिकाराः", + "This operation is running with administrator privileges.": "अयं operation administrator privileges सह चलति।", + "Interactive operation": "interactive क्रिया", + "This operation is running interactively.": "अयं operation interactive रूपेण चलति।", + "You will likely need to interact with the installer.": "installer सह परस्परं कार्यं कर्तुं सम्भाव्यं आवश्यकं भविष्यति।", + "Integrity checks skipped": "Integrity checks लङ्घितानि", + "Proceed at your own risk.": "स्वीय-जोखिमेन अग्रे गच्छ।", + "Close": "समापयतु", + "Loading...": "load क्रियते...", + "Installer SHA256": "स्थापक SHA256", + "Homepage": "मुखपृष्ठम्", + "Author": "लेखकः", + "Publisher": "प्रकाशकः", + "License": "अनुज्ञापत्रम्", + "Manifest": "manifest", + "Installer Type": "Installer प्रकारः", + "Size": "आकारः", + "Installer URL": "स्थापक URL", + "Last updated:": "अन्तिमवारम् अद्यतनम्:", + "Release notes URL": "प्रकाशन-टिप्पणी URL", + "Package details": "पैकेज्-विवरणानि", + "Dependencies:": "आश्रिततत्त्वानि:", + "Release notes": "प्रकाशन-टिप्पण्यः", + "Version": "संस्करणम्", + "Install as administrator": "administrator रूपेण स्थापयतु", + "Update to version {0}": "संस्करणं {0} पर्यन्तम् अद्यतय", + "Installed Version": "स्थापित-संस्करणम्", + "Update as administrator": "administrator रूपेण अद्यतय", + "Interactive update": "परस्परक्रियात्मक update", + "Uninstall as administrator": "administrator रूपेण अनस्थापय", + "Interactive uninstall": "परस्परक्रियात्मक uninstall", + "Uninstall and remove data": "अनस्थापय तथा दत्तांशम् अपाकुरु", + "Not available": "उपलब्धं नास्ति", + "Installer SHA512": "स्थापक SHA512", + "Unknown size": "अज्ञात-आकारः", + "No dependencies specified": "निर्भरताः निर्दिष्टाः न सन्ति", + "mandatory": "अनिवार्यम्", + "optional": "वैकल्पिकम्", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} स्थापयितुं सज्जम् अस्ति।", + "The update process will start after closing UniGetUI": "UniGetUI पिधाय अनन्तरं अद्यतन-प्रक्रिया आरभ्यते", + "Share anonymous usage data": "अनामिक-उपयोग-दत्तांशं साम्भाजय", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "उपयोक्तृ-अनुभवं सुधारयितुं UniGetUI अनामिक-उपयोग-दत्तांशं संगृह्णाति।", + "Accept": "स्वीकरोतु", + "You have installed WingetUI Version {0}": "त्वया UniGetUI संस्करणम् {0} स्थापितम्", + "Disclaimer": "अस्वीकरणम्", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI कस्यापि संगत-package manager सह सम्बद्धं नास्ति। UniGetUI स्वतन्त्रः परियोजना अस्ति।", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors सहाय्यं विना UniGetUI सम्भवमेव न स्यात्। सर्वेभ्यः धन्यवादाः 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI निम्नलिखित-libraries उपयोजयति। एताभिः विना UniGetUI सम्भवमेव न स्यात्।", + "{0} homepage": "{0} मुखपृष्ठम्", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "स्वयंसेवक-अनुवादकानां कृते UniGetUI 40 तः अधिकासु भाषासु अनूदितम् अस्ति। धन्यवादः 🤝", + "Verbose": "विस्तृतम्", + "1 - Errors": "1 - दोषाः", + "2 - Warnings": "2 - चेतावन्यः", + "3 - Information (less)": "3 - सूचना (अल्प)", + "4 - Information (more)": "4 - सूचना (अधिक)", + "5 - information (debug)": "5 - सूचना (डिबग)", + "Warning": "चेतावनी", + "The following settings may pose a security risk, hence they are disabled by default.": "निम्नलिखिताः settings सुरक्षा-जोखिमं जनयेयुः, अतः ते पूर्वनिर्धारितरूपेण निष्क्रियाः सन्ति।", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "अधोलिखिताः settings तदा एव सक्रियीकुरुत यदा तासां कार्यं तथा तासां प्रभावाः पूर्णतया बोध्यन्ते।", + "The settings will list, in their descriptions, the potential security issues they may have.": "settings तेषां विवरणेषु तेषां सम्भावित-सुरक्षा-समस्याः सूचयिष्यन्ति।", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup मध्ये स्थापित-पैकेजानां पूर्णा सूची तथा तेषां स्थापना-विकल्पाः भविष्यन्ति। उपेक्षित-अद्यतनानि तथा त्यक्त-संस्करणानि अपि संगृहीष्यन्ते।", + "The backup will NOT include any binary file nor any program's saved data.": "backup मध्ये काचिदपि binary सञ्चिका न भविष्यति, न च कस्यचित् कार्यक्रमस्य संगृहीत-दत्तांशः।", + "The size of the backup is estimated to be less than 1MB.": "backup इत्यस्य परिमाणं 1MB तः न्यूनं भविष्यति इति अनुमान्यते।", + "The backup will be performed after login.": "login अनन्तरं backup क्रियते।", + "{pcName} installed packages": "{pcName} स्थापित-packages", + "Current status: Not logged in": "वर्तमानस्थितिः: logged in नास्ति", + "You are logged in as {0} (@{1})": "त्वं {0} (@{1}) इति नाम्ना logged in असि", + "Nice! Backups will be uploaded to a private gist on your account": "उत्तमम्! backups भवतः account इत्यस्मिन् निजी gist मध्ये अपलोड् भविष्यन्ति", + "Select backup": "backup चयनय", + "WingetUI Settings": "UniGetUI विन्यासाः", + "Allow pre-release versions": "pre-release संस्करणानि अनुमन्यन्ताम्", + "Apply": "प्रयोजयतु", + "Go to UniGetUI security settings": "UniGetUI security settings गच्छतु", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "यदा यदा {0} package स्थाप्यते, उन्नीयते, अथवा अनस्थाप्यते तदा तदा निम्न-विकल्पाः पूर्वनिर्धारितरूपेण प्रयुज्यन्ते।", + "Package's default": "पैकेजस्य पूर्वनिर्धारितम्", + "Install location can't be changed for {0} packages": "{0} packages कृते install location परिवर्तयितुं न शक्यते", + "The local icon cache currently takes {0} MB": "स्थानीयः icon cache अधुना {0} MB गृह्णाति", + "Username": "उपयोक्तृनाम", + "Password": "गुह्यशब्दः", + "Credentials": "credentials", + "Partially": "आंशिकरूपेण", + "Package manager": "पैकेज्-प्रबन्धकः", + "Compatible with proxy": "proxy सह सुसंगतम्", + "Compatible with authentication": "authentication सह सुसंगतम्", + "Proxy compatibility table": "proxy compatibility table", + "{0} settings": "{0} विन्यासाः", + "{0} status": "{0} स्थितिः", + "Default installation options for {0} packages": "{0} packages कृते मूलनिर्धारित-स्थापन-विकल्पाः", + "Expand version": "संस्करणं विस्तरयतु", + "The executable file for {0} was not found": "{0} कृते executable सञ्चिका न लब्धा", + "{pm} is disabled": "{pm} निष्क्रियः अस्ति", + "Enable it to install packages from {pm}.": "{pm} तः packages स्थापयितुं तत् सक्रियीकुरुत।", + "{pm} is enabled and ready to go": "{pm} सक्षमः अस्ति तथा सज्जः अस्ति", + "{pm} version:": "{pm} संस्करणम्:", + "{pm} was not found!": "{pm} न लब्धः!", + "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI सह उपयोक्तुं {pm} स्थापयितुं त्वया आवश्यकं भवेत्।", + "Scoop Installer - WingetUI": "Scoop स्थापक - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop अनस्थापक - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop सञ्चिकायाः निर्मूल्यताम् - WingetUI", + "Restart UniGetUI": "UniGetUI पुनरारभस्व", + "Manage {0} sources": "{0} स्रोतांसि प्रबन्धय", + "Add source": "स्रोतं योजय", + "Add": "योजय", + "Other": "अन्यत्", + "1 day": "1 दिनम्", + "{0} days": "{0} दिवसाः", + "{0} minutes": "{0} निमिषाः", + "1 hour": "1 होरात्रम्", + "{0} hours": "{0} घण्टाः", + "1 week": "1 सप्ताहः", + "WingetUI Version {0}": "UniGetUI संस्करणम् {0}", + "Search for packages": "packages अन्वेषय", + "Local": "स्थानीयम्", + "OK": "अस्तु", + "{0} packages were found, {1} of which match the specified filters.": "{0} packages लब्धानि, तेषु {1} निर्दिष्ट-filters सह संगच्छन्ति।", + "{0} selected": "{0} चयनितम्", + "(Last checked: {0})": "(अन्तिमवारं परीक्षितम्: {0})", + "Enabled": "सक्रियम्", + "Disabled": "निष्क्रियीकृतम्", + "More info": "अधिक-सूचना", + "Log in with GitHub to enable cloud package backup.": "cloud package backup सक्रियीकरणाय GitHub सह प्रविशतु।", + "More details": "अधिक-विवरणानि", + "Log in": "प्रविशतु", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "यदि cloud backup सक्रियीकृतम् अस्ति, तर्हि एतस्मिन् खाते GitHub Gist रूपेण रक्षितं भविष्यति", + "Log out": "निर्गच्छतु", + "About": "सम्बन्धे", + "Third-party licenses": "तृतीय-पक्ष-अनुज्ञापत्राणि", + "Contributors": "योगदातारः", + "Translators": "अनुवादकाः", + "Manage shortcuts": "shortcuts प्रबन्धय", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI इत्यनेन निम्नलिखिताः desktop shortcuts ज्ञाताः ये भविष्यत् upgrades मध्ये स्वयमेव अपाकर्तुं शक्यन्ते", + "Do you really want to reset this list? This action cannot be reverted.": "भवान् अस्याः सूच्याः reset कर्तुम् एव इच्छति किम्? एषा क्रिया प्रत्यावर्तयितुं न शक्यते।", + "Remove from list": "सूच्यातः अपाकुरु", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "नूतनाः shortcuts ज्ञायमाने अस्य dialog दर्शनस्य स्थाने तान् स्वयमेव अपाकुरु।", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "उपयोक्तृ-अनुभवम् अवगन्तुं सुधारयितुं च केवलं UniGetUI अनामिक-उपयोग-दत्तांशं संगृह्णाति।", + "More details about the shared data and how it will be processed": "साम्भाजित-दत्तांशस्य तथा तस्य प्रक्रिया-रीतेः अधिक-विवरणानि", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "उपयोक्तृ-अनुभवं ज्ञातुं सुधरितुं च केवल-उद्देशेन UniGetUI अनाम-usage-statistics संकलयति प्रेषयति च, इति भवान् स्वीकरोति किम्?", + "Decline": "अस्वीकुरुत", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "काचिदपि व्यक्तिगत-सूचना न संगृह्यते न प्रेष्यते च, संगृहीत-दत्तांशश्च अनामिकीकृतः अस्ति, अतः सः पुनः त्वयि अनुसर्तुं न शक्यते।", + "About WingetUI": "WingetUI सम्बन्धे", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI एषा application अस्ति या तव command-line package managers कृते सर्वसमावेशकं graphical interface प्रदाय software-प्रबन्धनं सुकरं करोति।", + "Useful links": "उपयोगिनः links", + "Report an issue or submit a feature request": "समस्यां निवेदय अथवा feature request प्रेषय", + "View GitHub Profile": "GitHub Profile पश्य", + "WingetUI License": "UniGetUI अनुज्ञापत्रम्", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI उपयोक्तुं MIT License इत्यस्य स्वीकृतिः सूच्यते", + "Become a translator": "अनुवादकः भव", + "View page on browser": "browser मध्ये पृष्ठं पश्य", + "Copy to clipboard": "clipboard प्रति प्रतिलिखतु", + "Export to a file": "file इत्यस्मिन् निर्यातयतु", + "Log level:": "log स्तरः:", + "Reload log": "log पुनर्लोडय", + "Text": "पाठः", + "Change how operations request administrator rights": "क्रियाः administrator rights कथं याचन्ते इति परिवर्तयतु", + "Restrictions on package operations": "package operations विषये प्रतिबन्धाः", + "Restrictions on package managers": "package managers विषये प्रतिबन्धाः", + "Restrictions when importing package bundles": "package bundles आयातकाले प्रतिबन्धाः", + "Ask for administrator privileges once for each batch of operations": "प्रत्येकस्य क्रियासमूहस्य कृते प्रशासकाधिकाराः एकवारं पृच्छतु", + "Ask only once for administrator privileges": "administrator privileges एकवारमेव पृच्छतु", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator अथवा GSudo द्वारा कस्यापि Elevation प्रकारस्य निषेधं कुरु", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "अयं विकल्पः नूनं समस्याः जनयिष्यति। यः कश्चन operation स्वयम् elevate कर्तुं न शक्नोति सः नूनं विफलः भविष्यति। administrator रूपेण install/update/uninstall कार्यं न करिष्यति।", + "Allow custom command-line arguments": "custom command-line arguments अनुमन्यन्ताम्", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "custom command-line arguments तादृशेन प्रकारेण कार्यक्रमानां स्थापनं, उन्नयनं, वा uninstall परिवर्तयितुं शक्नुवन्ति यं UniGetUI नियन्त्रयितुं न शक्नोति। custom command-lines उपयुज्य packages नष्टुं शक्नुवन्ति। सावधानतया अग्रे गच्छतु।", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "bundle तः packages आयातकाले custom pre-install तथा post-install commands उपेक्षध्वम्", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "पूर्व-पर-स्थापन commands पैकेजस्य स्थापना, उन्नयन, अनस्थापनयोः पूर्वं पश्चाच्च चलिष्यन्ति। सावधानतया न प्रयुक्ताः चेत् ते वस्तूनि भङ्गयितुं शक्नुवन्ति।", + "Allow changing the paths for package manager executables": "package manager executables इत्येषां path परिवर्तनं अनुमन्यताम्", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "एतत् सक्रियं कृत्वा package managers सह परस्परं कार्यकर्तुं प्रयुज्यमानस्य executable सञ्चिकायाः परिवर्तनं शक्यते। एतेन तव install processes सूक्ष्मतररूपेण अनुकूलयितुं शक्यते, किन्तु एतत् जोखिमपूर्णम् अपि भवेत्।", + "Allow importing custom command-line arguments when importing packages from a bundle": "बण्डलात् पुटकानि आयातयन् custom command-line arguments अपि आयातयितुम् अनुमन्यताम्", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "विकृताः command-line arguments packages भङ्गयितुं शक्नुवन्ति, अथवा दुष्टकर्तारं privileged execution प्राप्तुं अपि अनुमन्येयुः। अतः custom command-line arguments आयातनं पूर्वनिर्धारितरूपेण निष्क्रियं कृतम् अस्ति।", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "बण्डलात् पुटकानि आयातयन् custom pre-install तथा post-install आदेशान् अपि आयातयितुम् अनुमन्यताम्", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "पूर्व-पर-स्थापन commands यदि तथैव निर्मिताः स्युः तर्हि तव उपकरणे अत्यन्तं हानिकराणि कर्माणि कर्तुं शक्नुवन्ति। यदि तस्य package bundle इत्यस्य स्रोतसि विश्वासो नास्ति तर्हि bundle तः commands आयातयितुं महद् जोखिमम्।", + "Administrator rights and other dangerous settings": "प्रशासकीयाधिकाराः तथा अन्यानि जोखिमयुक्तानि settings", + "Package backup": "पैकेज्-backup", + "Cloud package backup": "cloud पुटक backup", + "Local package backup": "स्थानीय package backup", + "Local backup advanced options": "स्थानीय backup उन्नत-विकल्पाः", + "Log in with GitHub": "GitHub सह प्रविशतु", + "Log out from GitHub": "GitHub तः निर्गच्छतु", + "Periodically perform a cloud backup of the installed packages": "स्थापित-पैकेजानां cloud backup आवधिकरूपेण कुरु", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "cloud backup स्थापिता-पुटक-सूचीं संग्रहीतुं private GitHub Gist उपयुङ्क्ते", + "Perform a cloud backup now": "इदानीं cloud backup कुरु", + "Backup": "प्रतिस्थापनम्", + "Restore a backup from the cloud": "cloud तः backup पुनर्स्थापय", + "Begin the process to select a cloud backup and review which packages to restore": "cloud backup चयनस्य तथा पुनर्स्थापनीयपुटकानां समीक्षा-प्रक्रियाम् आरभताम्", + "Periodically perform a local backup of the installed packages": "स्थापित-पैकेजानां local backup आवधिकरूपेण कुरु", + "Perform a local backup now": "इदानीं local backup कुरु", + "Change backup output directory": "प्रतिस्थापनस्य निर्गमपथं परिवर्तय", + "Set a custom backup file name": "custom backup सञ्चिका-नाम निर्धारय", + "Leave empty for default": "मूलनिर्धारणाय रिक्तं त्यजतु", + "Add a timestamp to the backup file names": "प्रतिस्थापनसञ्चिकानामसु कालचिह्नं योजय", + "Backup and Restore": "backup तथा पुनर्स्थापनम्", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background api (WingetUI Widgets and Sharing, port 7058) सक्रियीकुरुत", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet-संयोजनम् अपेक्षन्ते यानि कार्याणि तानि कर्तुं प्रयतमानः सन् उपकरणं प्रथमं internet सह सम्बद्धं भवतु इति प्रतीक्षस्व।", + "Disable the 1-minute timeout for package-related operations": "package-संबद्ध-क्रियाभ्यः 1-minute timeout निष्क्रियं कुरुत", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator इत्यस्य स्थाने स्थापितं GSudo उपयोजय", + "Use a custom icon and screenshot database URL": "custom icon तथा screenshot database URL उपयोजय", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU Usage optimizations सक्रियीकुरुत (Pull Request #3278 पश्यतु)", + "Perform integrity checks at startup": "आरम्भकाले integrity checks कुरु", + "When batch installing packages from a bundle, install also packages that are already installed": "bundle तः batch स्थापना कुर्वन् पूर्वमेव स्थापितान् packages अपि स्थापय", + "Experimental settings and developer options": "प्रायोगिक-settings तथा developer-options", + "Show UniGetUI's version and build number on the titlebar.": "titlebar मध्ये UniGetUI इत्यस्य version तथा build number दर्शय।", + "Language": "भाषा", + "UniGetUI updater": "UniGetUI अद्यतयिता", + "Telemetry": "दूरमिति", + "Manage UniGetUI settings": "UniGetUI settings प्रबन्धय", + "Related settings": "सम्बद्ध settings", + "Update WingetUI automatically": "UniGetUI स्वयमेव अद्यतय", + "Check for updates": "अद्यतनानि परीक्ष्यन्ताम्", + "Install prerelease versions of UniGetUI": "UniGetUI इत्यस्य prerelease versions स्थापयतु", + "Manage telemetry settings": "telemetry settings प्रबन्धय", + "Manage": "प्रबन्धय", + "Import settings from a local file": "स्थानीय-file तः settings आयातयतु", + "Import": "आयातयतु", + "Export settings to a local file": "settings स्थानीय-file इत्यस्मिन् निर्यातयतु", + "Export": "निर्यातयतु", + "Reset WingetUI": "UniGetUI पुनर्स्थापय", + "Reset UniGetUI": "UniGetUI पुनर्स्थापय", + "User interface preferences": "उपयोक्ता-अन्तरफल-अभिरुचयः", + "Application theme, startup page, package icons, clear successful installs automatically": "application theme, startup page, package icons, सफलस्थापनानि स्वयमेव अपसारयतु", + "General preferences": "सामान्य-अभिरुचयः", + "WingetUI display language:": "UniGetUI प्रदर्शन-भाषा:", + "Is your language missing or incomplete?": "भवतः भाषा अनुपस्थितास्ति वा अपूर्णा अस्ति किम्?", + "Appearance": "रूपम्", + "UniGetUI on the background and system tray": "background तथा system tray मध्ये UniGetUI", + "Package lists": "पैकेज्-सूचयः", + "Close UniGetUI to the system tray": "UniGetUI system tray प्रति पिधत्ताम्", + "Show package icons on package lists": "package सूचिषु package icons दर्शय", + "Clear cache": "cache अपसारयतु", + "Select upgradable packages by default": "उन्नेय-packages पूर्वनिर्धारितरूपेण चयनय", + "Light": "प्रकाशः", + "Dark": "कृष्णवर्णीयम्", + "Follow system color scheme": "system color scheme अनुसरतु", + "Application theme:": "अनुप्रयोगस्य theme:", + "Discover Packages": "packages अन्वेषयतु", + "Software Updates": "software अद्यतनानि", + "Installed Packages": "स्थापित-packages", + "Package Bundles": "पैकेज्-बण्डल्स्", + "Settings": "विन्यासाः", + "UniGetUI startup page:": "UniGetUI आरम्भ-पृष्ठम्:", + "Proxy settings": "proxy विन्यासाः", + "Other settings": "अन्ये settings", + "Connect the internet using a custom proxy": "custom proxy उपयुज्य internet संयोजयतु", + "Please note that not all package managers may fully support this feature": "कृपया ज्ञापयामः यत् सर्वे package managers एतत् feature पूर्णतया न समर्थयेयुः।", + "Proxy URL": "proxy URL", + "Enter proxy URL here": "अत्र proxy URL लिखतु", + "Package manager preferences": "पैकेज्-प्रबन्धक-अभिरुचयः", + "Ready": "सज्जम्", + "Not found": "न लब्धम्", + "Notification preferences": "सूचना-अभिरुचयः", + "Notification types": "सूचना-प्रकाराः", + "The system tray icon must be enabled in order for notifications to work": "notifications कार्यकर्तुं system tray icon सक्षमः भवितुम् आवश्यकः।", + "Enable WingetUI notifications": "WingetUI notifications सक्रियीकुरुत", + "Show a notification when there are available updates": "उपलब्ध-अद्यतनानि सन्ति चेत् notification दर्शय", + "Show a silent notification when an operation is running": "operation प्रचलति चेत् निःशब्द notification दर्शय", + "Show a notification when an operation fails": "operation विफलः चेत् notification दर्शय", + "Show a notification when an operation finishes successfully": "operation सफलतया समाप्तः चेत् notification दर्शय", + "Concurrency and execution": "समकालिकता तथा execution", + "Automatic desktop shortcut remover": "स्वयंचलित desktop shortcut remover", + "Clear successful operations from the operation list after a 5 second delay": "5 second विलम्बेन operation list तः सफलाः क्रियाः अपसारयतु", + "Download operations are not affected by this setting": "Download operations एतया setting इत्यया न प्रभाविताः", + "Try to kill the processes that refuse to close when requested to": "येषां processes पिधानार्थं अनुरोधे सति अपि न पिधीयन्ते तान् समाप्तुं प्रयतस्व", + "You may lose unsaved data": "असंगृहीत-दत्तांशः नश्येत्", + "Ask to delete desktop shortcuts created during an install or upgrade.": "स्थापने अथवा upgrade काले निर्मितान् desktop shortcuts लोपयितुं पृच्छतु।", + "Package update preferences": "पैकेज्-अद्यतन-अभिरुचयः", + "Update check frequency, automatically install updates, etc.": "अद्यतन-परीक्षण-आवृत्तिः, updates स्वयमेव स्थापयितुम्, इत्यादि।", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts न्यूनीकरोतु, स्थापनेषु पूर्वनिर्धारितरूपेण elevation ददातु, केचन जोखिमपूर्ण features उद्घाटयतु, इत्यादि।", + "Package operation preferences": "पैकेज्-operation अभिरुचयः", + "Enable {pm}": "{pm} सक्रियीकुरुत", + "Not finding the file you are looking for? Make sure it has been added to path.": "यत् file अन्विष्यसि तत् न लभ्यते किम्? तत् path मध्ये योजितम् इति सुनिश्चितं कुरु।", + "For security reasons, changing the executable file is disabled by default": "सुरक्षार्थं executable file परिवर्तनं मूलतः निष्क्रियं कृतम् अस्ति", + "Change this": "एतत् परिवर्तयतु", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "उपयोक्तव्यं executable चयनय। अधोलिखिता सूची UniGetUI द्वारा लब्धानि executables दर्शयति।", + "Current executable file:": "वर्तमान executable सञ्चिका:", + "Ignore packages from {pm} when showing a notification about updates": "updates विषये notification दर्शने {pm} तः packages उपेक्षध्वम्", + "View {0} logs": "{0} logs पश्य", + "Advanced options": "उन्नतविकल्पाः", + "Reset WinGet": "WinGet पुनर्स्थापय", + "This may help if no packages are listed": "यदि packages न सूचीकृतानि स्युः तर्हि एतत् साहाय्यं कुर्यात्", + "Force install location parameter when updating packages with custom locations": "custom locations युक्त-packages अद्यतनकाले install location parameter बलात् योजयतु", + "Use bundled WinGet instead of system WinGet": "system WinGet इत्यस्य स्थाने bundled WinGet उपयोजय", + "This may help if WinGet packages are not shown": "यदि WinGet packages न दर्श्यन्ते तर्हि एतत् साहाय्यं कुर्यात्", + "Install Scoop": "Scoop स्थापयतु", + "Uninstall Scoop (and its packages)": "Scoop (तस्य packages च) अनस्थापय", + "Run cleanup and clear cache": "cleanup चालय तथा cache शुद्धीकुरु", + "Run": "चालय", + "Enable Scoop cleanup on launch": "launch काले Scoop cleanup सक्रियं कुरुत", + "Use system Chocolatey": "system Chocolatey उपयोजय", + "Default vcpkg triplet": "मूलनिर्धारित vcpkg triplet", + "Language, theme and other miscellaneous preferences": "भाषा, theme तथा अन्याः miscellaneous अभिरुचयः", + "Show notifications on different events": "विविध-घटनासु notifications दर्शय", + "Change how UniGetUI checks and installs available updates for your packages": "तव पुटकानां अद्यतनानि परीक्ष्य स्थापयति च इति UniGetUI कथं परिवर्तय", + "Automatically save a list of all your installed packages to easily restore them.": "सर्वाणि स्थापिता पुटकानि स्वयमेव सुरक्षितानि कृत्वा पुनः स्थापयतु।", + "Enable and disable package managers, change default install options, etc.": "package managers सक्रियीकुरुत, निष्क्रियीकुरुत, मूलनिर्धारित install options परिवर्तयतु, इत्यादि", + "Internet connection settings": "internet-संयोजन-विन्यासाः", + "Proxy settings, etc.": "Proxy settings इत्यादयः", + "Beta features and other options that shouldn't be touched": "बीटा विशेषताः अन्य विकल्पाः च ये न स्पृशन्तु", + "Update checking": "अद्यतन-परीक्षणम्", + "Automatic updates": "स्वयंचलित-अद्यतनानि", + "Check for package updates periodically": "पुटकस्य अद्यतनानि आवृत्त्या परीक्ष्यन्ताम्", + "Check for updates every:": "प्रत्येकस्मिन् समये अद्यतनानि परीक्ष्यन्ताम्:", + "Install available updates automatically": "उपलब्ध-updates स्वयमेव स्थापयतु", + "Do not automatically install updates when the network connection is metered": "network connection metered सति updates स्वयमेव मा स्थापयतु", + "Do not automatically install updates when the device runs on battery": "उपकरणं battery इत्यस्मिन् धावति चेत् updates स्वयमेव मा स्थापयतु", + "Do not automatically install updates when the battery saver is on": "battery saver सक्रियः सति updates स्वयमेव मा स्थापयतु", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI स्थापन, अद्यतन, अनस्थापन-क्रियाः कथं नियच्छति इति परिवर्तयतु।", + "Package Managers": "पैकेज्-प्रबन्धकाः", + "More": "अधिकम्", + "WingetUI Log": "UniGetUI log-पत्रम्", + "Package Manager logs": "पैकेज्-प्रबन्धक-logs", + "Operation history": "operation-इतिहासः", + "Help": "साहाय्यम्", + "Order by:": "क्रमेण:", + "Name": "नाम", + "Id": "परिचयः", + "Ascendant": "आरोही", + "Descendant": "अवरोही", + "View mode:": "दर्शन-रीतिः:", + "Filters": "परिशोधकाः", + "Sources": "स्रोतांसि", + "Search for packages to start": "आरम्भार्थं packages अन्वेषय", + "Select all": "सर्वं चयनय", + "Clear selection": "चयनं निर्मूल्यताम्", + "Instant search": "क्षणिक-अन्वेषणम्", + "Distinguish between uppercase and lowercase": "uppercase तथा lowercase मध्ये भेदं ज्ञातुं", + "Ignore special characters": "विशेष-अक्षराणि उपेक्षध्वम्", + "Search mode": "अन्वेषण-रीतिः", + "Both": "उभे", + "Exact match": "सटीक-साम्यं", + "Show similar packages": "सदृश packages दर्शय", + "No results were found matching the input criteria": "प्रविष्ट-मानदण्डैः अनुरूपाणि परिणामानि न लब्धानि", + "No packages were found": "packages न लब्धानि", + "Loading packages": "packages load क्रियन्ते", + "Skip integrity checks": "integrity checks त्यज", + "Download selected installers": "चयनित installers download कुरुत", + "Install selection": "चयनं स्थापयतु", + "Install options": "स्थापन-विकल्पाः", + "Share": "साम्भाजय", + "Add selection to bundle": "बण्डलम् प्रति विभागं योजय", + "Download installer": "installer download कुरुत", + "Share this package": "अयं package साम्भाजय", + "Uninstall selection": "चयनम् अनस्थापय", + "Uninstall options": "अनस्थापन-विकल्पाः", + "Ignore selected packages": "चयनित-packages उपेक्षध्वम्", + "Open install location": "स्थापन-स्थानम् उद्घाटय", + "Reinstall package": "पैकेज् पुनः स्थापय", + "Uninstall package, then reinstall it": "package अनस्थापय, ततः पुनः स्थापय", + "Ignore updates for this package": "अस्य package इत्यस्य updates उपेक्षध्वम्", + "Do not ignore updates for this package anymore": "अस्य package इत्यस्य updates इदानीं परित्यज्य मा उपेक्षध्वम्", + "Add packages or open an existing package bundle": "पुटकानि योजय वा विद्यमानं पुटकबण्डलम् उद्घाटय", + "Add packages to start": "आरम्भाय पुटकानि योजय", + "The current bundle has no packages. Add some packages to get started": "वर्तमाने bundle मध्ये packages न सन्ति। आरम्भाय केचन packages योजय।", + "New": "नवम्", + "Save as": "इति नाम्ना संगृहाण", + "Remove selection from bundle": "bundle तः चयनम् अपाकुरु", + "Skip hash checks": "hash checks त्यज", + "The package bundle is not valid": "package bundle वैधं नास्ति", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "यत् bundle लोड् कर्तुं प्रयतसे तत् अवैधम् इव दृश्यते। कृपया सञ्चिकां परीक्ष्य पुनः प्रयतस्व।", + "Package bundle": "पैकेज्-bundle", + "Could not create bundle": "bundle निर्मातुं न शक्यते", + "The package bundle could not be created due to an error.": "दोषकारणात् package bundle निर्मातुं न शक्यत।", + "Bundle security report": "bundle security report", + "Hooray! No updates were found.": "साधु! updates न लब्धाः।", + "Everything is up to date": "सर्वम् अद्यतनम् अस्ति", + "Uninstall selected packages": "चयनित-packages अनस्थापय", + "Update selection": "चयनम् अद्यतय", + "Update options": "अद्यतन-विकल्पाः", + "Uninstall package, then update it": "package अनस्थापय, ततः अद्यतय", + "Uninstall package": "package अनस्थापय", + "Skip this version": "अयं version त्यज", + "Pause updates for": "अद्यतनानि विरमयतु", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust इत्यस्य package manager.
अन्तर्भवति: Rust libraries तथा Rust मध्ये लिखितानि कार्यक्रमानि", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows कृते पारम्परिकः package manager। तत्र सर्वं प्राप्स्यसि।
अन्तर्भवति: General Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft इत्यस्य .NET परिसंस्थां मनसि निधाय निर्मितैः tools तथा executables इत्येतैः पूर्णः repository
अन्तर्भवति: .NET सम्बन्धित tools तथा scripts", + "NuPkg (zipped manifest)": "NuPkg (सङ्कुचित manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS इत्यस्य package manager। javascript-जगतः परिभ्रमन्तीभिः libraries तथा अन्याभिः utilities पूर्णः
अन्तर्भवति: Node javascript libraries तथा अन्याः सम्बद्ध-utilities", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python इत्यस्य library manager। python libraries तथा अन्याभिः python-सम्बद्ध-utilities इत्यैः पूर्णः
अन्तर्भवति: Python libraries and related utilities", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell इत्यस्य package manager। PowerShell क्षमताः विस्तरयितुं libraries तथा scripts अन्विष्यताम्
अन्तर्भवति: Modules, Scripts, Cmdlets", + "extracted": "उद्धृतम्", + "Scoop package": "Scoop पैकेज्", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "अज्ञातानाम् अपि उपयुक्तानां utilities तथा अन्येषां रोचकानां packages इत्येषां महान् repository अस्ति।
अन्तर्भवति: Utilities, Command-line programs, General Software (extras bucket required)", + "library": "पुस्तकालयः", + "feature": "विशेषता", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "प्रसिद्धः C/C++ पुस्तकालयप्रबन्धकः। C/C++ पुस्तकालयैः तथा अन्यैः C/C++ सम्बन्धितोपकरणैः पूर्णः
अन्तर्भवति: C/C++ पुस्तकालयाः तथा सम्बन्धितोपकरणानि", + "option": "विकल्पः", + "This package cannot be installed from an elevated context.": "अयं package elevated context तः स्थापयितुं न शक्यते।", + "Please run UniGetUI as a regular user and try again.": "कृपया UniGetUI सामान्य-उपयोक्तृरूपेण चालयित्वा पुनः प्रयतस्व।", + "Please check the installation options for this package and try again": "अस्य पैकेजस्य स्थापना-विकल्पान् परीक्ष्य पुनः प्रयतस्व", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft इत्यस्य आधिकारिकः package manager। सुप्रसिद्धैः सत्यापितैश्च packages पूर्णः
अन्तर्भवति: सामान्य software, Microsoft Store apps", + "Local PC": "स्थानीय PC", + "Android Subsystem": "आण्ड्रायड् उपव्यवस्था", + "Operation on queue (position {0})...": "queue मध्ये operation ({0} स्थानम्)...", + "Click here for more details": "अधिकविवरणार्थम् अत्र क्लिक् करोतु", + "Operation canceled by user": "उपयोक्त्रा operation निरस्तम्", + "Starting operation...": "operation आरभ्यते...", + "{package} installer download": "{package} installer अवतरणम्", + "{0} installer is being downloaded": "{0} installer अवतार्यते", + "Download succeeded": "Download सफलम्", + "{package} installer was downloaded successfully": "{package} installer सफलतया अवतारितः", + "Download failed": "Download विफलम्", + "{package} installer could not be downloaded": "{package} installer अवतारयितुं न शक्यत", + "{package} Installation": "{package} स्थापना", + "{0} is being installed": "{0} स्थाप्यते", + "Installation succeeded": "स्थापनं सफलम्", + "{package} was installed successfully": "{package} सफलतया स्थापितम्", + "Installation failed": "स्थापनं विफलम्", + "{package} could not be installed": "{package} स्थापयितुं न शक्यत", + "{package} Update": "{package} अद्यतनम्", + "{0} is being updated to version {1}": "{0} संस्करणं {1} पर्यन्तम् अद्यतन्यते", + "Update succeeded": "अद्यतनं सफलम्", + "{package} was updated successfully": "{package} सफलतया अद्यतितम्", + "Update failed": "अद्यतनं विफलम्", + "{package} could not be updated": "{package} अद्यतयितुं न शक्यत", + "{package} Uninstall": "{package} अनस्थापना", + "{0} is being uninstalled": "{0} अनस्थाप्यते", + "Uninstall succeeded": "अनस्थापनं सफलम्", + "{package} was uninstalled successfully": "{package} सफलतया अनस्थापितम्", + "Uninstall failed": "अनस्थापनं विफलम्", + "{package} could not be uninstalled": "{package} अनस्थापयितुं न शक्यत", + "Adding source {source}": "स्रोतः {source} योज्यते", + "Adding source {source} to {manager}": "{manager} मध्ये स्रोतः {source} योज्यते", + "Source added successfully": "स्रोतः सफलतया योजितः", + "The source {source} was added to {manager} successfully": "स्रोतः {source} सफलतया {manager} मध्ये योजितः", + "Could not add source": "स्रोतं योजयितुं न शक्यते", + "Could not add source {source} to {manager}": "{manager} मध्ये {source} स्रोतं योजयितुं न शक्यते", + "Removing source {source}": "स्रोतः {source} अपाक्रियते", + "Removing source {source} from {manager}": "{manager} तः स्रोतः {source} अपाक्रियते", + "Source removed successfully": "स्रोतः सफलतया अपाकृतः", + "The source {source} was removed from {manager} successfully": "स्रोतः {source} सफलतया {manager} तः अपाकृतः", + "Could not remove source": "स्रोतं अपसारयितुं न शक्यते", + "Could not remove source {source} from {manager}": "{manager} तः {source} स्रोतं अपसारयितुं न शक्यते", + "The package manager \"{0}\" was not found": "package manager \"{0}\" न लब्धः", + "The package manager \"{0}\" is disabled": "package manager \"{0}\" निष्क्रियः अस्ति", + "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" इत्यस्य विन्यासे दोषः अस्ति", + "The package \"{0}\" was not found on the package manager \"{1}\"": "package manager \"{1}\" मध्ये package \"{0}\" न लब्धः", + "{0} is disabled": "{0} निष्क्रियः अस्ति", + "Something went wrong": "किमपि विपरीतं जातम्", + "An interal error occurred. Please view the log for further details.": "आन्तरिकः दोषः अभवत्। कृपया विस्तृतविवरणाय लघुः पश्यतु।", + "No applicable installer was found for the package {0}": "package {0} कृते उपयुक्तः installer न लब्धः", + "We are checking for updates.": "वयं अद्यतनानि परीक्षामहे।", + "Please wait": "कृपया प्रतीक्षस्व", + "UniGetUI version {0} is being downloaded.": "UniGetUI संस्करणं {0} अवतार्यते।", + "This may take a minute or two": "एतत् एकं वा द्वौ निमिषौ वा गृह्णीयात्", + "The installer authenticity could not be verified.": "installer इत्यस्य प्रामाणिकता सत्यापयितुं न शक्यत।", + "The update process has been aborted.": "अद्यतन-प्रक्रिया निरस्ता।", + "Great! You are on the latest version.": "सुन्दरम्! भवान् नवीनतम-संस्करणे अस्ति।", + "There are no new UniGetUI versions to be installed": "स्थापनार्थं नूतनानि UniGetUI संस्करणानि न सन्ति", + "An error occurred when checking for updates: ": "अद्यतनेषु परीक्ष्यमाणेषु दोषः अभवत्", + "UniGetUI is being updated...": "UniGetUI अद्यतन्यते...", + "Something went wrong while launching the updater.": "updater आरम्भयन् किमपि विपरीतं जातम्।", + "Please try again later": "कृपया पश्चात् पुनः प्रयतस्व", + "Integrity checks will not be performed during this operation": "अस्मिन् कार्ये Integrity checks न क्रियन्ते", + "This is not recommended.": "एतत् न अनुशंस्यते।", + "Run now": "अधुना चालय", + "Run next": "अनन्तरं चालय", + "Run last": "अन्तिमं चालय", + "Retry as administrator": "administrator रूपेण पुनः प्रयतस्व", + "Retry interactively": "interactive रूपेण पुनः प्रयतस्व", + "Retry skipping integrity checks": "integrity checks त्यक्त्वा पुनः प्रयतस्व", + "Installation options": "स्थापन-विकल्पाः", + "Show in explorer": "explorer मध्ये दर्शय", + "This package is already installed": "अयं package पूर्वमेव स्थापितः अस्ति", + "This package can be upgraded to version {0}": "अयं package संस्करणं {0} पर्यन्तम् उन्नेयः अस्ति", + "Updates for this package are ignored": "अस्य package कृते अद्यतनानि उपेक्षितानि सन्ति", + "This package is being processed": "अयं package संसाध्यते", + "This package is not available": "अयं package उपलब्धः नास्ति", + "Select the source you want to add:": "यत् स्रोतः योजयितुम् इच्छसि तत् चयनय:", + "Source name:": "स्रोत-नाम:", + "Source URL:": "स्रोत-URL:", + "An error occurred": "दोषः अभवत्", + "An error occurred when adding the source: ": "स्रोतं योजयतः दोषः अभवत्:", + "Package management made easy": "पैकेज्-प्रबन्धनं सुलभं कृतम्", + "version {0}": "संस्करणम् {0}", + "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR रूपेण चालितम्]", + "Portable mode": "पोर्टेबल्-मोडः\n", + "DEBUG BUILD": "DEBUG build", + "Available Updates": "उपलब्धानि अद्यतनानि", + "Show WingetUI": "UniGetUI दर्शय", + "Quit": "निर्गच्छ", + "Attention required": "सावधानता आवश्यकम्", + "Restart required": "पुनरारम्भः अपेक्षितः", + "1 update is available": "1 अद्यतनं उपलब्धम् अस्ति", + "{0} updates are available": "{0} अद्यतनानि उपलब्धानि", + "WingetUI Homepage": "UniGetUI मुखपृष्ठम्", + "WingetUI Repository": "UniGetUI भण्डारः", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "अत्र भवान् निम्नलिखित-shortcuts विषये UniGetUI इत्यस्य व्यवहारं परिवर्तयितुं शक्नोति। shortcut चयनं कृत्वा यदि भविष्यात् upgrade काले तत् निर्मीयते तर्हि UniGetUI तत् अपासारयिष्यति। चयनं निष्कास्य shortcut अक्षुण्णं भविष्यति।", + "Manual scan": "हस्तचालित-स्कैन", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "भवतः desktop इत्यत्र विद्यमानाः shortcuts परीक्षिताः भविष्यन्ति, तथा च केषां रक्षणं कर्तव्यम्, केषां अपसारणं कर्तव्यम् इति त्वया चयनं करणीयम्।", + "Continue": "अनुवर्तताम्", + "Delete?": "अपाकरोतु?", + "Missing dependency": "अनुपस्थित-निर्भरता", + "Not right now": "अधुना न", + "Install {0}": "{0} स्थापयतु", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI संचालनाय {0} अपेक्षते, किन्तु तत् तव प्रणाल्यां न लब्धम्।", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "स्थापने प्रक्रियाम् आरब्धुं स्थापयति इति क्लिक् करोतु। यदि स्थापनेम् त्यजति, UniGetUI अपेक्षितरूपेण कार्यं न करिष्यति।", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "वैकल्पिकतया, Windows PowerShell prompt मध्ये अधोलिखितं command चालयित्वा {0} अपि स्थापयितुं शक्यते:", + "Do not show this dialog again for {0}": "{0} कृते एषः dialog पुनः मा दर्शयतु", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} स्थाप्यते यावत् कृपया प्रतीक्षस्व। कृष्णा window दृश्येत। सा यावत् न पिधीयते तावत् प्रतीक्षस्व।", + "{0} has been installed successfully.": "{0} सफलतया स्थापितम्।", + "Please click on \"Continue\" to continue": "अग्रे गन्तुं \"Continue\" इत्यत्र क्लिक् कुरु", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} सफलतया स्थापितम्। स्थापना समाप्तुं UniGetUI पुनरारभितुं अनुशंस्यते।", + "Restart later": "पश्चात् पुनरारभस्व", + "An error occurred:": "दोषः अभवत्:", + "I understand": "अहं बोधामि", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI administrator रूपेण चालितम्, यत् न अनुशंस्यते। UniGetUI administrator रूपेण चलति चेत् UniGetUI तः आरब्धः प्रत्येकः operation administrator privileges धारयिष्यति। त्वं कार्यक्रमम् अद्यापि उपयोक्तुं शक्नोषि, किन्तु UniGetUI administrator privileges सह न चालयितव्यम् इति वयं दृढतया अनुशंसामः।", + "WinGet was repaired successfully": "WinGet सफलतया मरम्मितः", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet मरम्मतस्य अनन्तरं UniGetUI पुनरारभितुं अनुशंस्यते", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "टिप्पणी: अयं troubleshooter UniGetUI Settings इत्यत्र WinGet विभागे निष्क्रियः कर्तुं शक्यते", + "Restart": "पुनरारभस्व", + "WinGet could not be repaired": "WinGet मरम्मतुं न शक्यत", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet दुरुस्तीकरणे प्रयतमानस्य अप्रत्याशिता समस्या अभवत्। कृपया पश्चात् पुनः प्रयतध्वम्", + "Are you sure you want to delete all shortcuts?": "किं भवन्तः सर्वान् shortcuts लोपयितुम् इच्छन्ति?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "स्थापने अथवा अद्यतनक्रियायां निर्मिताः नूतनाः shortcuts प्रथमवारं दृश्यन्ते चेत् confirmation prompt दर्शयितुं विना स्वयमेव लुप्यन्ते।", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI बहिः निर्मिताः अथवा परिवर्तिताः shortcuts उपेक्षिताः भविष्यन्ति। तान् {0} बटनस्य माध्यमेन योजयितुं शक्यते।", + "Are you really sure you want to enable this feature?": "किं भवन्तः एतां विशेषतां सचरितार्थतया सक्षमयितुम् इच्छन्ति?", + "No new shortcuts were found during the scan.": "scan काले नूतनानि shortcuts न लब्धानि।", + "How to add packages to a bundle": "bundle इत्यस्मिन् packages कथं योजनीयानि", + "In order to add packages to a bundle, you will need to: ": "bundle मध्ये packages योजयितुं भवता एतत् आवश्यकम्:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" अथवा \"{1}\" पृष्ठं प्रति गच्छतु।", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. बण्डले योजयितुम् इच्छितानि पुटकानि अन्विष्य, तेषां वामभागस्थं checkbox चिनोतु।", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. बण्डले योजयितुम् इच्छितानि पुटकानि चयनितानि सन्ति चेत्, toolbar मध्ये \"{0}\" विकल्पं अन्विष्य क्लिक् करोतु।", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. भवतः पुटकानि बण्डले योजितानि भविष्यन्ति। भवन्तः अन्यानि पुटकानि अपि योजयितुं वा बण्डलम् निर्यातयितुं शक्नुवन्ति।", + "Which backup do you want to open?": "कं backup उद्घाटयितुम् इच्छसि?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "यत् backup उद्घाटयितुम् इच्छसि तत् चयनय। पश्चात् केषु packages स्थापनीयाः इति समीक्षितुं शक्नोषि।", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "प्रचलिताः operations सन्ति। UniGetUI त्यागेन ताः विफलाः भवेयुः। किं त्वम् अग्रे गन्तुम् इच्छसि?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI अथवा तस्य केचन components अनुपस्थिताः अथवा भ्रष्टाः सन्ति।", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "अस्य स्थितेः समाधानाय UniGetUI पुनः स्थापयितुं दृढतया अनुशंस्यते।", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "प्रभावित-file(s) विषये अधिक-विवरणानि प्राप्तुं UniGetUI Logs प्रति सन्दर्भं कुरु", + "Integrity checks can be disabled from the Experimental Settings": "Integrity checks Experimental Settings तः निष्क्रियं कर्तुं शक्यन्ते", + "Repair UniGetUI": "UniGetUI मरम्मतु", + "Live output": "सजीव output", + "Package not found": "पैकेज् न लब्धम्", + "An error occurred when attempting to show the package with Id {0}": "Id {0} युक्तं पुटकं दर्शयितुं प्रयतमानस्य दोषः अभवत्", + "Package": "पैकेज्", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "अस्मिन् package bundle मध्ये केचन settings सम्भावित-जोखिमपूर्णाः आसन्, अतः ते पूर्वनिर्धारितरूपेण उपेक्षिताः भवितुम् अर्हन्ति।", + "Entries that show in YELLOW will be IGNORED.": "याः entries YELLOW वर्णेन दृश्यन्ते ताः IGNORED भविष्यन्ति।", + "Entries that show in RED will be IMPORTED.": "याः entries RED वर्णेन दृश्यन्ते ताः IMPORTED भविष्यन्ति।", + "You can change this behavior on UniGetUI security settings.": "एतत् व्यवहारं UniGetUI security settings मध्ये परिवर्तयितुं शक्यते।", + "Open UniGetUI security settings": "UniGetUI सुरक्षा-settings उद्घाटय", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "यदि त्वं security settings परिवर्तयसि, तर्हि परिवर्तनानां प्रभावाय bundle पुनरपि उद्घाटयितुं आवश्यकम्।", + "Details of the report:": "प्रतिवेदनस्य विवरणानि:", "\"{0}\" is a local package and can't be shared": "\"{0}\" स्थानिकं पुटकं अस्ति, अतः तत् साझाकर्तुं न शक्यते", + "Are you sure you want to create a new package bundle? ": "किं भवन्तः नूतनं package bundle निर्मातुम् इच्छन्ति? ", + "Any unsaved changes will be lost": "असुरक्षिताः सर्वे परिवर्तनाः नष्टाः भविष्यन्ति", + "Warning!": "चेतावनी!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षार्थं custom command-line arguments मूलतः निष्क्रियीकृतानि सन्ति। एतत् परिवर्तयितुं UniGetUI security settings गच्छतु। ", + "Change default options": "पूर्वनिर्धारित-विकल्पान् परिवर्तयतु", + "Ignore future updates for this package": "अस्य package इत्यस्य भविष्यत्-updates उपेक्षध्वम्", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षार्थं pre-operation तथा post-operation scripts मूलतः निष्क्रियीकृतानि सन्ति। एतत् परिवर्तयितुं UniGetUI security settings गच्छतु। ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "अस्य package स्थापना, अद्यतन, अनस्थापनयोः पूर्वं पश्चात् वा याः commands चलिष्यन्ति ताः त्वं निर्दिष्टुं शक्नोषि। ताः command prompt मध्ये चलिष्यन्ति, अतः CMD scripts अत्र कार्यं करिष्यन्ति।", + "Change this and unlock": "एतत् परिवर्त्य unlock कुरुत", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} स्थापना-विकल्पाः अधुना locked सन्ति यतः {0} पूर्वनिर्धारित-स्थापना-विकल्पान् अनुसरति।", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "अस्य package स्थापना-अद्यतन-अनस्थापनपूर्वं ये processes पिधातव्याः ते चयनय।", + "Write here the process names here, separated by commas (,)": "अत्र process-names लिख, अल्पविरामैः (,) पृथक्कृताः", + "Unset or unknown": "अनिर्धारितम् अथवा अज्ञातम्", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "कृपया Command-line Output पश्यतु अथवा समस्यायाः विषये अधिक-सूचनार्थं Operation History प्रति सन्दर्भं कुरु।", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "अस्य package इत्यस्य screenshots न सन्ति अथवा icon अनुपस्थितम्? अस्माकं उन्मुक्त-सार्वजनिक-database मध्ये अनुपस्थित-icons तथा screenshots योजयित्वा UniGetUI प्रति योगदानं कुरु।", + "Become a contributor": "योगदातारं भव", + "Save": "संगृहाण", + "Update to {0} available": "{0} पर्यन्तम् अद्यतनम् उपलब्धम्", + "Reinstall": "पुनः स्थापय", + "Installer not available": "Installer उपलब्धः नास्ति", + "Version:": "संस्करणम्:", + "Performing backup, please wait...": "backup क्रियते, कृपया प्रतीक्षस्व...", + "An error occurred while logging in: ": "login कुर्वतः दोषः अभवत्: ", + "Fetching available backups...": "उपलब्ध-backups आनीयन्ते...", + "Done!": "समाप्तम्!", + "The cloud backup has been loaded successfully.": "cloud backup सफलतया load कृतः।", + "An error occurred while loading a backup: ": "backup लोड् कुर्वतः दोषः अभवत्: ", + "Backing up packages to GitHub Gist...": "पुटकानि GitHub Gist मध्ये backup क्रियन्ते...", + "Backup Successful": "backup सफलम्", + "The cloud backup completed successfully.": "cloud backup सफलतया सम्पन्नः।", + "Could not back up packages to GitHub Gist: ": "पुटकानि GitHub Gist मध्ये backup कर्तुं न शक्यते: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "प्रदत्त credentials सुरक्षितरूपेण रक्षितानि भविष्यन्ति इति न सुनिश्चितम्, अतः बैंक-खातस्य credentials मा उपयोजयतु।", + "Enable the automatic WinGet troubleshooter": "स्वयंचलित WinGet troubleshooter सक्रियीकुरुत", + "Enable an [experimental] improved WinGet troubleshooter": "[experimental] उन्नत WinGet troubleshooter सक्रियीकुरुत", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' इति कारणेन विफलानि अद्यतनानि उपेक्षित-अद्यतन-सूच्यां योजयतु", + "Restart WingetUI to fully apply changes": "परिवर्तनानि पूर्णतया लागूकर्तुं UniGetUI पुनरारभस्व", + "Restart WingetUI": "UniGetUI पुनरारभस्व", + "Invalid selection": "अमान्य-चयनम्", + "No package was selected": "किमपि package न चयनितम्", + "More than 1 package was selected": "एकात् अधिकं package चयनितम्", + "List": "सूची", + "Grid": "जालकम्", + "Icons": "चिह्नानि", "\"{0}\" is a local package and does not have available details": "\"{0}\" स्थानिकं पुटकं अस्ति, तस्य उपलब्धविवरणानि न सन्ति", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" स्थानिकं पुटकं अस्ति, एतया विशेषतया सह न सुसंगतम्", - "(Last checked: {0})": "(अन्तिमवारं परीक्षितम्: {0})", + "WinGet malfunction detected": "WinGet विकारः ज्ञातः", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet सम्यक् कार्यं न करोति इव दृश्यते। WinGet मरम्मतुं प्रयत्नं कर्तुम् इच्छसि किम्?", + "Repair WinGet": "WinGet मरम्मतु", + "Create .ps1 script": ".ps1 script निर्मातु", + "Add packages to bundle": "बण्डले पुटकानि योजयतु", + "Preparing packages, please wait...": "पैकेजाः सज्जीकुर्वन्ते, कृपया प्रतीक्षस्व...", + "Loading packages, please wait...": "packages load क्रियन्ते, कृपया प्रतीक्षताम्...", + "Saving packages, please wait...": "पैकेजाः संगृह्यन्ते, कृपया प्रतीक्षस्व...", + "The bundle was created successfully on {0}": "bundle {0} तस्मिन् सफलतया निर्मितम्", + "Install script": "स्थापन-script", + "The installation script saved to {0}": "स्थापन-script {0} इत्यत्र संगृहीतः", + "An error occurred while attempting to create an installation script:": "installation script निर्माणे प्रयतमानस्य दोषः अभवत्:", + "{0} packages are being updated": "{0} packages अद्यतन्यन्ते", + "Error": "त्रुटिः", + "Log in failed: ": "प्रवेशः विफलः:", + "Log out failed: ": "निर्गमनं विफलम्:", + "Package backup settings": "पैकेज्-backup settings", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(पङ्क्तौ संख्या {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@skanda890", "0 packages found": "0 पुटकं न लब्धम्", "0 updates found": "0 अद्यतनानि न लब्धानि", - "1 - Errors": "1 - दोषाः", - "1 day": "1 दिनम्", - "1 hour": "1 होरात्रम्", "1 month": "1 मासः", "1 package was found": "1 पुटकं लब्धम्", - "1 update is available": "1 अद्यतनं उपलब्धम् अस्ति", - "1 week": "1 सप्ताहः", "1 year": "1 वर्षम्", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" अथवा \"{1}\" पृष्ठं प्रति गच्छतु।", - "2 - Warnings": "2 - चेतावन्यः", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. बण्डले योजयितुम् इच्छितानि पुटकानि अन्विष्य, तेषां वामभागस्थं checkbox चिनोतु।", - "3 - Information (less)": "3 - सूचना (अल्प)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. बण्डले योजयितुम् इच्छितानि पुटकानि चयनितानि सन्ति चेत्, toolbar मध्ये \"{0}\" विकल्पं अन्विष्य क्लिक् करोतु।", - "4 - Information (more)": "4 - सूचना (अधिक)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. भवतः पुटकानि बण्डले योजितानि भविष्यन्ति। भवन्तः अन्यानि पुटकानि अपि योजयितुं वा बण्डलम् निर्यातयितुं शक्नुवन्ति।", - "5 - information (debug)": "5 - सूचना (डिबग)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "प्रसिद्धः C/C++ पुस्तकालयप्रबन्धकः। C/C++ पुस्तकालयैः तथा अन्यैः C/C++ सम्बन्धितोपकरणैः पूर्णः
अन्तर्भवति: C/C++ पुस्तकालयाः तथा सम्बन्धितोपकरणानि", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft इत्यस्य .NET परिसंस्थां मनसि निधाय निर्मितैः tools तथा executables इत्येतैः पूर्णः repository
अन्तर्भवति: .NET सम्बन्धित tools तथा scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoft इत्यस्य .NET परिसंस्थां मनसि निधाय निर्मितैः tools इत्येतैः पूर्णः repository
अन्तर्भवति: .NET सम्बन्धित tools", "A restart is required": "पुनः आरम्भः आवश्यकः अस्ति", - "Abort install if pre-install command fails": "pre-install आदेशः विफलः चेत् स्थापनं निरस्यतु", - "Abort uninstall if pre-uninstall command fails": "pre-uninstall आदेशः विफलः चेत् अनस्थापनं निरस्यतु", - "Abort update if pre-update command fails": "pre-update आदेशः विफलः चेत् अद्यतनं निरस्यतु", - "About": "सम्बन्धे", "About Qt6": "Qt6 सम्बन्धे", - "About WingetUI": "WingetUI सम्बन्धे", "About WingetUI version {0}": "UniGetUI संस्करण {0} विषये", "About the dev": "विकासकस्य सम्बन्धे", - "Accept": "स्वीकरोतु", "Action when double-clicking packages, hide successful installations": "पुटकानि द्विक्लिक्करणे क्रिया, सफलस्थापनेषु छादय", - "Add": "योजय", "Add a source to {0}": "{0} मध्ये स्रोतं योजयतु", - "Add a timestamp to the backup file names": "प्रतिस्थापनसञ्चिकानामसु कालचिह्नं योजय", "Add a timestamp to the backup files": "प्रतिस्थापनसञ्चिकासु कालचिह्नं योजय", "Add packages or open an existing bundle": "पुटकानि योजय वा विद्यमानं बण्डलम् उद्घाटय", - "Add packages or open an existing package bundle": "पुटकानि योजय वा विद्यमानं पुटकबण्डलम् उद्घाटय", - "Add packages to bundle": "बण्डले पुटकानि योजयतु", - "Add packages to start": "आरम्भाय पुटकानि योजय", - "Add selection to bundle": "बण्डलम् प्रति विभागं योजय", - "Add source": "स्रोतं योजय", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' इति कारणेन विफलानि अद्यतनानि उपेक्षित-अद्यतन-सूच्यां योजयतु", - "Adding source {source}": "स्रोतः {source} योज्यते", - "Adding source {source} to {manager}": "{manager} मध्ये स्रोतः {source} योज्यते", "Addition succeeded": "योजनं सफलम् अभवत्", - "Administrator privileges": "प्रशासकाधिकाराः", "Administrator privileges preferences": "प्रशासकाधिकाराः प्राधान्याः", "Administrator rights": "प्रशासकाधिकाराः", - "Administrator rights and other dangerous settings": "प्रशासकीयाधिकाराः तथा अन्यानि जोखिमयुक्तानि settings", - "Advanced options": "उन्नतविकल्पाः", "All files": "सर्वाणि सञ्चिकाः", - "All versions": "सर्वाणि संस्करणानि", - "Allow changing the paths for package manager executables": "package manager executables इत्येषां path परिवर्तनं अनुमन्यताम्", - "Allow custom command-line arguments": "custom command-line arguments अनुमन्यन्ताम्", - "Allow importing custom command-line arguments when importing packages from a bundle": "बण्डलात् पुटकानि आयातयन् custom command-line arguments अपि आयातयितुम् अनुमन्यताम्", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "बण्डलात् पुटकानि आयातयन् custom pre-install तथा post-install आदेशान् अपि आयातयितुम् अनुमन्यताम्", "Allow package operations to be performed in parallel": "पुटकक्रियाः समकालिकतया कर्तुं अनुमन्यताम्", "Allow parallel installs (NOT RECOMMENDED)": "समकालिक स्थापने अनुमन्यताम् (न अनुशंस्यते)", - "Allow pre-release versions": "pre-release संस्करणानि अनुमन्यन्ताम्", "Allow {pm} operations to be performed in parallel": "{pm} क्रियाः समकालिकतया कर्तुं अनुमतिः दीयताम्", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "वैकल्पिकतया, Windows PowerShell prompt मध्ये अधोलिखितं command चालयित्वा {0} अपि स्थापयितुं शक्यते:", "Always elevate {pm} installations by default": "{pm} स्थापनेः पूर्वनिर्धारितरूपेण सदा elevate क्रियन्ताम्", "Always run {pm} operations with administrator rights": "{pm} क्रियाः सदा administrator rights सहितं चालयन्तु", - "An error occurred": "दोषः अभवत्", - "An error occurred when adding the source: ": "स्रोतं योजयतः दोषः अभवत्:", - "An error occurred when attempting to show the package with Id {0}": "Id {0} युक्तं पुटकं दर्शयितुं प्रयतमानस्य दोषः अभवत्", - "An error occurred when checking for updates: ": "अद्यतनेषु परीक्ष्यमाणेषु दोषः अभवत्", - "An error occurred while attempting to create an installation script:": "installation script निर्माणे प्रयतमानस्य दोषः अभवत्:", - "An error occurred while loading a backup: ": "backup लोड् कुर्वतः दोषः अभवत्: ", - "An error occurred while logging in: ": "login कुर्वतः दोषः अभवत्: ", - "An error occurred while processing this package": "एतस्य पुटकस्य प्रक्रियायां दोषः अभवत्", - "An error occurred:": "दोषः अभवत्:", - "An interal error occurred. Please view the log for further details.": "आन्तरिकः दोषः अभवत्। कृपया विस्तृतविवरणाय लघुः पश्यतु।", "An unexpected error occurred:": "अप्रत्याशितः दोषः अभवत्:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet दुरुस्तीकरणे प्रयतमानस्य अप्रत्याशिता समस्या अभवत्। कृपया पश्चात् पुनः प्रयतध्वम्", - "An update was found!": "अद्यतनं लब्धम्!", - "Android Subsystem": "आण्ड्रायड् उपव्यवस्था", "Another source": "अन्यत् स्रोतः", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "स्थापने अथवा अद्यतनक्रियायां निर्मिताः नूतनाः shortcuts प्रथमवारं दृश्यन्ते चेत् confirmation prompt दर्शयितुं विना स्वयमेव लुप्यन्ते।", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI बहिः निर्मिताः अथवा परिवर्तिताः shortcuts उपेक्षिताः भविष्यन्ति। तान् {0} बटनस्य माध्यमेन योजयितुं शक्यते।", - "Any unsaved changes will be lost": "असुरक्षिताः सर्वे परिवर्तनाः नष्टाः भविष्यन्ति", "App Name": "अनुप्रयोगस्य नाम", - "Appearance": "रूपम्", - "Application theme, startup page, package icons, clear successful installs automatically": "application theme, startup page, package icons, सफलस्थापनानि स्वयमेव अपसारयतु", - "Application theme:": "अनुप्रयोगस्य theme:", - "Apply": "प्रयोजयतु", - "Architecture to install:": "स्थापनीयम् architecture:", "Are these screenshots wron or blurry?": "एते छायाचित्राणि कुतः वा धूमिलानि वा?", - "Are you really sure you want to enable this feature?": "किं भवन्तः एतां विशेषतां सचरितार्थतया सक्षमयितुम् इच्छन्ति?", - "Are you sure you want to create a new package bundle? ": "किं भवन्तः नूतनं package bundle निर्मातुम् इच्छन्ति? ", - "Are you sure you want to delete all shortcuts?": "किं भवन्तः सर्वान् shortcuts लोपयितुम् इच्छन्ति?", - "Are you sure?": "किम् त्वं निश्चितः?", - "Ascendant": "आरोही", - "Ask for administrator privileges once for each batch of operations": "प्रत्येकस्य क्रियासमूहस्य कृते प्रशासकाधिकाराः एकवारं पृच्छतु", "Ask for administrator rights when required": "यदा आवश्यकं प्रशासकाधिकाराः पृच्छतु", "Ask once or always for administrator rights, elevate installations by default": "प्रशासकाधिकाराः एकवारं वा सदा पृच्छतु, स्थापने डिफॉल्टतया उन्नयतु", - "Ask only once for administrator privileges": "administrator privileges एकवारमेव पृच्छतु", "Ask only once for administrator privileges (not recommended)": "प्रशासकाधिकाराः एकवारं पृच्छतु (न अनुशंस्यते)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "स्थापने अथवा upgrade काले निर्मितान् desktop shortcuts लोपयितुं पृच्छतु।", - "Attention required": "सावधानता आवश्यकम्", "Authenticate to the proxy with an user and a password": "proxy प्रति user तथा password द्वारा प्रमाणीकरोतु", - "Author": "लेखकः", - "Automatic desktop shortcut remover": "स्वयंचलित desktop shortcut remover", - "Automatic updates": "स्वयंचलित-अद्यतनानि", - "Automatically save a list of all your installed packages to easily restore them.": "सर्वाणि स्थापिता पुटकानि स्वयमेव सुरक्षितानि कृत्वा पुनः स्थापयतु।", "Automatically save a list of your installed packages on your computer.": "तव संगणकस्य स्थापिता पुटकानां सूचीं स्वयमेव सुरक्षितं कुरु", - "Automatically update this package": "एतत् पुटकं स्वयमेव अद्यतनयतु", "Autostart WingetUI in the notifications area": "अधिसूचना क्षेत्रे WingetUI स्वयमेव आरभ्यताम्", - "Available Updates": "उपलब्धानि अद्यतनानि", "Available updates: {0}": "उपलब्धानि अद्यतनानि: {0}", "Available updates: {0}, not finished yet...": "उपलब्धानि अद्यतनानि: {0}, अद्यापि न समाप्तम्...", - "Backing up packages to GitHub Gist...": "पुटकानि GitHub Gist मध्ये backup क्रियन्ते...", - "Backup": "प्रतिस्थापनम्", - "Backup Failed": "backup विफलम्", - "Backup Successful": "backup सफलम्", - "Backup and Restore": "backup तथा पुनर्स्थापनम्", "Backup installed packages": "स्थापितानि पुटकानि प्रतिस्थापय", "Backup location": "backup स्थानम्", - "Become a contributor": "योगदातारं भव", - "Become a translator": "अनुवादकः भव", - "Begin the process to select a cloud backup and review which packages to restore": "cloud backup चयनस्य तथा पुनर्स्थापनीयपुटकानां समीक्षा-प्रक्रियाम् आरभताम्", - "Beta features and other options that shouldn't be touched": "बीटा विशेषताः अन्य विकल्पाः च ये न स्पृशन्तु", - "Both": "उभे", - "Bundle security report": "bundle security report", "But here are other things you can do to learn about WingetUI even more:": "किन्तु WingetUI विषये अधिकं ज्ञातुं अन्यानि कार्याणि कर्तुं शक्यन्ते:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "पुटकव्यवस्थापकं निष्क्रियं कृत्वा, तस्य पुटकानि दृष्टुं वा अद्यतयितुं न शक्यते।", "Cache administrator rights and elevate installers by default": "प्रशासकाधिकाराः संग्रहीतं कृत्वा स्थापकान् डिफॉल्टतया उन्नयतु", "Cache administrator rights, but elevate installers only when required": "प्रशासकाधिकाराः संग्रहीतं कृत्वा स्थापकान् डिफॉल्टतया उन्नयतु", "Cache was reset successfully!": "संग्रहीतं सफलतया पुनः स्थापितम्!", "Can't {0} {1}": "{0} {1} कर्तुं न शक्यते", - "Cancel": "रद्दय", "Cancel all operations": "सर्वाः क्रियाः रद्दीकुरुत", - "Change backup output directory": "प्रतिस्थापनस्य निर्गमपथं परिवर्तय", - "Change default options": "पूर्वनिर्धारित-विकल्पान् परिवर्तयतु", - "Change how UniGetUI checks and installs available updates for your packages": "तव पुटकानां अद्यतनानि परीक्ष्य स्थापयति च इति UniGetUI कथं परिवर्तय", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI स्थापन, अद्यतन, अनस्थापन-क्रियाः कथं नियच्छति इति परिवर्तयतु।", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI पुटकानि कथं स्थापयति, तथा उपलब्धान्यद्यतनानि कथं परीक्ष्य स्थापयति इति परिवर्तयतु", - "Change how operations request administrator rights": "क्रियाः administrator rights कथं याचन्ते इति परिवर्तयतु", "Change install location": "स्थापनस्थानं परिवर्तय", - "Change this": "एतत् परिवर्तयतु", - "Change this and unlock": "एतत् परिवर्त्य unlock कुरुत", - "Check for package updates periodically": "पुटकस्य अद्यतनानि आवृत्त्या परीक्ष्यन्ताम्", - "Check for updates": "अद्यतनानि परीक्ष्यन्ताम्", - "Check for updates every:": "प्रत्येकस्मिन् समये अद्यतनानि परीक्ष्यन्ताम्:", "Check for updates periodically": "अद्यतनानि आवृत्त्या परीक्ष्यन्ताम्", "Check for updates regularly, and ask me what to do when updates are found.": "अद्यतनानि नियमितं परीक्ष्यन्ताम्, अद्यतनानि लब्धानि चेत् मां पृच्छतु किम् कर्तव्यम्।", "Check for updates regularly, and automatically install available ones.": "नियमितं अद्यतनानि परीक्ष्य, उपलब्धानि स्वयमेव स्थापयतु |", @@ -159,916 +741,335 @@ "Checking for updates...": "अद्यतनानां परीक्ष्यते", "Checking found instace(s)...": "दृष्टानि उदाहरणानि परीक्ष्यन्ते", "Choose how many operations shouls be performed in parallel": "कियत् संख्यकाः क्रियाः समकालिकतया कर्तव्याः इति चिनोतु", - "Clear cache": "cache अपसारयतु", "Clear finished operations": "समाप्ताः क्रियाः अपसारयतु", - "Clear selection": "चयनं निर्मूल्यताम्", "Clear successful operations": "सफलाः क्रियाः अपसारयतु", - "Clear successful operations from the operation list after a 5 second delay": "5 second विलम्बेन operation list तः सफलाः क्रियाः अपसारयतु", "Clear the local icon cache": "स्थानिकं icon cache अपसारयतु", - "Clearing Scoop cache - WingetUI": "Scoop सञ्चिकायाः निर्मूल्यताम् - WingetUI", "Clearing Scoop cache...": "सञ्चिकायाः निर्मूल्यताम्...", - "Click here for more details": "अधिकविवरणार्थम् अत्र क्लिक् करोतु", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "स्थापने प्रक्रियाम् आरब्धुं स्थापयति इति क्लिक् करोतु। यदि स्थापनेम् त्यजति, UniGetUI अपेक्षितरूपेण कार्यं न करिष्यति।", - "Close": "समापयतु", - "Close UniGetUI to the system tray": "UniGetUI system tray प्रति पिधत्ताम्", "Close WingetUI to the notification area": "UniGetUI notification area प्रति पिधत्ताम्", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "cloud backup स्थापिता-पुटक-सूचीं संग्रहीतुं private GitHub Gist उपयुङ्क्ते", - "Cloud package backup": "cloud पुटक backup", "Command-line Output": "command-line output", - "Command-line to run:": "चालयितव्यं command-line:", "Compare query against": "query अस्य सह तुलयतु", - "Compatible with authentication": "authentication सह सुसंगतम्", - "Compatible with proxy": "proxy सह सुसंगतम्", "Component Information": "घटकसूचना", - "Concurrency and execution": "समकालिकता तथा execution", - "Connect the internet using a custom proxy": "custom proxy उपयुज्य internet संयोजयतु", - "Continue": "अनुवर्तताम्", "Contribute to the icon and screenshot repository": "icon तथा screenshot repository मध्ये योगदानं ददातु", - "Contributors": "योगदातारः", "Copy": "प्रतिलिखतु", - "Copy to clipboard": "clipboard प्रति प्रतिलिखतु", - "Could not add source": "स्रोतं योजयितुं न शक्यते", - "Could not add source {source} to {manager}": "{manager} मध्ये {source} स्रोतं योजयितुं न शक्यते", - "Could not back up packages to GitHub Gist: ": "पुटकानि GitHub Gist मध्ये backup कर्तुं न शक्यते: ", - "Could not create bundle": "bundle निर्मातुं न शक्यते", "Could not load announcements - ": "announcements लोड् कर्तुं न शक्यन्ते - ", "Could not load announcements - HTTP status code is $CODE": "announcements लोड् कर्तुं न शक्यन्ते - HTTP status code $CODE अस्ति", - "Could not remove source": "स्रोतं अपसारयितुं न शक्यते", - "Could not remove source {source} from {manager}": "{manager} तः {source} स्रोतं अपसारयितुं न शक्यते", "Could not remove {source} from {manager}": "{manager} तः {source} अपसारयितुं न शक्यते", - "Create .ps1 script": ".ps1 script निर्मातु", - "Credentials": "credentials", "Current Version": "वर्तमानसंस्करणम्", - "Current executable file:": "वर्तमान executable सञ्चिका:", - "Current status: Not logged in": "वर्तमानस्थितिः: logged in नास्ति", "Current user": "वर्तमान-उपयोक्ता", "Custom arguments:": "custom arguments:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "custom command-line arguments तादृशेन प्रकारेण कार्यक्रमानां स्थापनं, उन्नयनं, वा uninstall परिवर्तयितुं शक्नुवन्ति यं UniGetUI नियन्त्रयितुं न शक्नोति। custom command-lines उपयुज्य packages नष्टुं शक्नुवन्ति। सावधानतया अग्रे गच्छतु।", "Custom command-line arguments:": "custom command-line arguments:", - "Custom install arguments:": "custom install arguments:", - "Custom uninstall arguments:": "custom uninstall arguments:", - "Custom update arguments:": "custom update arguments:", "Customize WingetUI - for hackers and advanced users only": "WingetUI अनुकूलयतु - केवलं hackers तथा उन्नत-उपयोक्तृभ्यः", - "DEBUG BUILD": "DEBUG build", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "अस्वीकरणम्: download कृत packages विषये वयं उत्तरदायिनः न स्मः। कृपया केवलं विश्वसनीय software एव स्थापयतु।", - "Dark": "कृष्णवर्णीयम्", - "Decline": "अस्वीकुरुत", - "Default": "मूलनिर्धारितम्", - "Default installation options for {0} packages": "{0} packages कृते मूलनिर्धारित-स्थापन-विकल्पाः", "Default preferences - suitable for regular users": "मूलनिर्धारित-अभिरुचयः - सामान्य-उपयोक्तृभ्यः उपयुक्ताः", - "Default vcpkg triplet": "मूलनिर्धारित vcpkg triplet", - "Delete?": "अपाकरोतु?", - "Dependencies:": "आश्रिततत्त्वानि:", - "Descendant": "अवरोही", "Description:": "विवरणम्:", - "Desktop shortcut created": "Desktop shortcut निर्मितम्", - "Details of the report:": "प्रतिवेदनस्य विवरणानि:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "विकासकार्यं कठिनम्, तथा च एषः अनुप्रयोगः निःशुल्कः अस्ति। यदि भवतः एषः अनुप्रयोगः रोचते, तर्हि भवान् सर्वदा buy me a coffee कर्तुं शक्नोति :) ", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" tab इत्यत्र कस्यचित् item इत्यस्य double-click काले package info दर्शयितुं विना प्रत्यक्षं install कुरुत", "Disable new share API (port 7058)": "नूतन share API (port 7058) निष्क्रियं कुरुत", - "Disable the 1-minute timeout for package-related operations": "package-संबद्ध-क्रियाभ्यः 1-minute timeout निष्क्रियं कुरुत", - "Disabled": "निष्क्रियीकृतम्", - "Disclaimer": "अस्वीकरणम्", "Discover packages": "packages अन्वेषयतु", "Distinguish between\nuppercase and lowercase": "uppercase तथा lowercase मध्ये भेदं ज्ञातुं", - "Distinguish between uppercase and lowercase": "uppercase तथा lowercase मध्ये भेदं ज्ञातुं", "Do NOT check for updates": "updates कृते मा परीक्षध्वम्", "Do an interactive install for the selected packages": "चयनित-packages कृते interactive install कुरुत", "Do an interactive uninstall for the selected packages": "चयनित-packages कृते interactive uninstall कुरुत", "Do an interactive update for the selected packages": "चयनित-packages कृते interactive update कुरुत", - "Do not automatically install updates when the battery saver is on": "battery saver सक्रियः सति updates स्वयमेव मा स्थापयतु", - "Do not automatically install updates when the device runs on battery": "उपकरणं battery इत्यस्मिन् धावति चेत् updates स्वयमेव मा स्थापयतु", - "Do not automatically install updates when the network connection is metered": "network connection metered सति updates स्वयमेव मा स्थापयतु", "Do not download new app translations from GitHub automatically": "GitHub तः नूतन app translations स्वयमेव मा download कुरुत", - "Do not ignore updates for this package anymore": "अस्य package इत्यस्य updates इदानीं परित्यज्य मा उपेक्षध्वम्", "Do not remove successful operations from the list automatically": "सफल-operations सूच्याः स्वयमेव मा अपसारयतु", - "Do not show this dialog again for {0}": "{0} कृते एषः dialog पुनः मा दर्शयतु", "Do not update package indexes on launch": "launch काले package indexes मा अद्यतनयतु", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "उपयोक्तृ-अनुभवं ज्ञातुं सुधरितुं च केवल-उद्देशेन UniGetUI अनाम-usage-statistics संकलयति प्रेषयति च, इति भवान् स्वीकरोति किम्?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "WingetUI उपयुक्तं मन्यसे किम्? यदि शक्नोषि, मम कार्यं समर्थयितुं शक्नोषि, येन अहं WingetUI उत्तमं package-managing interface रूपेण निरन्तरं निर्मातुं शक्नुयाम्।", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "WingetUI उपयुक्तं मन्यसे किम्? developer इत्यस्य समर्थनं कर्तुम् इच्छसि किम्? यदि तथास्ति, तर्हि भवान् {0} कर्तुं शक्नोति, तत् अत्यन्तं साहाय्यं करोति!", - "Do you really want to reset this list? This action cannot be reverted.": "भवान् अस्याः सूच्याः reset कर्तुम् एव इच्छति किम्? एषा क्रिया प्रत्यावर्तयितुं न शक्यते।", - "Do you really want to uninstall the following {0} packages?": "निम्नलिखित {0} packages uninstall कर्तुम् एव इच्छसि किम्?", "Do you really want to uninstall {0} packages?": "{0} packages uninstall कर्तुम् एव इच्छसि किम्?", - "Do you really want to uninstall {0}?": "{0} uninstall कर्तुम् एव इच्छसि किम्?", "Do you want to restart your computer now?": "भवतः संगणकं इदानीमेव पुनरारभितुम् इच्छसि किम्?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "WingetUI भवतः भाषायां अनुवादयितुम् इच्छसि किम्? योगदानं कथं दातव्यमिति अत्र! पश्यतु", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "दानं दातुम् इच्छा नास्ति किम्? चिन्ता मा कुरुत, भवान् WingetUI स्वमित्रैः सह सर्वदा भागीकर्तुं शक्नोति। WingetUI विषये वार्ता प्रसारयतु।", "Donate": "दानं ददातु", - "Done!": "समाप्तम्!", - "Download failed": "Download विफलम्", - "Download installer": "installer download कुरुत", - "Download operations are not affected by this setting": "Download operations एतया setting इत्यया न प्रभाविताः", - "Download selected installers": "चयनित installers download कुरुत", - "Download succeeded": "Download सफलम्", "Download updated language files from GitHub automatically": "GitHub तः अद्यतन language files स्वयमेव download कुरुत", "Downloading": "अवतरणम्", - "Downloading backup...": "backup download क्रियते...", "Downloading installer for {package}": "{package} कृते installer download क्रियते", "Downloading package metadata...": "package metadata download क्रियते...", - "Enable Scoop cleanup on launch": "launch काले Scoop cleanup सक्रियं कुरुत", - "Enable WingetUI notifications": "WingetUI notifications सक्रियीकुरुत", - "Enable an [experimental] improved WinGet troubleshooter": "[experimental] उन्नत WinGet troubleshooter सक्रियीकुरुत", - "Enable and disable package managers, change default install options, etc.": "package managers सक्रियीकुरुत, निष्क्रियीकुरुत, मूलनिर्धारित install options परिवर्तयतु, इत्यादि", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU Usage optimizations सक्रियीकुरुत (Pull Request #3278 पश्यतु)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background api (WingetUI Widgets and Sharing, port 7058) सक्रियीकुरुत", - "Enable it to install packages from {pm}.": "{pm} तः packages स्थापयितुं तत् सक्रियीकुरुत।", - "Enable the automatic WinGet troubleshooter": "स्वयंचलित WinGet troubleshooter सक्रियीकुरुत", "Enable the new UniGetUI-Branded UAC Elevator": "नूतन UniGetUI-Branded UAC Elevator सक्रियीकुरुत", "Enable the new process input handler (StdIn automated closer)": "नूतन process input handler (StdIn automated closer) सक्रियीकुरुत", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "अधोलिखिताः settings तदा एव सक्रियीकुरुत यदा तासां कार्यं तथा तासां प्रभावाः पूर्णतया बोध्यन्ते।", - "Enable {pm}": "{pm} सक्रियीकुरुत", - "Enabled": "सक्रियम्", - "Enter proxy URL here": "अत्र proxy URL लिखतु", - "Entries that show in RED will be IMPORTED.": "याः entries RED वर्णेन दृश्यन्ते ताः IMPORTED भविष्यन्ति।", - "Entries that show in YELLOW will be IGNORED.": "याः entries YELLOW वर्णेन दृश्यन्ते ताः IGNORED भविष्यन्ति।", - "Error": "त्रुटिः", - "Everything is up to date": "सर्वम् अद्यतनम् अस्ति", - "Exact match": "सटीक-साम्यं", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "भवतः desktop इत्यत्र विद्यमानाः shortcuts परीक्षिताः भविष्यन्ति, तथा च केषां रक्षणं कर्तव्यम्, केषां अपसारणं कर्तव्यम् इति त्वया चयनं करणीयम्।", - "Expand version": "संस्करणं विस्तरयतु", - "Experimental settings and developer options": "प्रायोगिक-settings तथा developer-options", - "Export": "निर्यातयतु", "Export log as a file": "log इत्येतत् file-रूपेण निर्यातयतु", - "Export packages": "packages निर्यातयतु", - "Export selected packages to a file": "चयनित-packages file इत्यस्मिन् निर्यातयतु", - "Export settings to a local file": "settings स्थानीय-file इत्यस्मिन् निर्यातयतु", - "Export to a file": "file इत्यस्मिन् निर्यातयतु", - "Failed": "विफलम्", - "Fetching available backups...": "उपलब्ध-backups आनीयन्ते...", + "Export packages": "packages निर्यातयतु", + "Export selected packages to a file": "चयनित-packages file इत्यस्मिन् निर्यातयतु", "Fetching latest announcements, please wait...": "नवीनतम-announcements आनीयन्ते, कृपया प्रतीक्षताम्...", - "Filters": "परिशोधकाः", "Finish": "समापयतु", - "Follow system color scheme": "system color scheme अनुसरतु", - "Follow the default options when installing, upgrading or uninstalling this package": "अस्य package इत्यस्य install, upgrade, अथवा uninstall काले default options अनुसरतु", - "For security reasons, changing the executable file is disabled by default": "सुरक्षार्थं executable file परिवर्तनं मूलतः निष्क्रियं कृतम् अस्ति", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षार्थं custom command-line arguments मूलतः निष्क्रियीकृतानि सन्ति। एतत् परिवर्तयितुं UniGetUI security settings गच्छतु। ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "सुरक्षार्थं pre-operation तथा post-operation scripts मूलतः निष्क्रियीकृतानि सन्ति। एतत् परिवर्तयितुं UniGetUI security settings गच्छतु। ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM compiled winget version बलात् उपयोजयतु (केवलं ARM64 systems कृते)", - "Force install location parameter when updating packages with custom locations": "custom locations युक्त-packages अद्यतनकाले install location parameter बलात् योजयतु", "Formerly known as WingetUI": "पूर्वं WingetUI इति प्रसिद्धम्", "Found": "लब्धम्", "Found packages: ": "लब्ध-packages:", "Found packages: {0}": "लब्ध-packages: {0}", "Found packages: {0}, not finished yet...": "लब्ध-packages: {0}, अद्यापि न समाप्तम्...", - "General preferences": "सामान्य-अभिरुचयः", "GitHub profile": "GitHub रूपरेखा", "Global": "सार्वत्रिकम्", - "Go to UniGetUI security settings": "UniGetUI security settings गच्छतु", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "अज्ञातानाम् अपि उपयुक्तानां utilities तथा अन्येषां रोचकानां packages इत्येषां महान् repository अस्ति।
अन्तर्भवति: Utilities, Command-line programs, General Software (extras bucket required)", - "Great! You are on the latest version.": "सुन्दरम्! भवान् नवीनतम-संस्करणे अस्ति।", - "Grid": "जालकम्", - "Help": "साहाय्यम्", "Help and documentation": "साहाय्यम् तथा documentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "अत्र भवान् निम्नलिखित-shortcuts विषये UniGetUI इत्यस्य व्यवहारं परिवर्तयितुं शक्नोति। shortcut चयनं कृत्वा यदि भविष्यात् upgrade काले तत् निर्मीयते तर्हि UniGetUI तत् अपासारयिष्यति। चयनं निष्कास्य shortcut अक्षुण्णं भविष्यति।", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "नमस्ते, मम नाम Martí, अहं WingetUI इत्यस्य developer अस्मि। WingetUI सर्वथा मम अवकाशकाले निर्मितम्!", "Hide details": "विवरणानि गोपयतु", - "homepage": "मुख्यपुटम्", - "Hooray! No updates were found.": "साधु! updates न लब्धाः।", "How should installations that require administrator privileges be treated?": "येषां installations कृते administrator privileges आवश्यकाः, ताः कथं व्यवहर्तव्याः?", - "How to add packages to a bundle": "bundle इत्यस्मिन् packages कथं योजनीयानि", - "I understand": "अहं बोधामि", - "Icons": "चिह्नानि", - "Id": "परिचयः", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "यदि cloud backup सक्रियीकृतम् अस्ति, तर्हि एतस्मिन् खाते GitHub Gist रूपेण रक्षितं भविष्यति", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "bundle तः packages आयातकाले custom pre-install तथा post-install commands उपेक्षध्वम्", - "Ignore future updates for this package": "अस्य package इत्यस्य भविष्यत्-updates उपेक्षध्वम्", - "Ignore packages from {pm} when showing a notification about updates": "updates विषये notification दर्शने {pm} तः packages उपेक्षध्वम्", - "Ignore selected packages": "चयनित-packages उपेक्षध्वम्", - "Ignore special characters": "विशेष-अक्षराणि उपेक्षध्वम्", "Ignore updates for the selected packages": "चयनित-packages कृते updates उपेक्षध्वम्", - "Ignore updates for this package": "अस्य package इत्यस्य updates उपेक्षध्वम्", "Ignored updates": "उपेक्षित-updates", - "Ignored version": "उपेक्षित-संस्करणम्", - "Import": "आयातयतु", "Import packages": "packages आयातयतु", "Import packages from a file": "file तः packages आयातयतु", - "Import settings from a local file": "स्थानीय-file तः settings आयातयतु", - "In order to add packages to a bundle, you will need to: ": "bundle मध्ये packages योजयितुं भवता एतत् आवश्यकम्:", "Initializing WingetUI...": "WingetUI आरभ्यते...", - "install": "स्थापयतु", - "Install Scoop": "Scoop स्थापयतु", "Install and more": "स्थापयतु तथा अधिकम्", "Install and update preferences": "स्थापन-तथा-अद्यतन-अभिरुचयः", - "Install as administrator": "administrator रूपेण स्थापयतु", - "Install available updates automatically": "उपलब्ध-updates स्वयमेव स्थापयतु", - "Install location can't be changed for {0} packages": "{0} packages कृते install location परिवर्तयितुं न शक्यते", - "Install location:": "स्थापन-स्थानम्:", - "Install options": "स्थापन-विकल्पाः", "Install packages from a file": "file तः packages स्थापयतु", - "Install prerelease versions of UniGetUI": "UniGetUI इत्यस्य prerelease versions स्थापयतु", - "Install script": "स्थापन-script", "Install selected packages": "चयनित-packages स्थापयतु", "Install selected packages with administrator privileges": "administrator privileges सहितं चयनित-packages स्थापयतु", - "Install selection": "चयनं स्थापयतु", "Install the latest prerelease version": "नवीनतम prerelease version स्थापयतु", "Install updates automatically": "updates स्वयमेव स्थापयतु", - "Install {0}": "{0} स्थापयतु", "Installation canceled by the user!": "स्थापनं उपयोक्त्रा निरस्तम्!", - "Installation failed": "स्थापनं विफलम्", - "Installation options": "स्थापन-विकल्पाः", - "Installation scope:": "स्थापन-परिधिः:", - "Installation succeeded": "स्थापनं सफलम्", "Installed packages": "स्थापित-packages", - "Installed Version": "स्थापित-संस्करणम्", - "Installer SHA256": "स्थापक SHA256", - "Installer SHA512": "स्थापक SHA512", - "Installer Type": "Installer प्रकारः", - "Installer URL": "स्थापक URL", - "Installer not available": "Installer उपलब्धः नास्ति", "Instance {0} responded, quitting...": "Instance {0} प्रत्युत्तरम् अदात्, निर्गच्छति...", - "Instant search": "क्षणिक-अन्वेषणम्", - "Integrity checks can be disabled from the Experimental Settings": "Integrity checks Experimental Settings तः निष्क्रियं कर्तुं शक्यन्ते", - "Integrity checks skipped": "Integrity checks लङ्घितानि", - "Integrity checks will not be performed during this operation": "अस्मिन् कार्ये Integrity checks न क्रियन्ते", - "Interactive installation": "interactive स्थापना", - "Interactive operation": "interactive क्रिया", - "Interactive uninstall": "परस्परक्रियात्मक uninstall", - "Interactive update": "परस्परक्रियात्मक update", - "Internet connection settings": "internet-संयोजन-विन्यासाः", - "Invalid selection": "अमान्य-चयनम्", "Is this package missing the icon?": "अस्य package इत्यस्य icon अनुपस्थितम् किम्?", - "Is your language missing or incomplete?": "भवतः भाषा अनुपस्थितास्ति वा अपूर्णा अस्ति किम्?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "प्रदत्त credentials सुरक्षितरूपेण रक्षितानि भविष्यन्ति इति न सुनिश्चितम्, अतः बैंक-खातस्य credentials मा उपयोजयतु।", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet मरम्मतस्य अनन्तरं UniGetUI पुनरारभितुं अनुशंस्यते", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "अस्य स्थितेः समाधानाय UniGetUI पुनः स्थापयितुं दृढतया अनुशंस्यते।", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet सम्यक् कार्यं न करोति इव दृश्यते। WinGet मरम्मतुं प्रयत्नं कर्तुम् इच्छसि किम्?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "भवान् WingetUI administrator रूपेण चालितवान् इव दृश्यते, यत् न अनुशंस्यते। भवान् कार्यक्रमं अद्यापि उपयोक्तुं शक्नोति, किन्तु WingetUI administrator privileges सह न चालयितव्यम् इति वयं दृढतया अनुशंसामः। कारणं द्रष्टुं \"{showDetails}\" इत्यत्र क्लिक् कुरुत।", - "Language": "भाषा", - "Language, theme and other miscellaneous preferences": "भाषा, theme तथा अन्याः miscellaneous अभिरुचयः", - "Last updated:": "अन्तिमवारम् अद्यतनम्:", - "Latest": "नवीनतमम्", "Latest Version": "नवीनतम-संस्करणम्", "Latest Version:": "नवीनतम-संस्करणम्:", "Latest details...": "नवीनतम-विवरणानि...", "Launching subprocess...": "subprocess आरभ्यते...", - "Leave empty for default": "मूलनिर्धारणाय रिक्तं त्यजतु", - "License": "अनुज्ञापत्रम्", "Licenses": "अनुज्ञापत्राणि", - "Light": "प्रकाशः", - "List": "सूची", "Live command-line output": "सजीव command-line output", - "Live output": "सजीव output", "Loading UI components...": "UI घटकाः load क्रियन्ते...", "Loading WingetUI...": "WingetUI load क्रियते...", - "Loading packages": "packages load क्रियन्ते", - "Loading packages, please wait...": "packages load क्रियन्ते, कृपया प्रतीक्षताम्...", - "Loading...": "load क्रियते...", - "Local": "स्थानीयम्", - "Local PC": "स्थानीय PC", - "Local backup advanced options": "स्थानीय backup उन्नत-विकल्पाः", "Local machine": "स्थानीय-यन्त्रम्", - "Local package backup": "स्थानीय package backup", "Locating {pm}...": "{pm} अन्विष्यते...", - "Log in": "प्रविशतु", - "Log in failed: ": "प्रवेशः विफलः:", - "Log in to enable cloud backup": "cloud backup सक्रियीकरणाय प्रविशतु", - "Log in with GitHub": "GitHub सह प्रविशतु", - "Log in with GitHub to enable cloud package backup.": "cloud package backup सक्रियीकरणाय GitHub सह प्रविशतु।", - "Log level:": "log स्तरः:", - "Log out": "निर्गच्छतु", - "Log out failed: ": "निर्गमनं विफलम्:", - "Log out from GitHub": "GitHub तः निर्गच्छतु", "Looking for packages...": "packages अन्विष्यन्ते...", "Machine | Global": "यन्त्रम् | वैश्विकम्", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "विकृताः command-line arguments packages भङ्गयितुं शक्नुवन्ति, अथवा दुष्टकर्तारं privileged execution प्राप्तुं अपि अनुमन्येयुः। अतः custom command-line arguments आयातनं पूर्वनिर्धारितरूपेण निष्क्रियं कृतम् अस्ति।", - "Manage": "प्रबन्धय", - "Manage UniGetUI settings": "UniGetUI settings प्रबन्धय", "Manage WingetUI autostart behaviour from the Settings app": "Settings app मध्ये UniGetUI स्वयमारम्भ-व्यवहारं प्रबन्धय", "Manage ignored packages": "उपेक्षित-packages प्रबन्धय", - "Manage ignored updates": "उपेक्षित-अद्यतनानि प्रबन्धय", - "Manage shortcuts": "shortcuts प्रबन्धय", - "Manage telemetry settings": "telemetry settings प्रबन्धय", - "Manage {0} sources": "{0} स्रोतांसि प्रबन्धय", - "Manifest": "manifest", "Manifests": "manifests", - "Manual scan": "हस्तचालित-स्कैन", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft इत्यस्य आधिकारिकः package manager। सुप्रसिद्धैः सत्यापितैश्च packages पूर्णः
अन्तर्भवति: सामान्य software, Microsoft Store apps", - "Missing dependency": "अनुपस्थित-निर्भरता", - "More": "अधिकम्", - "More details": "अधिक-विवरणानि", - "More details about the shared data and how it will be processed": "साम्भाजित-दत्तांशस्य तथा तस्य प्रक्रिया-रीतेः अधिक-विवरणानि", - "More info": "अधिक-सूचना", - "More than 1 package was selected": "एकात् अधिकं package चयनितम्", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "टिप्पणी: अयं troubleshooter UniGetUI Settings इत्यत्र WinGet विभागे निष्क्रियः कर्तुं शक्यते", - "Name": "नाम", - "New": "नवम्", - "New version": "नूतनं संस्करणम्", + "New Version": "नूतनं संस्करणम्", "New bundle": "नूतनं bundle", - "Nice! Backups will be uploaded to a private gist on your account": "उत्तमम्! backups भवतः account इत्यस्मिन् निजी gist मध्ये अपलोड् भविष्यन्ति", - "No": "न", - "No applicable installer was found for the package {0}": "package {0} कृते उपयुक्तः installer न लब्धः", - "No dependencies specified": "निर्भरताः निर्दिष्टाः न सन्ति", - "No new shortcuts were found during the scan.": "scan काले नूतनानि shortcuts न लब्धानि।", - "No package was selected": "किमपि package न चयनितम्", "No packages found": "packages न लब्धानि", "No packages found matching the input criteria": "प्रविष्ट-मानदण्डैः अनुरूपाणि packages न लब्धानि", "No packages have been added yet": "अद्यापि packages न योजितानि", "No packages selected": "packages न चयनितानि", - "No packages were found": "packages न लब्धानि", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "काचिदपि व्यक्तिगत-सूचना न संगृह्यते न प्रेष्यते च, संगृहीत-दत्तांशश्च अनामिकीकृतः अस्ति, अतः सः पुनः त्वयि अनुसर्तुं न शक्यते।", - "No results were found matching the input criteria": "प्रविष्ट-मानदण्डैः अनुरूपाणि परिणामानि न लब्धानि", "No sources found": "स्रोतांसि न लब्धानि", "No sources were found": "स्रोतांसि न लब्धानि", "No updates are available": "अद्यतनानि उपलब्धानि न सन्ति", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS इत्यस्य package manager। javascript-जगतः परिभ्रमन्तीभिः libraries तथा अन्याभिः utilities पूर्णः
अन्तर्भवति: Node javascript libraries तथा अन्याः सम्बद्ध-utilities", - "Not available": "उपलब्धं नास्ति", - "Not finding the file you are looking for? Make sure it has been added to path.": "यत् file अन्विष्यसि तत् न लभ्यते किम्? तत् path मध्ये योजितम् इति सुनिश्चितं कुरु।", - "Not found": "न लब्धम्", - "Not right now": "अधुना न", "Notes:": "टिप्पण्यः:", - "Notification preferences": "सूचना-अभिरुचयः", "Notification tray options": "notification tray विकल्पाः", - "Notification types": "सूचना-प्रकाराः", - "NuPkg (zipped manifest)": "NuPkg (सङ्कुचित manifest)", "Ok": "अस्तु", - "Open": "उद्घाटय", "Open GitHub": "GitHub उद्घाटय", - "Open UniGetUI": "UniGetUI उद्घाटय", - "Open UniGetUI security settings": "UniGetUI सुरक्षा-settings उद्घाटय", "Open WingetUI": "UniGetUI उद्घाटय", "Open backup location": "backup स्थानम् उद्घाटय", "Open existing bundle": "विद्यमानं bundle उद्घाटय", - "Open install location": "स्थापन-स्थानम् उद्घाटय", "Open the welcome wizard": "स्वागत-wizard उद्घाटय", - "Operation canceled by user": "उपयोक्त्रा operation निरस्तम्", "Operation cancelled": "operation निरस्तम्", - "Operation history": "operation-इतिहासः", - "Operation in progress": "operation प्रचलति", - "Operation on queue (position {0})...": "queue मध्ये operation ({0} स्थानम्)...", - "Operation profile:": "operation-profile:", "Options saved": "विकल्पाः संगृहीताः", - "Order by:": "क्रमेण:", - "Other": "अन्यत्", - "Other settings": "अन्ये settings", - "Package": "पैकेज्", - "Package Bundles": "पैकेज्-बण्डल्स्", - "Package ID": "पैकेज् ID", - "Package manager": "पैकेज्-प्रबन्धकः", - "Package Manager logs": "पैकेज्-प्रबन्धक-logs", + "Package Manager": "पैकेज्-प्रबन्धकः", "Package managers": "पैकेज्-प्रबन्धकाः", - "Package Name": "पैकेज्-नाम", - "Package backup": "पैकेज्-backup", - "Package backup settings": "पैकेज्-backup settings", - "Package bundle": "पैकेज्-bundle", - "Package details": "पैकेज्-विवरणानि", - "Package lists": "पैकेज्-सूचयः", - "Package management made easy": "पैकेज्-प्रबन्धनं सुलभं कृतम्", - "Package manager preferences": "पैकेज्-प्रबन्धक-अभिरुचयः", - "Package not found": "पैकेज् न लब्धम्", - "Package operation preferences": "पैकेज्-operation अभिरुचयः", - "Package update preferences": "पैकेज्-अद्यतन-अभिरुचयः", "Package {name} from {manager}": "{manager} तः पैकेज् {name}", - "Package's default": "पैकेजस्य पूर्वनिर्धारितम्", "Packages": "पैकेजाः", "Packages found: {0}": "लब्ध-पैकेजाः: {0}", - "Partially": "आंशिकरूपेण", - "Password": "गुह्यशब्दः", "Paste a valid URL to the database": "database कृते वैधं URL आरोपय", - "Pause updates for": "अद्यतनानि विरमयतु", "Perform a backup now": "इदानीं backup कुरु", - "Perform a cloud backup now": "इदानीं cloud backup कुरु", - "Perform a local backup now": "इदानीं local backup कुरु", - "Perform integrity checks at startup": "आरम्भकाले integrity checks कुरु", - "Performing backup, please wait...": "backup क्रियते, कृपया प्रतीक्षस्व...", "Periodically perform a backup of the installed packages": "स्थापित-पैकेजानां backup आवधिकरूपेण कुरु", - "Periodically perform a cloud backup of the installed packages": "स्थापित-पैकेजानां cloud backup आवधिकरूपेण कुरु", - "Periodically perform a local backup of the installed packages": "स्थापित-पैकेजानां local backup आवधिकरूपेण कुरु", - "Please check the installation options for this package and try again": "अस्य पैकेजस्य स्थापना-विकल्पान् परीक्ष्य पुनः प्रयतस्व", - "Please click on \"Continue\" to continue": "अग्रे गन्तुं \"Continue\" इत्यत्र क्लिक् कुरु", "Please enter at least 3 characters": "कृपया न्यूनातिन्यूनं 3 अक्षराणि प्रविश", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "कृपया ज्ञापयामः यत् अस्मिन् यन्त्रे सक्षमितैः package managers कारणात् केचन packages स्थापनीयाः न भवेयुः।", - "Please note that not all package managers may fully support this feature": "कृपया ज्ञापयामः यत् सर्वे package managers एतत् feature पूर्णतया न समर्थयेयुः।", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "कृपया ज्ञापयामः यत् केषाञ्चन स्रोतसां packages निर्यातयितुं न शक्येरन्। ते धूसरिताः कृताः सन्ति तथा निर्यातिताः न भविष्यन्ति।", - "Please run UniGetUI as a regular user and try again.": "कृपया UniGetUI सामान्य-उपयोक्तृरूपेण चालयित्वा पुनः प्रयतस्व।", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "कृपया Command-line Output पश्यतु अथवा समस्यायाः विषये अधिक-सूचनार्थं Operation History प्रति सन्दर्भं कुरु।", "Please select how you want to configure WingetUI": "कृपया UniGetUI कथं विन्यस्तुं इच्छसि तत् चयनय", - "Please try again later": "कृपया पश्चात् पुनः प्रयतस्व", "Please type at least two characters": "कृपया न्यूनातिन्यूनं द्वे अक्षरे लिख", - "Please wait": "कृपया प्रतीक्षस्व", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} स्थाप्यते यावत् कृपया प्रतीक्षस्व। कृष्णा window दृश्येत। सा यावत् न पिधीयते तावत् प्रतीक्षस्व।", - "Please wait...": "कृपया प्रतीक्षस्व...", "Portable": "पोर्टेबल्", - "Portable mode": "पोर्टेबल्-मोडः\n", - "Post-install command:": "स्थापनोत्तर-command:", - "Post-uninstall command:": "अनस्थापनोत्तर-command:", - "Post-update command:": "अद्यतनोत्तर-command:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell इत्यस्य package manager। PowerShell क्षमताः विस्तरयितुं libraries तथा scripts अन्विष्यताम्
अन्तर्भवति: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "पूर्व-पर-स्थापन commands यदि तथैव निर्मिताः स्युः तर्हि तव उपकरणे अत्यन्तं हानिकराणि कर्माणि कर्तुं शक्नुवन्ति। यदि तस्य package bundle इत्यस्य स्रोतसि विश्वासो नास्ति तर्हि bundle तः commands आयातयितुं महद् जोखिमम्।", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "पूर्व-पर-स्थापन commands पैकेजस्य स्थापना, उन्नयन, अनस्थापनयोः पूर्वं पश्चाच्च चलिष्यन्ति। सावधानतया न प्रयुक्ताः चेत् ते वस्तूनि भङ्गयितुं शक्नुवन्ति।", - "Pre-install command:": "स्थापनपूर्व-command:", - "Pre-uninstall command:": "अनस्थापनपूर्व-command:", - "Pre-update command:": "अद्यतनपूर्व-command:", - "PreRelease": "पूर्व-प्रकाशनम्", - "Preparing packages, please wait...": "पैकेजाः सज्जीकुर्वन्ते, कृपया प्रतीक्षस्व...", - "Proceed at your own risk.": "स्वीय-जोखिमेन अग्रे गच्छ।", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator अथवा GSudo द्वारा कस्यापि Elevation प्रकारस्य निषेधं कुरु", - "Proxy URL": "proxy URL", - "Proxy compatibility table": "proxy compatibility table", - "Proxy settings": "proxy विन्यासाः", - "Proxy settings, etc.": "Proxy settings इत्यादयः", "Publication date:": "प्रकाशन-तिथिः:", - "Publisher": "प्रकाशकः", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python इत्यस्य library manager। python libraries तथा अन्याभिः python-सम्बद्ध-utilities इत्यैः पूर्णः
अन्तर्भवति: Python libraries and related utilities", - "Quit": "निर्गच्छ", "Quit WingetUI": "UniGetUI त्यज", - "Ready": "सज्जम्", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts न्यूनीकरोतु, स्थापनेषु पूर्वनिर्धारितरूपेण elevation ददातु, केचन जोखिमपूर्ण features उद्घाटयतु, इत्यादि।", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "प्रभावित-file(s) विषये अधिक-विवरणानि प्राप्तुं UniGetUI Logs प्रति सन्दर्भं कुरु", - "Reinstall": "पुनः स्थापय", - "Reinstall package": "पैकेज् पुनः स्थापय", - "Related settings": "सम्बद्ध settings", - "Release notes": "प्रकाशन-टिप्पण्यः", - "Release notes URL": "प्रकाशन-टिप्पणी URL", "Release notes URL:": "प्रकाशन-टिप्पणी URL:", "Release notes:": "प्रकाशन-टिप्पण्यः:", "Reload": "पुनर्लोडय", - "Reload log": "log पुनर्लोडय", "Removal failed": "अपसारणं विफलम्", "Removal succeeded": "अपसारणं सफलम्", - "Remove from list": "सूच्यातः अपाकुरु", "Remove permanent data": "स्थायि-दत्तांशम् अपाकुरु", - "Remove selection from bundle": "bundle तः चयनम् अपाकुरु", "Remove successful installs/uninstalls/updates from the installation list": "सफलानि installs/uninstalls/updates स्थापना-सूच्याः अपाकुरु", - "Removing source {source}": "स्रोतः {source} अपाक्रियते", - "Removing source {source} from {manager}": "{manager} तः स्रोतः {source} अपाक्रियते", - "Repair UniGetUI": "UniGetUI मरम्मतु", - "Repair WinGet": "WinGet मरम्मतु", - "Report an issue or submit a feature request": "समस्यां निवेदय अथवा feature request प्रेषय", "Repository": "भण्डारः", - "Reset": "पुनर्स्थापय", "Reset Scoop's global app cache": "Scoop इत्यस्य वैश्विक app cache पुनर्स्थापय", - "Reset UniGetUI": "UniGetUI पुनर्स्थापय", - "Reset WinGet": "WinGet पुनर्स्थापय", "Reset Winget sources (might help if no packages are listed)": "WinGet स्रोतांसि पुनर्स्थापय (यदि packages न सूचीकृतानि स्युः तर्हि साहाय्यं कुर्यात्)", - "Reset WingetUI": "UniGetUI पुनर्स्थापय", "Reset WingetUI and its preferences": "UniGetUI तथा तस्य अभिरुचयः पुनर्स्थापय", "Reset WingetUI icon and screenshot cache": "UniGetUI icon तथा screenshot cache पुनर्स्थापय", - "Reset list": "सूचीं पुनर्स्थापय", "Resetting Winget sources - WingetUI": "WinGet स्रोतांसि पुनर्स्थाप्यन्ते - UniGetUI", - "Restart": "पुनरारभस्व", - "Restart UniGetUI": "UniGetUI पुनरारभस्व", - "Restart WingetUI": "UniGetUI पुनरारभस्व", - "Restart WingetUI to fully apply changes": "परिवर्तनानि पूर्णतया लागूकर्तुं UniGetUI पुनरारभस्व", - "Restart later": "पश्चात् पुनरारभस्व", "Restart now": "अधुना पुनरारभस्व", - "Restart required": "पुनरारम्भः अपेक्षितः", "Restart your PC to finish installation": "स्थापनं समाप्तुं स्वीयं PC पुनरारभस्व", "Restart your computer to finish the installation": "स्थापनं समाप्तुं स्वीयं computer पुनरारभस्व", - "Restore a backup from the cloud": "cloud तः backup पुनर्स्थापय", - "Restrictions on package managers": "package managers विषये प्रतिबन्धाः", - "Restrictions on package operations": "package operations विषये प्रतिबन्धाः", - "Restrictions when importing package bundles": "package bundles आयातकाले प्रतिबन्धाः", - "Retry": "पुनः प्रयतस्व", - "Retry as administrator": "administrator रूपेण पुनः प्रयतस्व", "Retry failed operations": "विफल-operation पुनः प्रयतस्व", - "Retry interactively": "interactive रूपेण पुनः प्रयतस्व", - "Retry skipping integrity checks": "integrity checks त्यक्त्वा पुनः प्रयतस्व", "Retrying, please wait...": "पुनः प्रयत्नः क्रियते, कृपया प्रतीक्षस्व...", "Return to top": "शीर्षं प्रति प्रत्यागच्छ", - "Run": "चालय", - "Run as admin": "admin रूपेण चालय", - "Run cleanup and clear cache": "cleanup चालय तथा cache शुद्धीकुरु", - "Run last": "अन्तिमं चालय", - "Run next": "अनन्तरं चालय", - "Run now": "अधुना चालय", "Running the installer...": "installer चलति...", "Running the uninstaller...": "uninstaller चलति...", "Running the updater...": "updater चलति...", - "Save": "संगृहाण", "Save File": "सञ्चिकां संगृहाण", - "Save and close": "संगृह्य पिधाय", - "Save as": "इति नाम्ना संगृहाण", "Save bundle as": "bundle इति नाम्ना संगृहाण", "Save now": "अधुना संगृहाण", - "Saving packages, please wait...": "पैकेजाः संगृह्यन्ते, कृपया प्रतीक्षस्व...", - "Scoop Installer - WingetUI": "Scoop स्थापक - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop अनस्थापक - UniGetUI", - "Scoop package": "Scoop पैकेज्", "Search": "अन्वेषय", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "desktop software अन्वेषय, updates उपलब्धाः सन्ति चेत् मां सूचय, तथा nerdy कार्याणि मा कुरु। अहं न इच्छामि यत् UniGetUI अत्यधिकं जटिलं भवेत्; मम केवलं सरलः software store अपेक्षितः।", - "Search for packages": "packages अन्वेषय", - "Search for packages to start": "आरम्भार्थं packages अन्वेषय", - "Search mode": "अन्वेषण-रीतिः", "Search on available updates": "उपलब्ध-अद्यतनेषु अन्वेषणम्", "Search on your software": "तव software मध्ये अन्वेषणम्", "Searching for installed packages...": "स्थापित-पैकेजानि अन्विष्यन्ते...", "Searching for packages...": "packages अन्विष्यन्ते...", "Searching for updates...": "अद्यतनानि अन्विष्यन्ते...", - "Select": "चयनय", "Select \"{item}\" to add your custom bucket": "स्वीयं custom bucket योजयितुं \"{item}\" चयनय", "Select a folder": "folder चयनय", - "Select all": "सर्वं चयनय", "Select all packages": "सर्वाणि packages चयनय", - "Select backup": "backup चयनय", "Select only if you know what you are doing.": "यदा त्वं किं करोषि इति जानासि तदा एव चयनय।", "Select package file": "package सञ्चिकां चयनय", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "यत् backup उद्घाटयितुम् इच्छसि तत् चयनय। पश्चात् केषु packages स्थापनीयाः इति समीक्षितुं शक्नोषि।", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "उपयोक्तव्यं executable चयनय। अधोलिखिता सूची UniGetUI द्वारा लब्धानि executables दर्शयति।", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "अस्य package स्थापना-अद्यतन-अनस्थापनपूर्वं ये processes पिधातव्याः ते चयनय।", - "Select the source you want to add:": "यत् स्रोतः योजयितुम् इच्छसि तत् चयनय:", - "Select upgradable packages by default": "उन्नेय-packages पूर्वनिर्धारितरूपेण चयनय", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "package managers मध्ये के उपयोक्तव्याः ({0}) इति चयनय, packages कथं स्थाप्यन्ते इति विन्यस्य, administrator अधिकाराः कथं व्यवह्रियन्ते इति प्रबन्धय, इत्यादि।", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "handshake प्रेषितम्। instance listener उत्तरं प्रतीक्ष्यते... ({0}%)", - "Set a custom backup file name": "custom backup सञ्चिका-नाम निर्धारय", "Set custom backup file name": "custom backup सञ्चिका-नाम निर्धारय", - "Settings": "विन्यासाः", - "Share": "साम्भाजय", "Share WingetUI": "UniGetUI साम्भाजय", - "Share anonymous usage data": "अनामिक-उपयोग-दत्तांशं साम्भाजय", - "Share this package": "अयं package साम्भाजय", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "यदि त्वं security settings परिवर्तयसि, तर्हि परिवर्तनानां प्रभावाय bundle पुनरपि उद्घाटयितुं आवश्यकम्।", "Show UniGetUI on the system tray": "system tray मध्ये UniGetUI दर्शय", - "Show UniGetUI's version and build number on the titlebar.": "titlebar मध्ये UniGetUI इत्यस्य version तथा build number दर्शय।", - "Show WingetUI": "UniGetUI दर्शय", "Show a notification when an installation fails": "स्थापना विफला चेत् notification दर्शय", "Show a notification when an installation finishes successfully": "स्थापना सफलतया समाप्ता चेत् notification दर्शय", - "Show a notification when an operation fails": "operation विफलः चेत् notification दर्शय", - "Show a notification when an operation finishes successfully": "operation सफलतया समाप्तः चेत् notification दर्शय", - "Show a notification when there are available updates": "उपलब्ध-अद्यतनानि सन्ति चेत् notification दर्शय", - "Show a silent notification when an operation is running": "operation प्रचलति चेत् निःशब्द notification दर्शय", "Show details": "विवरणानि दर्शय", - "Show in explorer": "explorer मध्ये दर्शय", "Show info about the package on the Updates tab": "Updates tab मध्ये package विषये सूचना दर्शय", "Show missing translation strings": "अनुपस्थित translation strings दर्शय", - "Show notifications on different events": "विविध-घटनासु notifications दर्शय", "Show package details": "package विवरणानि दर्शय", - "Show package icons on package lists": "package सूचिषु package icons दर्शय", - "Show similar packages": "सदृश packages दर्शय", "Show the live output": "सजीव output दर्शय", - "Size": "आकारः", "Skip": "त्यज", - "Skip hash check": "hash check त्यज", - "Skip hash checks": "hash checks त्यज", - "Skip integrity checks": "integrity checks त्यज", - "Skip minor updates for this package": "अस्य package कृते लघ्व-अद्यतनानि त्यज", "Skip the hash check when installing the selected packages": "चयनित-packages स्थापयन् hash check त्यज", "Skip the hash check when updating the selected packages": "चयनित-packages अद्यतयन् hash check त्यज", - "Skip this version": "अयं version त्यज", - "Software Updates": "software अद्यतनानि", - "Something went wrong": "किमपि विपरीतं जातम्", - "Something went wrong while launching the updater.": "updater आरम्भयन् किमपि विपरीतं जातम्।", - "Source": "स्रोतः", - "Source URL:": "स्रोत-URL:", - "Source added successfully": "स्रोतः सफलतया योजितः", "Source addition failed": "स्रोत-योजनं विफलम्", - "Source name:": "स्रोत-नाम:", "Source removal failed": "स्रोत-अपसारणं विफलम्", - "Source removed successfully": "स्रोतः सफलतया अपाकृतः", "Source:": "स्रोतः:", - "Sources": "स्रोतांसि", "Start": "आरभस्व", "Starting daemons...": "daemons आरभ्यन्ते...", - "Starting operation...": "operation आरभ्यते...", "Startup options": "आरम्भ-विकल्पाः", "Status": "स्थितिः", "Stuck here? Skip initialization": "अत्र स्थगितः? initialization त्यज", - "Success!": "सफलम्!", "Suport the developer": "developer समर्थय", "Support me": "मां समर्थय", "Support the developer": "developer समर्थय", "Systems are now ready to go!": "प्रणाल्यः इदानीं सज्जाः सन्ति!", - "Telemetry": "दूरमिति", - "Text": "पाठः", "Text file": "पाठ-सञ्चिका", - "Thank you ❤": "धन्यवादः ❤", "Thank you 😉": "धन्यवादः 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust इत्यस्य package manager.
अन्तर्भवति: Rust libraries तथा Rust मध्ये लिखितानि कार्यक्रमानि", - "The backup will NOT include any binary file nor any program's saved data.": "backup मध्ये काचिदपि binary सञ्चिका न भविष्यति, न च कस्यचित् कार्यक्रमस्य संगृहीत-दत्तांशः।", - "The backup will be performed after login.": "login अनन्तरं backup क्रियते।", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup मध्ये स्थापित-पैकेजानां पूर्णा सूची तथा तेषां स्थापना-विकल्पाः भविष्यन्ति। उपेक्षित-अद्यतनानि तथा त्यक्त-संस्करणानि अपि संगृहीष्यन्ते।", - "The bundle was created successfully on {0}": "bundle {0} तस्मिन् सफलतया निर्मितम्", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "यत् bundle लोड् कर्तुं प्रयतसे तत् अवैधम् इव दृश्यते। कृपया सञ्चिकां परीक्ष्य पुनः प्रयतस्व।", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "installer इत्यस्य checksum अपेक्षित-मूल्येन न संगच्छते, तथा installer इत्यस्य प्रामाणिकता सत्यापयितुं न शक्यते। यदि त्वं publisher विषये विश्वसि, तर्हि hash check त्यक्त्वा package पुनः {0}।", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows कृते पारम्परिकः package manager। तत्र सर्वं प्राप्स्यसि।
अन्तर्भवति: General Software", - "The cloud backup completed successfully.": "cloud backup सफलतया सम्पन्नः।", - "The cloud backup has been loaded successfully.": "cloud backup सफलतया load कृतः।", - "The current bundle has no packages. Add some packages to get started": "वर्तमाने bundle मध्ये packages न सन्ति। आरम्भाय केचन packages योजय।", - "The executable file for {0} was not found": "{0} कृते executable सञ्चिका न लब्धा", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "यदा यदा {0} package स्थाप्यते, उन्नीयते, अथवा अनस्थाप्यते तदा तदा निम्न-विकल्पाः पूर्वनिर्धारितरूपेण प्रयुज्यन्ते।", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "निम्नलिखिताः packages JSON सञ्चिकायां निर्यातिताः भविष्यन्ति। किमपि user data अथवा binaries न संगृहीष्यन्ते।", "The following packages are going to be installed on your system.": "निम्नलिखिताः packages तव प्रणाल्यां स्थाप्यन्ते।", - "The following settings may pose a security risk, hence they are disabled by default.": "निम्नलिखिताः settings सुरक्षा-जोखिमं जनयेयुः, अतः ते पूर्वनिर्धारितरूपेण निष्क्रियाः सन्ति।", - "The following settings will be applied each time this package is installed, updated or removed.": "अयं package यदा स्थाप्यते, अद्यतन्यते, अथवा अपाक्रियते तदा तदा निम्नलिखिताः settings प्रयुज्यन्ते।", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "अयं package यदा स्थाप्यते, अद्यतन्यते, अथवा अपाक्रियते तदा तदा निम्नलिखिताः settings प्रयुज्यन्ते। ते स्वयमेव संगृहीष्यन्ते।", "The icons and screenshots are maintained by users like you!": "icons तथा screenshots त्वद्विधानैः उपयोक्तृभिः पाल्यन्ते!", - "The installation script saved to {0}": "स्थापन-script {0} इत्यत्र संगृहीतः", - "The installer authenticity could not be verified.": "installer इत्यस्य प्रामाणिकता सत्यापयितुं न शक्यत।", "The installer has an invalid checksum": "installer इत्यस्य checksum अवैधः अस्ति", "The installer hash does not match the expected value.": "installer इत्यस्य hash अपेक्षित-मूल्येन न संगच्छते।", - "The local icon cache currently takes {0} MB": "स्थानीयः icon cache अधुना {0} MB गृह्णाति", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "अस्य परियोजनायाः मुख्यलक्ष्यं Winget तथा Scoop इत्यादीनां Windows-सामान्य-CLI package managers प्रबन्धयितुं सहज-बोध्यं UI निर्मातुम् अस्ति।", - "The package \"{0}\" was not found on the package manager \"{1}\"": "package manager \"{1}\" मध्ये package \"{0}\" न लब्धः", - "The package bundle could not be created due to an error.": "दोषकारणात् package bundle निर्मातुं न शक्यत।", - "The package bundle is not valid": "package bundle वैधं नास्ति", - "The package manager \"{0}\" is disabled": "package manager \"{0}\" निष्क्रियः अस्ति", - "The package manager \"{0}\" was not found": "package manager \"{0}\" न लब्धः", "The package {0} from {1} was not found.": "{1} तः package {0} न लब्धः।", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "अत्र सूचीकृताः packages अद्यतन-परीक्षणकाले गणनायां न गृहीष्यन्ते। तेषां अद्यतनानाम् उपेक्षां निरोद्धुं तेषु double-click कुरु अथवा तेषां दक्षिणभागस्थं button क्लिक् कुरु।", "The selected packages have been blacklisted": "चयनित-packages blacklist कृताः सन्ति", - "The settings will list, in their descriptions, the potential security issues they may have.": "settings तेषां विवरणेषु तेषां सम्भावित-सुरक्षा-समस्याः सूचयिष्यन्ति।", - "The size of the backup is estimated to be less than 1MB.": "backup इत्यस्य परिमाणं 1MB तः न्यूनं भविष्यति इति अनुमान्यते।", - "The source {source} was added to {manager} successfully": "स्रोतः {source} सफलतया {manager} मध्ये योजितः", - "The source {source} was removed from {manager} successfully": "स्रोतः {source} सफलतया {manager} तः अपाकृतः", - "The system tray icon must be enabled in order for notifications to work": "notifications कार्यकर्तुं system tray icon सक्षमः भवितुम् आवश्यकः।", - "The update process has been aborted.": "अद्यतन-प्रक्रिया निरस्ता।", - "The update process will start after closing UniGetUI": "UniGetUI पिधाय अनन्तरं अद्यतन-प्रक्रिया आरभ्यते", "The update will be installed upon closing WingetUI": "UniGetUI पिधानकाले अद्यतनं स्थाप्यते", "The update will not continue.": "अद्यतनं अग्रे न गमिष्यति।", "The user has canceled {0}, that was a requirement for {1} to be run": "उपयोक्त्रा {0} निरस्तम्, तत् {1} चलनाय आवश्यकम् आसीत्", - "There are no new UniGetUI versions to be installed": "स्थापनार्थं नूतनानि UniGetUI संस्करणानि न सन्ति", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "प्रचलिताः operations सन्ति। UniGetUI त्यागेन ताः विफलाः भवेयुः। किं त्वम् अग्रे गन्तुम् इच्छसि?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube मध्ये UniGetUI तथा तस्य क्षमताः दर्शयन्ति केचन उत्तमाः videos सन्ति। तत्र उपयोगिनः tricks तथा tips ज्ञातुं शक्यन्ते!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI administrator रूपेण न चालयितव्यं इत्यस्य द्वे मुख्ये कारणे स्तः:\n प्रथमं कारणं यत् Scoop package manager administrator-अधिकारैः चालितः सन् केषुचित् commands मध्ये समस्याः जनयेत्।\n द्वितीयं कारणं यत् UniGetUI administrator रूपेण चलिते सति त्वया अवतारितः कश्चन package administrator रूपेण एव चलिष्यति, यच्च सुरक्षितं नास्ति।\n स्मर यत् यदि कश्चन विशिष्टः package administrator रूपेण स्थापनीयः, तर्हि वस्तुनि दक्षिण-क्लिक् कृत्वा -> Install/Update/Uninstall as administrator इति सर्वदा कर्तुं शक्यते।", - "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" इत्यस्य विन्यासे दोषः अस्ति", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "स्थापना प्रचलति। यदि त्वं UniGetUI पिधासि तर्हि स्थापना विफला भवेत् तथा अप्रत्याशित-परिणामान् जनयेत्। किं त्वम् अद्यापि UniGetUI त्यक्तुम् इच्छसि?", "They are the programs in charge of installing, updating and removing packages.": "ते packages स्थापयितुं, अद्यतयितुं, अपाकर्तुं च उत्तरदायिनः कार्यक्रमाः सन्ति।", - "Third-party licenses": "तृतीय-पक्ष-अनुज्ञापत्राणि", "This could represent a security risk.": "एतत् सुरक्षा-जोखिमम् द्योतयेत्।", - "This is not recommended.": "एतत् न अनुशंस्यते।", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "एतत् सम्भवतः अस्मात् कारणात् यत् त्वभ्यं प्रेषितः package अपाकृतः, अथवा तादृशे package manager मध्ये प्रकाशितः यं त्वं सक्षमं न कृतवान्। प्राप्तः ID {0} अस्ति।", "This is the default choice.": "एषः पूर्वनिर्धारितः विकल्पः अस्ति।", - "This may help if WinGet packages are not shown": "यदि WinGet packages न दर्श्यन्ते तर्हि एतत् साहाय्यं कुर्यात्", - "This may help if no packages are listed": "यदि packages न सूचीकृतानि स्युः तर्हि एतत् साहाय्यं कुर्यात्", - "This may take a minute or two": "एतत् एकं वा द्वौ निमिषौ वा गृह्णीयात्", - "This operation is running interactively.": "अयं operation interactive रूपेण चलति।", - "This operation is running with administrator privileges.": "अयं operation administrator privileges सह चलति।", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "अयं विकल्पः नूनं समस्याः जनयिष्यति। यः कश्चन operation स्वयम् elevate कर्तुं न शक्नोति सः नूनं विफलः भविष्यति। administrator रूपेण install/update/uninstall कार्यं न करिष्यति।", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "अस्मिन् package bundle मध्ये केचन settings सम्भावित-जोखिमपूर्णाः आसन्, अतः ते पूर्वनिर्धारितरूपेण उपेक्षिताः भवितुम् अर्हन्ति।", "This package can be updated": "अयं package अद्यतनीयः अस्ति", "This package can be updated to version {0}": "अयं package संस्करणं {0} पर्यन्तम् अद्यतनीयः अस्ति", - "This package can be upgraded to version {0}": "अयं package संस्करणं {0} पर्यन्तम् उन्नेयः अस्ति", - "This package cannot be installed from an elevated context.": "अयं package elevated context तः स्थापयितुं न शक्यते।", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "अस्य package इत्यस्य screenshots न सन्ति अथवा icon अनुपस्थितम्? अस्माकं उन्मुक्त-सार्वजनिक-database मध्ये अनुपस्थित-icons तथा screenshots योजयित्वा UniGetUI प्रति योगदानं कुरु।", - "This package is already installed": "अयं package पूर्वमेव स्थापितः अस्ति", - "This package is being processed": "अयं package संसाध्यते", - "This package is not available": "अयं package उपलब्धः नास्ति", - "This package is on the queue": "अयं package queue मध्ये अस्ति", "This process is running with administrator privileges": "अयं process administrator privileges सह चलति", - "This project has no connection with the official {0} project — it's completely unofficial.": "अस्य परियोजनायाः आधिकारिकेन {0} परियोजनया सह काचिदपि सम्बन्धता नास्ति — एतत् पूर्णतया अनधिकृतम् अस्ति।", "This setting is disabled": "अयं setting निष्क्रियः अस्ति", "This wizard will help you configure and customize WingetUI!": "अयं wizard त्वां UniGetUI विन्यस्तुं तथा अनुकूलयितुं साहाय्यं करिष्यति!", "Toggle search filters pane": "search filters pane परिवर्तय", - "Translators": "अनुवादकाः", - "Try to kill the processes that refuse to close when requested to": "येषां processes पिधानार्थं अनुरोधे सति अपि न पिधीयन्ते तान् समाप्तुं प्रयतस्व", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "एतत् सक्रियं कृत्वा package managers सह परस्परं कार्यकर्तुं प्रयुज्यमानस्य executable सञ्चिकायाः परिवर्तनं शक्यते। एतेन तव install processes सूक्ष्मतररूपेण अनुकूलयितुं शक्यते, किन्तु एतत् जोखिमपूर्णम् अपि भवेत्।", "Type here the name and the URL of the source you want to add, separed by a space.": "यत् स्रोतः योजयितुम् इच्छसि तस्य नाम URL च अत्र लिख, उभयं space द्वारा पृथक्कृतम्।", "Unable to find package": "package अन्वेष्टुं न शक्यते", "Unable to load informarion": "सूचना load कर्तुं न शक्यते", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "उपयोक्तृ-अनुभवं सुधारयितुं UniGetUI अनामिक-उपयोग-दत्तांशं संगृह्णाति।", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "उपयोक्तृ-अनुभवम् अवगन्तुं सुधारयितुं च केवलं UniGetUI अनामिक-उपयोग-दत्तांशं संगृह्णाति।", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI इत्यनेन नूतनः desktop shortcut ज्ञातः यः स्वयमेव अपाकर्तुं शक्यते।", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI इत्यनेन निम्नलिखिताः desktop shortcuts ज्ञाताः ये भविष्यत् upgrades मध्ये स्वयमेव अपाकर्तुं शक्यन्ते", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI इत्यनेन {0} नूतनाः desktop shortcuts ज्ञाताः ये स्वयमेव अपाकर्तुं शक्यन्ते।", - "UniGetUI is being updated...": "UniGetUI अद्यतन्यते...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI कस्यापि संगत-package manager सह सम्बद्धं नास्ति। UniGetUI स्वतन्त्रः परियोजना अस्ति।", - "UniGetUI on the background and system tray": "background तथा system tray मध्ये UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI अथवा तस्य केचन components अनुपस्थिताः अथवा भ्रष्टाः सन्ति।", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI संचालनाय {0} अपेक्षते, किन्तु तत् तव प्रणाल्यां न लब्धम्।", - "UniGetUI startup page:": "UniGetUI आरम्भ-पृष्ठम्:", - "UniGetUI updater": "UniGetUI अद्यतयिता", - "UniGetUI version {0} is being downloaded.": "UniGetUI संस्करणं {0} अवतार्यते।", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} स्थापयितुं सज्जम् अस्ति।", - "uninstall": "अनस्थापय", - "Uninstall Scoop (and its packages)": "Scoop (तस्य packages च) अनस्थापय", "Uninstall and more": "अनस्थापय तथा अधिकम्", - "Uninstall and remove data": "अनस्थापय तथा दत्तांशम् अपाकुरु", - "Uninstall as administrator": "administrator रूपेण अनस्थापय", "Uninstall canceled by the user!": "अनस्थापनं उपयोक्त्रा निरस्तम्!", - "Uninstall failed": "अनस्थापनं विफलम्", - "Uninstall options": "अनस्थापन-विकल्पाः", - "Uninstall package": "package अनस्थापय", - "Uninstall package, then reinstall it": "package अनस्थापय, ततः पुनः स्थापय", - "Uninstall package, then update it": "package अनस्थापय, ततः अद्यतय", - "Uninstall previous versions when updated": "अद्यतनकाले पूर्व-संस्करणानि अनस्थापय", - "Uninstall selected packages": "चयनित-packages अनस्थापय", - "Uninstall selection": "चयनम् अनस्थापय", - "Uninstall succeeded": "अनस्थापनं सफलम्", "Uninstall the selected packages with administrator privileges": "चयनित-packages administrator privileges सह अनस्थापय", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "येषां uninstallable packages इत्येषां origin \"{0}\" इति सूचीकृतः, ते कस्यापि package manager मध्ये प्रकाशिताः न सन्ति, अतः तेषां विषये दर्शयितुं काचित् सूचना उपलब्धा नास्ति।", - "Unknown": "अज्ञातम्", - "Unknown size": "अज्ञात-आकारः", - "Unset or unknown": "अनिर्धारितम् अथवा अज्ञातम्", - "Up to date": "अद्यतनम् अस्ति", - "Update": "अद्यतय", - "Update WingetUI automatically": "UniGetUI स्वयमेव अद्यतय", - "Update all": "सर्वम् अद्यतय", "Update and more": "अद्यतय तथा अधिकम्", - "Update as administrator": "administrator रूपेण अद्यतय", - "Update check frequency, automatically install updates, etc.": "अद्यतन-परीक्षण-आवृत्तिः, updates स्वयमेव स्थापयितुम्, इत्यादि।", - "Update checking": "अद्यतन-परीक्षणम्", "Update date": "अद्यतन-तिथिः", - "Update failed": "अद्यतनं विफलम्", "Update found!": "अद्यतनं लब्धम्!", - "Update now": "अधुना अद्यतय", - "Update options": "अद्यतन-विकल्पाः", "Update package indexes on launch": "आरम्भकाले package indexes अद्यतय", "Update packages automatically": "packages स्वयमेव अद्यतय", "Update selected packages": "चयनित-packages अद्यतय", "Update selected packages with administrator privileges": "चयनित-packages administrator privileges सह अद्यतय", - "Update selection": "चयनम् अद्यतय", - "Update succeeded": "अद्यतनं सफलम्", - "Update to version {0}": "संस्करणं {0} पर्यन्तम् अद्यतय", - "Update to {0} available": "{0} पर्यन्तम् अद्यतनम् उपलब्धम्", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg इत्यस्य Git portfiles स्वयमेव अद्यतय (Git स्थापितम् अपेक्षितम्)", "Updates": "अद्यतनानि", "Updates available!": "अद्यतनानि उपलब्धानि!", - "Updates for this package are ignored": "अस्य package कृते अद्यतनानि उपेक्षितानि सन्ति", - "Updates found!": "अद्यतनानि लब्धानि!", "Updates preferences": "अद्यतन-अभिरुचयः", "Updating WingetUI": "UniGetUI अद्यतन्यते", "Url": "जालसंज्ञा", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets इत्यस्य स्थाने Legacy bundled WinGet उपयोजय", - "Use a custom icon and screenshot database URL": "custom icon तथा screenshot database URL उपयोजय", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets इत्यस्य स्थाने bundled WinGet उपयोजय", - "Use bundled WinGet instead of system WinGet": "system WinGet इत्यस्य स्थाने bundled WinGet उपयोजय", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator इत्यस्य स्थाने स्थापितं GSudo उपयोजय", "Use installed GSudo instead of the bundled one": "bundled GSudo इत्यस्य स्थाने स्थापितं GSudo उपयोजय", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "legacy UniGetUI Elevator उपयोजय (AdminByRequest support निष्क्रियं कुरु)", - "Use system Chocolatey": "system Chocolatey उपयोजय", "Use system Chocolatey (Needs a restart)": "system Chocolatey उपयोजय (पुनरारम्भः अपेक्षितः)", "Use system Winget (Needs a restart)": "system WinGet उपयोजय (पुनरारम्भः अपेक्षितः)", "Use system Winget (System language must be set to english)": "system WinGet उपयोजय (प्रणाली-भाषा English इति स्थापनीया)", "Use the WinGet COM API to fetch packages": "packages प्राप्तुं WinGet COM API उपयोजय", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API इत्यस्य स्थाने WinGet PowerShell Module उपयोजय", - "Useful links": "उपयोगिनः links", "User": "उपयोक्ता", - "User interface preferences": "उपयोक्ता-अन्तरफल-अभिरुचयः", "User | Local": "उपयोक्ता | स्थानीयम्", - "Username": "उपयोक्तृनाम", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI उपयोक्तुं GNU Lesser General Public License v2.1 इत्यस्य स्वीकृतिः सूच्यते", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI उपयोक्तुं MIT License इत्यस्य स्वीकृतिः सूच्यते", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root न लब्धः। कृपया %VCPKG_ROOT% environment variable निर्धारय अथवा UniGetUI Settings तः निर्धारय।", "Vcpkg was not found on your system.": "तव प्रणाल्यां Vcpkg न लब्धः।", - "Verbose": "विस्तृतम्", - "Version": "संस्करणम्", - "Version to install:": "स्थापनार्थं संस्करणम्:", - "Version:": "संस्करणम्:", - "View GitHub Profile": "GitHub Profile पश्य", "View WingetUI on GitHub": "GitHub मध्ये UniGetUI पश्य", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI इत्यस्य source code पश्य। तत्र bugs निवेदयितुं, features सूचयितुं, अथवा प्रत्यक्षं UniGetUI परियोजनायां योगदानं दातुं शक्यते।", - "View mode:": "दर्शन-रीतिः:", - "View on UniGetUI": "UniGetUI मध्ये पश्य", - "View page on browser": "browser मध्ये पृष्ठं पश्य", - "View {0} logs": "{0} logs पश्य", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet-संयोजनम् अपेक्षन्ते यानि कार्याणि तानि कर्तुं प्रयतमानः सन् उपकरणं प्रथमं internet सह सम्बद्धं भवतु इति प्रतीक्षस्व।", "Waiting for other installations to finish...": "अन्य-स्थापनानि समाप्तुं प्रतीक्ष्यते...", "Waiting for {0} to complete...": "{0} सम्पन्नं भवितुं प्रतीक्ष्यते...", - "Warning": "चेतावनी", - "Warning!": "चेतावनी!", - "We are checking for updates.": "वयं अद्यतनानि परीक्षामहे।", "We could not load detailed information about this package, because it was not found in any of your package sources": "अस्य package विषये विस्तृत-सूचना load कर्तुं न शक्नुमः, यतः एषः तव package sources मध्ये कस्यामपि न लब्धः।", "We could not load detailed information about this package, because it was not installed from an available package manager.": "अस्य package विषये विस्तृत-सूचना load कर्तुं न शक्नुमः, यतः एषः उपलब्धात् package manager तः न स्थापितः।", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "वयं {package} इत्येतत् {action} कर्तुं न अशक्नुम। कृपया पश्चात् पुनः प्रयतस्व। installer तः logs प्राप्तुं \"{showDetails}\" इत्यत्र क्लिक् कुरु।", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "वयं {package} इत्येतत् {action} कर्तुं न अशक्नुम। कृपया पश्चात् पुनः प्रयतस्व। uninstaller तः logs प्राप्तुं \"{showDetails}\" इत्यत्र क्लिक् कुरु।", "We couldn't find any package": "वयं किमपि package न अलभामहि", "Welcome to WingetUI": "UniGetUI मध्ये स्वागतं ते", - "When batch installing packages from a bundle, install also packages that are already installed": "bundle तः batch स्थापना कुर्वन् पूर्वमेव स्थापितान् packages अपि स्थापय", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "नूतनाः shortcuts ज्ञायमाने अस्य dialog दर्शनस्य स्थाने तान् स्वयमेव अपाकुरु।", - "Which backup do you want to open?": "कं backup उद्घाटयितुम् इच्छसि?", "Which package managers do you want to use?": "के package managers उपयोक्तुम् इच्छसि?", "Which source do you want to add?": "कं स्रोतः योजयितुम् इच्छसि?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "यद्यपि WinGet UniGetUI अन्तर्गतं उपयोक्तुं शक्यते, तथापि UniGetUI अन्यैः package managers सह अपि उपयोक्तुं शक्यते, यत् किञ्चित् भ्रमजनकं भवेत्। पूर्वं UniGetUI केवलं WinGet सह कार्याय निर्मितम् आसीत्, किन्तु अधुना तत् सत्यं नास्ति, अतः UniGetUI अस्य परियोजनायाः भावि-लक्ष्यं न निरूपयति।", - "WinGet could not be repaired": "WinGet मरम्मतुं न शक्यत", - "WinGet malfunction detected": "WinGet विकारः ज्ञातः", - "WinGet was repaired successfully": "WinGet सफलतया मरम्मितः", "WingetUI": "UniGetUI अनुप्रयोगः", "WingetUI - Everything is up to date": "UniGetUI - सर्वम् अद्यतनम् अस्ति", "WingetUI - {0} updates are available": "UniGetUI - {0} अद्यतनानि उपलब्धानि", "WingetUI - {0} {1}": "UniGetUI : {0} {1}", - "WingetUI Homepage": "UniGetUI मुखपृष्ठम्", "WingetUI Homepage - Share this link!": "UniGetUI मुखपृष्ठम् - एतत् link साम्भाजय!", - "WingetUI License": "UniGetUI अनुज्ञापत्रम्", - "WingetUI log": "UniGetUI log-पत्रम्", - "WingetUI Repository": "UniGetUI भण्डारः", - "WingetUI Settings": "UniGetUI विन्यासाः", "WingetUI Settings File": "UniGetUI Settings सञ्चिका", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI निम्नलिखित-libraries उपयोजयति। एताभिः विना UniGetUI सम्भवमेव न स्यात्।", - "WingetUI Version {0}": "UniGetUI संस्करणम् {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostart व्यवहारः, application launch settings", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI तव software कृते उपलब्ध-अद्यतनानि सन्ति वा इति परीक्षितुं शक्नोति, तथा इच्छसि चेत् तानि स्वयमेव स्थापयितुं शक्नोति", - "WingetUI display language:": "UniGetUI प्रदर्शन-भाषा:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI administrator रूपेण चालितम्, यत् न अनुशंस्यते। UniGetUI administrator रूपेण चलति चेत् UniGetUI तः आरब्धः प्रत्येकः operation administrator privileges धारयिष्यति। त्वं कार्यक्रमम् अद्यापि उपयोक्तुं शक्नोषि, किन्तु UniGetUI administrator privileges सह न चालयितव्यम् इति वयं दृढतया अनुशंसामः।", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "स्वयंसेवक-अनुवादकानां कृते UniGetUI 40 तः अधिकासु भाषासु अनूदितम् अस्ति। धन्यवादः 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI machine translation द्वारा अनूदितं नास्ति। निम्नलिखिताः उपयोक्तारः अनुवाद-कार्यस्य उत्तरदायिनः आसन्:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI एषा application अस्ति या तव command-line package managers कृते सर्वसमावेशकं graphical interface प्रदाय software-प्रबन्धनं सुकरं करोति।", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI इत्यस्य नाम परिवर्तनं क्रियते यत् WingetUI (यदन्तरफलम् अधुना त्वं उपयुङ्क्षे) तथा Winget (Microsoft द्वारा विकसितः package manager, येन सह मम सम्बन्धः नास्ति) इत्येतयोः भेदं प्रकाशयितुम्।", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI अद्यतन्यते। समाप्तौ UniGetUI स्वयमेव पुनरारभिष्यते", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI निःशुल्कम् अस्ति, तथा सर्वदा निःशुल्कमेव भविष्यति। न विज्ञापनाः, न credit card, न premium version। 100% निःशुल्कम्, सर्वदा।", + "WingetUI log": "UniGetUI log-पत्रम्", "WingetUI tray application preferences": "UniGetUI tray application अभिरुचयः", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI निम्नलिखित-libraries उपयोजयति। एताभिः विना UniGetUI सम्भवमेव न स्यात्।", "WingetUI version {0} is being downloaded.": "UniGetUI संस्करणं {0} अवतार्यते।", "WingetUI will become {newname} soon!": "UniGetUI शीघ्रमेव {newname} भविष्यति!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI आवधिकरूपेण अद्यतनानि न परीक्षिष्यति। तानि आरम्भकाले अद्यापि परीक्ष्यन्ते, किन्तु तेषां विषये त्वं न सूच्यसे।", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "यदा यदा package स्थापनााय elevation अपेक्षते तदा तदा UniGetUI UAC prompt दर्शयिष्यति।", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "UniGetUI शीघ्रमेव {newname} इति नाम्ना भविष्यति। अनेन application मध्ये किमपि परिवर्तनं न भविष्यति। अहं (developer) इदानीं यथा विकासं करोमि तथा एव अस्य परियोजनायाः विकासं भिन्न-नाम्ना निरन्तरं करिष्यामि।", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "अस्माकं प्रिय-contributors सहाय्यं विना UniGetUI सम्भवमेव न स्यात्। तेषां GitHub profiles पश्य; तेषां विना UniGetUI सम्भवमेव न स्यात्!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors सहाय्यं विना UniGetUI सम्भवमेव न स्यात्। सर्वेभ्यः धन्यवादाः 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} स्थापयितुं सज्जम् अस्ति।", - "Write here the process names here, separated by commas (,)": "अत्र process-names लिख, अल्पविरामैः (,) पृथक्कृताः", - "Yes": "आम्", - "You are logged in as {0} (@{1})": "त्वं {0} (@{1}) इति नाम्ना logged in असि", - "You can change this behavior on UniGetUI security settings.": "एतत् व्यवहारं UniGetUI security settings मध्ये परिवर्तयितुं शक्यते।", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "अस्य package स्थापना, अद्यतन, अनस्थापनयोः पूर्वं पश्चात् वा याः commands चलिष्यन्ति ताः त्वं निर्दिष्टुं शक्नोषि। ताः command prompt मध्ये चलिष्यन्ति, अतः CMD scripts अत्र कार्यं करिष्यन्ति।", - "You have currently version {0} installed": "अधुना संस्करणं {0} स्थापितम् अस्ति", - "You have installed WingetUI Version {0}": "त्वया UniGetUI संस्करणम् {0} स्थापितम्", - "You may lose unsaved data": "असंगृहीत-दत्तांशः नश्येत्", - "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI सह उपयोक्तुं {pm} स्थापयितुं त्वया आवश्यकं भवेत्।", "You may restart your computer later if you wish": "इच्छसि चेत् पश्चात् computer पुनरारभितुं शक्नोषि", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "त्वं केवलमेकवारं prompt प्राप्स्यसि, तथा ये packages administrator rights याचन्ते तेषु ते अधिकाराः प्रदास्यन्ते।", "You will be prompted only once, and every future installation will be elevated automatically.": "त्वं केवलमेकवारं prompt प्राप्स्यसि, तथा सर्वा भविष्यत्-स्थापनाः स्वयमेव elevated भविष्यन्ति।", - "You will likely need to interact with the installer.": "installer सह परस्परं कार्यं कर्तुं सम्भाव्यं आवश्यकं भविष्यति।", - "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR रूपेण चालितम्]", "buy me a coffee": "मम कृते coffee क्रीणाहि", - "extracted": "उद्धृतम्", - "feature": "विशेषता", "formerly WingetUI": "पूर्वं WingetUI", + "homepage": "मुख्यपुटम्", + "install": "स्थापयतु", "installation": "स्थापना", - "installed": "स्थापितम्", - "installing": "स्थाप्यते", - "library": "पुस्तकालयः", - "mandatory": "अनिवार्यम्", - "option": "विकल्पः", - "optional": "वैकल्पिकम्", + "uninstall": "अनस्थापय", "uninstallation": "अनस्थापना", "uninstalled": "अनस्थापितम्", - "uninstalling": "अनस्थाप्यते", "update(noun)": "अद्यतनम्", "update(verb)": "अद्यतय", "updated": "अद्यतितम्", - "updating": "अद्यतन्यते", - "version {0}": "संस्करणम् {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} स्थापना-विकल्पाः अधुना locked सन्ति यतः {0} पूर्वनिर्धारित-स्थापना-विकल्पान् अनुसरति।", "{0} Uninstallation": "{0} अनस्थापना", "{0} aborted": "{0} निरस्तम्", "{0} can be updated": "{0} अद्यतनीयम् अस्ति", - "{0} can be updated to version {1}": "{0} संस्करणं {1} पर्यन्तम् अद्यतनीयम् अस्ति", - "{0} days": "{0} दिवसाः", - "{0} desktop shortcuts created": "{0} desktop shortcuts निर्मिताः", "{0} failed": "{0} विफलम्", - "{0} has been installed successfully.": "{0} सफलतया स्थापितम्।", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} सफलतया स्थापितम्। स्थापना समाप्तुं UniGetUI पुनरारभितुं अनुशंस्यते।", "{0} has failed, that was a requirement for {1} to be run": "{0} विफलम्, तत् {1} चलनाय आवश्यकम् आसीत्", - "{0} homepage": "{0} मुखपृष्ठम्", - "{0} hours": "{0} घण्टाः", "{0} installation": "{0} स्थापना", - "{0} installation options": "{0} स्थापना-विकल्पाः", - "{0} installer is being downloaded": "{0} installer अवतार्यते", - "{0} is being installed": "{0} स्थाप्यते", - "{0} is being uninstalled": "{0} अनस्थाप्यते", "{0} is being updated": "{0} अद्यतन्यते", - "{0} is being updated to version {1}": "{0} संस्करणं {1} पर्यन्तम् अद्यतन्यते", - "{0} is disabled": "{0} निष्क्रियः अस्ति", - "{0} minutes": "{0} निमिषाः", "{0} months": "{0} मासाः", - "{0} packages are being updated": "{0} packages अद्यतन्यन्ते", - "{0} packages can be updated": "{0} packages अद्यतनीयानि सन्ति", "{0} packages found": "{0} packages लब्धानि", "{0} packages were found": "{0} packages लब्धानि", - "{0} packages were found, {1} of which match the specified filters.": "{0} packages लब्धानि, तेषु {1} निर्दिष्ट-filters सह संगच्छन्ति।", - "{0} selected": "{0} चयनितम्", - "{0} settings": "{0} विन्यासाः", - "{0} status": "{0} स्थितिः", "{0} succeeded": "{0} सफलम्", "{0} update": "{0} अद्यतनम्", - "{0} updates are available": "{0} अद्यतनानि उपलब्धानि", "{0} was {1} successfully!": "{0} सफलतया {1} अभवत्!", "{0} weeks": "{0} सप्ताहाः", "{0} years": "{0} वर्षाणि", "{0} {1} failed": "{0} {1} विफलम्", - "{package} Installation": "{package} स्थापना", - "{package} Uninstall": "{package} अनस्थापना", - "{package} Update": "{package} अद्यतनम्", - "{package} could not be installed": "{package} स्थापयितुं न शक्यत", - "{package} could not be uninstalled": "{package} अनस्थापयितुं न शक्यत", - "{package} could not be updated": "{package} अद्यतयितुं न शक्यत", "{package} installation failed": "{package} स्थापना विफला", - "{package} installer could not be downloaded": "{package} installer अवतारयितुं न शक्यत", - "{package} installer download": "{package} installer अवतरणम्", - "{package} installer was downloaded successfully": "{package} installer सफलतया अवतारितः", "{package} uninstall failed": "{package} अनस्थापना विफला", "{package} update failed": "{package} अद्यतनं विफलम्", "{package} update failed. Click here for more details.": "{package} अद्यतनं विफलम्। अधिक-विवरणार्थं अत्र क्लिक् कुरु।", - "{package} was installed successfully": "{package} सफलतया स्थापितम्", - "{package} was uninstalled successfully": "{package} सफलतया अनस्थापितम्", - "{package} was updated successfully": "{package} सफलतया अद्यतितम्", - "{pcName} installed packages": "{pcName} स्थापित-packages", "{pm} could not be found": "{pm} न लब्धः", "{pm} found: {state}": "{pm} लब्धः: {state}", - "{pm} is disabled": "{pm} निष्क्रियः अस्ति", - "{pm} is enabled and ready to go": "{pm} सक्षमः अस्ति तथा सज्जः अस्ति", "{pm} package manager specific preferences": "{pm} package manager विशिष्ट-अभिरुचयः", "{pm} preferences": "{pm} अभिरुचयः", - "{pm} version:": "{pm} संस्करणम्:", - "{pm} was not found!": "{pm} न लब्धः!", - "Discover Packages": "packages अन्वेषयतु", - "Homepage": "मुखपृष्ठम्", - "Install": "स्थापयतु", - "Installed Packages": "स्थापित-packages", - "New Version": "नूतनं संस्करणम्", - "OK": "अस्तु", - "Package Manager": "पैकेज्-प्रबन्धकः", - "Package Managers": "पैकेज्-प्रबन्धकाः", - "Uninstall": "अनस्थापयतु", - "WingetUI Log": "UniGetUI log-पत्रम्", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI निम्नलिखित-libraries उपयोजयति। एताभिः विना UniGetUI सम्भवमेव न स्यात्।" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "नमस्ते, मम नाम Martí, अहं WingetUI इत्यस्य developer अस्मि। WingetUI सर्वथा मम अवकाशकाले निर्मितम्!", + "Thank you ❤": "धन्यवादः ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "अस्य परियोजनायाः आधिकारिकेन {0} परियोजनया सह काचिदपि सम्बन्धता नास्ति — एतत् पूर्णतया अनधिकृतम् अस्ति।" } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_si.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_si.json index ff2769aa91..ce96db420f 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_si.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_si.json @@ -1,155 +1,737 @@ { + "Operation in progress": "මෙහෙයුම ක්‍රියාත්මක වෙමින් පවතී", + "Please wait...": "කරුණාකර රැඳී සිටින්න...", + "Success!": "සාර්ථකයි!", + "Failed": "අසාර්ථකයි", + "An error occurred while processing this package": "මෙම පැකේජය සැකසීමේදී දෝෂයක් ඇති විය", + "Log in to enable cloud backup": "cloud backup සක්‍රීය කිරීමට පිවිසෙන්න", + "Backup Failed": "උපස්ථය අසාර්ථකයි", + "Downloading backup...": "උපස්ථය බාගත කරමින්...", + "An update was found!": "නව යාවත්කාලීන කිරීමක් හමු විය", + "{0} can be updated to version {1}": "{0} {1} සංස්කරණයට යාවත්කාලීන කළ හැක", + "Updates found!": "යාවත්කාලීන හමු විය!", + "{0} packages can be updated": "{0}ක් ඇසුරුම් යාවත්කාලීන කල හැක ", + "You have currently version {0} installed": "ඔබට දැනට version {0} ස්ථාපිත කර ඇත", + "Desktop shortcut created": "Desktop shortcut සාදන ලදී", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "ස්වයංක්‍රීයව මකා දැමිය හැකි නව desktop shortcut එකක් UniGetUI හඳුනාගෙන ඇත.", + "{0} desktop shortcuts created": "{0} desktop shortcuts නිර්මාණය කර ඇත", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "ස්වයංක්‍රීයව මකා දැමිය හැකි නව desktop shortcuts {0} ක් UniGetUI හඳුනාගෙන ඇත.", + "Are you sure?": "ඔබට විශ්වාසද?", + "Do you really want to uninstall {0}?": "{0} අස්ථාපනය කිරීමට ඔබට ඇත්තටම අවශ්‍යද?", + "Do you really want to uninstall the following {0} packages?": "පහත {0} පැකේජ අස්ථාපනය කිරීමට ඔබට ඇත්තටම අවශ්‍යද?", + "No": "නැහැ", + "Yes": "ඔව්", + "View on UniGetUI": "UniGetUI තුළ බලන්න", + "Update": "යාවත්කාලීන කරන්න", + "Open UniGetUI": "UniGetUI විවෘත කරන්න", + "Update all": "සියල්ල යාවත්කාලීන කරන්න", + "Update now": "දැන් යාවත්කාලීන කරන්න", + "This package is on the queue": "මෙම පැකේජය queue එකේ ඇත", + "installing": "ස්ථාපනය කරමින්", + "updating": "යාවත්කාලීන කරමින්", + "uninstalling": "uninstall කරමින්", + "installed": "ස්ථාපිතයි", + "Retry": "නැවත උත්සාහ කරන්න", + "Install": "ස්ථාපනය කරන්න", + "Uninstall": "ඉවත් කරන්න", + "Open": "විවෘත කරන්න", + "Operation profile:": "මෙහෙයුම් profile:", + "Follow the default options when installing, upgrading or uninstalling this package": "මෙම පැකේජය ස්ථාපනය, උසස් කිරීම හෝ අස්ථාපනය කිරීමේදී පෙරනිමි විකල්ප අනුගමනය කරන්න", + "The following settings will be applied each time this package is installed, updated or removed.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ ඉවත් කරන සෑම වරම පහත සැකසුම් යෙදේ.", + "Version to install:": "ස්ථාපනය කිරීමට සංස්කරණය:", + "Architecture to install:": "ස්ථාපනය කිරීමට architecture:", + "Installation scope:": "ස්ථාපන ව්‍යාප්තිය:", + "Install location:": "ස්ථාපන ස්ථානය:", + "Select": "තෝරන්න", + "Reset": "Reset කරන්න", + "Custom install arguments:": "අභිරුචි ස්ථාපන arguments:", + "Custom update arguments:": "අභිරුචි යාවත්කාලීන arguments:", + "Custom uninstall arguments:": "අභිරුචි අස්ථාපන arguments:", + "Pre-install command:": "ස්ථාපනයට පෙර command:", + "Post-install command:": "ස්ථාපනයෙන් පසු command:", + "Abort install if pre-install command fails": "pre-install විධානය අසාර්ථක වුවහොත් ස්ථාපනය නවත්වන්න", + "Pre-update command:": "යාවත්කාලීන කිරීමට පෙර command:", + "Post-update command:": "යාවත්කාලීන කිරීමෙන් පසු command:", + "Abort update if pre-update command fails": "pre-update විධානය අසාර්ථක වුවහොත් යාවත්කාලීන කිරීම නවත්වන්න", + "Pre-uninstall command:": "uninstall කිරීමට පෙර command:", + "Post-uninstall command:": "uninstall කිරීමෙන් පසු command:", + "Abort uninstall if pre-uninstall command fails": "pre-uninstall විධානය අසාර්ථක වුවහොත් අස්ථාපනය නවත්වන්න", + "Command-line to run:": "ධාවනය කිරීමට command-line:", + "Save and close": "සුරකින්න සහ වසන්න", + "Run as admin": "admin ලෙස ධාවනය කරන්න", + "Interactive installation": "Interactive ස්ථාපනය", + "Skip hash check": "hash check මඟ හරින්න", + "Uninstall previous versions when updated": "update කරන විට පෙර versions uninstall කරන්න", + "Skip minor updates for this package": "මෙම පැකේජය සඳහා සුළු යාවත්කාලීන මඟ හරින්න", + "Automatically update this package": "මෙම පැකේජය ස්වයංක්‍රීයව යාවත්කාලීන කරන්න", + "{0} installation options": "{0} ස්ථාපන විකල්ප", + "Latest": "නවතම", + "PreRelease": "පූර්ව-නිකුතු", + "Default": "පෙරනිමි", + "Manage ignored updates": "නොසලකා හරින ලද යාවත්කාලීන කළමනාකරණය කරන්න", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "මෙහි ලැයිස්තුගත කළ පැකේජ updates පරීක්ෂා කිරීමේදී සැලකිල්ලට ගනු නොලැබේ. ඒවා දෙවරක් ක්ලික් කරන්න හෝ දකුණු පැත්තේ බොත්තම ක්ලික් කර එම updates නොසලකා හැරීම නවත්වන්න.", + "Reset list": "ලැයිස්තුව reset කරන්න", + "Package Name": "පැකේජ නම", + "Package ID": "පැකේජ ID", + "Ignored version": "නොසලකා හරින ලද සංස්කරණය", + "New version": "නව සංස්කරණය", + "Source": "මූලාශ්‍රය", + "All versions": "සියලු සංස්කරණ ", + "Unknown": "නොදනී", + "Up to date": "යාවත්කාලීනයි", + "Cancel": "අවලංගු කරන්න", + "Administrator privileges": "පරිපාලක බලතල ", + "This operation is running with administrator privileges.": "මෙම මෙහෙයුම පරිපාලක බලතල සමඟ ක්‍රියාත්මක වෙමින් පවතී.", + "Interactive operation": "Interactive මෙහෙයුම", + "This operation is running interactively.": "මෙම මෙහෙයුම interactive ආකාරයෙන් ක්‍රියාත්මක වෙමින් පවතී.", + "You will likely need to interact with the installer.": "ඔබට බොහෝවිට installer සමඟ අන්තර්ක්‍රියා කිරීමට සිදුවේ.", + "Integrity checks skipped": "Integrity checks මඟ හරින ලදි", + "Proceed at your own risk.": "ඔබගේම අවදානම මත ඉදිරියට යන්න.", + "Close": "වසා දමන්න", + "Loading...": "පූරණය කරමින්...", + "Installer SHA256": "Installer SHA256 අගය", + "Homepage": "මුල් පිටුව", + "Author": "කර්තෘ", + "Publisher": "ප්‍රකාශකයා", + "License": "බලපත්‍රය", + "Manifest": "Manifest ගොනුව", + "Installer Type": "Installer වර්ගය", + "Size": "ප්‍රමාණය", + "Installer URL": "Installer URL ලිපිනය", + "Last updated:": "අවසන් යාවත්කාලීන කළේ:", + "Release notes URL": "නිකුතු සටහන් URL", + "Package details": "පැකේජ විස්තර", + "Dependencies:": "අවශ්‍යතා:", + "Release notes": "නිකුතු සටහන්", + "Version": "සංස්කරණය", + "Install as administrator": "පරිපාලක ලෙස ස්ථාපනය කරන්න", + "Update to version {0}": "{0} සංස්කරණයට යාවත්කාලීන කරන්න", + "Installed Version": "ස්ථාපිත සංස්කරණය", + "Update as administrator": "පරිපාලක ලෙස යාවත්කාලීන කරන්න", + "Interactive update": "Interactive යාවත්කාලීනය", + "Uninstall as administrator": "පරිපාලක ලෙස uninstall කරන්න", + "Interactive uninstall": "Interactive අස්ථාපනය", + "Uninstall and remove data": "uninstall කර දත්ත ඉවත් කරන්න", + "Not available": "ලබාගත නොහැක", + "Installer SHA512": "Installer SHA512 අගය", + "Unknown size": "නොදන්නා ප්‍රමාණය", + "No dependencies specified": "dependencies කිසිවක් සඳහන් කර නොමැත", + "mandatory": "අනිවාර්ය", + "optional": "විකල්ප", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} ස්ථාපනය කිරීමට සූදානම්ය.", + "The update process will start after closing UniGetUI": "UniGetUI වසා දැමූ පසු update process එක ආරම්භ වේ", + "Share anonymous usage data": "අනාමික භාවිත දත්ත බෙදාගන්න", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "පරිශීලක අත්දැකීම වැඩිදියුණු කිරීම සඳහා UniGetUI අනාමික භාවිත දත්ත රැස් කරයි.", + "Accept": "එකඟ වන්න", + "You have installed WingetUI Version {0}": "ඔබ WingetUI Version {0} ස්ථාපනය කර ඇත", + "Disclaimer": "වියාචනය", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI කිසිදු compatible package manager එකකට සම්බන්ධ නැත. UniGetUI ස්වාධීන ව්‍යාපෘතියකි.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "දායකයින්ගේ සහාය නොමැතිව WingetUI හැකි නොවනු ඇත. ඔබ සැමට ස්තුතියි 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI පහත libraries භාවිතා කරයි. ඒවා නොමැතිව WingetUI තිබීමට නොහැකි විය.", + "{0} homepage": "{0} මුල් පිටුව", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "ස්වේච්ඡා පරිවර්තකයන්ගේ շնորհයෙන් WingetUI භාෂා 40 කට වඩා වැඩි ගණනකට පරිවර්තනය කර ඇත. ස්තුතියි 🤝", + "Verbose": "සවිස්තරාත්මක", + "1 - Errors": "1 - දෝෂ", + "2 - Warnings": "2 - අනතුරු ඇඟවීම්", + "3 - Information (less)": "3 - තොරතුරු (අඩු)", + "4 - Information (more)": "4 - තොරතුරු (වැඩි)", + "5 - information (debug)": "5 - තොරතුරු (debug)", + "Warning": "අවවාදය", + "The following settings may pose a security risk, hence they are disabled by default.": "පහත සැකසුම් ආරක්ෂක අවදානමක් ඇති කළ හැකි බැවින්, ඒවා පෙරනිමියෙන් අක්‍රීයයි.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "පහත සැකසුම් සක්‍රීය කරන්න, ඔබ ඒවා කරන දේ සහ ඇති විය හැකි ප්‍රතිවිපාක සම්පූර්ණයෙන්ම තේරුම් ගන්නේ නම් පමණි.", + "The settings will list, in their descriptions, the potential security issues they may have.": "සැකසුම්වල විස්තර තුළ ඒවාට තිබිය හැකි ආරක්ෂක ගැටලු ලැයිස්තුගත කරනු ඇත.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup එකේ ස්ථාපිත පැකේජවල සම්පූර්ණ ලැයිස්තුව සහ ඒවායේ ස්ථාපන විකල්ප අඩංගු වේ. නොසලකා හරින ලද යාවත්කාලීන සහ skip කළ versions ද සුරකිනු ලැබේ.", + "The backup will NOT include any binary file nor any program's saved data.": "backup එකේ කිසිදු binary ගොනුවක් හෝ කිසිදු වැඩසටහනක සුරකින ලද දත්ත අඩංගු නොවේ.", + "The size of the backup is estimated to be less than 1MB.": "backup එකේ ප්‍රමාණය 1MB ට අඩු වනු ඇතැයි ඇස්තමේන්තු කර ඇත.", + "The backup will be performed after login.": "login වූ පසුව backup එක සිදු කෙරේ.", + "{pcName} installed packages": "{pcName} හි ස්ථාපිත පැකේජ", + "Current status: Not logged in": "වත්මන් තත්ත්වය: පිවිසී නැත", + "You are logged in as {0} (@{1})": "ඔබ {0} (@{1}) ලෙස පිවිසී ඇත", + "Nice! Backups will be uploaded to a private gist on your account": "හොඳයි! backup ඔබගේ ගිණුමේ private gist එකකට upload කෙරේ", + "Select backup": "backup තෝරන්න", + "WingetUI Settings": "WingetUI Settings", + "Allow pre-release versions": "pre-release සංස්කරණ සඳහා ඉඩ දෙන්න", + "Apply": "යොදන්න", + "Go to UniGetUI security settings": "UniGetUI ආරක්ෂක සැකසුම් වෙත යන්න", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "{0} පැකේජයක් ස්ථාපනය, upgrade හෝ uninstall කරන සෑම අවස්ථාවකම පහත විකල්ප පෙරනිමියෙන් යෙදේ.", + "Package's default": "පැකේජයේ පෙරනිමිය", + "Install location can't be changed for {0} packages": "{0} පැකේජ සඳහා install ස්ථානය වෙනස් කළ නොහැක", + "The local icon cache currently takes {0} MB": "ස්ථානීය icon cache එක දැනට {0} MB ගනියි", + "Username": "පරිශීලක නාමය", + "Password": "මුරපදය", + "Credentials": "අක්තපත්‍ර", + "Partially": "අර්ධ වශයෙන්", + "Package manager": "පැකේජ කළමනාකරු", + "Compatible with proxy": "proxy සමඟ අනුකූලයි", + "Compatible with authentication": "authentication සමඟ අනුකූලයි", + "Proxy compatibility table": "Proxy අනුකූලතා වගුව", + "{0} settings": "{0} සැකසුම්", + "{0} status": "{0} තත්ත්වය", + "Default installation options for {0} packages": "{0} පැකේජ සඳහා පෙරනිමි ස්ථාපන විකල්ප", + "Expand version": "version පුළුල් කරන්න", + "The executable file for {0} was not found": "{0} සඳහා executable ගොනුව හමු නොවීය", + "{pm} is disabled": "{pm} අක්‍රීයයි", + "Enable it to install packages from {pm}.": "{pm} වෙතින් පැකේජ ස්ථාපනය කිරීමට එය සක්‍රීය කරන්න.", + "{pm} is enabled and ready to go": "{pm} සක්‍රීය කර ඇති අතර සූදානම්ය", + "{pm} version:": "{pm} සංස්කරණය:", + "{pm} was not found!": "{pm} හමු නොවීය!", + "You may need to install {pm} in order to use it with WingetUI.": "WingetUI සමඟ භාවිතා කිරීමට ඔබට {pm} ස්ථාපනය කිරීමට අවශ්‍ය විය හැක.", + "Scoop Installer - WingetUI": "Scoop ස්ථාපකය - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop අස්ථාපකය - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop cache ඉවත් කරමින් - UniGetUI", + "Restart UniGetUI": "UniGetUI නැවත ආරම්භ කරන්න", + "Manage {0} sources": "{0} මූලාශ්‍ර කළමනාකරණය කරන්න", + "Add source": "මූලාශ්‍රය එක් කරන්න", + "Add": "එකතු කරන්න", + "Other": "වෙනත්", + "1 day": "දින 1", + "{0} days": "දින {0}", + "{0} minutes": "මිනිත්තු {0} ", + "1 hour": "පැය 1", + "{0} hours": "පැය {0} ", + "1 week": "සති 1", + "WingetUI Version {0}": "WingetUI සංස්කරණය {0}", + "Search for packages": "පැකේජ සොයන්න", + "Local": "ස්ථානීය", + "OK": "හරි", + "{0} packages were found, {1} of which match the specified filters.": "පැකේජ {0} ක් හමු විය, එයින් {1} ක් නියමිත filters සමඟ ගැලපේ.", + "{0} selected": "{0} තෝරා ඇත", + "(Last checked: {0})": "(අවසන් වරට පරීක්ෂා කළේ: {0})", + "Enabled": "සක්‍රීයයි", + "Disabled": "අක්‍රීයයි", + "More info": "වැඩි තොරතුරු", + "Log in with GitHub to enable cloud package backup.": "cloud package backup සක්‍රීය කිරීමට GitHub සමඟ පිවිසෙන්න.", + "More details": "වැඩි විස්තර", + "Log in": "පිවිසෙන්න", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "ඔබ cloud backup සක්‍රීය කර තිබේ නම්, එය මෙම ගිණුමේ GitHub Gist එකක් ලෙස සුරකිනු ලැබේ", + "Log out": "ඉවත් වන්න", + "About": "පිළිබඳ", + "Third-party licenses": "Third-party බලපත්‍ර", + "Contributors": "සහයෝගිකයින්", + "Translators": "පරිවර්තකයින්", + "Manage shortcuts": "shortcuts කළමනාකරණය කරන්න", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "අනාගත upgrades වලදී ස්වයංක්‍රීයව ඉවත් කළ හැකි පහත desktop shortcuts UniGetUI හඳුනාගෙන ඇත.", + "Do you really want to reset this list? This action cannot be reverted.": "මෙම ලැයිස්තුව reset කිරීමට ඔබට ඇත්තටම අවශ්‍යද? මෙම ක්‍රියාව ආපසු හැරවිය නොහැක.", + "Remove from list": "ලැයිස්තුවෙන් ඉවත් කරන්න", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "නව shortcuts හඳුනාගත් විට, මෙම dialog එක පෙන්වීම වෙනුවට ඒවා ස්වයංක්‍රීයව මකා දමන්න.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "පරිශීලක අත්දැකීම වටහාගෙන වැඩිදියුණු කිරීමේ එකම අරමුණින් UniGetUI අනාමික භාවිත දත්ත රැස් කරයි.", + "More details about the shared data and how it will be processed": "share කරන ලද දත්ත සහ ඒවා සැකසෙන ආකාරය පිළිබඳ වැඩි විස්තර", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "පරිශීලක අත්දැකීම වටහාගෙන වැඩිදියුණු කිරීමේ එකම අරමුණින් UniGetUI අනාමික භාවිත සංඛ්‍යාන රැස්කර යවන බව ඔබ පිළිගන්නවාද?", + "Decline": "ප්‍රතික්ෂේප කරන්න", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "පුද්ගලික තොරතුරු කිසිවක් රැස්කර හෝ යවා නැති අතර, රැස් කළ දත්ත අනාමික කර ඇති බැවින් ඒවා ඔබ වෙත හඹාගොස් හඳුනාගත නොහැක.", + "About WingetUI": "WingetUI පිළිබඳව ", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "ඔබේ command-line package managers සඳහා all-in-one graphical interface එකක් ලබා දීමෙන් ඔබේ මෘදුකාංග කළමනාකරණය පහසු කරන යෙදුමක් WingetUI වේ.", + "Useful links": "ප්‍රයෝජනවත් සබැඳි", + "Report an issue or submit a feature request": "ගැටලුවක් වාර්තා කරන්න හෝ feature request එකක් යවන්න", + "View GitHub Profile": "GitHub profile බලන්න", + "WingetUI License": "WingetUI බලපත්‍රය", + "Using WingetUI implies the acceptation of the MIT License": "WingetUI භාවිතා කිරීමෙන් MIT බලපත්‍රය පිළිගැනීම අදහස් වේ", + "Become a translator": "පරිවර්තකයෙක් වෙන්න", + "View page on browser": "browser එකේ පිටුව බලන්න", + "Copy to clipboard": "clipboard වෙත පිටපත් කරන්න", + "Export to a file": "ගොනුවකට අපනයනය කරන්න", + "Log level:": "Log මට්ටම:", + "Reload log": "log නැවත පූරණය කරන්න", + "Text": "පෙළ", + "Change how operations request administrator rights": "මෙහෙයුම් පරිපාලක හිමිකම් ඉල්ලන ආකාරය වෙනස් කරන්න", + "Restrictions on package operations": "පැකේජ මෙහෙයුම් පිළිබඳ සීමා", + "Restrictions on package managers": "පැකේජ කළමනාකරුවන් පිළිබඳ සීමා", + "Restrictions when importing package bundles": "package bundles ආයාත කිරීමේදී ඇති සීමා", + "Ask for administrator privileges once for each batch of operations": "මෙහෙයුම් සෑම batch එකකටම එක් වරක් පරිපාලක බලතල ඉල්ලන්න", + "Ask only once for administrator privileges": "පරිපාලක බලතල එක් වරක් පමණක් ඉල්ලන්න", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator හෝ GSudo හරහා කිසිදු Elevation වර්ගයක් තහනම් කරන්න", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "මෙම විකල්පය ගැටලු ඇති කරයි. තමන්ම elevate කරගත නොහැකි ඕනෑම මෙහෙයුමක් අසාර්ථක වනු ඇත. පරිපාලක ලෙස install/update/uninstall කිරීම ක්‍රියා නොකරනු ඇත.", + "Allow custom command-line arguments": "අභිරුචි command-line arguments සඳහා ඉඩ දෙන්න", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "අභිරුචි command-line arguments මගින් වැඩසටහන් ස්ථාපනය, උසස් කිරීම හෝ අස්ථාපනය කරන ආකාරය UniGetUIට පාලනය කළ නොහැකි ලෙස වෙනස් විය හැක. අභිරුචි command-line භාවිතය පැකේජ බිඳ දමන්නත් පුළලවන්. ප්‍රවේශමෙන් ඉදිරියට යන්න.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "බණ්ඩලයකින් පැකේජ ආයාත කිරීමේදී අභිරුචි pre-install සහ post-install commands නොසලකා හරින්න", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "පැකේජයක් ස්ථාපනය, upgrade හෝ uninstall කරන පෙර හා පසුව pre සහ post install commands ධාවනය වේ. ඒවා ප්‍රවේශමෙන් භාවිතා නොකළහොත් දේවල් බිඳ දැමිය හැකි බව සැලකිලිමත් වන්න.", + "Allow changing the paths for package manager executables": "පැකේජ කළමනාකරු executable සඳහා path වෙනස් කිරීමට ඉඩ දෙන්න", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "මෙය සක්‍රීය කිරීමෙන් package managers සමඟ අන්තර්ක්‍රියා කිරීමට භාවිතා කරන executable ගොනුව වෙනස් කිරීමට හැකි වේ. මෙය ඔබේ install processes වඩාත් සවිස්තරව අභිරුචිකරණය කිරීමට ඉඩ දෙන නමුත්, එය අනතුරුදායකද විය හැක.", + "Allow importing custom command-line arguments when importing packages from a bundle": "බණ්ඩලයකින් පැකේජ ආයාත කිරීමේදී අභිරුචි command-line arguments ආයාත කිරීමට ඉඩ දෙන්න", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "වැරදි ලෙස සැකසූ command-line arguments මගින් පැකේජ බිඳ වැටිය හැකි අතර, දුෂ්ට පාර්ශවයකට privileged execution ලබා ගැනීමටද ඉඩ සැලසිය හැක. ඒ නිසා custom command-line arguments ආයාත කිරීම පෙරනිමියෙන් අක්‍රීයයි", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "බණ්ඩලයකින් පැකේජ ආයාත කිරීමේදී අභිරුචි pre-install සහ post-install විධාන ආයාත කිරීමට ඉඩ දෙන්න", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "ඒ සඳහා නිර්මාණය කර ඇත්නම් pre සහ post install commands ඔබගේ උපාංගයට බරපතල හානි කළ හැක. එම package bundle එකේ මූලාශ්‍රය විශ්වාස නොකරන්නේ නම් ඒ bundle එකෙන් commands ආයාත කිරීම ඉතා අනතුරුදායක විය හැක.", + "Administrator rights and other dangerous settings": "පරිපාලක හිමිකම් සහ වෙනත් අවදානම් සහිත සැකසුම්", + "Package backup": "පැකේජ backup", + "Cloud package backup": "cloud පැකේජ උපස්ථ", + "Local package backup": "ස්ථානීය පැකේජ backup", + "Local backup advanced options": "ස්ථානීය backup උසස් විකල්ප", + "Log in with GitHub": "GitHub සමඟ පිවිසෙන්න", + "Log out from GitHub": "GitHub වෙතින් ඉවත් වන්න", + "Periodically perform a cloud backup of the installed packages": "ස්ථාපිත පැකේජ වල cloud backup එකක් වරින් වර ගන්න", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "cloud backup ස්ථාපිත පැකේජ ලැයිස්තුවක් ගබඩා කිරීම සඳහා private GitHub Gist භාවිතා කරයි", + "Perform a cloud backup now": "දැන් cloud backup එකක් ගන්න", + "Backup": "උපස්ථ", + "Restore a backup from the cloud": "cloud එකෙන් backup එකක් ප්‍රතිස්ථාපනය කරන්න", + "Begin the process to select a cloud backup and review which packages to restore": "cloud උපස්ථයක් තෝරා, ප්‍රතිස්ථාපනය කළ යුතු පැකේජ සමාලෝචනය කිරීමේ ක්‍රියාවලිය ආරම්භ කරන්න", + "Periodically perform a local backup of the installed packages": "ස්ථාපිත පැකේජ වල local backup එකක් වරින් වර ගන්න", + "Perform a local backup now": "දැන් local backup එකක් ගන්න", + "Change backup output directory": "උපස්ථ output directory එක වෙනස් කරන්න", + "Set a custom backup file name": "custom backup ගොනු නාමයක් සකසන්න", + "Leave empty for default": "පෙරනිමිය සඳහා හිස්ව තබන්න", + "Add a timestamp to the backup file names": "උපස්ථ ගොනු නාමවලට වේලා මුද්‍රාවක් එක් කරන්න", + "Backup and Restore": "උපස්ථ සහ ප්‍රතිස්ථාපනය", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background API සක්‍රීය කරන්න (UniGetUI Widgets සහ Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet සම්බන්ධතාව අවශ්‍ය කාර්යයන් කිරීමට උත්සාහ කිරීමට පෙර උපාංගය internet එකට සම්බන්ධ වනතුරු රැඳී සිටින්න.", + "Disable the 1-minute timeout for package-related operations": "පැකේජ සම්බන්ධ මෙහෙයුම් සඳහා මිනිත්තු 1 timeout එක අක්‍රීය කරන්න", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator වෙනුවට ස්ථාපිත GSudo භාවිතා කරන්න", + "Use a custom icon and screenshot database URL": "අභිරුචි icon සහ screenshot database URL එකක් භාවිතා කරන්න", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU භාවිතය සඳහා optimizations සක්‍රීය කරන්න (Pull Request #3278 බලන්න)", + "Perform integrity checks at startup": "ආරම්භයේදී integrity checks සිදු කරන්න", + "When batch installing packages from a bundle, install also packages that are already installed": "bundle එකකින් පැකේජ batch install කරන විට, දැනටමත් ස්ථාපිත පැකේජද install කරන්න", + "Experimental settings and developer options": "පරීක්ෂණාත්මක සැකසුම් සහ developer විකල්ප", + "Show UniGetUI's version and build number on the titlebar.": "titlebar මත UniGetUI හි version එක සහ build number එක පෙන්වන්න.", + "Language": "භාෂාව", + "UniGetUI updater": "UniGetUI යාවත්කාලීනකාරකය", + "Telemetry": "භාවිත දත්ත රැස්කිරීම", + "Manage UniGetUI settings": "UniGetUI සැකසුම් කළමනාකරණය කරන්න", + "Related settings": "සම්බන්ධ සැකසුම්", + "Update WingetUI automatically": "WingetUI ස්වයංක්‍රීයව යාවත්කාලීන කරන්න", + "Check for updates": "යාවත්කාලීන කිරීම් සදහා පරීක්ෂා කරන්න", + "Install prerelease versions of UniGetUI": "UniGetUI හි prerelease සංස්කරණ ස්ථාපනය කරන්න", + "Manage telemetry settings": "telemetry සැකසුම් කළමනාකරණය කරන්න", + "Manage": "කළමනාකරණය කරන්න", + "Import settings from a local file": "ස්ථානීය ගොනුවකින් සැකසුම් ආයාත කරන්න", + "Import": "ආයාත කරන්න", + "Export settings to a local file": "සැකසුම් ස්ථානීය ගොනුවකට අපනයනය කරන්න", + "Export": "අපනයනය", + "Reset WingetUI": "UniGetUI reset කරන්න", + "Reset UniGetUI": "UniGetUI reset කරන්න", + "User interface preferences": "පරිශීලක අතුරුමුහුණත් අභිරුචි", + "Application theme, startup page, package icons, clear successful installs automatically": "යෙදුම් තේමාව, ආරම්භක පිටුව, පැකේජ අයිකන, සාර්ථක ස්ථාපනයන් ස්වයංක්‍රීයව ඉවත් කිරීම", + "General preferences": "සාමාන්‍ය මනාපයන්", + "WingetUI display language:": "WingetUI දර්ශන භාෂාව:", + "Is your language missing or incomplete?": "ඔබගේ භාෂාව අතුරුදන්වී තිබේද නැතහොත් අසම්පූර්ණද?", + "Appearance": "පෙනුම", + "UniGetUI on the background and system tray": "background සහ system tray තුළ UniGetUI", + "Package lists": "පැකේජ ලැයිස්තු", + "Close UniGetUI to the system tray": "UniGetUI system tray වෙත වසන්න", + "Show package icons on package lists": "පැකේජ ලැයිස්තු මත පැකේජ icons පෙන්වන්න", + "Clear cache": "cache ඉවත් කරන්න", + "Select upgradable packages by default": "upgrade කළ හැකි පැකේජ පෙරනිමියෙන් තෝරන්න", + "Light": "ආලෝකමත්", + "Dark": "අදුරු", + "Follow system color scheme": "පද්ධතියේ වර්ණ ක්‍රමය අනුගමනය කරන්න", + "Application theme:": "යෙදුම් තේමාව:", + "Discover Packages": "පැකේජ සොයන්න", + "Software Updates": "මෘදුකාංග යාවත්කාලීන", + "Installed Packages": "ස්ථාපිත පැකේජ", + "Package Bundles": "පැකේජ bundles", + "Settings": "සැකසුම්", + "UniGetUI startup page:": "UniGetUI ආරම්භක පිටුව:", + "Proxy settings": "Proxy සැකසුම්", + "Other settings": "වෙනත් සැකසුම්", + "Connect the internet using a custom proxy": "අභිරුචි proxy භාවිතයෙන් අන්තර්ජාලයට සම්බන්ධ වන්න", + "Please note that not all package managers may fully support this feature": "සියලුම පැකේජ කළමනාකරුවන් මෙම විශේෂාංගයට සම්පූර්ණ සහය නොදක්වන්නට පුළුවන් බව සලකන්න", + "Proxy URL": "Proxy URL ලිපිනය", + "Enter proxy URL here": "proxy URL එක මෙතැන ඇතුල් කරන්න", + "Package manager preferences": "පැකේජ කළමනාකරු මනාපයන්", + "Ready": "සූදානම්", + "Not found": "හමු නොවීය", + "Notification preferences": "දැනුම්දීම් මනාපයන්", + "Notification types": "දැනුම්දීම් වර්ග", + "The system tray icon must be enabled in order for notifications to work": "notifications වැඩ කිරීමට system tray icon එක සක්‍රීය කර තිබිය යුතුය", + "Enable WingetUI notifications": "UniGetUI දැනුම්දීම් සක්‍රීය කරන්න", + "Show a notification when there are available updates": "ලබාගත හැකි යාවත්කාලීන ඇති විට දැනුම්දීමක් පෙන්වන්න", + "Show a silent notification when an operation is running": "මෙහෙයුමක් ක්‍රියාත්මක වන විට නිහඬ දැනුම්දීමක් පෙන්වන්න", + "Show a notification when an operation fails": "මෙහෙයුමක් අසාර්ථක වන විට දැනුම්දීමක් පෙන්වන්න", + "Show a notification when an operation finishes successfully": "මෙහෙයුමක් සාර්ථකව අවසන් වූ විට දැනුම්දීමක් පෙන්වන්න", + "Concurrency and execution": "සමාන්තර ක්‍රියාත්මක කිරීම සහ ධාවනය", + "Automatic desktop shortcut remover": "ස්වයංක්‍රීය desktop shortcut remover", + "Clear successful operations from the operation list after a 5 second delay": "තත්පර 5ක ප්‍රමාදයකින් පසු මෙහෙයුම් ලැයිස්තුවෙන් සාර්ථක මෙහෙයුම් ඉවත් කරන්න", + "Download operations are not affected by this setting": "මෙම සැකසුම බාගැනීම් මෙහෙයුම් වලට බලපාන්නේ නැත", + "Try to kill the processes that refuse to close when requested to": "වසා දමන්නැයි ඉල්ලා සිටින විට වසා නොදමන processes අවසන් කිරීමට උත්සාහ කරන්න", + "You may lose unsaved data": "සුරකින්නේ නැති දත්ත ඔබට අහිමි විය හැක", + "Ask to delete desktop shortcuts created during an install or upgrade.": "ස්ථාපනයක් හෝ උසස් කිරීමක් අතරතුර නිර්මාණය කරන ලද desktop shortcuts මකා දැමීමට අසන්න.", + "Package update preferences": "පැකේජ යාවත්කාලීන මනාපයන්", + "Update check frequency, automatically install updates, etc.": "update පරීක්ෂා කිරීමේ වාර ගණන, updates ස්වයංක්‍රීයව install කිරීම, ආදිය.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts අඩු කරන්න, ස්ථාපන පෙරනිමියෙන් elevate කරන්න, සමහර අවදානම් විශේෂාංග unlock කරන්න, ආදිය.", + "Package operation preferences": "පැකේජ මෙහෙයුම් මනාපයන්", + "Enable {pm}": "{pm} ක්‍රියාත්මක කරන්න", + "Not finding the file you are looking for? Make sure it has been added to path.": "ඔබ සොයන ගොනුව හමු නොවන්නේද? එය path එකට එක් කර ඇති බව තහවුරු කරන්න.", + "For security reasons, changing the executable file is disabled by default": "ආරක්ෂක හේතු මත executable ගොනුව වෙනස් කිරීම පෙරනිමියෙන් අක්‍රීයයි", + "Change this": "මෙය වෙනස් කරන්න", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "භාවිතා කළ යුතු executable එක තෝරන්න. පහත ලැයිස්තුව UniGetUI විසින් සොයාගත් executables පෙන්වයි", + "Current executable file:": "වත්මන් executable ගොනුව:", + "Ignore packages from {pm} when showing a notification about updates": "යාවත්කාලීන පිළිබඳ දැනුම්දීමක් පෙන්වීමේදී {pm} හි පැකේජ නොසලකා හරින්න", + "View {0} logs": "{0} logs බලන්න", + "Advanced options": "උසස් විකල්ප", + "Reset WinGet": "WinGet reset කරන්න", + "This may help if no packages are listed": "පැකේජ කිසිවක් ලැයිස්තුගත නොවන්නේ නම් මෙය උපකාරී විය හැක", + "Force install location parameter when updating packages with custom locations": "අභිරුචි ස්ථාන සහිත පැකේජ යාවත්කාලීන කිරීමේදී install location parameter බලෙන් යොදන්න", + "Use bundled WinGet instead of system WinGet": "system WinGet වෙනුවට bundled WinGet භාවිතා කරන්න", + "This may help if WinGet packages are not shown": "WinGet පැකේජ පෙන්වන්නේ නැත්නම් මෙය උපකාරී විය හැක", + "Install Scoop": "Scoop ස්ථාපනය කරන්න", + "Uninstall Scoop (and its packages)": "Scoop (සහ එහි පැකේජ) uninstall කරන්න", + "Run cleanup and clear cache": "cleanup ධාවනය කර cache ඉවත් කරන්න", + "Run": "ධාවනය කරන්න", + "Enable Scoop cleanup on launch": "launch වෙද්දී Scoop cleanup සක්‍රීය කරන්න", + "Use system Chocolatey": "system Chocolatey භාවිතා කරන්න", + "Default vcpkg triplet": "පෙරනිමි vcpkg triplet", + "Language, theme and other miscellaneous preferences": "භාෂාව, තේමාව සහ වෙනත් විවිධ මනාපයන්", + "Show notifications on different events": "විවිධ සිදුවීම්වලදී දැනුම්දීම් පෙන්වන්න", + "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI ඔබගේ පැකේජ සඳහා ලබාගත හැකි යාවත්කාලීන පරීක්ෂා කරන සහ ස්ථාපනය කරන ආකාරය වෙනස් කරන්න", + "Automatically save a list of all your installed packages to easily restore them.": "ඔබගේ ස්ථාපිත සියලු පැකේජ ලැයිස්තුවක් ස්වයංක්‍රීයව සුරකින්න, ඒවා පහසුවෙන් ප්‍රතිස්ථාපනය කිරීමට.", + "Enable and disable package managers, change default install options, etc.": "පැකේජ කළමනාකරුවන් සක්‍රීය/අක්‍රීය කරන්න, පෙරනිමි ස්ථාපන විකල්ප වෙනස් කරන්න, ආදිය.", + "Internet connection settings": "අන්තර්ජාල සම්බන්ධතා සැකසුම්", + "Proxy settings, etc.": "Proxy සැකසුම්, ආදිය", + "Beta features and other options that shouldn't be touched": "Beta විශේෂාංග සහ අත නොතැබිය යුතු වෙනත් විකල්ප", + "Update checking": "update පරීක්ෂාව", + "Automatic updates": "ස්වයංක්‍රීය යාවත්කාලීන", + "Check for package updates periodically": "පැකේජ යාවත්කාලීන වරින් වර පරීක්ෂා කරන්න", + "Check for updates every:": "යාවත්කාලීන කිරීම් සඳහා පරීක්ෂා කරන්න:", + "Install available updates automatically": "ලබාගත හැකි යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය කරන්න", + "Do not automatically install updates when the network connection is metered": "network connection එක metered වූ විට යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය නොකරන්න", + "Do not automatically install updates when the device runs on battery": "උපාංගය battery මත ධාවනය වන විට යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය නොකරන්න", + "Do not automatically install updates when the battery saver is on": "battery saver සක්‍රීය විට යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය නොකරන්න", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI ස්ථාපනය, යාවත්කාලීන සහ අස්ථාපන මෙහෙයුම් හසුරුවන ආකාරය වෙනස් කරන්න.", + "Package Managers": "පැකේජ කළමනාකරුවන්", + "More": "තවත්", + "WingetUI Log": "WingetUI log", + "Package Manager logs": "පැකේජ කළමනාකරු logs", + "Operation history": "මෙහෙයුම් ඉතිහාසය", + "Help": "උපදෙස්", + "Order by:": "පිළිවෙලට ගොනු කරන්න:", + "Name": "නම", + "Id": "අංකය", + "Ascendant": "ආරෝහණ", + "Descendant": "අවරෝහණ", + "View mode:": "දර්ශන මාදිලිය:", + "Filters": "පෙරහන්", + "Sources": "මූලාශ්‍ර", + "Search for packages to start": "ආරම්භ කිරීමට පැකේජ සොයන්න", + "Select all": "සියල්ල තෝරන්න", + "Clear selection": "තේරීම ඉවත් කරන්න", + "Instant search": "ක්ෂණික සෙවීම", + "Distinguish between uppercase and lowercase": "ලොකු අකුරු සහ කුඩා අකුරු අතර වෙනස හඳුනාගන්න", + "Ignore special characters": "විශේෂ අක්ෂර නොසලකා හරින්න", + "Search mode": "සෙවුම් ආකාරය", + "Both": "දෙකම", + "Exact match": "සුදුසුම ගැලපීම", + "Show similar packages": "සමාන පැකේජ පෙන්වන්න", + "No results were found matching the input criteria": "ඇතුළත් කළ නිර්ණායකයට ගැළපෙන ප්‍රතිඵල කිසිවක් හමු නොවීය", + "No packages were found": "පැකේජ කිසිවක් හමු නොවීය", + "Loading packages": "පැකේජ පූරණය කරමින්", + "Skip integrity checks": "integrity checks මඟ හරින්න", + "Download selected installers": "තෝරාගත් installers බාගන්න", + "Install selection": "තේරීම ස්ථාපනය කරන්න", + "Install options": "ස්ථාපන විකල්ප", + "Share": "බෙදාගන්න", + "Add selection to bundle": "බන්ඩලයක් සදහා තේරීම් කරන්න", + "Download installer": "installer බාගන්න", + "Share this package": "මෙම පැකේජය බෙදාගන්න", + "Uninstall selection": "තේරීම uninstall කරන්න", + "Uninstall options": "uninstall විකල්ප", + "Ignore selected packages": "තෝරාගත් පැකේජ නොසලකා හරින්න", + "Open install location": "ස්ථාපන ස්ථානය විවෘත කරන්න", + "Reinstall package": "පැකේජය නැවත ස්ථාපනය කරන්න", + "Uninstall package, then reinstall it": "පැකේජය uninstall කර, පසුව නැවත install කරන්න", + "Ignore updates for this package": "මෙම පැකේජය සඳහා යාවත්කාලීන නොසලකා හරින්න", + "Do not ignore updates for this package anymore": "මෙම පැකේජය සඳහා යාවත්කාලීන තවදුරටත් නොසලකා හරින්න එපා", + "Add packages or open an existing package bundle": "ඇසුරුම් එක් කිරීම හෝ තිබෙන ඇසුරුම් බන්ඩලයක් විවෘත කරන්න", + "Add packages to start": "ආරම්භ කිරීමට ඇසුරුම් එක් කරන්න", + "The current bundle has no packages. Add some packages to get started": "වත්මන් bundle එකේ පැකේජ නොමැත. ආරම්භ කිරීමට පැකේජ කිහිපයක් එක් කරන්න", + "New": "නව", + "Save as": "ලෙස සුරකින්න", + "Remove selection from bundle": "bundle එකෙන් තේරීම ඉවත් කරන්න", + "Skip hash checks": "hash checks මඟ හරින්න", + "The package bundle is not valid": "package bundle එක වලංගු නොවේ", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "ඔබ load කිරීමට උත්සාහ කරන bundle එක වලංගු නොවන බව පෙනේ. කරුණාකර ගොනුව පරීක්ෂා කර නැවත උත්සාහ කරන්න.", + "Package bundle": "පැකේජ bundle", + "Could not create bundle": "බණ්ඩලය සෑදිය නොහැකි විය", + "The package bundle could not be created due to an error.": "දෝෂයක් හේතුවෙන් package bundle එක සෑදිය නොහැකි විය.", + "Bundle security report": "බණ්ඩල ආරක්ෂක වාර්තාව", + "Hooray! No updates were found.": "සුභ ආරංචියක්! කිසිදු යාවත්කාලීනයක් හමු නොවීය.", + "Everything is up to date": "සියල්ල යාවත්කාලීනව ඇත", + "Uninstall selected packages": "තෝරාගත් පැකේජ uninstall කරන්න", + "Update selection": "තේරීම යාවත්කාලීන කරන්න", + "Update options": "update විකල්ප", + "Uninstall package, then update it": "පැකේජය uninstall කර, පසුව update කරන්න", + "Uninstall package": "පැකේජය uninstall කරන්න", + "Skip this version": "මෙම version එක මඟ හරින්න", + "Pause updates for": "යාවත්කාලීන නවත්වන්න", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust පැකේජ කළමනාකරු.
අඩංගු වන්නේ: Rust libraries සහ Rust තුළ ලියූ වැඩසටහන්", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows සඳහා සාම්ප්‍රදායික පැකේජ කළමනාකරු. ඔබට එහි සෑම දෙයක්ම හමුවේ.
අඩංගු වන්නේ: සාමාන්‍ය මෘදුකාංග", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoftගේ .NET පරිසර පද්ධතිය සැලකිල්ලට ගනිමින් නිර්මාණය කරන ලද මෙවලම් සහ ක්‍රියාත්මක ගොනු වලින් පිරුණු repository එකක්.
අඩංගු වන්නේ: .NET සම්බන්ධ මෙවලම් සහ scripts", + "NuPkg (zipped manifest)": "NuPkg (සම්පීඩිත manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS හි පැකේජ කළමනාකරු. javascript ලෝකය වටා පවතින libraries සහ වෙනත් utilities වලින් පිරී ඇත
අඩංගු වන්නේ: Node javascript libraries සහ වෙනත් සම්බන්ධ utilities", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python හි library manager. python libraries සහ වෙනත් python-සම්බන්ධ utilities වලින් පිරී ඇත
අඩංගු වන්නේ: Python libraries සහ සම්බන්ධ utilities", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell හි පැකේජ කළමනාකරු. PowerShell හැකියාවන් පුළුල් කිරීමට libraries සහ scripts සොයා ගන්න
අඩංගු වන්නේ: Modules, Scripts, Cmdlets", + "extracted": "උපුටා ගන්නා ලදී", + "Scoop package": "Scoop පැකේජය", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "නොදන්නා නමුත් ප්‍රයෝජනවත් utilities සහ වෙනත් රසවත් පැකේජ වලින් පිරුණු අගනා repository එකක්.
අඩංගු වන්නේ: Utilities, command-line වැඩසටහන්, සාමාන්‍ය මෘදුකාංග (extras bucket අවශ්‍යයි)", + "library": "පුස්තකාලය", + "feature": "විශේෂාංගය", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ජනප්‍රිය C/C++ පුස්තකාල කළමනාකරුවෙකි. C/C++ පුස්තකාල සහ අනෙකුත් C/C++ සම්බන්ධ උපයෝගිතා වලින් පිරී ඇත
අඩංගු වන්නේ: C/C++ පුස්තකාල සහ සම්බන්ධ උපයෝගිතා", + "option": "විකල්පය", + "This package cannot be installed from an elevated context.": "මෙම පැකේජය elevated context එකකින් ස්ථාපනය කළ නොහැක.", + "Please run UniGetUI as a regular user and try again.": "කරුණාකර UniGetUI සාමාන්‍ය පරිශීලකයෙකු ලෙස ධාවනය කර නැවත උත්සාහ කරන්න.", + "Please check the installation options for this package and try again": "කරුණාකර මෙම පැකේජයේ ස්ථාපන විකල්ප පරීක්ෂා කර නැවත උත්සාහ කරන්න", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft හි නිල පැකේජ කළමනාකරු. හොඳින් දන්නා සහ සනාථ කළ පැකේජ වලින් පිරී ඇත
අඩංගු වන්නේ: සාමාන්‍ය මෘදුකාංග, Microsoft Store apps", + "Local PC": "ස්ථානීය පරිගණකය", + "Android Subsystem": "ඇන්ඩ්‍රොයිඩ් උප පද්ධතිය", + "Operation on queue (position {0})...": "මෙහෙයුම queue හි ඇත (ස්ථානය {0})...", + "Click here for more details": "වැඩි විස්තර සඳහා මෙතැන ක්ලික් කරන්න", + "Operation canceled by user": "පරිශීලකයා මෙහෙයුම අවලංගු කළේය", + "Starting operation...": "මෙහෙයුම ආරම්භ කරමින්...", + "{package} installer download": "{package} installer බාගත කිරීම", + "{0} installer is being downloaded": "{0} installer බාගත කරමින් පවතී", + "Download succeeded": "බාගත කිරීම සම්පූර්ණයි", + "{package} installer was downloaded successfully": "{package} installer සාර්ථකව බාගත කරන ලදී", + "Download failed": "බාගත කිරීම අසාර්ථකයි", + "{package} installer could not be downloaded": "{package} installer බාගත කළ නොහැකි විය", + "{package} Installation": "{package} ස්ථාපනය", + "{0} is being installed": "{0} ස්ථාපනය කරමින් පවතී", + "Installation succeeded": "ස්ථාපනය සාර්ථකයි", + "{package} was installed successfully": "{package} සාර්ථකව ස්ථාපනය කරන ලදී", + "Installation failed": "ස්ථාපනය අසාර්ථකයි", + "{package} could not be installed": "{package} ස්ථාපනය කළ නොහැකි විය", + "{package} Update": "{package} යාවත්කාලීන කිරීම", + "{0} is being updated to version {1}": "{0} {1} සංස්කරණයට යාවත්කාලීන කරමින් පවතී", + "Update succeeded": "යාවත්කාලීන කිරීම සාර්ථකයි", + "{package} was updated successfully": "{package} සාර්ථකව යාවත්කාලීන කරන ලදී", + "Update failed": "යාවත්කාලීන කිරීම අසාර්ථකයි", + "{package} could not be updated": "{package} යාවත්කාලීන කළ නොහැකි විය", + "{package} Uninstall": "{package} uninstall කිරීම", + "{0} is being uninstalled": "{0} uninstall කරමින් පවතී", + "Uninstall succeeded": "uninstall සාර්ථකයි", + "{package} was uninstalled successfully": "{package} සාර්ථකව uninstall කරන ලදී", + "Uninstall failed": "uninstall අසාර්ථකයි", + "{package} could not be uninstalled": "{package} uninstall කළ නොහැකි විය", + "Adding source {source}": "{source} ප්‍රභවය එක් කරයි", + "Adding source {source} to {manager}": "{source} ප්‍රභවය {manager} ට එක් කරයි", + "Source added successfully": "මූලාශ්‍රය සාර්ථකව එක් කරන ලදී", + "The source {source} was added to {manager} successfully": "{source} මූලාශ්‍රය {manager} වෙත සාර්ථකව එක් කරන ලදී", + "Could not add source": "මූලාශ්‍රය එක් කළ නොහැකි විය", + "Could not add source {source} to {manager}": "{source} මූලාශ්‍රය {manager} වෙත එක් කළ නොහැකි විය", + "Removing source {source}": "{source} මූලාශ්‍රය ඉවත් කරමින්", + "Removing source {source} from {manager}": "{manager} වෙතින් {source} මූලාශ්‍රය ඉවත් කරමින්", + "Source removed successfully": "මූලාශ්‍රය සාර්ථකව ඉවත් කරන ලදී", + "The source {source} was removed from {manager} successfully": "{source} මූලාශ්‍රය {manager} වෙතින් සාර්ථකව ඉවත් කරන ලදී", + "Could not remove source": "මූලාශ්‍රය ඉවත් කළ නොහැකි විය", + "Could not remove source {source} from {manager}": "{manager} වෙතින් {source} මූලාශ්‍රය ඉවත් කළ නොහැකි විය", + "The package manager \"{0}\" was not found": "\"{0}\" package manager එක හමු නොවීය", + "The package manager \"{0}\" is disabled": "\"{0}\" package manager එක අක්‍රීයයි", + "There is an error with the configuration of the package manager \"{0}\"": "\"{0}\" package manager එකේ configuration එකේ දෝෂයක් ඇත", + "The package \"{0}\" was not found on the package manager \"{1}\"": "\"{1}\" package manager හි \"{0}\" පැකේජය හමු නොවීය", + "{0} is disabled": "{0} අත්හිටු ඇත ", + "Something went wrong": "යම් දෙයක් වැරදී ගියේය", + "An interal error occurred. Please view the log for further details.": "අභ්‍යන්තර දෝෂයක් සිදු විය. කරුණාකර වැඩිදුර තොරතුරු සදහා ලගුව බලන්න", + "No applicable installer was found for the package {0}": "{0} පැකේජය සඳහා ගැලපෙන installer එකක් හමු නොවීය", + "We are checking for updates.": "අපි යාවත්කාලීන සඳහා පරීක්ෂා කරමින් සිටිමු.", + "Please wait": "කරුණාකර රැඳී සිටින්න", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} බාගත කරමින් පවතී.", + "This may take a minute or two": "මෙයට මිනිත්තුවක් හෝ දෙකක් ගත විය හැක", + "The installer authenticity could not be verified.": "installer හි සත්‍යතාව තහවුරු කළ නොහැකි විය.", + "The update process has been aborted.": "update process එක අත්හිටුවා ඇත.", + "Great! You are on the latest version.": "විශිෂ්ටයි! ඔබ නවතම සංස්කරණය භාවිතා කරයි.", + "There are no new UniGetUI versions to be installed": "ස්ථාපනය කිරීමට නව UniGetUI versions නොමැත", + "An error occurred when checking for updates: ": "යාවත්කාලීන පරීක්ෂා කිරීමේදී දෝෂයක් ඇති විය: ", + "UniGetUI is being updated...": "UniGetUI යාවත්කාලීන වෙමින් පවතී...", + "Something went wrong while launching the updater.": "updater ආරම්භ කිරීමේදී යම් දෙයක් වැරදී ගියේය.", + "Please try again later": "කරුණාකර පසුව නැවත උත්සාහ කරන්න", + "Integrity checks will not be performed during this operation": "මෙම මෙහෙයුම අතරතුර integrity checks සිදු නොවේ", + "This is not recommended.": "මෙය නිර්දේශ නොකෙරේ.", + "Run now": "දැන් ධාවනය කරන්න", + "Run next": "ඊළඟට ධාවනය කරන්න", + "Run last": "අවසන් ලෙස ධාවනය කරන්න", + "Retry as administrator": "පරිපාලක ලෙස නැවත උත්සාහ කරන්න", + "Retry interactively": "interactive ආකාරයෙන් නැවත උත්සාහ කරන්න", + "Retry skipping integrity checks": "integrity checks මඟ හරිමින් නැවත උත්සාහ කරන්න", + "Installation options": "ස්ථාපන විකල්ප", + "Show in explorer": "explorer තුළ පෙන්වන්න", + "This package is already installed": "මෙම පැකේජය දැනටමත් ස්ථාපනය කර ඇත", + "This package can be upgraded to version {0}": "මෙම පැකේජය {0} සංස්කරණයට upgrade කළ හැක", + "Updates for this package are ignored": "මෙම පැකේජය සඳහා යාවත්කාලීන නොසලකා හැරේ", + "This package is being processed": "මෙම පැකේජය සැකසෙමින් පවතී", + "This package is not available": "මෙම පැකේජය ලබාගත නොහැක", + "Select the source you want to add:": "ඔබට එක් කිරීමට අවශ්‍ය මූලාශ්‍රය තෝරන්න:", + "Source name:": "මූලාශ්‍ර නම:", + "Source URL:": "මූලාශ්‍ර URL:", + "An error occurred": "දෝෂයක් සිදු විය", + "An error occurred when adding the source: ": "මූලාශ්‍රය එක් කිරීමේදී දෝෂයක් ඇති විය: ", + "Package management made easy": "පැකේජ කළමනාකරණය පහසු කළා", + "version {0}": "සංස්කරණය {0}", + "[RAN AS ADMINISTRATOR]": "[පරිපාලක ලෙස ධාවනය විය]", + "Portable mode": "ගෙන යා හැකි මාදිලිය\n", + "DEBUG BUILD": "DEBUG build සංස්කරණය", + "Available Updates": "යාවත්කාලීන කිරීම්", + "Show WingetUI": "UniGetUI පෙන්වන්න", + "Quit": "ඉවත් වන්න", + "Attention required": "අවධානය අවශ්‍යයි.", + "Restart required": "නැවත ආරම්භ කිරීම අවශ්‍යයි", + "1 update is available": "යාවත්කාලීන කිරීම් 1ක් ඇත", + "{0} updates are available": "යාවත්කාලීන {0} ක් ලබාගත හැක", + "WingetUI Homepage": "WingetUI මුල් පිටුව", + "WingetUI Repository": "WingetUI repository ගබඩාව", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "මෙහි ඔබට පහත shortcuts සම්බන්ධයෙන් UniGetUI හි හැසිරීම වෙනස් කළ හැකිය. shortcut එකක් ටික් කළහොත් එය ඉදිරි upgrade එකකදී සෑදුවහොත් UniGetUI එය මකා දමයි. ටික් ඉවත් කළහොත් shortcut එක එලෙසම පවතී.", + "Manual scan": "අතින් scan කිරීම", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "ඔබගේ desktop හි පවතින shortcuts scan කරනු ලැබේ, සහ තබා ගත යුත්තේ කුමනද, ඉවත් කළ යුත්තේ කුමනද යන්න ඔබට තෝරාගත යුතුය.", + "Continue": "කරගෙන යන්න", + "Delete?": "මකන්නද?", + "Missing dependency": "අතුරුදන් dependency", + "Not right now": "දැන් නොවේ", + "Install {0}": "{0} ස්ථාපනය කරන්න", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ක්‍රියා කිරීමට {0} අවශ්‍යය, නමුත් එය ඔබේ පද්ධතියේ හමු නොවීය.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "ස්ථාපන ක්‍රියාවලිය ආරම්භ කිරීමට Install ක්ලික් කරන්න. ඔබ ස්ථාපනය මඟ හැරියහොත්, UniGetUI අපේක්ෂිත ආකාරයට ක්‍රියා නොකළ හැකිය.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "විකල්පයක් ලෙස, Windows PowerShell prompt එකක පහත විධානය ධාවනය කර {0} ස්ථාපනය කළ හැකිය:", + "Do not show this dialog again for {0}": "{0} සඳහා මෙම සංවාදය නැවත පෙන්වන්න එපා", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} ස්ථාපනය වන අතරතුර කරුණාකර රැඳී සිටින්න. කළු (හෝ නිල්) කවුළුවක් පෙන්විය හැක. එය වැසෙන තෙක් රැඳී සිටින්න.", + "{0} has been installed successfully.": "{0} සාර්ථකව ස්ථාපනය කරන ලදී.", + "Please click on \"Continue\" to continue": "ඉදිරියට යාමට \"Continue\" ක්ලික් කරන්න", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} සාර්ථකව ස්ථාපනය කරන ලදී. ස්ථාපනය අවසන් කිරීමට UniGetUI නැවත ආරම්භ කිරීම නිර්දේශ කරයි", + "Restart later": "පසුව නැවත ආරම්භ කරන්න", + "An error occurred:": "දෝෂයක් සිදු විය:", + "I understand": "මම දැනුවත්", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI පරිපාලක ලෙස ධාවනය කර ඇත, එය නිර්දේශ නොකෙරේ. WingetUI පරිපාලක ලෙස ධාවනය කරන විට, WingetUI වලින් ආරම්භ කරන සෑම මෙහෙයුමක්ම පරිපාලක බලතල ලබා ගනී. ඔබට තවමත් වැඩසටහන භාවිතා කළ හැකි නමුත්, WingetUI පරිපාලක බලතල සමඟ ධාවනය නොකිරීමට අපි දැඩි ලෙස නිර්දේශ කරමු.", + "WinGet was repaired successfully": "WinGet සාර්ථකව අලුත්වැඩියා කරන ලදී", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet අලුත්වැඩියා කළ පසු UniGetUI නැවත ආරම්භ කිරීම නිර්දේශ කෙරේ", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "සටහන: මෙම troubleshooter UniGetUI Settings හි WinGet කොටසෙන් අක්‍රීය කළ හැක", + "Restart": "නැවත ආරම්භ කරන්න", + "WinGet could not be repaired": "WinGet අලුත්වැඩියා කළ නොහැකි විය", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet අලුත්වැඩියා කිරීමට උත්සාහ කිරීමේදී බලාපොරොත්තු නොවූ ගැටලුවක් ඇති විය. කරුණාකර පසුව නැවත උත්සාහ කරන්න", + "Are you sure you want to delete all shortcuts?": "ඔබට සියලු shortcuts මකා දැමීමට විශ්වාසද?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ස්ථාපනයක් හෝ යාවත්කාලීන මෙහෙයුමක් අතරතුර නිර්මාණය කරන ලද නව shortcuts, මුල්වරට හඳුනාගත් විට තහවුරු කිරීමේ prompt එකක් පෙන්වීම වෙනුවට, ස්වයංක්‍රීයව මකා දමනු ඇත.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI ට පිටතින් නිර්මාණය කරන ලද හෝ වෙනස් කරන ලද shortcuts නොසලකා හරිනු ලැබේ. ඔබට ඒවා {0} බොත්තම මගින් එක් කළ හැකියි.", + "Are you really sure you want to enable this feature?": "මෙම විශේෂාංගය සක්‍රීය කිරීමට ඔබට ඇත්තටම විශ්වාසද?", + "No new shortcuts were found during the scan.": "scan කිරීම අතරතුර නව shortcuts හමු නොවීය.", + "How to add packages to a bundle": "බණ්ඩලයකට පැකේජ එක් කරන ආකාරය", + "In order to add packages to a bundle, you will need to: ": "බණ්ඩලයකට පැකේජ එක් කිරීමට, ඔබට පහත දෑ කළ යුතුය: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" හෝ \"{1}\" පිටුවට යන්න.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. ඔබට බණ්ඩලයට එක් කිරීමට අවශ්‍ය පැකේජ සොයාගෙන, ඒවායේ වම්පස ඇති checkbox එක තෝරන්න.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. ඔබට බණ්ඩලයට එක් කිරීමට අවශ්‍ය පැකේජ තෝරාගත් පසු, toolbar එකේ \"{0}\" විකල්පය සොයා ක්ලික් කරන්න.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. ඔබගේ පැකේජ බණ්ඩලයට එක් කර ඇත. ඔබට තවත් පැකේජ එක් කිරීමට හෝ බණ්ඩලය අපනයනය කිරීමට හැකිය.", + "Which backup do you want to open?": "ඔබට විවෘත කිරීමට අවශ්‍ය backup එක කුමක්ද?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "ඔබට විවෘත කිරීමට අවශ්‍ය backup එක තෝරන්න. පසුව, ස්ථාපනය කිරීමට අවශ්‍ය පැකේජ කුමනදැයි සමාලෝචනය කළ හැකිය.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "ක්‍රියාත්මක වෙමින් පවතින මෙහෙයුම් ඇත. UniGetUI ඉවත් වීමෙන් ඒවා අසාර්ථක විය හැක. ඔබට ඉදිරියට යාමට අවශ්‍යද?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI හෝ එහි කොටස් කිහිපයක් අතුරුදන් හෝ දූෂිත වී ඇත.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "මෙම තත්ත්වය නිවැරදි කිරීමට UniGetUI නැවත ස්ථාපනය කිරීම තදින්ම නිර්දේශ කෙරේ.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "බලපෑමට ලක්වූ ගොනු පිළිබඳ වැඩි විස්තර සඳහා UniGetUI Logs වෙත යොමු වන්න", + "Integrity checks can be disabled from the Experimental Settings": "Experimental Settings වෙතින් integrity checks අක්‍රීය කළ හැක", + "Repair UniGetUI": "UniGetUI අලුත්වැඩියා කරන්න", + "Live output": "සජීව ප්‍රතිදානය", + "Package not found": "පැකේජය හමු නොවීය", + "An error occurred when attempting to show the package with Id {0}": "Id {0} සහිත පැකේජය පෙන්වීමට උත්සාහ කළ විට දෝෂයක් ඇති විය", + "Package": "පැකේජය", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "මෙම package bundle එකේ අනතුරුදායක විය හැකි සැකසුම් කිහිපයක් තිබූ අතර, ඒවා පෙරනිමියෙන් නොසලකා හැරිය හැක.", + "Entries that show in YELLOW will be IGNORED.": "YELLOW ලෙස පෙන්වන entries නොසලකා හරිනු ලැබේ.", + "Entries that show in RED will be IMPORTED.": "RED ලෙස පෙන්වන entries ආයාත කරනු ලැබේ.", + "You can change this behavior on UniGetUI security settings.": "මෙම හැසිරීම UniGetUI ආරක්ෂක සැකසුම් තුළ වෙනස් කළ හැක.", + "Open UniGetUI security settings": "UniGetUI ආරක්ෂක සැකසුම් විවෘත කරන්න", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "ඔබ ආරක්ෂක සැකසුම් වෙනස් කළහොත්, වෙනස්කම් බලපැවැත්වීමට bundle එක නැවත විවෘත කළ යුතුය.", + "Details of the report:": "වාර්තාවේ විස්තර:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ස්ථානීය පැකේජයක් වන අතර එය බෙදාගත නොහැක", + "Are you sure you want to create a new package bundle? ": "නව පැකේජ බණ්ඩලයක් සෑදීමට ඔබට විශ්වාසද? ", + "Any unsaved changes will be lost": "සුරකින්නේ නැති සියලු වෙනස්කම් අහිමි වනු ඇත", + "Warning!": "අවවාදයයි!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "ආරක්ෂක හේතු මත අභිරුචි command-line arguments පෙරනිමියෙන් අක්‍රීයයි. මෙය වෙනස් කිරීමට UniGetUI ආරක්ෂක සැකසුම් වෙත යන්න. ", + "Change default options": "පෙරනිමි විකල්ප වෙනස් කරන්න", + "Ignore future updates for this package": "මෙම පැකේජය සඳහා අනාගත යාවත්කාලීන නොසලකා හරින්න", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "ආරක්ෂක හේතු මත pre-operation සහ post-operation scripts පෙරනිමියෙන් අක්‍රීයයි. මෙය වෙනස් කිරීමට UniGetUI ආරක්ෂක සැකසුම් වෙත යන්න. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ uninstall කිරීමට පෙර හෝ පසු ධාවනය වන commands ඔබට අර්ථ දැක්විය හැක. ඒවා command prompt එකක ධාවනය වන බැවින් CMD scripts මෙහි ක්‍රියා කරයි.", + "Change this and unlock": "මෙය වෙනස් කර unlock කරන්න", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} පෙරනිමි install options අනුගමනය කරන බැවින් {0} Install options දැනට අගුලු දමා ඇත.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ අස්ථාපනය කිරීමට පෙර වසා දැමිය යුතු processes තෝරන්න.", + "Write here the process names here, separated by commas (,)": "මෙහි process නාම comma (,) මගින් වෙන් කර ලියන්න", + "Unset or unknown": "set කර නොමැති හෝ නොදන්නා", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "ගැටලුව පිළිබඳ වැඩිදුර තොරතුරු සඳහා Command-line Output බලන්න හෝ Operation History වෙත යොමු වන්න.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "මෙම පැකේජයට screenshots නොමැතිද හෝ icon එක අතුරුදන්වී තිබේද? අපගේ විවෘත, පොදු දත්ත සමුදායට අතුරුදන් icons සහ screenshots එක් කර UniGetUI වෙත දායක වන්න.", + "Become a contributor": "සහයෝගිකයෙකු වන්න", + "Save": "සුරකින්න", + "Update to {0} available": "{0} වෙත යාවත්කාලීන කිරීම ලබාගත හැක", + "Reinstall": "නැවත ස්ථාපනය කරන්න", + "Installer not available": "Installer ලබාගත නොහැක", + "Version:": "සංස්කරණය:", + "Performing backup, please wait...": "backup ගනිමින් පවතී, කරුණාකර රැඳී සිටින්න...", + "An error occurred while logging in: ": "පිවිසීමේදී දෝෂයක් ඇති විය: ", + "Fetching available backups...": "ලබාගත හැකි උපස්ථ ගෙනෙමින්...", + "Done!": "සම්පූර්ණයි!", + "The cloud backup has been loaded successfully.": "cloud backup එක සාර්ථකව load කරන ලදී.", + "An error occurred while loading a backup: ": "උපස්ථයක් පූරණය කිරීමේදී දෝෂයක් ඇති විය: ", + "Backing up packages to GitHub Gist...": "පැකේජ GitHub Gist වෙත උපස්ථ කරමින්...", + "Backup Successful": "උපස්ථය සාර්ථකයි", + "The cloud backup completed successfully.": "cloud backup එක සාර්ථකව අවසන් විය.", + "Could not back up packages to GitHub Gist: ": "පැකේජ GitHub Gist වෙත උපස්ථ කළ නොහැකි විය: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "සපයන ලද credentials ආරක්ෂිතව ගබඩා කරනු ඇතැයි සහතික කළ නොහැකි බැවින්, ඔබේ බැංකු ගිණුමේ credentials භාවිතා නොකිරීම වඩාත් සුදුසුය", + "Enable the automatic WinGet troubleshooter": "ස්වයංක්‍රීය WinGet troubleshooter සක්‍රීය කරන්න", + "Enable an [experimental] improved WinGet troubleshooter": "[experimental] වැඩිදියුණු කළ WinGet troubleshooter සක්‍රීය කරන්න", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' යන දෝෂයෙන් අසාර්ථක වන යාවත්කාලීන ignored updates ලැයිස්තුවට එක් කරන්න", + "Restart WingetUI to fully apply changes": "වෙනස්කම් සම්පූර්ණයෙන් යෙදීමට UniGetUI නැවත ආරම්භ කරන්න", + "Restart WingetUI": "UniGetUI නැවත ආරම්භ කරන්න", + "Invalid selection": "වලංගු නොවන තේරීම", + "No package was selected": "කිසිදු පැකේජයක් තෝරා නොමැත", + "More than 1 package was selected": "පැකේජ 1කට වඩා තෝරා ඇත", + "List": "ලැයිස්තුව", + "Grid": "ජාලකය", + "Icons": "අයිකන", "\"{0}\" is a local package and does not have available details": "\"{0}\" ස්ථානීය පැකේජයක් වන අතර ඒ සඳහා ලබාගත හැකි විස්තර නොමැත", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ස්ථානීය පැකේජයක් වන අතර මෙම විශේෂාංගය සමඟ අනුකූල නොවේ", - "(Last checked: {0})": "(අවසන් වරට පරීක්ෂා කළේ: {0})", + "WinGet malfunction detected": "WinGet අක්‍රියතාවක් හඳුනා ගන්නා ලදී", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet නිසි ලෙස ක්‍රියා නොකරන බව පෙනේ. WinGet අලුත්වැඩියා කිරීමට උත්සාහ කිරීමට ඔබට අවශ්‍යද?", + "Repair WinGet": "WinGet අලුත්වැඩියා කරන්න", + "Create .ps1 script": ".ps1 script එක සාදන්න", + "Add packages to bundle": "බණ්ඩලයට පැකේජ එක් කරන්න", + "Preparing packages, please wait...": "පැකේජ සූදානම් කරමින්, කරුණාකර රැඳී සිටින්න...", + "Loading packages, please wait...": "පැකේජ පූරණය කරමින්, කරුණාකර රැඳී සිටින්න...", + "Saving packages, please wait...": "පැකේජ සුරකිමින්, කරුණාකර රැඳී සිටින්න...", + "The bundle was created successfully on {0}": "bundle එක {0} දින සාර්ථකව සාදන ලදි", + "Install script": "ස්ථාපන script", + "The installation script saved to {0}": "ස්ථාපන script එක {0} වෙත සුරකින ලදී", + "An error occurred while attempting to create an installation script:": "ස්ථාපන script එකක් සෑදීමට උත්සාහ කිරීමේදී දෝෂයක් ඇති විය:", + "{0} packages are being updated": "{0}ක් ඇසුරුම් යාවත්කාලීන වෙමින් පවතී ", + "Error": "දෝෂයක්", + "Log in failed: ": "පිවිසීම අසාර්ථකයි: ", + "Log out failed: ": "ඉවත් වීම අසාර්ථකයි: ", + "Package backup settings": "පැකේජ backup සැකසුම්", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(පෝලිමේ අංකය {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Savithu-s3,@SashikaSandeepa, @ttheek", "0 packages found": "ඇසුරුම් 0ක් හමුවිය ", "0 updates found": "යාවත්කාලීන කිරීම් 0ක් හමුවිය", - "1 - Errors": "1 - දෝෂ", - "1 day": "දින 1", - "1 hour": "පැය 1", "1 month": "මාස 1", "1 package was found": "ඇසුරුම් 1ක් හමුවිය ", - "1 update is available": "යාවත්කාලීන කිරීම් 1ක් ඇත", - "1 week": "සති 1", "1 year": "අවුරුදු 1", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" හෝ \"{1}\" පිටුවට යන්න.", - "2 - Warnings": "2 - අනතුරු ඇඟවීම්", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. ඔබට බණ්ඩලයට එක් කිරීමට අවශ්‍ය පැකේජ සොයාගෙන, ඒවායේ වම්පස ඇති checkbox එක තෝරන්න.", - "3 - Information (less)": "3 - තොරතුරු (අඩු)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. ඔබට බණ්ඩලයට එක් කිරීමට අවශ්‍ය පැකේජ තෝරාගත් පසු, toolbar එකේ \"{0}\" විකල්පය සොයා ක්ලික් කරන්න.", - "4 - Information (more)": "4 - තොරතුරු (වැඩි)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. ඔබගේ පැකේජ බණ්ඩලයට එක් කර ඇත. ඔබට තවත් පැකේජ එක් කිරීමට හෝ බණ්ඩලය අපනයනය කිරීමට හැකිය.", - "5 - information (debug)": "5 - තොරතුරු (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ජනප්‍රිය C/C++ පුස්තකාල කළමනාකරුවෙකි. C/C++ පුස්තකාල සහ අනෙකුත් C/C++ සම්බන්ධ උපයෝගිතා වලින් පිරී ඇත
අඩංගු වන්නේ: C/C++ පුස්තකාල සහ සම්බන්ධ උපයෝගිතා", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoftගේ .NET පරිසර පද්ධතිය සැලකිල්ලට ගනිමින් නිර්මාණය කරන ලද මෙවලම් සහ ක්‍රියාත්මක ගොනු වලින් පිරුණු repository එකක්.
අඩංගු වන්නේ: .NET සම්බන්ධ මෙවලම් සහ scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoftගේ .NET පරිසර පද්ධතිය සැලකිල්ලට ගනිමින් නිර්මාණය කරන ලද මෙවලම් වලින් පිරුණු repository එකක්.
අඩංගු වන්නේ: .NET සම්බන්ධ මෙවලම්", "A restart is required": "පරිගණකය යලි පණගැන්වීමක් අවශයයි", - "Abort install if pre-install command fails": "pre-install විධානය අසාර්ථක වුවහොත් ස්ථාපනය නවත්වන්න", - "Abort uninstall if pre-uninstall command fails": "pre-uninstall විධානය අසාර්ථක වුවහොත් අස්ථාපනය නවත්වන්න", - "Abort update if pre-update command fails": "pre-update විධානය අසාර්ථක වුවහොත් යාවත්කාලීන කිරීම නවත්වන්න", - "About": "පිළිබඳ", "About Qt6": "Qt6 පිළිබඳව ", - "About WingetUI": "WingetUI පිළිබඳව ", "About WingetUI version {0}": "WingetUI {0} සංස්කරණය පිළිබඳව ", "About the dev": "සංවර්ධක පිළිබඳව", - "Accept": "එකඟ වන්න", "Action when double-clicking packages, hide successful installations": "පැකේජ දෙවරක් ක්ලික් කිරීමේදී කරන ක්‍රියාව, සාර්ථක ස්ථාපනයන් සඟවන්න", - "Add": "එකතු කරන්න", "Add a source to {0}": "{0} ට ප්‍රභවයක් එකතු කරන්න", - "Add a timestamp to the backup file names": "උපස්ථ ගොනු නාමවලට වේලා මුද්‍රාවක් එක් කරන්න", "Add a timestamp to the backup files": "උපස්ථ ගොනු වෙත වේලා මුද්‍රාවක් එක් කරන්න", "Add packages or open an existing bundle": "ඇසුරුම් එක් කිරීම හෝ තිබෙන බන්ඩලයක් විවෘත කරන්න", - "Add packages or open an existing package bundle": "ඇසුරුම් එක් කිරීම හෝ තිබෙන ඇසුරුම් බන්ඩලයක් විවෘත කරන්න", - "Add packages to bundle": "බණ්ඩලයට පැකේජ එක් කරන්න", - "Add packages to start": "ආරම්භ කිරීමට ඇසුරුම් එක් කරන්න", - "Add selection to bundle": "බන්ඩලයක් සදහා තේරීම් කරන්න", - "Add source": "මූලාශ්‍රය එක් කරන්න", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' යන දෝෂයෙන් අසාර්ථක වන යාවත්කාලීන ignored updates ලැයිස්තුවට එක් කරන්න", - "Adding source {source}": "{source} ප්‍රභවය එක් කරයි", - "Adding source {source} to {manager}": "{source} ප්‍රභවය {manager} ට එක් කරයි", "Addition succeeded": "එකතු කිරීම සාර්ථකයි", - "Administrator privileges": "පරිපාලක බලතල ", "Administrator privileges preferences": "පරිපාලක බලතල තේරීම් ", "Administrator rights": "පරිපාලක හිමිකම් ", - "Administrator rights and other dangerous settings": "පරිපාලක හිමිකම් සහ වෙනත් අවදානම් සහිත සැකසුම්", - "Advanced options": "උසස් විකල්ප", "All files": "සියලු ගොනු ", - "All versions": "සියලු සංස්කරණ ", - "Allow changing the paths for package manager executables": "පැකේජ කළමනාකරු executable සඳහා path වෙනස් කිරීමට ඉඩ දෙන්න", - "Allow custom command-line arguments": "අභිරුචි command-line arguments සඳහා ඉඩ දෙන්න", - "Allow importing custom command-line arguments when importing packages from a bundle": "බණ්ඩලයකින් පැකේජ ආයාත කිරීමේදී අභිරුචි command-line arguments ආයාත කිරීමට ඉඩ දෙන්න", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "බණ්ඩලයකින් පැකේජ ආයාත කිරීමේදී අභිරුචි pre-install සහ post-install විධාන ආයාත කිරීමට ඉඩ දෙන්න", "Allow package operations to be performed in parallel": "සමාන්තරගත ලෙස ඇසුරුම් සදහා මෙහෙයුම් ක්‍රියාත්මක කිරීමට එකඟ වන්න", "Allow parallel installs (NOT RECOMMENDED)": "සමාන්තරගත ස්ථාපනය කිරීම් සදහා අවසරය (යෝජනා නොකරයි)", - "Allow pre-release versions": "pre-release සංස්කරණ සඳහා ඉඩ දෙන්න", "Allow {pm} operations to be performed in parallel": "සමාන්තරගත ලෙස ඇසුරුම් සදහා {pm} මෙහෙයුම් ක්‍රියාත්මක කිරීමට එකඟ වන්න", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "විකල්පයක් ලෙස, Windows PowerShell prompt එකක පහත විධානය ධාවනය කර {0} ස්ථාපනය කළ හැකිය:", "Always elevate {pm} installations by default": "පෙරනිමියෙන්ම {pm} ස්ථාපනයන් සැමවිටම උසස් කරන්න", "Always run {pm} operations with administrator rights": "{pm} මෙහෙයුම් සැමවිටම පරිපාලක හිමිකම් සමඟ ධාවනය කරන්න", - "An error occurred": "දෝෂයක් සිදු විය", - "An error occurred when adding the source: ": "මූලාශ්‍රය එක් කිරීමේදී දෝෂයක් ඇති විය: ", - "An error occurred when attempting to show the package with Id {0}": "Id {0} සහිත පැකේජය පෙන්වීමට උත්සාහ කළ විට දෝෂයක් ඇති විය", - "An error occurred when checking for updates: ": "යාවත්කාලීන පරීක්ෂා කිරීමේදී දෝෂයක් ඇති විය: ", - "An error occurred while attempting to create an installation script:": "ස්ථාපන script එකක් සෑදීමට උත්සාහ කිරීමේදී දෝෂයක් ඇති විය:", - "An error occurred while loading a backup: ": "උපස්ථයක් පූරණය කිරීමේදී දෝෂයක් ඇති විය: ", - "An error occurred while logging in: ": "පිවිසීමේදී දෝෂයක් ඇති විය: ", - "An error occurred while processing this package": "මෙම පැකේජය සැකසීමේදී දෝෂයක් ඇති විය", - "An error occurred:": "දෝෂයක් සිදු විය:", - "An interal error occurred. Please view the log for further details.": "අභ්‍යන්තර දෝෂයක් සිදු විය. කරුණාකර වැඩිදුර තොරතුරු සදහා ලගුව බලන්න", "An unexpected error occurred:": "බලාපොරොත්තු නොවූ දෝෂයක් ඇති විය", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet අලුත්වැඩියා කිරීමට උත්සාහ කිරීමේදී බලාපොරොත්තු නොවූ ගැටලුවක් ඇති විය. කරුණාකර පසුව නැවත උත්සාහ කරන්න", - "An update was found!": "නව යාවත්කාලීන කිරීමක් හමු විය", - "Android Subsystem": "ඇන්ඩ්‍රොයිඩ් උප පද්ධතිය", "Another source": "තවත් මූලාශ්‍රයක්", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ස්ථාපනයක් හෝ යාවත්කාලීන මෙහෙයුමක් අතරතුර නිර්මාණය කරන ලද නව shortcuts, මුල්වරට හඳුනාගත් විට තහවුරු කිරීමේ prompt එකක් පෙන්වීම වෙනුවට, ස්වයංක්‍රීයව මකා දමනු ඇත.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI ට පිටතින් නිර්මාණය කරන ලද හෝ වෙනස් කරන ලද shortcuts නොසලකා හරිනු ලැබේ. ඔබට ඒවා {0} බොත්තම මගින් එක් කළ හැකියි.", - "Any unsaved changes will be lost": "සුරකින්නේ නැති සියලු වෙනස්කම් අහිමි වනු ඇත", "App Name": "යෙදුමේ නම", - "Appearance": "පෙනුම", - "Application theme, startup page, package icons, clear successful installs automatically": "යෙදුම් තේමාව, ආරම්භක පිටුව, පැකේජ අයිකන, සාර්ථක ස්ථාපනයන් ස්වයංක්‍රීයව ඉවත් කිරීම", - "Application theme:": "යෙදුම් තේමාව:", - "Apply": "යොදන්න", - "Architecture to install:": "ස්ථාපනය කිරීමට architecture:", "Are these screenshots wron or blurry?": "මෙම screenshot වැරදිද නොපැහැදිලිද?", - "Are you really sure you want to enable this feature?": "මෙම විශේෂාංගය සක්‍රීය කිරීමට ඔබට ඇත්තටම විශ්වාසද?", - "Are you sure you want to create a new package bundle? ": "නව පැකේජ බණ්ඩලයක් සෑදීමට ඔබට විශ්වාසද? ", - "Are you sure you want to delete all shortcuts?": "ඔබට සියලු shortcuts මකා දැමීමට විශ්වාසද?", - "Are you sure?": "ඔබට විශ්වාසද?", - "Ascendant": "ආරෝහණ", - "Ask for administrator privileges once for each batch of operations": "මෙහෙයුම් සෑම batch එකකටම එක් වරක් පරිපාලක බලතල ඉල්ලන්න", "Ask for administrator rights when required": "අවශ්‍ය වන විට පරිපාලක හිමිකම් ඉල්ලන්න", "Ask once or always for administrator rights, elevate installations by default": "පරිපාලක හිමිකම් එක් වරක් හෝ සැමවිටම ඉල්ලන්න, පෙරනිමියෙන් ස්ථාපනයන් උසස් කරන්න", - "Ask only once for administrator privileges": "පරිපාලක බලතල එක් වරක් පමණක් ඉල්ලන්න", "Ask only once for administrator privileges (not recommended)": "පරිපාලක බලතල එක් වරක් පමණක් ඉල්ලන්න (නිර්දේශ නොකෙරේ)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "ස්ථාපනයක් හෝ උසස් කිරීමක් අතරතුර නිර්මාණය කරන ලද desktop shortcuts මකා දැමීමට අසන්න.", - "Attention required": "අවධානය අවශ්‍යයි.", "Authenticate to the proxy with an user and a password": "පරිශීලක නාමයක් සහ මුරපදයක් භාවිතයෙන් proxy වෙත සත්‍යාපනය කරන්න", - "Author": "කර්තෘ", - "Automatic desktop shortcut remover": "ස්වයංක්‍රීය desktop shortcut remover", - "Automatic updates": "ස්වයංක්‍රීය යාවත්කාලීන", - "Automatically save a list of all your installed packages to easily restore them.": "ඔබගේ ස්ථාපිත සියලු පැකේජ ලැයිස්තුවක් ස්වයංක්‍රීයව සුරකින්න, ඒවා පහසුවෙන් ප්‍රතිස්ථාපනය කිරීමට.", "Automatically save a list of your installed packages on your computer.": "ඔබගේ පරිගණකයේ ස්ථාපිත පැකේජ ලැයිස්තුවක් ස්වයංක්‍රීයව සුරකින්න.", - "Automatically update this package": "මෙම පැකේජය ස්වයංක්‍රීයව යාවත්කාලීන කරන්න", "Autostart WingetUI in the notifications area": "UniGetUI දැනුම්දීම් ප්‍රදේශයේ ස්වයංක්‍රීයව ආරම්භ කරන්න", - "Available Updates": "යාවත්කාලීන කිරීම්", "Available updates: {0}": "යාවත්කාලීන කිරීම්: {0}", "Available updates: {0}, not finished yet...": "ලබාගත හැකි යාවත්කාලීන: {0}, තවම අවසන් නැත...", - "Backing up packages to GitHub Gist...": "පැකේජ GitHub Gist වෙත උපස්ථ කරමින්...", - "Backup": "උපස්ථ", - "Backup Failed": "උපස්ථය අසාර්ථකයි", - "Backup Successful": "උපස්ථය සාර්ථකයි", - "Backup and Restore": "උපස්ථ සහ ප්‍රතිස්ථාපනය", "Backup installed packages": "ස්ථාපිත පැකේජ උපස්ථ කරන්න", "Backup location": "උපස්ථ ස්ථානය", - "Become a contributor": "සහයෝගිකයෙකු වන්න", - "Become a translator": "පරිවර්තකයෙක් වෙන්න", - "Begin the process to select a cloud backup and review which packages to restore": "cloud උපස්ථයක් තෝරා, ප්‍රතිස්ථාපනය කළ යුතු පැකේජ සමාලෝචනය කිරීමේ ක්‍රියාවලිය ආරම්භ කරන්න", - "Beta features and other options that shouldn't be touched": "Beta විශේෂාංග සහ අත නොතැබිය යුතු වෙනත් විකල්ප", - "Both": "දෙකම", - "Bundle security report": "බණ්ඩල ආරක්ෂක වාර්තාව", "But here are other things you can do to learn about WingetUI even more:": "නමුත් UniGetUI ගැන තවත් ඉගෙන ගැනීමට ඔබට කළ හැකි වෙනත් දේවල් මෙන්න:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "පැකේජ කළමනාකරුවෙකු off කළ විට, එහි පැකේජ දැකීමට හෝ යාවත්කාලීන කිරීමට ඔබට ఇక නොහැකි වනු ඇත.", "Cache administrator rights and elevate installers by default": "පරිපාලක හිමිකම් cache කර installers පෙරනිමියෙන් උසස් කරන්න", "Cache administrator rights, but elevate installers only when required": "පරිපාලක හිමිකම් cache කරන්න, නමුත් අවශ්‍ය වන විට පමණක් installers උසස් කරන්න", "Cache was reset successfully!": "cache එක සාර්ථකව reset කරන ලදී!", "Can't {0} {1}": "{0} {1} නොහැක", - "Cancel": "අවලංගු කරන්න", "Cancel all operations": "සියල්ල අවලංගු කරන්න", - "Change backup output directory": "උපස්ථ output directory එක වෙනස් කරන්න", - "Change default options": "පෙරනිමි විකල්ප වෙනස් කරන්න", - "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI ඔබගේ පැකේජ සඳහා ලබාගත හැකි යාවත්කාලීන පරීක්ෂා කරන සහ ස්ථාපනය කරන ආකාරය වෙනස් කරන්න", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI ස්ථාපනය, යාවත්කාලීන සහ අස්ථාපන මෙහෙයුම් හසුරුවන ආකාරය වෙනස් කරන්න.", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI පැකේජ ස්ථාපනය කරන සහ ලබාගත හැකි යාවත්කාලීන පරීක්ෂා කර ස්ථාපනය කරන ආකාරය වෙනස් කරන්න", - "Change how operations request administrator rights": "මෙහෙයුම් පරිපාලක හිමිකම් ඉල්ලන ආකාරය වෙනස් කරන්න", "Change install location": "install කරන ස්ථානය වෙනස් කරන්න", - "Change this": "මෙය වෙනස් කරන්න", - "Change this and unlock": "මෙය වෙනස් කර unlock කරන්න", - "Check for package updates periodically": "පැකේජ යාවත්කාලීන වරින් වර පරීක්ෂා කරන්න", - "Check for updates": "යාවත්කාලීන කිරීම් සදහා පරීක්ෂා කරන්න", - "Check for updates every:": "යාවත්කාලීන කිරීම් සඳහා පරීක්ෂා කරන්න:", "Check for updates periodically": "යාවත්කාලීන සඳහා වරින් වර පරීක්ෂා කරන්න", "Check for updates regularly, and ask me what to do when updates are found.": "යාවත්කාලීන සතිපතා/වරින් වර පරීක්ෂා කර, ඒවා හමුවූ විට කුමක් කළ යුතුදැයි මගෙන් අසන්න.", "Check for updates regularly, and automatically install available ones.": "යාවත්කාලීන වරින් වර පරීක්ෂා කර, ලබාගත හැකි ඒවා ස්වයංක්‍රීයව ස්ථාපනය කරන්න.", @@ -159,916 +741,335 @@ "Checking for updates...": "යාවත්කාලීන සඳහා පරීක්ෂා කරමින්...", "Checking found instace(s)...": "හමු වූ instance(ව) පරීක්ෂා කරමින්...", "Choose how many operations shouls be performed in parallel": "සමාන්තරව සිදු කළ යුතු මෙහෙයුම් ගණන තෝරන්න", - "Clear cache": "cache ඉවත් කරන්න", "Clear finished operations": "අවසන් වූ මෙහෙයුම් ඉවත් කරන්න", - "Clear selection": "තේරීම ඉවත් කරන්න", "Clear successful operations": "සාර්ථක මෙහෙයුම් ඉවත් කරන්න", - "Clear successful operations from the operation list after a 5 second delay": "තත්පර 5ක ප්‍රමාදයකින් පසු මෙහෙයුම් ලැයිස්තුවෙන් සාර්ථක මෙහෙයුම් ඉවත් කරන්න", "Clear the local icon cache": "ස්ථානීය icon cache එක ඉවත් කරන්න", - "Clearing Scoop cache - WingetUI": "Scoop cache ඉවත් කරමින් - UniGetUI", "Clearing Scoop cache...": "Scoop cache ඉවත් කරමින්...", - "Click here for more details": "වැඩි විස්තර සඳහා මෙතැන ක්ලික් කරන්න", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "ස්ථාපන ක්‍රියාවලිය ආරම්භ කිරීමට Install ක්ලික් කරන්න. ඔබ ස්ථාපනය මඟ හැරියහොත්, UniGetUI අපේක්ෂිත ආකාරයට ක්‍රියා නොකළ හැකිය.", - "Close": "වසා දමන්න", - "Close UniGetUI to the system tray": "UniGetUI system tray වෙත වසන්න", "Close WingetUI to the notification area": "UniGetUI දැනුම්දීම් ප්‍රදේශයට වසන්න", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "cloud backup ස්ථාපිත පැකේජ ලැයිස්තුවක් ගබඩා කිරීම සඳහා private GitHub Gist භාවිතා කරයි", - "Cloud package backup": "cloud පැකේජ උපස්ථ", "Command-line Output": "විධාන පුවරු ප්‍රතිදානය", - "Command-line to run:": "ධාවනය කිරීමට command-line:", "Compare query against": "query එක සසඳන්න", - "Compatible with authentication": "authentication සමඟ අනුකූලයි", - "Compatible with proxy": "proxy සමඟ අනුකූලයි", "Component Information": "Component තොරතුරු", - "Concurrency and execution": "සමාන්තර ක්‍රියාත්මක කිරීම සහ ධාවනය", - "Connect the internet using a custom proxy": "අභිරුචි proxy භාවිතයෙන් අන්තර්ජාලයට සම්බන්ධ වන්න", - "Continue": "කරගෙන යන්න", "Contribute to the icon and screenshot repository": "icon සහ screenshot repository එකට දායක වන්න", - "Contributors": "සහයෝගිකයින්", "Copy": "පිටපත් කරන්න", - "Copy to clipboard": "clipboard වෙත පිටපත් කරන්න", - "Could not add source": "මූලාශ්‍රය එක් කළ නොහැකි විය", - "Could not add source {source} to {manager}": "{source} මූලාශ්‍රය {manager} වෙත එක් කළ නොහැකි විය", - "Could not back up packages to GitHub Gist: ": "පැකේජ GitHub Gist වෙත උපස්ථ කළ නොහැකි විය: ", - "Could not create bundle": "බණ්ඩලය සෑදිය නොහැකි විය", "Could not load announcements - ": "නිවේදන පූරණය කළ නොහැකි විය - ", "Could not load announcements - HTTP status code is $CODE": "නිවේදන පූරණය කළ නොහැකි විය - HTTP තත්ත්ව කේතය $CODE වේ", - "Could not remove source": "මූලාශ්‍රය ඉවත් කළ නොහැකි විය", - "Could not remove source {source} from {manager}": "{manager} වෙතින් {source} මූලාශ්‍රය ඉවත් කළ නොහැකි විය", "Could not remove {source} from {manager}": "{manager} වෙතින් {source} ඉවත් කළ නොහැකි විය", - "Create .ps1 script": ".ps1 script එක සාදන්න", - "Credentials": "අක්තපත්‍ර", "Current Version": "වर्तमान සංස්කරණය", - "Current executable file:": "වත්මන් executable ගොනුව:", - "Current status: Not logged in": "වත්මන් තත්ත්වය: පිවිසී නැත", "Current user": "වත්මන් පරිශීලකයා", "Custom arguments:": "අභිරුචි arguments:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "අභිරුචි command-line arguments මගින් වැඩසටහන් ස්ථාපනය, උසස් කිරීම හෝ අස්ථාපනය කරන ආකාරය UniGetUIට පාලනය කළ නොහැකි ලෙස වෙනස් විය හැක. අභිරුචි command-line භාවිතය පැකේජ බිඳ දමන්නත් පුළලවන්. ප්‍රවේශමෙන් ඉදිරියට යන්න.", "Custom command-line arguments:": "අභිරුචි command-line arguments:", - "Custom install arguments:": "අභිරුචි ස්ථාපන arguments:", - "Custom uninstall arguments:": "අභිරුචි අස්ථාපන arguments:", - "Custom update arguments:": "අභිරුචි යාවත්කාලීන arguments:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI අභිරුචිකරණය කරන්න - hackers සහ උසස් පරිශීලකයින් සඳහා පමණි", - "DEBUG BUILD": "DEBUG build සංස්කරණය", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "වියාචනය: බාගත කරන ලද පැකේජ සඳහා අපි වගකිව යුතු නැත. කරුණාකර විශ්වාසදායී මෘදුකාංග පමණක් ස්ථාපනය කරන්න.", - "Dark": "අදුරු", - "Decline": "ප්‍රතික්ෂේප කරන්න", - "Default": "පෙරනිමි", - "Default installation options for {0} packages": "{0} පැකේජ සඳහා පෙරනිමි ස්ථාපන විකල්ප", "Default preferences - suitable for regular users": "පෙරනිමි මනාප - සාමාන්‍ය පරිශීලකයින්ට සුදුසුයි", - "Default vcpkg triplet": "පෙරනිමි vcpkg triplet", - "Delete?": "මකන්නද?", - "Dependencies:": "අවශ්‍යතා:", - "Descendant": "අවරෝහණ", "Description:": "විස්තරය", - "Desktop shortcut created": "Desktop shortcut සාදන ලදී", - "Details of the report:": "වාර්තාවේ විස්තර:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "සංවර්ධනය කිරීම අපහසුයි, මේ යෙදුම නොමිලේ. නමුත් ඔබට යෙදුම ප්‍රයෝජනවත් වූවා නම්, ඔබට සැමවිටම buy me a coffee :) කළ හැකිය", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" tab එකේ අයිතමයක් දෙවරක් ක්ලික් කළ විට පැකේජ තොරතුරු පෙන්වීම වෙනුවට සෘජුවම ස්ථාපනය කරන්න", "Disable new share API (port 7058)": "නව share API (port 7058) අක්‍රීය කරන්න", - "Disable the 1-minute timeout for package-related operations": "පැකේජ සම්බන්ධ මෙහෙයුම් සඳහා මිනිත්තු 1 timeout එක අක්‍රීය කරන්න", - "Disabled": "අක්‍රීයයි", - "Disclaimer": "වියාචනය", "Discover packages": "පැකේජ සොයන්න", "Distinguish between\nuppercase and lowercase": "ලොකු අකුරු සහ කුඩා අකුරු අතර වෙනස හඳුනාගන්න", - "Distinguish between uppercase and lowercase": "ලොකු අකුරු සහ කුඩා අකුරු අතර වෙනස හඳුනාගන්න", "Do NOT check for updates": "යාවත්කාලීන සඳහා පරීක්ෂා නොකරන්න", "Do an interactive install for the selected packages": "තෝරාගත් පැකේජ සඳහා interactive ස්ථාපනයක් සිදු කරන්න", "Do an interactive uninstall for the selected packages": "තෝරාගත් පැකේජ සඳහා interactive අස්ථාපනයක් සිදු කරන්න", "Do an interactive update for the selected packages": "තෝරාගත් පැකේජ සඳහා interactive යාවත්කාලීනයක් සිදු කරන්න", - "Do not automatically install updates when the battery saver is on": "battery saver සක්‍රීය විට යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය නොකරන්න", - "Do not automatically install updates when the device runs on battery": "උපාංගය battery මත ධාවනය වන විට යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය නොකරන්න", - "Do not automatically install updates when the network connection is metered": "network connection එක metered වූ විට යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය නොකරන්න", "Do not download new app translations from GitHub automatically": "GitHub වෙතින් නව යෙදුම් පරිවර්තන ස්වයංක්‍රීයව බාගත නොකරන්න", - "Do not ignore updates for this package anymore": "මෙම පැකේජය සඳහා යාවත්කාලීන තවදුරටත් නොසලකා හරින්න එපා", "Do not remove successful operations from the list automatically": "සාර්ථක මෙහෙයුම් ලැයිස්තුවෙන් ස්වයංක්‍රීයව ඉවත් නොකරන්න", - "Do not show this dialog again for {0}": "{0} සඳහා මෙම සංවාදය නැවත පෙන්වන්න එපා", "Do not update package indexes on launch": "launch වෙද්දී පැකේජ index යාවත්කාලීන නොකරන්න", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "පරිශීලක අත්දැකීම වටහාගෙන වැඩිදියුණු කිරීමේ එකම අරමුණින් UniGetUI අනාමික භාවිත සංඛ්‍යාන රැස්කර යවන බව ඔබ පිළිගන්නවාද?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "UniGetUI ඔබට ප්‍රයෝජනවත්ද? ඔබට හැකි නම්, මගේ කාර්යයට සහය දැක්වීමට ඔබ කැමති විය හැකිය, එවිට මට UniGetUI අවසාන පැකේජ කළමනාකරණ අතුරුමුහුණත බවට පත් කිරීමට හැකි වේ.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "UniGetUI ඔබට ප්‍රයෝජනවත්ද? සංවර්ධකයාට සහය දක්වීමට කැමතිද? එසේනම්, ඔබට {0} කළ හැකිය, එය බොහෝ උපකාරී වේ!", - "Do you really want to reset this list? This action cannot be reverted.": "මෙම ලැයිස්තුව reset කිරීමට ඔබට ඇත්තටම අවශ්‍යද? මෙම ක්‍රියාව ආපසු හැරවිය නොහැක.", - "Do you really want to uninstall the following {0} packages?": "පහත {0} පැකේජ අස්ථාපනය කිරීමට ඔබට ඇත්තටම අවශ්‍යද?", "Do you really want to uninstall {0} packages?": "{0} පැකේජ අස්ථාපනය කිරීමට ඔබට ඇත්තටම අවශ්‍යද?", - "Do you really want to uninstall {0}?": "{0} අස්ථාපනය කිරීමට ඔබට ඇත්තටම අවශ්‍යද?", "Do you want to restart your computer now?": "ඔබට දැන් ඔබගේ පරිගණකය නැවත ආරම්භ කිරීමට අවශ්‍යද?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "ඔබගේ භාෂාවට UniGetUI පරිවර්තනය කිරීමට කැමතිද? දායක වන්නේ කෙසේදැයි මෙතැනින් බලන්න!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "පරිත්‍යාග කිරීමට සිතෙන්නේ නැද්ද? ගැටලුවක් නැහැ, ඔබට UniGetUI ඔබේ මිතුරන් සමඟ සැමවිටම බෙදා ගත හැකිය. UniGetUI ගැන පතුරුවන්න.", "Donate": "දායක වන්න", - "Done!": "සම්පූර්ණයි!", - "Download failed": "බාගත කිරීම අසාර්ථකයි", - "Download installer": "installer බාගන්න", - "Download operations are not affected by this setting": "මෙම සැකසුම බාගැනීම් මෙහෙයුම් වලට බලපාන්නේ නැත", - "Download selected installers": "තෝරාගත් installers බාගන්න", - "Download succeeded": "බාගත කිරීම සම්පූර්ණයි", "Download updated language files from GitHub automatically": "GitHub වෙතින් යාවත්කාලීන කළ language files ස්වයංක්‍රීයව බාගන්න", "Downloading": "බාගත කරමින්", - "Downloading backup...": "උපස්ථය බාගත කරමින්...", "Downloading installer for {package}": "{package} සඳහා installer බාගත කරමින්", "Downloading package metadata...": "පැකේජ metadata බාගත කරමින්...", - "Enable Scoop cleanup on launch": "launch වෙද්දී Scoop cleanup සක්‍රීය කරන්න", - "Enable WingetUI notifications": "UniGetUI දැනුම්දීම් සක්‍රීය කරන්න", - "Enable an [experimental] improved WinGet troubleshooter": "[experimental] වැඩිදියුණු කළ WinGet troubleshooter සක්‍රීය කරන්න", - "Enable and disable package managers, change default install options, etc.": "පැකේජ කළමනාකරුවන් සක්‍රීය/අක්‍රීය කරන්න, පෙරනිමි ස්ථාපන විකල්ප වෙනස් කරන්න, ආදිය.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU භාවිතය සඳහා optimizations සක්‍රීය කරන්න (Pull Request #3278 බලන්න)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background API සක්‍රීය කරන්න (UniGetUI Widgets සහ Sharing, port 7058)", - "Enable it to install packages from {pm}.": "{pm} වෙතින් පැකේජ ස්ථාපනය කිරීමට එය සක්‍රීය කරන්න.", - "Enable the automatic WinGet troubleshooter": "ස්වයංක්‍රීය WinGet troubleshooter සක්‍රීය කරන්න", "Enable the new UniGetUI-Branded UAC Elevator": "නව UniGetUI-Branded UAC Elevator සක්‍රීය කරන්න", "Enable the new process input handler (StdIn automated closer)": "නව process input handler එක (StdIn automated closer) සක්‍රීය කරන්න", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "පහත සැකසුම් සක්‍රීය කරන්න, ඔබ ඒවා කරන දේ සහ ඇති විය හැකි ප්‍රතිවිපාක සම්පූර්ණයෙන්ම තේරුම් ගන්නේ නම් පමණි.", - "Enable {pm}": "{pm} ක්‍රියාත්මක කරන්න", - "Enabled": "සක්‍රීයයි", - "Enter proxy URL here": "proxy URL එක මෙතැන ඇතුල් කරන්න", - "Entries that show in RED will be IMPORTED.": "RED ලෙස පෙන්වන entries ආයාත කරනු ලැබේ.", - "Entries that show in YELLOW will be IGNORED.": "YELLOW ලෙස පෙන්වන entries නොසලකා හරිනු ලැබේ.", - "Error": "දෝෂයක්", - "Everything is up to date": "සියල්ල යාවත්කාලීනව ඇත", - "Exact match": "සුදුසුම ගැලපීම", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "ඔබගේ desktop හි පවතින shortcuts scan කරනු ලැබේ, සහ තබා ගත යුත්තේ කුමනද, ඉවත් කළ යුත්තේ කුමනද යන්න ඔබට තෝරාගත යුතුය.", - "Expand version": "version පුළුල් කරන්න", - "Experimental settings and developer options": "පරීක්ෂණාත්මක සැකසුම් සහ developer විකල්ප", - "Export": "අපනයනය", "Export log as a file": "log එක ගොනුවක් ලෙස අපනයනය කරන්න", - "Export packages": "පැකේජ අපනයනය කරන්න", - "Export selected packages to a file": "තෝරාගත් පැකේජ ගොනුවකට අපනයනය කරන්න", - "Export settings to a local file": "සැකසුම් ස්ථානීය ගොනුවකට අපනයනය කරන්න", - "Export to a file": "ගොනුවකට අපනයනය කරන්න", - "Failed": "අසාර්ථකයි", - "Fetching available backups...": "ලබාගත හැකි උපස්ථ ගෙනෙමින්...", + "Export packages": "පැකේජ අපනයනය කරන්න", + "Export selected packages to a file": "තෝරාගත් පැකේජ ගොනුවකට අපනයනය කරන්න", "Fetching latest announcements, please wait...": "නවතම නිවේදන ගෙනෙමින්, කරුණාකර රැඳී සිටින්න...", - "Filters": "පෙරහන්", "Finish": "අවසන් කරන්න", - "Follow system color scheme": "පද්ධතියේ වර්ණ ක්‍රමය අනුගමනය කරන්න", - "Follow the default options when installing, upgrading or uninstalling this package": "මෙම පැකේජය ස්ථාපනය, උසස් කිරීම හෝ අස්ථාපනය කිරීමේදී පෙරනිමි විකල්ප අනුගමනය කරන්න", - "For security reasons, changing the executable file is disabled by default": "ආරක්ෂක හේතු මත executable ගොනුව වෙනස් කිරීම පෙරනිමියෙන් අක්‍රීයයි", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "ආරක්ෂක හේතු මත අභිරුචි command-line arguments පෙරනිමියෙන් අක්‍රීයයි. මෙය වෙනස් කිරීමට UniGetUI ආරක්ෂක සැකසුම් වෙත යන්න. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "ආරක්ෂක හේතු මත pre-operation සහ post-operation scripts පෙරනිමියෙන් අක්‍රීයයි. මෙය වෙනස් කිරීමට UniGetUI ආරක්ෂක සැකසුම් වෙත යන්න. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM සංයුක්ත winget සංස්කරණය බලෙන් භාවිතා කරන්න (ARM64 පද්ධති සඳහා පමණි)", - "Force install location parameter when updating packages with custom locations": "අභිරුචි ස්ථාන සහිත පැකේජ යාවත්කාලීන කිරීමේදී install location parameter බලෙන් යොදන්න", "Formerly known as WingetUI": "කලින් WingetUI ලෙස හැඳින්විණි", "Found": "සොයා ගත්", "Found packages: ": "හමු වූ පැකේජ: ", "Found packages: {0}": "හමු වූ පැකේජ: {0}", "Found packages: {0}, not finished yet...": "හමු වූ පැකේජ: {0}, තවම අවසන් නැත...", - "General preferences": "සාමාන්‍ය මනාපයන්", "GitHub profile": "GitHub පැතිකඩ", "Global": "ගෝලීය", - "Go to UniGetUI security settings": "UniGetUI ආරක්ෂක සැකසුම් වෙත යන්න", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "නොදන්නා නමුත් ප්‍රයෝජනවත් utilities සහ වෙනත් රසවත් පැකේජ වලින් පිරුණු අගනා repository එකක්.
අඩංගු වන්නේ: Utilities, command-line වැඩසටහන්, සාමාන්‍ය මෘදුකාංග (extras bucket අවශ්‍යයි)", - "Great! You are on the latest version.": "විශිෂ්ටයි! ඔබ නවතම සංස්කරණය භාවිතා කරයි.", - "Grid": "ජාලකය", - "Help": "උපදෙස්", "Help and documentation": "උපදෙස් සහ විස්තරය", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "මෙහි ඔබට පහත shortcuts සම්බන්ධයෙන් UniGetUI හි හැසිරීම වෙනස් කළ හැකිය. shortcut එකක් ටික් කළහොත් එය ඉදිරි upgrade එකකදී සෑදුවහොත් UniGetUI එය මකා දමයි. ටික් ඉවත් කළහොත් shortcut එක එලෙසම පවතී.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "ආයුබෝවන්, මගේ නම Martí. මම UniGetUI හි developer වෙමි. UniGetUI සම්පූර්ණයෙන්ම මගේ නිදහස් වේලාවේ නිර්මාණය කර ඇත!", "Hide details": "තොරතුරු සඟවන්න", - "homepage": "මුල්පිටුව ", - "Hooray! No updates were found.": "සුභ ආරංචියක්! කිසිදු යාවත්කාලීනයක් හමු නොවීය.", "How should installations that require administrator privileges be treated?": "පරිපාලක බලතල අවශ්‍ය වන ස්ථාපනයන් කෙසේ හසුරුවිය යුතුද?", - "How to add packages to a bundle": "බණ්ඩලයකට පැකේජ එක් කරන ආකාරය", - "I understand": "මම දැනුවත්", - "Icons": "අයිකන", - "Id": "අංකය", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "ඔබ cloud backup සක්‍රීය කර තිබේ නම්, එය මෙම ගිණුමේ GitHub Gist එකක් ලෙස සුරකිනු ලැබේ", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "බණ්ඩලයකින් පැකේජ ආයාත කිරීමේදී අභිරුචි pre-install සහ post-install commands නොසලකා හරින්න", - "Ignore future updates for this package": "මෙම පැකේජය සඳහා අනාගත යාවත්කාලීන නොසලකා හරින්න", - "Ignore packages from {pm} when showing a notification about updates": "යාවත්කාලීන පිළිබඳ දැනුම්දීමක් පෙන්වීමේදී {pm} හි පැකේජ නොසලකා හරින්න", - "Ignore selected packages": "තෝරාගත් පැකේජ නොසලකා හරින්න", - "Ignore special characters": "විශේෂ අක්ෂර නොසලකා හරින්න", "Ignore updates for the selected packages": "තෝරාගත් පැකේජ සඳහා යාවත්කාලීන නොසලකා හරින්න", - "Ignore updates for this package": "මෙම පැකේජය සඳහා යාවත්කාලීන නොසලකා හරින්න", "Ignored updates": "නොසලකා හරින ලද යාවත්කාලීන", - "Ignored version": "නොසලකා හරින ලද සංස්කරණය", - "Import": "ආයාත කරන්න", "Import packages": "පැකේජ ආයාත කරන්න", "Import packages from a file": "ගොනුවකින් පැකේජ ආයාත කරන්න", - "Import settings from a local file": "ස්ථානීය ගොනුවකින් සැකසුම් ආයාත කරන්න", - "In order to add packages to a bundle, you will need to: ": "බණ්ඩලයකට පැකේජ එක් කිරීමට, ඔබට පහත දෑ කළ යුතුය: ", "Initializing WingetUI...": "UniGetUI ආරම්භ කරමින්...", - "install": "ස්ථාපනය කරන්න", - "Install Scoop": "Scoop ස්ථාපනය කරන්න", "Install and more": "ස්ථාපනය සහ තවත්", "Install and update preferences": "ස්ථාපන සහ යාවත්කාලීන මනාපයන්", - "Install as administrator": "පරිපාලක ලෙස ස්ථාපනය කරන්න", - "Install available updates automatically": "ලබාගත හැකි යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය කරන්න", - "Install location can't be changed for {0} packages": "{0} පැකේජ සඳහා install ස්ථානය වෙනස් කළ නොහැක", - "Install location:": "ස්ථාපන ස්ථානය:", - "Install options": "ස්ථාපන විකල්ප", "Install packages from a file": "ගොනුවකින් පැකේජ ස්ථාපනය කරන්න", - "Install prerelease versions of UniGetUI": "UniGetUI හි prerelease සංස්කරණ ස්ථාපනය කරන්න", - "Install script": "ස්ථාපන script", "Install selected packages": "තෝරාගත් පැකේජ ස්ථාපනය කරන්න", "Install selected packages with administrator privileges": "තෝරාගත් පැකේජ පරිපාලක බලතල සමඟ ස්ථාපනය කරන්න", - "Install selection": "තේරීම ස්ථාපනය කරන්න", "Install the latest prerelease version": "නවතම prerelease සංස්කරණය ස්ථාපනය කරන්න", "Install updates automatically": "යාවත්කාලීන ස්වයංක්‍රීයව ස්ථාපනය කරන්න", - "Install {0}": "{0} ස්ථාපනය කරන්න", "Installation canceled by the user!": "පරිශීලකයා ස්ථාපනය අවලංගු කළේය!", - "Installation failed": "ස්ථාපනය අසාර්ථකයි", - "Installation options": "ස්ථාපන විකල්ප", - "Installation scope:": "ස්ථාපන ව්‍යාප්තිය:", - "Installation succeeded": "ස්ථාපනය සාර්ථකයි", "Installed packages": "ස්ථාපිත පැකේජ", - "Installed Version": "ස්ථාපිත සංස්කරණය", - "Installer SHA256": "Installer SHA256 අගය", - "Installer SHA512": "Installer SHA512 අගය", - "Installer Type": "Installer වර්ගය", - "Installer URL": "Installer URL ලිපිනය", - "Installer not available": "Installer ලබාගත නොහැක", "Instance {0} responded, quitting...": "Instance {0} ප්‍රතිචාර දැක්වීය, ඉවත්වෙමින්...", - "Instant search": "ක්ෂණික සෙවීම", - "Integrity checks can be disabled from the Experimental Settings": "Experimental Settings වෙතින් integrity checks අක්‍රීය කළ හැක", - "Integrity checks skipped": "Integrity checks මඟ හරින ලදි", - "Integrity checks will not be performed during this operation": "මෙම මෙහෙයුම අතරතුර integrity checks සිදු නොවේ", - "Interactive installation": "Interactive ස්ථාපනය", - "Interactive operation": "Interactive මෙහෙයුම", - "Interactive uninstall": "Interactive අස්ථාපනය", - "Interactive update": "Interactive යාවත්කාලීනය", - "Internet connection settings": "අන්තර්ජාල සම්බන්ධතා සැකසුම්", - "Invalid selection": "වලංගු නොවන තේරීම", "Is this package missing the icon?": "මෙම පැකේජයේ icon එක අතුරුදන්වී තිබේද?", - "Is your language missing or incomplete?": "ඔබගේ භාෂාව අතුරුදන්වී තිබේද නැතහොත් අසම්පූර්ණද?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "සපයන ලද credentials ආරක්ෂිතව ගබඩා කරනු ඇතැයි සහතික කළ නොහැකි බැවින්, ඔබේ බැංකු ගිණුමේ credentials භාවිතා නොකිරීම වඩාත් සුදුසුය", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet අලුත්වැඩියා කළ පසු UniGetUI නැවත ආරම්භ කිරීම නිර්දේශ කෙරේ", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "මෙම තත්ත්වය නිවැරදි කිරීමට UniGetUI නැවත ස්ථාපනය කිරීම තදින්ම නිර්දේශ කෙරේ.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet නිසි ලෙස ක්‍රියා නොකරන බව පෙනේ. WinGet අලුත්වැඩියා කිරීමට උත්සාහ කිරීමට ඔබට අවශ්‍යද?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "ඔබ UniGetUI පරිපාලක ලෙස ධාවනය කර ඇති බව පෙනේ, එය නිර්දේශ නොකෙරේ. ඔබට තවමත් වැඩසටහන භාවිතා කළ හැකි නමුත්, UniGetUI පරිපාලක බලතල සමඟ ධාවනය නොකිරීම අප තදින්ම නිර්දේශ කරමු. හේතුව බැලීමට \"{showDetails}\" මත ක්ලික් කරන්න.", - "Language": "භාෂාව", - "Language, theme and other miscellaneous preferences": "භාෂාව, තේමාව සහ වෙනත් විවිධ මනාපයන්", - "Last updated:": "අවසන් යාවත්කාලීන කළේ:", - "Latest": "නවතම", "Latest Version": "නවතම සංස්කරණය", "Latest Version:": "නවතම සංස්කරණය:", "Latest details...": "නවතම විස්තර...", "Launching subprocess...": "subprocess ආරම්භ කරමින්...", - "Leave empty for default": "පෙරනිමිය සඳහා හිස්ව තබන්න", - "License": "බලපත්‍රය", "Licenses": "බලපත්‍ර", - "Light": "ආලෝකමත්", - "List": "ලැයිස්තුව", "Live command-line output": "සජීව command-line ප්‍රතිදානය", - "Live output": "සජීව ප්‍රතිදානය", "Loading UI components...": "UI කොටස් පූරණය කරමින්...", "Loading WingetUI...": "UniGetUI පූරණය කරමින්...", - "Loading packages": "පැකේජ පූරණය කරමින්", - "Loading packages, please wait...": "පැකේජ පූරණය කරමින්, කරුණාකර රැඳී සිටින්න...", - "Loading...": "පූරණය කරමින්...", - "Local": "ස්ථානීය", - "Local PC": "ස්ථානීය පරිගණකය", - "Local backup advanced options": "ස්ථානීය backup උසස් විකල්ප", "Local machine": "ස්ථානීය යන්ත්‍රය", - "Local package backup": "ස්ථානීය පැකේජ backup", "Locating {pm}...": "{pm} සොයමින්...", - "Log in": "පිවිසෙන්න", - "Log in failed: ": "පිවිසීම අසාර්ථකයි: ", - "Log in to enable cloud backup": "cloud backup සක්‍රීය කිරීමට පිවිසෙන්න", - "Log in with GitHub": "GitHub සමඟ පිවිසෙන්න", - "Log in with GitHub to enable cloud package backup.": "cloud package backup සක්‍රීය කිරීමට GitHub සමඟ පිවිසෙන්න.", - "Log level:": "Log මට්ටම:", - "Log out": "ඉවත් වන්න", - "Log out failed: ": "ඉවත් වීම අසාර්ථකයි: ", - "Log out from GitHub": "GitHub වෙතින් ඉවත් වන්න", "Looking for packages...": "පැකේජ සොයමින්...", "Machine | Global": "යන්ත්‍රය | ගෝලීය", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "වැරදි ලෙස සැකසූ command-line arguments මගින් පැකේජ බිඳ වැටිය හැකි අතර, දුෂ්ට පාර්ශවයකට privileged execution ලබා ගැනීමටද ඉඩ සැලසිය හැක. ඒ නිසා custom command-line arguments ආයාත කිරීම පෙරනිමියෙන් අක්‍රීයයි", - "Manage": "කළමනාකරණය කරන්න", - "Manage UniGetUI settings": "UniGetUI සැකසුම් කළමනාකරණය කරන්න", "Manage WingetUI autostart behaviour from the Settings app": "Settings යෙදුමෙන් UniGetUI autostart හැසිරීම කළමනාකරණය කරන්න", "Manage ignored packages": "නොසලකා හරින ලද පැකේජ කළමනාකරණය කරන්න", - "Manage ignored updates": "නොසලකා හරින ලද යාවත්කාලීන කළමනාකරණය කරන්න", - "Manage shortcuts": "shortcuts කළමනාකරණය කරන්න", - "Manage telemetry settings": "telemetry සැකසුම් කළමනාකරණය කරන්න", - "Manage {0} sources": "{0} මූලාශ්‍ර කළමනාකරණය කරන්න", - "Manifest": "Manifest ගොනුව", "Manifests": "Manifest", - "Manual scan": "අතින් scan කිරීම", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft හි නිල පැකේජ කළමනාකරු. හොඳින් දන්නා සහ සනාථ කළ පැකේජ වලින් පිරී ඇත
අඩංගු වන්නේ: සාමාන්‍ය මෘදුකාංග, Microsoft Store apps", - "Missing dependency": "අතුරුදන් dependency", - "More": "තවත්", - "More details": "වැඩි විස්තර", - "More details about the shared data and how it will be processed": "share කරන ලද දත්ත සහ ඒවා සැකසෙන ආකාරය පිළිබඳ වැඩි විස්තර", - "More info": "වැඩි තොරතුරු", - "More than 1 package was selected": "පැකේජ 1කට වඩා තෝරා ඇත", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "සටහන: මෙම troubleshooter UniGetUI Settings හි WinGet කොටසෙන් අක්‍රීය කළ හැක", - "Name": "නම", - "New": "නව", - "New version": "නව සංස්කරණය", + "New Version": "නව සංස්කරණය", "New bundle": "නව bundle", - "Nice! Backups will be uploaded to a private gist on your account": "හොඳයි! backup ඔබගේ ගිණුමේ private gist එකකට upload කෙරේ", - "No": "නැහැ", - "No applicable installer was found for the package {0}": "{0} පැකේජය සඳහා ගැලපෙන installer එකක් හමු නොවීය", - "No dependencies specified": "dependencies කිසිවක් සඳහන් කර නොමැත", - "No new shortcuts were found during the scan.": "scan කිරීම අතරතුර නව shortcuts හමු නොවීය.", - "No package was selected": "කිසිදු පැකේජයක් තෝරා නොමැත", "No packages found": "පැකේජ කිසිවක් හමු නොවීය", "No packages found matching the input criteria": "ඇතුළත් කළ නිර්ණායකයට ගැළපෙන පැකේජ කිසිවක් හමු නොවීය", "No packages have been added yet": "තවම කිසිදු පැකේජයක් එක් කර නැත", "No packages selected": "පැකේජ කිසිවක් තෝරා නැත", - "No packages were found": "පැකේජ කිසිවක් හමු නොවීය", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "පුද්ගලික තොරතුරු කිසිවක් රැස්කර හෝ යවා නැති අතර, රැස් කළ දත්ත අනාමික කර ඇති බැවින් ඒවා ඔබ වෙත හඹාගොස් හඳුනාගත නොහැක.", - "No results were found matching the input criteria": "ඇතුළත් කළ නිර්ණායකයට ගැළපෙන ප්‍රතිඵල කිසිවක් හමු නොවීය", "No sources found": "මූලාශ්‍ර කිසිවක් හමු නොවීය", "No sources were found": "මූලාශ්‍ර කිසිවක් හමු නොවීය", "No updates are available": "යාවත්කාලීන කිසිවක් ලබාගත නොහැක", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS හි පැකේජ කළමනාකරු. javascript ලෝකය වටා පවතින libraries සහ වෙනත් utilities වලින් පිරී ඇත
අඩංගු වන්නේ: Node javascript libraries සහ වෙනත් සම්බන්ධ utilities", - "Not available": "ලබාගත නොහැක", - "Not finding the file you are looking for? Make sure it has been added to path.": "ඔබ සොයන ගොනුව හමු නොවන්නේද? එය path එකට එක් කර ඇති බව තහවුරු කරන්න.", - "Not found": "හමු නොවීය", - "Not right now": "දැන් නොවේ", "Notes:": "සටහන්:", - "Notification preferences": "දැනුම්දීම් මනාපයන්", "Notification tray options": "notification tray විකල්ප", - "Notification types": "දැනුම්දීම් වර්ග", - "NuPkg (zipped manifest)": "NuPkg (සම්පීඩිත manifest)", "Ok": "හරි", - "Open": "විවෘත කරන්න", "Open GitHub": "GitHub විවෘත කරන්න", - "Open UniGetUI": "UniGetUI විවෘත කරන්න", - "Open UniGetUI security settings": "UniGetUI ආරක්ෂක සැකසුම් විවෘත කරන්න", "Open WingetUI": "UniGetUI විවෘත කරන්න", "Open backup location": "backup ස්ථානය විවෘත කරන්න", "Open existing bundle": "පවතින bundle එක විවෘත කරන්න", - "Open install location": "ස්ථාපන ස්ථානය විවෘත කරන්න", "Open the welcome wizard": "welcome wizard විවෘත කරන්න", - "Operation canceled by user": "පරිශීලකයා මෙහෙයුම අවලංගු කළේය", "Operation cancelled": "මෙහෙයුම අවලංගු කරන ලදී", - "Operation history": "මෙහෙයුම් ඉතිහාසය", - "Operation in progress": "මෙහෙයුම ක්‍රියාත්මක වෙමින් පවතී", - "Operation on queue (position {0})...": "මෙහෙයුම queue හි ඇත (ස්ථානය {0})...", - "Operation profile:": "මෙහෙයුම් profile:", "Options saved": "විකල්ප සුරකින ලදි", - "Order by:": "පිළිවෙලට ගොනු කරන්න:", - "Other": "වෙනත්", - "Other settings": "වෙනත් සැකසුම්", - "Package": "පැකේජය", - "Package Bundles": "පැකේජ bundles", - "Package ID": "පැකේජ ID", - "Package manager": "පැකේජ කළමනාකරු", - "Package Manager logs": "පැකේජ කළමනාකරු logs", + "Package Manager": "පැකේජ කළමනාකරු", "Package managers": "පැකේජ කළමනාකරුවන්", - "Package Name": "පැකේජ නම", - "Package backup": "පැකේජ backup", - "Package backup settings": "පැකේජ backup සැකසුම්", - "Package bundle": "පැකේජ bundle", - "Package details": "පැකේජ විස්තර", - "Package lists": "පැකේජ ලැයිස්තු", - "Package management made easy": "පැකේජ කළමනාකරණය පහසු කළා", - "Package manager preferences": "පැකේජ කළමනාකරු මනාපයන්", - "Package not found": "පැකේජය හමු නොවීය", - "Package operation preferences": "පැකේජ මෙහෙයුම් මනාපයන්", - "Package update preferences": "පැකේජ යාවත්කාලීන මනාපයන්", "Package {name} from {manager}": "{manager} හි {name} පැකේජය", - "Package's default": "පැකේජයේ පෙරනිමිය", "Packages": "පැකේජ", "Packages found: {0}": "හමු වූ පැකේජ: {0}", - "Partially": "අර්ධ වශයෙන්", - "Password": "මුරපදය", "Paste a valid URL to the database": "දත්ත සමුදායට වලංගු URL එකක් අලවන්න", - "Pause updates for": "යාවත්කාලීන නවත්වන්න", "Perform a backup now": "දැන් backup එකක් ගන්න", - "Perform a cloud backup now": "දැන් cloud backup එකක් ගන්න", - "Perform a local backup now": "දැන් local backup එකක් ගන්න", - "Perform integrity checks at startup": "ආරම්භයේදී integrity checks සිදු කරන්න", - "Performing backup, please wait...": "backup ගනිමින් පවතී, කරුණාකර රැඳී සිටින්න...", "Periodically perform a backup of the installed packages": "ස්ථාපිත පැකේජ වල backup එකක් වරින් වර ගන්න", - "Periodically perform a cloud backup of the installed packages": "ස්ථාපිත පැකේජ වල cloud backup එකක් වරින් වර ගන්න", - "Periodically perform a local backup of the installed packages": "ස්ථාපිත පැකේජ වල local backup එකක් වරින් වර ගන්න", - "Please check the installation options for this package and try again": "කරුණාකර මෙම පැකේජයේ ස්ථාපන විකල්ප පරීක්ෂා කර නැවත උත්සාහ කරන්න", - "Please click on \"Continue\" to continue": "ඉදිරියට යාමට \"Continue\" ක්ලික් කරන්න", "Please enter at least 3 characters": "කරුණාකර අවම වශයෙන් අක්ෂර 3ක් ඇතුළත් කරන්න", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "මෙම යන්ත්‍රයේ සක්‍රීය කර ඇති පැකේජ කළමනාකරුවන් නිසා සමහර පැකේජ ස්ථාපනය කළ නොහැකි විය හැකි බව සලකන්න.", - "Please note that not all package managers may fully support this feature": "සියලුම පැකේජ කළමනාකරුවන් මෙම විශේෂාංගයට සම්පූර්ණ සහය නොදක්වන්නට පුළුවන් බව සලකන්න", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "සමහර මූලාශ්‍රවල පැකේජ අපනයනය කළ නොහැකි විය හැකි බව සලකන්න. ඒවා අළු පාටින් පෙන්වනු ලබන අතර අපනයනය නොවේ.", - "Please run UniGetUI as a regular user and try again.": "කරුණාකර UniGetUI සාමාන්‍ය පරිශීලකයෙකු ලෙස ධාවනය කර නැවත උත්සාහ කරන්න.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "ගැටලුව පිළිබඳ වැඩිදුර තොරතුරු සඳහා Command-line Output බලන්න හෝ Operation History වෙත යොමු වන්න.", "Please select how you want to configure WingetUI": "UniGetUI ඔබට කෙසේ සකසන්න අවශ්‍යදැයි තෝරන්න", - "Please try again later": "කරුණාකර පසුව නැවත උත්සාහ කරන්න", "Please type at least two characters": "කරුණාකර අවම වශයෙන් අක්ෂර දෙකක් ටයිප් කරන්න", - "Please wait": "කරුණාකර රැඳී සිටින්න", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} ස්ථාපනය වන අතරතුර කරුණාකර රැඳී සිටින්න. කළු (හෝ නිල්) කවුළුවක් පෙන්විය හැක. එය වැසෙන තෙක් රැඳී සිටින්න.", - "Please wait...": "කරුණාකර රැඳී සිටින්න...", "Portable": "ගෙන යා හැකි", - "Portable mode": "ගෙන යා හැකි මාදිලිය\n", - "Post-install command:": "ස්ථාපනයෙන් පසු command:", - "Post-uninstall command:": "uninstall කිරීමෙන් පසු command:", - "Post-update command:": "යාවත්කාලීන කිරීමෙන් පසු command:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell හි පැකේජ කළමනාකරු. PowerShell හැකියාවන් පුළුල් කිරීමට libraries සහ scripts සොයා ගන්න
අඩංගු වන්නේ: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "ඒ සඳහා නිර්මාණය කර ඇත්නම් pre සහ post install commands ඔබගේ උපාංගයට බරපතල හානි කළ හැක. එම package bundle එකේ මූලාශ්‍රය විශ්වාස නොකරන්නේ නම් ඒ bundle එකෙන් commands ආයාත කිරීම ඉතා අනතුරුදායක විය හැක.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "පැකේජයක් ස්ථාපනය, upgrade හෝ uninstall කරන පෙර හා පසුව pre සහ post install commands ධාවනය වේ. ඒවා ප්‍රවේශමෙන් භාවිතා නොකළහොත් දේවල් බිඳ දැමිය හැකි බව සැලකිලිමත් වන්න.", - "Pre-install command:": "ස්ථාපනයට පෙර command:", - "Pre-uninstall command:": "uninstall කිරීමට පෙර command:", - "Pre-update command:": "යාවත්කාලීන කිරීමට පෙර command:", - "PreRelease": "පූර්ව-නිකුතු", - "Preparing packages, please wait...": "පැකේජ සූදානම් කරමින්, කරුණාකර රැඳී සිටින්න...", - "Proceed at your own risk.": "ඔබගේම අවදානම මත ඉදිරියට යන්න.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator හෝ GSudo හරහා කිසිදු Elevation වර්ගයක් තහනම් කරන්න", - "Proxy URL": "Proxy URL ලිපිනය", - "Proxy compatibility table": "Proxy අනුකූලතා වගුව", - "Proxy settings": "Proxy සැකසුම්", - "Proxy settings, etc.": "Proxy සැකසුම්, ආදිය", "Publication date:": "ප්‍රකාශන දිනය:", - "Publisher": "ප්‍රකාශකයා", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python හි library manager. python libraries සහ වෙනත් python-සම්බන්ධ utilities වලින් පිරී ඇත
අඩංගු වන්නේ: Python libraries සහ සම්බන්ධ utilities", - "Quit": "ඉවත් වන්න", "Quit WingetUI": "UniGetUI ඉවත් වන්න", - "Ready": "සූදානම්", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts අඩු කරන්න, ස්ථාපන පෙරනිමියෙන් elevate කරන්න, සමහර අවදානම් විශේෂාංග unlock කරන්න, ආදිය.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "බලපෑමට ලක්වූ ගොනු පිළිබඳ වැඩි විස්තර සඳහා UniGetUI Logs වෙත යොමු වන්න", - "Reinstall": "නැවත ස්ථාපනය කරන්න", - "Reinstall package": "පැකේජය නැවත ස්ථාපනය කරන්න", - "Related settings": "සම්බන්ධ සැකසුම්", - "Release notes": "නිකුතු සටහන්", - "Release notes URL": "නිකුතු සටහන් URL", "Release notes URL:": "නිකුතු සටහන් URL:", "Release notes:": "නිකුතු සටහන්:", "Reload": "නැවත පූරණය කරන්න", - "Reload log": "log නැවත පූරණය කරන්න", "Removal failed": "ඉවත් කිරීම අසාර්ථකයි", "Removal succeeded": "ඉවත් කිරීම සාර්ථකයි", - "Remove from list": "ලැයිස්තුවෙන් ඉවත් කරන්න", "Remove permanent data": "ස්ථිර දත්ත ඉවත් කරන්න", - "Remove selection from bundle": "bundle එකෙන් තේරීම ඉවත් කරන්න", "Remove successful installs/uninstalls/updates from the installation list": "සාර්ථක installs/uninstalls/updates ස්ථාපන ලැයිස්තුවෙන් ඉවත් කරන්න", - "Removing source {source}": "{source} මූලාශ්‍රය ඉවත් කරමින්", - "Removing source {source} from {manager}": "{manager} වෙතින් {source} මූලාශ්‍රය ඉවත් කරමින්", - "Repair UniGetUI": "UniGetUI අලුත්වැඩියා කරන්න", - "Repair WinGet": "WinGet අලුත්වැඩියා කරන්න", - "Report an issue or submit a feature request": "ගැටලුවක් වාර්තා කරන්න හෝ feature request එකක් යවන්න", "Repository": "repository", - "Reset": "Reset කරන්න", "Reset Scoop's global app cache": "Scoop හි global app cache reset කරන්න", - "Reset UniGetUI": "UniGetUI reset කරන්න", - "Reset WinGet": "WinGet reset කරන්න", "Reset Winget sources (might help if no packages are listed)": "WinGet sources reset කරන්න (පැකේජ කිසිවක් ලැයිස්තුගත නොවන්නේ නම් උපකාරී විය හැක)", - "Reset WingetUI": "UniGetUI reset කරන්න", "Reset WingetUI and its preferences": "UniGetUI සහ එහි මනාපයන් reset කරන්න", "Reset WingetUI icon and screenshot cache": "UniGetUI icon සහ screenshot cache reset කරන්න", - "Reset list": "ලැයිස්තුව reset කරන්න", "Resetting Winget sources - WingetUI": "WinGet sources reset කරමින් - UniGetUI", - "Restart": "නැවත ආරම්භ කරන්න", - "Restart UniGetUI": "UniGetUI නැවත ආරම්භ කරන්න", - "Restart WingetUI": "UniGetUI නැවත ආරම්භ කරන්න", - "Restart WingetUI to fully apply changes": "වෙනස්කම් සම්පූර්ණයෙන් යෙදීමට UniGetUI නැවත ආරම්භ කරන්න", - "Restart later": "පසුව නැවත ආරම්භ කරන්න", "Restart now": "දැන් නැවත ආරම්භ කරන්න", - "Restart required": "නැවත ආරම්භ කිරීම අවශ්‍යයි", "Restart your PC to finish installation": "ස්ථාපනය අවසන් කිරීමට ඔබේ PC එක නැවත ආරම්භ කරන්න", "Restart your computer to finish the installation": "ස්ථාපනය අවසන් කිරීමට ඔබේ පරිගණකය නැවත ආරම්භ කරන්න", - "Restore a backup from the cloud": "cloud එකෙන් backup එකක් ප්‍රතිස්ථාපනය කරන්න", - "Restrictions on package managers": "පැකේජ කළමනාකරුවන් පිළිබඳ සීමා", - "Restrictions on package operations": "පැකේජ මෙහෙයුම් පිළිබඳ සීමා", - "Restrictions when importing package bundles": "package bundles ආයාත කිරීමේදී ඇති සීමා", - "Retry": "නැවත උත්සාහ කරන්න", - "Retry as administrator": "පරිපාලක ලෙස නැවත උත්සාහ කරන්න", "Retry failed operations": "අසාර්ථක වූ මෙහෙයුම් නැවත උත්සාහ කරන්න", - "Retry interactively": "interactive ආකාරයෙන් නැවත උත්සාහ කරන්න", - "Retry skipping integrity checks": "integrity checks මඟ හරිමින් නැවත උත්සාහ කරන්න", "Retrying, please wait...": "නැවත උත්සාහ කරමින්, කරුණාකර රැඳී සිටින්න...", "Return to top": "ඉහළට ආපසු යන්න", - "Run": "ධාවනය කරන්න", - "Run as admin": "admin ලෙස ධාවනය කරන්න", - "Run cleanup and clear cache": "cleanup ධාවනය කර cache ඉවත් කරන්න", - "Run last": "අවසන් ලෙස ධාවනය කරන්න", - "Run next": "ඊළඟට ධාවනය කරන්න", - "Run now": "දැන් ධාවනය කරන්න", "Running the installer...": "installer ධාවනය කරමින්...", "Running the uninstaller...": "uninstaller ධාවනය කරමින්...", "Running the updater...": "updater ධාවනය කරමින්...", - "Save": "සුරකින්න", "Save File": "ගොනුව සුරකින්න", - "Save and close": "සුරකින්න සහ වසන්න", - "Save as": "ලෙස සුරකින්න", "Save bundle as": "bundle එක ලෙස සුරකින්න", "Save now": "දැන් සුරකින්න", - "Saving packages, please wait...": "පැකේජ සුරකිමින්, කරුණාකර රැඳී සිටින්න...", - "Scoop Installer - WingetUI": "Scoop ස්ථාපකය - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop අස්ථාපකය - UniGetUI", - "Scoop package": "Scoop පැකේජය", "Search": "සොයන්න", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "desktop software සොයන්න, updates තිබේ නම් මට අනතුරු අඟවන්න, අනවශ්‍ය සංකීර්ණ දේවල් නොකරන්න. මට UniGetUI අතිශයින් සංකීර්ණ වීමට අවශ්‍ය නැහැ, මට සරල software store එකක් පමණක් අවශ්‍යයි", - "Search for packages": "පැකේජ සොයන්න", - "Search for packages to start": "ආරම්භ කිරීමට පැකේජ සොයන්න", - "Search mode": "සෙවුම් ආකාරය", "Search on available updates": "ලබාගත හැකි යාවත්කාලීන තුළ සොයන්න", "Search on your software": "ඔබේ software තුළ සොයන්න", "Searching for installed packages...": "ස්ථාපිත පැකේජ සොයමින්...", "Searching for packages...": "පැකේජ සොයමින්...", "Searching for updates...": "යාවත්කාලීන සොයමින්...", - "Select": "තෝරන්න", "Select \"{item}\" to add your custom bucket": "ඔබේ custom bucket එක එක් කිරීමට \"{item}\" තෝරන්න", "Select a folder": "ෆෝල්ඩරයක් තෝරන්න", - "Select all": "සියල්ල තෝරන්න", "Select all packages": "සියලු පැකේජ තෝරන්න", - "Select backup": "backup තෝරන්න", "Select only if you know what you are doing.": "ඔබ කරන දේ ඔබ දන්නේ නම් පමණක් තෝරන්න.", "Select package file": "පැකේජ ගොනුව තෝරන්න", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "ඔබට විවෘත කිරීමට අවශ්‍ය backup එක තෝරන්න. පසුව, ස්ථාපනය කිරීමට අවශ්‍ය පැකේජ කුමනදැයි සමාලෝචනය කළ හැකිය.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "භාවිතා කළ යුතු executable එක තෝරන්න. පහත ලැයිස්තුව UniGetUI විසින් සොයාගත් executables පෙන්වයි", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ අස්ථාපනය කිරීමට පෙර වසා දැමිය යුතු processes තෝරන්න.", - "Select the source you want to add:": "ඔබට එක් කිරීමට අවශ්‍ය මූලාශ්‍රය තෝරන්න:", - "Select upgradable packages by default": "upgrade කළ හැකි පැකේජ පෙරනිමියෙන් තෝරන්න", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "භාවිතා කළ යුතු package managers කුමනද ({0}) තෝරන්න, පැකේජ ස්ථාපනය කරන ආකාරය සකස් කරන්න, පරිපාලක හිමිකම් හසුරුවන ආකාරය කළමනාකරණය කරන්න, ආදිය.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "handshake යවන ලදී. instance listenerගේ පිළිතුර සඳහා රැඳී සිටිමින්... ({0}%)", - "Set a custom backup file name": "custom backup ගොනු නාමයක් සකසන්න", "Set custom backup file name": "custom backup ගොනු නාමය සකසන්න", - "Settings": "සැකසුම්", - "Share": "බෙදාගන්න", "Share WingetUI": "UniGetUI බෙදාගන්න", - "Share anonymous usage data": "අනාමික භාවිත දත්ත බෙදාගන්න", - "Share this package": "මෙම පැකේජය බෙදාගන්න", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "ඔබ ආරක්ෂක සැකසුම් වෙනස් කළහොත්, වෙනස්කම් බලපැවැත්වීමට bundle එක නැවත විවෘත කළ යුතුය.", "Show UniGetUI on the system tray": "UniGetUI system tray මත පෙන්වන්න", - "Show UniGetUI's version and build number on the titlebar.": "titlebar මත UniGetUI හි version එක සහ build number එක පෙන්වන්න.", - "Show WingetUI": "UniGetUI පෙන්වන්න", "Show a notification when an installation fails": "ස්ථාපනයක් අසාර්ථක වන විට දැනුම්දීමක් පෙන්වන්න", "Show a notification when an installation finishes successfully": "ස්ථාපනයක් සාර්ථකව අවසන් වූ විට දැනුම්දීමක් පෙන්වන්න", - "Show a notification when an operation fails": "මෙහෙයුමක් අසාර්ථක වන විට දැනුම්දීමක් පෙන්වන්න", - "Show a notification when an operation finishes successfully": "මෙහෙයුමක් සාර්ථකව අවසන් වූ විට දැනුම්දීමක් පෙන්වන්න", - "Show a notification when there are available updates": "ලබාගත හැකි යාවත්කාලීන ඇති විට දැනුම්දීමක් පෙන්වන්න", - "Show a silent notification when an operation is running": "මෙහෙයුමක් ක්‍රියාත්මක වන විට නිහඬ දැනුම්දීමක් පෙන්වන්න", "Show details": "විස්තර පෙන්වන්න", - "Show in explorer": "explorer තුළ පෙන්වන්න", "Show info about the package on the Updates tab": "Updates tab එකේ පැකේජය පිළිබඳ තොරතුරු පෙන්වන්න", "Show missing translation strings": "අතුරුදන් translation strings පෙන්වන්න", - "Show notifications on different events": "විවිධ සිදුවීම්වලදී දැනුම්දීම් පෙන්වන්න", "Show package details": "පැකේජ විස්තර පෙන්වන්න", - "Show package icons on package lists": "පැකේජ ලැයිස්තු මත පැකේජ icons පෙන්වන්න", - "Show similar packages": "සමාන පැකේජ පෙන්වන්න", "Show the live output": "සජීව ප්‍රතිදානය පෙන්වන්න", - "Size": "ප්‍රමාණය", "Skip": "මඟ හරින්න", - "Skip hash check": "hash check මඟ හරින්න", - "Skip hash checks": "hash checks මඟ හරින්න", - "Skip integrity checks": "integrity checks මඟ හරින්න", - "Skip minor updates for this package": "මෙම පැකේජය සඳහා සුළු යාවත්කාලීන මඟ හරින්න", "Skip the hash check when installing the selected packages": "තෝරාගත් පැකේජ ස්ථාපනය කිරීමේදී hash check මඟ හරින්න", "Skip the hash check when updating the selected packages": "තෝරාගත් පැකේජ යාවත්කාලීන කිරීමේදී hash check මඟ හරින්න", - "Skip this version": "මෙම version එක මඟ හරින්න", - "Software Updates": "මෘදුකාංග යාවත්කාලීන", - "Something went wrong": "යම් දෙයක් වැරදී ගියේය", - "Something went wrong while launching the updater.": "updater ආරම්භ කිරීමේදී යම් දෙයක් වැරදී ගියේය.", - "Source": "මූලාශ්‍රය", - "Source URL:": "මූලාශ්‍ර URL:", - "Source added successfully": "මූලාශ්‍රය සාර්ථකව එක් කරන ලදී", "Source addition failed": "මූලාශ්‍රය එක් කිරීම අසාර්ථකයි", - "Source name:": "මූලාශ්‍ර නම:", "Source removal failed": "මූලාශ්‍රය ඉවත් කිරීම අසාර්ථකයි", - "Source removed successfully": "මූලාශ්‍රය සාර්ථකව ඉවත් කරන ලදී", "Source:": "මූලාශ්‍රය:", - "Sources": "මූලාශ්‍ර", "Start": "ආරම්භ කරන්න", "Starting daemons...": "daemons ආරම්භ කරමින්...", - "Starting operation...": "මෙහෙයුම ආරම්භ කරමින්...", "Startup options": "ආරම්භක විකල්ප", "Status": "තත්ත්වය", "Stuck here? Skip initialization": "මෙහි අ stuck වීද? initialization මඟ හරින්න", - "Success!": "සාර්ථකයි!", "Suport the developer": "developerට සහය දක්වන්න", "Support me": "මට සහය වන්න", "Support the developer": "developerට සහය දක්වන්න", "Systems are now ready to go!": "පද්ධති දැන් සූදානම්!", - "Telemetry": "භාවිත දත්ත රැස්කිරීම", - "Text": "පෙළ", "Text file": "පෙළ ගොනුව", - "Thank you ❤": "ස්තුතියි ❤", "Thank you 😉": "ස්තුතියි 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust පැකේජ කළමනාකරු.
අඩංගු වන්නේ: Rust libraries සහ Rust තුළ ලියූ වැඩසටහන්", - "The backup will NOT include any binary file nor any program's saved data.": "backup එකේ කිසිදු binary ගොනුවක් හෝ කිසිදු වැඩසටහනක සුරකින ලද දත්ත අඩංගු නොවේ.", - "The backup will be performed after login.": "login වූ පසුව backup එක සිදු කෙරේ.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup එකේ ස්ථාපිත පැකේජවල සම්පූර්ණ ලැයිස්තුව සහ ඒවායේ ස්ථාපන විකල්ප අඩංගු වේ. නොසලකා හරින ලද යාවත්කාලීන සහ skip කළ versions ද සුරකිනු ලැබේ.", - "The bundle was created successfully on {0}": "bundle එක {0} දින සාර්ථකව සාදන ලදි", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "ඔබ load කිරීමට උත්සාහ කරන bundle එක වලංගු නොවන බව පෙනේ. කරුණාකර ගොනුව පරීක්ෂා කර නැවත උත්සාහ කරන්න.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "installer හි checksum එක අපේක්ෂිත අගය සමඟ ගැලපෙන්නේ නැති අතර installer හි සත්‍යතාව තහවුරු කළ නොහැක. ඔබ ප්‍රකාශකයා විශ්වාස කරන්නේ නම්, hash check මඟ හරිමින් පැකේජය නැවත {0} කරන්න.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows සඳහා සාම්ප්‍රදායික පැකේජ කළමනාකරු. ඔබට එහි සෑම දෙයක්ම හමුවේ.
අඩංගු වන්නේ: සාමාන්‍ය මෘදුකාංග", - "The cloud backup completed successfully.": "cloud backup එක සාර්ථකව අවසන් විය.", - "The cloud backup has been loaded successfully.": "cloud backup එක සාර්ථකව load කරන ලදී.", - "The current bundle has no packages. Add some packages to get started": "වත්මන් bundle එකේ පැකේජ නොමැත. ආරම්භ කිරීමට පැකේජ කිහිපයක් එක් කරන්න", - "The executable file for {0} was not found": "{0} සඳහා executable ගොනුව හමු නොවීය", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "{0} පැකේජයක් ස්ථාපනය, upgrade හෝ uninstall කරන සෑම අවස්ථාවකම පහත විකල්ප පෙරනිමියෙන් යෙදේ.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "පහත පැකේජ JSON ගොනුවකට අපනයනය කෙරේ. පරිශීලක දත්ත හෝ binaries කිසිවක් සුරකින්නේ නැත.", "The following packages are going to be installed on your system.": "පහත පැකේජ ඔබේ පද්ධතියේ ස්ථාපනය කෙරේ.", - "The following settings may pose a security risk, hence they are disabled by default.": "පහත සැකසුම් ආරක්ෂක අවදානමක් ඇති කළ හැකි බැවින්, ඒවා පෙරනිමියෙන් අක්‍රීයයි.", - "The following settings will be applied each time this package is installed, updated or removed.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ ඉවත් කරන සෑම වරම පහත සැකසුම් යෙදේ.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ ඉවත් කරන සෑම වරම පහත සැකසුම් යෙදෙන අතර ඒවා ස්වයංක්‍රීයව සුරකිනු ලැබේ.", "The icons and screenshots are maintained by users like you!": "icons සහ screenshots ඔබ වැනි පරිශීලකයන් විසින් නඩත්තු කරයි!", - "The installation script saved to {0}": "ස්ථාපන script එක {0} වෙත සුරකින ලදී", - "The installer authenticity could not be verified.": "installer හි සත්‍යතාව තහවුරු කළ නොහැකි විය.", "The installer has an invalid checksum": "installer හි checksum එක වලංගු නොවේ", "The installer hash does not match the expected value.": "installer hash එක අපේක්ෂිත අගයට නොගැලපේ.", - "The local icon cache currently takes {0} MB": "ස්ථානීය icon cache එක දැනට {0} MB ගනියි", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "මෙම ව්‍යාපෘතියේ ප්‍රධාන අරමුණ වන්නේ Winget සහ Scoop වැනි Windows සඳහා බහුලව භාවිත CLI package managers කළමනාකරණය කිරීමට පහසු UI එකක් සෑදීමයි.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "\"{1}\" package manager හි \"{0}\" පැකේජය හමු නොවීය", - "The package bundle could not be created due to an error.": "දෝෂයක් හේතුවෙන් package bundle එක සෑදිය නොහැකි විය.", - "The package bundle is not valid": "package bundle එක වලංගු නොවේ", - "The package manager \"{0}\" is disabled": "\"{0}\" package manager එක අක්‍රීයයි", - "The package manager \"{0}\" was not found": "\"{0}\" package manager එක හමු නොවීය", "The package {0} from {1} was not found.": "{1} හි {0} පැකේජය හමු නොවීය.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "මෙහි ලැයිස්තුගත කළ පැකේජ updates පරීක්ෂා කිරීමේදී සැලකිල්ලට ගනු නොලැබේ. ඒවා දෙවරක් ක්ලික් කරන්න හෝ දකුණු පැත්තේ බොත්තම ක්ලික් කර එම updates නොසලකා හැරීම නවත්වන්න.", "The selected packages have been blacklisted": "තෝරාගත් පැකේජ blacklist කර ඇත", - "The settings will list, in their descriptions, the potential security issues they may have.": "සැකසුම්වල විස්තර තුළ ඒවාට තිබිය හැකි ආරක්ෂක ගැටලු ලැයිස්තුගත කරනු ඇත.", - "The size of the backup is estimated to be less than 1MB.": "backup එකේ ප්‍රමාණය 1MB ට අඩු වනු ඇතැයි ඇස්තමේන්තු කර ඇත.", - "The source {source} was added to {manager} successfully": "{source} මූලාශ්‍රය {manager} වෙත සාර්ථකව එක් කරන ලදී", - "The source {source} was removed from {manager} successfully": "{source} මූලාශ්‍රය {manager} වෙතින් සාර්ථකව ඉවත් කරන ලදී", - "The system tray icon must be enabled in order for notifications to work": "notifications වැඩ කිරීමට system tray icon එක සක්‍රීය කර තිබිය යුතුය", - "The update process has been aborted.": "update process එක අත්හිටුවා ඇත.", - "The update process will start after closing UniGetUI": "UniGetUI වසා දැමූ පසු update process එක ආරම්භ වේ", "The update will be installed upon closing WingetUI": "UniGetUI වසා දැමූ විට update එක ස්ථාපනය කෙරේ", "The update will not continue.": "update එක ඉදිරියට නොයයි.", "The user has canceled {0}, that was a requirement for {1} to be run": "පරිශීලකයා {0} අවලංගු කර ඇත, එය {1} ධාවනය කිරීමට අවශ්‍යතාවක් විය", - "There are no new UniGetUI versions to be installed": "ස්ථාපනය කිරීමට නව UniGetUI versions නොමැත", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "ක්‍රියාත්මක වෙමින් පවතින මෙහෙයුම් ඇත. UniGetUI ඉවත් වීමෙන් ඒවා අසාර්ථක විය හැක. ඔබට ඉදිරියට යාමට අවශ්‍යද?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "UniGetUI සහ එහි හැකියාවන් පෙන්වන ඉතා හොඳ YouTube videos කිහිපයක් ඇත. ප්‍රයෝජනවත් tricks සහ tips ඉගෙන ගත හැකිය!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI පරිපාලක ලෙස ධාවනය නොකළ යුතු ප්‍රධාන හේතු දෙකක් ඇත:\nපළමුවැන්න වන්නේ Scoop package manager එක පරිපාලක බලතල සමඟ ධාවනය කරන විට සමහර commands ගැටලු ඇති කළ හැකි වීමයි.\nදෙවැන්න වන්නේ UniGetUI පරිපාලක ලෙස ධාවනය කිරීමෙන් ඔබ බාගත කරන ඕනෑම පැකේජයක් පරිපාලක ලෙස ධාවනය වන බවයි (එය ආරක්ෂිත නොවේ).\nවිශේෂිත පැකේජයක් පරිපාලක ලෙස ස්ථාපනය කළ යුතු නම්, ඔබට සෑම විටම item එක right-click කර -> Install/Update/Uninstall as administrator තෝරාගත හැකි බව මතක තබා ගන්න.", - "There is an error with the configuration of the package manager \"{0}\"": "\"{0}\" package manager එකේ configuration එකේ දෝෂයක් ඇත", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "ස්ථාපනයක් ක්‍රියාත්මක වෙමින් පවතී. ඔබ UniGetUI වසා දැමුවහොත්, ස්ථාපනය අසාර්ථක වී අනපේක්ෂිත ප්‍රතිඵල ඇති විය හැක. ඔබට තවමත් UniGetUI ඉවත් වීමට අවශ්‍යද?", "They are the programs in charge of installing, updating and removing packages.": "ඒවා පැකේජ ස්ථාපනය, යාවත්කාලීන හා ඉවත් කිරීමේ වගකීම දරන වැඩසටහන් වේ.", - "Third-party licenses": "Third-party බලපත්‍ර", "This could represent a security risk.": "මෙය ආරක්ෂක අවදානමක් නිරූපණය කළ හැක.", - "This is not recommended.": "මෙය නිර්දේශ නොකෙරේ.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "ඔබට එවා ඇති පැකේජය ඉවත් කර තිබීම හෝ ඔබ සක්‍රීය කර නැති package manager එකක ප්‍රකාශයට පත් කර තිබීම මෙයට හේතු විය හැක. ලැබුණු ID එක {0} වේ", "This is the default choice.": "මෙය පෙරනිමි තේරීම වේ.", - "This may help if WinGet packages are not shown": "WinGet පැකේජ පෙන්වන්නේ නැත්නම් මෙය උපකාරී විය හැක", - "This may help if no packages are listed": "පැකේජ කිසිවක් ලැයිස්තුගත නොවන්නේ නම් මෙය උපකාරී විය හැක", - "This may take a minute or two": "මෙයට මිනිත්තුවක් හෝ දෙකක් ගත විය හැක", - "This operation is running interactively.": "මෙම මෙහෙයුම interactive ආකාරයෙන් ක්‍රියාත්මක වෙමින් පවතී.", - "This operation is running with administrator privileges.": "මෙම මෙහෙයුම පරිපාලක බලතල සමඟ ක්‍රියාත්මක වෙමින් පවතී.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "මෙම විකල්පය ගැටලු ඇති කරයි. තමන්ම elevate කරගත නොහැකි ඕනෑම මෙහෙයුමක් අසාර්ථක වනු ඇත. පරිපාලක ලෙස install/update/uninstall කිරීම ක්‍රියා නොකරනු ඇත.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "මෙම package bundle එකේ අනතුරුදායක විය හැකි සැකසුම් කිහිපයක් තිබූ අතර, ඒවා පෙරනිමියෙන් නොසලකා හැරිය හැක.", "This package can be updated": "මෙම පැකේජය යාවත්කාලීන කළ හැක", "This package can be updated to version {0}": "මෙම පැකේජය {0} සංස්කරණයට යාවත්කාලීන කළ හැක", - "This package can be upgraded to version {0}": "මෙම පැකේජය {0} සංස්කරණයට upgrade කළ හැක", - "This package cannot be installed from an elevated context.": "මෙම පැකේජය elevated context එකකින් ස්ථාපනය කළ නොහැක.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "මෙම පැකේජයට screenshots නොමැතිද හෝ icon එක අතුරුදන්වී තිබේද? අපගේ විවෘත, පොදු දත්ත සමුදායට අතුරුදන් icons සහ screenshots එක් කර UniGetUI වෙත දායක වන්න.", - "This package is already installed": "මෙම පැකේජය දැනටමත් ස්ථාපනය කර ඇත", - "This package is being processed": "මෙම පැකේජය සැකසෙමින් පවතී", - "This package is not available": "මෙම පැකේජය ලබාගත නොහැක", - "This package is on the queue": "මෙම පැකේජය queue එකේ ඇත", "This process is running with administrator privileges": "මෙම process එක පරිපාලක බලතල සමඟ ක්‍රියාත්මක වෙමින් පවතී", - "This project has no connection with the official {0} project — it's completely unofficial.": "මෙම ව්‍යාපෘතියට නිල {0} ව්‍යාපෘතිය සමඟ කිසිදු සම්බන්ධයක් නොමැත — මෙය සම්පූර්ණයෙන්ම නිල නොවේ.", "This setting is disabled": "මෙම සැකසුම අක්‍රීයයි", "This wizard will help you configure and customize WingetUI!": "මෙම wizard එක ඔබට UniGetUI සකස් කිරීමට සහ අභිරුචිකරණය කිරීමට උපකාරී වේ!", "Toggle search filters pane": "search filters pane එක toggle කරන්න", - "Translators": "පරිවර්තකයින්", - "Try to kill the processes that refuse to close when requested to": "වසා දමන්නැයි ඉල්ලා සිටින විට වසා නොදමන processes අවසන් කිරීමට උත්සාහ කරන්න", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "මෙය සක්‍රීය කිරීමෙන් package managers සමඟ අන්තර්ක්‍රියා කිරීමට භාවිතා කරන executable ගොනුව වෙනස් කිරීමට හැකි වේ. මෙය ඔබේ install processes වඩාත් සවිස්තරව අභිරුචිකරණය කිරීමට ඉඩ දෙන නමුත්, එය අනතුරුදායකද විය හැක.", "Type here the name and the URL of the source you want to add, separed by a space.": "ඔබට එක් කිරීමට අවශ්‍ය මූලාශ්‍රයේ නම සහ URL එක මෙහි space එකකින් වෙන් කර ටයිප් කරන්න.", "Unable to find package": "පැකේජය සොයාගත නොහැක", "Unable to load informarion": "තොරතුරු load කළ නොහැක", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "පරිශීලක අත්දැකීම වැඩිදියුණු කිරීම සඳහා UniGetUI අනාමික භාවිත දත්ත රැස් කරයි.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "පරිශීලක අත්දැකීම වටහාගෙන වැඩිදියුණු කිරීමේ එකම අරමුණින් UniGetUI අනාමික භාවිත දත්ත රැස් කරයි.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "ස්වයංක්‍රීයව මකා දැමිය හැකි නව desktop shortcut එකක් UniGetUI හඳුනාගෙන ඇත.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "අනාගත upgrades වලදී ස්වයංක්‍රීයව ඉවත් කළ හැකි පහත desktop shortcuts UniGetUI හඳුනාගෙන ඇත.", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "ස්වයංක්‍රීයව මකා දැමිය හැකි නව desktop shortcuts {0} ක් UniGetUI හඳුනාගෙන ඇත.", - "UniGetUI is being updated...": "UniGetUI යාවත්කාලීන වෙමින් පවතී...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI කිසිදු compatible package manager එකකට සම්බන්ධ නැත. UniGetUI ස්වාධීන ව්‍යාපෘතියකි.", - "UniGetUI on the background and system tray": "background සහ system tray තුළ UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI හෝ එහි කොටස් කිහිපයක් අතුරුදන් හෝ දූෂිත වී ඇත.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ක්‍රියා කිරීමට {0} අවශ්‍යය, නමුත් එය ඔබේ පද්ධතියේ හමු නොවීය.", - "UniGetUI startup page:": "UniGetUI ආරම්භක පිටුව:", - "UniGetUI updater": "UniGetUI යාවත්කාලීනකාරකය", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} බාගත කරමින් පවතී.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} ස්ථාපනය කිරීමට සූදානම්ය.", - "uninstall": "ඉවත් කිරීම", - "Uninstall Scoop (and its packages)": "Scoop (සහ එහි පැකේජ) uninstall කරන්න", "Uninstall and more": "uninstall සහ තවත්", - "Uninstall and remove data": "uninstall කර දත්ත ඉවත් කරන්න", - "Uninstall as administrator": "පරිපාලක ලෙස uninstall කරන්න", "Uninstall canceled by the user!": "පරිශීලකයා විසින් uninstall කිරීම අවලංගු කරන ලදී!", - "Uninstall failed": "uninstall අසාර්ථකයි", - "Uninstall options": "uninstall විකල්ප", - "Uninstall package": "පැකේජය uninstall කරන්න", - "Uninstall package, then reinstall it": "පැකේජය uninstall කර, පසුව නැවත install කරන්න", - "Uninstall package, then update it": "පැකේජය uninstall කර, පසුව update කරන්න", - "Uninstall previous versions when updated": "update කරන විට පෙර versions uninstall කරන්න", - "Uninstall selected packages": "තෝරාගත් පැකේජ uninstall කරන්න", - "Uninstall selection": "තේරීම uninstall කරන්න", - "Uninstall succeeded": "uninstall සාර්ථකයි", "Uninstall the selected packages with administrator privileges": "තෝරාගත් පැකේජ පරිපාලක බලතල සමඟ uninstall කරන්න", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "මූලාරම්භය \"{0}\" ලෙස ලැයිස්තුගත කර ඇති uninstall කළ හැකි පැකේජ කිසිදු package manager එකක ප්‍රකාශයට පත් කර නැති බැවින්, ඒවා පිළිබඳ පෙන්වීමට තොරතුරු නොමැත.", - "Unknown": "නොදනී", - "Unknown size": "නොදන්නා ප්‍රමාණය", - "Unset or unknown": "set කර නොමැති හෝ නොදන්නා", - "Up to date": "යාවත්කාලීනයි", - "Update": "යාවත්කාලීන කරන්න", - "Update WingetUI automatically": "WingetUI ස්වයංක්‍රීයව යාවත්කාලීන කරන්න", - "Update all": "සියල්ල යාවත්කාලීන කරන්න", "Update and more": "යාවත්කාලීන සහ තවත්", - "Update as administrator": "පරිපාලක ලෙස යාවත්කාලීන කරන්න", - "Update check frequency, automatically install updates, etc.": "update පරීක්ෂා කිරීමේ වාර ගණන, updates ස්වයංක්‍රීයව install කිරීම, ආදිය.", - "Update checking": "update පරීක්ෂාව", "Update date": "යාවත්කාලීන දිනය", - "Update failed": "යාවත්කාලීන කිරීම අසාර්ථකයි", "Update found!": "update එකක් හමු විය!", - "Update now": "දැන් යාවත්කාලීන කරන්න", - "Update options": "update විකල්ප", "Update package indexes on launch": "launch වේලාවේ package indexes යාවත්කාලීන කරන්න", "Update packages automatically": "පැකේජ ස්වයංක්‍රීයව යාවත්කාලීන කරන්න", "Update selected packages": "තෝරාගත් පැකේජ යාවත්කාලීන කරන්න", "Update selected packages with administrator privileges": "තෝරාගත් පැකේජ පරිපාලක බලතල සමඟ යාවත්කාලීන කරන්න", - "Update selection": "තේරීම යාවත්කාලීන කරන්න", - "Update succeeded": "යාවත්කාලීන කිරීම සාර්ථකයි", - "Update to version {0}": "{0} සංස්කරණයට යාවත්කාලීන කරන්න", - "Update to {0} available": "{0} වෙත යාවත්කාලීන කිරීම ලබාගත හැක", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg හි Git portfiles ස්වයංක්‍රීයව යාවත්කාලීන කරන්න (Git ස්ථාපනය කර තිබිය යුතුය)", "Updates": "යාවත්කාලීන", "Updates available!": "යාවත්කාලීන ලබාගත හැක!", - "Updates for this package are ignored": "මෙම පැකේජය සඳහා යාවත්කාලීන නොසලකා හැරේ", - "Updates found!": "යාවත්කාලීන හමු විය!", "Updates preferences": "යාවත්කාලීන අභිරුචි", "Updating WingetUI": "WingetUI යාවත්කාලීන කරමින්", "Url": "සබැඳිය", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets වෙනුවට Legacy bundled WinGet භාවිතා කරන්න", - "Use a custom icon and screenshot database URL": "අභිරුචි icon සහ screenshot database URL එකක් භාවිතා කරන්න", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets වෙනුවට bundled WinGet භාවිතා කරන්න", - "Use bundled WinGet instead of system WinGet": "system WinGet වෙනුවට bundled WinGet භාවිතා කරන්න", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator වෙනුවට ස්ථාපිත GSudo භාවිතා කරන්න", "Use installed GSudo instead of the bundled one": "bundled එක වෙනුවට ස්ථාපිත GSudo භාවිතා කරන්න", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "legacy UniGetUI Elevator භාවිතා කරන්න (AdminByRequest support අක්‍රීය කරයි)", - "Use system Chocolatey": "system Chocolatey භාවිතා කරන්න", "Use system Chocolatey (Needs a restart)": "system Chocolatey භාවිතා කරන්න (නැවත ආරම්භයක් අවශ්‍යයි)", "Use system Winget (Needs a restart)": "system Winget භාවිතා කරන්න (නැවත ආරම්භයක් අවශ්‍යයි)", "Use system Winget (System language must be set to english)": "system Winget භාවිතා කරන්න (පද්ධති භාෂාව english ලෙස සකසා තිබිය යුතුය)", "Use the WinGet COM API to fetch packages": "පැකේජ ලබා ගැනීමට WinGet COM API භාවිතා කරන්න", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API වෙනුවට WinGet PowerShell Module භාවිතා කරන්න", - "Useful links": "ප්‍රයෝජනවත් සබැඳි", "User": "පරිශීලක", - "User interface preferences": "පරිශීලක අතුරුමුහුණත් අභිරුචි", "User | Local": "පරිශීලක | ස්ථානීය", - "Username": "පරිශීලක නාමය", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "WingetUI භාවිතා කිරීමෙන් GNU Lesser General Public License v2.1 බලපත්‍රය පිළිගැනීම අදහස් වේ", - "Using WingetUI implies the acceptation of the MIT License": "WingetUI භාවිතා කිරීමෙන් MIT බලපත්‍රය පිළිගැනීම අදහස් වේ", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root හමු නොවීය. කරුණාකර %VCPKG_ROOT% environment variable එක අර්ථ දක්වන්න හෝ එය UniGetUI Settings වලින් සකසන්න", "Vcpkg was not found on your system.": "Vcpkg ඔබේ පද්ධතියේ හමු නොවීය.", - "Verbose": "සවිස්තරාත්මක", - "Version": "සංස්කරණය", - "Version to install:": "ස්ථාපනය කිරීමට සංස්කරණය:", - "Version:": "සංස්කරණය:", - "View GitHub Profile": "GitHub profile බලන්න", "View WingetUI on GitHub": "GitHub හි WingetUI බලන්න", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "WingetUI හි source code බලන්න. එතැනින් ඔබට bugs වාර්තා කිරීමට, features යෝජනා කිරීමට, හෝ WingetUI ව්‍යාපෘතියට සෘජුවම දායක වීමට හැකිය.", - "View mode:": "දර්ශන මාදිලිය:", - "View on UniGetUI": "UniGetUI තුළ බලන්න", - "View page on browser": "browser එකේ පිටුව බලන්න", - "View {0} logs": "{0} logs බලන්න", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet සම්බන්ධතාව අවශ්‍ය කාර්යයන් කිරීමට උත්සාහ කිරීමට පෙර උපාංගය internet එකට සම්බන්ධ වනතුරු රැඳී සිටින්න.", "Waiting for other installations to finish...": "වෙනත් installations අවසන් වනතුරු රැඳී සිටිමින්...", "Waiting for {0} to complete...": "{0} සම්පූර්ණ වනතුරු රැඳී සිටිමින්...", - "Warning": "අවවාදය", - "Warning!": "අවවාදයයි!", - "We are checking for updates.": "අපි යාවත්කාලීන සඳහා පරීක්ෂා කරමින් සිටිමු.", "We could not load detailed information about this package, because it was not found in any of your package sources": "මෙම පැකේජය පිළිබඳ සවිස්තරාත්මක තොරතුරු load කළ නොහැකි විය, මන්ද එය ඔබේ package sources කිසිවකින් හමු නොවීය", "We could not load detailed information about this package, because it was not installed from an available package manager.": "මෙම පැකේජය පිළිබඳ සවිස්තරාත්මක තොරතුරු load කළ නොහැකි විය, මන්ද එය ලබාගත හැකි package manager එකකින් ස්ථාපනය කර නොතිබුණි.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "අපට {package} {action} කළ නොහැකි විය. කරුණාකර පසුව නැවත උත්සාහ කරන්න. installer හි logs ලබා ගැනීමට \"{showDetails}\" මත ක්ලික් කරන්න.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "අපට {package} {action} කළ නොහැකි විය. කරුණාකර පසුව නැවත උත්සාහ කරන්න. uninstaller හි logs ලබා ගැනීමට \"{showDetails}\" මත ක්ලික් කරන්න.", "We couldn't find any package": "අපට කිසිදු පැකේජයක් සොයාගත නොහැකි විය", "Welcome to WingetUI": "WingetUI වෙත සාදරයෙන් පිළිගනිමු", - "When batch installing packages from a bundle, install also packages that are already installed": "bundle එකකින් පැකේජ batch install කරන විට, දැනටමත් ස්ථාපිත පැකේජද install කරන්න", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "නව shortcuts හඳුනාගත් විට, මෙම dialog එක පෙන්වීම වෙනුවට ඒවා ස්වයංක්‍රීයව මකා දමන්න.", - "Which backup do you want to open?": "ඔබට විවෘත කිරීමට අවශ්‍ය backup එක කුමක්ද?", "Which package managers do you want to use?": "ඔබට භාවිතා කිරීමට අවශ්‍ය package managers මොනවාද?", "Which source do you want to add?": "ඔබට එක් කිරීමට අවශ්‍ය මූලාශ්‍රය කුමක්ද?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WingetUI තුළ Winget භාවිතා කළ හැකි නමුත්, WingetUI වෙනත් package managers සමඟද භාවිතා කළ හැකි බැවින් එය ව්‍යාකූල විය හැක. අතීතයේ WingetUI නිර්මාණය කර තිබුණේ Winget සමඟ පමණක් වැඩ කිරීමටය, නමුත් දැන් එය සත්‍ය නොවන අතර එබැවින් WingetUI මෙම ව්‍යාපෘතිය අරමුණු කරන දෙය නියෝජනය නොකරයි.", - "WinGet could not be repaired": "WinGet අලුත්වැඩියා කළ නොහැකි විය", - "WinGet malfunction detected": "WinGet අක්‍රියතාවක් හඳුනා ගන්නා ලදී", - "WinGet was repaired successfully": "WinGet සාර්ථකව අලුත්වැඩියා කරන ලදී", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - සියල්ල යාවත්කාලීනයි", "WingetUI - {0} updates are available": "WingetUI - යාවත්කාලීන {0} ක් ලබාගත හැක", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI මුල් පිටුව", "WingetUI Homepage - Share this link!": "WingetUI මුල් පිටුව - මෙම සබැඳිය බෙදාගන්න!", - "WingetUI License": "WingetUI බලපත්‍රය", - "WingetUI log": "WingetUI log", - "WingetUI Repository": "WingetUI repository ගබඩාව", - "WingetUI Settings": "WingetUI Settings", "WingetUI Settings File": "WingetUI Settings ගොනුව", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI පහත libraries භාවිතා කරයි. ඒවා නොමැතිව WingetUI තිබීමට නොහැකි විය.", - "WingetUI Version {0}": "WingetUI සංස්කරණය {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI ස්වයංක්‍රීය ආරම්භක හැසිරීම, යෙදුම් launch සැකසුම්", "WingetUI can check if your software has available updates, and install them automatically if you want to": "ඔබේ මෘදුකාංගයට ලබාගත හැකි යාවත්කාලීන තිබේදැයි WingetUI පරීක්ෂා කර, ඔබ කැමති නම් ඒවා ස්වයංක්‍රීයව install කළ හැක", - "WingetUI display language:": "WingetUI දර්ශන භාෂාව:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI පරිපාලක ලෙස ධාවනය කර ඇත, එය නිර්දේශ නොකෙරේ. WingetUI පරිපාලක ලෙස ධාවනය කරන විට, WingetUI වලින් ආරම්භ කරන සෑම මෙහෙයුමක්ම පරිපාලක බලතල ලබා ගනී. ඔබට තවමත් වැඩසටහන භාවිතා කළ හැකි නමුත්, WingetUI පරිපාලක බලතල සමඟ ධාවනය නොකිරීමට අපි දැඩි ලෙස නිර්දේශ කරමු.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "ස්වේච්ඡා පරිවර්තකයන්ගේ շնորհයෙන් WingetUI භාෂා 40 කට වඩා වැඩි ගණනකට පරිවර්තනය කර ඇත. ස්තුතියි 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI යන්ත්‍ර පරිවර්තනයකින් පරිවර්තනය කර නැත. පහත පරිශීලකයන් පරිවර්තන භාරව සිටියහ:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "ඔබේ command-line package managers සඳහා all-in-one graphical interface එකක් ලබා දීමෙන් ඔබේ මෘදුකාංග කළමනාකරණය පහසු කරන යෙදුමක් WingetUI වේ.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "ඔබ දැන් භාවිතා කරන interface එක වන WingetUI සහ Microsoft විසින් සංවර්ධනය කළ package manager එක වන Winget අතර වෙනස අවධාරණය කිරීම සඳහා WingetUI නැවත නම් කරමින් පවතී", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI යාවත්කාලීන වෙමින් පවතී. අවසන් වූ විට WingetUI ස්වයංක්‍රීයව නැවත ආරම්භ වේ", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI නොමිලේ වන අතර සදාකාලිකවම නොමිලේම පවතිනු ඇත. දැන්වීම් නැත, credit card අවශ්‍ය නැත, premium version එකක් නැත. 100% නොමිලේ, සදාකාලිකව.", + "WingetUI log": "WingetUI log", "WingetUI tray application preferences": "WingetUI tray යෙදුම් අභිරුචි", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI පහත libraries භාවිතා කරයි. ඒවා නොමැතිව WingetUI තිබීමට නොහැකි විය.", "WingetUI version {0} is being downloaded.": "WingetUI version {0} බාගත කරමින් පවතී.", "WingetUI will become {newname} soon!": "WingetUI ඉක්මනින් {newname} බවට පත්වේ!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI වරින් වර යාවත්කාලීන පරීක්ෂා නොකරයි. launch වන විට ඒවා තවමත් පරීක්ෂා කෙරෙන නමුත් ඔබට ඒ ගැන අවවාද නොකරනු ඇත.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "පැකේජයක් install කිරීමට elevation අවශ්‍ය වන සෑම වරම WingetUI UAC prompt එකක් පෙන්වයි.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI ඉක්මනින් {newname} ලෙස නම් කරනු ඇත. මෙය යෙදුමේ වෙනසක් නියෝජනය නොකරයි. මම (developer) දැන් කරන ආකාරයටම මෙම ව්‍යාපෘතියේ සංවර්ධනය, වෙනත් නමක් යටතේ, ඉදිරියටත් කරගෙන යන්නෙමි.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "අපගේ ආදරණීය දායකයින්ගේ සහාය නොමැතිව WingetUI හැකි නොවනු ඇත. ඔවුන්ගේ GitHub profiles බලන්න, ඔවුන් නොමැතිව WingetUI තිබිය නොහැකි විය!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "දායකයින්ගේ සහාය නොමැතිව WingetUI හැකි නොවනු ඇත. ඔබ සැමට ස්තුතියි 🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} ස්ථාපනය කිරීමට සූදානම්ය.", - "Write here the process names here, separated by commas (,)": "මෙහි process නාම comma (,) මගින් වෙන් කර ලියන්න", - "Yes": "ඔව්", - "You are logged in as {0} (@{1})": "ඔබ {0} (@{1}) ලෙස පිවිසී ඇත", - "You can change this behavior on UniGetUI security settings.": "මෙම හැසිරීම UniGetUI ආරක්ෂක සැකසුම් තුළ වෙනස් කළ හැක.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "මෙම පැකේජය ස්ථාපනය, යාවත්කාලීන හෝ uninstall කිරීමට පෙර හෝ පසු ධාවනය වන commands ඔබට අර්ථ දැක්විය හැක. ඒවා command prompt එකක ධාවනය වන බැවින් CMD scripts මෙහි ක්‍රියා කරයි.", - "You have currently version {0} installed": "ඔබට දැනට version {0} ස්ථාපිත කර ඇත", - "You have installed WingetUI Version {0}": "ඔබ WingetUI Version {0} ස්ථාපනය කර ඇත", - "You may lose unsaved data": "සුරකින්නේ නැති දත්ත ඔබට අහිමි විය හැක", - "You may need to install {pm} in order to use it with WingetUI.": "WingetUI සමඟ භාවිතා කිරීමට ඔබට {pm} ස්ථාපනය කිරීමට අවශ්‍ය විය හැක.", "You may restart your computer later if you wish": "ඔබට අවශ්‍ය නම් පසුව ඔබේ පරිගණකය නැවත ආරම්භ කළ හැක", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "ඔබට එක් වරක් පමණක් prompt කරනු ලබන අතර, ඉල්ලන පැකේජ සඳහා පරිපාලක අයිතිවාසිකම් ලබා දෙනු ඇත.", "You will be prompted only once, and every future installation will be elevated automatically.": "ඔබට එක් වරක් පමණක් prompt කරනු ලබන අතර, අනාගත ස්ථාපන සියල්ල ස්වයංක්‍රීයව elevate කෙරේ.", - "You will likely need to interact with the installer.": "ඔබට බොහෝවිට installer සමඟ අන්තර්ක්‍රියා කිරීමට සිදුවේ.", - "[RAN AS ADMINISTRATOR]": "[පරිපාලක ලෙස ධාවනය විය]", "buy me a coffee": "මට coffee එකක් සපයන්න", - "extracted": "උපුටා ගන්නා ලදී", - "feature": "විශේෂාංගය", "formerly WingetUI": "කලින් WingetUI", + "homepage": "මුල්පිටුව ", + "install": "ස්ථාපනය කරන්න", "installation": "ස්ථාපනය", - "installed": "ස්ථාපිතයි", - "installing": "ස්ථාපනය කරමින්", - "library": "පුස්තකාලය", - "mandatory": "අනිවාර්ය", - "option": "විකල්පය", - "optional": "විකල්ප", + "uninstall": "ඉවත් කිරීම", "uninstallation": "uninstall කිරීම", "uninstalled": "uninstall කරන ලදී", - "uninstalling": "uninstall කරමින්", "update(noun)": "යාවත්කාලීන කිරීම", "update(verb)": "යාවත්කාලීන කරන්න", "updated": "යාවත්කාලීන කරන ලදී", - "updating": "යාවත්කාලීන කරමින්", - "version {0}": "සංස්කරණය {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} පෙරනිමි install options අනුගමනය කරන බැවින් {0} Install options දැනට අගුලු දමා ඇත.", "{0} Uninstallation": "{0} අස්ථාපනය ", "{0} aborted": "{0} අත්හිටුවන ලදී ", "{0} can be updated": "{0} යාවත්කාලීන කල හැකිය ", - "{0} can be updated to version {1}": "{0} {1} සංස්කරණයට යාවත්කාලීන කළ හැක", - "{0} days": "දින {0}", - "{0} desktop shortcuts created": "{0} desktop shortcuts නිර්මාණය කර ඇත", "{0} failed": "{0} අසාර්ථකයි", - "{0} has been installed successfully.": "{0} සාර්ථකව ස්ථාපනය කරන ලදී.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} සාර්ථකව ස්ථාපනය කරන ලදී. ස්ථාපනය අවසන් කිරීමට UniGetUI නැවත ආරම්භ කිරීම නිර්දේශ කරයි", "{0} has failed, that was a requirement for {1} to be run": "{0} අසාර්ථක විය, එය {1} ධාවනය වීමට අවශ්‍යතාවක් විය", - "{0} homepage": "{0} මුල් පිටුව", - "{0} hours": "පැය {0} ", "{0} installation": "{0} ස්ථාපනය ", - "{0} installation options": "{0} ස්ථාපන විකල්ප", - "{0} installer is being downloaded": "{0} installer බාගත කරමින් පවතී", - "{0} is being installed": "{0} ස්ථාපනය කරමින් පවතී", - "{0} is being uninstalled": "{0} uninstall කරමින් පවතී", "{0} is being updated": "{0} යාවත්කාලීන වෙමින් පවතී ", - "{0} is being updated to version {1}": "{0} {1} සංස්කරණයට යාවත්කාලීන කරමින් පවතී", - "{0} is disabled": "{0} අත්හිටු ඇත ", - "{0} minutes": "මිනිත්තු {0} ", "{0} months": "මාස {0}", - "{0} packages are being updated": "{0}ක් ඇසුරුම් යාවත්කාලීන වෙමින් පවතී ", - "{0} packages can be updated": "{0}ක් ඇසුරුම් යාවත්කාලීන කල හැක ", "{0} packages found": "ඇසුරුම් {0}ක් හමුවිය", "{0} packages were found": "ඇසුරුම් {0}ක් හමුවිය", - "{0} packages were found, {1} of which match the specified filters.": "පැකේජ {0} ක් හමු විය, එයින් {1} ක් නියමිත filters සමඟ ගැලපේ.", - "{0} selected": "{0} තෝරා ඇත", - "{0} settings": "{0} සැකසුම්", - "{0} status": "{0} තත්ත්වය", "{0} succeeded": "{0} සාර්ථකයි ", "{0} update": "{0} යාවත්කාලීන කිරීම ", - "{0} updates are available": "යාවත්කාලීන {0} ක් ලබාගත හැක", "{0} was {1} successfully!": "{0} සාර්ථකව {1} කරන ලදී!", "{0} weeks": "සති {0}", "{0} years": "වසර {0}", "{0} {1} failed": "{0} {1} අසාර්ථකයි", - "{package} Installation": "{package} ස්ථාපනය", - "{package} Uninstall": "{package} uninstall කිරීම", - "{package} Update": "{package} යාවත්කාලීන කිරීම", - "{package} could not be installed": "{package} ස්ථාපනය කළ නොහැකි විය", - "{package} could not be uninstalled": "{package} uninstall කළ නොහැකි විය", - "{package} could not be updated": "{package} යාවත්කාලීන කළ නොහැකි විය", "{package} installation failed": "{package} ස්ථාපනය අසාර්ථකයි", - "{package} installer could not be downloaded": "{package} installer බාගත කළ නොහැකි විය", - "{package} installer download": "{package} installer බාගත කිරීම", - "{package} installer was downloaded successfully": "{package} installer සාර්ථකව බාගත කරන ලදී", "{package} uninstall failed": "{package} uninstall කිරීම අසාර්ථකයි", "{package} update failed": "{package} යාවත්කාලීන කිරීම අසාර්ථකයි", "{package} update failed. Click here for more details.": "{package} යාවත්කාලීන කිරීම අසාර්ථකයි. වැඩි විස්තර සඳහා මෙතන ක්ලික් කරන්න.", - "{package} was installed successfully": "{package} සාර්ථකව ස්ථාපනය කරන ලදී", - "{package} was uninstalled successfully": "{package} සාර්ථකව uninstall කරන ලදී", - "{package} was updated successfully": "{package} සාර්ථකව යාවත්කාලීන කරන ලදී", - "{pcName} installed packages": "{pcName} හි ස්ථාපිත පැකේජ", "{pm} could not be found": "{pm} හමු නොවීය", "{pm} found: {state}": "{pm} හමු විය: {state}", - "{pm} is disabled": "{pm} අක්‍රීයයි", - "{pm} is enabled and ready to go": "{pm} සක්‍රීය කර ඇති අතර සූදානම්ය", "{pm} package manager specific preferences": "{pm} package manager විශේෂිත අභිරුචි", "{pm} preferences": "{pm} අභිරුචි", - "{pm} version:": "{pm} සංස්කරණය:", - "{pm} was not found!": "{pm} හමු නොවීය!", - "Discover Packages": "පැකේජ සොයන්න", - "Homepage": "මුල් පිටුව", - "Install": "ස්ථාපනය කරන්න", - "Installed Packages": "ස්ථාපිත පැකේජ", - "New Version": "නව සංස්කරණය", - "OK": "හරි", - "Package Manager": "පැකේජ කළමනාකරු", - "Package Managers": "පැකේජ කළමනාකරුවන්", - "Uninstall": "ඉවත් කරන්න", - "WingetUI Log": "WingetUI log", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI පහත libraries භාවිතා කරයි. ඒවා නොමැතිව WingetUI තිබීමට නොහැකි විය." + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "ආයුබෝවන්, මගේ නම Martí. මම UniGetUI හි developer වෙමි. UniGetUI සම්පූර්ණයෙන්ම මගේ නිදහස් වේලාවේ නිර්මාණය කර ඇත!", + "Thank you ❤": "ස්තුතියි ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "මෙම ව්‍යාපෘතියට නිල {0} ව්‍යාපෘතිය සමඟ කිසිදු සම්බන්ධයක් නොමැත — මෙය සම්පූර්ණයෙන්ම නිල නොවේ." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sk.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sk.json index 0d2e245751..aedc592b87 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sk.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sk.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Prebiehajúce operácie", + "Please wait...": "Prosím čakajte...", + "Success!": "Úspech!", + "Failed": "Zlyhalo", + "An error occurred while processing this package": "Došlo ku chybe pri spracovávaní tohoto balíčka", + "Log in to enable cloud backup": "Prihláste sa, aby sa povolilo zálohovánie do cloudu", + "Backup Failed": "Zálohovanie sa nepodarilo", + "Downloading backup...": "Sťahovanie zálohy...", + "An update was found!": "Bola nájdená aktualizácia!", + "{0} can be updated to version {1}": "{0} môže byť aktualizované na verziu {1}", + "Updates found!": "Nájdené aktualizácie!", + "{0} packages can be updated": "{0} sa môže aktualizovať", + "You have currently version {0} installed": "Aktuálne máte nainštalovanú verziu {0}", + "Desktop shortcut created": "Odkaz na ploche vytvorený", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI zistil nový odkaz na ploche, ktorý môže byť automaticky odstránený.", + "{0} desktop shortcuts created": "{0} vytvorených odkazov na ploche", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI zistil {0} nových zástupcov na ploche, ktoré je možné automaticky odstrániť.", + "Are you sure?": "Ste si istý?", + "Do you really want to uninstall {0}?": "Naozaj chcete odinštalovať {0}?", + "Do you really want to uninstall the following {0} packages?": "Naozaj chcete odinštalovať nasledovných {0} balíčkov?", + "No": "Nie", + "Yes": "Áno", + "View on UniGetUI": "Zobraziť v UniGetUI", + "Update": "Aktualizovať", + "Open UniGetUI": "Otvoriť UniGetUI", + "Update all": "Aktualizovať všetko", + "Update now": "Aktualizovať teraz", + "This package is on the queue": "Tento balíček je vo fronte", + "installing": "inštalujem", + "updating": "aktualizujem", + "uninstalling": "odinštalujem", + "installed": "nainštalované", + "Retry": "Skúsiť znovu", + "Install": "Inštalovať", + "Uninstall": "Odinštalovať", + "Open": "Otvoriť", + "Operation profile:": "Profil operácie:", + "Follow the default options when installing, upgrading or uninstalling this package": "Pri inštalácii, aktualizácii alebo odinštalácii tohoto balíčku postupujte podľa predvolených možností.", + "The following settings will be applied each time this package is installed, updated or removed.": "Nasledovné nastavenia sa použijú pri každej inštalácii, aktualizácii alebo odobraní tohoto balíčku.", + "Version to install:": "Verzia:", + "Architecture to install:": "Architektúra:", + "Installation scope:": "Rozsah rozhrania:", + "Install location:": "Umiestnenie inštalácie:", + "Select": "Vybrať", + "Reset": "Resetovať", + "Custom install arguments:": "Vlastné argumenty pre inštaláciu:", + "Custom update arguments:": "Vlastné argumenty pre aktualizáciu:", + "Custom uninstall arguments:": "Vlastné argumenty pre odinštalovanie:", + "Pre-install command:": "Príkaz pred inštaláciou:", + "Post-install command:": "Príkaz po inštalácii:", + "Abort install if pre-install command fails": "Zrušiť inštaláciu, ak zlyhá príkaz pred inštaláciou", + "Pre-update command:": "Príkaz pred aktualizáciou:", + "Post-update command:": "Príkaz po aktualizácii:", + "Abort update if pre-update command fails": "Zrušiť aktualizáciu, ak zlyhá príkaz pred aktualizáciou", + "Pre-uninstall command:": "Príkaz pred odinštaláciou:", + "Post-uninstall command:": "Príkaz po odinštalácii:", + "Abort uninstall if pre-uninstall command fails": "Zrušiť odinštalovanie, ak zlyhá príkaz pred odinštalovaním", + "Command-line to run:": "Príkazový riadok pre spustenie:", + "Save and close": "Uložiť a zavrieť", + "Run as admin": "Spustiť ako správca", + "Interactive installation": "Interaktívna inštalácia", + "Skip hash check": "Preskočiť kontrolný súčet", + "Uninstall previous versions when updated": "Odinštalovať predchádzajúcu verziu po aktualizácii", + "Skip minor updates for this package": "Preskočenie drobných aktualizácií tohoto balíčku", + "Automatically update this package": "Automaticky aktualizovať tento balíček", + "{0} installation options": "{0} možnosti inštalácie", + "Latest": "Najnovšie", + "PreRelease": "Predbežná verzia", + "Default": "Predvolené", + "Manage ignored updates": "Spravovať ignorované aktualizácie", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Uvedené balíčky nebudú pri kontrole aktualizácií brané do úvahy. Dvakrát kliknite na ne alebo kliknite na tlačidlo vpravo, aby ste prestali ignorovať ich aktualizácie.", + "Reset list": "Obnoviť zoznam", + "Package Name": "Názov balíčka", + "Package ID": "ID balíčka", + "Ignored version": "Ignorovaná verzia", + "New version": "Nová verzia", + "Source": "Zdroj", + "All versions": "Všetky verzie", + "Unknown": "Neznáme", + "Up to date": "Aktuálne", + "Cancel": "Zrušiť", + "Administrator privileges": "Oprávnenia správcu", + "This operation is running with administrator privileges.": "Táto operácia je spustená s oprávnením správcu.", + "Interactive operation": "Interaktívna operácia", + "This operation is running interactively.": "Táto operácia je spustená interaktívne.", + "You will likely need to interact with the installer.": "Pravdepodobne budete musieť s inštalátorom interagovať.", + "Integrity checks skipped": "Kontrola integrity preskočená", + "Proceed at your own risk.": "Pokračujte na vlastné nebezpečenstvo.", + "Close": "Zavrieť", + "Loading...": "Načítavam...", + "Installer SHA256": "SHA256", + "Homepage": "Domovská stránka", + "Author": "Autor", + "Publisher": "Vydavateľ", + "License": "Licencia", + "Manifest": "Manifest", + "Installer Type": "Typ inštalátora", + "Size": "Veľkosť", + "Installer URL": "URL", + "Last updated:": "Posledná aktualizácia:", + "Release notes URL": "URL Poznámok k vydaniu", + "Package details": "Detaily balíčka", + "Dependencies:": "Závislosti:", + "Release notes": "Poznámky k vydaniu", + "Version": "Verzia", + "Install as administrator": "Inštalovať ako správca", + "Update to version {0}": "Aktualizovať na verziu {0}", + "Installed Version": "Nainštalovaná verzia", + "Update as administrator": "Aktualizovať ako správca", + "Interactive update": "Interaktívna aktualizácia", + "Uninstall as administrator": "Odinštalovať ako správca", + "Interactive uninstall": "Interaktívna odinštalácia", + "Uninstall and remove data": "Odinštalovať a odstrániť dáta", + "Not available": "Nedostupné", + "Installer SHA512": "SHA512", + "Unknown size": "Neznáma veľkosť", + "No dependencies specified": "Nie sú uvedené žiadne závislosti", + "mandatory": "povinné", + "optional": "voliteľné", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je pripravený k inštalácii.", + "The update process will start after closing UniGetUI": "Aktualizácie začne po zavrení UniGetUI", + "Share anonymous usage data": "Zdieľanie anonymných dát o používaní", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI zhromažďuje anonymné údaje o používaní za účelom zlepšenia používateľského komfortu.", + "Accept": "Prijať", + "You have installed WingetUI Version {0}": "Je nainštalovaný UniGetUI verzie {0}", + "Disclaimer": "Upozornenie", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nesúvisí so žiadnym z kompatibilných správcov balíčkov. UniGetUI je nezávislý projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI by nebolo možné vytvoriť bez pomoci prispievateľov. Ďakujem Vám všetkým 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI používa nasledovné knižnice. Bez nich by UniGetUI nebol možný.", + "{0} homepage": "{0} domovská stránka", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI bol vďaka dobrovoľným prekladateľom preložený do viac než 40 jazykov. Ďakujeme 🤝", + "Verbose": "Podrobný výstup", + "1 - Errors": "1 - Chyby", + "2 - Warnings": "2 - Varovania", + "3 - Information (less)": "3 - Informácie (menej)", + "4 - Information (more)": "4 - Informácie (viac)", + "5 - information (debug)": "5 - Informácie (ladenie)", + "Warning": "Upozornenie", + "The following settings may pose a security risk, hence they are disabled by default.": "Nasledovné nastavenia môžu predstavovať bezpečnostné riziko, preto sú v predvolenom nastavení zakázané.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Nižšie uvedené nastavenia povoľte, POKIAĽ A IBA POKIAĽ úplne rozumiete, k čomu slúžia a aké môžu mať dôsledky.", + "The settings will list, in their descriptions, the potential security issues they may have.": "V popise nastavení budú uvedené potenciálne bezpečnostné problémy, ktorú môžu mať.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Záloha bude obsahovať kompletný zoznam nainštalovaných balíčkov a možnosti ich inštalácie. Uložené budú taktiež ignorované aktualizácie a preskočené verzie.", + "The backup will NOT include any binary file nor any program's saved data.": "Záloha NEBUDE obsahovať binárne súbory ani uložené dáta programov.", + "The size of the backup is estimated to be less than 1MB.": "Veľkosť zálohy sa odhaduje na menej než 1 MB.", + "The backup will be performed after login.": "Zálohovanie sa vykoná po prihlásení.", + "{pcName} installed packages": "{pcName} nainštalované balíčky", + "Current status: Not logged in": "Aktuálny stav: Neprihlásený", + "You are logged in as {0} (@{1})": "ste prihlásený ako {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Pekne! Zálohy budú nahraté do súkromného gistu na vašom účte.", + "Select backup": "Výber zálohy", + "WingetUI Settings": "Nastavenia UniGetUI", + "Allow pre-release versions": "Povoliť predbežné verzie", + "Apply": "Použiť", + "Go to UniGetUI security settings": "Prejdite do nastavenia zabezpečenia UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Pri každej inštalácii, aktualizácii alebo odinštalácii balíčku {0} sa v predvolenom nastavení použijú nasledovné možnosti.", + "Package's default": "Predvolené nastavenie balíčka", + "Install location can't be changed for {0} packages": "Umiestnenie inštalácie nejde zmeniť pre {0} balíčkov", + "The local icon cache currently takes {0} MB": "Medzipamäť ikoniek aktuálne zaberá {0} MB", + "Username": "Používateľské meno", + "Password": "Heslo", + "Credentials": "Osobné údaje", + "Partially": "Čiastočne", + "Package manager": "Správca balíčkov", + "Compatible with proxy": "Kompatibilné s proxy", + "Compatible with authentication": "Kompatibilné s overením", + "Proxy compatibility table": "Tabuľka kompatibility proxy serverov", + "{0} settings": "{0} nastavenia", + "{0} status": "{0} stav", + "Default installation options for {0} packages": "Predvolené možnosti inštalácie {0} balíčkov", + "Expand version": "Rozbal verziu", + "The executable file for {0} was not found": "Spustiteľný súbor pre {0} nebol nájdený", + "{pm} is disabled": "{pm} je vypnutý", + "Enable it to install packages from {pm}.": "Povoľte to pre inštaláciu balíčkov z {pm}.", + "{pm} is enabled and ready to go": "{pm} je povolený a pripravený k použitiu", + "{pm} version:": "{pm} verzia:", + "{pm} was not found!": "{pm} nebol nájdený!", + "You may need to install {pm} in order to use it with WingetUI.": "Môže byť nutné nainštalovať {pm} pre použitie s UniGetUI.", + "Scoop Installer - WingetUI": "Scoop inštalátor - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop odinštalátor - UniGetUI", + "Clearing Scoop cache - WingetUI": "Mazanie medzipamäte Scoop - UniGetUI", + "Restart UniGetUI": "Reštartovať UniGetUI", + "Manage {0} sources": "Správa zdrojov {0}", + "Add source": "Pridať zdroj", + "Add": "Pridať", + "Other": "Iné", + "1 day": "1 deň", + "{0} days": "{0} dní", + "{0} minutes": "{0} minút", + "1 hour": "1 hodina", + "{0} hours": "{0} hodin", + "1 week": "1 týždeň", + "WingetUI Version {0}": "UniGetUI verzie {0}", + "Search for packages": "Vyhľadávanie balíčkov", + "Local": "Lokálny", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "Bolo nájdených {0} balíčkov, z ktorých {1} vyhovuje zadaným filtrom.", + "{0} selected": "{0} vybraných", + "(Last checked: {0})": "(Naposledy skontrolované: {0})", + "Enabled": "Povolené", + "Disabled": "Vypnutý", + "More info": "Viac informácií", + "Log in with GitHub to enable cloud package backup.": "Prihláste sa cez GitHub, aby sa povolilo zálohovanie do cloudu", + "More details": "Viac detailov", + "Log in": "Prihlásiť sa", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Pokiaľ máte povolené zálohovanie do cloudu, bude na tomto účte uložený ako GitHub Gist.", + "Log out": "Odhlásiť sa", + "About": "Aplikácie", + "Third-party licenses": "Licencie tretích strán", + "Contributors": "Prispievatelia", + "Translators": "Prekladatelia", + "Manage shortcuts": "Spravovať odkazy", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI zistil nasledovné odkazy na ploche, ktoré je možné pri budúcich aktualizáciách automaticky odstrániť", + "Do you really want to reset this list? This action cannot be reverted.": "Naozaj chcete tento zoznam obnoviť? Túto akciu nejde vrátiť späť.", + "Remove from list": "Odstrániť zo zoznamu", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Keď sú detekované nové odkazy, automaticky ich zmazať, namiesto aby sa zobrazovalo toto dialógové okno.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI zhromažďuje anonymné údaje o používaní iba za účelom pochopenia a zlepšenia používateľských skúseností.", + "More details about the shared data and how it will be processed": "Viac podrobností o zdieľaných údajoch a spôsobe ich spracovania", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Súhlasíte s tým, že UniGetUI zhromažďuje a odosiela anonymné štatistiky o používaní, a to výhradne za účelom pochopenia a zlepšenia používateľských skúseností?", + "Decline": "Zamietnuť", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nie sú zhromažďované ani odosielané osobné údaje a zhromaždené údaje sú anonymizované, takže ich nejde spätne vysledovať.", + "About WingetUI": "O WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI je aplikácia, ktorá uľahčuje správu vášho softvéru tak, že poskytuje grafické rozhranie pre vašich správcov balíčkov príkazového riadku.", + "Useful links": "Užitočné odkazy", + "Report an issue or submit a feature request": "Nahlásiť problém alebo odoslať požiadavku na funkciu", + "View GitHub Profile": "Zobraziť GitHub profil", + "WingetUI License": "UniGetUI licencia", + "Using WingetUI implies the acceptation of the MIT License": "Používanie UniGetUI znamená súhlas s licenciou MIT.", + "Become a translator": "Staň sa prekladateľom", + "View page on browser": "Zobraziť stránku v prehliadači", + "Copy to clipboard": "Skopírovať do schránky", + "Export to a file": "Exportovať do súboru", + "Log level:": "Úroveň protokolu:", + "Reload log": "Znovu načítať protokol", + "Text": "Text", + "Change how operations request administrator rights": "Zmena spôsobu, akým operácie vyžadujú oprávnenia správcu", + "Restrictions on package operations": "Obmedzenie operácií s balíčkami", + "Restrictions on package managers": "Obmedzenie sprácov balíčkov", + "Restrictions when importing package bundles": "Obmedzenie pri importe balíčkov", + "Ask for administrator privileges once for each batch of operations": "Vyžiadať práva správcu pre každú várku operácii", + "Ask only once for administrator privileges": "Požiadať o administrátorské práva len raz", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zákaz akéhokoľvek povýšenia pomocou UniGetUI Elevator alebo GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Táto možnosť bude spôsobovať problémy. Akákoľvek operácia, ktorá sa nedokáže sama povýšiť, zlyhá. Inštalácia/aktualizácia/odinštalácia ako správca NEBUDE FUNGOVAŤ.\n", + "Allow custom command-line arguments": "Povoliť vlastné argumenty príkazového riadku", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Vlastné argumenty príkazového riadku môžu zmeniť spôsob, akým sú programy inštalované, aktualizované alebo odinštalované, spôsobom, akým UniGetUI nemôže kontrolovať. Použitie vlastných príkazových riadkov môže poškodiť balíčky. Postupujte opatrne.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Povoliť spustenie vlastných príkazov pred a po inštalácii", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Príkazy pred a po inštalácii budú spustené pred a po inštalácii, aktualizácii alebo odinštalácii balíčku. Uvedomte si, že môžu veci poškodiť, pokiaľ nebudú použité opatrne.", + "Allow changing the paths for package manager executables": "Povoliť zmenu ciest pre spustiteľné súbory správcu balíčkov", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Zapnutie tejto funkcie umožňuje zmeniť spustiteľný súbor používaný pre interakciu so správcami balíčkov. To síce umožňuje lepšie prispôsobenie inštalačných procesov, ale môže to byť nebezpečné.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Povoliť importovanie vlastných argumentov príkazového riadku pri importe balíčkov zo zväzku", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Nesprávne formátované argumenty príkazového riadku môžu poškodiť balíčky alebo dokonca umožniť útočníkovi získať privilegované spúšťanie. Preto je import vlastných argumentov príkazového riadku v predvolenom nastavení zakázaný.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Povoliť importovanie vlastných príkazov pred a po inštalácii pri importe balíčkov zo zväzku", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Príkazy pred a po inštalácii môžu spôsobiť veľmi nepríjemné veci vašemu zariadeniu, pokiaľ sú k tomu navrhnuté. Môže byť veľmi nebezpečné importovať príkazy zo zväzku, pokiaľ nedôverujte zdroju tohto zväzku balíčkov.", + "Administrator rights and other dangerous settings": "Administrátorské práva a iné nebezpečné nastavenia", + "Package backup": "Záloha balíčku", + "Cloud package backup": "Zálohovanie balíčkov v cloude", + "Local package backup": "Miestne zálohovanie balíčkov", + "Local backup advanced options": "Pokročilé možnosti miestneho zálohovania", + "Log in with GitHub": "Prihlásiť sa cez GitHub", + "Log out from GitHub": "Odhlásiť sa z GitHub", + "Periodically perform a cloud backup of the installed packages": "Pravidelne vykonávať cloudovú zálohu nainštalovaných balíčkov", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloudové zálohovanie používa súkromný Gist GitHub pre uloženie zoznamu nainštalovaných balíčkov.", + "Perform a cloud backup now": "Vykonať zálohovanie do cloudu teraz", + "Backup": "Zálohovať", + "Restore a backup from the cloud": "Obnova zálohy z cloudu", + "Begin the process to select a cloud backup and review which packages to restore": "Začnite proces výberu zálohy v cloude a skontrolujte, ktoré balíčky chcete obnoviť", + "Periodically perform a local backup of the installed packages": "Pravidelne vykonávať miestnu zálohu nainštalovaných balíčkov", + "Perform a local backup now": "Vykonať miestne zálohovanie teraz", + "Change backup output directory": "Zmena výstupného adresára zálohy", + "Set a custom backup file name": "Vlastný názov pre súbor zálohy", + "Leave empty for default": "Nechať prázdne pre predvolené", + "Add a timestamp to the backup file names": "Pridať čas do názvov záložných súborov", + "Backup and Restore": "Zálohovanie a obnovenie", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Povoliť api na pozadí (Widgets pre UniGetUI a Zdieľanie, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Pred vykonávaním úloh, ktoré vyžadujú pripojenie k internetu, počkajte, až bude zariadenie pripojené k internetu.", + "Disable the 1-minute timeout for package-related operations": "Vypnutie minutového limitu pre operácie súvisiace s balíčkami", + "Use installed GSudo instead of UniGetUI Elevator": "Použiť nainštalovaný GSudo namiesto UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Použiť vlastnú URL databázu pre ikonky a screenshoty", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Povolenie optimalizácie využitia procesoru na pozadí (viď Pull Request #3278)", + "Perform integrity checks at startup": "Vykonať kontrolu integrity pri spustení", + "When batch installing packages from a bundle, install also packages that are already installed": "Pri dávkovej inštalácii balíčkov zo zväzku nainštalovať aj balíčky, ktoré už sú nainštalované.", + "Experimental settings and developer options": "Experimentálne nastavenia a možnosti pre vývojárov", + "Show UniGetUI's version and build number on the titlebar.": "Zobraziť verziu UniGetUI v záhlaviu okna", + "Language": "Jazyk", + "UniGetUI updater": "Aktualizácia UniGetUI", + "Telemetry": "Telemetria", + "Manage UniGetUI settings": "Správa nastavení UnigetUI", + "Related settings": "Súvisiace nastavenia", + "Update WingetUI automatically": "Automaticky aktualizovať UniGetUI", + "Check for updates": "Kontrolovať aktualizácie", + "Install prerelease versions of UniGetUI": "Inštalovať predbežné verzie UniGetUI", + "Manage telemetry settings": "Spravovať nastavenia telemetrie", + "Manage": "Správa", + "Import settings from a local file": "Importovať nastavenie zo súboru", + "Import": "Importovať", + "Export settings to a local file": "Exportovať nastavenia do súboru", + "Export": "Exportovať", + "Reset WingetUI": "Obnoviť UniGetUI", + "Reset UniGetUI": "Obnoviť UniGetUI", + "User interface preferences": "Vlastnosti používateľského rozhrania", + "Application theme, startup page, package icons, clear successful installs automatically": "Téma aplikácie, úvodná stránka, ikony balíčkov, automatické vymazanie úspešných inštalácií", + "General preferences": "Všeobecné preferencie", + "WingetUI display language:": "Jazyk UniGetUI", + "Is your language missing or incomplete?": "Chýba váš jazyk, alebo nie je úplný?", + "Appearance": "Vzhľad", + "UniGetUI on the background and system tray": "UniGetUI v pozadí a systémovej lište", + "Package lists": "Zoznamy balíčkov", + "Close UniGetUI to the system tray": "Zatvárať UniGetUI do systémovej lišty", + "Show package icons on package lists": "Zobraziť ikonky balíčkov na zozname balíčkov", + "Clear cache": "Vymazať vyrovnávaciu pamäť", + "Select upgradable packages by default": "Vždy vybrať aktualizovateľné balíčky", + "Light": "Svetlý", + "Dark": "Tmavé", + "Follow system color scheme": "Podľa systému", + "Application theme:": "Motív aplikácie:", + "Discover Packages": "Objavte balíčky", + "Software Updates": "Aktualizácie softvéru", + "Installed Packages": "Nainštalované balíčky", + "Package Bundles": "Zväzky balíčkov", + "Settings": "Nastavenia", + "UniGetUI startup page:": "Pri spustení UniGetUI zobraziť:", + "Proxy settings": "Nastavenia proxy serveru", + "Other settings": "Iné nastavenia", + "Connect the internet using a custom proxy": "Pripojte sa na internet pomocou vlastnej proxy", + "Please note that not all package managers may fully support this feature": "Upozorňujeme, že nie všetci správcovia balíčkov môžu túto funkciu plne podporovať.", + "Proxy URL": "URL proxy servera", + "Enter proxy URL here": "Sem zadajte URL proxy servera", + "Package manager preferences": "Nastavenie správcu balíčkov", + "Ready": "Pripravený", + "Not found": "Nenájdené", + "Notification preferences": "Predvoľby oznámení", + "Notification types": "Typy oznámení", + "The system tray icon must be enabled in order for notifications to work": "Aby oznámenia fungovali, musí byť povolená ikona v systémovej lište", + "Enable WingetUI notifications": "Zapnúť oznámenia UniGetUI", + "Show a notification when there are available updates": "Zobraziť oznámenie, pokiaľ sú dostupné aktualizácie", + "Show a silent notification when an operation is running": "Zobraziť tiché oznámenia pri bežiacej operácii", + "Show a notification when an operation fails": "Zobraziť oznámenie po zlyhaní operácie", + "Show a notification when an operation finishes successfully": "Zobraziť oznámenie po úspešnom dokončení operácie", + "Concurrency and execution": "Súbežnosť a vykonávanie", + "Automatic desktop shortcut remover": "Automatický odstraňovač odkazov na ploche", + "Clear successful operations from the operation list after a 5 second delay": "Vymazať úspešné operácie po 5 minútach zo zoznamu operácií", + "Download operations are not affected by this setting": "Toto nastavenie nemá vplyv na operácie sťahovania", + "Try to kill the processes that refuse to close when requested to": "Pokúste sa ukončiť procesy, ktoré sa odmietajú zavrieť, keď to je požadované.", + "You may lose unsaved data": "Môže nastať strata neuložených dát.", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Požiadajte o odstránenie odkazov na ploche vytvorených počas inštalácie alebo aktualizácie.", + "Package update preferences": "Predvoľby aktualizácií balíčkov", + "Update check frequency, automatically install updates, etc.": "Frekvencia kontroly aktualizácií, automatická inštalácia aktualizácií, atď.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Obmedzenie výziev UAC, predvolene zvýšenie úrovne inštalácií, odomknutie niektorých nebezpečných funkcií, atď.", + "Package operation preferences": "Prevoľby operácií s balíčkami", + "Enable {pm}": "Zapnúť {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nenašli ste hľadaný súbor? Skontrolujte, či bol pridaný do cesty.", + "For security reasons, changing the executable file is disabled by default": "Zmena spustiteľného súboru je v predvolenom nastavení z bezpečnostných dôvodov zakázaná.", + "Change this": "Zmeniť toto", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vyberte spustiteľný súbor, ktorý chcete použiť. Nasledujúci zoznam obsahuje spustiteľné súbory nájdené UniGetUI.", + "Current executable file:": "Aktuálny spustiteľný súbor:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorovať balíčky z {pm} pri zobrazení oznámení o aktualizáciách", + "View {0} logs": "Zobraziť {0} protokolov", + "Advanced options": "Pokročilé možnosti", + "Reset WinGet": "Obnoviť UniGetUI", + "This may help if no packages are listed": "Toto môže pomôcť, keď sa balíčky nezobrazujú", + "Force install location parameter when updating packages with custom locations": "Vynútiť parameter umiestnenia inštalácie pri aktualizovaní balíčkov s vlastnými umiestneniami", + "Use bundled WinGet instead of system WinGet": "Použiť pribalený WinGet namiesto systémového WinGet", + "This may help if WinGet packages are not shown": "Toto môže pomôcť, keď sa WinGet balíčky nezobrazujú", + "Install Scoop": "Nainštalovať Scoop", + "Uninstall Scoop (and its packages)": "Odinštalovať Scoop (a jeho balíčky)", + "Run cleanup and clear cache": "Spustiť čistenie a vymazať medzipamäť", + "Run": "Spustiť", + "Enable Scoop cleanup on launch": "Zapnúť prečistenie Scoop-u po spustení", + "Use system Chocolatey": "Použiť systémový Chocolatey", + "Default vcpkg triplet": "Predvolený vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Lokalizácia, motívy a ďalšie rôzne vlastnosti", + "Show notifications on different events": "Zobraziť oznámenia o rôznych udalostiach", + "Change how UniGetUI checks and installs available updates for your packages": "Zmeňte, ako UniGetUI kontroluje a inštaluje dostupné aktualizácie pre vaše balíčky", + "Automatically save a list of all your installed packages to easily restore them.": "Automatické uloženie zoznamu všetkých nainštalovaných balíčkov pre ich jednoduché obnovenie.", + "Enable and disable package managers, change default install options, etc.": "Povolenie a zakázanie správcu balíčkov, zmena predvolených možností inštalácie, atď.", + "Internet connection settings": "Nastavenia pripojenia k internetu", + "Proxy settings, etc.": "Nastavenia proxy serveru, atď.", + "Beta features and other options that shouldn't be touched": "Beta funkcie a ďalšie nastavenia ktorých by ste sa nemali dotýkať", + "Update checking": "Kontrola aktualizácií", + "Automatic updates": "Automatické aktualizácie", + "Check for package updates periodically": "Pravidelne kontrolovať aktualizácie balíčkov", + "Check for updates every:": "Kontrolovať aktualizácie každých: ", + "Install available updates automatically": "Automaticky inštalovať dostupné aktualizácie", + "Do not automatically install updates when the network connection is metered": "Neinštalovať aktualizácie, pokiaľ je sieťové pripojenie účtované objemom dát", + "Do not automatically install updates when the device runs on battery": "Neinštalovať aktualizácie, pokiaľ zariadenie beží na batérii", + "Do not automatically install updates when the battery saver is on": "Neinštalovať aktualizácie, pokiaľ je zapnutý šetrič energie", + "Change how UniGetUI handles install, update and uninstall operations.": "Zmeňte spôsob, akým UniGetUI spracováva operácie inštalácie, aktualizácie a odinštalácie.", + "Package Managers": "Manažéri balíčkov", + "More": "Viac", + "WingetUI Log": "UniGetUI protokol", + "Package Manager logs": "Protokoly správcu balíčkov", + "Operation history": "História operácií", + "Help": "Pomoc", + "Order by:": "Zoradiť podľa:", + "Name": "Meno", + "Id": "ID", + "Ascendant": "Vzostupne", + "Descendant": "Zostupne", + "View mode:": "Zobraziť ako:", + "Filters": "Filtre", + "Sources": "Zdroje", + "Search for packages to start": "Pre výpis balíčkov začnite vyhľadávať", + "Select all": "Vybrať všetko", + "Clear selection": "Zrušiť výber", + "Instant search": "Okamžité hľadanie", + "Distinguish between uppercase and lowercase": "Rozlišovať veľké a malé písmená", + "Ignore special characters": "Ignorovať špeciálne znaky", + "Search mode": "Režim vyhľadávania", + "Both": "Obe", + "Exact match": "Presná zhoda", + "Show similar packages": "Podobné balíčky", + "No results were found matching the input criteria": "Nebol nájdený žiadny výsledok splňujúci kritériá", + "No packages were found": "Žiadne balíčky neboli nájdené", + "Loading packages": "Načítanie balíčkov", + "Skip integrity checks": "Preskočiť kontrolu integrity", + "Download selected installers": "Stiahnuť vybrané inštalačné programy", + "Install selection": "Nainštalovať vybrané", + "Install options": "Možnosti inštalácie", + "Share": "Zdielať", + "Add selection to bundle": "Pridať výber do zväzku", + "Download installer": "Stiahnuť inštalátor", + "Share this package": "Zdielať", + "Uninstall selection": "Odinštalovať vybrané", + "Uninstall options": "Možnosti odinštalácie", + "Ignore selected packages": "Ignorovať vybrané balíčky", + "Open install location": "Otvoriť umiestnenie inštalácie", + "Reinstall package": "Preinštalovať balíček", + "Uninstall package, then reinstall it": "Odinštalovať balíček a potom znovu nainštalovať", + "Ignore updates for this package": "Ignorovať aktualizácie pre tento balíček", + "Do not ignore updates for this package anymore": "Neignorovať aktualizácie tohoto balíčka", + "Add packages or open an existing package bundle": "Pridať balíčky alebo otvoriť existujúci zväzok balíčkov", + "Add packages to start": "Pridať balíčky na štart", + "The current bundle has no packages. Add some packages to get started": "Aktuálny zväzok neobsahuje žiadne balíčky. Pridajte nejaké balíčky", + "New": "Nový", + "Save as": "Uložiť ako", + "Remove selection from bundle": "Odstrániť výber zo zväzku", + "Skip hash checks": "Preskočiť kontrolný súčet", + "The package bundle is not valid": "Zväzok balíčkov nie je platný", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Zväzok, ktorý sa snažíte načítať, vyzerá byť neplatný. Skontrolujte prosím súbor a skúste to znovu.", + "Package bundle": "Zväzok balíčka", + "Could not create bundle": "Zväzok sa nepodarilo vytvoriť", + "The package bundle could not be created due to an error.": "Zväzok balíčkov sa nepodarilo vytvoriť z dôvodu chyby.", + "Bundle security report": "Správa o bezpečnosti zväzku", + "Hooray! No updates were found.": "Hurá! Neboli nájdené žiadne aktualizácie.", + "Everything is up to date": "Všetko je aktuálne", + "Uninstall selected packages": "Odinštalovať vybrané balíčky", + "Update selection": "Aktualizovať vybrané", + "Update options": "Možnosti aktualizácie", + "Uninstall package, then update it": "Odinštalovať balíček a potom ho aktualizovať", + "Uninstall package": "Odinštalovať balíček", + "Skip this version": "Preskočiť túto verziu", + "Pause updates for": "Pozastaviť aktualizácie na", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Správca balíčkov Rust.
Obsahuje: Knižnice a programy napísané v Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasický správca balíčkov pre Windows. Nájdete v ňom všetko.
Obsahuje: Obecný softvér", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitár plný nastrojov a spustiteľných súborov navrhnutých s ohľadom na Microsoft .NET ekosystém.
Obsahuje:Nástroje a skripty týkajúce sa platfromy .NET", + "NuPkg (zipped manifest)": "NuPkg (zazipovaný manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Správca balíčkov Node.js, je plný knižníc a ďalších nástrojov, ktoré sa týkajú sveta javascriptu.
Obsahuje:Knižnice a ďalšie súvisiace nástroje pre Node.js", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Správca knižníc Pythonu a ďalších nástrojov súvisiacich s Pythonom.
Obsahuje: Knižnice Pythonu a súvisiace nástroje", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell správca balíčkov. Hľadanie knižníc a skriptov k rozšíreniu PowerShell schopností
Obsahuje: Moduly, Skripty, Cmdlets", + "extracted": "extrahované", + "Scoop package": "Scoop balíček", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Rozsiahly repozitár neznámych, ale predsa užitočných nástrojov a ďalších zaujímavých balíčkov.
Obsahuje: Nástroje, programy príkazového riadku a obecný softvér (nutné extra repozitáre)", + "library": "knižnica", + "feature": "funkcia", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Populárny správca C/C++ knižníc. Obsahuje množstvo C/C++ knižníc a ďalších nástrojov súvisiacich s C/C++
Obsahuje:C/C++ knižnice a súvisiace nástroje", + "option": "možnosť", + "This package cannot be installed from an elevated context.": "Tento balíček nejde nainštalovať z kontextu vyššie.", + "Please run UniGetUI as a regular user and try again.": "Spusťte UniGetUI ako bežný používateľ a skúste to znova.", + "Please check the installation options for this package and try again": "Skontrolujte prosím možnosti inštalácie tohoto balíčka a skúste to znova", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficiálny správca balíčkov od Microsoftu, plný dobre známych a overených programov
Obsahuje: Obecný softvér a aplikácie z Microsoft Store", + "Local PC": "Lokálny PC", + "Android Subsystem": "Subsystém Android", + "Operation on queue (position {0})...": "Operácia v poradí (pozícia {0})...", + "Click here for more details": "Kliknite sem pre viac informácií", + "Operation canceled by user": "Operácia zrušená používateľom", + "Starting operation...": "Spúštanie operácie...", + "{package} installer download": "Stiahnuť inštalačný program {package}", + "{0} installer is being downloaded": "Sťahuje sa inštalačný program {0}", + "Download succeeded": "Sťahovanie úspešné", + "{package} installer was downloaded successfully": "Inštalačný program {package} bol úspešne stiahnutý", + "Download failed": "Sťahovanie sa nepodarilo", + "{package} installer could not be downloaded": "Inštalačný program {package} sa nepodarilo stiahnuť", + "{package} Installation": "Inštalácia {package}", + "{0} is being installed": "{0} sa inštaluje", + "Installation succeeded": "Úspešne nainštalované", + "{package} was installed successfully": "{package} bol úspešne nainštalovaný", + "Installation failed": "Inštalácia zlyhala", + "{package} could not be installed": "{package} nemohol byť nainštalovaný", + "{package} Update": "Aktualizácia {package}", + "{0} is being updated to version {1}": "{0} sa aktualizuje na verziu {1}", + "Update succeeded": "Úspešne aktualizované", + "{package} was updated successfully": "{package} bol úspešne aktualizovaný", + "Update failed": "Aktualizácia zlyhala", + "{package} could not be updated": "{package} nemohol byť aktualizovaný", + "{package} Uninstall": "Odinštalácia {package}", + "{0} is being uninstalled": "{0} sa odinštaluje", + "Uninstall succeeded": "Úspešne odinštalované", + "{package} was uninstalled successfully": "{package} bol úspešne odinštalovaný", + "Uninstall failed": "Odinštalácia zlyhala", + "{package} could not be uninstalled": "{package} nemohol byť odinštalovaný", + "Adding source {source}": "Pridávam zdroj {source}", + "Adding source {source} to {manager}": "Pridávanie zdroja {source} do {manager}", + "Source added successfully": "Zdroj bol úspešne pridaný", + "The source {source} was added to {manager} successfully": "Zdroj {source} bol úspešne pridaný do {manager}", + "Could not add source": "Nepodarilo sa pridať zdroj", + "Could not add source {source} to {manager}": "Nepodarilo sa pridať zdroj {source} do {manager}", + "Removing source {source}": "Odstraňovanie zdroja {source}", + "Removing source {source} from {manager}": "Odoberanie zdroja {source} z {manager}", + "Source removed successfully": "Zdroj bol úspešne odobraný", + "The source {source} was removed from {manager} successfully": "Zdroj {source} bol úspešne odobraný z {manager}", + "Could not remove source": "Nepodarilo sa odstrániť zdroj", + "Could not remove source {source} from {manager}": "Nepodarilo sa odobrať zdroj {source} z {manager}", + "The package manager \"{0}\" was not found": "Správca balíčkov \"{0}\" sa nenašiel", + "The package manager \"{0}\" is disabled": "Správca balíčkov \"{0}\" je vypnutý", + "There is an error with the configuration of the package manager \"{0}\"": "Došlo k chybe v konfigurácii správcu balíčkov \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Balíček \"{0}\" nebol nájdený v správcovi balíčkov \"{1}\"", + "{0} is disabled": "{0} je vypnuté", + "Something went wrong": "Niečo sa pokazilo", + "An interal error occurred. Please view the log for further details.": "Došlo ku chybe. Prosím pozrite si protokol pre ďalšie detaily.", + "No applicable installer was found for the package {0}": "Pre balíček {0} nebol nájdený žiadny použiteľný inštalačný program.", + "We are checking for updates.": "Kontrolujeme aktualizácie.", + "Please wait": "Prosím čakajte", + "UniGetUI version {0} is being downloaded.": "Sťahuje sa verzia UniGetUI {0}", + "This may take a minute or two": "Môže to trvať minútu alebo dve.", + "The installer authenticity could not be verified.": "Pravosť inštalačného programu nebolo možné overiť.", + "The update process has been aborted.": "Aktualizačný proces bol prerušený.", + "Great! You are on the latest version.": "Skvelé! Máte najnovšiu verziu.", + "There are no new UniGetUI versions to be installed": "Neexistujú žiadne nové verzie UniGetUI, ktoré by bolo treba inštalovať", + "An error occurred when checking for updates: ": "Došlo ku chybe pri vyhľadávaní aktualizácii", + "UniGetUI is being updated...": "UniGetUI sa aktualizuje...", + "Something went wrong while launching the updater.": "Pri spustení aktualizácie sa niečo pokazilo.", + "Please try again later": "Skúste to prosím neskôr", + "Integrity checks will not be performed during this operation": "Kontrola integrity sa pri tejto operácii nevykonáva.", + "This is not recommended.": "Toto sa neodporúča.", + "Run now": "Spustiť hneď", + "Run next": "Spustiť ako ďalšie", + "Run last": "Spustiť ako posledné", + "Retry as administrator": "Skúsiť znovu ako správca", + "Retry interactively": "Skúsiť znovu interaktívne", + "Retry skipping integrity checks": "Skúsiť znovu bez kontroly integrity", + "Installation options": "Voľby inštalácie", + "Show in explorer": "Zobraziť v prieskumníkovi", + "This package is already installed": "Tento balíček už je nainštalovaný", + "This package can be upgraded to version {0}": "Tento balíček môže byť aktualizovaný na verziu {0}", + "Updates for this package are ignored": "Aktualizácie tohoto balíčka sú ignorované", + "This package is being processed": "Tento balíček sa spracováva", + "This package is not available": "Tento balíček je nedostupný", + "Select the source you want to add:": "Vyber zdroj, ktorý chces pridať:", + "Source name:": "Názov zdroja:", + "Source URL:": "URL zdroje:", + "An error occurred": "Došlo ku chybe", + "An error occurred when adding the source: ": "Došlo ku chybe pri pridávaní zdroja", + "Package management made easy": "Jednoduchá správa balíčkov", + "version {0}": "verzia {0}", + "[RAN AS ADMINISTRATOR]": "[SPUSTENÉ AKO SPRÁVCA]", + "Portable mode": "Portable režim", + "DEBUG BUILD": "LADIACA ZOSTAVA", + "Available Updates": "Dostupné aktualizácie", + "Show WingetUI": "Zobraziť UniGetUI", + "Quit": "Ukončiť", + "Attention required": "Vyžaduje sa pozornosť", + "Restart required": "Je potrebný reštart", + "1 update is available": "1 dostupná aktualizácia", + "{0} updates are available": "Je dostupných {0} aktualizácií.", + "WingetUI Homepage": "Domovská stránka UniGetUI", + "WingetUI Repository": "UniGetUI repozitár", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tu môžete zmeniť chovanie rozhrania UniGetUI, pokiaľ ide o nasledovné skratky. Zaškrtnutie odkazu spôsobí, že ho UniGetUI odstráni, pokiaľ bude vytvorený pri budúcej aktualizácii. Zrušením zaškrtnutia zostane odkaz nedotknutý", + "Manual scan": "Manuálne skenovanie", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Existujúce odkazy na ploche budú prehľadané a budete musieť vybrať, ktoré z nich chcete zachovať a ktoré odstrániť.", + "Continue": "Pokračovať", + "Delete?": "Vymazať?", + "Missing dependency": "Chýbajúca závislosť", + "Not right now": "Teraz nie", + "Install {0}": "Nainštalovať {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI vyžaduje pre svoju činnosť {0}, ale vo vašom systéme nebol nájdený.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknutím na tlačidlo Inštalácia zahájite proces inštalácie. Pokiaľ inštaláciu preskočíte, nemusí UniGetUI fungovať podľa očakávania.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatívne môžete nainštalovať {0} aj spustením nasledujúceho príkazu v príkazovom riadku Windows PowerShell:", + "Do not show this dialog again for {0}": "Nezobrazovať znovu tento dialóg pre {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Počkajte prosím, než sa nainštaluje {0}. Môže sa zobraziť čierne (alebo modré) okno. Počkajte, pokým sa nezavre.", + "{0} has been installed successfully.": "{0} bol úspešne nainštalovaný", + "Please click on \"Continue\" to continue": "Pre pokračovanie kliknite na \"Pokračovať\"", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} bolo úspešne nainštalované. Je odporúčané reštartovať UniGetUI pre dokončenie inštalácie.", + "Restart later": "Reštartovať neskôr", + "An error occurred:": "Nastala chyba:", + "I understand": "Rozumiem", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI bol spúšťaný ako správca, čo sa neodporúča. Pokiaľ je WingetUI spustený ako správca, bude mať KAŽDÁ operácia spustená z WingetUI práva správcu. Program môžete používať aj naďalej, ale dôrazne neodporúčame spúšťať WingetUI s právami správcu.", + "WinGet was repaired successfully": "WinGet bol úspešne opravený", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Po oprave WinGet sa odporúča reštartovať aplikáciu UniGetUI", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "Poznámka: Toto riešenie problémov môže byť vypnuté v nastaveniach UniGetUI v sekcii WinGet", + "Restart": "Reštartovať", + "WinGet could not be repaired": "WinGet sa nepodarilo opraviť", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Nastala neočakávaná chyba pri pokuse o opravu WinGet. Skúste to neskôr", + "Are you sure you want to delete all shortcuts?": "Ste si istí, že chcete vymazať všetky odkazy?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Všetky nové odkazy vytvorené počas inštalácie alebo aktualizácie budú odstránené automaticky, namiesto toho, aby sa pri ich prvej detekcii zobrazilo potvrdzovacie okno. ", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Všetky odkazy vytvorené alebo upravené mimo UniGetUI budú ignorované. Budete ich môcť pridať pomocou tlačidla {0}.", + "Are you really sure you want to enable this feature?": "Ste si naozaj istí, že chcete povoliť túto funkciu?", + "No new shortcuts were found during the scan.": "Pri kontrole neboli nájdené žiadne nové odkazy.", + "How to add packages to a bundle": "Ako pridať balíčky do zväzku", + "In order to add packages to a bundle, you will need to: ": "Ak chcete pridať balíčky do zväzku, musíte:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Prejdite na stránku \"{0}\" alebo \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Vyhľadajte balíčky, ktoré chcete pridať do zväzku, a zaškrtnite políčko vľavo od nich.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Keď sú balíčky, ktoré chcete pridať do zväzku vybrané, nájdite a kliknite na možnosť \"{0}\" na paneli nástrojov.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaše balíčky budú pridané do zväzku. Môžete pokračovať v pridávaní balíčkov, alebo zväzok exportovať.", + "Which backup do you want to open?": "Ktorú zálohu chcete otvoriť?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vyberte zálohu, ktorú chcete otvoriť. Neskôr budete môcť skontrolovať, ktoré balíčky/programy chcete obnoviť.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Stále sa vykonávajú operácie. Ukočenie UniGetUI môže spôsobiť ich zlyhanie. Chcete aj napriek tomu pokračovať?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI alebo niektorý z jeho komponentov chýbajú alebo sú poškodené.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Dôrazne sa odporúča preinštalovať UniGetUI pre vyriešenie tejto situácie.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Pozrite sa do protokolov UniGetUI pre získanie viacerých podrobností o postihnutých súboroch", + "Integrity checks can be disabled from the Experimental Settings": "Kontrolu intergrity je možné zakázať v Experimentálnom nastavení", + "Repair UniGetUI": "Opraviť UniGetUI", + "Live output": "Živý výstup", + "Package not found": "Balíček sa nenašiel", + "An error occurred when attempting to show the package with Id {0}": "Nastala chyba pri pokuse o zobrazenie balíčka s Id {0}", + "Package": "Balíček", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Tento zväzok balíčkov obsahoval niektoré potenciálne nebezpečné nastavenia, ktoré môžu byť v predvolenom nastavení ignorované.", + "Entries that show in YELLOW will be IGNORED.": "Záznamy, ktoré sa zobrazia ŽLTO, budú IGNOROVANÉ.", + "Entries that show in RED will be IMPORTED.": "Záznamy, ktoré sa zobrazia ČERVENO, budú IMPORTOVANÉ.", + "You can change this behavior on UniGetUI security settings.": "Toto chovanie môžete zmeniť v nastavení zabezpečení UniGetUI.", + "Open UniGetUI security settings": "Otvorte nastavenia zabezpečenia UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Pokiaľ zmeníte nastavenia zabezpečenia, budete musieť zväzok znovu otvoriť, aby sa zmeny prejavili.", + "Details of the report:": "Podrobnosti správy:", "\"{0}\" is a local package and can't be shared": "\"{0}\" je lokálny balíček a nemožno ho zdielať", + "Are you sure you want to create a new package bundle? ": "Ste si istí, že chcete vytvoriť nový zväzok balíčkov?", + "Any unsaved changes will be lost": "Všetky neuložené zmeny budú stratené", + "Warning!": "Varovanie!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostných dôvodov sú vlastné argumenty príkazového riadku v predvolenom nastavení zakázané. Ak to chcete zmeniť, prejdite do nastavenia zabezpečenia UniGetUI.", + "Change default options": "Zmeniť predvolené možnosti", + "Ignore future updates for this package": "Ignorovať budúce aktualizácie pre tento balíček", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostných dôvodov sú predoperačné a pooperačné skripty v predvolenom nastavení zakázané. Ak to chcete zmeniť, prejdite do nastavenia zabezpečenia UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Môžete definovať príkazy, ktoré budú spustené pred alebo po inštalácii, aktualizácii alebo odinštalácii tohoto balíčku. Budú spustené v príkazovom riadku, takže tu budú fungovať skripty CMD.", + "Change this and unlock": "Zmeniť toto a odomknúť", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} možnosti inštalácie sú v súčasnej dobe uzamknuté, pretože {0} sa riadi predvolenými možnosťami inštalácie.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vyberte procesy, ktoré by mali byť ukončené pred inštaláciou, aktualizáciou alebo odinštaláciou tohoto balíčku.", + "Write here the process names here, separated by commas (,)": "Sem napíšte názvy procesov oddelené čiarkami (,).", + "Unset or unknown": "Nenastavené alebo neznáme", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Ďalšie informácie o probléme nájdete vo výstupe príkazového riadku alebo v historii operácií.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Chýbajú tomuto balíčku snímky obrazovky alebo ikonka? Prispejte do UniGetUI pridaním chýbajúcich ikoniek a snímkov obrazovky do našej otvorenej, verejnej databázy.", + "Become a contributor": "Staň sa prispievateľom", + "Save": "Uložiť", + "Update to {0} available": "Je dostupná aktualizácia na {0}", + "Reinstall": "Preinštalovať", + "Installer not available": "Inštalačný program nie je dostupný", + "Version:": "Verzia:", + "Performing backup, please wait...": "Vykonávam zálohu, prosím počkajte...", + "An error occurred while logging in: ": "Nastala chyba pri prihlasovaní:", + "Fetching available backups...": "Načítanie dostupných záloh...", + "Done!": "Hotovo!", + "The cloud backup has been loaded successfully.": "Cloudová záloha bola úspešne načítaná.", + "An error occurred while loading a backup: ": "Nastala chyba pri načítavaní zálohy: ", + "Backing up packages to GitHub Gist...": "Zálohovanie balíčkov na GitHub Gist...", + "Backup Successful": "Zálohovanie úspešné", + "The cloud backup completed successfully.": "Zálohovanie do cloudu bolo úspešne dokončené.", + "Could not back up packages to GitHub Gist: ": "Nepodarilo sa zálohovať balíčky na GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nie je zaručené, že poskytnuté prihlasovacie údaje budú bezpečne uložené, takže nepoužívajte prihlasovacie údaje k vašemu bankovému účtu.", + "Enable the automatic WinGet troubleshooter": "Zapnúť automatické riešenie problémov WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Povoliť [experimentálny] vylepšený nástroj pre riešenie problémov WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Pridať aktualizácie, ktoré zlyhali s hlásením \"neboli nájdené žiadne použiteľné aktualizácie\" do zoznamu ignorovaných aktualizácií.", + "Restart WingetUI to fully apply changes": "Pre aplikovanie zmien reštartujte UniGetUI", + "Restart WingetUI": "Reštartovať UniGetUI", + "Invalid selection": "Neplatný výber", + "No package was selected": "Nebol vybraný žiadny balíček", + "More than 1 package was selected": "Bol vybraný viac ako 1 balíček", + "List": "Zoznam", + "Grid": "Mriežka", + "Icons": "Ikony", "\"{0}\" is a local package and does not have available details": "\"{0}\" je lokálny balíček a nemá k dispozícii podrobnosti", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" je lokálny balíček a nie je kompatibilný s touto funkciou", - "(Last checked: {0})": "(Naposledy skontrolované: {0})", + "WinGet malfunction detected": "Zistená porucha WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Vyzerá, že program WinGet nefunguje správne. Chcete sa pokúsiť WinGet opraviť?", + "Repair WinGet": "Opraviť WinGet", + "Create .ps1 script": "Vytvoriť .ps1 skript", + "Add packages to bundle": "Pridať balíčky do zväzku", + "Preparing packages, please wait...": "Príprava balíčkov, prosím počkajte...", + "Loading packages, please wait...": "Načítavanie balíčkov, prosím čakajte...", + "Saving packages, please wait...": "Ukladanie balíčkov, prosím počkajte...", + "The bundle was created successfully on {0}": "Zväzok bol úspešne vytvorený do {0}", + "Install script": "Inštalovať skript", + "The installation script saved to {0}": "Inštalačný skript uložený do {0}", + "An error occurred while attempting to create an installation script:": "Nastala chyba pri pokuse o vytvorenie inštalačného skriptu:", + "{0} packages are being updated": "{0} balíčkov sa aktualizuje", + "Error": "Chyba", + "Log in failed: ": "Prihlásenie sa nepodarilo:", + "Log out failed: ": "Odhlásenie sa nepodarilo:", + "Package backup settings": "Nastavenie zálohovania baličkov", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Poradie vo fronte: {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Luk164, @david-kucera", "0 packages found": "Žiadne balíčky", "0 updates found": "Nebola nájdená žiadna aktualizácia", - "1 - Errors": "1 - Chyby", - "1 day": "1 deň", - "1 hour": "1 hodina", "1 month": "mesiac", "1 package was found": "1 nájdený balíček", - "1 update is available": "1 dostupná aktualizácia", - "1 week": "1 týždeň", "1 year": "rok", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Prejdite na stránku \"{0}\" alebo \"{1}\".", - "2 - Warnings": "2 - Varovania", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Vyhľadajte balíčky, ktoré chcete pridať do zväzku, a zaškrtnite políčko vľavo od nich.", - "3 - Information (less)": "3 - Informácie (menej)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Keď sú balíčky, ktoré chcete pridať do zväzku vybrané, nájdite a kliknite na možnosť \"{0}\" na paneli nástrojov.", - "4 - Information (more)": "4 - Informácie (viac)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaše balíčky budú pridané do zväzku. Môžete pokračovať v pridávaní balíčkov, alebo zväzok exportovať.", - "5 - information (debug)": "5 - Informácie (ladenie)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Populárny správca C/C++ knižníc. Obsahuje množstvo C/C++ knižníc a ďalších nástrojov súvisiacich s C/C++
Obsahuje:C/C++ knižnice a súvisiace nástroje", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitár plný nastrojov a spustiteľných súborov navrhnutých s ohľadom na Microsoft .NET ekosystém.
Obsahuje:Nástroje a skripty týkajúce sa platfromy .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repozitár plný nastrojov navrhnutých s ohľadom na Microsoft .NET ekosystém.
Obsahuje:Nástroje pre platfromu .NET", "A restart is required": "Je potrebný reštart", - "Abort install if pre-install command fails": "Zrušiť inštaláciu, ak zlyhá príkaz pred inštaláciou", - "Abort uninstall if pre-uninstall command fails": "Zrušiť odinštalovanie, ak zlyhá príkaz pred odinštalovaním", - "Abort update if pre-update command fails": "Zrušiť aktualizáciu, ak zlyhá príkaz pred aktualizáciou", - "About": "Aplikácie", "About Qt6": "O Qt6", - "About WingetUI": "O WingetUI", "About WingetUI version {0}": "O WingetUI verzia {0}", "About the dev": "O vývojárovi", - "Accept": "Prijať", "Action when double-clicking packages, hide successful installations": "Akcia pri dvoj-kliku, skryť úspešné inštalácie", - "Add": "Pridať", "Add a source to {0}": "Pridať zdroj do {0}", - "Add a timestamp to the backup file names": "Pridať čas do názvov záložných súborov", "Add a timestamp to the backup files": "Pridať čas (timestamp) do záložných súborov", "Add packages or open an existing bundle": "Pridať balíčky alebo otvoriť existujúci zväzok", - "Add packages or open an existing package bundle": "Pridať balíčky alebo otvoriť existujúci zväzok balíčkov", - "Add packages to bundle": "Pridať balíčky do zväzku", - "Add packages to start": "Pridať balíčky na štart", - "Add selection to bundle": "Pridať výber do zväzku", - "Add source": "Pridať zdroj", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Pridať aktualizácie, ktoré zlyhali s hlásením \"neboli nájdené žiadne použiteľné aktualizácie\" do zoznamu ignorovaných aktualizácií.", - "Adding source {source}": "Pridávam zdroj {source}", - "Adding source {source} to {manager}": "Pridávanie zdroja {source} do {manager}", "Addition succeeded": "Úspešne pridané", - "Administrator privileges": "Oprávnenia správcu", "Administrator privileges preferences": "Voľby oprávnení správcu", "Administrator rights": "Oprávnenia správcu", - "Administrator rights and other dangerous settings": "Administrátorské práva a iné nebezpečné nastavenia", - "Advanced options": "Pokročilé možnosti", "All files": "Všetky súbory", - "All versions": "Všetky verzie", - "Allow changing the paths for package manager executables": "Povoliť zmenu ciest pre spustiteľné súbory správcu balíčkov", - "Allow custom command-line arguments": "Povoliť vlastné argumenty príkazového riadku", - "Allow importing custom command-line arguments when importing packages from a bundle": "Povoliť importovanie vlastných argumentov príkazového riadku pri importe balíčkov zo zväzku", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Povoliť importovanie vlastných príkazov pred a po inštalácii pri importe balíčkov zo zväzku", "Allow package operations to be performed in parallel": "Povoliť paralelné operácie s balíčkami", "Allow parallel installs (NOT RECOMMENDED)": "Povoliť paralelné inštalácie (NEODPORÚČA SA)", - "Allow pre-release versions": "Povoliť predbežné verzie", "Allow {pm} operations to be performed in parallel": "Povoliť vykonávanie {pm} operácii paralelne", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatívne môžete nainštalovať {0} aj spustením nasledujúceho príkazu v príkazovom riadku Windows PowerShell:", "Always elevate {pm} installations by default": "Vždy spustiť {pm} inštalácii s oprávneniami správcu", "Always run {pm} operations with administrator rights": "Vždy vykonávať {pm} operácie s právami správcu", - "An error occurred": "Došlo ku chybe", - "An error occurred when adding the source: ": "Došlo ku chybe pri pridávaní zdroja", - "An error occurred when attempting to show the package with Id {0}": "Nastala chyba pri pokuse o zobrazenie balíčka s Id {0}", - "An error occurred when checking for updates: ": "Došlo ku chybe pri vyhľadávaní aktualizácii", - "An error occurred while attempting to create an installation script:": "Nastala chyba pri pokuse o vytvorenie inštalačného skriptu:", - "An error occurred while loading a backup: ": "Nastala chyba pri načítavaní zálohy: ", - "An error occurred while logging in: ": "Nastala chyba pri prihlasovaní:", - "An error occurred while processing this package": "Došlo ku chybe pri spracovávaní tohoto balíčka", - "An error occurred:": "Nastala chyba:", - "An interal error occurred. Please view the log for further details.": "Došlo ku chybe. Prosím pozrite si protokol pre ďalšie detaily.", "An unexpected error occurred:": "Nastala neočakávaná chyba:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Nastala neočakávaná chyba pri pokuse o opravu WinGet. Skúste to neskôr", - "An update was found!": "Bola nájdená aktualizácia!", - "Android Subsystem": "Subsystém Android", "Another source": "Iný zdroj", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Všetky nové odkazy vytvorené počas inštalácie alebo aktualizácie budú odstránené automaticky, namiesto toho, aby sa pri ich prvej detekcii zobrazilo potvrdzovacie okno. ", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Všetky odkazy vytvorené alebo upravené mimo UniGetUI budú ignorované. Budete ich môcť pridať pomocou tlačidla {0}.", - "Any unsaved changes will be lost": "Všetky neuložené zmeny budú stratené", "App Name": "Názov aplikácie", - "Appearance": "Vzhľad", - "Application theme, startup page, package icons, clear successful installs automatically": "Téma aplikácie, úvodná stránka, ikony balíčkov, automatické vymazanie úspešných inštalácií", - "Application theme:": "Motív aplikácie:", - "Apply": "Použiť", - "Architecture to install:": "Architektúra:", "Are these screenshots wron or blurry?": "Sú tieto snímky obrazovky nesprávne alebo rozmazané?", - "Are you really sure you want to enable this feature?": "Ste si naozaj istí, že chcete povoliť túto funkciu?", - "Are you sure you want to create a new package bundle? ": "Ste si istí, že chcete vytvoriť nový zväzok balíčkov?", - "Are you sure you want to delete all shortcuts?": "Ste si istí, že chcete vymazať všetky odkazy?", - "Are you sure?": "Ste si istý?", - "Ascendant": "Vzostupne", - "Ask for administrator privileges once for each batch of operations": "Vyžiadať práva správcu pre každú várku operácii", "Ask for administrator rights when required": "Vyžiadať práva správcu keď to je potrebné", "Ask once or always for administrator rights, elevate installations by default": "Vyžiadať práva správcu jednorázovo alebo opakovane pre inštalácie", - "Ask only once for administrator privileges": "Požiadať o administrátorské práva len raz", "Ask only once for administrator privileges (not recommended)": "Vyžiadať práva správcu iba raz (neodporúča sa)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Požiadajte o odstránenie odkazov na ploche vytvorených počas inštalácie alebo aktualizácie.", - "Attention required": "Vyžaduje sa pozornosť", "Authenticate to the proxy with an user and a password": "Overte sa na proxy pomocou používateľského mena a hesla", - "Author": "Autor", - "Automatic desktop shortcut remover": "Automatický odstraňovač odkazov na ploche", - "Automatic updates": "Automatické aktualizácie", - "Automatically save a list of all your installed packages to easily restore them.": "Automatické uloženie zoznamu všetkých nainštalovaných balíčkov pre ich jednoduché obnovenie.", "Automatically save a list of your installed packages on your computer.": "Automaticky ukladajte zoznam nainštalovaných balíčkov vo vašom počítači.", - "Automatically update this package": "Automaticky aktualizovať tento balíček", "Autostart WingetUI in the notifications area": "Automatické spustenie UniGetUI v oblasti oznámení", - "Available Updates": "Dostupné aktualizácie", "Available updates: {0}": "Dostupných aktualizácii: {0}", "Available updates: {0}, not finished yet...": "Dostupných aktualizácii: {0}, nedokončené...", - "Backing up packages to GitHub Gist...": "Zálohovanie balíčkov na GitHub Gist...", - "Backup": "Zálohovať", - "Backup Failed": "Zálohovanie sa nepodarilo", - "Backup Successful": "Zálohovanie úspešné", - "Backup and Restore": "Zálohovanie a obnovenie", "Backup installed packages": "Zálohovanie nainštalovaných balíčkov", "Backup location": "Umiestnenie zálohy", - "Become a contributor": "Staň sa prispievateľom", - "Become a translator": "Staň sa prekladateľom", - "Begin the process to select a cloud backup and review which packages to restore": "Začnite proces výberu zálohy v cloude a skontrolujte, ktoré balíčky chcete obnoviť", - "Beta features and other options that shouldn't be touched": "Beta funkcie a ďalšie nastavenia ktorých by ste sa nemali dotýkať", - "Both": "Obe", - "Bundle security report": "Správa o bezpečnosti zväzku", "But here are other things you can do to learn about WingetUI even more:": "Ale sú tu aj dalšie veci, ktoré môžete urobiť, aby ste se o WingetUI dozvedeli ešte viac:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Vypnutím správcu balíčkov už nebudete môcť zobraziť ani aktualizovať jeho balíčky.", "Cache administrator rights and elevate installers by default": "Zapamätať si administrátorské práva a použiť ich pre všetky inštalácie", "Cache administrator rights, but elevate installers only when required": "Ukladať do vyrovnávacej pamäte admistrátorské práva, ale povyšovať inštalátory len v prípade potreby", "Cache was reset successfully!": "Vyrovnávacia pamäť bola úspešne vymazaná!", "Can't {0} {1}": "Nepodarilo sa {0} {1}", - "Cancel": "Zrušiť", "Cancel all operations": "Zrušiť všetky operácie", - "Change backup output directory": "Zmena výstupného adresára zálohy", - "Change default options": "Zmeniť predvolené možnosti", - "Change how UniGetUI checks and installs available updates for your packages": "Zmeňte, ako UniGetUI kontroluje a inštaluje dostupné aktualizácie pre vaše balíčky", - "Change how UniGetUI handles install, update and uninstall operations.": "Zmeňte spôsob, akým UniGetUI spracováva operácie inštalácie, aktualizácie a odinštalácie.", "Change how UniGetUI installs packages, and checks and installs available updates": "Zmeňte ako UniGetUI inštaluje balíčky a kontroluje a inštaluje ich aktualizácie", - "Change how operations request administrator rights": "Zmena spôsobu, akým operácie vyžadujú oprávnenia správcu", "Change install location": "Zmeniť miesto inštalácie", - "Change this": "Zmeniť toto", - "Change this and unlock": "Zmeniť toto a odomknúť", - "Check for package updates periodically": "Pravidelne kontrolovať aktualizácie balíčkov", - "Check for updates": "Kontrolovať aktualizácie", - "Check for updates every:": "Kontrolovať aktualizácie každých: ", "Check for updates periodically": "Pravidelne kontrolovať aktualizácie balíčkov.", "Check for updates regularly, and ask me what to do when updates are found.": "Pravidelne kontroluje aktualizácie a po nájdení aktualizácií sa opýta, čo urobiť.", "Check for updates regularly, and automatically install available ones.": "Pravidelne kontroluje aktualizácie a automaticky nainštaluje dostupné aktualizácie.", @@ -159,805 +741,283 @@ "Checking for updates...": "Kontrolujem aktualizácie...", "Checking found instace(s)...": "Kontrolujem nájdené inštancie...", "Choose how many operations shouls be performed in parallel": "Vyberte, koľko operácií sa má vykonávať paralelne", - "Clear cache": "Vymazať vyrovnávaciu pamäť", "Clear finished operations": "Odstrániť dokončené operácie", - "Clear selection": "Zrušiť výber", "Clear successful operations": "Zmazať úspešné operácie", - "Clear successful operations from the operation list after a 5 second delay": "Vymazať úspešné operácie po 5 minútach zo zoznamu operácií", "Clear the local icon cache": "Vyčistiť miestnu medzipamäť ikoniek", - "Clearing Scoop cache - WingetUI": "Mazanie medzipamäte Scoop - UniGetUI", "Clearing Scoop cache...": "Čistím medzipamäť Scoop...", - "Click here for more details": "Kliknite sem pre viac informácií", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknutím na tlačidlo Inštalácia zahájite proces inštalácie. Pokiaľ inštaláciu preskočíte, nemusí UniGetUI fungovať podľa očakávania.", - "Close": "Zavrieť", - "Close UniGetUI to the system tray": "Zatvárať UniGetUI do systémovej lišty", "Close WingetUI to the notification area": "Skryť UniGetUI do oblasti upozornení", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Cloudové zálohovanie používa súkromný Gist GitHub pre uloženie zoznamu nainštalovaných balíčkov.", - "Cloud package backup": "Zálohovanie balíčkov v cloude", "Command-line Output": "Výstup príkazového riadku", - "Command-line to run:": "Príkazový riadok pre spustenie:", "Compare query against": "Porovnať dotaz voči", - "Compatible with authentication": "Kompatibilné s overením", - "Compatible with proxy": "Kompatibilné s proxy", "Component Information": "Informácie o komponentoch", - "Concurrency and execution": "Súbežnosť a vykonávanie", - "Connect the internet using a custom proxy": "Pripojte sa na internet pomocou vlastnej proxy", - "Continue": "Pokračovať", "Contribute to the icon and screenshot repository": "Prispieť do repozitára ikoniek a screenshotov", - "Contributors": "Prispievatelia", "Copy": "Kopírovať", - "Copy to clipboard": "Skopírovať do schránky", - "Could not add source": "Nepodarilo sa pridať zdroj", - "Could not add source {source} to {manager}": "Nepodarilo sa pridať zdroj {source} do {manager}", - "Could not back up packages to GitHub Gist: ": "Nepodarilo sa zálohovať balíčky na GitHub Gist:", - "Could not create bundle": "Zväzok sa nepodarilo vytvoriť", "Could not load announcements - ": "Nepodarilo sa načítať oznámenia - ", "Could not load announcements - HTTP status code is $CODE": "Nepodarilo sa načítať oznámenie - HTTP status kód $CODE", - "Could not remove source": "Nepodarilo sa odstrániť zdroj", - "Could not remove source {source} from {manager}": "Nepodarilo sa odobrať zdroj {source} z {manager}", "Could not remove {source} from {manager}": "Nepodarilo sa odobrať {source} z {manager}", - "Create .ps1 script": "Vytvoriť .ps1 skript", - "Credentials": "Osobné údaje", "Current Version": "Aktuálna verzia", - "Current executable file:": "Aktuálny spustiteľný súbor:", - "Current status: Not logged in": "Aktuálny stav: Neprihlásený", "Current user": "Aktuálny používateľ", "Custom arguments:": "Vlastné argumenty:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Vlastné argumenty príkazového riadku môžu zmeniť spôsob, akým sú programy inštalované, aktualizované alebo odinštalované, spôsobom, akým UniGetUI nemôže kontrolovať. Použitie vlastných príkazových riadkov môže poškodiť balíčky. Postupujte opatrne.", "Custom command-line arguments:": "Vlastné argumenty príkazového riadku:", - "Custom install arguments:": "Vlastné argumenty pre inštaláciu:", - "Custom uninstall arguments:": "Vlastné argumenty pre odinštalovanie:", - "Custom update arguments:": "Vlastné argumenty pre aktualizáciu:", "Customize WingetUI - for hackers and advanced users only": "Prispôsobenie UniGetUI - iba pre hackerov a pokročilých používateľov", - "DEBUG BUILD": "LADIACA ZOSTAVA", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ODMIETNUTIE ZODPOVEDNOSTI: ZA STIAHNUTÉ BALÍČKY NENESIEME ZODPOVEDNOSŤ. DBAJTE PROSÍM NA TO, ABY STE INŠTALOVALI LEN DÔVERYHODNÝ SOFTVÉR.", - "Dark": "Tmavé", - "Decline": "Zamietnuť", - "Default": "Predvolené", - "Default installation options for {0} packages": "Predvolené možnosti inštalácie {0} balíčkov", "Default preferences - suitable for regular users": "Predvolené predvoľby - vhodné pre bežných používateľov", - "Default vcpkg triplet": "Predvolený vcpkg triplet", - "Delete?": "Vymazať?", - "Dependencies:": "Závislosti:", - "Descendant": "Zostupne", "Description:": "Popis:", - "Desktop shortcut created": "Odkaz na ploche vytvorený", - "Details of the report:": "Podrobnosti správy:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Vývoj je náročný a táto aplikácia je zdarma. Pokiaľ sa vám ale aplikácia páči, tak mi môžete kedykoľvek kúpiť kávu :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Priama inštalácia po dvojitom kliknutí na položku v záložke \"{discoveryTab}\" (namiesto zobrazenia informácií o balíčku)", "Disable new share API (port 7058)": "Vypnúť nové API zdieľanie (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Vypnutie minutového limitu pre operácie súvisiace s balíčkami", - "Disabled": "Vypnutý", - "Disclaimer": "Upozornenie", - "Discover Packages": "Objavte balíčky", "Discover packages": "Objavte balíčky", "Distinguish between\nuppercase and lowercase": "Rozlišovať veľkosť znakov", - "Distinguish between uppercase and lowercase": "Rozlišovať veľké a malé písmená", "Do NOT check for updates": "Nekontrolovať aktualizácie", "Do an interactive install for the selected packages": "Vykonať interaktívnu inštaláciu vybraných balíčkov", "Do an interactive uninstall for the selected packages": "Vykonať interaktívnu odinštaláciu vybraných balíčkov", "Do an interactive update for the selected packages": "Vykonať interaktívnu aktualizáciu vybraných balíčkov", - "Do not automatically install updates when the battery saver is on": "Neinštalovať aktualizácie, pokiaľ je zapnutý šetrič energie", - "Do not automatically install updates when the device runs on battery": "Neinštalovať aktualizácie, pokiaľ zariadenie beží na batérii", - "Do not automatically install updates when the network connection is metered": "Neinštalovať aktualizácie, pokiaľ je sieťové pripojenie účtované objemom dát", "Do not download new app translations from GitHub automatically": "Neaktualizovať automaticky jazykové súbory (preklady)", - "Do not ignore updates for this package anymore": "Neignorovať aktualizácie tohoto balíčka", "Do not remove successful operations from the list automatically": "Neodstraňovať automaticky úspešné operácie zo zoznamu", - "Do not show this dialog again for {0}": "Nezobrazovať znovu tento dialóg pre {0}", "Do not update package indexes on launch": "Neaktualizovať indexy balíčkov po spustení", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Súhlasíte s tým, že UniGetUI zhromažďuje a odosiela anonymné štatistiky o používaní, a to výhradne za účelom pochopenia a zlepšenia používateľských skúseností?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Pripadá ti UniGetUI užitočný? Pokiaľ áno, môžeš podporiť moju prácu, aby som mohol pokračovať vo vývoji UniGetUI, dokonalého rozhrania pre správu balíčkov.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Príde vám UniGetUI užitočný a chceli by ste podporiť vývojára? Pokiaľ áno, tak mi môžete {0}, moc to pomáha!", - "Do you really want to reset this list? This action cannot be reverted.": "Naozaj chcete tento zoznam obnoviť? Túto akciu nejde vrátiť späť.", - "Do you really want to uninstall the following {0} packages?": "Naozaj chcete odinštalovať nasledovných {0} balíčkov?", "Do you really want to uninstall {0} packages?": "Naozaj chcete odinštalovať {0} balíčkov?", - "Do you really want to uninstall {0}?": "Naozaj chcete odinštalovať {0}?", "Do you want to restart your computer now?": "Chcete teraz reštartovať počítač?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Chceli by ste preložiť UniGetUI do vášho jazyka? Pozrite sa ako prispieť, tu!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Necítiš sa na darovanie peňazí? Zdieľaj UniGetUI s kamarátmi a podpor tak projekt! Šír informácie o UniGetUI.", "Donate": "Prispieť", - "Done!": "Hotovo!", - "Download failed": "Sťahovanie sa nepodarilo", - "Download installer": "Stiahnuť inštalátor", - "Download operations are not affected by this setting": "Toto nastavenie nemá vplyv na operácie sťahovania", - "Download selected installers": "Stiahnuť vybrané inštalačné programy", - "Download succeeded": "Sťahovanie úspešné", "Download updated language files from GitHub automatically": "Stiahnuť aktualizované súbory s prekladmi z GitHubu automaticky", - "Downloading": "Sťahovanie", - "Downloading backup...": "Sťahovanie zálohy...", - "Downloading installer for {package}": "Sťahovanie inštalátora pre {package}", - "Downloading package metadata...": "Sťahujem metadáta balíčka...", - "Enable Scoop cleanup on launch": "Zapnúť prečistenie Scoop-u po spustení", - "Enable WingetUI notifications": "Zapnúť oznámenia UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Povoliť [experimentálny] vylepšený nástroj pre riešenie problémov WinGet", - "Enable and disable package managers, change default install options, etc.": "Povolenie a zakázanie správcu balíčkov, zmena predvolených možností inštalácie, atď.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Povolenie optimalizácie využitia procesoru na pozadí (viď Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Povoliť api na pozadí (Widgets pre UniGetUI a Zdieľanie, port 7058)", - "Enable it to install packages from {pm}.": "Povoľte to pre inštaláciu balíčkov z {pm}.", - "Enable the automatic WinGet troubleshooter": "Zapnúť automatické riešenie problémov WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Povoliť nový UAC Elevator pod aplikáciou UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Povolenie novej obsluhy vstupu procesu (Stdln automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Nižšie uvedené nastavenia povoľte, POKIAĽ A IBA POKIAĽ úplne rozumiete, k čomu slúžia a aké môžu mať dôsledky.", - "Enable {pm}": "Zapnúť {pm}", - "Enabled": "Povolené", - "Enter proxy URL here": "Sem zadajte URL proxy servera", - "Entries that show in RED will be IMPORTED.": "Záznamy, ktoré sa zobrazia ČERVENO, budú IMPORTOVANÉ.", - "Entries that show in YELLOW will be IGNORED.": "Záznamy, ktoré sa zobrazia ŽLTO, budú IGNOROVANÉ.", - "Error": "Chyba", - "Everything is up to date": "Všetko je aktuálne", - "Exact match": "Presná zhoda", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Existujúce odkazy na ploche budú prehľadané a budete musieť vybrať, ktoré z nich chcete zachovať a ktoré odstrániť.", - "Expand version": "Rozbal verziu", - "Experimental settings and developer options": "Experimentálne nastavenia a možnosti pre vývojárov", - "Export": "Exportovať", + "Downloading": "Sťahovanie", + "Downloading installer for {package}": "Sťahovanie inštalátora pre {package}", + "Downloading package metadata...": "Sťahujem metadáta balíčka...", + "Enable the new UniGetUI-Branded UAC Elevator": "Povoliť nový UAC Elevator pod aplikáciou UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Povolenie novej obsluhy vstupu procesu (Stdln automated closer)", "Export log as a file": "Exportovať protokol do súboru", "Export packages": "Export balíčkov", "Export selected packages to a file": "Exportovať označené balíčky do súboru", - "Export settings to a local file": "Exportovať nastavenia do súboru", - "Export to a file": "Exportovať do súboru", - "Failed": "Zlyhalo", - "Fetching available backups...": "Načítanie dostupných záloh...", "Fetching latest announcements, please wait...": "Načítanie najnovších oznámení, prosím počkajte...", - "Filters": "Filtre", "Finish": "Dokončiť", - "Follow system color scheme": "Podľa systému", - "Follow the default options when installing, upgrading or uninstalling this package": "Pri inštalácii, aktualizácii alebo odinštalácii tohoto balíčku postupujte podľa predvolených možností.", - "For security reasons, changing the executable file is disabled by default": "Zmena spustiteľného súboru je v predvolenom nastavení z bezpečnostných dôvodov zakázaná.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostných dôvodov sú vlastné argumenty príkazového riadku v predvolenom nastavení zakázané. Ak to chcete zmeniť, prejdite do nastavenia zabezpečenia UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Z bezpečnostných dôvodov sú predoperačné a pooperačné skripty v predvolenom nastavení zakázané. Ak to chcete zmeniť, prejdite do nastavenia zabezpečenia UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Použiť ARM verziu winget (IBA PRE ARM64 SYSTÉMY)", - "Force install location parameter when updating packages with custom locations": "Vynútiť parameter umiestnenia inštalácie pri aktualizovaní balíčkov s vlastnými umiestneniami", "Formerly known as WingetUI": "Predtým známe ako WingetUI", "Found": "Nájdené", "Found packages: ": "Nájdené balíčky:", "Found packages: {0}": "Nájdené balíčky: {0}", "Found packages: {0}, not finished yet...": "Nájdených balíčkov: {0}, ešte nedokončené...", - "General preferences": "Všeobecné preferencie", "GitHub profile": "GitHub profil", "Global": "Globálne", - "Go to UniGetUI security settings": "Prejdite do nastavenia zabezpečenia UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Rozsiahly repozitár neznámych, ale predsa užitočných nástrojov a ďalších zaujímavých balíčkov.
Obsahuje: Nástroje, programy príkazového riadku a obecný softvér (nutné extra repozitáre)", - "Great! You are on the latest version.": "Skvelé! Máte najnovšiu verziu.", - "Grid": "Mriežka", - "Help": "Pomoc", "Help and documentation": "Pomoc a dokumentácia", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tu môžete zmeniť chovanie rozhrania UniGetUI, pokiaľ ide o nasledovné skratky. Zaškrtnutie odkazu spôsobí, že ho UniGetUI odstráni, pokiaľ bude vytvorený pri budúcej aktualizácii. Zrušením zaškrtnutia zostane odkaz nedotknutý", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Ahoj, volám sa Martí a som vývojár UniGetUI. Aplikácia UniGetUI bola celá vytvorená v mojom voľnom čase!", "Hide details": "Skryť detaily", - "Homepage": "Domovská stránka", - "Hooray! No updates were found.": "Hurá! Neboli nájdené žiadne aktualizácie.", "How should installations that require administrator privileges be treated?": "Ako by sa malo zaobchádzať s inštaláciami, ktoré vyžadujú oprávenie správcu?", - "How to add packages to a bundle": "Ako pridať balíčky do zväzku", - "I understand": "Rozumiem", - "Icons": "Ikony", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Pokiaľ máte povolené zálohovanie do cloudu, bude na tomto účte uložený ako GitHub Gist.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Povoliť spustenie vlastných príkazov pred a po inštalácii", - "Ignore future updates for this package": "Ignorovať budúce aktualizácie pre tento balíček", - "Ignore packages from {pm} when showing a notification about updates": "Ignorovať balíčky z {pm} pri zobrazení oznámení o aktualizáciách", - "Ignore selected packages": "Ignorovať vybrané balíčky", - "Ignore special characters": "Ignorovať špeciálne znaky", "Ignore updates for the selected packages": "Ignorovať aktualizácie pre vybrané balíčky", - "Ignore updates for this package": "Ignorovať aktualizácie pre tento balíček", "Ignored updates": "Ignorované aktualizácie", - "Ignored version": "Ignorovaná verzia", - "Import": "Importovať", "Import packages": "Importovať balíčky", "Import packages from a file": "Importovať balíčky zo súboru", - "Import settings from a local file": "Importovať nastavenie zo súboru", - "In order to add packages to a bundle, you will need to: ": "Ak chcete pridať balíčky do zväzku, musíte:", "Initializing WingetUI...": "Inicializujem UniGetUI...", - "Install": "Inštalovať", - "Install Scoop": "Nainštalovať Scoop", "Install and more": "Inštalácia a ďalšie", "Install and update preferences": "Voľby inštalácie a aktualizácie", - "Install as administrator": "Inštalovať ako správca", - "Install available updates automatically": "Automaticky inštalovať dostupné aktualizácie", - "Install location can't be changed for {0} packages": "Umiestnenie inštalácie nejde zmeniť pre {0} balíčkov", - "Install location:": "Umiestnenie inštalácie:", - "Install options": "Možnosti inštalácie", "Install packages from a file": "Inštalovať balíčky zo súboru", - "Install prerelease versions of UniGetUI": "Inštalovať predbežné verzie UniGetUI", - "Install script": "Inštalovať skript", "Install selected packages": "Nainštalovať vybrané balíčky", "Install selected packages with administrator privileges": "Nainštalovať vybrané balíčky s oprávnením správcu", - "Install selection": "Nainštalovať vybrané", "Install the latest prerelease version": "Inštalovať najnovšiu predbežnú verziu", "Install updates automatically": "Automaticky inštalovať aktualizácie", - "Install {0}": "Nainštalovať {0}", "Installation canceled by the user!": "Inštalácia bola prerušená používateľom!", - "Installation failed": "Inštalácia zlyhala", - "Installation options": "Voľby inštalácie", - "Installation scope:": "Rozsah rozhrania:", - "Installation succeeded": "Úspešne nainštalované", - "Installed Packages": "Nainštalované balíčky", - "Installed Version": "Nainštalovaná verzia", "Installed packages": "Nainštalované balíčky", - "Installer SHA256": "SHA256", - "Installer SHA512": "SHA512", - "Installer Type": "Typ inštalátora", - "Installer URL": "URL", - "Installer not available": "Inštalačný program nie je dostupný", "Instance {0} responded, quitting...": "Inštalácia {0} odpovedala, ukončujem...", - "Instant search": "Okamžité hľadanie", - "Integrity checks can be disabled from the Experimental Settings": "Kontrolu intergrity je možné zakázať v Experimentálnom nastavení", - "Integrity checks skipped": "Kontrola integrity preskočená", - "Integrity checks will not be performed during this operation": "Kontrola integrity sa pri tejto operácii nevykonáva.", - "Interactive installation": "Interaktívna inštalácia", - "Interactive operation": "Interaktívna operácia", - "Interactive uninstall": "Interaktívna odinštalácia", - "Interactive update": "Interaktívna aktualizácia", - "Internet connection settings": "Nastavenia pripojenia k internetu", - "Invalid selection": "Neplatný výber", "Is this package missing the icon?": "Chýba tomuto balíčku ikonka?", - "Is your language missing or incomplete?": "Chýba váš jazyk, alebo nie je úplný?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nie je zaručené, že poskytnuté prihlasovacie údaje budú bezpečne uložené, takže nepoužívajte prihlasovacie údaje k vašemu bankovému účtu.", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Po oprave WinGet sa odporúča reštartovať aplikáciu UniGetUI", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Dôrazne sa odporúča preinštalovať UniGetUI pre vyriešenie tejto situácie.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Vyzerá, že program WinGet nefunguje správne. Chcete sa pokúsiť WinGet opraviť?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Vyzerá, že ste UniGetUI spustili ako správca, čo sa neodporúča. Program môžete používať aj naďalej, ale dôrazne odporúčame nespúšťať UniGetUI s právami správcu. Kliknutím na \"{showDetails}\" zistíte prečo.", - "Language": "Jazyk", - "Language, theme and other miscellaneous preferences": "Lokalizácia, motívy a ďalšie rôzne vlastnosti", - "Last updated:": "Posledná aktualizácia:", - "Latest": "Najnovšie", "Latest Version": "Najnovšia verzia", "Latest Version:": "Najnovšia verzia:", "Latest details...": "Najnovšie podrobnosti...", "Launching subprocess...": "Spúšťanie podprocesu...", - "Leave empty for default": "Nechať prázdne pre predvolené", - "License": "Licencia", "Licenses": "Licencia", - "Light": "Svetlý", - "List": "Zoznam", "Live command-line output": "Podrobný výpis z konzole", - "Live output": "Živý výstup", "Loading UI components...": "Načítanie UI komponentov...", "Loading WingetUI...": "Načítanie UniGetUI...", - "Loading packages": "Načítanie balíčkov", - "Loading packages, please wait...": "Načítavanie balíčkov, prosím čakajte...", - "Loading...": "Načítavam...", - "Local": "Lokálny", - "Local PC": "Lokálny PC", - "Local backup advanced options": "Pokročilé možnosti miestneho zálohovania", "Local machine": "Miestny počítač", - "Local package backup": "Miestne zálohovanie balíčkov", "Locating {pm}...": "Vyhľadávam {pm}...", - "Log in": "Prihlásiť sa", - "Log in failed: ": "Prihlásenie sa nepodarilo:", - "Log in to enable cloud backup": "Prihláste sa, aby sa povolilo zálohovánie do cloudu", - "Log in with GitHub": "Prihlásiť sa cez GitHub", - "Log in with GitHub to enable cloud package backup.": "Prihláste sa cez GitHub, aby sa povolilo zálohovanie do cloudu", - "Log level:": "Úroveň protokolu:", - "Log out": "Odhlásiť sa", - "Log out failed: ": "Odhlásenie sa nepodarilo:", - "Log out from GitHub": "Odhlásiť sa z GitHub", "Looking for packages...": "Hľadajú sa balíčky...", "Machine | Global": "Zariadenie | Globálne", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Nesprávne formátované argumenty príkazového riadku môžu poškodiť balíčky alebo dokonca umožniť útočníkovi získať privilegované spúšťanie. Preto je import vlastných argumentov príkazového riadku v predvolenom nastavení zakázaný.", - "Manage": "Správa", - "Manage UniGetUI settings": "Správa nastavení UnigetUI", "Manage WingetUI autostart behaviour from the Settings app": "Správa spúšťania UniGetUI v aplikácii Nastavenia", "Manage ignored packages": "Spravovať ignorované balíčky", - "Manage ignored updates": "Spravovať ignorované aktualizácie", - "Manage shortcuts": "Spravovať odkazy", - "Manage telemetry settings": "Spravovať nastavenia telemetrie", - "Manage {0} sources": "Správa zdrojov {0}", - "Manifest": "Manifest", "Manifests": "Manifesty", - "Manual scan": "Manuálne skenovanie", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Oficiálny správca balíčkov od Microsoftu, plný dobre známych a overených programov
Obsahuje: Obecný softvér a aplikácie z Microsoft Store", - "Missing dependency": "Chýbajúca závislosť", - "More": "Viac", - "More details": "Viac detailov", - "More details about the shared data and how it will be processed": "Viac podrobností o zdieľaných údajoch a spôsobe ich spracovania", - "More info": "Viac informácií", - "More than 1 package was selected": "Bol vybraný viac ako 1 balíček", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "Poznámka: Toto riešenie problémov môže byť vypnuté v nastaveniach UniGetUI v sekcii WinGet", - "Name": "Meno", - "New": "Nový", "New Version": "Nová verzia", "New bundle": "Nový zväzok", - "New version": "Nová verzia", - "Nice! Backups will be uploaded to a private gist on your account": "Pekne! Zálohy budú nahraté do súkromného gistu na vašom účte.", - "No": "Nie", - "No applicable installer was found for the package {0}": "Pre balíček {0} nebol nájdený žiadny použiteľný inštalačný program.", - "No dependencies specified": "Nie sú uvedené žiadne závislosti", - "No new shortcuts were found during the scan.": "Pri kontrole neboli nájdené žiadne nové odkazy.", - "No package was selected": "Nebol vybraný žiadny balíček", "No packages found": "Neboli nájdené žiadne balíčky", "No packages found matching the input criteria": "Podľa hľadaných kritérií neboli nájdené žiadne balíčky", "No packages have been added yet": "Žiadne balíčky neboli pridané", "No packages selected": "Neboli vybrané žiadne balíčky", - "No packages were found": "Žiadne balíčky neboli nájdené", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Nie sú zhromažďované ani odosielané osobné údaje a zhromaždené údaje sú anonymizované, takže ich nejde spätne vysledovať.", - "No results were found matching the input criteria": "Nebol nájdený žiadny výsledok splňujúci kritériá", "No sources found": "Neboli nájdené žiadne zdroje", "No sources were found": "Zdroje neboli nájdené", "No updates are available": "Žiadne dostupné aktualizácie", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Správca balíčkov Node.js, je plný knižníc a ďalších nástrojov, ktoré sa týkajú sveta javascriptu.
Obsahuje:Knižnice a ďalšie súvisiace nástroje pre Node.js", - "Not available": "Nedostupné", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nenašli ste hľadaný súbor? Skontrolujte, či bol pridaný do cesty.", - "Not found": "Nenájdené", - "Not right now": "Teraz nie", "Notes:": "Poznámky:", - "Notification preferences": "Predvoľby oznámení", "Notification tray options": "Voľby notifikačnej lišty", - "Notification types": "Typy oznámení", - "NuPkg (zipped manifest)": "NuPkg (zazipovaný manifest)", - "OK": "OK", "Ok": "Ok", - "Open": "Otvoriť", "Open GitHub": "Otvoriť GitHub", - "Open UniGetUI": "Otvoriť UniGetUI", - "Open UniGetUI security settings": "Otvorte nastavenia zabezpečenia UniGetUI", "Open WingetUI": "Otvoriť UniGetUI", "Open backup location": "Otvoriť umiestnenie zálohy", "Open existing bundle": "Otvoriť existujúci zväzok", - "Open install location": "Otvoriť umiestnenie inštalácie", "Open the welcome wizard": "Otvoriť prievodcu spustením", - "Operation canceled by user": "Operácia zrušená používateľom", "Operation cancelled": "Operácia zrušená", - "Operation history": "História operácií", - "Operation in progress": "Prebiehajúce operácie", - "Operation on queue (position {0})...": "Operácia v poradí (pozícia {0})...", - "Operation profile:": "Profil operácie:", "Options saved": "Voľby uložené", - "Order by:": "Zoradiť podľa:", - "Other": "Iné", - "Other settings": "Iné nastavenia", - "Package": "Balíček", - "Package Bundles": "Zväzky balíčkov", - "Package ID": "ID balíčka", "Package Manager": "Manažér balíčkov", - "Package Manager logs": "Protokoly správcu balíčkov", - "Package Managers": "Manažéri balíčkov", - "Package Name": "Názov balíčka", - "Package backup": "Záloha balíčku", - "Package backup settings": "Nastavenie zálohovania baličkov", - "Package bundle": "Zväzok balíčka", - "Package details": "Detaily balíčka", - "Package lists": "Zoznamy balíčkov", - "Package management made easy": "Jednoduchá správa balíčkov", - "Package manager": "Správca balíčkov", - "Package manager preferences": "Nastavenie správcu balíčkov", "Package managers": "Správci balíčkov", - "Package not found": "Balíček sa nenašiel", - "Package operation preferences": "Prevoľby operácií s balíčkami", - "Package update preferences": "Predvoľby aktualizácií balíčkov", "Package {name} from {manager}": "Balíček {name} z {manager}", - "Package's default": "Predvolené nastavenie balíčka", "Packages": "Balíčky", "Packages found: {0}": "Nájdených balíčkov: {0}", - "Partially": "Čiastočne", - "Password": "Heslo", "Paste a valid URL to the database": "Vložiť platnú URL do databázy", - "Pause updates for": "Pozastaviť aktualizácie na", "Perform a backup now": "Vykonať zálohovanie", - "Perform a cloud backup now": "Vykonať zálohovanie do cloudu teraz", - "Perform a local backup now": "Vykonať miestne zálohovanie teraz", - "Perform integrity checks at startup": "Vykonať kontrolu integrity pri spustení", - "Performing backup, please wait...": "Vykonávam zálohu, prosím počkajte...", "Periodically perform a backup of the installed packages": "Pravidelne vykonávať zálohu nainštalovaných balíčkov", - "Periodically perform a cloud backup of the installed packages": "Pravidelne vykonávať cloudovú zálohu nainštalovaných balíčkov", - "Periodically perform a local backup of the installed packages": "Pravidelne vykonávať miestnu zálohu nainštalovaných balíčkov", - "Please check the installation options for this package and try again": "Skontrolujte prosím možnosti inštalácie tohoto balíčka a skúste to znova", - "Please click on \"Continue\" to continue": "Pre pokračovanie kliknite na \"Pokračovať\"", "Please enter at least 3 characters": "Prosím, zadajte aspoň 3 znaky", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Upozorňujeme, že niektoré balíčky nie je možné nainštalovať kvôli správcom balíčkov, ktoré sú v tomto počítači povolené.", - "Please note that not all package managers may fully support this feature": "Upozorňujeme, že nie všetci správcovia balíčkov môžu túto funkciu plne podporovať.", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Upozorňujeme, že balíčky z niektorých zdrojov nie je možné exportovať. Takéto balíčky sú označené šedou farbou.", - "Please run UniGetUI as a regular user and try again.": "Spusťte UniGetUI ako bežný používateľ a skúste to znova.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Ďalšie informácie o probléme nájdete vo výstupe príkazového riadku alebo v historii operácií.", "Please select how you want to configure WingetUI": "Vyberte, ako si chcete nastaviť UniGetUI", - "Please try again later": "Skúste to prosím neskôr", "Please type at least two characters": "Napíšte prosím aspoň dva znaky", - "Please wait": "Prosím čakajte", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Počkajte prosím, než sa nainštaluje {0}. Môže sa zobraziť čierne (alebo modré) okno. Počkajte, pokým sa nezavre.", - "Please wait...": "Prosím čakajte...", "Portable": "Prenosný", - "Portable mode": "Portable režim", - "Post-install command:": "Príkaz po inštalácii:", - "Post-uninstall command:": "Príkaz po odinštalácii:", - "Post-update command:": "Príkaz po aktualizácii:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell správca balíčkov. Hľadanie knižníc a skriptov k rozšíreniu PowerShell schopností
Obsahuje: Moduly, Skripty, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Príkazy pred a po inštalácii môžu spôsobiť veľmi nepríjemné veci vašemu zariadeniu, pokiaľ sú k tomu navrhnuté. Môže byť veľmi nebezpečné importovať príkazy zo zväzku, pokiaľ nedôverujte zdroju tohto zväzku balíčkov.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Príkazy pred a po inštalácii budú spustené pred a po inštalácii, aktualizácii alebo odinštalácii balíčku. Uvedomte si, že môžu veci poškodiť, pokiaľ nebudú použité opatrne.", - "Pre-install command:": "Príkaz pred inštaláciou:", - "Pre-uninstall command:": "Príkaz pred odinštaláciou:", - "Pre-update command:": "Príkaz pred aktualizáciou:", - "PreRelease": "Predbežná verzia", - "Preparing packages, please wait...": "Príprava balíčkov, prosím počkajte...", - "Proceed at your own risk.": "Pokračujte na vlastné nebezpečenstvo.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Zákaz akéhokoľvek povýšenia pomocou UniGetUI Elevator alebo GSudo", - "Proxy URL": "URL proxy servera", - "Proxy compatibility table": "Tabuľka kompatibility proxy serverov", - "Proxy settings": "Nastavenia proxy serveru", - "Proxy settings, etc.": "Nastavenia proxy serveru, atď.", "Publication date:": "Dátum vydania:", - "Publisher": "Vydavateľ", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Správca knižníc Pythonu a ďalších nástrojov súvisiacich s Pythonom.
Obsahuje: Knižnice Pythonu a súvisiace nástroje", - "Quit": "Ukončiť", "Quit WingetUI": "Ukončiť UniGetUI", - "Ready": "Pripravený", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Obmedzenie výziev UAC, predvolene zvýšenie úrovne inštalácií, odomknutie niektorých nebezpečných funkcií, atď.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Pozrite sa do protokolov UniGetUI pre získanie viacerých podrobností o postihnutých súboroch", - "Reinstall": "Preinštalovať", - "Reinstall package": "Preinštalovať balíček", - "Related settings": "Súvisiace nastavenia", - "Release notes": "Poznámky k vydaniu", - "Release notes URL": "URL Poznámok k vydaniu", "Release notes URL:": "URL zoznamu zmien:", "Release notes:": "Zoznam zmien:", "Reload": "Obnoviť", - "Reload log": "Znovu načítať protokol", "Removal failed": "Odstránenie zlyhalo", "Removal succeeded": "Úspešné odstránenie", - "Remove from list": "Odstrániť zo zoznamu", "Remove permanent data": "Odstrániť dáta aplikácie", - "Remove selection from bundle": "Odstrániť výber zo zväzku", "Remove successful installs/uninstalls/updates from the installation list": "Odstrániť úspešné (od)inštalácie/aktualizácie zo zoznamu inštalácií", - "Removing source {source}": "Odstraňovanie zdroja {source}", - "Removing source {source} from {manager}": "Odoberanie zdroja {source} z {manager}", - "Repair UniGetUI": "Opraviť UniGetUI", - "Repair WinGet": "Opraviť WinGet", - "Report an issue or submit a feature request": "Nahlásiť problém alebo odoslať požiadavku na funkciu", "Repository": "Repozitár", - "Reset": "Resetovať", "Reset Scoop's global app cache": "Obnoviť globálnu medzipamäť Scoop-u", - "Reset UniGetUI": "Obnoviť UniGetUI", - "Reset WinGet": "Obnoviť UniGetUI", "Reset Winget sources (might help if no packages are listed)": "Obnoviť zdroje Winget-u (môže pomôcť, keď sa nezobrazujú balíčky)", - "Reset WingetUI": "Obnoviť UniGetUI", "Reset WingetUI and its preferences": "Obnoviť UniGetUI do pôvodného nastavenia", "Reset WingetUI icon and screenshot cache": "Vyčistiť medzipamäť UniGetUI ikoniek a screenshotov", - "Reset list": "Obnoviť zoznam", "Resetting Winget sources - WingetUI": "Resetovanie zdrojov Winget - UniGetUI", - "Restart": "Reštartovať", - "Restart UniGetUI": "Reštartovať UniGetUI", - "Restart WingetUI": "Reštartovať UniGetUI", - "Restart WingetUI to fully apply changes": "Pre aplikovanie zmien reštartujte UniGetUI", - "Restart later": "Reštartovať neskôr", "Restart now": "Reštartovať teraz", - "Restart required": "Je potrebný reštart", - "Restart your PC to finish installation": "Reštartujte počítač pre dokončenie inštalácie", - "Restart your computer to finish the installation": "Aby bolo možné dokončiť inštaláciu, je nutné reštartovať počítač", - "Restore a backup from the cloud": "Obnova zálohy z cloudu", - "Restrictions on package managers": "Obmedzenie sprácov balíčkov", - "Restrictions on package operations": "Obmedzenie operácií s balíčkami", - "Restrictions when importing package bundles": "Obmedzenie pri importe balíčkov", - "Retry": "Skúsiť znovu", - "Retry as administrator": "Skúsiť znovu ako správca", - "Retry failed operations": "Skúsiť znovu neúspešné operácie", - "Retry interactively": "Skúsiť znovu interaktívne", - "Retry skipping integrity checks": "Skúsiť znovu bez kontroly integrity", - "Retrying, please wait...": "Opätovný pokus, prosím počkajte...", - "Return to top": "Vrátiť sa hore", - "Run": "Spustiť", - "Run as admin": "Spustiť ako správca", - "Run cleanup and clear cache": "Spustiť čistenie a vymazať medzipamäť", - "Run last": "Spustiť ako posledné", - "Run next": "Spustiť ako ďalšie", - "Run now": "Spustiť hneď", + "Restart your PC to finish installation": "Reštartujte počítač pre dokončenie inštalácie", + "Restart your computer to finish the installation": "Aby bolo možné dokončiť inštaláciu, je nutné reštartovať počítač", + "Retry failed operations": "Skúsiť znovu neúspešné operácie", + "Retrying, please wait...": "Opätovný pokus, prosím počkajte...", + "Return to top": "Vrátiť sa hore", "Running the installer...": "Spúšťanie inštalačného programu...", "Running the uninstaller...": "Spúšťanie odinštalačného programu...", "Running the updater...": "Spúšťanie aktualizačného programu...", - "Save": "Uložiť", "Save File": "Uložiť súbor", - "Save and close": "Uložiť a zavrieť", - "Save as": "Uložiť ako", "Save bundle as": "Uložiť zväzok ako", "Save now": "Uložiť", - "Saving packages, please wait...": "Ukladanie balíčkov, prosím počkajte...", - "Scoop Installer - WingetUI": "Scoop inštalátor - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop odinštalátor - UniGetUI", - "Scoop package": "Scoop balíček", "Search": "Vyhľadať", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Vyhľadávanie softvéru pre počítače, upozornenie na dostupné aktualizácie a nerobenie nerdovských vecí. Nechcem UniGetUI príliš komplikovaný, chcem len jednoduchý obchod so softvérom.", - "Search for packages": "Vyhľadávanie balíčkov", - "Search for packages to start": "Pre výpis balíčkov začnite vyhľadávať", - "Search mode": "Režim vyhľadávania", "Search on available updates": "Hľadanie dostupných aktualizácií", "Search on your software": "Hľadanie v nainštalovaných", "Searching for installed packages...": "Vyhľadávanie nainštalovaných balíčkov...", "Searching for packages...": "Vyhľadávanie balíčkov...", "Searching for updates...": "Vyhľadávanie aktualizácií...", - "Select": "Vybrať", "Select \"{item}\" to add your custom bucket": "Vyberte \"{item}\" pre pridanie vlastného repozitára", "Select a folder": "Vybrať priečinok", - "Select all": "Vybrať všetko", "Select all packages": "Vybrať všetky balíčky", - "Select backup": "Výber zálohy", "Select only if you know what you are doing.": "Vyberte iba, pokiaľ naozaj viete, čo robíte.", "Select package file": "Vybrať súbor", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Vyberte zálohu, ktorú chcete otvoriť. Neskôr budete môcť skontrolovať, ktoré balíčky/programy chcete obnoviť.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Vyberte spustiteľný súbor, ktorý chcete použiť. Nasledujúci zoznam obsahuje spustiteľné súbory nájdené UniGetUI.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Vyberte procesy, ktoré by mali byť ukončené pred inštaláciou, aktualizáciou alebo odinštaláciou tohoto balíčku.", - "Select the source you want to add:": "Vyber zdroj, ktorý chces pridať:", - "Select upgradable packages by default": "Vždy vybrať aktualizovateľné balíčky", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Vyberte, ktorí správci balíčkov sa majú používať ({0}), nakonfigurujte spôsob inštalácie balíčkov, spravujte spôsob nakladania s právami správcu, atď.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake odoslaný. Čakám na odpoveď... ({0}%)", - "Set a custom backup file name": "Vlastný názov pre súbor zálohy", "Set custom backup file name": "Nastavenie vlastného názvu súboru pre zálohu", - "Settings": "Nastavenia", - "Share": "Zdielať", "Share WingetUI": "Zdielať UniGetUI", - "Share anonymous usage data": "Zdieľanie anonymných dát o používaní", - "Share this package": "Zdielať", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Pokiaľ zmeníte nastavenia zabezpečenia, budete musieť zväzok znovu otvoriť, aby sa zmeny prejavili.", "Show UniGetUI on the system tray": "Zobraziť UniGetUI na hlavnom paneli systému", - "Show UniGetUI's version and build number on the titlebar.": "Zobraziť verziu UniGetUI v záhlaviu okna", - "Show WingetUI": "Zobraziť UniGetUI", "Show a notification when an installation fails": "Zobrazenie notifikácie, keď inštalácia zlyhá", "Show a notification when an installation finishes successfully": "Zobrazenie notifikácie, keď inštalácia skončí úspešne", - "Show a notification when an operation fails": "Zobraziť oznámenie po zlyhaní operácie", - "Show a notification when an operation finishes successfully": "Zobraziť oznámenie po úspešnom dokončení operácie", - "Show a notification when there are available updates": "Zobraziť oznámenie, pokiaľ sú dostupné aktualizácie", - "Show a silent notification when an operation is running": "Zobraziť tiché oznámenia pri bežiacej operácii", "Show details": "Zobraziť podrobnosti", - "Show in explorer": "Zobraziť v prieskumníkovi", "Show info about the package on the Updates tab": "Zobraziť informácie o balíčku v záložke \"Aktualizácie\"", "Show missing translation strings": "Zobraziť chýbajúce preklady", - "Show notifications on different events": "Zobraziť oznámenia o rôznych udalostiach", "Show package details": "Zobraziť podrobnosti balíčku", - "Show package icons on package lists": "Zobraziť ikonky balíčkov na zozname balíčkov", - "Show similar packages": "Podobné balíčky", "Show the live output": "Zobraziť podrobný výpis", - "Size": "Veľkosť", "Skip": "Preskočiť", - "Skip hash check": "Preskočiť kontrolný súčet", - "Skip hash checks": "Preskočiť kontrolný súčet", - "Skip integrity checks": "Preskočiť kontrolu integrity", - "Skip minor updates for this package": "Preskočenie drobných aktualizácií tohoto balíčku", "Skip the hash check when installing the selected packages": "Preskočiť kontrolný súčet pri inštalácií vybraných balíčkov", "Skip the hash check when updating the selected packages": "Preskočiť kontrolný súčet pri aktualizácii vybraných balíčkov", - "Skip this version": "Preskočiť túto verziu", - "Software Updates": "Aktualizácie softvéru", - "Something went wrong": "Niečo sa pokazilo", - "Something went wrong while launching the updater.": "Pri spustení aktualizácie sa niečo pokazilo.", - "Source": "Zdroj", - "Source URL:": "URL zdroje:", - "Source added successfully": "Zdroj bol úspešne pridaný", "Source addition failed": "Pridane zdroja zlyhalo", - "Source name:": "Názov zdroja:", "Source removal failed": "Odobranie zdroja zlyhalo", - "Source removed successfully": "Zdroj bol úspešne odobraný", "Source:": "Zdroj:", - "Sources": "Zdroje", "Start": "Začať", "Starting daemons...": "Spúšťam daemons...", - "Starting operation...": "Spúštanie operácie...", "Startup options": "Voľby spustenia", "Status": "Stav", "Stuck here? Skip initialization": "Aplikácia sa zasekla? Preskočiť inicializáciu", - "Success!": "Úspech!", "Suport the developer": "Podporte vývojára", "Support me": "Podpor ma", "Support the developer": "Podpor vývojára", "Systems are now ready to go!": "Systémy sú pripravené", - "Telemetry": "Telemetria", - "Text": "Text", "Text file": "unigetui_log", - "Thank you ❤": "Ďakujem ❤", - "Thank you \uD83D\uDE09": "Ďakujem \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Správca balíčkov Rust.
Obsahuje: Knižnice a programy napísané v Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Záloha NEBUDE obsahovať binárne súbory ani uložené dáta programov.", - "The backup will be performed after login.": "Zálohovanie sa vykoná po prihlásení.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Záloha bude obsahovať kompletný zoznam nainštalovaných balíčkov a možnosti ich inštalácie. Uložené budú taktiež ignorované aktualizácie a preskočené verzie.", - "The bundle was created successfully on {0}": "Zväzok bol úspešne vytvorený do {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Zväzok, ktorý sa snažíte načítať, vyzerá byť neplatný. Skontrolujte prosím súbor a skúste to znovu.", + "Thank you 😉": "Ďakujem 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Kontrolný súčet inštalačného programu sa nezhoduje s očakávanou hodnotou a pravosť inštalačného programu nejde overiť. Pokiaľ vydavateľovi dôverujte, opätovná {0} balíčku preskočí kontrolný súčet.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasický správca balíčkov pre Windows. Nájdete v ňom všetko.
Obsahuje: Obecný softvér", - "The cloud backup completed successfully.": "Zálohovanie do cloudu bolo úspešne dokončené.", - "The cloud backup has been loaded successfully.": "Cloudová záloha bola úspešne načítaná.", - "The current bundle has no packages. Add some packages to get started": "Aktuálny zväzok neobsahuje žiadne balíčky. Pridajte nejaké balíčky", - "The executable file for {0} was not found": "Spustiteľný súbor pre {0} nebol nájdený", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Pri každej inštalácii, aktualizácii alebo odinštalácii balíčku {0} sa v predvolenom nastavení použijú nasledovné možnosti.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Nasledovné balíčky budú exportované do súboru JSON. Nebudú uložené žiadne používateľské dáta ani binárne súbory.", "The following packages are going to be installed on your system.": "Do systému budú nainštalované nasledovné balíčky.", - "The following settings may pose a security risk, hence they are disabled by default.": "Nasledovné nastavenia môžu predstavovať bezpečnostné riziko, preto sú v predvolenom nastavení zakázané.", - "The following settings will be applied each time this package is installed, updated or removed.": "Nasledovné nastavenia sa použijú pri každej inštalácii, aktualizácii alebo odobraní tohoto balíčku.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Nasledovné nastavenia sa použijú pri každej inštalácii, aktualizácii alebo odobraní tohoto balíčku. Uložia sa automaticky.", "The icons and screenshots are maintained by users like you!": "Ikonky a screenshoty sú udrživané používateľmi ako ste vy!", - "The installation script saved to {0}": "Inštalačný skript uložený do {0}", - "The installer authenticity could not be verified.": "Pravosť inštalačného programu nebolo možné overiť.", "The installer has an invalid checksum": "Inštalátor má neplatný kontrolný súčet", "The installer hash does not match the expected value.": "Hash inštalačného programu nezodpovedá očakávanej hodnote.", - "The local icon cache currently takes {0} MB": "Medzipamäť ikoniek aktuálne zaberá {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Hlavným cieľom tohoto projektu je vytvoriť intuitivné UI pre ovládanie najčastejšie používaných CLI správcov balíčkov pre Windows ako je Winget či Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Balíček \"{0}\" nebol nájdený v správcovi balíčkov \"{1}\"", - "The package bundle could not be created due to an error.": "Zväzok balíčkov sa nepodarilo vytvoriť z dôvodu chyby.", - "The package bundle is not valid": "Zväzok balíčkov nie je platný", - "The package manager \"{0}\" is disabled": "Správca balíčkov \"{0}\" je vypnutý", - "The package manager \"{0}\" was not found": "Správca balíčkov \"{0}\" sa nenašiel", "The package {0} from {1} was not found.": "Balíček {0} z {1} nebol nájdený.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Uvedené balíčky nebudú pri kontrole aktualizácií brané do úvahy. Dvakrát kliknite na ne alebo kliknite na tlačidlo vpravo, aby ste prestali ignorovať ich aktualizácie.", "The selected packages have been blacklisted": "Označené balíčky bolo zaradené do blacklistu", - "The settings will list, in their descriptions, the potential security issues they may have.": "V popise nastavení budú uvedené potenciálne bezpečnostné problémy, ktorú môžu mať.", - "The size of the backup is estimated to be less than 1MB.": "Veľkosť zálohy sa odhaduje na menej než 1 MB.", - "The source {source} was added to {manager} successfully": "Zdroj {source} bol úspešne pridaný do {manager}", - "The source {source} was removed from {manager} successfully": "Zdroj {source} bol úspešne odobraný z {manager}", - "The system tray icon must be enabled in order for notifications to work": "Aby oznámenia fungovali, musí byť povolená ikona v systémovej lište", - "The update process has been aborted.": "Aktualizačný proces bol prerušený.", - "The update process will start after closing UniGetUI": "Aktualizácie začne po zavrení UniGetUI", "The update will be installed upon closing WingetUI": "Aktualizácia bude nainštalovaná po zavretí UniGetUI", "The update will not continue.": "Aktualizácia nebude pokračovať", "The user has canceled {0}, that was a requirement for {1} to be run": "Používateľ zrušil {0}, čo bolo podmienkou pre spustenie {1}.", - "There are no new UniGetUI versions to be installed": "Neexistujú žiadne nové verzie UniGetUI, ktoré by bolo treba inštalovať", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Stále sa vykonávajú operácie. Ukočenie UniGetUI môže spôsobiť ich zlyhanie. Chcete aj napriek tomu pokračovať?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Na serveri YouTube je niekoľko videí, ktoré ukazujú UniGetUI a jeho možnosti. Môžete sa naučiť užitočné triky a tipy!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Existujú dva hlavné dôvody, prečo nespúšťať UniGetUI ako správca:\\n Prvý je ten, že správca balíčkov Scoop môže spôsobiť problémy s niektorými príkazmi, keď je spustený s právami správcu.\\n Druhým je, že spustenie WingetUI ako správca znamená, že akýkoľvek balíček ktorý stiahnete, bude spustený ako správca (a to nie je bezpečné).\\n Pamätajte, že pokiaľ potrebujete nainštalovať konkrétny balíček ako správca, môžete vždy kliknúť pravým tlačidlom na položku -> Inštalovať/Aktualizovať/Odinštalovať ako správca.", - "There is an error with the configuration of the package manager \"{0}\"": "Došlo k chybe v konfigurácii správcu balíčkov \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Práve prebieha inštalácia. Pokiaľ zavriete UniGetUI, inštalácia môže zlyhať a mať neočakávané následky. Naozaj chcete ukončiť UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Jedná sa o programy, ktoré majú na starosť inštaláciu, aktualizáciu a odoberanie balíčkov.", - "Third-party licenses": "Licencie tretích strán", "This could represent a security risk.": "Toto môže byť potenciálne bezpečnostné riziko.", - "This is not recommended.": "Toto sa neodporúča.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Toto je pravdepodobne spôsobené tým, že balíček, ktorý vám bol zaslaný, bol odstránený alebo zverejnený v správcovi balíčkov, ktorý nemáte povolený. Prijaté ID je {0}.", "This is the default choice.": "Toto je predvolená volba.", - "This may help if WinGet packages are not shown": "Toto môže pomôcť, keď sa WinGet balíčky nezobrazujú", - "This may help if no packages are listed": "Toto môže pomôcť, keď sa balíčky nezobrazujú", - "This may take a minute or two": "Môže to trvať minútu alebo dve.", - "This operation is running interactively.": "Táto operácia je spustená interaktívne.", - "This operation is running with administrator privileges.": "Táto operácia je spustená s oprávnením správcu.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Táto možnosť bude spôsobovať problémy. Akákoľvek operácia, ktorá sa nedokáže sama povýšiť, zlyhá. Inštalácia/aktualizácia/odinštalácia ako správca NEBUDE FUNGOVAŤ.\n", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Tento zväzok balíčkov obsahoval niektoré potenciálne nebezpečné nastavenia, ktoré môžu byť v predvolenom nastavení ignorované.", "This package can be updated": "Tento balíček môže byť aktualizovaný", "This package can be updated to version {0}": "Tento balíček môže byť aktualizovaný na verziu {0}", - "This package can be upgraded to version {0}": "Tento balíček môže byť aktualizovaný na verziu {0}", - "This package cannot be installed from an elevated context.": "Tento balíček nejde nainštalovať z kontextu vyššie.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Chýbajú tomuto balíčku snímky obrazovky alebo ikonka? Prispejte do UniGetUI pridaním chýbajúcich ikoniek a snímkov obrazovky do našej otvorenej, verejnej databázy.", - "This package is already installed": "Tento balíček už je nainštalovaný", - "This package is being processed": "Tento balíček sa spracováva", - "This package is not available": "Tento balíček je nedostupný", - "This package is on the queue": "Tento balíček je vo fronte", "This process is running with administrator privileges": "Tento proces je spustený s oprávnením správcu", - "This project has no connection with the official {0} project — it's completely unofficial.": "Tento projekt nemá žiadnu spojitosť s oficiálnym projektom {0} - je úplne neoficiálny.", "This setting is disabled": "Toto nastavenie je vypnuté", "This wizard will help you configure and customize WingetUI!": "Tento prievodca Vám pomôže s konfiguráciou a úpravou UniGetUI!", "Toggle search filters pane": "Prepne panel vyhľadávacích filtrov", - "Translators": "Prekladatelia", - "Try to kill the processes that refuse to close when requested to": "Pokúste sa ukončiť procesy, ktoré sa odmietajú zavrieť, keď to je požadované.", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Zapnutie tejto funkcie umožňuje zmeniť spustiteľný súbor používaný pre interakciu so správcami balíčkov. To síce umožňuje lepšie prispôsobenie inštalačných procesov, ale môže to byť nebezpečné.", "Type here the name and the URL of the source you want to add, separed by a space.": "Sem zadajte názov a adresu URL zdroja, ktorý chcete pridať, oddelené medzerou.", "Unable to find package": "Nejde nájsť balíček", "Unable to load informarion": "Nejde načítať informácie", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI zhromažďuje anonymné údaje o používaní za účelom zlepšenia používateľského komfortu.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI zhromažďuje anonymné údaje o používaní iba za účelom pochopenia a zlepšenia používateľských skúseností.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI zistil nový odkaz na ploche, ktorý môže byť automaticky odstránený.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI zistil nasledovné odkazy na ploche, ktoré je možné pri budúcich aktualizáciách automaticky odstrániť", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI zistil {0} nových zástupcov na ploche, ktoré je možné automaticky odstrániť.", - "UniGetUI is being updated...": "UniGetUI sa aktualizuje...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nesúvisí so žiadnym z kompatibilných správcov balíčkov. UniGetUI je nezávislý projekt.", - "UniGetUI on the background and system tray": "UniGetUI v pozadí a systémovej lište", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI alebo niektorý z jeho komponentov chýbajú alebo sú poškodené.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI vyžaduje pre svoju činnosť {0}, ale vo vašom systéme nebol nájdený.", - "UniGetUI startup page:": "Pri spustení UniGetUI zobraziť:", - "UniGetUI updater": "Aktualizácia UniGetUI", - "UniGetUI version {0} is being downloaded.": "Sťahuje sa verzia UniGetUI {0}", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je pripravený k inštalácii.", - "Uninstall": "Odinštalovať", - "Uninstall Scoop (and its packages)": "Odinštalovať Scoop (a jeho balíčky)", "Uninstall and more": "Odinštalácia a ďalšie", - "Uninstall and remove data": "Odinštalovať a odstrániť dáta", - "Uninstall as administrator": "Odinštalovať ako správca", "Uninstall canceled by the user!": "Odinštalácia bola prerušená používateľom!", - "Uninstall failed": "Odinštalácia zlyhala", - "Uninstall options": "Možnosti odinštalácie", - "Uninstall package": "Odinštalovať balíček", - "Uninstall package, then reinstall it": "Odinštalovať balíček a potom znovu nainštalovať", - "Uninstall package, then update it": "Odinštalovať balíček a potom ho aktualizovať", - "Uninstall previous versions when updated": "Odinštalovať predchádzajúcu verziu po aktualizácii", - "Uninstall selected packages": "Odinštalovať vybrané balíčky", - "Uninstall selection": "Odinštalovať vybrané", - "Uninstall succeeded": "Úspešne odinštalované", "Uninstall the selected packages with administrator privileges": "Odinštalovať vybrané balíčkcy, s oprávnením správcu", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Odinštaľovateľné balíčky s pôvodom uvedeným ako \"{0}\" nie sú zverejnené v žiadnom správcovi balíčkov, takže o nich nie sú k dispozícií žiadne informácie.", - "Unknown": "Neznáme", - "Unknown size": "Neznáma veľkosť", - "Unset or unknown": "Nenastavené alebo neznáme", - "Up to date": "Aktuálne", - "Update": "Aktualizovať", - "Update WingetUI automatically": "Automaticky aktualizovať UniGetUI", - "Update all": "Aktualizovať všetko", "Update and more": "Aktualizácie a ďalšie", - "Update as administrator": "Aktualizovať ako správca", - "Update check frequency, automatically install updates, etc.": "Frekvencia kontroly aktualizácií, automatická inštalácia aktualizácií, atď.", - "Update checking": "Kontrola aktualizácií", "Update date": "Aktualizované", - "Update failed": "Aktualizácia zlyhala", "Update found!": "Nenájdená aktualizácia!", - "Update now": "Aktualizovať teraz", - "Update options": "Možnosti aktualizácie", "Update package indexes on launch": "Aktualizovať indexy balíčkov pri spustení", "Update packages automatically": "Automaticky aktualizovať balíčky", "Update selected packages": "Aktualizovať vybrané balíčky", "Update selected packages with administrator privileges": "Aktualizovať vybrané balíčky s oprávnením správcu", - "Update selection": "Aktualizovať vybrané", - "Update succeeded": "Úspešne aktualizované", - "Update to version {0}": "Aktualizovať na verziu {0}", - "Update to {0} available": "Je dostupná aktualizácia na {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Automatická aktualizácia vcpkg Git portfiles (vyžaduje nainštalovaný Git)", "Updates": "Aktualizácie", "Updates available!": "Dostupné aktualizácie!", - "Updates for this package are ignored": "Aktualizácie tohoto balíčka sú ignorované", - "Updates found!": "Nájdené aktualizácie!", "Updates preferences": "Predvoľby aktualizácií", "Updating WingetUI": "Aktualizácia UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Použiť pribalený starší WinGet namiesto PowerShell cmdlets", - "Use a custom icon and screenshot database URL": "Použiť vlastnú URL databázu pre ikonky a screenshoty", "Use bundled WinGet instead of PowerShell CMDlets": "Použiť pribalený WinGet namiesto PowerShell cmdlets", - "Use bundled WinGet instead of system WinGet": "Použiť pribalený WinGet namiesto systémového WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Použiť nainštalovaný GSudo namiesto UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Použiť nainštalovaný GSudo namiesto pribaleného (vyžaduje sa reštart aplikácie)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Použiť staršiu verziu UniGetUI Elevator (môže byť užitočné v prípade problémov s UniGetUI Elevator)", - "Use system Chocolatey": "Použiť systémový Chocolatey", "Use system Chocolatey (Needs a restart)": "Použiť systémový Chocolatey (vyžaduje sa reštart aplikácie)", "Use system Winget (Needs a restart)": "Použiť systémový Winget (vyžaduje sa reštart aplikácie)", "Use system Winget (System language must be set to english)": "Použiť systémový Winget (Systémový jazyk musí byť nastavený na angličtinu)", "Use the WinGet COM API to fetch packages": "Použiť WinGet COM API pre získanie balíčkov", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Použiť WinGet PowerShell modul namiesto Winget COM API", - "Useful links": "Užitočné odkazy", "User": "Používateľ", - "User interface preferences": "Vlastnosti používateľského rozhrania", "User | Local": "Používateľ | Lokálne", - "Username": "Používateľské meno", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Používanie UniGetUI znamená súhlas s licenciou GNU Lesser General Public License v2.1.", - "Using WingetUI implies the acceptation of the MIT License": "Používanie UniGetUI znamená súhlas s licenciou MIT.", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg nebol nájdený. Definujte prosím premennú prostredia %VCPKG_ROOT% alebo ju definujte v nastaveniach UniGetUI.", "Vcpkg was not found on your system.": "Vcpkg nebol vo vašom systéme nájdený.", - "Verbose": "Podrobný výstup", - "Version": "Verzia", - "Version to install:": "Verzia:", - "Version:": "Verzia:", - "View GitHub Profile": "Zobraziť GitHub profil", "View WingetUI on GitHub": "Pozrite si UniGetUI na GitHub-e", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Zobraziť zdrojový kód UniGetUI. Odtiaľ môžete hlásiť chyby, navrhovať funkcie alebo dokonca prispievať do projektu UniGetUI.", - "View mode:": "Zobraziť ako:", - "View on UniGetUI": "Zobraziť v UniGetUI", - "View page on browser": "Zobraziť stránku v prehliadači", - "View {0} logs": "Zobraziť {0} protokolov", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Pred vykonávaním úloh, ktoré vyžadujú pripojenie k internetu, počkajte, až bude zariadenie pripojené k internetu.", "Waiting for other installations to finish...": "Čakám na dokončenie ostatných inštalácií...", "Waiting for {0} to complete...": "Čakanie na dokončenie {0}...", - "Warning": "Upozornenie", - "Warning!": "Varovanie!", - "We are checking for updates.": "Kontrolujeme aktualizácie.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Podrobné informácie o tomto balíčku sa nám nepodarilo načítať, pretože nebol nájdený v žiadnom z vašich zdrojov balíčkov.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Podrobné informácie o tomto balíčku sa nám nepodarilo načítať, pretože nebol nainštalovaný z dostupného správcu balíčkov.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nemohli sme {action} {package}. Skúste to prosím neskôr. Kliknutím na \"{showDetails}\" získate protokoly z inštalačného programu.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nemohli sme {action} {package}. Skúste to prosím neskôr. Kliknutím na \\\"{showDetails}\\\" získate protokoly z odinštalačného programu.", "We couldn't find any package": "Nemohli sme nájsť žiadne balíčky", "Welcome to WingetUI": "Vitajte v UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Pri dávkovej inštalácii balíčkov zo zväzku nainštalovať aj balíčky, ktoré už sú nainštalované.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Keď sú detekované nové odkazy, automaticky ich zmazať, namiesto aby sa zobrazovalo toto dialógové okno.", - "Which backup do you want to open?": "Ktorú zálohu chcete otvoriť?", "Which package managers do you want to use?": "Ktorého správcu balíčkov chcete používať?", "Which source do you want to add?": "Ktorý zdroj chcete pridať?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Zatiaľ čo Winget je možné používať v rámci UniGetUI, UniGetUI je možné používať aj s inými správcami balíčkov, čo môže byť mätúce. V minulosti bol WinGetUI navrhnutý tak, aby pracoval iba s Winget-om, ale to už neplatí, a preto WinGetUI nepredstavuje to, čím sa tento projekt chce stať.", - "WinGet could not be repaired": "WinGet sa nepodarilo opraviť", - "WinGet malfunction detected": "Zistená porucha WinGet", - "WinGet was repaired successfully": "WinGet bol úspešne opravený", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - všetko je aktuálne", "WingetUI - {0} updates are available": "UniGetUI - dostupné aktualizácie: {0}", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Domovská stránka UniGetUI", "WingetUI Homepage - Share this link!": "Domovská stránka UniGetUI - Zdieľaj tento odkaz!", - "WingetUI License": "UniGetUI licencia", - "WingetUI Log": "UniGetUI protokol", - "WingetUI Repository": "UniGetUI repozitár", - "WingetUI Settings": "Nastavenia UniGetUI", "WingetUI Settings File": "Súbor nastavení UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI používa nasledovné knižnice. Bez nich by UniGetUI nebol možný.", - "WingetUI Version {0}": "UniGetUI verzie {0}", "WingetUI autostart behaviour, application launch settings": "Chovanie automatického spustenia UniGetUI a nastavenia spúštania aplikácií", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI môže skontrolovať, či má váš softvér dostupné aktualizácie, a podľa potreby ich automaticky nainštalovať.", - "WingetUI display language:": "Jazyk UniGetUI", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI bol spúšťaný ako správca, čo sa neodporúča. Pokiaľ je WingetUI spustený ako správca, bude mať KAŽDÁ operácia spustená z WingetUI práva správcu. Program môžete používať aj naďalej, ale dôrazne neodporúčame spúšťať WingetUI s právami správcu.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI bol vďaka dobrovoľným prekladateľom preložený do viac než 40 jazykov. Ďakujeme \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI nebolo strojovo preložené. Nasledovní používatelia mali na starosti preklad:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI je aplikácia, ktorá uľahčuje správu vášho softvéru tak, že poskytuje grafické rozhranie pre vašich správcov balíčkov príkazového riadku.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI sa premenováva, aby sa zdôraznil rozdiel medzi WingetUI (rozhranie ktoré používate teraz) a Winget (správca balíčkov vyvinutý spoločnosťou Microsoft, s ktorými nie som nijako spojený).", "WingetUI is being updated. When finished, WingetUI will restart itself": "Prebieha aktualizácia UniGetUI, akonáhle bude dokončená, aplikácia sa reštrtuje", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI je zdarma vždy bude. Žiadne reklamy, žiadna kreditná karta, žiadna prémium verzia. 100% zdarma, navždy.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI zobrazí dialóg \"Riadenie používateľských účtov\" zakaždým, keď si ho balíček vyžiada.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI sa bude čoskoro volať {newname}. To nebude predstavovať žiadnu zmenu v aplikácii. Ja (vývojár) budem pokračovať vo vývoji tohoto projektu rovnako ako doteraz, ale pod iným názvom.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI by nemohol nikdy vzniknúť bez podpory našich drahých prispievateľov. Pozrite na ich GitHub profily, UniGetUI by bez nich nikdy nevznikol!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI by nebolo možné vytvoriť bez pomoci prispievateľov. Ďakujem Vám všetkým \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} je pripravený k inštalácii.", - "Write here the process names here, separated by commas (,)": "Sem napíšte názvy procesov oddelené čiarkami (,).", - "Yes": "Áno", - "You are logged in as {0} (@{1})": "ste prihlásený ako {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Toto chovanie môžete zmeniť v nastavení zabezpečení UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Môžete definovať príkazy, ktoré budú spustené pred alebo po inštalácii, aktualizácii alebo odinštalácii tohoto balíčku. Budú spustené v príkazovom riadku, takže tu budú fungovať skripty CMD.", - "You have currently version {0} installed": "Aktuálne máte nainštalovanú verziu {0}", - "You have installed WingetUI Version {0}": "Je nainštalovaný UniGetUI verzie {0}", - "You may lose unsaved data": "Môže nastať strata neuložených dát.", - "You may need to install {pm} in order to use it with WingetUI.": "Môže byť nutné nainštalovať {pm} pre použitie s UniGetUI.", "You may restart your computer later if you wish": "Pokiaľ chcete, môžete počítač reštartovať neskôr", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Budete vyzvaní iba raz a oprávnenia správcu budú udelené iba balíčkom, ktoré o ne požiadajú.", "You will be prompted only once, and every future installation will be elevated automatically.": "Budete vyzvaní iba raz a každá ďalšia inštalácia bude automaticky spustená s opráveniami správcu.", - "You will likely need to interact with the installer.": "Pravdepodobne budete musieť s inštalátorom interagovať.", - "[RAN AS ADMINISTRATOR]": "[SPUSTENÉ AKO SPRÁVCA]", "buy me a coffee": "kúpiť kávu", - "extracted": "extrahované", - "feature": "funkcia", "formerly WingetUI": "kedysi WingetUI", "homepage": "domovská stránka", "install": "inštalovať", "installation": "inštalácia", - "installed": "nainštalované", - "installing": "inštalujem", - "library": "knižnica", - "mandatory": "povinné", - "option": "možnosť", - "optional": "voliteľné", "uninstall": "odinštalovať", "uninstallation": "odinštalácia", "uninstalled": "odinštalované", - "uninstalling": "odinštalujem", "update(noun)": "aktualizácia", "update(verb)": "aktualizovať", "updated": "aktualizované", - "updating": "aktualizujem", - "version {0}": "verzia {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} možnosti inštalácie sú v súčasnej dobe uzamknuté, pretože {0} sa riadi predvolenými možnosťami inštalácie.", "{0} Uninstallation": "Odinštalácia {0}", "{0} aborted": "{0} zlyhala", "{0} can be updated": "{0} môže byť aktualizované", - "{0} can be updated to version {1}": "{0} môže byť aktualizované na verziu {1}", - "{0} days": "{0} dní", - "{0} desktop shortcuts created": "{0} vytvorených odkazov na ploche", "{0} failed": "{0} zlyhala", - "{0} has been installed successfully.": "{0} bol úspešne nainštalovaný", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} bolo úspešne nainštalované. Je odporúčané reštartovať UniGetUI pre dokončenie inštalácie.", "{0} has failed, that was a requirement for {1} to be run": "{0} zlyhalo, čo bolo podmienkou pre spustenie {1}", - "{0} homepage": "{0} domovská stránka", - "{0} hours": "{0} hodin", "{0} installation": "Inštalácia {0}", - "{0} installation options": "{0} možnosti inštalácie", - "{0} installer is being downloaded": "Sťahuje sa inštalačný program {0}", - "{0} is being installed": "{0} sa inštaluje", - "{0} is being uninstalled": "{0} sa odinštaluje", "{0} is being updated": "{0} sa aktualizuje", - "{0} is being updated to version {1}": "{0} sa aktualizuje na verziu {1}", - "{0} is disabled": "{0} je vypnuté", - "{0} minutes": "{0} minút", "{0} months": "{0} mesiacov", - "{0} packages are being updated": "{0} balíčkov sa aktualizuje", - "{0} packages can be updated": "{0} sa môže aktualizovať", "{0} packages found": "Nájdených {0} balíčkov", "{0} packages were found": "{0} balíčkov bolo nájdených", - "{0} packages were found, {1} of which match the specified filters.": "Bolo nájdených {0} balíčkov, z ktorých {1} vyhovuje zadaným filtrom.", - "{0} selected": "{0} vybraných", - "{0} settings": "{0} nastavenia", - "{0} status": "{0} stav", "{0} succeeded": "{0} úspešné", "{0} update": "Aktualizácie {0}", - "{0} updates are available": "Je dostupných {0} aktualizácií.", "{0} was {1} successfully!": "{0} bolo úspešne {1}!", "{0} weeks": "{0} týždňov", "{0} years": "{0} rokov", "{0} {1} failed": "{0} {1} zlyhalo", - "{package} Installation": "Inštalácia {package}", - "{package} Uninstall": "Odinštalácia {package}", - "{package} Update": "Aktualizácia {package}", - "{package} could not be installed": "{package} nemohol byť nainštalovaný", - "{package} could not be uninstalled": "{package} nemohol byť odinštalovaný", - "{package} could not be updated": "{package} nemohol byť aktualizovaný", "{package} installation failed": "Inštalácia {package} zlyhala", - "{package} installer could not be downloaded": "Inštalačný program {package} sa nepodarilo stiahnuť", - "{package} installer download": "Stiahnuť inštalačný program {package}", - "{package} installer was downloaded successfully": "Inštalačný program {package} bol úspešne stiahnutý", "{package} uninstall failed": "Odinštalácia {package} zlyhala", "{package} update failed": "Aktualizácia {package} zlyhala", "{package} update failed. Click here for more details.": "Aktualizácia {package} zlyhala. Kliknite sem pre viac podrobností.", - "{package} was installed successfully": "{package} bol úspešne nainštalovaný", - "{package} was uninstalled successfully": "{package} bol úspešne odinštalovaný", - "{package} was updated successfully": "{package} bol úspešne aktualizovaný", - "{pcName} installed packages": "{pcName} nainštalované balíčky", "{pm} could not be found": "{pm} sa nepodarilo nájsť", "{pm} found: {state}": "{pm} nájdený: {state}", - "{pm} is disabled": "{pm} je vypnutý", - "{pm} is enabled and ready to go": "{pm} je povolený a pripravený k použitiu", "{pm} package manager specific preferences": "Špecifické vlastnosti správcu balíčkov {pm}", "{pm} preferences": "Vlastnosti {pm}", - "{pm} version:": "{pm} verzia:", - "{pm} was not found!": "{pm} nebol nájdený!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Ahoj, volám sa Martí a som vývojár UniGetUI. Aplikácia UniGetUI bola celá vytvorená v mojom voľnom čase!", + "Thank you ❤": "Ďakujem ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Tento projekt nemá žiadnu spojitosť s oficiálnym projektom {0} - je úplne neoficiálny." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sl.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sl.json index 5fe65268e9..11195f6c92 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sl.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sl.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operacija v teku", + "Please wait...": "Prosim počakajte...", + "Success!": "Uspeh!", + "Failed": "Ni uspelo", + "An error occurred while processing this package": "Med obdelavo tega paketa je prišlo do napake", + "Log in to enable cloud backup": "Prijavite se, da omogočite varnostno kopiranje v oblaku", + "Backup Failed": "Varnostno kopiranje ni uspelo", + "Downloading backup...": "Prenašanje varnostne kopije...", + "An update was found!": "Najdena je bila posodobitev!", + "{0} can be updated to version {1}": "{0} je mogoče posodobiti na različico {1}", + "Updates found!": "Najdene posodobitve!", + "{0} packages can be updated": "{0} paketov lahko posodobite", + "You have currently version {0} installed": "Trenutno imate nameščeno različico {0}", + "Desktop shortcut created": "Bližnjica na namizju je ustvarjena", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI je zaznal novo bližnjico na namizju, ki jo je mogoče samodejno izbrisati.", + "{0} desktop shortcuts created": "{0} ustvarjenih bližnjic na namizju", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI je zaznal {0} novih bližnjic na namizju, ki jih je mogoče samodejno izbrisati.", + "Are you sure?": "Ali ste prepričani?", + "Do you really want to uninstall {0}?": "Ali zares želite odstraniti {0}?", + "Do you really want to uninstall the following {0} packages?": "Ali res želite odstraniti naslednje pakete {0}?", + "No": "Ne", + "Yes": "Da", + "View on UniGetUI": "Ogled v UniGetUI", + "Update": "Posodobi", + "Open UniGetUI": "Odprite UniGetUI", + "Update all": "Posodobi vse", + "Update now": "Posodobi zdaj", + "This package is on the queue": "Ta paket je v čakalni vrsti", + "installing": "nameščam", + "updating": "posodabljanje", + "uninstalling": "odstranjujem", + "installed": "nameščeno", + "Retry": "Poskusite znova", + "Install": "Namesti", + "Uninstall": "Odstrani", + "Open": "Odpri", + "Operation profile:": "Profil operacije:", + "Follow the default options when installing, upgrading or uninstalling this package": "Pri nameščanju, nadgrajevanju ali odstranjevanju tega paketa upoštevaj privzete možnosti", + "The following settings will be applied each time this package is installed, updated or removed.": "Naslednje nastavitve bodo uporabljene vsakič, ko bo ta paket nameščen, posodobljen ali odstranjen.", + "Version to install:": "Verzija za namestitev:", + "Architecture to install:": "Arhitektura za namestitev:", + "Installation scope:": "Obseg namestitve:", + "Install location:": "Lokacija namestitve:", + "Select": "Izberi", + "Reset": "Ponastavi", + "Custom install arguments:": "Argumenti namestitve po meri:", + "Custom update arguments:": "Argumenti posodobitve po meri:", + "Custom uninstall arguments:": "Argumenti odstranitve po meri:", + "Pre-install command:": "Ukaz pred namestitvijo:", + "Post-install command:": "Ukaz po namestitvi:", + "Abort install if pre-install command fails": "Prekini namestitev, če ukaz za prednamestitev ne uspe", + "Pre-update command:": "Ukaz pred posodobitvijo:", + "Post-update command:": "Ukaz po posodobitvi:", + "Abort update if pre-update command fails": "Prekini posodobitev, če ukaz pred posodobitvijo ne uspe", + "Pre-uninstall command:": "Ukaz pred odstranitvijo:", + "Post-uninstall command:": "Ukaz po odstranitvi:", + "Abort uninstall if pre-uninstall command fails": "Prekini odstranitev, če ukaz pred odstranitvo ne uspe", + "Command-line to run:": "Ukazna vrstica za izvedbo:", + "Save and close": "Shrani in zapri", + "Run as admin": "Zaženi kot skrbnik", + "Interactive installation": "Interaktivna namestitev", + "Skip hash check": "Preskoči preverjanje zgoščevanja", + "Uninstall previous versions when updated": "Ob posodobitvi odstrani prejšnje različice", + "Skip minor updates for this package": "Preskoči manjše posodobitve za ta paket", + "Automatically update this package": "Ta paket posodobi samodejno", + "{0} installation options": "Možnosti namestitve {0}", + "Latest": "Zadnje", + "PreRelease": "Predizdaja", + "Default": "Privzeto", + "Manage ignored updates": "Upravljanje prezrtih posodobitev", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Tukaj navedeni paketi ne bodo upoštevani pri preverjanju posodobitev. Dvokliknite jih ali kliknite gumb na njihovi desni, če želite prenehati ignorirati njihove posodobitve.", + "Reset list": "Ponastavi seznam", + "Package Name": "Naziv paketa", + "Package ID": "ID paketa", + "Ignored version": "Prezrte različice", + "New version": "Nova različica", + "Source": "Vir", + "All versions": "Vse različice", + "Unknown": "Neznano", + "Up to date": "Ažurno", + "Cancel": "Prekliči", + "Administrator privileges": "Skrbniške pravice", + "This operation is running with administrator privileges.": "Ta operacija se izvaja s skrbniškimi pravicami.", + "Interactive operation": "Interaktivna operacija", + "This operation is running interactively.": "Ta operacija se izvaja interaktivno.", + "You will likely need to interact with the installer.": "Verjetno boste morali sodelovati z namestitvenim programom.", + "Integrity checks skipped": "Preverjanje integritete preskočeno", + "Proceed at your own risk.": "Nadaljujte na lastno odgovornost.", + "Close": "Zapri", + "Loading...": "Nalagam...", + "Installer SHA256": "Namestitveni program SHA256", + "Homepage": "Domača stran", + "Author": "Avtor", + "Publisher": "Založnik", + "License": "Licenca", + "Manifest": "Datoteka manifesta", + "Installer Type": "Namestitveni program tip", + "Size": "Velikost", + "Installer URL": "Namestitveni program URL", + "Last updated:": "Zadnja posodobitev:", + "Release notes URL": "URL opomb ob izdaji", + "Package details": "Podrobnosti paketa", + "Dependencies:": "Odvisnosti:", + "Release notes": "Opombe ob izdaji", + "Version": "Različica", + "Install as administrator": "Namesti kot skrbnik", + "Update to version {0}": "Posodobite na različico {0}", + "Installed Version": "Nameščena različica", + "Update as administrator": "Posodobi kot skrbnik", + "Interactive update": "Interaktivna posodobitev", + "Uninstall as administrator": "Odstrani kot skrbnik", + "Interactive uninstall": "Interaktivna odstranitev", + "Uninstall and remove data": "Odmestite in odstranite podatke", + "Not available": "Ni na voljo", + "Installer SHA512": "SHA512 namestitvenega programa", + "Unknown size": "Neznana velikost", + "No dependencies specified": "Ni določenih odvisnosti", + "mandatory": "obvezno", + "optional": "neobvezno", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je pripravljen za namestitev.", + "The update process will start after closing UniGetUI": "Postopek posodabljanja se bo začel po zaprtju UniGetUI", + "Share anonymous usage data": "Deli anonimne podatke o uporabi", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI zbira anonimne podatke o uporabi z namenom izboljšanja uporabniške izkušnje.", + "Accept": "Potrdi", + "You have installed WingetUI Version {0}": "Namestili ste različico WingetUI {0}", + "Disclaimer": "Izjava o omejitvi odgovornosti", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ni povezan z nobenim od združljivih upravljalnikov paketov. UniGetUI je neodvisen projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ne bi bil mogoč brez pomoči sodelavcev. Hvala vsem 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI uporablja naslednje knjižnice. Brez njih UniGetUI ne bi bil mogoč.", + "{0} homepage": "{0} domača stran", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI je bil zahvaljujoč prostovoljnim prevajalcem preveden v več kot 40 jezikov. Hvala 🤝", + "Verbose": "Podrobno", + "1 - Errors": "1 - Napake", + "2 - Warnings": "2 - Opozorila", + "3 - Information (less)": "3 - Informacije (manj)", + "4 - Information (more)": "4 - Informacije (več)", + "5 - information (debug)": "5 - Informacije (razhroščevanje)", + "Warning": "Opozorilo", + "The following settings may pose a security risk, hence they are disabled by default.": "Naslednje nastavitve lahko predstavljajo varnostno tveganje, zato so privzeto onemogočene.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Spodnje nastavitve omogočite le, če popolnoma razumete, kaj počnejo, ter kakšne posledice imajo lahko.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Nastavitve bodo v svojih opisih navajale morebitna varnostna tveganja, ki jih lahko prinašajo.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Varnostna kopija bo vsebovala celoten seznam nameščenih paketov in možnosti njihove namestitve. Shranjene bodo tudi prezrte posodobitve in preskočene različice.", + "The backup will NOT include any binary file nor any program's saved data.": "Varnostna kopija NE bo vključevala nobene binarne datoteke ali shranjenih podatkov katerega koli programa.", + "The size of the backup is estimated to be less than 1MB.": "Velikost varnostne kopije je ocenjena na manj kot 1 MB.", + "The backup will be performed after login.": "Varnostno kopiranje bo izvedeno po prijavi.", + "{pcName} installed packages": "{pcName} nameščenih paketov", + "Current status: Not logged in": "Trenutno stanje: Niste prijavljeni", + "You are logged in as {0} (@{1})": "Prijavljeni ste kot {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Odlično! Varnostne kopije bodo naložene v zasebni gist v vašem računu", + "Select backup": "Izberite varnostno kopijo", + "WingetUI Settings": "WingetUI nastavitve", + "Allow pre-release versions": "Dovoli predizdajne različice", + "Apply": "Uporabi", + "Go to UniGetUI security settings": "Pojdi v varnostne nastavitve UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Naslednje možnosti bodo privzeto uporabljene vsakič, ko bo paket {0} nameščen, nadgrajen ali odstranjen.", + "Package's default": "Privzeto za paket", + "Install location can't be changed for {0} packages": "Mesta namestitve za pakete {0} ni mogoče spremeniti", + "The local icon cache currently takes {0} MB": "Lokalni predpomnilnik ikon trenutno zaseda {0} MB", + "Username": "Uporabniško ime", + "Password": "Geslo", + "Credentials": "Poverilnice", + "Partially": "Delno", + "Package manager": "Upravljalnik paketov", + "Compatible with proxy": "Združljivo s posredniškim strežnikom", + "Compatible with authentication": "Združljivo z overjanjem", + "Proxy compatibility table": "Tabela združljivosti posredniškega strežnika", + "{0} settings": "Nastavitve za {0}", + "{0} status": "Stanje {0}", + "Default installation options for {0} packages": "Privzete možnosti namestitve za pakete {0}", + "Expand version": "Razširite različico", + "The executable file for {0} was not found": "Izvršljiva datoteka za {0} ni bila najdena", + "{pm} is disabled": "{pm} je onemogočen", + "Enable it to install packages from {pm}.": "Omogočite ga za namestitev paketov iz {pm}.", + "{pm} is enabled and ready to go": "{pm} je omogočen in pripravljen za uporabo", + "{pm} version:": "{pm} različica:", + "{pm} was not found!": "{pm} ni bilo mogoče najti!", + "You may need to install {pm} in order to use it with WingetUI.": "Morda boste morali namestiti {pm}, če ga želite uporabljati z WingetUI.", + "Scoop Installer - WingetUI": "Scoop Installer - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop Uninstaller - WingetUI", + "Clearing Scoop cache - WingetUI": "Čiščenje predpomnilnika Scoop - WingetUI", + "Restart UniGetUI": "Ponovni zagon UniGetUI", + "Manage {0} sources": "Upravljaj {0} virov", + "Add source": "Dodaj vir", + "Add": "Dodaj", + "Other": "Ostalo", + "1 day": "1 dan", + "{0} days": "{0} dni", + "{0} minutes": "{0} minut", + "1 hour": "1 uro", + "{0} hours": "{0} ur", + "1 week": "1 teden", + "WingetUI Version {0}": "WingetUI različica {0}", + "Search for packages": "Išči za pakete", + "Local": "Lokalno", + "OK": "V redu", + "{0} packages were found, {1} of which match the specified filters.": "Najdenih je bilo {0} paketov, od katerih se {1} ujema z navedenimi filtri.", + "{0} selected": "{0} izbranih", + "(Last checked: {0})": "(Nazadnje preverjeno: {0})", + "Enabled": "Omogočeno", + "Disabled": "Onemogočeno", + "More info": "Več informacij", + "Log in with GitHub to enable cloud package backup.": "Za omogočanje varnostnega kopiranja paketov v oblaku se prijavite z GitHub.", + "More details": "Več podrobnosti", + "Log in": "Prijava", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Če imate omogočeno varnostno kopiranje v oblaku, bo shranjeno kot GitHub Gist v tem računu", + "Log out": "Odjava", + "About": "O nas", + "Third-party licenses": "Licence tretjih oseb", + "Contributors": "Sodelujoči", + "Translators": "Prevajalci", + "Manage shortcuts": "Upravljanje bližnjic", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI je zaznal naslednje bližnjice, ki jih je mogoče samodejno odstraniti ob prihodnjih nadgradnjah", + "Do you really want to reset this list? This action cannot be reverted.": "Ali res želite ponastaviti ta seznam? Tega dejanja ni mogoče razveljaviti.", + "Remove from list": "Odstrani iz seznama", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Ko so zaznane nove bližnjice, jih samodejno izbriši brez prikaza tega pogovornega okna.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI zbira anonimne podatke izključno za razumevanje in izboljšanje uporabniške izkušnje.", + "More details about the shared data and how it will be processed": "Več podrobnosti o deljenih podatkih in njihovi obdelavi", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Ali soglašate, da UniGetUI zbira in pošilja anonimne statistike uporabe izključno z namenom izboljšanja uporabniške izkušnje?", + "Decline": "Zavrni", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Osebni podatki se ne zbirajo niti pošiljajo, zbrani podatki so anonimizirani in jih ni mogoče povezati z vami.", + "About WingetUI": "O WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI je aplikacija, ki poenostavi upravljanje vaše programske opreme z zagotavljanjem grafičnega vmesnika vse v enem za vaše upravitelje paketov v ukazni vrstici.", + "Useful links": "Uporabne povezave", + "Report an issue or submit a feature request": "Prijavite težavo ali oddajte zahtevo po novi funkciji", + "View GitHub Profile": "Ogled profila GitHub", + "WingetUI License": "Licenca WingetUI", + "Using WingetUI implies the acceptation of the MIT License": "Z uporabo WingetUI se strinjate z MIT licenco", + "Become a translator": "Postanite prevajalec", + "View page on browser": "Oglej si stran v brskalniku", + "Copy to clipboard": "Kopiraj v odložišče", + "Export to a file": "Izvozi v datoteko", + "Log level:": "Nivo logiranja:", + "Reload log": "Osveži dnevnik", + "Text": "Besedilo", + "Change how operations request administrator rights": "Spremenite način zahtevanja skrbniških pravic za operacije", + "Restrictions on package operations": "Omejitve paketnih operacij", + "Restrictions on package managers": "Omejitve upraviteljev paketov", + "Restrictions when importing package bundles": "Omejitve pri uvažanju svežnjev paketov", + "Ask for administrator privileges once for each batch of operations": "Enkrat zahtevajte skrbniške pravice za vsak sklop operacij", + "Ask only once for administrator privileges": "Za skrbniške pravice vprašaj samo enkrat", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prepovej kakršnokoli povišanje pravic prek UniGetUI Elevator ali GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ta možnost BO povzročila težave. Vsaka operacija, ki se ne more sama povišati, BO SPODLETELA. Namestitev, posodobitev ali odstranitev kot skrbnik NE BO delovala.", + "Allow custom command-line arguments": "Dovoli argumente ukazne vrstice po meri", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumenti ukazne vrstice po meri lahko spremenijo način nameščanja, nadgrajevanja ali odstranjevanja programov na način, ki ga UniGetUI ne more nadzorovati. Uporaba ukaznih vrstic po meri lahko pokvari pakete. Nadaljujte previdno.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Dovoli izvajanje ukazov po meri pred namestitvijo in po njej", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Ukazi pred namestitvijo in po njej se bodo zagnali pred in po namestitvi, nadgradnji ali odstranitvi paketa. Upoštevajte, da lahko povzročijo težave, če jih ne uporabljate previdno", + "Allow changing the paths for package manager executables": "Dovoli spreminjanje poti za izvedljive datoteke upravitelja paketov", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Vklop te možnosti omogoča spreminjanje izvršljive datoteke, ki se uporablja za delo z upravitelji paketov. Čeprav to omogoča natančnejše prilagajanje postopkov namestitve, je lahko tudi nevarno", + "Allow importing custom command-line arguments when importing packages from a bundle": "Dovoli uvoz argumentov ukazne vrstice po meri pri uvozu paketov iz svežnja", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Napačno oblikovani argumenti ukazne vrstice lahko pokvarijo pakete ali celo omogočijo zlonamernemu akterju pridobitev povišanih pravic. Zato je uvoz argumentov ukazne vrstice po meri privzeto onemogočen.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Dovoli uvoz ukazov po meri pred namestitvijo in po njej pri uvozu paketov iz svežnja", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Ukazi pred namestitvijo in po njej lahko vaši napravi storijo zelo škodljive stvari, če so za to zasnovani. Uvoz teh ukazov iz svežnja je lahko zelo nevaren, razen če zaupate viru tega svežnja paketov", + "Administrator rights and other dangerous settings": "Skrbniške pravice in druge nevarne nastavitve", + "Package backup": "Varnostna kopija paketa", + "Cloud package backup": "Varnostno kopiranje paketov v oblaku", + "Local package backup": "Lokalno varnostno kopiranje paketov", + "Local backup advanced options": "Napredne možnosti lokalnega varnostnega kopiranja", + "Log in with GitHub": "Prijava z GitHub", + "Log out from GitHub": "Odjava iz GitHub", + "Periodically perform a cloud backup of the installed packages": "Redno izvajaj varnostno kopiranje nameščenih paketov v oblaku", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Varnostno kopiranje v oblaku uporablja zasebni GitHub Gist za shranjevanje seznama nameščenih paketov", + "Perform a cloud backup now": "Izvedi varnostno kopiranje v oblaku zdaj", + "Backup": "Varnostna kopija", + "Restore a backup from the cloud": "Obnovi varnostno kopijo iz oblaka", + "Begin the process to select a cloud backup and review which packages to restore": "Začni postopek izbire varnostne kopije v oblaku in pregleda paketov za obnovitev", + "Periodically perform a local backup of the installed packages": "Redno izvajaj lokalno varnostno kopiranje nameščenih paketov", + "Perform a local backup now": "Izvedi lokalno varnostno kopiranje zdaj", + "Change backup output directory": "Spremenite lokacijo za varnostne kopije", + "Set a custom backup file name": "Nastavite ime datoteke varnostne kopije po meri", + "Leave empty for default": "Pustite prazno kot privzeto", + "Add a timestamp to the backup file names": "Dodajte časovni žig v imena datotek varnostne kopije", + "Backup and Restore": "Varnostno kopiranje in obnovitev", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Omogoči API v ozadju (WingetUI Widgets and Sharing, vrata 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Počakajte, da se naprava poveže z internetom, preden začnete z opravili, ki zahtevajo povezavo.", + "Disable the 1-minute timeout for package-related operations": "Onemogočite 1-minutno časovno omejitev za operacije, povezane s paketom", + "Use installed GSudo instead of UniGetUI Elevator": "Uporabi nameščeni GSudo namesto UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Uporabite ikono po meri in URL zbirke podatkov posnetkov zaslona", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Omogoči optimizacije porabe CPU v ozadju (glej zahtevo za združitev #3278)", + "Perform integrity checks at startup": "Ob zagonu izvedi preverjanje integritete", + "When batch installing packages from a bundle, install also packages that are already installed": "Pri paketni namestitvi iz svežnja namesti tudi pakete, ki so že nameščeni", + "Experimental settings and developer options": "Eksperimentalne nastavitve in opcije za razvijalce", + "Show UniGetUI's version and build number on the titlebar.": "Pokaži različico UniGetUI in številko izgradnje v naslovni vrstici.", + "Language": "Jezik", + "UniGetUI updater": "UniGetUI posodobitveni program", + "Telemetry": "Telemetrija", + "Manage UniGetUI settings": "Upravljaj nastavitve UniGetUI", + "Related settings": "Povezane nastavitve", + "Update WingetUI automatically": "Posodobi WingetUI samodejno", + "Check for updates": "Preverite posodobitve", + "Install prerelease versions of UniGetUI": "Namestite predizdajne različice UniGetUI", + "Manage telemetry settings": "Upravljaj nastavitve telemetrije", + "Manage": "Upravljaj", + "Import settings from a local file": "Uvozi nastavitve iz lokalne datoteke", + "Import": "Uvozi", + "Export settings to a local file": "Izvozi nastavitve v lokalno datoteko", + "Export": "Izvoz", + "Reset WingetUI": "Ponastavite WingetUI", + "Reset UniGetUI": "Ponastavite UniGetUI", + "User interface preferences": "Nastavitve uporabniškega vmesnika", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplikacije, začetna stran, ikone paketov, samodejno brisanje uspešnih namestitev", + "General preferences": "Splošne nastavitve", + "WingetUI display language:": "Prikazni jezik v WingetUI:", + "Is your language missing or incomplete?": "Ali vaš jezik manjka ali je nepopoln?", + "Appearance": "Videz", + "UniGetUI on the background and system tray": "UniGetUI v ozadju in sistemski vrstici", + "Package lists": "Seznami paketov", + "Close UniGetUI to the system tray": "Zaprite UniGetUI v sistemsko vrstico", + "Show package icons on package lists": "Pokaži ikone paketov na seznamih paketov", + "Clear cache": "Počisti predpomnilnik", + "Select upgradable packages by default": "Privzeto izberite nadgradljive pakete", + "Light": "Svetla", + "Dark": "Temna", + "Follow system color scheme": "Sledi sistemski barvni shemi", + "Application theme:": "Teme aplikacije:", + "Discover Packages": "Odkrijte pakete", + "Software Updates": "Posodobitve paketov", + "Installed Packages": "Nameščeni paketi", + "Package Bundles": "Sveženj paketov", + "Settings": "Nastavitve", + "UniGetUI startup page:": "Začetna stran UniGetUI:", + "Proxy settings": "Nastavitve posredniškega strežnika", + "Other settings": "Druge nastavitve", + "Connect the internet using a custom proxy": "Povežite se z internetom prek prilagojenega posredniškega strežnika", + "Please note that not all package managers may fully support this feature": "Upoštevajte, da vsi upravljalniki paketov morda ne podpirajo te funkcije", + "Proxy URL": "URL posredniškega strežnika", + "Enter proxy URL here": "Vnesite URL posredniškega strežnika tukaj", + "Package manager preferences": "Nastavitve upravitelja paketov", + "Ready": "Pripravljen", + "Not found": "Ni najdeno", + "Notification preferences": "Nastavitve obvestil", + "Notification types": "Vrste obvestil", + "The system tray icon must be enabled in order for notifications to work": "Ikona v sistemski vrstici mora biti omogočena za delovanje obvestil", + "Enable WingetUI notifications": "Omogoči obvestila WingetUI", + "Show a notification when there are available updates": "Prikaži obvestilo, ko so na voljo posodobitve", + "Show a silent notification when an operation is running": "Pokaži tiho obvestilo, ko se operacija izvaja", + "Show a notification when an operation fails": "Pokaži obvestilo, ko operacija ne uspe", + "Show a notification when an operation finishes successfully": "Pokažite obvestilo, ko se operacija uspešno konča", + "Concurrency and execution": "Vzporednost in izvajanje", + "Automatic desktop shortcut remover": "Samodejni odstranjevalec bližnjic na namizju", + "Clear successful operations from the operation list after a 5 second delay": "Po 5 sekundnem zamiku izbrišite uspešne operacije s seznama operacij", + "Download operations are not affected by this setting": "Ta nastavitev ne vpliva na postopke prenosa", + "Try to kill the processes that refuse to close when requested to": "Poskusi končati procese, ki se ob zahtevi nočejo zapreti", + "You may lose unsaved data": "Lahko izgubite neshranjene podatke", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Vprašajte za brisanje bližnjic na namizju, ustvarjenih med namestitvijo ali nadgradnjo.", + "Package update preferences": "Nastavitve posodobitev paketov", + "Update check frequency, automatically install updates, etc.": "Pogostost preverjanja posodobitev, samodejna namestitev posodobitev itd.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Zmanjšaj pozive UAC, privzeto povišaj namestitve, odkleni nekatere nevarne funkcije itd.", + "Package operation preferences": "Nastavitve operacij paketov", + "Enable {pm}": "Omogoči {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Ne najdete datoteke, ki jo iščete? Prepričajte se, da je bila dodana v PATH.", + "For security reasons, changing the executable file is disabled by default": "Iz varnostnih razlogov je spreminjanje izvršljive datoteke privzeto onemogočeno", + "Change this": "Spremeni to", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Izberite izvršljivo datoteko, ki jo želite uporabiti. Naslednji seznam prikazuje izvršljive datoteke, ki jih je našel UniGetUI", + "Current executable file:": "Trenutna izvršljiva datoteka:", + "Ignore packages from {pm} when showing a notification about updates": "Prezri pakete iz {pm} pri prikazu obvestil o posodobitvah", + "View {0} logs": "Ogled dnevnikov za {0}", + "Advanced options": "Napredne možnosti", + "Reset WinGet": "Ponastavite WinGet", + "This may help if no packages are listed": "To lahko pomaga, če ni prikazanih paketov", + "Force install location parameter when updating packages with custom locations": "Ob posodabljanju paketov z lokacijami po meri vsili parameter mesta namestitve", + "Use bundled WinGet instead of system WinGet": "Uporabite vgrajeni WinGet namesto sistemskega WinGet", + "This may help if WinGet packages are not shown": "To lahko pomaga, če paketi WinGet niso prikazani", + "Install Scoop": "Namesti Scoop", + "Uninstall Scoop (and its packages)": "Odstrani Scoop (in njegove pakete)", + "Run cleanup and clear cache": "Zaženite čiščenje in počistite predpomnilnik", + "Run": "Zaženi", + "Enable Scoop cleanup on launch": "Omogoči čiščenje Scoop-a ob zagonu", + "Use system Chocolatey": "Uporabite sistem Chocolatey", + "Default vcpkg triplet": "Privzeti vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Jezik, tema in druge raznovrstne nastavitve", + "Show notifications on different events": "Prikažite obvestila o različnih dogodkih", + "Change how UniGetUI checks and installs available updates for your packages": "Spremenite, kako UniGetUI preverja in namešča razpoložljive posodobitve za vaše pakete", + "Automatically save a list of all your installed packages to easily restore them.": "Samodejno shranite seznam vseh nameščenih paketov, da jih preprosto obnovite.", + "Enable and disable package managers, change default install options, etc.": "Omogočite in onemogočite upravitelje paketov, spremenite privzete možnosti namestitve itd.", + "Internet connection settings": "Nastavitve internetne povezave", + "Proxy settings, etc.": "Nastavitve posredniškega strežnika itd.", + "Beta features and other options that shouldn't be touched": "Beta funkcije in druge možnosti, ki se jih ne bi smeli dotikati", + "Update checking": "Preverjanje posodobitev", + "Automatic updates": "Samodejne posodobitve", + "Check for package updates periodically": "Periodično preverjaj posodobitve paketov", + "Check for updates every:": "Preveri za posodobitve vsak:", + "Install available updates automatically": "Samodejno namestite razpoložljive posodobitve", + "Do not automatically install updates when the network connection is metered": "Ne nameščaj posodobitev samodejno pri merjeni povezavi", + "Do not automatically install updates when the device runs on battery": "Ne nameščaj posodobitev samodejno, ko naprava deluje na baterijo", + "Do not automatically install updates when the battery saver is on": "Ne nameščaj posodobitev samodejno, ko je vklopljen varčevalnik baterije", + "Change how UniGetUI handles install, update and uninstall operations.": "Spremenite, kako UniGetUI upravlja z namestitvami, posodobitvami in odstranitvami.", + "Package Managers": "Upravljalniki paketov", + "More": "Več", + "WingetUI Log": "WingetUI dnevnik", + "Package Manager logs": "Dnevniki upravitelja paketov", + "Operation history": "Zgodovina delovanja", + "Help": "Pomoč", + "Order by:": "Razvrsti po:", + "Name": "Naziv", + "Id": "ID", + "Ascendant": "Naraščajoče", + "Descendant": "Padajoče", + "View mode:": "Način pogleda:", + "Filters": "Filtri", + "Sources": "Viri", + "Search for packages to start": "Za začetek poiščite pakete", + "Select all": "Označi vse", + "Clear selection": "Odznači vse", + "Instant search": "Takojšnje iskanje", + "Distinguish between uppercase and lowercase": "Razlikuj med velikimi in malimi črkami", + "Ignore special characters": "Ignorirajte posebne znake", + "Search mode": "Način iskanja", + "Both": "Oboje", + "Exact match": "Natančno ujemanje", + "Show similar packages": "Prikaži podobne pakete", + "No results were found matching the input criteria": "Ni bilo najdenih rezultatov, ki bi ustrezali kriterijem vnosa", + "No packages were found": "Najden ni bil noben paket", + "Loading packages": "Nalaganje paketov", + "Skip integrity checks": "Preskoči preverjanje celovitosti", + "Download selected installers": "Prenesi izbrane namestitvene programe", + "Install selection": "Namestite izbor", + "Install options": "Možnosti namestitve", + "Share": "Deli", + "Add selection to bundle": "Dodaj izbor v sveženj", + "Download installer": "Prenesite namestitveni program", + "Share this package": "Deli paket", + "Uninstall selection": "Odstrani izbor", + "Uninstall options": "Možnosti odstranitve", + "Ignore selected packages": "Prezri izbrane pakete", + "Open install location": "Odpri mesto namestitve", + "Reinstall package": "Ponovno namestite paket", + "Uninstall package, then reinstall it": "Odstranite paket in ga nato znova namestite", + "Ignore updates for this package": "Ignoriraj posodobitve za ta paket", + "Do not ignore updates for this package anymore": "Ne prezrite več posodobitev za ta paket", + "Add packages or open an existing package bundle": "Dodaj pakete ali odpri obstoječi sveženj paketov", + "Add packages to start": "Dodaj pakete za začetek", + "The current bundle has no packages. Add some packages to get started": "Trenutni sveženj nima paketov. Za začetek dodajte nekaj paketov", + "New": "Novo", + "Save as": "Shrani kot", + "Remove selection from bundle": "Odstrani izbiro iz svežnja", + "Skip hash checks": "Preskoči preverjanje zgoščene vrednosti", + "The package bundle is not valid": "Sveženj paketov ni veljaven", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Zdi se, da paket, ki ga poskušate naložiti, ni veljaven. Preverite datoteko in poskusite znova.", + "Package bundle": "Sveženj paketov", + "Could not create bundle": "Ni bilo mogoče ustvariti svežnja", + "The package bundle could not be created due to an error.": "Paketa ni bilo mogoče ustvariti zaradi napake.", + "Bundle security report": "Varnostno poročilo svežnja", + "Hooray! No updates were found.": "Hura! Ni najdenih posodobitev!", + "Everything is up to date": "Vse je posodobljeno", + "Uninstall selected packages": "Odstrani izbrane pakete", + "Update selection": "Posodobi izbor", + "Update options": "Možnosti posodobitve", + "Uninstall package, then update it": "Odstranite paket in ga nato posodobite", + "Uninstall package": "Odstrani paket", + "Skip this version": "Preskoči to različico", + "Pause updates for": "Začasno ustavi posodobitve za", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Upravitelj paketov Rust.
Vsebuje: Knjižnice in programe Rust, napisane v Rustu", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasični upravitelj paketov za Windows. Tukaj boste našli vse.
Vsebuje: Splošno programsko opremo", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitorij, poln orodij in izvršljivih datotek, zasnovanih z mislijo na Microsoftov ekosistem .NET.
Vsebuje: orodja in skripte, povezane z .NET", + "NuPkg (zipped manifest)": "NuPkg (stisnjen manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Upravitelj paketov Node JS. Polno knjižnic in drugih pripomočkov, ki krožijo po svetu javascripta
Vsebuje: Knjižnice javascript vozlišča in druge povezane pripomočke", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Upravitelj knjižnice Python. Polno knjižnic Python in drugih pripomočkov, povezanih s Pythonom
Vsebuje: Knjižnice Python in sorodni pripomočki", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Upravitelj paketov PowerShell. Poiščite knjižnice in skripte za razširitev zmogljivosti lupine PowerShell
Vsebuje: Module, skripte, cmdlete", + "extracted": "ekstrahirano", + "Scoop package": "Scoop paket", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Odlično skladišče neznanih, a uporabnih pripomočkov in drugih zanimivih paketov.
Vsebuje: Pripomočke, programe ukazne vrstice, splošno programsko opremo (potrebno je vedro z dodatki)", + "library": "knjižnica", + "feature": "funkcija", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Priljubljen upravitelj knjižnic C/C++. Polno knjižnic C/C++ in drugih pripomočkov, povezanih s C/C++
Vsebuje: Knjižnice C/C++ in sorodni pripomočki", + "option": "opcija", + "This package cannot be installed from an elevated context.": "Tega paketa ni mogoče namestiti iz povišanega konteksta.", + "Please run UniGetUI as a regular user and try again.": "Zaženite UniGetUI kot običajni uporabnik in poskusite znova.", + "Please check the installation options for this package and try again": "Preverite možnosti namestitve za ta paket in poskusite znova", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftov uradni upravitelj paketov. Polno znanih in preverjenih paketov
Vsebuje: Splošno programsko opremo, aplikacije Microsoft Store", + "Local PC": "Lokalni PC", + "Android Subsystem": "Podsistem Android", + "Operation on queue (position {0})...": "Operacija v čakalni vrsti (položaj {0}) ...", + "Click here for more details": "Kliknite tukaj za več podrobnosti", + "Operation canceled by user": "Operacijo je preklical uporabnik", + "Starting operation...": "Zaganjanje operacije...", + "{package} installer download": "Prenos namestitvenega programa za {package}", + "{0} installer is being downloaded": "Namestitveni program za {0} se prenaša", + "Download succeeded": "Prenos uspel", + "{package} installer was downloaded successfully": "Namestitveni program za {package} je bil uspešno prenesen", + "Download failed": "Prenos ni uspel", + "{package} installer could not be downloaded": "Namestitvenega programa za {package} ni bilo mogoče prenesti", + "{package} Installation": "{package} Namestitev", + "{0} is being installed": "{0} se namešča", + "Installation succeeded": "Namestitev je uspela", + "{package} was installed successfully": "{package} je bil uspešno nameščen", + "Installation failed": "Namestitev ni uspela", + "{package} could not be installed": "{package} ni bilo mogoče namestiti", + "{package} Update": "{package} Posodobitev", + "{0} is being updated to version {1}": "{0} se posodablja na različico {1}", + "Update succeeded": "Posodobite uspešna", + "{package} was updated successfully": "{package} je bil uspešno posodobljen", + "Update failed": "Posodobitev spodletela", + "{package} could not be updated": "{package} ni bilo mogoče posodobiti", + "{package} Uninstall": "{package} Odstranitev", + "{0} is being uninstalled": "{0} se odstranjuje", + "Uninstall succeeded": "Odmestitev uspešna", + "{package} was uninstalled successfully": "{package} je bil uspešno odstranjen", + "Uninstall failed": "Odmestitev ni uspela", + "{package} could not be uninstalled": "{package} ni bilo mogoče odstraniti", + "Adding source {source}": "Dodajanje vira {source}", + "Adding source {source} to {manager}": "Dodajanje vira {source} v {manager}", + "Source added successfully": "Vir uspešno dodan", + "The source {source} was added to {manager} successfully": "Vir {source} je bil uspešno dodan v {manager}", + "Could not add source": "Vira ni bilo mogoče dodati", + "Could not add source {source} to {manager}": "Ni bilo mogoče dodati vira {source} v {manager}", + "Removing source {source}": "Odstranjevanje vira {source}", + "Removing source {source} from {manager}": "Odstranjevanje vira {source} iz {manager}", + "Source removed successfully": "Vir uspešno odstranjen", + "The source {source} was removed from {manager} successfully": "Vir {source} je bil uspešno odstranjen iz {manager}", + "Could not remove source": "Vira ni bilo mogoče odstraniti", + "Could not remove source {source} from {manager}": "Vira {source} ni bilo mogoče odstraniti iz {manager}", + "The package manager \"{0}\" was not found": "Upravitelj paketov \"{0}\" ni bil najden", + "The package manager \"{0}\" is disabled": "Upravitelj paketov \"{0}\" je onemogočen", + "There is an error with the configuration of the package manager \"{0}\"": "Prišlo je do napake pri konfiguraciji upravitelja paketov \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket \"{0}\" ni bil najden v upravitelju paketov \"{1}\"", + "{0} is disabled": "{0} je onemogočeno", + "Something went wrong": "Nekaj je šlo narobe", + "An interal error occurred. Please view the log for further details.": "Prišlo je do notranje napake. Za več podrobnosti si oglejte dnevnik.", + "No applicable installer was found for the package {0}": "Za paket {0} ni bilo najdenega ustreznega namestitvenega programa", + "We are checking for updates.": "Preverjamo posodobitve.", + "Please wait": "Prosim počakajte", + "UniGetUI version {0} is being downloaded.": "Prenos različice UniGetUI {0} poteka.", + "This may take a minute or two": "To lahko traja minuto ali dve", + "The installer authenticity could not be verified.": "Pristnosti namestitvenega programa ni bilo mogoče preveriti.", + "The update process has been aborted.": "Postopek posodobitve je bil prekinjen.", + "Great! You are on the latest version.": "Odlično! Ste na najnovejši različici.", + "There are no new UniGetUI versions to be installed": "Ni novih različic UniGetUI za namestitev", + "An error occurred when checking for updates: ": "Pri preverjanju posodobitev je prišlo do napake:", + "UniGetUI is being updated...": "UniGetUI se posodablja ...", + "Something went wrong while launching the updater.": "Pri zagonu posodobitvenega programa je prišlo do napake.", + "Please try again later": "Poskusite znova pozneje", + "Integrity checks will not be performed during this operation": "Preverjanje integritete ne bo izvedeno med to operacijo", + "This is not recommended.": "To ni priporočljivo.", + "Run now": "Zaženi zdaj", + "Run next": "Zaženi naslednje", + "Run last": "Zaženi zadnje", + "Retry as administrator": "Poskusite znova kot skrbnik", + "Retry interactively": "Poskusite znova interaktivno", + "Retry skipping integrity checks": "Ponovno poskusi brez preverjanja integritete", + "Installation options": "Možnosti namestitve", + "Show in explorer": "Pokaži v raziskovalcu", + "This package is already installed": "Ta paket je že nameščen", + "This package can be upgraded to version {0}": "Ta paket je mogoče nadgraditi na različico {0}", + "Updates for this package are ignored": "Posodobitve za ta paket so prezrte", + "This package is being processed": "Ta paket je v obdelavi", + "This package is not available": "Ta paket ni na voljo", + "Select the source you want to add:": "Izberite vir, ki ga želite dodati:", + "Source name:": "Ime vira:", + "Source URL:": "URL vira:", + "An error occurred": "Prišlo je do napake", + "An error occurred when adding the source: ": "Pri dodajanju vira je prišlo do napake:", + "Package management made easy": "Upravljanje paketov na enostaven način", + "version {0}": "različica {0}", + "[RAN AS ADMINISTRATOR]": "ZAGNANO KOT SKRBNIK", + "Portable mode": "Prenosni način", + "DEBUG BUILD": "RAZVOJNA RAZLIČICA", + "Available Updates": "Razpoložljive posodobitve", + "Show WingetUI": "Prikaži WingetUI", + "Quit": "Izhod", + "Attention required": "Potrebna pozornost", + "Restart required": "Potreben ponovni zagon", + "1 update is available": "Na voljo je 1 posodobitev", + "{0} updates are available": "{0} posodobitev je na voljo", + "WingetUI Homepage": "Domača stran WingetUI", + "WingetUI Repository": "Repozitorij WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tukaj lahko spremenite vedenje UniGetUI glede naslednjih bližnjic. Če označite bližnjico, jo bo UniGetUI izbrisal, če bo ustvarjena pri prihodnji nadgradnji. Če jo počistite, bo bližnjica ostala nedotaknjena", + "Manual scan": "Ročno iskanje", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Obstoječe bližnjice na namizju bodo pregledane, izbrati boste morali, katere želite obdržati in katere odstraniti.", + "Continue": "Nadaljuj", + "Delete?": "Odstrani?", + "Missing dependency": "Manjka programska odvisnost", + "Not right now": "Ne zdaj", + "Install {0}": "Namesti {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI potrebuje {0} za delovanje, vendar ni bil najden v vašem sistemu.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknite Namesti, da začnete postopek namestitve. Če preskočite namestitev, UniGetUI morda ne bo deloval po pričakovanjih.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Lahko pa tudi namestite {0} tako, da zaženete naslednji ukaz v pozivu Windows PowerShell:", + "Do not show this dialog again for {0}": "Ne prikaži več tega pogovornega okna za {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Počakajte, da se {0} namesti. Lahko se prikaže črno okno. Počakajte, da se zapre.", + "{0} has been installed successfully.": "{0} je bil uspešno nameščen.", + "Please click on \"Continue\" to continue": "Kliknite »Nadaljuj« za nadaljevanje", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} je bil uspešno nameščen. Priporočljivo je, da znova zaženete UniGetUI, da dokončate namestitev", + "Restart later": "Ponovno zaženi kasneje", + "An error occurred:": "Pripetila se je napaka:", + "I understand": "Razumem", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI je bil zagnan kot skrbnik, kar ni priporočljivo. Ko WingetUI izvajate kot skrbnik, bo imela VSAKA operacija, zagnana iz WingetUI, skrbniške pravice. Še vedno lahko uporabljate program, vendar zelo priporočamo, da WingetUI ne izvajate s skrbniškimi pravicami.", + "WinGet was repaired successfully": "WinGet je bil uspešno popravljen", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Priporočljivo je, da znova zaženete UniGetUI, ko je WinGet popravljen", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OPOMBA: To orodje za odpravljanje težav lahko onemogočite v nastavitvah UniGetUI v razdelku WinGet", + "Restart": "Ponovni zagon", + "WinGet could not be repaired": "WinGet ni bilo mogoče popraviti", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Med poskusom popravila programa WinGet je prišlo do nepričakovane težave. Poskusite znova pozneje", + "Are you sure you want to delete all shortcuts?": "Ali ste prepričani, da želite izbrisati vse bližnjice?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Vse nove bližnjice, ustvarjene med namestitvijo ali posodobitvijo, bodo samodejno izbrisane, namesto da bi se prvič prikazalo potrditveno okno.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Vse bližnjice, ustvarjene ali spremenjene zunaj UniGetUI, bodo prezrte. Dodate jih lahko z gumbom {0}.", + "Are you really sure you want to enable this feature?": "Ali ste res prepričani, da želite omogočiti to funkcijo?", + "No new shortcuts were found during the scan.": "Med iskanjem niso bile najdene nove bližnjice.", + "How to add packages to a bundle": "Kako dodati pakete v sveženj", + "In order to add packages to a bundle, you will need to: ": "Za dodajanje paketov v sveženj morate:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Pomaknite se na stran \"{0}\" ali \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Poiščite pakete, ki jih želite dodati v sveženj, in izberite njihovo skrajno levo potrditveno polje.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Ko so izbrani paketi, ki jih želite dodati v sveženj, v orodni vrstici poiščite in kliknite možnost \"{0}\".", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaši paketi bodo dodani v paket. Lahko nadaljujete z dodajanjem paketov ali izvozite sveženj.", + "Which backup do you want to open?": "Katero varnostno kopijo želite odpreti?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Izberite varnostno kopijo, ki jo želite odpreti. Pozneje boste lahko pregledali, katere pakete ali programe želite obnoviti.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "V teku so operacije. Zapustitev WingetUI lahko povzroči njihovo odpoved. Želite nadaljevati?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ali nekatere njegove komponente manjkajo ali so poškodovane.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Močno priporočamo, da znova namestite UniGetUI in s tem odpravite težavo.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Za več podrobnosti o prizadetih datotekah si oglejte dnevnike UniGetUI", + "Integrity checks can be disabled from the Experimental Settings": "Preverjanje integritete je mogoče onemogočiti v eksperimentalnih nastavitvah", + "Repair UniGetUI": "Popravi UniGetUI", + "Live output": "Trenutni izpis", + "Package not found": "Paket ni bil najden", + "An error occurred when attempting to show the package with Id {0}": "Pripetila se je napaka med prikazovanjem paketa z Id {0}", + "Package": "Paket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ta sveženj paketov je vseboval nekatere potencialno nevarne nastavitve, ki bodo morda privzeto prezrte.", + "Entries that show in YELLOW will be IGNORED.": "Vnosi, prikazani RUMENO, bodo PREZRTI.", + "Entries that show in RED will be IMPORTED.": "Vnosi, prikazani RDEČE, bodo UVOŽENI.", + "You can change this behavior on UniGetUI security settings.": "To vedenje lahko spremenite v varnostnih nastavitvah UniGetUI.", + "Open UniGetUI security settings": "Odpri varnostne nastavitve UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Če spremenite varnostne nastavitve, boste morali sveženj znova odpreti, da bodo spremembe začele veljati.", + "Details of the report:": "Podrobnosti poročila:", "\"{0}\" is a local package and can't be shared": "\"{0}\" je lokalni paket in ga ni mogoče deliti", + "Are you sure you want to create a new package bundle? ": "Ali ste prepričani, da želite ustvariti nov sveženj paketov?", + "Any unsaved changes will be lost": "Vse neshranjene spremembe bodo izgubljene", + "Warning!": "Opozorilo!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Iz varnostnih razlogov so argumenti ukazne vrstice po meri privzeto onemogočeni. Če želite to spremeniti, odprite varnostne nastavitve UniGetUI.", + "Change default options": "Spremeni privzete možnosti", + "Ignore future updates for this package": "Ignoriraj posodobitve za ta paket", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Iz varnostnih razlogov so skripti pred in po operaciji privzeto onemogočeni. Če želite to spremeniti, odprite varnostne nastavitve UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Določite lahko ukaze, ki se bodo izvajali pred ali po namestitvi, posodobitvi ali odstranitvi tega paketa. Izvajali se bodo v ukaznem pozivu, zato bodo tukaj delovali skripti CMD.", + "Change this and unlock": "Spremeni to in odkleni", + "{0} Install options are currently locked because {0} follows the default install options.": "Možnosti namestitve za {0} so trenutno zaklenjene, ker {0} sledi privzetim možnostim namestitve.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Izberite procese, ki jih je treba zapreti, preden se ta paket namesti, posodobi ali odstrani.", + "Write here the process names here, separated by commas (,)": "Tukaj vnesite imena procesov, ločena z vejicami (,)", + "Unset or unknown": "Nepostavljeno ali neznano", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Za nadaljnje informacije o težavi si oglejte Izpis ukazne vrstice ali glejte Zgodovino delovanja.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ta paket nima posnetkov zaslona ali manjka ikona? Prispevajte k WingetUI tako, da dodate manjkajoče ikone in posnetke zaslona v našo odprto javno bazo podatkov.", + "Become a contributor": "Postanite soustvarjalec", + "Save": "Shrani", + "Update to {0} available": "Posodobitev na {0} na voljo", + "Reinstall": "Ponovno namestite", + "Installer not available": "Namestitveni program ni na voljo", + "Version:": "Različica:", + "Performing backup, please wait...": "Izvajanje varnostne kopije, počakajte ...", + "An error occurred while logging in: ": "Pri prijavi je prišlo do napake: ", + "Fetching available backups...": "Pridobivanje razpoložljivih varnostnih kopij...", + "Done!": "Končano!", + "The cloud backup has been loaded successfully.": "Varnostna kopija iz oblaka je bila uspešno naložena.", + "An error occurred while loading a backup: ": "Pri nalaganju varnostne kopije je prišlo do napake: ", + "Backing up packages to GitHub Gist...": "Varnostno kopiranje paketov na GitHub Gist ...", + "Backup Successful": "Varnostno kopiranje je bilo uspešno", + "The cloud backup completed successfully.": "Varnostno kopiranje v oblaku je bilo uspešno dokončano.", + "Could not back up packages to GitHub Gist: ": "Paketov ni bilo mogoče varnostno kopirati v GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Ni zagotovila, da bodo poverilnice varno shranjene, zato ne uporabljajte bančnih podatkov", + "Enable the automatic WinGet troubleshooter": "Omogočite samodejno orodje za odpravljanje težav WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Omogoči [poskusno] izboljšano orodje za odpravljanje težav z WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Na seznam prezrtih posodobitev dodajte posodobitve, ki niso uspele z \"ni ustrezne posodobitve\".", + "Restart WingetUI to fully apply changes": "Znova zaženite WingetUI, da v celoti uveljavite spremembe", + "Restart WingetUI": "Ponovno zaženi WingetUI", + "Invalid selection": "Neveljaven izbor", + "No package was selected": "Noben paket ni bil izbran", + "More than 1 package was selected": "Izbranih je bilo več kot 1 paket", + "List": "Seznam", + "Grid": "Mreža", + "Icons": "Ikone", "\"{0}\" is a local package and does not have available details": "\"{0}\" je lokalni paket in nima na voljo podrobnosti", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" je lokalni paket in ni združljiv s to funkcijo.", - "(Last checked: {0})": "(Nazadnje preverjeno: {0})", + "WinGet malfunction detected": "Zaznana okvara WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Videti je, da WinGet ne deluje pravilno. Ali želite poskusiti popraviti WinGet?", + "Repair WinGet": "Popravi WinGet", + "Create .ps1 script": "Ustvari skript .ps1", + "Add packages to bundle": "Dodajte pakete v sveženj", + "Preparing packages, please wait...": "Priprava paketov, počakajte ...", + "Loading packages, please wait...": "Nalaganje paketov, počakajte ...", + "Saving packages, please wait...": "Shranjevanje paketov, počakajte ...", + "The bundle was created successfully on {0}": "Sveženj je bil uspešno ustvarjen dne {0}", + "Install script": "Namestitveni skript", + "The installation script saved to {0}": "Namestitveni skript je bil shranjen v {0}", + "An error occurred while attempting to create an installation script:": "Pri poskusu ustvarjanja namestitvenega skripta je prišlo do napake:", + "{0} packages are being updated": "posodabljam {0} paketov", + "Error": "Napaka", + "Log in failed: ": "Prijava ni uspela: ", + "Log out failed: ": "Odjava ni uspela: ", + "Package backup settings": "Nastavitve varnostnega kopiranja paketov", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Številka {0} v čakalni vrsti)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@rumplin", "0 packages found": "0 najdenih paketov", "0 updates found": "0 najdenih posodobitev", - "1 - Errors": "1 - Napake", - "1 day": "1 dan", - "1 hour": "1 uro", "1 month": "1 mesec", "1 package was found": "Najden 1 paket", - "1 update is available": "Na voljo je 1 posodobitev", - "1 week": "1 teden", "1 year": "1 leto", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Pomaknite se na stran \"{0}\" ali \"{1}\".", - "2 - Warnings": "2 - Opozorila", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Poiščite pakete, ki jih želite dodati v sveženj, in izberite njihovo skrajno levo potrditveno polje.", - "3 - Information (less)": "3 - Informacije (manj)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Ko so izbrani paketi, ki jih želite dodati v sveženj, v orodni vrstici poiščite in kliknite možnost \"{0}\".", - "4 - Information (more)": "4 - Informacije (več)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Vaši paketi bodo dodani v paket. Lahko nadaljujete z dodajanjem paketov ali izvozite sveženj.", - "5 - information (debug)": "5 - Informacije (razhroščevanje)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Priljubljen upravitelj knjižnic C/C++. Polno knjižnic C/C++ in drugih pripomočkov, povezanih s C/C++
Vsebuje: Knjižnice C/C++ in sorodni pripomočki", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Repozitorij, poln orodij in izvršljivih datotek, zasnovanih z mislijo na Microsoftov ekosistem .NET.
Vsebuje: orodja in skripte, povezane z .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Repozitorij, poln orodij, zasnovanih z mislijo na Microsoftov ekosistem .NET.
Vsebuje: Orodja, povezana z .NET", "A restart is required": "Potreben je ponovni zagon", - "Abort install if pre-install command fails": "Prekini namestitev, če ukaz za prednamestitev ne uspe", - "Abort uninstall if pre-uninstall command fails": "Prekini odstranitev, če ukaz pred odstranitvo ne uspe", - "Abort update if pre-update command fails": "Prekini posodobitev, če ukaz pred posodobitvijo ne uspe", - "About": "O nas", "About Qt6": "O Qt6", - "About WingetUI": "O WingetUI", "About WingetUI version {0}": "O WingetUI verziji {0}", "About the dev": "O razvijalcih", - "Accept": "Potrdi", "Action when double-clicking packages, hide successful installations": "Akcija za dvojni klik paketa, skrij uspešne instalacije", - "Add": "Dodaj", "Add a source to {0}": "Dodajte vir v {0}", - "Add a timestamp to the backup file names": "Dodajte časovni žig v imena datotek varnostne kopije", "Add a timestamp to the backup files": "Varnostnim datotekam dodajte časovni žig", "Add packages or open an existing bundle": "Dodajte pakete ali odprite obstoječi sveženj", - "Add packages or open an existing package bundle": "Dodaj pakete ali odpri obstoječi sveženj paketov", - "Add packages to bundle": "Dodajte pakete v sveženj", - "Add packages to start": "Dodaj pakete za začetek", - "Add selection to bundle": "Dodaj izbor v sveženj", - "Add source": "Dodaj vir", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Na seznam prezrtih posodobitev dodajte posodobitve, ki niso uspele z \"ni ustrezne posodobitve\".", - "Adding source {source}": "Dodajanje vira {source}", - "Adding source {source} to {manager}": "Dodajanje vira {source} v {manager}", "Addition succeeded": "Dodajanje je uspelo", - "Administrator privileges": "Skrbniške pravice", "Administrator privileges preferences": "Nastavitve skrbniških pravic", "Administrator rights": "Administratorske pravice", - "Administrator rights and other dangerous settings": "Skrbniške pravice in druge nevarne nastavitve", - "Advanced options": "Napredne možnosti", "All files": "Vse datoteke", - "All versions": "Vse različice", - "Allow changing the paths for package manager executables": "Dovoli spreminjanje poti za izvedljive datoteke upravitelja paketov", - "Allow custom command-line arguments": "Dovoli argumente ukazne vrstice po meri", - "Allow importing custom command-line arguments when importing packages from a bundle": "Dovoli uvoz argumentov ukazne vrstice po meri pri uvozu paketov iz svežnja", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Dovoli uvoz ukazov po meri pred namestitvijo in po njej pri uvozu paketov iz svežnja", "Allow package operations to be performed in parallel": "Dovoli, da se paketne operacije izvajajo paralelno", "Allow parallel installs (NOT RECOMMENDED)": "Dovoli vzporedne instalacije (NI PRIPOROČENO)", - "Allow pre-release versions": "Dovoli predizdajne različice", "Allow {pm} operations to be performed in parallel": "Dovolite, da se operacije {pm} izvajajo vzporedno", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Lahko pa tudi namestite {0} tako, da zaženete naslednji ukaz v pozivu Windows PowerShell:", "Always elevate {pm} installations by default": "Privzeto vedno dvigni namestitve {pm}", "Always run {pm} operations with administrator rights": "Operacije {pm} vedno izvajajte s skrbniškimi pravicami", - "An error occurred": "Prišlo je do napake", - "An error occurred when adding the source: ": "Pri dodajanju vira je prišlo do napake:", - "An error occurred when attempting to show the package with Id {0}": "Pripetila se je napaka med prikazovanjem paketa z Id {0}", - "An error occurred when checking for updates: ": "Pri preverjanju posodobitev je prišlo do napake:", - "An error occurred while attempting to create an installation script:": "Pri poskusu ustvarjanja namestitvenega skripta je prišlo do napake:", - "An error occurred while loading a backup: ": "Pri nalaganju varnostne kopije je prišlo do napake: ", - "An error occurred while logging in: ": "Pri prijavi je prišlo do napake: ", - "An error occurred while processing this package": "Med obdelavo tega paketa je prišlo do napake", - "An error occurred:": "Pripetila se je napaka:", - "An interal error occurred. Please view the log for further details.": "Prišlo je do notranje napake. Za več podrobnosti si oglejte dnevnik.", "An unexpected error occurred:": "Prišlo je do nepredvidene napake:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Med poskusom popravila programa WinGet je prišlo do nepričakovane težave. Poskusite znova pozneje", - "An update was found!": "Najdena je bila posodobitev!", - "Android Subsystem": "Podsistem Android", "Another source": "Drug vir", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Vse nove bližnjice, ustvarjene med namestitvijo ali posodobitvijo, bodo samodejno izbrisane, namesto da bi se prvič prikazalo potrditveno okno.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Vse bližnjice, ustvarjene ali spremenjene zunaj UniGetUI, bodo prezrte. Dodate jih lahko z gumbom {0}.", - "Any unsaved changes will be lost": "Vse neshranjene spremembe bodo izgubljene", "App Name": "Ime aplikacije", - "Appearance": "Videz", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema aplikacije, začetna stran, ikone paketov, samodejno brisanje uspešnih namestitev", - "Application theme:": "Teme aplikacije:", - "Apply": "Uporabi", - "Architecture to install:": "Arhitektura za namestitev:", "Are these screenshots wron or blurry?": "Ali so zaslonske slike napačne ali meglene?", - "Are you really sure you want to enable this feature?": "Ali ste res prepričani, da želite omogočiti to funkcijo?", - "Are you sure you want to create a new package bundle? ": "Ali ste prepričani, da želite ustvariti nov sveženj paketov?", - "Are you sure you want to delete all shortcuts?": "Ali ste prepričani, da želite izbrisati vse bližnjice?", - "Are you sure?": "Ali ste prepričani?", - "Ascendant": "Naraščajoče", - "Ask for administrator privileges once for each batch of operations": "Enkrat zahtevajte skrbniške pravice za vsak sklop operacij", "Ask for administrator rights when required": "Po potrebi zahtevajte skrbniške pravice", "Ask once or always for administrator rights, elevate installations by default": "Vprašaj enkrat ali vedno za skrbniške pravice, uporabi pri namestitvah privzeto", - "Ask only once for administrator privileges": "Za skrbniške pravice vprašaj samo enkrat", "Ask only once for administrator privileges (not recommended)": "Samo enkrat vprašaj za skrbniške pravice (ni priporočljivo)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Vprašajte za brisanje bližnjic na namizju, ustvarjenih med namestitvijo ali nadgradnjo.", - "Attention required": "Potrebna pozornost", "Authenticate to the proxy with an user and a password": "Overite se pri posredniškem strežniku z uporabniškim imenom in geslom", - "Author": "Avtor", - "Automatic desktop shortcut remover": "Samodejni odstranjevalec bližnjic na namizju", - "Automatic updates": "Samodejne posodobitve", - "Automatically save a list of all your installed packages to easily restore them.": "Samodejno shranite seznam vseh nameščenih paketov, da jih preprosto obnovite.", "Automatically save a list of your installed packages on your computer.": "Samodejno shranite seznam svojih nameščenih paketov v svoj računalnik.", - "Automatically update this package": "Ta paket posodobi samodejno", "Autostart WingetUI in the notifications area": "Samodejni zagon WingetUI v območje za obvestila", - "Available Updates": "Razpoložljive posodobitve", "Available updates: {0}": "Razpoložljive posodobitve: {0}", "Available updates: {0}, not finished yet...": "Razpoložljive posodobitve: {0}, še nedokončane...", - "Backing up packages to GitHub Gist...": "Varnostno kopiranje paketov na GitHub Gist ...", - "Backup": "Varnostna kopija", - "Backup Failed": "Varnostno kopiranje ni uspelo", - "Backup Successful": "Varnostno kopiranje je bilo uspešno", - "Backup and Restore": "Varnostno kopiranje in obnovitev", "Backup installed packages": "Varnostno kopirajte nameščene pakete", "Backup location": "Lokacija varnostne kopije", - "Become a contributor": "Postanite soustvarjalec", - "Become a translator": "Postanite prevajalec", - "Begin the process to select a cloud backup and review which packages to restore": "Začni postopek izbire varnostne kopije v oblaku in pregleda paketov za obnovitev", - "Beta features and other options that shouldn't be touched": "Beta funkcije in druge možnosti, ki se jih ne bi smeli dotikati", - "Both": "Oboje", - "Bundle security report": "Varnostno poročilo svežnja", "But here are other things you can do to learn about WingetUI even more:": "Tukaj pa so še druge stvari, ki jih lahko naredite, da se o WingetUI naučite še več:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Če izklopite upravitelja paketov, ne boste mogli več videti ali posodobiti njegovih paketov.", "Cache administrator rights and elevate installers by default": "Privzeto predpomni skrbniške pravice in za namestitvene programe", "Cache administrator rights, but elevate installers only when required": "Predpomni skrbniške pravice, vendar povišajte namestitvene programe le, ko je to potrebno", "Cache was reset successfully!": "Predpomnilnik je bil uspešno ponastavljen!", "Can't {0} {1}": "Ni možno {0} {1}", - "Cancel": "Prekliči", "Cancel all operations": "Prekliči vse operacije", - "Change backup output directory": "Spremenite lokacijo za varnostne kopije", - "Change default options": "Spremeni privzete možnosti", - "Change how UniGetUI checks and installs available updates for your packages": "Spremenite, kako UniGetUI preverja in namešča razpoložljive posodobitve za vaše pakete", - "Change how UniGetUI handles install, update and uninstall operations.": "Spremenite, kako UniGetUI upravlja z namestitvami, posodobitvami in odstranitvami.", "Change how UniGetUI installs packages, and checks and installs available updates": "Spremenite način namestitve paketov in preverjanja ter nameščanja razpoložljivih posodobitev", - "Change how operations request administrator rights": "Spremenite način zahtevanja skrbniških pravic za operacije", "Change install location": "Spremenite lokacijo namestitve", - "Change this": "Spremeni to", - "Change this and unlock": "Spremeni to in odkleni", - "Check for package updates periodically": "Periodično preverjaj posodobitve paketov", - "Check for updates": "Preverite posodobitve", - "Check for updates every:": "Preveri za posodobitve vsak:", "Check for updates periodically": "Redno preverjaj posodobitve", "Check for updates regularly, and ask me what to do when updates are found.": "Redno preverjaj posodobitve in me vprašaj, kaj naj storim, ko najdem posodobitve.", "Check for updates regularly, and automatically install available ones.": "Redno preverjajte, ali so na voljo posodobitve, in samodejno namestite tiste, ki so na voljo.", @@ -159,916 +741,335 @@ "Checking for updates...": "Preverjam za posodobitve...", "Checking found instace(s)...": "Preverjam najdene instance...", "Choose how many operations shouls be performed in parallel": "Izberite, koliko operacij naj se izvede hkrati", - "Clear cache": "Počisti predpomnilnik", "Clear finished operations": "Počisti končane operacije", - "Clear selection": "Odznači vse", "Clear successful operations": "Čisto uspešne operacije", - "Clear successful operations from the operation list after a 5 second delay": "Po 5 sekundnem zamiku izbrišite uspešne operacije s seznama operacij", "Clear the local icon cache": "Počistite lokalni predpomnilnik ikon", - "Clearing Scoop cache - WingetUI": "Čiščenje predpomnilnika Scoop - WingetUI", "Clearing Scoop cache...": "Praznim Scoop predpomnilnik...", - "Click here for more details": "Kliknite tukaj za več podrobnosti", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliknite Namesti, da začnete postopek namestitve. Če preskočite namestitev, UniGetUI morda ne bo deloval po pričakovanjih.", - "Close": "Zapri", - "Close UniGetUI to the system tray": "Zaprite UniGetUI v sistemsko vrstico", "Close WingetUI to the notification area": "Zapri WingetUI v območje za obvestila", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Varnostno kopiranje v oblaku uporablja zasebni GitHub Gist za shranjevanje seznama nameščenih paketov", - "Cloud package backup": "Varnostno kopiranje paketov v oblaku", "Command-line Output": "Izpis ukazne vrstice", - "Command-line to run:": "Ukazna vrstica za izvedbo:", "Compare query against": "Primerjaj poizvedbo z", - "Compatible with authentication": "Združljivo z overjanjem", - "Compatible with proxy": "Združljivo s posredniškim strežnikom", "Component Information": "Podatki o komponenti", - "Concurrency and execution": "Vzporednost in izvajanje", - "Connect the internet using a custom proxy": "Povežite se z internetom prek prilagojenega posredniškega strežnika", - "Continue": "Nadaljuj", "Contribute to the icon and screenshot repository": "Prispevajte k repozitoriju ikon in posnetkov zaslona", - "Contributors": "Sodelujoči", "Copy": "Kopiraj", - "Copy to clipboard": "Kopiraj v odložišče", - "Could not add source": "Vira ni bilo mogoče dodati", - "Could not add source {source} to {manager}": "Ni bilo mogoče dodati vira {source} v {manager}", - "Could not back up packages to GitHub Gist: ": "Paketov ni bilo mogoče varnostno kopirati v GitHub Gist: ", - "Could not create bundle": "Ni bilo mogoče ustvariti svežnja", "Could not load announcements - ": "Ni bilo mogoče naložiti obvestil -", "Could not load announcements - HTTP status code is $CODE": "Obvestil ni bilo mogoče naložiti – statusna koda HTTP je $CODE", - "Could not remove source": "Vira ni bilo mogoče odstraniti", - "Could not remove source {source} from {manager}": "Vira {source} ni bilo mogoče odstraniti iz {manager}", "Could not remove {source} from {manager}": "{source} ni bilo mogoče odstraniti iz {manager}", - "Create .ps1 script": "Ustvari skript .ps1", - "Credentials": "Poverilnice", "Current Version": "Trenutna različica", - "Current executable file:": "Trenutna izvršljiva datoteka:", - "Current status: Not logged in": "Trenutno stanje: Niste prijavljeni", "Current user": "Trenutni uporabnik", "Custom arguments:": "Argumenti po meri:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumenti ukazne vrstice po meri lahko spremenijo način nameščanja, nadgrajevanja ali odstranjevanja programov na način, ki ga UniGetUI ne more nadzorovati. Uporaba ukaznih vrstic po meri lahko pokvari pakete. Nadaljujte previdno.", "Custom command-line arguments:": "Argumenti ukazne vrstice po meri:", - "Custom install arguments:": "Argumenti namestitve po meri:", - "Custom uninstall arguments:": "Argumenti odstranitve po meri:", - "Custom update arguments:": "Argumenti posodobitve po meri:", "Customize WingetUI - for hackers and advanced users only": "Prilagodite WingetUI - samo za hekerje in napredne uporabnike", - "DEBUG BUILD": "RAZVOJNA RAZLIČICA", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "IZJAVA O OMEJITVI ODGOVORNOSTI: NE ODGOVARJAMO ZA PRENESENE PAKETE. POSKRBITE, DA BOSTE NAMESTILI LE PROGRAMSKO OPREMO, KI JI ZAUPATE.", - "Dark": "Temna", - "Decline": "Zavrni", - "Default": "Privzeto", - "Default installation options for {0} packages": "Privzete možnosti namestitve za pakete {0}", "Default preferences - suitable for regular users": "Privzete nastavitve - primerne za običajne uporabnike", - "Default vcpkg triplet": "Privzeti vcpkg triplet", - "Delete?": "Odstrani?", - "Dependencies:": "Odvisnosti:", - "Descendant": "Padajoče", "Description:": "Opis:", - "Desktop shortcut created": "Bližnjica na namizju je ustvarjena", - "Details of the report:": "Podrobnosti poročila:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Razvijanje je težko in ta aplikacija je brezplačna. Če pa vam je bila aplikacija všeč, mi lahko vedno častite kavo :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Neposredna namestitev, ko dvokliknete element na zavihku \"{discoveryTab}\" (namesto prikaza informacij o paketu)", "Disable new share API (port 7058)": "Onemogoči API za novo skupno rabo (vrata 7058)", - "Disable the 1-minute timeout for package-related operations": "Onemogočite 1-minutno časovno omejitev za operacije, povezane s paketom", - "Disabled": "Onemogočeno", - "Disclaimer": "Izjava o omejitvi odgovornosti", - "Discover Packages": "Odkrijte pakete", "Discover packages": "Odkrijte pakete", "Distinguish between\nuppercase and lowercase": "Razlikovati med velikimi in malimi črkami", - "Distinguish between uppercase and lowercase": "Razlikuj med velikimi in malimi črkami", "Do NOT check for updates": "NE preverjajte posodobitev", "Do an interactive install for the selected packages": "Izvedite interaktivno namestitev za izbrane pakete", "Do an interactive uninstall for the selected packages": "Izvedite interaktivno odstranitev za izbrane pakete", "Do an interactive update for the selected packages": "Izvedite interaktivno posodobitev za izbrane pakete", - "Do not automatically install updates when the battery saver is on": "Ne nameščaj posodobitev samodejno, ko je vklopljen varčevalnik baterije", - "Do not automatically install updates when the device runs on battery": "Ne nameščaj posodobitev samodejno, ko naprava deluje na baterijo", - "Do not automatically install updates when the network connection is metered": "Ne nameščaj posodobitev samodejno pri merjeni povezavi", "Do not download new app translations from GitHub automatically": "Ne prenesi samodejno novih prevodov z GitHub", - "Do not ignore updates for this package anymore": "Ne prezrite več posodobitev za ta paket", "Do not remove successful operations from the list automatically": "Ne odstranjujte uspešnih operacij s seznama samodejno", - "Do not show this dialog again for {0}": "Ne prikaži več tega pogovornega okna za {0}", "Do not update package indexes on launch": "Ne posodabljaj indeksov paketov ob zagonu", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Ali soglašate, da UniGetUI zbira in pošilja anonimne statistike uporabe izključno z namenom izboljšanja uporabniške izkušnje?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Se vam zdi WingetUI uporaben? Če lahko, boste morda želeli podpreti moje delo, da bom lahko še naprej izdeloval WingetUI kot najboljši vmesnik za upravljanje paketov.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Se vam zdi WingetUI uporaben? Bi radi podprli razvijalca? Če je tako, lahko mi {0}, zelo pomaga!", - "Do you really want to reset this list? This action cannot be reverted.": "Ali res želite ponastaviti ta seznam? Tega dejanja ni mogoče razveljaviti.", - "Do you really want to uninstall the following {0} packages?": "Ali res želite odstraniti naslednje pakete {0}?", "Do you really want to uninstall {0} packages?": "Ali ste prepričano da želite odstraniti {0} paketov?", - "Do you really want to uninstall {0}?": "Ali zares želite odstraniti {0}?", "Do you want to restart your computer now?": "Ali želite ponovno zagnati vašo napravo zdaj?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Ali želite prevesti WingetUI v svoj jezik? Oglejte si, kako prispevati TUKAJ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Vam ni do darovanja? Ne skrbite, WingetUI lahko vedno delite s prijatelji. Razširite besedo o WingetUI.", "Donate": "Donirajte", - "Done!": "Končano!", - "Download failed": "Prenos ni uspel", - "Download installer": "Prenesite namestitveni program", - "Download operations are not affected by this setting": "Ta nastavitev ne vpliva na postopke prenosa", - "Download selected installers": "Prenesi izbrane namestitvene programe", - "Download succeeded": "Prenos uspel", "Download updated language files from GitHub automatically": "Samodejno prenesite posodobljene jezikovne datoteke z GitHub", "Downloading": "Prenašanje", - "Downloading backup...": "Prenašanje varnostne kopije...", "Downloading installer for {package}": "Prenos namestitvenega programa za {package}", "Downloading package metadata...": "Prenašanje metapodatkov paketa...", - "Enable Scoop cleanup on launch": "Omogoči čiščenje Scoop-a ob zagonu", - "Enable WingetUI notifications": "Omogoči obvestila WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Omogoči [poskusno] izboljšano orodje za odpravljanje težav z WinGet", - "Enable and disable package managers, change default install options, etc.": "Omogočite in onemogočite upravitelje paketov, spremenite privzete možnosti namestitve itd.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Omogoči optimizacije porabe CPU v ozadju (glej zahtevo za združitev #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Omogoči API v ozadju (WingetUI Widgets and Sharing, vrata 7058)", - "Enable it to install packages from {pm}.": "Omogočite ga za namestitev paketov iz {pm}.", - "Enable the automatic WinGet troubleshooter": "Omogočite samodejno orodje za odpravljanje težav WinGet", "Enable the new UniGetUI-Branded UAC Elevator": "Omogočite novo UAC Elevator z blagovno znamko UniGetUI", "Enable the new process input handler (StdIn automated closer)": "Omogoči nov obdelovalnik vhoda procesa (samodejni zapiralnik StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Spodnje nastavitve omogočite le, če popolnoma razumete, kaj počnejo, ter kakšne posledice imajo lahko.", - "Enable {pm}": "Omogoči {pm}", - "Enabled": "Omogočeno", - "Enter proxy URL here": "Vnesite URL posredniškega strežnika tukaj", - "Entries that show in RED will be IMPORTED.": "Vnosi, prikazani RDEČE, bodo UVOŽENI.", - "Entries that show in YELLOW will be IGNORED.": "Vnosi, prikazani RUMENO, bodo PREZRTI.", - "Error": "Napaka", - "Everything is up to date": "Vse je posodobljeno", - "Exact match": "Natančno ujemanje", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Obstoječe bližnjice na namizju bodo pregledane, izbrati boste morali, katere želite obdržati in katere odstraniti.", - "Expand version": "Razširite različico", - "Experimental settings and developer options": "Eksperimentalne nastavitve in opcije za razvijalce", - "Export": "Izvoz", - "Export log as a file": "Izvozi dnevnik kot datoteko", - "Export packages": "Izvozi pakete", - "Export selected packages to a file": "Izvozi označene pakete v datoteko", - "Export settings to a local file": "Izvozi nastavitve v lokalno datoteko", - "Export to a file": "Izvozi v datoteko", - "Failed": "Ni uspelo", - "Fetching available backups...": "Pridobivanje razpoložljivih varnostnih kopij...", + "Export log as a file": "Izvozi dnevnik kot datoteko", + "Export packages": "Izvozi pakete", + "Export selected packages to a file": "Izvozi označene pakete v datoteko", "Fetching latest announcements, please wait...": "Pridobivanje najnovejših objav, počakajte ...", - "Filters": "Filtri", "Finish": "Konec", - "Follow system color scheme": "Sledi sistemski barvni shemi", - "Follow the default options when installing, upgrading or uninstalling this package": "Pri nameščanju, nadgrajevanju ali odstranjevanju tega paketa upoštevaj privzete možnosti", - "For security reasons, changing the executable file is disabled by default": "Iz varnostnih razlogov je spreminjanje izvršljive datoteke privzeto onemogočeno", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Iz varnostnih razlogov so argumenti ukazne vrstice po meri privzeto onemogočeni. Če želite to spremeniti, odprite varnostne nastavitve UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Iz varnostnih razlogov so skripti pred in po operaciji privzeto onemogočeni. Če želite to spremeniti, odprite varnostne nastavitve UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Uporabi ARM prevedeno različico winget (SAMO ZA SISTEME ARM64)", - "Force install location parameter when updating packages with custom locations": "Ob posodabljanju paketov z lokacijami po meri vsili parameter mesta namestitve", "Formerly known as WingetUI": "Prej znan kot WingetUI", "Found": "Najdeno", "Found packages: ": "Najdeni paketi:", "Found packages: {0}": "Najdeno paketov: {0}", "Found packages: {0}, not finished yet...": "Najdemo paketov: {0}, nedokončanih...", - "General preferences": "Splošne nastavitve", "GitHub profile": "GitHub profil", "Global": "Globalno", - "Go to UniGetUI security settings": "Pojdi v varnostne nastavitve UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Odlično skladišče neznanih, a uporabnih pripomočkov in drugih zanimivih paketov.
Vsebuje: Pripomočke, programe ukazne vrstice, splošno programsko opremo (potrebno je vedro z dodatki)", - "Great! You are on the latest version.": "Odlično! Ste na najnovejši različici.", - "Grid": "Mreža", - "Help": "Pomoč", "Help and documentation": "Pomoč in dokumentacija", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tukaj lahko spremenite vedenje UniGetUI glede naslednjih bližnjic. Če označite bližnjico, jo bo UniGetUI izbrisal, če bo ustvarjena pri prihodnji nadgradnji. Če jo počistite, bo bližnjica ostala nedotaknjena", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Živijo, ime mi je Martí in sem razvijalec aplikacije WingetUI. WingetUI je bil v celoti izdelan v mojem prostem času!", "Hide details": "Skrij podrobnosti", - "Homepage": "Domača stran", - "homepage": "spletno stran", - "Hooray! No updates were found.": "Hura! Ni najdenih posodobitev!", "How should installations that require administrator privileges be treated?": "Kako naj ravnamo z namestitvami, ki zahtevajo skrbniške pravice?", - "How to add packages to a bundle": "Kako dodati pakete v sveženj", - "I understand": "Razumem", - "Icons": "Ikone", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Če imate omogočeno varnostno kopiranje v oblaku, bo shranjeno kot GitHub Gist v tem računu", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Dovoli izvajanje ukazov po meri pred namestitvijo in po njej", - "Ignore future updates for this package": "Ignoriraj posodobitve za ta paket", - "Ignore packages from {pm} when showing a notification about updates": "Prezri pakete iz {pm} pri prikazu obvestil o posodobitvah", - "Ignore selected packages": "Prezri izbrane pakete", - "Ignore special characters": "Ignorirajte posebne znake", "Ignore updates for the selected packages": "Prezri posodobitve za izbrane pakete", - "Ignore updates for this package": "Ignoriraj posodobitve za ta paket", "Ignored updates": "Prezrte posodobitve", - "Ignored version": "Prezrte različice", - "Import": "Uvozi", "Import packages": "Uvozi pakete", "Import packages from a file": "Uvozi pakete iz datoteke", - "Import settings from a local file": "Uvozi nastavitve iz lokalne datoteke", - "In order to add packages to a bundle, you will need to: ": "Za dodajanje paketov v sveženj morate:", "Initializing WingetUI...": "Inicializacija WingetUI ...", - "install": "namesti", - "Install": "Namesti", - "Install Scoop": "Namesti Scoop", "Install and more": "Namesti in več", "Install and update preferences": "Nastavitve namestitve in posodobitev", - "Install as administrator": "Namesti kot skrbnik", - "Install available updates automatically": "Samodejno namestite razpoložljive posodobitve", - "Install location can't be changed for {0} packages": "Mesta namestitve za pakete {0} ni mogoče spremeniti", - "Install location:": "Lokacija namestitve:", - "Install options": "Možnosti namestitve", "Install packages from a file": "Namesti pakete iz datoteke", - "Install prerelease versions of UniGetUI": "Namestite predizdajne različice UniGetUI", - "Install script": "Namestitveni skript", "Install selected packages": "Namestite izbrane pakete", "Install selected packages with administrator privileges": "Namestite izbrane pakete s skrbniškimi pravicami", - "Install selection": "Namestite izbor", "Install the latest prerelease version": "Namestite najnovejšo različico pred izdajo", "Install updates automatically": "Samodejno namestite posodobitve", - "Install {0}": "Namesti {0}", "Installation canceled by the user!": "Nameščanje prekinil uporabnik!", - "Installation failed": "Namestitev ni uspela", - "Installation options": "Možnosti namestitve", - "Installation scope:": "Obseg namestitve:", - "Installation succeeded": "Namestitev je uspela", - "Installed Packages": "Nameščeni paketi", "Installed packages": "Nameščeni paketi", - "Installed Version": "Nameščena različica", - "Installer SHA256": "Namestitveni program SHA256", - "Installer SHA512": "SHA512 namestitvenega programa", - "Installer Type": "Namestitveni program tip", - "Installer URL": "Namestitveni program URL", - "Installer not available": "Namestitveni program ni na voljo", "Instance {0} responded, quitting...": "Instanca {0} se odzvala, zapiram...", - "Instant search": "Takojšnje iskanje", - "Integrity checks can be disabled from the Experimental Settings": "Preverjanje integritete je mogoče onemogočiti v eksperimentalnih nastavitvah", - "Integrity checks skipped": "Preverjanje integritete preskočeno", - "Integrity checks will not be performed during this operation": "Preverjanje integritete ne bo izvedeno med to operacijo", - "Interactive installation": "Interaktivna namestitev", - "Interactive operation": "Interaktivna operacija", - "Interactive uninstall": "Interaktivna odstranitev", - "Interactive update": "Interaktivna posodobitev", - "Internet connection settings": "Nastavitve internetne povezave", - "Invalid selection": "Neveljaven izbor", "Is this package missing the icon?": "Ali ima ta paket manjkajočo ikono?", - "Is your language missing or incomplete?": "Ali vaš jezik manjka ali je nepopoln?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Ni zagotovila, da bodo poverilnice varno shranjene, zato ne uporabljajte bančnih podatkov", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Priporočljivo je, da znova zaženete UniGetUI, ko je WinGet popravljen", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Močno priporočamo, da znova namestite UniGetUI in s tem odpravite težavo.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Videti je, da WinGet ne deluje pravilno. Ali želite poskusiti popraviti WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Videti je, da ste WingetUI zagnali kot skrbnik, kar ni priporočljivo. Še vedno lahko uporabljate program, vendar priporočamo, da WingetUI ne izvajate s skrbniškimi pravicami. Kliknite \"{showDetails}\", da vidite zakaj.", - "Language": "Jezik", - "Language, theme and other miscellaneous preferences": "Jezik, tema in druge raznovrstne nastavitve", - "Last updated:": "Zadnja posodobitev:", - "Latest": "Zadnje", "Latest Version": "Zadnja različica", "Latest Version:": "Zadnja različica:", "Latest details...": "Zadnje podrobnosti...", "Launching subprocess...": "Zagon podprocesa ...", - "Leave empty for default": "Pustite prazno kot privzeto", - "License": "Licenca", "Licenses": "Licence", - "Light": "Svetla", - "List": "Seznam", "Live command-line output": "Trenutni izpis ukazne vrstice", - "Live output": "Trenutni izpis", "Loading UI components...": "Nalagam UI komponente...", "Loading WingetUI...": "Nalagam WingetUI...", - "Loading packages": "Nalaganje paketov", - "Loading packages, please wait...": "Nalaganje paketov, počakajte ...", - "Loading...": "Nalagam...", - "Local": "Lokalno", - "Local PC": "Lokalni PC", - "Local backup advanced options": "Napredne možnosti lokalnega varnostnega kopiranja", "Local machine": "Lokalni sistem", - "Local package backup": "Lokalno varnostno kopiranje paketov", "Locating {pm}...": "Lociranje {pm}...", - "Log in": "Prijava", - "Log in failed: ": "Prijava ni uspela: ", - "Log in to enable cloud backup": "Prijavite se, da omogočite varnostno kopiranje v oblaku", - "Log in with GitHub": "Prijava z GitHub", - "Log in with GitHub to enable cloud package backup.": "Za omogočanje varnostnega kopiranja paketov v oblaku se prijavite z GitHub.", - "Log level:": "Nivo logiranja:", - "Log out": "Odjava", - "Log out failed: ": "Odjava ni uspela: ", - "Log out from GitHub": "Odjava iz GitHub", "Looking for packages...": "Iščem pakete...", "Machine | Global": "Mašina | Globalno", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Napačno oblikovani argumenti ukazne vrstice lahko pokvarijo pakete ali celo omogočijo zlonamernemu akterju pridobitev povišanih pravic. Zato je uvoz argumentov ukazne vrstice po meri privzeto onemogočen.", - "Manage": "Upravljaj", - "Manage UniGetUI settings": "Upravljaj nastavitve UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Upravljajte obnašanje samodejnega zagona WingetUI v aplikaciji Nastavitve", "Manage ignored packages": "Upravljanje prezrtih paketov", - "Manage ignored updates": "Upravljanje prezrtih posodobitev", - "Manage shortcuts": "Upravljanje bližnjic", - "Manage telemetry settings": "Upravljaj nastavitve telemetrije", - "Manage {0} sources": "Upravljaj {0} virov", - "Manifest": "Datoteka manifesta", "Manifests": "Manifesti", - "Manual scan": "Ročno iskanje", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoftov uradni upravitelj paketov. Polno znanih in preverjenih paketov
Vsebuje: Splošno programsko opremo, aplikacije Microsoft Store", - "Missing dependency": "Manjka programska odvisnost", - "More": "Več", - "More details": "Več podrobnosti", - "More details about the shared data and how it will be processed": "Več podrobnosti o deljenih podatkih in njihovi obdelavi", - "More info": "Več informacij", - "More than 1 package was selected": "Izbranih je bilo več kot 1 paket", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OPOMBA: To orodje za odpravljanje težav lahko onemogočite v nastavitvah UniGetUI v razdelku WinGet", - "Name": "Naziv", - "New": "Novo", "New Version": "Nova različica", - "New version": "Nova različica", "New bundle": "Novi sveženj", - "Nice! Backups will be uploaded to a private gist on your account": "Odlično! Varnostne kopije bodo naložene v zasebni gist v vašem računu", - "No": "Ne", - "No applicable installer was found for the package {0}": "Za paket {0} ni bilo najdenega ustreznega namestitvenega programa", - "No dependencies specified": "Ni določenih odvisnosti", - "No new shortcuts were found during the scan.": "Med iskanjem niso bile najdene nove bližnjice.", - "No package was selected": "Noben paket ni bil izbran", "No packages found": "Ni najdenih paketov", "No packages found matching the input criteria": "Najden ni bil noben paket, ki bi ustrezal kriterijem vnosa", "No packages have been added yet": "Noben paket še ni bil dodan", "No packages selected": "Ni izbranih paketov", - "No packages were found": "Najden ni bil noben paket", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Osebni podatki se ne zbirajo niti pošiljajo, zbrani podatki so anonimizirani in jih ni mogoče povezati z vami.", - "No results were found matching the input criteria": "Ni bilo najdenih rezultatov, ki bi ustrezali kriterijem vnosa", "No sources found": "Ni virov", "No sources were found": "Viri niso bili najdeni", "No updates are available": "Na voljo ni nobena posodobitev", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Upravitelj paketov Node JS. Polno knjižnic in drugih pripomočkov, ki krožijo po svetu javascripta
Vsebuje: Knjižnice javascript vozlišča in druge povezane pripomočke", - "Not available": "Ni na voljo", - "Not finding the file you are looking for? Make sure it has been added to path.": "Ne najdete datoteke, ki jo iščete? Prepričajte se, da je bila dodana v PATH.", - "Not found": "Ni najdeno", - "Not right now": "Ne zdaj", "Notes:": "Opombe:", - "Notification preferences": "Nastavitve obvestil", "Notification tray options": "Možnosti vrstice z obvestili", - "Notification types": "Vrste obvestil", - "NuPkg (zipped manifest)": "NuPkg (stisnjen manifest)", - "OK": "V redu", "Ok": "V redu", - "Open": "Odpri", "Open GitHub": "Odpri GitHub", - "Open UniGetUI": "Odprite UniGetUI", - "Open UniGetUI security settings": "Odpri varnostne nastavitve UniGetUI", "Open WingetUI": "Odprite WingetUI", "Open backup location": "Odpri lokacijo varnostne kopije", "Open existing bundle": "Odpri obstoječi sveženj", - "Open install location": "Odpri mesto namestitve", "Open the welcome wizard": "Odprite čarovnika za dobrodošlico", - "Operation canceled by user": "Operacijo je preklical uporabnik", "Operation cancelled": "Operacija preklicana", - "Operation history": "Zgodovina delovanja", - "Operation in progress": "Operacija v teku", - "Operation on queue (position {0})...": "Operacija v čakalni vrsti (položaj {0}) ...", - "Operation profile:": "Profil operacije:", "Options saved": "Možnosti shranjene", - "Order by:": "Razvrsti po:", - "Other": "Ostalo", - "Other settings": "Druge nastavitve", - "Package": "Paket", - "Package Bundles": "Sveženj paketov", - "Package ID": "ID paketa", "Package Manager": "Upravljalnik paketov", - "Package manager": "Upravljalnik paketov", - "Package Manager logs": "Dnevniki upravitelja paketov", - "Package Managers": "Upravljalniki paketov", "Package managers": "Upravljalniki paketov", - "Package Name": "Naziv paketa", - "Package backup": "Varnostna kopija paketa", - "Package backup settings": "Nastavitve varnostnega kopiranja paketov", - "Package bundle": "Sveženj paketov", - "Package details": "Podrobnosti paketa", - "Package lists": "Seznami paketov", - "Package management made easy": "Upravljanje paketov na enostaven način", - "Package manager preferences": "Nastavitve upravitelja paketov", - "Package not found": "Paket ni bil najden", - "Package operation preferences": "Nastavitve operacij paketov", - "Package update preferences": "Nastavitve posodobitev paketov", "Package {name} from {manager}": "Paket {name} od {manager}", - "Package's default": "Privzeto za paket", "Packages": "Paketi", "Packages found: {0}": "Najdeni paketi: {0}", - "Partially": "Delno", - "Password": "Geslo", "Paste a valid URL to the database": "Prilepite veljaven URL v bazo podatkov", - "Pause updates for": "Začasno ustavi posodobitve za", "Perform a backup now": "Izvedite varnostno kopijo zdaj", - "Perform a cloud backup now": "Izvedi varnostno kopiranje v oblaku zdaj", - "Perform a local backup now": "Izvedi lokalno varnostno kopiranje zdaj", - "Perform integrity checks at startup": "Ob zagonu izvedi preverjanje integritete", - "Performing backup, please wait...": "Izvajanje varnostne kopije, počakajte ...", "Periodically perform a backup of the installed packages": "Občasno naredite varnostno kopijo nameščenih paketov", - "Periodically perform a cloud backup of the installed packages": "Redno izvajaj varnostno kopiranje nameščenih paketov v oblaku", - "Periodically perform a local backup of the installed packages": "Redno izvajaj lokalno varnostno kopiranje nameščenih paketov", - "Please check the installation options for this package and try again": "Preverite možnosti namestitve za ta paket in poskusite znova", - "Please click on \"Continue\" to continue": "Kliknite »Nadaljuj« za nadaljevanje", "Please enter at least 3 characters": "Vnesite vsaj 3 znake", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Upoštevajte, da nekaterih paketov morda ne bo mogoče namestiti zaradi upraviteljev paketov, ki so omogočeni na tej napravi.", - "Please note that not all package managers may fully support this feature": "Upoštevajte, da vsi upravljalniki paketov morda ne podpirajo te funkcije", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Upoštevajte, da paketov iz določenih virov morda ni mogoče izvoziti. Obarvani so sivo in ne bodo izvoženi.", - "Please run UniGetUI as a regular user and try again.": "Zaženite UniGetUI kot običajni uporabnik in poskusite znova.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Za nadaljnje informacije o težavi si oglejte Izpis ukazne vrstice ali glejte Zgodovino delovanja.", "Please select how you want to configure WingetUI": "Izberite, kako želite konfigurirati WingetUI", - "Please try again later": "Poskusite znova pozneje", "Please type at least two characters": "Vnesite vsaj dva znaka", - "Please wait": "Prosim počakajte", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Počakajte, da se {0} namesti. Lahko se prikaže črno okno. Počakajte, da se zapre.", - "Please wait...": "Prosim počakajte...", "Portable": "Prenosna različica", - "Portable mode": "Prenosni način", - "Post-install command:": "Ukaz po namestitvi:", - "Post-uninstall command:": "Ukaz po odstranitvi:", - "Post-update command:": "Ukaz po posodobitvi:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Upravitelj paketov PowerShell. Poiščite knjižnice in skripte za razširitev zmogljivosti lupine PowerShell
Vsebuje: Module, skripte, cmdlete", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Ukazi pred namestitvijo in po njej lahko vaši napravi storijo zelo škodljive stvari, če so za to zasnovani. Uvoz teh ukazov iz svežnja je lahko zelo nevaren, razen če zaupate viru tega svežnja paketov", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Ukazi pred namestitvijo in po njej se bodo zagnali pred in po namestitvi, nadgradnji ali odstranitvi paketa. Upoštevajte, da lahko povzročijo težave, če jih ne uporabljate previdno", - "Pre-install command:": "Ukaz pred namestitvijo:", - "Pre-uninstall command:": "Ukaz pred odstranitvijo:", - "Pre-update command:": "Ukaz pred posodobitvijo:", - "PreRelease": "Predizdaja", - "Preparing packages, please wait...": "Priprava paketov, počakajte ...", - "Proceed at your own risk.": "Nadaljujte na lastno odgovornost.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Prepovej kakršnokoli povišanje pravic prek UniGetUI Elevator ali GSudo", - "Proxy URL": "URL posredniškega strežnika", - "Proxy compatibility table": "Tabela združljivosti posredniškega strežnika", - "Proxy settings": "Nastavitve posredniškega strežnika", - "Proxy settings, etc.": "Nastavitve posredniškega strežnika itd.", "Publication date:": "Datum objave:", - "Publisher": "Založnik", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Upravitelj knjižnice Python. Polno knjižnic Python in drugih pripomočkov, povezanih s Pythonom
Vsebuje: Knjižnice Python in sorodni pripomočki", - "Quit": "Izhod", "Quit WingetUI": "Zapri WingetUI", - "Ready": "Pripravljen", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Zmanjšaj pozive UAC, privzeto povišaj namestitve, odkleni nekatere nevarne funkcije itd.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Za več podrobnosti o prizadetih datotekah si oglejte dnevnike UniGetUI", - "Reinstall": "Ponovno namestite", - "Reinstall package": "Ponovno namestite paket", - "Related settings": "Povezane nastavitve", - "Release notes": "Opombe ob izdaji", - "Release notes URL": "URL opomb ob izdaji", "Release notes URL:": "URL opomb ob izdaji:", "Release notes:": "Opombe ob izdaji:", "Reload": "Osveži", - "Reload log": "Osveži dnevnik", "Removal failed": "Odstranjevanje spodletelo", "Removal succeeded": "Odstranjevanje uspešno", - "Remove from list": "Odstrani iz seznama", "Remove permanent data": "Odstranite trajne podatke", - "Remove selection from bundle": "Odstrani izbiro iz svežnja", "Remove successful installs/uninstalls/updates from the installation list": "Odstranite uspešne namestitve/odstranitve/posodobitve s seznama namestitve", - "Removing source {source}": "Odstranjevanje vira {source}", - "Removing source {source} from {manager}": "Odstranjevanje vira {source} iz {manager}", - "Repair UniGetUI": "Popravi UniGetUI", - "Repair WinGet": "Popravi WinGet", - "Report an issue or submit a feature request": "Prijavite težavo ali oddajte zahtevo po novi funkciji", "Repository": "Repozitorij", - "Reset": "Ponastavi", "Reset Scoop's global app cache": "Ponastavite globalni predpomnilnik aplikacije Scoop", - "Reset UniGetUI": "Ponastavite UniGetUI", - "Reset WinGet": "Ponastavite WinGet", "Reset Winget sources (might help if no packages are listed)": "Ponastavi vire Winget (morda pomaga, če ni najdenih nobenih paketov)", - "Reset WingetUI": "Ponastavite WingetUI", "Reset WingetUI and its preferences": "Ponastavite WingetUI in njegove nastavitve", "Reset WingetUI icon and screenshot cache": "Ponastavite ikono WingetUI in predpomnilnik posnetkov zaslona", - "Reset list": "Ponastavi seznam", "Resetting Winget sources - WingetUI": "Ponastavitev virov Winget - WingetUI", - "Restart": "Ponovni zagon", - "Restart UniGetUI": "Ponovni zagon UniGetUI", - "Restart WingetUI": "Ponovno zaženi WingetUI", - "Restart WingetUI to fully apply changes": "Znova zaženite WingetUI, da v celoti uveljavite spremembe", - "Restart later": "Ponovno zaženi kasneje", "Restart now": "Ponovni zagon", - "Restart required": "Potreben ponovni zagon", "Restart your PC to finish installation": "Ponovno zaženite vaš računalnik za dokončanje namestitve", "Restart your computer to finish the installation": "Za dokončanje namestitve znova zaženite napravo", - "Restore a backup from the cloud": "Obnovi varnostno kopijo iz oblaka", - "Restrictions on package managers": "Omejitve upraviteljev paketov", - "Restrictions on package operations": "Omejitve paketnih operacij", - "Restrictions when importing package bundles": "Omejitve pri uvažanju svežnjev paketov", - "Retry": "Poskusite znova", - "Retry as administrator": "Poskusite znova kot skrbnik", "Retry failed operations": "Poskusi znova z neuspešnimi operacijami", - "Retry interactively": "Poskusite znova interaktivno", - "Retry skipping integrity checks": "Ponovno poskusi brez preverjanja integritete", "Retrying, please wait...": "Ponovni poskus, počakajte ...", "Return to top": "Nazaj na vrh", - "Run": "Zaženi", - "Run as admin": "Zaženi kot skrbnik", - "Run cleanup and clear cache": "Zaženite čiščenje in počistite predpomnilnik", - "Run last": "Zaženi zadnje", - "Run next": "Zaženi naslednje", - "Run now": "Zaženi zdaj", "Running the installer...": "Zagon namestitvenega programa ...", "Running the uninstaller...": "Zagon programa za odstranjevanje ...", "Running the updater...": "Izvajanje posodobitve ...", - "Save": "Shrani", "Save File": "Shrani datoteko", - "Save and close": "Shrani in zapri", - "Save as": "Shrani kot", - "Save bundle as": "Shrani sveženj kot", - "Save now": "Shrani zdaj", - "Saving packages, please wait...": "Shranjevanje paketov, počakajte ...", - "Scoop Installer - WingetUI": "Scoop Installer - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop Uninstaller - WingetUI", - "Scoop package": "Scoop paket", + "Save bundle as": "Shrani sveženj kot", + "Save now": "Shrani zdaj", "Search": "Iskanje", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Poiščite namizno programsko opremo, opozorite me, ko so na voljo posodobitve, in ne počnite piflarskih stvari. Ne želim, da WingetUI preveč komplicira, želim samo preprosto trgovino s programsko opremo", - "Search for packages": "Išči za pakete", - "Search for packages to start": "Za začetek poiščite pakete", - "Search mode": "Način iskanja", "Search on available updates": "Poiščite razpoložljive posodobitve", "Search on your software": "Iščite v vaši programski opremi", "Searching for installed packages...": "Iščem za nameščene pakete...", "Searching for packages...": "Iščem pakete", "Searching for updates...": "Iskanje posodobitev ...", - "Select": "Izberi", "Select \"{item}\" to add your custom bucket": "Izberite \"{item}\", da dodate svoj bucket po meri", "Select a folder": "Izberi mapo", - "Select all": "Označi vse", "Select all packages": "Izberite vse pakete", - "Select backup": "Izberite varnostno kopijo", "Select only if you know what you are doing.": "Izberite samo, če veste, kaj počnete.", "Select package file": "Izberi paketno datoteko", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Izberite varnostno kopijo, ki jo želite odpreti. Pozneje boste lahko pregledali, katere pakete ali programe želite obnoviti.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Izberite izvršljivo datoteko, ki jo želite uporabiti. Naslednji seznam prikazuje izvršljive datoteke, ki jih je našel UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Izberite procese, ki jih je treba zapreti, preden se ta paket namesti, posodobi ali odstrani.", - "Select the source you want to add:": "Izberite vir, ki ga želite dodati:", - "Select upgradable packages by default": "Privzeto izberite nadgradljive pakete", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Izberite, katere upravljalnike paketov želite uporabiti ({0}), konfigurirajte, kako se namestijo paketi, upravljajte, kako se obravnavajo skrbniške pravice itd.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Poslano rokovanje. Čakanje na odgovor... ({0}%)", - "Set a custom backup file name": "Nastavite ime datoteke varnostne kopije po meri", "Set custom backup file name": "Nastavite ime datoteke varnostne kopije po meri", - "Settings": "Nastavitve", - "Share": "Deli", "Share WingetUI": "Deli WingetUI", - "Share anonymous usage data": "Deli anonimne podatke o uporabi", - "Share this package": "Deli paket", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Če spremenite varnostne nastavitve, boste morali sveženj znova odpreti, da bodo spremembe začele veljati.", "Show UniGetUI on the system tray": "Prikaži UniGetUI na sistemski vrstici", - "Show UniGetUI's version and build number on the titlebar.": "Pokaži različico UniGetUI in številko izgradnje v naslovni vrstici.", - "Show WingetUI": "Prikaži WingetUI", "Show a notification when an installation fails": "Pokaži obvestilo, ko namestitev ne uspe", "Show a notification when an installation finishes successfully": "Pokažite obvestilo, ko se namestitev uspešno konča", - "Show a notification when an operation fails": "Pokaži obvestilo, ko operacija ne uspe", - "Show a notification when an operation finishes successfully": "Pokažite obvestilo, ko se operacija uspešno konča", - "Show a notification when there are available updates": "Prikaži obvestilo, ko so na voljo posodobitve", - "Show a silent notification when an operation is running": "Pokaži tiho obvestilo, ko se operacija izvaja", "Show details": "Prikaži podrobnosti", - "Show in explorer": "Pokaži v raziskovalcu", "Show info about the package on the Updates tab": "Prikaži informacije o paketu na zavihku Posodobitve", "Show missing translation strings": "Prikaži manjkajoče prevajalske nize", - "Show notifications on different events": "Prikažite obvestila o različnih dogodkih", "Show package details": "Prikaži podrobnosti paketa", - "Show package icons on package lists": "Pokaži ikone paketov na seznamih paketov", - "Show similar packages": "Prikaži podobne pakete", "Show the live output": "Prikaži izhod v živo", - "Size": "Velikost", "Skip": "Preskoči", - "Skip hash check": "Preskoči preverjanje zgoščevanja", - "Skip hash checks": "Preskoči preverjanje zgoščene vrednosti", - "Skip integrity checks": "Preskoči preverjanje celovitosti", - "Skip minor updates for this package": "Preskoči manjše posodobitve za ta paket", "Skip the hash check when installing the selected packages": "Preskočite preverjanje zgoščene vrednosti pri namestitvi izbranih paketov", "Skip the hash check when updating the selected packages": "Pri posodabljanju izbranih paketov preskočite preverjanje zgoščene vrednosti", - "Skip this version": "Preskoči to različico", - "Software Updates": "Posodobitve paketov", - "Something went wrong": "Nekaj je šlo narobe", - "Something went wrong while launching the updater.": "Pri zagonu posodobitvenega programa je prišlo do napake.", - "Source": "Vir", - "Source URL:": "URL vira:", - "Source added successfully": "Vir uspešno dodan", "Source addition failed": "Dodajanje vira ni uspelo", - "Source name:": "Ime vira:", "Source removal failed": "Odstranitev vira ni uspela", - "Source removed successfully": "Vir uspešno odstranjen", "Source:": "Vir:", - "Sources": "Viri", "Start": "Začni", "Starting daemons...": "Zaganjam daemons...", - "Starting operation...": "Zaganjanje operacije...", "Startup options": "Možnosti zagona", "Status": "Stanje", "Stuck here? Skip initialization": "Ste obtičali? Preskočite inicializacijo", - "Success!": "Uspeh!", "Suport the developer": "Podprite razvijalca", "Support me": "Podpri me", "Support the developer": "Podpri razvijalca", "Systems are now ready to go!": "Sistemi so zdaj pripravljeni za uporabo!", - "Telemetry": "Telemetrija", - "Text": "Besedilo", "Text file": "Tekstovna datoteka", - "Thank you ❤": "Hvala ❤", "Thank you 😉": "Hvala 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Upravitelj paketov Rust.
Vsebuje: Knjižnice in programe Rust, napisane v Rustu", - "The backup will NOT include any binary file nor any program's saved data.": "Varnostna kopija NE bo vključevala nobene binarne datoteke ali shranjenih podatkov katerega koli programa.", - "The backup will be performed after login.": "Varnostno kopiranje bo izvedeno po prijavi.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Varnostna kopija bo vsebovala celoten seznam nameščenih paketov in možnosti njihove namestitve. Shranjene bodo tudi prezrte posodobitve in preskočene različice.", - "The bundle was created successfully on {0}": "Sveženj je bil uspešno ustvarjen dne {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Zdi se, da paket, ki ga poskušate naložiti, ni veljaven. Preverite datoteko in poskusite znova.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Kontrolna vsota namestitvenega programa ne sovpada s pričakovano vrednostjo in pristnosti namestitvenega programa ni mogoče preveriti. Če zaupate založniku, {0} paket znova brez preverjanje kontrolne vsote.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Klasični upravitelj paketov za Windows. Tukaj boste našli vse.
Vsebuje: Splošno programsko opremo", - "The cloud backup completed successfully.": "Varnostno kopiranje v oblaku je bilo uspešno dokončano.", - "The cloud backup has been loaded successfully.": "Varnostna kopija iz oblaka je bila uspešno naložena.", - "The current bundle has no packages. Add some packages to get started": "Trenutni sveženj nima paketov. Za začetek dodajte nekaj paketov", - "The executable file for {0} was not found": "Izvršljiva datoteka za {0} ni bila najdena", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Naslednje možnosti bodo privzeto uporabljene vsakič, ko bo paket {0} nameščen, nadgrajen ali odstranjen.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Naslednji paketi bodo izvoženi v datoteko JSON. Nobeni uporabniški podatki ali binarne datoteke ne bodo shranjeni.", "The following packages are going to be installed on your system.": "Naslednji paketi bodo nameščeni v vašem sistemu.", - "The following settings may pose a security risk, hence they are disabled by default.": "Naslednje nastavitve lahko predstavljajo varnostno tveganje, zato so privzeto onemogočene.", - "The following settings will be applied each time this package is installed, updated or removed.": "Naslednje nastavitve bodo uporabljene vsakič, ko bo ta paket nameščen, posodobljen ali odstranjen.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Naslednje nastavitve bodo uporabljene vsakič, ko bo ta paket nameščen, posodobljen ali odstranjen. Shranjeni bodo samodejno.", "The icons and screenshots are maintained by users like you!": "Ikone in posnetke zaslona vzdržujejo uporabniki, kot ste vi!", - "The installation script saved to {0}": "Namestitveni skript je bil shranjen v {0}", - "The installer authenticity could not be verified.": "Pristnosti namestitvenega programa ni bilo mogoče preveriti.", "The installer has an invalid checksum": "Instalacija ima neveljavno kontrolno vsoto", "The installer hash does not match the expected value.": "Zgoščena vrednost namestitvenega programa se ne ujema s pričakovano vrednostjo.", - "The local icon cache currently takes {0} MB": "Lokalni predpomnilnik ikon trenutno zaseda {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Glavni cilj tega projekta je ustvariti intuitiven uporabniški vmesnik za najpogostejše upravitelje paketov CLI za Windows, kot sta Winget in Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket \"{0}\" ni bil najden v upravitelju paketov \"{1}\"", - "The package bundle could not be created due to an error.": "Paketa ni bilo mogoče ustvariti zaradi napake.", - "The package bundle is not valid": "Sveženj paketov ni veljaven", - "The package manager \"{0}\" is disabled": "Upravitelj paketov \"{0}\" je onemogočen", - "The package manager \"{0}\" was not found": "Upravitelj paketov \"{0}\" ni bil najden", "The package {0} from {1} was not found.": "Paket {0} od {1} ni bil najden.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Tukaj navedeni paketi ne bodo upoštevani pri preverjanju posodobitev. Dvokliknite jih ali kliknite gumb na njihovi desni, če želite prenehati ignorirati njihove posodobitve.", "The selected packages have been blacklisted": "Izbrani paketi so bili uvrščeni na črni seznam", - "The settings will list, in their descriptions, the potential security issues they may have.": "Nastavitve bodo v svojih opisih navajale morebitna varnostna tveganja, ki jih lahko prinašajo.", - "The size of the backup is estimated to be less than 1MB.": "Velikost varnostne kopije je ocenjena na manj kot 1 MB.", - "The source {source} was added to {manager} successfully": "Vir {source} je bil uspešno dodan v {manager}", - "The source {source} was removed from {manager} successfully": "Vir {source} je bil uspešno odstranjen iz {manager}", - "The system tray icon must be enabled in order for notifications to work": "Ikona v sistemski vrstici mora biti omogočena za delovanje obvestil", - "The update process has been aborted.": "Postopek posodobitve je bil prekinjen.", - "The update process will start after closing UniGetUI": "Postopek posodabljanja se bo začel po zaprtju UniGetUI", "The update will be installed upon closing WingetUI": "Posodobitev bo nameščena, ko zaprete WingetUI", "The update will not continue.": "Posodobitev se ne bo nadaljevala.", "The user has canceled {0}, that was a requirement for {1} to be run": "Uporabnik je preklical {0}, kar je bilo potrebno za zagon {1}", - "There are no new UniGetUI versions to be installed": "Ni novih različic UniGetUI za namestitev", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "V teku so operacije. Zapustitev WingetUI lahko povzroči njihovo odpoved. Želite nadaljevati?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Na YouTubu je nekaj odličnih videoposnetkov, ki prikazujejo WingetUI in njegove zmogljivosti. Lahko se naučite koristnih trikov in nasvetov!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Obstajata dva glavna razloga, da WingetUI ne zaženete kot skrbnik:\\n Prvi je, da lahko upravljalnik paketov Scoop povzroči težave z nekaterimi ukazi, če se izvaja s skrbniškimi pravicami.\\n Drugi je, da zagon WingetUI kot skrbnik pomeni, da kateri koli paket ki ga prenesete, se bo zagnal kot skrbnik (in to ni varno).\\n Ne pozabite, da če morate namestiti določen paket kot skrbnik, lahko vedno z desno miškino tipko kliknete element -> Namesti/Posodobi/Odstrani kot skrbnik.", - "There is an error with the configuration of the package manager \"{0}\"": "Prišlo je do napake pri konfiguraciji upravitelja paketov \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "V teku je namestitev. Če zaprete WingetUI, lahko namestitev ne uspe in ima nepričakovane rezultate. Ali še vedno želite zapustiti WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "So programi, ki so zadolženi za namestitev, posodabljanje in odstranjevanje paketov.", - "Third-party licenses": "Licence tretjih oseb", "This could represent a security risk.": "To lahko predstavlja varnostno tveganje.", - "This is not recommended.": "To ni priporočljivo.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "To je verjetno posledica dejstva, da je bil paket, ki ste ga prejeli, odstranjen ali objavljen v upravitelju paketov, ki ga niste omogočili. Prejeti ID je {0}", "This is the default choice.": "To je privzeta izbira.", - "This may help if WinGet packages are not shown": "To lahko pomaga, če paketi WinGet niso prikazani", - "This may help if no packages are listed": "To lahko pomaga, če ni prikazanih paketov", - "This may take a minute or two": "To lahko traja minuto ali dve", - "This operation is running interactively.": "Ta operacija se izvaja interaktivno.", - "This operation is running with administrator privileges.": "Ta operacija se izvaja s skrbniškimi pravicami.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ta možnost BO povzročila težave. Vsaka operacija, ki se ne more sama povišati, BO SPODLETELA. Namestitev, posodobitev ali odstranitev kot skrbnik NE BO delovala.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ta sveženj paketov je vseboval nekatere potencialno nevarne nastavitve, ki bodo morda privzeto prezrte.", "This package can be updated": "Ta paket je mogoče posodobiti", "This package can be updated to version {0}": "Ta paket je mogoče posodobiti na različico {0}", - "This package can be upgraded to version {0}": "Ta paket je mogoče nadgraditi na različico {0}", - "This package cannot be installed from an elevated context.": "Tega paketa ni mogoče namestiti iz povišanega konteksta.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Ta paket nima posnetkov zaslona ali manjka ikona? Prispevajte k WingetUI tako, da dodate manjkajoče ikone in posnetke zaslona v našo odprto javno bazo podatkov.", - "This package is already installed": "Ta paket je že nameščen", - "This package is being processed": "Ta paket je v obdelavi", - "This package is not available": "Ta paket ni na voljo", - "This package is on the queue": "Ta paket je v čakalni vrsti", "This process is running with administrator privileges": "Ta proces teče z administracijskimi pravicami", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ta projekt nima nobene povezave z uradnim projektom {0} – je popolnoma neuraden.", "This setting is disabled": "Ta nastavitev je onemogočena", "This wizard will help you configure and customize WingetUI!": "Ta čarovnik vam bo pomagal konfigurirati in prilagoditi WingetUI!", "Toggle search filters pane": "Preklop podokna iskalnih filtrov", - "Translators": "Prevajalci", - "Try to kill the processes that refuse to close when requested to": "Poskusi končati procese, ki se ob zahtevi nočejo zapreti", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Vklop te možnosti omogoča spreminjanje izvršljive datoteke, ki se uporablja za delo z upravitelji paketov. Čeprav to omogoča natančnejše prilagajanje postopkov namestitve, je lahko tudi nevarno", "Type here the name and the URL of the source you want to add, separed by a space.": "Tukaj vnesite ime in URL vira, ki ga želite dodati, ločena s presledkom.", "Unable to find package": "Paketa ni mogoče najti", "Unable to load informarion": "Informacij ni mogoče naložiti", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI zbira anonimne podatke o uporabi z namenom izboljšanja uporabniške izkušnje.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI zbira anonimne podatke izključno za razumevanje in izboljšanje uporabniške izkušnje.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI je zaznal novo bližnjico na namizju, ki jo je mogoče samodejno izbrisati.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI je zaznal naslednje bližnjice, ki jih je mogoče samodejno odstraniti ob prihodnjih nadgradnjah", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI je zaznal {0} novih bližnjic na namizju, ki jih je mogoče samodejno izbrisati.", - "UniGetUI is being updated...": "UniGetUI se posodablja ...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ni povezan z nobenim od združljivih upravljalnikov paketov. UniGetUI je neodvisen projekt.", - "UniGetUI on the background and system tray": "UniGetUI v ozadju in sistemski vrstici", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ali nekatere njegove komponente manjkajo ali so poškodovane.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI potrebuje {0} za delovanje, vendar ni bil najden v vašem sistemu.", - "UniGetUI startup page:": "Začetna stran UniGetUI:", - "UniGetUI updater": "UniGetUI posodobitveni program", - "UniGetUI version {0} is being downloaded.": "Prenos različice UniGetUI {0} poteka.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} je pripravljen za namestitev.", - "uninstall": "odstrani", - "Uninstall": "Odstrani", - "Uninstall Scoop (and its packages)": "Odstrani Scoop (in njegove pakete)", "Uninstall and more": "Odstrani in več", - "Uninstall and remove data": "Odmestite in odstranite podatke", - "Uninstall as administrator": "Odstrani kot skrbnik", "Uninstall canceled by the user!": "Uporabnik je preklical odstranitev!", - "Uninstall failed": "Odmestitev ni uspela", - "Uninstall options": "Možnosti odstranitve", - "Uninstall package": "Odstrani paket", - "Uninstall package, then reinstall it": "Odstranite paket in ga nato znova namestite", - "Uninstall package, then update it": "Odstranite paket in ga nato posodobite", - "Uninstall previous versions when updated": "Ob posodobitvi odstrani prejšnje različice", - "Uninstall selected packages": "Odstrani izbrane pakete", - "Uninstall selection": "Odstrani izbor", - "Uninstall succeeded": "Odmestitev uspešna", "Uninstall the selected packages with administrator privileges": "Odstranite izbrane pakete s skrbniškimi pravicami", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Paketi, ki jih ni mogoče namestiti in katerih izvor je naveden kot \"{0}\", niso objavljeni v nobenem upravitelju paketov, zato o njih ni na voljo nobenih informacij.", - "Unknown": "Neznano", - "Unknown size": "Neznana velikost", - "Unset or unknown": "Nepostavljeno ali neznano", - "Up to date": "Ažurno", - "Update": "Posodobi", - "Update WingetUI automatically": "Posodobi WingetUI samodejno", - "Update all": "Posodobi vse", "Update and more": "Posodobi in več", - "Update as administrator": "Posodobi kot skrbnik", - "Update check frequency, automatically install updates, etc.": "Pogostost preverjanja posodobitev, samodejna namestitev posodobitev itd.", - "Update checking": "Preverjanje posodobitev", "Update date": "Datum posodobitve", - "Update failed": "Posodobitev spodletela", "Update found!": "Najdena posodobitev!", - "Update now": "Posodobi zdaj", - "Update options": "Možnosti posodobitve", "Update package indexes on launch": "Ob zagonu posodobi indekse paketov", "Update packages automatically": "Posodobi pakete samodejno", "Update selected packages": "Posodobi označene pakete", "Update selected packages with administrator privileges": "Posodobite izbrane pakete s skrbniškimi pravicami", - "Update selection": "Posodobi izbor", - "Update succeeded": "Posodobite uspešna", - "Update to version {0}": "Posodobite na različico {0}", - "Update to {0} available": "Posodobitev na {0} na voljo", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Samodejno posodobi Git portfile za vcpkg (zahteva nameščen Git)", "Updates": "Posodobitve", "Updates available!": "Na voljo so posodobitve!", - "Updates for this package are ignored": "Posodobitve za ta paket so prezrte", - "Updates found!": "Najdene posodobitve!", "Updates preferences": "Posodobitve nastavitev", "Updating WingetUI": "Posodobitev WingetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Uporabi starejši priložen WinGet namesto PowerShell CMDLetov", - "Use a custom icon and screenshot database URL": "Uporabite ikono po meri in URL zbirke podatkov posnetkov zaslona", "Use bundled WinGet instead of PowerShell CMDlets": "Uporabi priložen WinGet namesto PowerShell CMDLetov", - "Use bundled WinGet instead of system WinGet": "Uporabite vgrajeni WinGet namesto sistemskega WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Uporabi nameščeni GSudo namesto UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Uporabi nameščen GSudo namesto priloženega (zahteva ponovni zagon aplikacije)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Uporabi starejši UniGetUI Elevator (lahko pomaga, če imate težave z UniGetUI Elevator)", - "Use system Chocolatey": "Uporabite sistem Chocolatey", "Use system Chocolatey (Needs a restart)": "Uporabi sistemski Chocolatey (Potreben je ponovni zagon)", "Use system Winget (Needs a restart)": "Uporabi sistemski Winget (Potreben je ponovni zagon)", "Use system Winget (System language must be set to english)": "Uporabi sistem Winget (sistemski jezik mora biti nastavljen na angleščino)", "Use the WinGet COM API to fetch packages": "Uporabi COM API WinGet za pridobivanje paketov", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Uporabi PowerShell modul WinGet namesto COM API", - "Useful links": "Uporabne povezave", "User": "Uporabnik", - "User interface preferences": "Nastavitve uporabniškega vmesnika", "User | Local": "Uporabnik | Lokalno", - "Username": "Uporabniško ime", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Uporaba WingetUI pomeni sprejetje licence GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Z uporabo WingetUI se strinjate z MIT licenco", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Korena vcpkg ni bilo mogoče najti. Določite okoljsko spremenljivko %VCPKG_ROOT% ali jo nastavite v nastavitvah UniGetUI.", "Vcpkg was not found on your system.": "Vcpkg ni bil najden v vašem sistemu.", - "Verbose": "Podrobno", - "Version": "Različica", - "Version to install:": "Verzija za namestitev:", - "Version:": "Različica:", - "View GitHub Profile": "Ogled profila GitHub", "View WingetUI on GitHub": "Oglejte si WingetUI na GitHubu", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Oglejte si izvorno kodo WingetUI. Od tam lahko poročate o napakah ali predlagate funkcije ali pa dogodki prispevajo neposredno k projektu WingetUI", - "View mode:": "Način pogleda:", - "View on UniGetUI": "Ogled v UniGetUI", - "View page on browser": "Oglej si stran v brskalniku", - "View {0} logs": "Ogled dnevnikov za {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Počakajte, da se naprava poveže z internetom, preden začnete z opravili, ki zahtevajo povezavo.", "Waiting for other installations to finish...": "Čakam, da se druge namestitve končajo...", "Waiting for {0} to complete...": "Čakanje na zaključek {0}...", - "Warning": "Opozorilo", - "Warning!": "Opozorilo!", - "We are checking for updates.": "Preverjamo posodobitve.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Podrobnih informacij o tem paketu nismo mogli naložiti, ker ga ni bilo mogoče najti v nobenem od vaših virov paketov", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Podrobnih informacij o tem paketu nismo mogli naložiti, ker ni bil nameščen iz razpoložljivega upravitelja paketov.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nismo mogli {action} {package}. Prosim poskusite kasneje. Kliknite \"{showDetails}\", da dobite dnevnik namestitvenega programa.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nismo mogli {action} {package}. Prosim poskusite kasneje. Kliknite \"{showDetails}\", da dobite dnevnike programa za odstranjevanje.", "We couldn't find any package": "Nismo našli nobenega paketa", "Welcome to WingetUI": "Dobrodošli v WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Pri paketni namestitvi iz svežnja namesti tudi pakete, ki so že nameščeni", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Ko so zaznane nove bližnjice, jih samodejno izbriši brez prikaza tega pogovornega okna.", - "Which backup do you want to open?": "Katero varnostno kopijo želite odpreti?", "Which package managers do you want to use?": "Katere upravitelje paketov želite uporabiti?", "Which source do you want to add?": "Kateri vir želite dodati?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Medtem ko se Winget lahko uporablja znotraj WingetUI, se WingetUI lahko uporablja z drugimi upravitelji paketov, kar je lahko zmedeno. V preteklosti je bil WingetUI zasnovan tako, da deluje samo z Wingetom, vendar to ni več res, zato WingetUI ne predstavlja tega, kar ta projekt želi postati.", - "WinGet could not be repaired": "WinGet ni bilo mogoče popraviti", - "WinGet malfunction detected": "Zaznana okvara WinGet", - "WinGet was repaired successfully": "WinGet je bil uspešno popravljen", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "WingetUI - Vse je posodobljeno", "WingetUI - {0} updates are available": "WingetUI - Na voljo je {0} posodobitev", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Domača stran WingetUI", "WingetUI Homepage - Share this link!": "Domača stran WingetUI – delite to povezavo!", - "WingetUI License": "Licenca WingetUI", - "WingetUI Log": "WingetUI dnevnik", - "WingetUI log": "WingetUI dnevnik", - "WingetUI Repository": "Repozitorij WingetUI", - "WingetUI Settings": "WingetUI nastavitve", "WingetUI Settings File": "Datoteka z nastavitvami WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI uporablja naslednje knjižnice. Brez njih UniGetUI ne bi bil mogoč.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI uporablja naslednje knjižnice. Brez njih WingetUI ne bi bil mogoč.", - "WingetUI Version {0}": "WingetUI različica {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI vedenje samodejnega zagona, nastavitve zagona aplikacije", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI lahko preveri, ali ima vaša programska oprema na voljo posodobitve, in jih po želji samodejno namesti", - "WingetUI display language:": "Prikazni jezik v WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI je bil zagnan kot skrbnik, kar ni priporočljivo. Ko WingetUI izvajate kot skrbnik, bo imela VSAKA operacija, zagnana iz WingetUI, skrbniške pravice. Še vedno lahko uporabljate program, vendar zelo priporočamo, da WingetUI ne izvajate s skrbniškimi pravicami.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI je bil zahvaljujoč prostovoljnim prevajalcem preveden v več kot 40 jezikov. Hvala 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI ni bil strojno preveden! Za prevode so bili zadolženi naslednji uporabniki:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI je aplikacija, ki poenostavi upravljanje vaše programske opreme z zagotavljanjem grafičnega vmesnika vse v enem za vaše upravitelje paketov v ukazni vrstici.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI se bo preimenoval, da se poudari razlika med WingetUI (vmesnik, ki ga trenutno uporabljate) in Winget (upravitelj paketov, ki ga je razvil Microsoft in s katerim nisem povezan)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI se posodablja. Po končani operaciji se bo WingetUI ponovno zagnal", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI je brezplačen in bo brezplačen za vedno. Brez oglasov, brez kreditne kartice, brez premium različice. 100 % brezplačno, za vedno.", + "WingetUI log": "WingetUI dnevnik", "WingetUI tray application preferences": "WingetUI nastavitve sistemske vrstice", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI uporablja naslednje knjižnice. Brez njih WingetUI ne bi bil mogoč.", "WingetUI version {0} is being downloaded.": "WingetUI različica {0} se prenaša.", "WingetUI will become {newname} soon!": "WingetUI bo kmalu postal {newname}!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI ne bo redno preverjal posodobitev. Še vedno bodo preverjeni ob zagonu, vendar nanje ne boste opozorjeni.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI bo prikazal poziv UAC vsakič, ko bo paket zahteval namestitev nadgradnje.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI se bo kmalu imenoval {newname}. To ne pomeni nobene spremembe v aplikaciji. Jaz (razvijalec) bom nadaljeval z razvojem tega projekta, kot ga trenutno počnem, vendar pod drugim imenom.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI ne bi bil mogoč brez pomoči naših dragih vzdrževalcev. Oglejte si njihove GitHub profile, WingetUI brez njih ne bi bil mogoč!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI ne bi bil mogoč brez pomoči sodelavcev. Hvala vsem 🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} je pripravljen za namestitev.", - "Write here the process names here, separated by commas (,)": "Tukaj vnesite imena procesov, ločena z vejicami (,)", - "Yes": "Da", - "You are logged in as {0} (@{1})": "Prijavljeni ste kot {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "To vedenje lahko spremenite v varnostnih nastavitvah UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Določite lahko ukaze, ki se bodo izvajali pred ali po namestitvi, posodobitvi ali odstranitvi tega paketa. Izvajali se bodo v ukaznem pozivu, zato bodo tukaj delovali skripti CMD.", - "You have currently version {0} installed": "Trenutno imate nameščeno različico {0}", - "You have installed WingetUI Version {0}": "Namestili ste različico WingetUI {0}", - "You may lose unsaved data": "Lahko izgubite neshranjene podatke", - "You may need to install {pm} in order to use it with WingetUI.": "Morda boste morali namestiti {pm}, če ga želite uporabljati z WingetUI.", "You may restart your computer later if you wish": "Če želite, lahko računalnik znova zaženete pozneje", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Poziv boste prejeli samo enkrat, skrbniške pravice pa bodo dodeljene paketom, ki jih zahtevajo.", "You will be prompted only once, and every future installation will be elevated automatically.": "Pozvani boste le enkrat in vsaka prihodnja namestitev bo samodejno dvignjena.", - "You will likely need to interact with the installer.": "Verjetno boste morali sodelovati z namestitvenim programom.", - "[RAN AS ADMINISTRATOR]": "ZAGNANO KOT SKRBNIK", "buy me a coffee": "kupiš kavo", - "extracted": "ekstrahirano", - "feature": "funkcija", "formerly WingetUI": "prej WingetUI", + "homepage": "spletno stran", + "install": "namesti", "installation": "namestitev", - "installed": "nameščeno", - "installing": "nameščam", - "library": "knjižnica", - "mandatory": "obvezno", - "option": "opcija", - "optional": "neobvezno", + "uninstall": "odstrani", "uninstallation": "odstranitev", "uninstalled": "odstranjeno", - "uninstalling": "odstranjujem", "update(noun)": "posodobitev", "update(verb)": "posodobiti", "updated": "posodobljeno", - "updating": "posodabljanje", - "version {0}": "različica {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Možnosti namestitve za {0} so trenutno zaklenjene, ker {0} sledi privzetim možnostim namestitve.", "{0} Uninstallation": "{0} Odstranjevanje", "{0} aborted": "{0} preklicano", "{0} can be updated": "{0} lahko posodobite", - "{0} can be updated to version {1}": "{0} je mogoče posodobiti na različico {1}", - "{0} days": "{0} dni", - "{0} desktop shortcuts created": "{0} ustvarjenih bližnjic na namizju", "{0} failed": "{0} spodletelo", - "{0} has been installed successfully.": "{0} je bil uspešno nameščen.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} je bil uspešno nameščen. Priporočljivo je, da znova zaženete UniGetUI, da dokončate namestitev", "{0} has failed, that was a requirement for {1} to be run": "{0} ni uspelo, kar je bilo potrebno za zagon {1}", - "{0} homepage": "{0} domača stran", - "{0} hours": "{0} ur", "{0} installation": "{0} instalacija", - "{0} installation options": "Možnosti namestitve {0}", - "{0} installer is being downloaded": "Namestitveni program za {0} se prenaša", - "{0} is being installed": "{0} se namešča", - "{0} is being uninstalled": "{0} se odstranjuje", "{0} is being updated": "{0} se posodablja", - "{0} is being updated to version {1}": "{0} se posodablja na različico {1}", - "{0} is disabled": "{0} je onemogočeno", - "{0} minutes": "{0} minut", "{0} months": "{0} mesecev", - "{0} packages are being updated": "posodabljam {0} paketov", - "{0} packages can be updated": "{0} paketov lahko posodobite", "{0} packages found": "{0} najdenih paketov", "{0} packages were found": "{0} paketov je bilo najdenih", - "{0} packages were found, {1} of which match the specified filters.": "Najdenih je bilo {0} paketov, od katerih se {1} ujema z navedenimi filtri.", - "{0} selected": "{0} izbranih", - "{0} settings": "Nastavitve za {0}", - "{0} status": "Stanje {0}", "{0} succeeded": "{0} je uspešno", "{0} update": "{0} posodobitev", - "{0} updates are available": "{0} posodobitev je na voljo", "{0} was {1} successfully!": "{0} je {1} uspešno!", "{0} weeks": "{0} tednov", "{0} years": "{0} let", "{0} {1} failed": "{0} {1} spodletelo", - "{package} Installation": "{package} Namestitev", - "{package} Uninstall": "{package} Odstranitev", - "{package} Update": "{package} Posodobitev", - "{package} could not be installed": "{package} ni bilo mogoče namestiti", - "{package} could not be uninstalled": "{package} ni bilo mogoče odstraniti", - "{package} could not be updated": "{package} ni bilo mogoče posodobiti", "{package} installation failed": "Namestitev {package} ni uspela", - "{package} installer could not be downloaded": "Namestitvenega programa za {package} ni bilo mogoče prenesti", - "{package} installer download": "Prenos namestitvenega programa za {package}", - "{package} installer was downloaded successfully": "Namestitveni program za {package} je bil uspešno prenesen", "{package} uninstall failed": "Odstranitev {package} ni uspela", "{package} update failed": "Posodobitev {package} ni uspela", "{package} update failed. Click here for more details.": "Posodobitev {package} ni uspela. Kliknite tukaj za več podrobnosti.", - "{package} was installed successfully": "{package} je bil uspešno nameščen", - "{package} was uninstalled successfully": "{package} je bil uspešno odstranjen", - "{package} was updated successfully": "{package} je bil uspešno posodobljen", - "{pcName} installed packages": "{pcName} nameščenih paketov", "{pm} could not be found": "{pm} ni bilo mogoče najti", "{pm} found: {state}": "{pm} najdeno: {state}", - "{pm} is disabled": "{pm} je onemogočen", - "{pm} is enabled and ready to go": "{pm} je omogočen in pripravljen za uporabo", "{pm} package manager specific preferences": "{pm} specifične nastavitve upravitelja paketov", "{pm} preferences": "{pm} nastavitve", - "{pm} version:": "{pm} različica:", - "{pm} was not found!": "{pm} ni bilo mogoče najti!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Živijo, ime mi je Martí in sem razvijalec aplikacije WingetUI. WingetUI je bil v celoti izdelan v mojem prostem času!", + "Thank you ❤": "Hvala ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ta projekt nima nobene povezave z uradnim projektom {0} – je popolnoma neuraden." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sq.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sq.json index cdead219e2..a925d24b83 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sq.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sq.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Operacion në vazhdim", + "Please wait...": "Të lutem prit...", + "Success!": "Sukses!", + "Failed": "Dështoi", + "An error occurred while processing this package": "Ndodhi një gabim gjatë përpunimit të kësaj pakete", + "Log in to enable cloud backup": "Hyr për të aktivizuar kopjen rezervë në re", + "Backup Failed": "Krijimi i kopjes rezervë dështoi", + "Downloading backup...": "Duke shkarkuar kopjen rezervë...", + "An update was found!": "U gjet një përditësim!", + "{0} can be updated to version {1}": "{0} mund të përditësohet në versionin {1}", + "Updates found!": "Përditësimet u gjetën!", + "{0} packages can be updated": "Mund të {0, plural, one {përditësohet {0} paketë} other {përditësohen {0} paketa}}", + "You have currently version {0} installed": "Tani ke të instaluar versionin {0}", + "Desktop shortcut created": "U krijua shkurtoja e tryezës", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ka zbuluar një shkurtore të re të tryezës që mund të fshihet automatikisht.", + "{0} desktop shortcuts created": "{0, plural, one {U krijua një shkurtore në tryezë} other {U krijuan {0} shkurtore në tryezë}}", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ka zbuluar {0, plural, one {një shkurtore të re të tryezës që mund të fshihet} other {{0} shkurtore të reja të tryezës që mund të fshihen}} automatikisht.", + "Are you sure?": "A je i sigurt?", + "Do you really want to uninstall {0}?": "Dëshiron vërtet të çinstalosh {0}?", + "Do you really want to uninstall the following {0} packages?": "Dëshiron vërtet të çinstalosh {0, plural, one {paketën} other {{0} paketat}} në vijim?", + "No": "Jo", + "Yes": "Po", + "View on UniGetUI": "Shiko në UniGetUI", + "Update": "Përditeso", + "Open UniGetUI": "Hap UniGetUI", + "Update all": "Përditëso të gjitha", + "Update now": "Përditëso tani", + "This package is on the queue": "Kjo paketë është në radhë", + "installing": "duke instaluar", + "updating": "duke përditësuar", + "uninstalling": "duke çinstaluar", + "installed": "instaluar", + "Retry": "Provo përsëri", + "Install": "Instalo", + "Uninstall": "Çinstalo", + "Open": "Hap", + "Operation profile:": "Profili i operacionit:", + "Follow the default options when installing, upgrading or uninstalling this package": "Ndjek rregullimet e paracaktuara gjatë instalimit, përditësimit ose çinstalimit të kësaj pakete.", + "The following settings will be applied each time this package is installed, updated or removed.": "Cilësimet që vijojnë do të zbatohen sa herë që kjo paketë instalohet, përditësohet ose hiqet.", + "Version to install:": "Versioni për t'u instaluar:", + "Architecture to install:": "Arkitektura për të instaluar:", + "Installation scope:": "Shtrirja e instalimit:", + "Install location:": "Vendndodhja e instalimit:", + "Select": "Përzgjidh", + "Reset": "Rivendos", + "Custom install arguments:": "Argumente të instalimit të personalizuara:", + "Custom update arguments:": "Argumente të përditësimit të personalizuara:", + "Custom uninstall arguments:": "Argumente të çinstalimit të personalizuara:", + "Pre-install command:": "Komanda para instalimit:", + "Post-install command:": "Komanda pas instalimit:", + "Abort install if pre-install command fails": "Anulo instalimin nëse komanda e para-instalimit dështon", + "Pre-update command:": "Komanda para përditësimit:", + "Post-update command:": "Komanda pas përditësimit:", + "Abort update if pre-update command fails": "Anulo përditëimin nëse komanda e para-përditësimit dështon", + "Pre-uninstall command:": "Komanda para çinstalimit:", + "Post-uninstall command:": "Komanda pas çinstalimit:", + "Abort uninstall if pre-uninstall command fails": "Anulo çinstalimin nëse komanda e para-çinstalimit dështon", + "Command-line to run:": "Rreshti i komandës për t'u ekzekutuar:", + "Save and close": "Ruaj dhe mbyll", + "Run as admin": "Ekzekuto si administrator", + "Interactive installation": "Instalim ndërveprues", + "Skip hash check": "Kapërce kontrollin e hash-it", + "Uninstall previous versions when updated": "Çinstalo versionet e mëparshme gjatë përditësimit", + "Skip minor updates for this package": "Anashkalo përditësimet e vogla për këtë paketë", + "Automatically update this package": "Përditëso këtë paketë automatikisht", + "{0} installation options": "{0} rregullimet e instalimit", + "Latest": "I fundit", + "PreRelease": "Botim paraprak", + "Default": "Paracaktuar", + "Manage ignored updates": "Menaxho përditësimet e shpërfillura", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paketat e paraqitura këtu do të shpërfillen kur kontrollohen përditësimet. Kliko dy herë mbi to ose kliko butonin në të djathtën e tyre për të ndaluar shpërfilljen e përditësimeve të tyre.", + "Reset list": "Rivendos listën", + "Package Name": "Emri i paketës", + "Package ID": "ID i paketës", + "Ignored version": "Versionet e shpërfillura", + "New version": "Verisoni i ri", + "Source": "Burimi", + "All versions": "Çdo version", + "Unknown": "Panjohur", + "Up to date": "I përditësuar", + "Cancel": "Anulo", + "Administrator privileges": "Privilegjet e administratorit", + "This operation is running with administrator privileges.": "Ky operacion po ekzekutohet me privilegje administratori.", + "Interactive operation": "Operacion ndërveprues", + "This operation is running interactively.": "Ky operacion po ekzekutohet në mënyrë ndërvepruese.", + "You will likely need to interact with the installer.": "Ka shumë gjasa që do të duhet të ndërveprosh me instaluesin.", + "Integrity checks skipped": "Kontrollet e integritetit u anashkaluan", + "Proceed at your own risk.": "Vazhdo, por çdo rrezik është në përgjegjësinë tënde.", + "Close": "Mbyll", + "Loading...": "Po ngarkohet...", + "Installer SHA256": "SHA256 i instaluesit", + "Homepage": "Kryefaqja", + "Author": "Autor", + "Publisher": "Botues", + "License": "Leja", + "Manifest": "Manifesti", + "Installer Type": "Lloji i instaluesit", + "Size": "Madhësi", + "Installer URL": "URL i instaluesit", + "Last updated:": "Përditësimi i fundit:", + "Release notes URL": "URL-ja e shënimeve të botimit", + "Package details": "Detajet e paketës", + "Dependencies:": "Varësitë:", + "Release notes": "Shënimet e botimit", + "Version": "Versioni", + "Install as administrator": "Instalo si administrator", + "Update to version {0}": "Përditëso në versionin {0}", + "Installed Version": "Versioni i instaluar", + "Update as administrator": "Përditëso si administrator", + "Interactive update": "Përditësim ndërveprues", + "Uninstall as administrator": "Çinstalo si administrator", + "Interactive uninstall": "Çinstalim ndërveprues", + "Uninstall and remove data": "Çinstalo dhe hiq të dhënat", + "Not available": "Nuk ofrohet", + "Installer SHA512": "SHA512 i instaluesit", + "Unknown size": "Madhësi e panjohur", + "No dependencies specified": "Nuk janë përcaktuar varësi", + "mandatory": "i detyrueshëm", + "optional": "fakultativ", + "UniGetUI {0} is ready to be installed.": "Versioni {0} i UniGetUI është gati për t'u instaluar.", + "The update process will start after closing UniGetUI": "Procesi i përditësimit do të fillojë pasi të mbyllet UniGetUI", + "Share anonymous usage data": "Ndaj të dhëna anonime të përdorimit", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI mbledh të dhëna anonime të përdorimit për të përmirësuar përvojën e përdoruesit.", + "Accept": "Prano", + "You have installed WingetUI Version {0}": "Ke instaluar UniGetUI në versionin {0}", + "Disclaimer": "Mospranim përgjegjësie", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nuk është i lidhur me asnjë nga menaxherët e paketave të përputhur. UniGetUI është një projekt i pavarur.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI nuk do të ishte i mundur pa ndihmën e kontribuesve. Faleminderit të gjithëve 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI përdor libraritë që vijojnë. Pa to, UniGetUI nuk do të ishte i mundur.", + "{0} homepage": "Kryefaqja e {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI është përkthyer në më shumë se 40 gjuhë falë përkthyesve vullnetarë. Faleminderit 🤝", + "Verbose": "Fjalëshumë", + "1 - Errors": "1 - Gabime", + "2 - Warnings": "2 - Paralajmërime", + "3 - Information (less)": "3 - Informacion (më pak)", + "4 - Information (more)": "4 - Informacion (më shumë)", + "5 - information (debug)": "5 - informacion (korrigjim)", + "Warning": "Paralajmërim", + "The following settings may pose a security risk, hence they are disabled by default.": "Cilësimet e mëposhtme mund të paraqesin një rrezik sigurie, prandaj ato janë të çaktivizuara si paracaktim.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktivizo cilësimet më poshtë VETËM NË QOFTË SE kupton plotësisht se çfarë bëjnë ato, si dhe implikimet dhe rreziqet që mund të sjellin.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Cilësimet do të tregojnë, në përshkrimet e tyre, problemet e mundshme të sigurisë që mund të shkaktojnë.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Rezervimi do të përfshijë listën e plotë të paketave të instaluara dhe rregullimet e instalimit të tyre. Gjithashtu do të ruhen përditësimet e shpërfillura dhe versionet e anashkaluara.", + "The backup will NOT include any binary file nor any program's saved data.": "Rezervimi NUK do të përfshijë asnjë skedar binar dhe as të dhëna të ruajtura të ndonjë programi.", + "The size of the backup is estimated to be less than 1MB.": "Madhësia e kopjes rezervë vlerësohet të jetë më pak se 1MB.", + "The backup will be performed after login.": "Rezervimi do të bëhet pas hyrjes.", + "{pcName} installed packages": "Paketat e instaluara në {pcName}", + "Current status: Not logged in": "Gjendja e tanishme: Nuk ke hyr", + "You are logged in as {0} (@{1})": "Ke hyr si {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Bukur! Kopjet rezervë do të ngarkohen në një Gist privat në llogarinë tënde", + "Select backup": "Zgjidh kopjen rezervë", + "WingetUI Settings": "Cilësimet e UniGetUI", + "Allow pre-release versions": "Lejo versionet e botimit paraprak", + "Apply": "Zbato", + "Go to UniGetUI security settings": "Shko te cilësimet e sigurisë të UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Rregullimet e mëposhtme do të aplikohen si paracaktim sa herë që një paketë {0} instalohet, përditësohet ose çinstalohet.", + "Package's default": "Paracaktimet e paketës", + "Install location can't be changed for {0} packages": "Vendndodhja e instalimit nuk mund të ndryshohet për {0} paketa", + "The local icon cache currently takes {0} MB": "Kesh-i lokal i ikonave aktualisht merr {0} MB", + "Username": "Emri i përdoruesit", + "Password": "Fjalëkalim", + "Credentials": "Kredencialet", + "Partially": "Pjesërisht", + "Package manager": "Menaxheri i paketave", + "Compatible with proxy": "I përputhshëm me ndërmjetës", + "Compatible with authentication": "I përputhshëm me kyçjen", + "Proxy compatibility table": "Tabela e përputhshmërisë me ndërmjetësit", + "{0} settings": "Cilësimet e {0}", + "{0} status": "Gjendja e {0}", + "Default installation options for {0} packages": "Rregullimet e paracaktuara të instalimit për {0} paketa.", + "Expand version": "Shfaq versionin", + "The executable file for {0} was not found": "Skedari ekzekutues për {0} nuk u gjet", + "{pm} is disabled": "{pm} është çaktivizuar", + "Enable it to install packages from {pm}.": "Aktivizoje për të instaluar paketa nga {pm}.", + "{pm} is enabled and ready to go": "{pm} është aktivizuar dhe është gati", + "{pm} version:": "Versioni i {pm}:", + "{pm} was not found!": "{pm} nuk u gjet!", + "You may need to install {pm} in order to use it with WingetUI.": "Mund të të duhet të instalosh {pm} në mënyrë që ta përdorësh me UniGetUI.", + "Scoop Installer - WingetUI": "Instaluesi Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Çinstaluesi Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Po pastrohet keshi i Scoop - UniGetUI", + "Restart UniGetUI": "Rinis UniGetUI", + "Manage {0} sources": "Menaxho burimet {0}", + "Add source": "Shto burim", + "Add": "Shto", + "Other": "Tjerë", + "1 day": "1 ditë", + "{0} days": "{0} ditë", + "{0} minutes": "{0, plural, one {{0} minutë} other {{0} minuta}}", + "1 hour": "1 orë", + "{0} hours": "{0} orë", + "1 week": "1 javë", + "WingetUI Version {0}": "Versioni {0} i UniGetUI", + "Search for packages": "Kërko paketa", + "Local": "Lokal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "U {0, plural, one {gjet {0} paketë} other {gjetën {0} paketa}}, {1, plural, one {dhe {1} përputhet} other {nga të cilat {1} përputhen}} me filtrat e specifikuar.", + "{0} selected": "{0} të përzgjedhur", + "(Last checked: {0})": "(Kontrolluar për herë të fundit në: {0})", + "Enabled": "Aktivizuar", + "Disabled": "Çaktivizuar", + "More info": "Më shumë informacione", + "Log in with GitHub to enable cloud package backup.": "Hyr me GitHub për të aktivizuar kopjen rezervë në re të paketave.", + "More details": "Më shumë detaje", + "Log in": "Hyr", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Nëse ke aktivizuar kopjen rezervë në re, ajo do të ruhet si një GitHub Gist në këtë llogari", + "Log out": "Dil", + "About": "Rreth", + "Third-party licenses": "Leje të palëve të treta", + "Contributors": "Kontribuesit", + "Translators": "Përkthyesit", + "Manage shortcuts": "Menaxho shkurtoret", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ka zbuluar shkurtoret të tryezës që vijojnë, të cilat mund të fshihen automatikisht gjatë përditësimeve të ardhshme.", + "Do you really want to reset this list? This action cannot be reverted.": "A je i sigurt që do të rivendosësh këtë listë? Ky veprim nuk mund të rikthehet.", + "Remove from list": "Hiq nga lista", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kur zbulohen shkurtore të reja, fshiji automatikisht në vend që të shfaqet ky dialog.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI mbledh të dhëna anonime të përdorimit me qëllim të vetëm kuptimin dhe përmirësimin e përvojës të përdoruesit.", + "More details about the shared data and how it will be processed": "Më shumë detaje rreth të dhënave të ndara dhe mënyrës se si do të përpunohen", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "A pranon që UniGetUI të mbledhë dhe të dërgojë statistika të përdorimit anonime, me qëllim të vetëm kuptimin dhe përmirësimin të përvojës së përdoruesit?", + "Decline": "Refuzo", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Asnjë informacion personal nuk mblidhet as nuk dërgohet, dhe të dhënat e mbledhura janë të anonimizuara, kështu që nuk mund të gjurmohen mbrapsht te ty.", + "About WingetUI": "Rreth UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI është një aplikacion që e bën më të lehtë menaxhimin e programeve të tua, duke ofruar një ndërfaqe grafike të plotë për menaxherët e paketave të rreshtit të komandës të tu.", + "Useful links": "Lidhje të dobishme", + "Report an issue or submit a feature request": "Njofto një problem ose paraqit një kërkesë për veçori", + "View GitHub Profile": "Shiko profilin GitHub", + "WingetUI License": "Leja e UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Përdorimi i UniGetUI nënkupton pranimin e Lejes MIT", + "Become a translator": "Bëhu përkthyes", + "View page on browser": "Shiko faqen në shfletues", + "Copy to clipboard": "Kopjo në letërmbajtëse", + "Export to a file": "Eksporto në një skedar", + "Log level:": "Niveli i ditarit:", + "Reload log": "Ngarko ditarin përsëri", + "Text": "Tekst", + "Change how operations request administrator rights": "Ndrysho mënyrën se si operacionet kërkojnë të drejtat e administratorit", + "Restrictions on package operations": "Kufizime mbi operacionet e paketave", + "Restrictions on package managers": "Kufizime mbi menaxherët e paketave", + "Restrictions when importing package bundles": "Kufizime për importimin e koleksioneve të paketave", + "Ask for administrator privileges once for each batch of operations": "Kërko privilegje administratori një herë për secilin grup operacionesh", + "Ask only once for administrator privileges": "Pyet vetëm një herë për të drejtat e administratorit", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Ndalo çdo lloj ngritjeje të privilegjeve përmes UniGetUI Elevator ose GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ky rregullim do të shkaktojë probleme. Çdo veprim që nuk mund të ngrihet vetë me privilegje do të DËSHTOJË. Instalimi/përditësimi/çinstalimi si administrator NUK DO TË PUNOJË.", + "Allow custom command-line arguments": "Lejo argumente të personalizuara të rreshtit të komandës", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumentet e personalizuara të rreshtit të komandës mund të ndryshojnë mënyrën se si programet instalohen, përditësohen ose çinstalohen, në një mënyrë që UniGetUI nuk mund ta kontrollojë. Përdorimi i rreshtave të personalizuar të komandës mund t’i prishë paketat. Vazhdo me kujdes.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Lejo që të ekzekutohen komandat e personalizuara të para-instalimit dhe pas-instalimit", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Komandat para dhe pas instalimit do të ekzekutohen përpara dhe pas instalimit, përditësimit ose çinstalimit të një pakete. Ki parasysh që ato mund të prishin gjëra nëse nuk përdoren me kujdes", + "Allow changing the paths for package manager executables": "Mundëso ndryshimin e shtigjeve për ekzekutuesit e menaxherëve të paketave", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Aktivizimi i këtij rregullimi lejon ndryshimin e skedarit ekzekutues që përdoret për të ndërvepruar me menaxherët e paketave. Ndërsa kjo mundëson personalizim më të hollësishëm të proceseve të instalimit, gjithashtu mund të jetë e rrezikshme", + "Allow importing custom command-line arguments when importing packages from a bundle": "Lejo importimin e argumenteve të personalizuara të rreshtit të komandës kur importon paketa nga një koleksion", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentet e pasakta të rreshtit të komandës mund të prishin paketat, ose madje t’i lejojnë një aktori keqdashës të marrë ekzekutimin me privilegje. Prandaj, importimi i argumenteve të personalizuara të rreshtit të komandës është i çaktivizuar si paracaktim.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Mundëso importimin e komandave të personalizuara të para-instalimit dhe pas-instalimit kur importohen paketat nga një koleksion", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Komandat para dhe pas instalimit mund të shkaktojnë dëme serioze në pajisjen tënde, nëse janë krijuar për këtë qëllim. Mund të jetë shumë e rrezikshme të importosh këto komanda nga një koleksion, përveç nëse e beson burimin e atij koleksioni paketash.", + "Administrator rights and other dangerous settings": "Të drejtat e administratorit dhe cilësimet e tjera të rrezikshme", + "Package backup": "Kopje rezervë e paketës", + "Cloud package backup": "Kopja reyervë e paketave në re", + "Local package backup": "Kopje rezervë lokale e paketës", + "Local backup advanced options": "Rregullimet e përparuara për kopjen rezervë lokale", + "Log in with GitHub": "Hyr me GitHub", + "Log out from GitHub": "Dil nga GitHub", + "Periodically perform a cloud backup of the installed packages": "Bëj periodikisht një kopje rezervë në re të paketave të instaluara", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Kopja rezervë në re përdor një Gist privat në GitHub për të ruajtur një listë të paketave të instaluara.", + "Perform a cloud backup now": "Bëj një kopje rezervë në re tani", + "Backup": "Bëj një kopje rezervë", + "Restore a backup from the cloud": "Rikthe një kopje rezervë nga reja", + "Begin the process to select a cloud backup and review which packages to restore": "Fillo procesin për të zgjedhur një kopje rezervë në re dhe rishiko paketat që do të rikthehen.", + "Periodically perform a local backup of the installed packages": "Bëj periodikisht një kopje rezervë lokale të paketave të instaluara", + "Perform a local backup now": "Bëj një kopje rezervë lokale tani", + "Change backup output directory": "Ndrysho vendndodhjen e kopjës rezervë", + "Set a custom backup file name": "Vendos një emër skedari rezervë të personalizuar", + "Leave empty for default": "Lëre bosh për të ndjekur paracaktimin", + "Add a timestamp to the backup file names": "Shto një vulë kohore në emrat e skedarëve rezervë", + "Backup and Restore": "Kopje rezervë dhe Rikthim", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktivizo API-në e sfondit (Widgets for UniGetUI and Sharing, porta 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Prit derisa pajisja të lidhet me internetin para se të përpiqesh të kryesh detyra që kërkojnë lidhje me internet.", + "Disable the 1-minute timeout for package-related operations": "Çaktivizo afatin 1 minutësh për operacionet që lidhen me paketat", + "Use installed GSudo instead of UniGetUI Elevator": "Përdor GSudo të instaluar në vend të UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Përdor një URL të bazës së të dhënave për ikona dhe pamje të ekranit të personalizuar", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktivizo përmirësimet e përdorimit të CPU-së në sfond (shih Pull Request #3278)", + "Perform integrity checks at startup": "Bëj kontrollet e integritet gjatë nisjes", + "When batch installing packages from a bundle, install also packages that are already installed": "Gjatë instalimit në grup të paketave nga një koleksion, instalo edhe paketat që janë tashmë të instaluara", + "Experimental settings and developer options": "Cilësimet eksperimentale dhe rregullimet për zhvilluesit", + "Show UniGetUI's version and build number on the titlebar.": "Shfaq versionin dhe numrin e ndërtimit të UniGetUI në shiritin e titullit.", + "Language": "Gjuha", + "UniGetUI updater": "Përditësuesi e UniGetUI", + "Telemetry": "Matja nga larg (Telemetria)", + "Manage UniGetUI settings": "Menaxho cilësimet e UniGetUI", + "Related settings": "Cilësimet përkatëse", + "Update WingetUI automatically": "Përditëso automatikisht UniGetUI", + "Check for updates": "Kontrollo për përditësime", + "Install prerelease versions of UniGetUI": "Instalo versionet paraprake të UniGetUI", + "Manage telemetry settings": "Menaxho cilësimet e matjes nga larg (telemetrisë)", + "Manage": "Menaxho", + "Import settings from a local file": "Importo cilësimet nga një skedar lokal", + "Import": "Importo", + "Export settings to a local file": "Eksporto cilësimet në një skedar lokal", + "Export": "Eksporto", + "Reset WingetUI": "Rivendos UniGetUI", + "Reset UniGetUI": "Rivendos UniGetUI", + "User interface preferences": "Parapëlqimet e ndërfaqes së përdoruesit", + "Application theme, startup page, package icons, clear successful installs automatically": "Motivi i aplikacionit, faqja e nisjes, ikonat e paketave, pastrim automatik i instalimeve të suksesshme", + "General preferences": "Parapëlqime të përgjithshme", + "WingetUI display language:": "Gjuha e UniGetUI:", + "Is your language missing or incomplete?": "Gjuha jote mungon apo është e paplotë?", + "Appearance": "Pamja", + "UniGetUI on the background and system tray": "UniGetUI në sfond dhe në hapësirën e sistemit", + "Package lists": "Listat e paketave", + "Close UniGetUI to the system tray": "Mbyll UniGetUI në hapësirën e sistemit", + "Show package icons on package lists": "Shfaq ikonat e paketave në listat e paketave", + "Clear cache": "Pastro kesh-in", + "Select upgradable packages by default": "Përzgjidh paketat e përditësueshme si paracaktim", + "Light": "Çelët", + "Dark": "Errët", + "Follow system color scheme": "Ndiq skemën e ngjyrave të sistemit", + "Application theme:": "Motivi i aplikacionit:", + "Discover Packages": "Zbulo paketat", + "Software Updates": "Përditësimet e Programeve", + "Installed Packages": "Paketat e instaluara", + "Package Bundles": "Koleksione të paketave", + "Settings": "Cilësimet", + "UniGetUI startup page:": "Faqja e nisjes së UniGetUI:", + "Proxy settings": "Cilësimet e ndërmjetësit", + "Other settings": "Cilësimet e tjera", + "Connect the internet using a custom proxy": "Lidhu me internetin duke përdorur një ndërmjetës të personalizuar", + "Please note that not all package managers may fully support this feature": "Të lutem vë re që jo të gjithë menaxherët e paketave mund ta mbështesin plotësisht këtë veçori", + "Proxy URL": "URL-ja e ndërmjetësit", + "Enter proxy URL here": "Shkruaj këtu URL-në e ndërmjetësit", + "Package manager preferences": "Parapëlqimet e menaxherit të paketave", + "Ready": "Gati", + "Not found": "Nuk u gjet", + "Notification preferences": "Parapëlqimet e njoftimit", + "Notification types": "Llojet e njoftimeve", + "The system tray icon must be enabled in order for notifications to work": "Ikona e hapësirës së sistemit duhet të jetë aktivizuar që njoftimet të funksionojnë", + "Enable WingetUI notifications": "Aktivizo njoftimet e UniGetUI", + "Show a notification when there are available updates": "Shfaq një njoftim kur ofrohen përditësime", + "Show a silent notification when an operation is running": "Shfaq një njoftim të heshtur kur një operacion po ekzekutohet", + "Show a notification when an operation fails": "Shfaq një njoftim kur një operacion dështon", + "Show a notification when an operation finishes successfully": "Shfaq një njoftim kur një operacion përfundon me sukses", + "Concurrency and execution": "Njëkohshmëria dhe ekzekutimi", + "Automatic desktop shortcut remover": "Heqës automatik i shkurtoreve të tryezës", + "Clear successful operations from the operation list after a 5 second delay": "Pastro operacionet e suksesshme nga lista e operacioneve pas një vonese prej 5 sekondash", + "Download operations are not affected by this setting": "Operacionet e shkarkimit nuk preken nga ky cilësim", + "Try to kill the processes that refuse to close when requested to": "Përpiqu të mbyllësh proceset që refuzojnë të mbyllen kur u kërkohet", + "You may lose unsaved data": "Mund të humbasësh të dhënat e pa ruajtura.", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Kërko të fshihen shkurtoret e tryezës të krijuara gjatë një instalimi ose përditësimi.", + "Package update preferences": "Parapëlqimet e përditësimit të paketave", + "Update check frequency, automatically install updates, etc.": "Shpeshtësia e kontrollit për përditësime, instalimi automatik i përditësimeve, etj.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Ul paralajmërimet e UAC, ngri instalimet si paracaktim, zhblloko disa veçori të rrezikshme, etj.", + "Package operation preferences": "Parapëlqimet e operacioneve të paketave", + "Enable {pm}": "Aktivizo {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Nuk po gjen skedarin që po kërkon? Sigurohu që është shtuar në shteg.", + "For security reasons, changing the executable file is disabled by default": "Për arsye sigurie, ndryshimi i skedarit të ekzekutimit është i çaktivizuar si paracaktim", + "Change this": "Ndryshoje", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Zgjidh ekzekutuesin që do të përdoret. Lista e mëposhtme tregon ekzekutuesit që janë gjetur nga UniGetUI", + "Current executable file:": "Skedari ekzekutues i tanishëm:", + "Ignore packages from {pm} when showing a notification about updates": "Shpërfill paketat nga {pm} kur shfaqet një njoftim për përditësime", + "View {0} logs": "Shfaq ditarin e {0}", + "Advanced options": "Rregullimet e përparuara", + "Reset WinGet": "Rivendos WinGet", + "This may help if no packages are listed": "Kjo mund të ndihmojë nëse nuk ka paketa në listë", + "Force install location parameter when updating packages with custom locations": "Detyro parametrin e vendndodhjes së instalimit kur përditëson paketat me vendndodhje të personalizuara", + "Use bundled WinGet instead of system WinGet": "Përdor WinGet-in e instaluar në vend të WinGet-it të sistemit", + "This may help if WinGet packages are not shown": "Kjo mund të ndihmojë nëse paketat WinGet nuk shfaqen", + "Install Scoop": "Instalo Scoop", + "Uninstall Scoop (and its packages)": "Çinstalo Scoop (dhe paketat e tija)", + "Run cleanup and clear cache": "Bëj pastrimin dhe pastro keshin", + "Run": "Ekzekuto", + "Enable Scoop cleanup on launch": "Aktivizo pastrimin e Scoop në nisje", + "Use system Chocolatey": "Përdor Chocolatey të sistemit", + "Default vcpkg triplet": "Treshja vcpkg e paracaktuar", + "Language, theme and other miscellaneous preferences": "Gjuha, motivi dhe parapëlqime të tjera të ndryshme", + "Show notifications on different events": "Shfaq njoftimet për ngjarje të ndryshme", + "Change how UniGetUI checks and installs available updates for your packages": "Ndrysho mënyrën se si UniGetUI kontrollon dhe instalon përditësimet e ofruara për paketat e tua", + "Automatically save a list of all your installed packages to easily restore them.": "Ruaj automatikisht një listë të të gjitha paketave të tua të instaluara për t'i rikthyer ato lehtësisht.", + "Enable and disable package managers, change default install options, etc.": "Aktivizo dhe çaktivizo menaxherët e paketave, ndrysho rregullimet e paracaktuara të instalimit, etj.", + "Internet connection settings": "Cilësimet e lidhjes së Internetit", + "Proxy settings, etc.": "Cilësimet e ndërmjetësit, etj.", + "Beta features and other options that shouldn't be touched": "Veçoritë për testim dhe rregullime të tjera që nuk duhen prekur", + "Update checking": "Kontrollimi i përditësimeve", + "Automatic updates": "Përditësimet automatike", + "Check for package updates periodically": "Kontrollo periodikisht për përditësime të paketave", + "Check for updates every:": "Kontrollo për përditësime çdo:", + "Install available updates automatically": "Instalo automatikisht përditësimet e ofruara", + "Do not automatically install updates when the network connection is metered": "Mos i instalo automatikisht përditësimet kur lidhja e rrjetit është me kufizime të dozës", + "Do not automatically install updates when the device runs on battery": "Mos instalo automatikisht përditësime kur pajisja punon me bateri", + "Do not automatically install updates when the battery saver is on": "Mos i instalo automatikisht përditësimet kur kursyesi i baterisë është aktiv", + "Change how UniGetUI handles install, update and uninstall operations.": "Ndrysho mënyrën se si UniGetUI trajton operacionet e instalimit, përditësimit dhe çinstalimit.", + "Package Managers": "Menaxherët e paketave", + "More": "Më shumë", + "WingetUI Log": "Ditari i UniGetUI", + "Package Manager logs": "Ditari i menaxherit të paketave", + "Operation history": "Historiku i operacionëve", + "Help": "Ndihmë", + "Order by:": "Rëndit sipas:", + "Name": "Emri", + "Id": "ID-ja", + "Ascendant": "Renditje ngjitëse", + "Descendant": "Renditje zbritëse", + "View mode:": "Mënyra e shikimit:", + "Filters": "Filtrat", + "Sources": "Burimet", + "Search for packages to start": "Për të nisur kërko për paketa", + "Select all": "Përzgjidh të gjitha", + "Clear selection": "Pastro përzgjedhjet", + "Instant search": "Kërkim i menjëhershëm", + "Distinguish between uppercase and lowercase": "Dallo midis shkronjave të mëdhaja dhe të vogla", + "Ignore special characters": "Shpërfill shkronjat e veçanta", + "Search mode": "Mënyra e kërkimit", + "Both": "Të dyja", + "Exact match": "Përputhje e saktë", + "Show similar packages": "Shfaq paketa të ngjashme", + "No results were found matching the input criteria": "Nuk u gjet asnjë rezultat që përputhet me kriteret hyrëse", + "No packages were found": "Nuk u gjet asnjë paketë", + "Loading packages": "Po ngarkohen paketat", + "Skip integrity checks": "Kapërce kontrollet e integritetit", + "Download selected installers": "Shkarko instaluesit e përzgjedhur", + "Install selection": "Instalo përzgjedhjet", + "Install options": "Rregullimet e instalimit", + "Share": "Shpërndaj", + "Add selection to bundle": "Shto përzgjedhjet në koleksion", + "Download installer": "Shkarko instaluesin", + "Share this package": "Shpërndaj këtë paketë", + "Uninstall selection": "Çinstalo përzgjedhjet", + "Uninstall options": "Rregullimet e çinstalimit", + "Ignore selected packages": "Shpërfill paketat e përzgjedhura", + "Open install location": "Hap vendndodhjen e instalimit", + "Reinstall package": "Instalo paketën përeseri", + "Uninstall package, then reinstall it": "Çinstalo paketën, më pas instaloje përsëri", + "Ignore updates for this package": "Shpërfill përditësimet për këtë paketë", + "Do not ignore updates for this package anymore": "Mos shpërfill përditësimet për këtë paketë", + "Add packages or open an existing package bundle": "Shto paketa ose hap një koleksion paketash ekzistues", + "Add packages to start": "Shto paketa për të filluar", + "The current bundle has no packages. Add some packages to get started": "Koleksioni i tanishëm nuk ka paketa. Shto disa paketa për të filluar", + "New": "I ri", + "Save as": "Ruaj si", + "Remove selection from bundle": "Hiq përzgjedhjet nga koleksioni", + "Skip hash checks": "Kapërce kontrollet e hash-it", + "The package bundle is not valid": "Koleksioni i paketave është i pavlefshëm", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Koleksioni që po përpiqesh të ngarkosh duket i pavlefshëm. Të lutem kontrollo skedarin dhe provo përsëri.", + "Package bundle": "Koleksion i paketave", + "Could not create bundle": "Nuk mund të krijohej koleksioni i paketave", + "The package bundle could not be created due to an error.": "Koleksioni i paketave nuk mund të krijohej për shkak të një gabimi.", + "Bundle security report": "Raporti i sigurisë për koleksionin", + "Hooray! No updates were found.": "Ec aty! Nuk u gjetën përditësime.", + "Everything is up to date": "Gjithçka është e përditësuar", + "Uninstall selected packages": "Çinstalo paketat e përzgjedhura", + "Update selection": "Përditëso përzgjedhjet", + "Update options": "Rregullimet e përditësimit", + "Uninstall package, then update it": "Çinstalo paketën, më pas përditësoje", + "Uninstall package": "Çinstalo paketën", + "Skip this version": "Kapërce këtë version", + "Pause updates for": "Pezullo përditësimet për", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Menaxheri i paketave Rust.
Përmban: Libraritë dhe programet Rust të shkruara në Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Menaxheri klasik i paketave për Windows. Do të gjesh gjithçka atje.
Përmban: Programe të përgjithshme", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Një depo plot me vegla dhe programe ekzekutuese të krijuar duke pasur parasysh ekosistemin .NET të Microsoft-it.
Përmban: vegla dhe skripte të lidhura me .NET", + "NuPkg (zipped manifest)": "NuPkg (manifest i kompresuar)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Menaxheri i paketave të Node JS-it. Plot me librari dhe shërbime të tjera që kanë të bëjnë me botën e javascript-it
Përmban: Libraritë Node javascript dhe shërbime të tjera të lidhura me to", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Menaxheri i librarisë të Python-it. Plot me librari python dhe shërbime të tjera të lidhura me Python-in
Përmban: Librari të Python-it dhe shërbime të ngjashme", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Menaxheri i paketave të PowerShell-it. Gjen librari dhe skripta për të zgjeruar aftësitë e PowerShell-it
Përmban: Module, Skripta, Cmdlet-a", + "extracted": "nxjerrë", + "Scoop package": "Paketë Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Depo e shkëlqyeshme me shërbime të panjohura por të dobishme dhe paketa të tjera interesante.
Përmban: Shërbime, Programe të rreshtit së komandës, Programe të përgjithshme (kërkohet kova e shtesave)", + "library": "librari", + "feature": "veçori", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Një menaxher i njohur i librarisë C/C++. Plot me librari C/C++ dhe shërbime të tjera të lidhura me C/C++
Përmban: librari C/C++ dhe shërbime të ngjashme", + "option": "rregullim", + "This package cannot be installed from an elevated context.": "Kjo paketë nuk mund të instalohet me privilegje të ngritura.", + "Please run UniGetUI as a regular user and try again.": "Të lutem hap UniGetUI si përdorues i zakonshëm dhe provo përsëri.", + "Please check the installation options for this package and try again": "Kontrollo rregullimet e instalimit për këtë paketë dhe provo përsëri.", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Menaxheri zyrtar i paketave të Microsoft. Plot me paketa të njohura dhe të verifikuara
Përmban: Programe të përgjithshme, aplikacione të Microsoft Store", + "Local PC": "Kompjuteri lokal", + "Android Subsystem": "Nënsistemi Android", + "Operation on queue (position {0})...": "Operacion në radhë (vendi {0})...", + "Click here for more details": "Kliko këtu për më shumë detaje", + "Operation canceled by user": "Operacioni u anulua nga përdoruesi", + "Starting operation...": "Duke nisur operacionin...", + "{package} installer download": "Shkarkim i instaluesit të {package}", + "{0} installer is being downloaded": "Instaluesi i {0} po shkarkohet", + "Download succeeded": "Shkarkimi pati sukses", + "{package} installer was downloaded successfully": "Instaluesi i {package} u shkarkua me sukses", + "Download failed": "Shkarkimi dështoi", + "{package} installer could not be downloaded": "Instaluesi i {package} nuk mund të shkarkohej", + "{package} Installation": "{package} Instalim", + "{0} is being installed": "{0} po instalohet", + "Installation succeeded": "Instalimi pati sukses", + "{package} was installed successfully": "{package} u instalua me sukses", + "Installation failed": "Instalimi dështoi", + "{package} could not be installed": "{package} nuk mund të instalohej", + "{package} Update": "Përditësim i {package}", + "{0} is being updated to version {1}": "{0} po përditësohet në versionin {1}", + "Update succeeded": "Përditësimi pati sukses", + "{package} was updated successfully": "{package} u përditësua me sukses", + "Update failed": "Përditësimi dështoi", + "{package} could not be updated": "{package} nuk mund të përditësohej", + "{package} Uninstall": "{package} Çinstalim", + "{0} is being uninstalled": "{0} po çinstalohet", + "Uninstall succeeded": "Çinstalimi pati sukses", + "{package} was uninstalled successfully": "{package} u çinstalua me sukses", + "Uninstall failed": "Çinstalimi dështoi", + "{package} could not be uninstalled": "{package} nuk mund të çinstalohej", + "Adding source {source}": "Duke shtuar burimin {source}", + "Adding source {source} to {manager}": "Shto burimin {source} në {manager}", + "Source added successfully": "Burimi u shtua me sukses", + "The source {source} was added to {manager} successfully": "Burimi {source} u shtua te {manager} me sukses", + "Could not add source": "Nuk mund të shtohet burimi", + "Could not add source {source} to {manager}": "Nuk mund të shtohej burimi {source} në {manager}", + "Removing source {source}": "Duke hequr burimin {source}", + "Removing source {source} from {manager}": "Po hiqet burimi {source} nga {manager}", + "Source removed successfully": "Burimi u hoq me sukses", + "The source {source} was removed from {manager} successfully": "Burimi {source} u hoq nga {manager} me sukses", + "Could not remove source": "Nuk mund të hiqet burimi", + "Could not remove source {source} from {manager}": "Burimi {source} nuk mund të hiqej nga {manager}", + "The package manager \"{0}\" was not found": "Menaxheri i paketave \"{0}\" nuk u gjet", + "The package manager \"{0}\" is disabled": "Menaxheri i paketave \"{0}\" është i çaktivizuar", + "There is an error with the configuration of the package manager \"{0}\"": "Ka një gabim me konfigurimin e menaxherit të paketave \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paketa \"{0}\" nuk u gjet në menaxherin e paketave \"{1}\"", + "{0} is disabled": "{0} është çaktivizuar", + "Something went wrong": "Diçka shkoi keq", + "An interal error occurred. Please view the log for further details.": "Ndodhi një gabim i brendshëm. Të lutem shiko ditarin për detaje të mëtejshme.", + "No applicable installer was found for the package {0}": "Nuk u gjet asnjë instalues i përshtatshëm për paketën {0}", + "We are checking for updates.": "Po kontrollojmë për përditësime.", + "Please wait": "Të lutem prit", + "UniGetUI version {0} is being downloaded.": "Versioni {0} i UniGetUI po shkarkohet.", + "This may take a minute or two": "Kjo mund të zgjasë një ose dy minuta", + "The installer authenticity could not be verified.": "Vërtetësia e instaluesit nuk mund të vërtetohej.", + "The update process has been aborted.": "Procesi i përditësimit është ndërprerë.", + "Great! You are on the latest version.": "Shkëlqyeshëm! Je në versionin më të fundit.", + "There are no new UniGetUI versions to be installed": "Nuk ka versione të reja të UniGetUI për t'u instaluar", + "An error occurred when checking for updates: ": "Ndodhi një gabim gjatë kontrollit për përditësime:", + "UniGetUI is being updated...": "UniGetUI po përditësohet...", + "Something went wrong while launching the updater.": "Diçka shkoi gabim gjatë nisjes së përditësuesit.", + "Please try again later": "Të lutem provo përsëri më vonë", + "Integrity checks will not be performed during this operation": "Kontrollet e integritetit nuk do të kryhen gjatë këtij operacioni", + "This is not recommended.": "Nuk këshillohet.", + "Run now": "Ekzekuto tani", + "Run next": "Ekzekuto pas operacionit të tanishëm", + "Run last": "Ekzekuto në fund", + "Retry as administrator": "Provo përsëri si administrator", + "Retry interactively": "Provo përsëri në mënyrë ndërvepruese", + "Retry skipping integrity checks": "Provo përsëri duke anashkaluar kontrollet e integritetit", + "Installation options": "Rregullimet e instalimit", + "Show in explorer": "Shfaq në Eksploruesin", + "This package is already installed": "Kjo paketë është instaluar tashmë", + "This package can be upgraded to version {0}": "Kjo paketë mund të përditësohet në versionin {0}", + "Updates for this package are ignored": "Përditësimet për këtë paketë do të shpërfillen", + "This package is being processed": "Kjo paketë është duke u përpunuar", + "This package is not available": "Kjo paketë nuk ofrohet", + "Select the source you want to add:": "Përzgjidh burimin që do të shtosh:", + "Source name:": "Emri i burimit:", + "Source URL:": "URL-ja e burimit:", + "An error occurred": "Ndodhi një gabim", + "An error occurred when adding the source: ": "Ndodhi një gabim gjatë shtimit të burimit:", + "Package management made easy": "Menaxhimi i paketave i lehtësuar", + "version {0}": "versioni {0}", + "[RAN AS ADMINISTRATOR]": "EKZEKUTUAR SI ADMINISTRATOR", + "Portable mode": "Mënyra portative", + "DEBUG BUILD": "KONSTRUKT PËR KORRIGJIM", + "Available Updates": "Përditësimet e ofruara", + "Show WingetUI": "Shfaq UniGetUI", + "Quit": "Ndal", + "Attention required": "Kërkohet vëmendje", + "Restart required": "Kërkohet rinisja", + "1 update is available": "Ofrohet 1 përditësim", + "{0} updates are available": "{0, plural, one {Ofrohet {0} përditësim} other {Ofrohen {0} përditësime}}", + "WingetUI Homepage": "Kryefaqja e UniGetUI", + "WingetUI Repository": "Depo e UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Këtu mund të ndryshosh sjelljen e UniGetUI në lidhje me shkurtoret që vijojnë. Duke përzgjedhur një shkurtore, UniGetUI do ta fshijë atë nëse krijohet gjatë një përditësimi të ardhshëm. Nëse e heq përzgjedhjen, shkurtesa do të mbetet e pandryshuar", + "Manual scan": "Skanim manual", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Shkurtoret ekzistuese në tryezën tënde do të skanohen, dhe do të duhet të zgjedhësh se cilat do mbash dhe cilat do fshish.", + "Continue": "Vazhdo", + "Delete?": "Do të fshish?", + "Missing dependency": "Mungon varësia", + "Not right now": "Jo tani", + "Install {0}": "Instalo {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI kërkon {0} për të punuar, por nuk u gjet në sistemin tënd.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliko mbi Instalo për të filluar procesin e instalimit. Nëse e anashkalon instalimin, UniGetUI mund të mos punon siç pritet.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Ndryshe, mund të instalosh {0} duke ekzekutuar komandën që vijon në një dritare Windows PowerShell:", + "Do not show this dialog again for {0}": "Mos shfaq më këtë dialog për {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Të lutem prit derisa të instalohet {0}. Mund të shfaqet një dritare e zezë (ose blu). Të lutem prit që të mbyllet.", + "{0} has been installed successfully.": "{0} u instalua me sukses.", + "Please click on \"Continue\" to continue": "Të lutem kliko \"Vazhdo\" për të vazhduar", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} u instalua me sukses. Këshillohet të riniset UniGetUI për ta mbaruar instalimin.", + "Restart later": "Rinis më vonë", + "An error occurred:": "Ndodhi një gabim:", + "I understand": "Kuptoj", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI është ekzekutuar si administrator, gjë që nuk këshillohet. Kur përdor UniGetUI si administrator, ÇDO operacion i nisur nga UniGetUI do të ketë privilegje administratori. Ti mund ta përdorësh programin gjithsesi, por këshillohet të mos ekzekutosh UniGetUI me privilegje administratori.", + "WinGet was repaired successfully": "WinGet u rregullua me sukses", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Këshillohet të riniset UniGetUI mbasi që rregullohet WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "SHËNIM: Ky zgjidhës i problemeve mund të çaktivizohet nga Cilësimet UniGetUI, në seksionin WinGet", + "Restart": "Rinis", + "WinGet could not be repaired": "WinGet nuk mund të rregullohej", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ndodhi një gabim i papritur gjatë përpjekjes për të rregulluar WinGet. Të lutem provo përsëri më vonë", + "Are you sure you want to delete all shortcuts?": "A je i sigurt që do të fshish të gjitha shkurtoret?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Çdo shkurtore e re e krijuar gjatë një instalimi ose përditësimi do të fshihet automatikisht, në vend se të shfaqet një dritare konfirmimi herën e parë kur zbulohet.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Çdo shkurtore e krijuar ose modifikuar jashtë UniGetUI do të shpërfillet. Do mund t'i shtosh ato përmes butonit {0}", + "Are you really sure you want to enable this feature?": "A je i sigurt që do të aktivizosh këtë veçori?", + "No new shortcuts were found during the scan.": "Nuk u gjetën shkurtore të reja gjatë skanimit.", + "How to add packages to a bundle": "Si të shtosh paketa në një koleksion", + "In order to add packages to a bundle, you will need to: ": "Për të shtuar paketa në një koleksion, do të duhet të:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Shkosh në faqen \"{0}\" ose \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Gjesh paketën që dëshiron të shtosh në koleksion, dhe të përzgjidhësh kutinë e zgjedhjes më të majtë.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kur paketata që dëshiron të shtosh në koleksion janë të përzgjedhura, gjej dhe kliko rregullimin \"{0}\" në shiritin e veglave.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Paketat e tua do të jenë shtuar në koleksion. Mund të vazhdosh të shtosh paketa ose të eksportosh koleksionin.", + "Which backup do you want to open?": "Cilën kopje rezervë dëshiron të hapësh?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Zgjidh kopjen rezervë që dëshiron të hapësh. Më vonë, do të mund të rishikosh cilat paketa/programe dëshiron të rikthesh.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ka operacione në vazhdim. Mbyllja e UniGetUI mund të shkaktojë deshtimin e tyre. Do të vazhdosh?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ose disa nga përbërësit e tij mungojnë ose janë të dëmtuar.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Rekomandohet me ngulm të instalosh përsëri UniGetUI për të zgjidhur situatën.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Referohu te Ditarët e UniGetUI për të marrë më shumë detaje rreth skedarëve të prekur", + "Integrity checks can be disabled from the Experimental Settings": "Kontrollet e integritet mund të çaktivizohen nga Cilësimet Eksperimentale", + "Repair UniGetUI": "Ndreq UniGetUI", + "Live output": "Dalja e drejtpërdrejtë", + "Package not found": "Paketa nuk u gjet", + "An error occurred when attempting to show the package with Id {0}": "Ndodhi një gabim gjatë përpjekjes për të shfaqur paketën me Id {0}", + "Package": "Paketë", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ky koleksion paketash kishte disa cilësime që mund të jenë të rrezikshme dhe mund të injorohen si paracaktim.", + "Entries that show in YELLOW will be IGNORED.": "Shënimet që shfaqen me të VERDHË do të ANASHKALOHEN.", + "Entries that show in RED will be IMPORTED.": "Shënimet që shfaqen me të KUQE do të IMPORTOHEN.", + "You can change this behavior on UniGetUI security settings.": "Mund ta ndryshosh këtë sjellje te cilësimet e sigurisë së UniGetUI.", + "Open UniGetUI security settings": "Hap cilësimet e sigurisë të UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Nëse modifikon cilësimet e sigurisë, do të duhet të hapësh përsëri koleksionin që ndryshimet të hyjnë në fuqi.", + "Details of the report:": "Detajet e raportit:", "\"{0}\" is a local package and can't be shared": "\"{0}\" është një paketë lokale dhe nuk mund të shpërndahet", + "Are you sure you want to create a new package bundle? ": "Je i sigurt që do të krijosh një koleksion paketash të ri?", + "Any unsaved changes will be lost": "Çdo ndryshim i paruajtur do të humbet", + "Warning!": "Paralajmërim!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Për arsye sigurie, argumentet e personalizuara të rreshtit të komandës janë të çaktivizuara si paracaktim. Shko te cilësimet e sigurisë të UniGetUI për ta ndryshuar këtë.", + "Change default options": "Ndrysho rregullimet e paracaktuara", + "Ignore future updates for this package": "Shpërfill përditësimet e ardhshme për këtë paketë", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Për arsye sigurie, skriptet para dhe pas operacionit janë të çaktivizuara si paracaktim. Shko te cilësimet e sigurisë të UniGetUI për ta ndryshuar këtë.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Mund të përcaktosh komandat që do të ekzekutohen para ose pas instalimit, përditësimit ose çinstalimit të kësaj pakete. Ato do të ekzekutohen në një dritare komandash, kështu që skriptet CMD do të funksionojnë këtu.", + "Change this and unlock": "Ndryshoje dhe zhblloko", + "{0} Install options are currently locked because {0} follows the default install options.": "Rregullimet e instalimit të {0} janë të bllokuara për momentin sepse {0} ndjek rregullimet e paracaktuara të instalimit.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Zgjidh proceset që duhet të mbyllen para se kjo paketë të instalohet, përditësohet ose çinstalohet.", + "Write here the process names here, separated by commas (,)": "Shkruaj këtu emrat e proceseve, të ndarë me presje (,)", + "Unset or unknown": "I papërcaktuar ose i panjohur", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Të lutem shiko daljen e rreshtit të komandës ose referoju Historikut të Operacioneve për informacione të mëtejshme rreth problemit.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Kjo paketë nuk ka pamje nga ekrani apo i mungon ikona? Kontribuo në UniGetUI duke shtuar ikonat dhe pamjet e ekranit që mungojnë në bazën tonë të të dhënave të hapur publike.", + "Become a contributor": "Bëhu kontribuues", + "Save": "Ruaj", + "Update to {0} available": "Ofrohet përditësim për {0}", + "Reinstall": "Instalo përsëri", + "Installer not available": "Instaluesi nuk ofrohet", + "Version:": "Versioni:", + "Performing backup, please wait...": "Po kryhet rezervimi, të lutem prit...", + "An error occurred while logging in: ": "Ndodhi një gabim gjatë hyrjes:", + "Fetching available backups...": "Po merren kopjet rezervë…", + "Done!": "U krye!", + "The cloud backup has been loaded successfully.": "Kopja rezervë në re u ngarkua me sukses.", + "An error occurred while loading a backup: ": "Ndodhi një gabim gjatë ngarkimit të kopjes rezervë:", + "Backing up packages to GitHub Gist...": "Po bëhet kopje rezervë e paketave në GitHub Gist…", + "Backup Successful": "Kopja rezervë u krijua me sukses.", + "The cloud backup completed successfully.": "Kopja rezervë në re u përfundua me sukses.", + "Could not back up packages to GitHub Gist: ": "Nuk mund të bëhej kopje rezervë e paketave në GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nuk është e garantuar që kredencialet do të ruhen në mënyrë të sigurt, prandaj mund të shmangësh përdorimin e kredencialeve të llogarisë tënde bankare", + "Enable the automatic WinGet troubleshooter": "Akitvizo zgjidhësin automatik të problemeve të WinGet-it", + "Enable an [experimental] improved WinGet troubleshooter": "Aktivizo zgjidhësin e problemeve të përmirësuar [eksperimental] të WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Shto përditësimet që dështojnë me 'nuk u gjet përditësim i përshtatshëm' në listën e përditësimeve të shpërfillura.", + "Restart WingetUI to fully apply changes": "Rinisni UniGetUI për të zbatuar plotësisht ndryshimet", + "Restart WingetUI": "Rinis UniGetUI", + "Invalid selection": "Përzgjedhje e pavlefshme", + "No package was selected": "Nuk është përzgjedhur asnjë paketë", + "More than 1 package was selected": "Është përzgjedhur më shumë se një paketë", + "List": "Listë", + "Grid": "Rrjetë", + "Icons": "Ikona", "\"{0}\" is a local package and does not have available details": "\"{0}\" është një paketë lokale dhe nuk ofrohen detaje", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" është një paketë lokale dhe nuk është e përputhshme me këtë veçori", - "(Last checked: {0})": "(Kontrolluar për herë të fundit në: {0})", + "WinGet malfunction detected": "U zbulua një gabim i WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Duket sikur WinGet nuk po punon siç duhet. Dëshiron të përpiqesh të rregullosh WinGet?", + "Repair WinGet": "Rregullo WinGet", + "Create .ps1 script": "Krijo një skript .ps1", + "Add packages to bundle": "Shto paketa në koleksion", + "Preparing packages, please wait...": "Po përgatiten paketat, të lutem prit...", + "Loading packages, please wait...": "Po ngarkohen paketat, të lutem prit...", + "Saving packages, please wait...": "Po ruhen paketat, të lutem prit...", + "The bundle was created successfully on {0}": "Koleksioni u krijua me sukses më {0}", + "Install script": "Skripti i instalimit", + "The installation script saved to {0}": "Skripti i instalimit u ruajt në {0}", + "An error occurred while attempting to create an installation script:": "Ndodhi një gabim gjatë përpjekjes për të krijuar një skript instalimi:", + "{0} packages are being updated": "Po {0, plural, one {përditësohet {0} paketë} other {përditësohen {0} paketa}}", + "Error": "Gabim", + "Log in failed: ": "Hyrja dështoi:", + "Log out failed: ": "Dalja dështoi:", + "Package backup settings": "Cilësimet e kopjes rezervë të paketës", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "Numri {0} në radhë", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@RDN000", "0 packages found": "Nuk u gjet asnjë paketë", "0 updates found": "Nuk u gjet asnjë përditësim", - "1 - Errors": "1 - Gabime", - "1 day": "1 ditë", - "1 hour": "1 orë", "1 month": "1 muaj", "1 package was found": "U gjet 1 paketë", - "1 update is available": "Ofrohet 1 përditësim", - "1 week": "1 javë", "1 year": "1 vit", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Shkosh në faqen \"{0}\" ose \"{1}\".", - "2 - Warnings": "2 - Paralajmërime", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Gjesh paketën që dëshiron të shtosh në koleksion, dhe të përzgjidhësh kutinë e zgjedhjes më të majtë.", - "3 - Information (less)": "3 - Informacion (më pak)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kur paketata që dëshiron të shtosh në koleksion janë të përzgjedhura, gjej dhe kliko rregullimin \"{0}\" në shiritin e veglave.", - "4 - Information (more)": "4 - Informacion (më shumë)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Paketat e tua do të jenë shtuar në koleksion. Mund të vazhdosh të shtosh paketa ose të eksportosh koleksionin.", - "5 - information (debug)": "5 - informacion (korrigjim)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Një menaxher i njohur i librarisë C/C++. Plot me librari C/C++ dhe shërbime të tjera të lidhura me C/C++
Përmban: librari C/C++ dhe shërbime të ngjashme", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Një depo plot me vegla dhe programe ekzekutuese të krijuar duke pasur parasysh ekosistemin .NET të Microsoft-it.
Përmban: vegla dhe skripte të lidhura me .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Një depo plot me vegla të krijuar duke pasur parasysh ekosistemin .NET të Microsoft-it.
Përmban: . vegla të lidhura me .NET", "A restart is required": "Kërkohet një rinisje", - "Abort install if pre-install command fails": "Anulo instalimin nëse komanda e para-instalimit dështon", - "Abort uninstall if pre-uninstall command fails": "Anulo çinstalimin nëse komanda e para-çinstalimit dështon", - "Abort update if pre-update command fails": "Anulo përditëimin nëse komanda e para-përditësimit dështon", - "About": "Rreth", "About Qt6": "Rreth Qt6", - "About WingetUI": "Rreth UniGetUI", "About WingetUI version {0}": "Rreth versionit {0} i UniGetUI", "About the dev": "Rreth zhvilluesit", - "Accept": "Prano", "Action when double-clicking packages, hide successful installations": "Veprimi kur klikon dy herë paketat, fshihen instalimet e suksesshme", - "Add": "Shto", "Add a source to {0}": "Shto një burim në {0}", - "Add a timestamp to the backup file names": "Shto një vulë kohore në emrat e skedarëve rezervë", "Add a timestamp to the backup files": "Shto një vulë kohore në skedarët rezervë", "Add packages or open an existing bundle": "Shto paketa ose hap një koleksikon ekzistues", - "Add packages or open an existing package bundle": "Shto paketa ose hap një koleksion paketash ekzistues", - "Add packages to bundle": "Shto paketa në koleksion", - "Add packages to start": "Shto paketa për të filluar", - "Add selection to bundle": "Shto përzgjedhjet në koleksion", - "Add source": "Shto burim", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Shto përditësimet që dështojnë me 'nuk u gjet përditësim i përshtatshëm' në listën e përditësimeve të shpërfillura.", - "Adding source {source}": "Duke shtuar burimin {source}", - "Adding source {source} to {manager}": "Shto burimin {source} në {manager}", "Addition succeeded": "Shtimi pati sukses", - "Administrator privileges": "Privilegjet e administratorit", "Administrator privileges preferences": "Parapëlqimet e privilegjëve të administratorit", "Administrator rights": "Të drejtat e administratorit", - "Administrator rights and other dangerous settings": "Të drejtat e administratorit dhe cilësimet e tjera të rrezikshme", - "Advanced options": "Rregullimet e përparuara", "All files": "Çdo skedar", - "All versions": "Çdo version", - "Allow changing the paths for package manager executables": "Mundëso ndryshimin e shtigjeve për ekzekutuesit e menaxherëve të paketave", - "Allow custom command-line arguments": "Lejo argumente të personalizuara të rreshtit të komandës", - "Allow importing custom command-line arguments when importing packages from a bundle": "Lejo importimin e argumenteve të personalizuara të rreshtit të komandës kur importon paketa nga një koleksion", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Mundëso importimin e komandave të personalizuara të para-instalimit dhe pas-instalimit kur importohen paketat nga një koleksion", "Allow package operations to be performed in parallel": "Lejo që operacionet e paketës të kryhen paralelisht", "Allow parallel installs (NOT RECOMMENDED)": "Lejo instalime paralele (NUK KËSHILLOHET)", - "Allow pre-release versions": "Lejo versionet e botimit paraprak", "Allow {pm} operations to be performed in parallel": "Lejo që operacionet {pm} të kryhen paralelisht", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Ndryshe, mund të instalosh {0} duke ekzekutuar komandën që vijon në një dritare Windows PowerShell:", "Always elevate {pm} installations by default": "Instalo gjithmonë {pm} me privilegje të ngritura", "Always run {pm} operations with administrator rights": "Ekzekuto gjithmonë operacionet {pm} me të drejta administratori", - "An error occurred": "Ndodhi një gabim", - "An error occurred when adding the source: ": "Ndodhi një gabim gjatë shtimit të burimit:", - "An error occurred when attempting to show the package with Id {0}": "Ndodhi një gabim gjatë përpjekjes për të shfaqur paketën me Id {0}", - "An error occurred when checking for updates: ": "Ndodhi një gabim gjatë kontrollit për përditësime:", - "An error occurred while attempting to create an installation script:": "Ndodhi një gabim gjatë përpjekjes për të krijuar një skript instalimi:", - "An error occurred while loading a backup: ": "Ndodhi një gabim gjatë ngarkimit të kopjes rezervë:", - "An error occurred while logging in: ": "Ndodhi një gabim gjatë hyrjes:", - "An error occurred while processing this package": "Ndodhi një gabim gjatë përpunimit të kësaj pakete", - "An error occurred:": "Ndodhi një gabim:", - "An interal error occurred. Please view the log for further details.": "Ndodhi një gabim i brendshëm. Të lutem shiko ditarin për detaje të mëtejshme.", "An unexpected error occurred:": "Ndodhi një gabim i papritur:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ndodhi një gabim i papritur gjatë përpjekjes për të rregulluar WinGet. Të lutem provo përsëri më vonë", - "An update was found!": "U gjet një përditësim!", - "Android Subsystem": "Nënsistemi Android", "Another source": "Burim tjetër", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Çdo shkurtore e re e krijuar gjatë një instalimi ose përditësimi do të fshihet automatikisht, në vend se të shfaqet një dritare konfirmimi herën e parë kur zbulohet.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Çdo shkurtore e krijuar ose modifikuar jashtë UniGetUI do të shpërfillet. Do mund t'i shtosh ato përmes butonit {0}", - "Any unsaved changes will be lost": "Çdo ndryshim i paruajtur do të humbet", "App Name": "Emri i aplikacionit", - "Appearance": "Pamja", - "Application theme, startup page, package icons, clear successful installs automatically": "Motivi i aplikacionit, faqja e nisjes, ikonat e paketave, pastrim automatik i instalimeve të suksesshme", - "Application theme:": "Motivi i aplikacionit:", - "Apply": "Zbato", - "Architecture to install:": "Arkitektura për të instaluar:", "Are these screenshots wron or blurry?": "A janë këto pamje të ekranit të gabuara apo të paqarta?", - "Are you really sure you want to enable this feature?": "A je i sigurt që do të aktivizosh këtë veçori?", - "Are you sure you want to create a new package bundle? ": "Je i sigurt që do të krijosh një koleksion paketash të ri?", - "Are you sure you want to delete all shortcuts?": "A je i sigurt që do të fshish të gjitha shkurtoret?", - "Are you sure?": "A je i sigurt?", - "Ascendant": "Renditje ngjitëse", - "Ask for administrator privileges once for each batch of operations": "Kërko privilegje administratori një herë për secilin grup operacionesh", "Ask for administrator rights when required": "Kërko të drejtat e administratorit kur nevojiten", "Ask once or always for administrator rights, elevate installations by default": "Kërko vetëm një herë ose gjithmonë për të drejtat e administratorit, instalo me privilegje të ngritura si paracaktim", - "Ask only once for administrator privileges": "Pyet vetëm një herë për të drejtat e administratorit", "Ask only once for administrator privileges (not recommended)": "Pyet vetëm një herë për privilegjet e administratorit (nuk këshillohet)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Kërko të fshihen shkurtoret e tryezës të krijuara gjatë një instalimi ose përditësimi.", - "Attention required": "Kërkohet vëmendje", "Authenticate to the proxy with an user and a password": "Hyr në ndërmjetësin me emrin e përdoruesit dhe fjalëkalimin", - "Author": "Autor", - "Automatic desktop shortcut remover": "Heqës automatik i shkurtoreve të tryezës", - "Automatic updates": "Përditësimet automatike", - "Automatically save a list of all your installed packages to easily restore them.": "Ruaj automatikisht një listë të të gjitha paketave të tua të instaluara për t'i rikthyer ato lehtësisht.", "Automatically save a list of your installed packages on your computer.": "Ruaj automatikisht një listë të paketave të tua të instaluara në kompjuterin tënd.", - "Automatically update this package": "Përditëso këtë paketë automatikisht", "Autostart WingetUI in the notifications area": "Nis automatikisht UniGetUI në hapësirën e njoftimeve", - "Available Updates": "Përditësimet e ofruara", "Available updates: {0}": "Përditësimet e ofruara: {0}", "Available updates: {0}, not finished yet...": "Përditësimet e ofruara: {0}, nuk ka përfunduar ende...", - "Backing up packages to GitHub Gist...": "Po bëhet kopje rezervë e paketave në GitHub Gist…", - "Backup": "Bëj një kopje rezervë", - "Backup Failed": "Krijimi i kopjes rezervë dështoi", - "Backup Successful": "Kopja rezervë u krijua me sukses.", - "Backup and Restore": "Kopje rezervë dhe Rikthim", "Backup installed packages": "Kopje rezervë e paketave të instaluara", "Backup location": "Vendndodhja e kopjes rezervë", - "Become a contributor": "Bëhu kontribuues", - "Become a translator": "Bëhu përkthyes", - "Begin the process to select a cloud backup and review which packages to restore": "Fillo procesin për të zgjedhur një kopje rezervë në re dhe rishiko paketat që do të rikthehen.", - "Beta features and other options that shouldn't be touched": "Veçoritë për testim dhe rregullime të tjera që nuk duhen prekur", - "Both": "Të dyja", - "Bundle security report": "Raporti i sigurisë për koleksionin", "But here are other things you can do to learn about WingetUI even more:": "Por këtu ka gjëra të tjera që mund të bësh për të mësuar më shumë rreth UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Duke çaktivizuar një menaxher paketash, nuk do të jesh më në gjendje të shohësh ose përditësosh paketat e tij.", "Cache administrator rights and elevate installers by default": "Vendos në kesh të drejtat e administratorit edhe instalo me privilegje të ngritura gjithmonë", "Cache administrator rights, but elevate installers only when required": "Vendos në kesh të drejtat e administratorit, por instalo me privilegje të ngritura vetëm kur nevojitet", "Cache was reset successfully!": "Keshi u rivendos me sukses!", "Can't {0} {1}": "Nuk {0} dot {1}", - "Cancel": "Anulo", "Cancel all operations": "Anulo të gjitha operacionet", - "Change backup output directory": "Ndrysho vendndodhjen e kopjës rezervë", - "Change default options": "Ndrysho rregullimet e paracaktuara", - "Change how UniGetUI checks and installs available updates for your packages": "Ndrysho mënyrën se si UniGetUI kontrollon dhe instalon përditësimet e ofruara për paketat e tua", - "Change how UniGetUI handles install, update and uninstall operations.": "Ndrysho mënyrën se si UniGetUI trajton operacionet e instalimit, përditësimit dhe çinstalimit.", "Change how UniGetUI installs packages, and checks and installs available updates": "Ndrysho mënyrën se si UniGetUI instalon paketat dhe si kontrollon edhe instalon përditësimet e ofruara.", - "Change how operations request administrator rights": "Ndrysho mënyrën se si operacionet kërkojnë të drejtat e administratorit", "Change install location": "Ndrysho vendndodhjen e instalimit", - "Change this": "Ndryshoje", - "Change this and unlock": "Ndryshoje dhe zhblloko", - "Check for package updates periodically": "Kontrollo periodikisht për përditësime të paketave", - "Check for updates": "Kontrollo për përditësime", - "Check for updates every:": "Kontrollo për përditësime çdo:", "Check for updates periodically": "Kontrollo periodikisht për përditësime.", "Check for updates regularly, and ask me what to do when updates are found.": "Kontrollo rregullisht për përditësime dhe më pyet se çfarë të bëj kur të gjenden përditësimet.", "Check for updates regularly, and automatically install available ones.": "Kontrollo rregullisht për përditësime dhe instalo automatikisht ato që ofrohen.", @@ -159,805 +741,283 @@ "Checking for updates...": "Po kontrollohet për përditësime...", "Checking found instace(s)...": "Po kontrollohen rastet e gjetura...", "Choose how many operations shouls be performed in parallel": "Zgjidh sa operacione duhet të kryhen paralelisht", - "Clear cache": "Pastro kesh-in", "Clear finished operations": "Pastro opracionet e përfunduara", - "Clear selection": "Pastro përzgjedhjet", "Clear successful operations": "Pastro operacionet e suksesshme", - "Clear successful operations from the operation list after a 5 second delay": "Pastro operacionet e suksesshme nga lista e operacioneve pas një vonese prej 5 sekondash", "Clear the local icon cache": "Pastro kesh-in lokal të ikonave", - "Clearing Scoop cache - WingetUI": "Po pastrohet keshi i Scoop - UniGetUI", "Clearing Scoop cache...": "Po pastrohet keshi i Scoop...", - "Click here for more details": "Kliko këtu për më shumë detaje", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kliko mbi Instalo për të filluar procesin e instalimit. Nëse e anashkalon instalimin, UniGetUI mund të mos punon siç pritet.", - "Close": "Mbyll", - "Close UniGetUI to the system tray": "Mbyll UniGetUI në hapësirën e sistemit", "Close WingetUI to the notification area": "Mbyll UniGetUI në hapësirën e njoftimeve", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Kopja rezervë në re përdor një Gist privat në GitHub për të ruajtur një listë të paketave të instaluara.", - "Cloud package backup": "Kopja reyervë e paketave në re", "Command-line Output": "Dalja e rreshtit të komandës", - "Command-line to run:": "Rreshti i komandës për t'u ekzekutuar:", "Compare query against": "Krahaso pyetjen me", - "Compatible with authentication": "I përputhshëm me kyçjen", - "Compatible with proxy": "I përputhshëm me ndërmjetës", "Component Information": "Informacion mbi Përbërësin", - "Concurrency and execution": "Njëkohshmëria dhe ekzekutimi", - "Connect the internet using a custom proxy": "Lidhu me internetin duke përdorur një ndërmjetës të personalizuar", - "Continue": "Vazhdo", "Contribute to the icon and screenshot repository": "Kontribuo në depon e ikonave dhe pamjeve të ekranit", - "Contributors": "Kontribuesit", "Copy": "Kopjo", - "Copy to clipboard": "Kopjo në letërmbajtëse", - "Could not add source": "Nuk mund të shtohet burimi", - "Could not add source {source} to {manager}": "Nuk mund të shtohej burimi {source} në {manager}", - "Could not back up packages to GitHub Gist: ": "Nuk mund të bëhej kopje rezervë e paketave në GitHub Gist:", - "Could not create bundle": "Nuk mund të krijohej koleksioni i paketave", "Could not load announcements - ": "Njoftimet nuk u ngarkuan dot -", "Could not load announcements - HTTP status code is $CODE": "Njoftimet nuk u ngarkuan dot - Kodi i gjendjes HTTP është $CODE", - "Could not remove source": "Nuk mund të hiqet burimi", - "Could not remove source {source} from {manager}": "Burimi {source} nuk mund të hiqej nga {manager}", "Could not remove {source} from {manager}": "Nuk mund të hiqej {source} nga {manager}", - "Create .ps1 script": "Krijo një skript .ps1", - "Credentials": "Kredencialet", "Current Version": "Versioni i tanishëm", - "Current executable file:": "Skedari ekzekutues i tanishëm:", - "Current status: Not logged in": "Gjendja e tanishme: Nuk ke hyr", "Current user": "Përdoruesi i tanishëm", "Custom arguments:": "Argumentet e personalizuara:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Argumentet e personalizuara të rreshtit të komandës mund të ndryshojnë mënyrën se si programet instalohen, përditësohen ose çinstalohen, në një mënyrë që UniGetUI nuk mund ta kontrollojë. Përdorimi i rreshtave të personalizuar të komandës mund t’i prishë paketat. Vazhdo me kujdes.", "Custom command-line arguments:": "Argumentet e personalizuara të rreshtit të komandës:", - "Custom install arguments:": "Argumente të instalimit të personalizuara:", - "Custom uninstall arguments:": "Argumente të çinstalimit të personalizuara:", - "Custom update arguments:": "Argumente të përditësimit të personalizuara:", "Customize WingetUI - for hackers and advanced users only": "Personalizo UniGetUI - vetëm për hakerat dhe përdoruesit e përparuar", - "DEBUG BUILD": "KONSTRUKT PËR KORRIGJIM", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "MOSPRANIM PËRGJEGJËSIE: NE NUK JEMI PËRGJEGJËS PËR PAKETAT E SHKARKUARA. TË LUTEM SIGUROHU TË INSTALOSH VETËM PROGRAME TË BESUESHËME.", - "Dark": "Errët", - "Decline": "Refuzo", - "Default": "Paracaktuar", - "Default installation options for {0} packages": "Rregullimet e paracaktuara të instalimit për {0} paketa.", "Default preferences - suitable for regular users": "Parapëlqimet e paracaktuara - të përshtatshme për përdoruesit e thjeshtë", - "Default vcpkg triplet": "Treshja vcpkg e paracaktuar", - "Delete?": "Do të fshish?", - "Dependencies:": "Varësitë:", - "Descendant": "Renditje zbritëse", "Description:": "Përshkrim:", - "Desktop shortcut created": "U krijua shkurtoja e tryezës", - "Details of the report:": "Detajet e raportit:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Zhvillimi është i vështirë dhe ky aplikacion është falas. Por nëse të pëlqeu aplikacioni, gjithmonë mund të më blesh një kafe :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Instalo drejtpërdrejt kur klikon dy herë një artikull në skedën \"{discoveryTab}\" (në vend që të shfaqësh informacionin e paketës)", "Disable new share API (port 7058)": "Çaktivizo API-në e re të shpërndarjes (porta 7058)", - "Disable the 1-minute timeout for package-related operations": "Çaktivizo afatin 1 minutësh për operacionet që lidhen me paketat", - "Disabled": "Çaktivizuar", - "Disclaimer": "Mospranim përgjegjësie", - "Discover Packages": "Zbulo paketat", "Discover packages": "Zbulo paketa", "Distinguish between\nuppercase and lowercase": "Dallo midis shkronjave \ntë mëdhaja dhe të vogla", - "Distinguish between uppercase and lowercase": "Dallo midis shkronjave të mëdhaja dhe të vogla", "Do NOT check for updates": "MOS kontrollo për përditësime", "Do an interactive install for the selected packages": "Bëj një instalim ndërveprues për paketat e përzgjedhura", "Do an interactive uninstall for the selected packages": "Bëj një çinstalim ndërveprues për paketat e përzgjedhura", "Do an interactive update for the selected packages": "Bëj një përditësim ndërveprues për paketat e përzgjedhura", - "Do not automatically install updates when the battery saver is on": "Mos i instalo automatikisht përditësimet kur kursyesi i baterisë është aktiv", - "Do not automatically install updates when the device runs on battery": "Mos instalo automatikisht përditësime kur pajisja punon me bateri", - "Do not automatically install updates when the network connection is metered": "Mos i instalo automatikisht përditësimet kur lidhja e rrjetit është me kufizime të dozës", "Do not download new app translations from GitHub automatically": "Mos shkarko automatikisht përkthimet e reja të aplikacionit nga GitHub", - "Do not ignore updates for this package anymore": "Mos shpërfill përditësimet për këtë paketë", "Do not remove successful operations from the list automatically": "Mos i hiq automatikisht operacionet e suksesshme nga lista", - "Do not show this dialog again for {0}": "Mos shfaq më këtë dialog për {0}", "Do not update package indexes on launch": "Mos përditëso treguesit e paketave në nisje", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "A pranon që UniGetUI të mbledhë dhe të dërgojë statistika të përdorimit anonime, me qëllim të vetëm kuptimin dhe përmirësimin të përvojës së përdoruesit?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "A të duket i dobishëm UniGetUI? Nëse e ke mundësinë, mbështet punën time, kështu që unë të vazhdoj ta bëj UniGetUI ndërfaqen përfundimtare të menaxhimit të paketave.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "A të duket i dobishëm UniGetUI? Dëshiron të mbështesësh zhvilluesin? Nëse po, mund të {0}, ndihmon shumë!", - "Do you really want to reset this list? This action cannot be reverted.": "A je i sigurt që do të rivendosësh këtë listë? Ky veprim nuk mund të rikthehet.", - "Do you really want to uninstall the following {0} packages?": "Dëshiron vërtet të çinstalosh {0, plural, one {paketën} other {{0} paketat}} në vijim?", "Do you really want to uninstall {0} packages?": "Dëshiron vërtet të çinstalosh {0, plural, one {paketën} other {{0} paketa}}?", - "Do you really want to uninstall {0}?": "Dëshiron vërtet të çinstalosh {0}?", "Do you want to restart your computer now?": "Dëshiron të rinisësh kompjuterin tënd tani?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Dëshiron të përkthesh UniGetUI në gjuhën tënde? Shiko se si të kontribuosh KËTU!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Nuk do të dhurosh? Mos u shqetëso, mund të shpërndash UniGetUI me miqtë e tu. Shpërndaj fjalën për UniGetUI.", "Donate": "Dhuro", - "Done!": "U krye!", - "Download failed": "Shkarkimi dështoi", - "Download installer": "Shkarko instaluesin", - "Download operations are not affected by this setting": "Operacionet e shkarkimit nuk preken nga ky cilësim", - "Download selected installers": "Shkarko instaluesit e përzgjedhur", - "Download succeeded": "Shkarkimi pati sukses", "Download updated language files from GitHub automatically": "Shkarko automatikisht skedarët ë gjuhës te përditësuar nga GitHub", - "Downloading": "Po shkarkohet", - "Downloading backup...": "Duke shkarkuar kopjen rezervë...", - "Downloading installer for {package}": "Po shkarkohet instaluesi për {package}", - "Downloading package metadata...": "Po shkarkohen meta të dhënat të paketës...", - "Enable Scoop cleanup on launch": "Aktivizo pastrimin e Scoop në nisje", - "Enable WingetUI notifications": "Aktivizo njoftimet e UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Aktivizo zgjidhësin e problemeve të përmirësuar [eksperimental] të WinGet", - "Enable and disable package managers, change default install options, etc.": "Aktivizo dhe çaktivizo menaxherët e paketave, ndrysho rregullimet e paracaktuara të instalimit, etj.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktivizo përmirësimet e përdorimit të CPU-së në sfond (shih Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktivizo API-në e sfondit (Widgets for UniGetUI and Sharing, porta 7058)", - "Enable it to install packages from {pm}.": "Aktivizoje për të instaluar paketa nga {pm}.", - "Enable the automatic WinGet troubleshooter": "Akitvizo zgjidhësin automatik të problemeve të WinGet-it", - "Enable the new UniGetUI-Branded UAC Elevator": "Aktivizo ngritësin e ri të privilegjëve të administratorit të UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Aktivizo trajtuesin e ri të hyrjes së procesit (mbyllës automatik i StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktivizo cilësimet më poshtë VETËM NË QOFTË SE kupton plotësisht se çfarë bëjnë ato, si dhe implikimet dhe rreziqet që mund të sjellin.", - "Enable {pm}": "Aktivizo {pm}", - "Enabled": "Aktivizuar", - "Enter proxy URL here": "Shkruaj këtu URL-në e ndërmjetësit", - "Entries that show in RED will be IMPORTED.": "Shënimet që shfaqen me të KUQE do të IMPORTOHEN.", - "Entries that show in YELLOW will be IGNORED.": "Shënimet që shfaqen me të VERDHË do të ANASHKALOHEN.", - "Error": "Gabim", - "Everything is up to date": "Gjithçka është e përditësuar", - "Exact match": "Përputhje e saktë", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Shkurtoret ekzistuese në tryezën tënde do të skanohen, dhe do të duhet të zgjedhësh se cilat do mbash dhe cilat do fshish.", - "Expand version": "Shfaq versionin", - "Experimental settings and developer options": "Cilësimet eksperimentale dhe rregullimet për zhvilluesit", - "Export": "Eksporto", + "Downloading": "Po shkarkohet", + "Downloading installer for {package}": "Po shkarkohet instaluesi për {package}", + "Downloading package metadata...": "Po shkarkohen meta të dhënat të paketës...", + "Enable the new UniGetUI-Branded UAC Elevator": "Aktivizo ngritësin e ri të privilegjëve të administratorit të UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Aktivizo trajtuesin e ri të hyrjes së procesit (mbyllës automatik i StdIn)", "Export log as a file": "Eksporto ditarin si skedar", "Export packages": "Eksporto paketat", "Export selected packages to a file": "Eksporto paketat e përzgjedhura në një skedar", - "Export settings to a local file": "Eksporto cilësimet në një skedar lokal", - "Export to a file": "Eksporto në një skedar", - "Failed": "Dështoi", - "Fetching available backups...": "Po merren kopjet rezervë…", "Fetching latest announcements, please wait...": "Po merren njoftimet më të fundit, të lutem prit...", - "Filters": "Filtrat", "Finish": "Mbaro", - "Follow system color scheme": "Ndiq skemën e ngjyrave të sistemit", - "Follow the default options when installing, upgrading or uninstalling this package": "Ndjek rregullimet e paracaktuara gjatë instalimit, përditësimit ose çinstalimit të kësaj pakete.", - "For security reasons, changing the executable file is disabled by default": "Për arsye sigurie, ndryshimi i skedarit të ekzekutimit është i çaktivizuar si paracaktim", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Për arsye sigurie, argumentet e personalizuara të rreshtit të komandës janë të çaktivizuara si paracaktim. Shko te cilësimet e sigurisë të UniGetUI për ta ndryshuar këtë.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Për arsye sigurie, skriptet para dhe pas operacionit janë të çaktivizuara si paracaktim. Shko te cilësimet e sigurisë të UniGetUI për ta ndryshuar këtë.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Detyro përdorimin e versionit të winget të përpiluar për ARM (VETËM PËR SISTEMET ARM64)", - "Force install location parameter when updating packages with custom locations": "Detyro parametrin e vendndodhjes së instalimit kur përditëson paketat me vendndodhje të personalizuara", "Formerly known as WingetUI": "I njohur më parë si WingetUI", "Found": "Gjetur", "Found packages: ": "Paketat e gjetura:", "Found packages: {0}": "Paketat e gjetura: {0}", "Found packages: {0}, not finished yet...": "Paketat e gjetura: {0}, nuk ka përfunduar ende...", - "General preferences": "Parapëlqime të përgjithshme", "GitHub profile": "Profili GitHub", "Global": "Globale", - "Go to UniGetUI security settings": "Shko te cilësimet e sigurisë të UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Depo e shkëlqyeshme me shërbime të panjohura por të dobishme dhe paketa të tjera interesante.
Përmban: Shërbime, Programe të rreshtit së komandës, Programe të përgjithshme (kërkohet kova e shtesave)", - "Great! You are on the latest version.": "Shkëlqyeshëm! Je në versionin më të fundit.", - "Grid": "Rrjetë", - "Help": "Ndihmë", "Help and documentation": "Ndihmë dhe dokumentacion", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Këtu mund të ndryshosh sjelljen e UniGetUI në lidhje me shkurtoret që vijojnë. Duke përzgjedhur një shkurtore, UniGetUI do ta fshijë atë nëse krijohet gjatë një përditësimi të ardhshëm. Nëse e heq përzgjedhjen, shkurtesa do të mbetet e pandryshuar", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Përshëndetje, emri im është Martí dhe jam zhvilluesi i UniGetUI. UniGetUI është bërë tërësisht në kohën time të lirë!", "Hide details": "Fshih detajet", - "Homepage": "Kryefaqja", - "Hooray! No updates were found.": "Ec aty! Nuk u gjetën përditësime.", "How should installations that require administrator privileges be treated?": "Si duhet të trajtohen instalimet që kërkojnë privilegje administratori?", - "How to add packages to a bundle": "Si të shtosh paketa në një koleksion", - "I understand": "Kuptoj", - "Icons": "Ikona", - "Id": "ID-ja", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Nëse ke aktivizuar kopjen rezervë në re, ajo do të ruhet si një GitHub Gist në këtë llogari", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Lejo që të ekzekutohen komandat e personalizuara të para-instalimit dhe pas-instalimit", - "Ignore future updates for this package": "Shpërfill përditësimet e ardhshme për këtë paketë", - "Ignore packages from {pm} when showing a notification about updates": "Shpërfill paketat nga {pm} kur shfaqet një njoftim për përditësime", - "Ignore selected packages": "Shpërfill paketat e përzgjedhura", - "Ignore special characters": "Shpërfill shkronjat e veçanta", "Ignore updates for the selected packages": "Shpërfill përditësimet për paketën e përzgjedhur", - "Ignore updates for this package": "Shpërfill përditësimet për këtë paketë", "Ignored updates": "Përditësimet e shpërfillura", - "Ignored version": "Versionet e shpërfillura", - "Import": "Importo", "Import packages": "Importo paketat", "Import packages from a file": "Importo paketat nga një skedar", - "Import settings from a local file": "Importo cilësimet nga një skedar lokal", - "In order to add packages to a bundle, you will need to: ": "Për të shtuar paketa në një koleksion, do të duhet të:", "Initializing WingetUI...": "Po niset UniGetUI...", - "Install": "Instalo", - "Install Scoop": "Instalo Scoop", "Install and more": "Instalimi dhe të tjera", "Install and update preferences": "Parapëlqimet e instalimit dhe përditësimit", - "Install as administrator": "Instalo si administrator", - "Install available updates automatically": "Instalo automatikisht përditësimet e ofruara", - "Install location can't be changed for {0} packages": "Vendndodhja e instalimit nuk mund të ndryshohet për {0} paketa", - "Install location:": "Vendndodhja e instalimit:", - "Install options": "Rregullimet e instalimit", "Install packages from a file": "Instalo paketat nga një skedar", - "Install prerelease versions of UniGetUI": "Instalo versionet paraprake të UniGetUI", - "Install script": "Skripti i instalimit", "Install selected packages": "Instalo paketat e përzgjedhura", "Install selected packages with administrator privileges": "Instalo paketat e përzgjedhura me privilegje administratori", - "Install selection": "Instalo përzgjedhjet", "Install the latest prerelease version": "Instalo versionin e botimit paraprak më të fundit", "Install updates automatically": "Instalo përditësimet automatikisht", - "Install {0}": "Instalo {0}", "Installation canceled by the user!": "Instalimi u anulua nga përdoruesi!", - "Installation failed": "Instalimi dështoi", - "Installation options": "Rregullimet e instalimit", - "Installation scope:": "Shtrirja e instalimit:", - "Installation succeeded": "Instalimi pati sukses", - "Installed Packages": "Paketat e instaluara", - "Installed Version": "Versioni i instaluar", "Installed packages": "Paketat e instaluara", - "Installer SHA256": "SHA256 i instaluesit", - "Installer SHA512": "SHA512 i instaluesit", - "Installer Type": "Lloji i instaluesit", - "Installer URL": "URL i instaluesit", - "Installer not available": "Instaluesi nuk ofrohet", "Instance {0} responded, quitting...": "Rasti {0} u përgjigj, po ndalohet...", - "Instant search": "Kërkim i menjëhershëm", - "Integrity checks can be disabled from the Experimental Settings": "Kontrollet e integritet mund të çaktivizohen nga Cilësimet Eksperimentale", - "Integrity checks skipped": "Kontrollet e integritetit u anashkaluan", - "Integrity checks will not be performed during this operation": "Kontrollet e integritetit nuk do të kryhen gjatë këtij operacioni", - "Interactive installation": "Instalim ndërveprues", - "Interactive operation": "Operacion ndërveprues", - "Interactive uninstall": "Çinstalim ndërveprues", - "Interactive update": "Përditësim ndërveprues", - "Internet connection settings": "Cilësimet e lidhjes së Internetit", - "Invalid selection": "Përzgjedhje e pavlefshme", "Is this package missing the icon?": "A i mungon ikona kësaj pakete?", - "Is your language missing or incomplete?": "Gjuha jote mungon apo është e paplotë?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Nuk është e garantuar që kredencialet do të ruhen në mënyrë të sigurt, prandaj mund të shmangësh përdorimin e kredencialeve të llogarisë tënde bankare", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Këshillohet të riniset UniGetUI mbasi që rregullohet WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Rekomandohet me ngulm të instalosh përsëri UniGetUI për të zgjidhur situatën.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Duket sikur WinGet nuk po punon siç duhet. Dëshiron të përpiqesh të rregullosh WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Duket sikur ke nisur UniGetUI si administrator, gjë që nuk këshillohet. Ti sidoqoftë mund ta përdorsh programin, por këshillohet të mos ekzekutohet UniGetUI me privilegje administratori. Kliko në \"{showDetails}\" për të parë pse.", - "Language": "Gjuha", - "Language, theme and other miscellaneous preferences": "Gjuha, motivi dhe parapëlqime të tjera të ndryshme", - "Last updated:": "Përditësimi i fundit:", - "Latest": "I fundit", "Latest Version": "Versioni i fundit", "Latest Version:": "Versioni i fundit:", "Latest details...": "Detajet e fundit...", "Launching subprocess...": "Duke nisur nënprocesin...", - "Leave empty for default": "Lëre bosh për të ndjekur paracaktimin", - "License": "Leja", "Licenses": "Lejet", - "Light": "Çelët", - "List": "Listë", "Live command-line output": "Dalje e rreshtit të komandës e drejtpërdrejtë ", - "Live output": "Dalja e drejtpërdrejtë", "Loading UI components...": "Po ngarkohen përbërësit e ndërfaqes së përdoruesit...", "Loading WingetUI...": "Po ngarkohet UniGetUI...", - "Loading packages": "Po ngarkohen paketat", - "Loading packages, please wait...": "Po ngarkohen paketat, të lutem prit...", - "Loading...": "Po ngarkohet...", - "Local": "Lokal", - "Local PC": "Kompjuteri lokal", - "Local backup advanced options": "Rregullimet e përparuara për kopjen rezervë lokale", "Local machine": "Makina lokale", - "Local package backup": "Kopje rezervë lokale e paketës", "Locating {pm}...": "Po gjendet {pm}...", - "Log in": "Hyr", - "Log in failed: ": "Hyrja dështoi:", - "Log in to enable cloud backup": "Hyr për të aktivizuar kopjen rezervë në re", - "Log in with GitHub": "Hyr me GitHub", - "Log in with GitHub to enable cloud package backup.": "Hyr me GitHub për të aktivizuar kopjen rezervë në re të paketave.", - "Log level:": "Niveli i ditarit:", - "Log out": "Dil", - "Log out failed: ": "Dalja dështoi:", - "Log out from GitHub": "Dil nga GitHub", "Looking for packages...": "Po gjenden paketat...", "Machine | Global": "Makinë | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Argumentet e pasakta të rreshtit të komandës mund të prishin paketat, ose madje t’i lejojnë një aktori keqdashës të marrë ekzekutimin me privilegje. Prandaj, importimi i argumenteve të personalizuara të rreshtit të komandës është i çaktivizuar si paracaktim.", - "Manage": "Menaxho", - "Manage UniGetUI settings": "Menaxho cilësimet e UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Menaxho sjelljen e nisjes automatike të UniGetUI nga aplikacioni Cilësimet", "Manage ignored packages": "Menaxho paketat e shpërfillura", - "Manage ignored updates": "Menaxho përditësimet e shpërfillura", - "Manage shortcuts": "Menaxho shkurtoret", - "Manage telemetry settings": "Menaxho cilësimet e matjes nga larg (telemetrisë)", - "Manage {0} sources": "Menaxho burimet {0}", - "Manifest": "Manifesti", "Manifests": "Manifestet", - "Manual scan": "Skanim manual", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Menaxheri zyrtar i paketave të Microsoft. Plot me paketa të njohura dhe të verifikuara
Përmban: Programe të përgjithshme, aplikacione të Microsoft Store", - "Missing dependency": "Mungon varësia", - "More": "Më shumë", - "More details": "Më shumë detaje", - "More details about the shared data and how it will be processed": "Më shumë detaje rreth të dhënave të ndara dhe mënyrës se si do të përpunohen", - "More info": "Më shumë informacione", - "More than 1 package was selected": "Është përzgjedhur më shumë se një paketë", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "SHËNIM: Ky zgjidhës i problemeve mund të çaktivizohet nga Cilësimet UniGetUI, në seksionin WinGet", - "Name": "Emri", - "New": "I ri", "New Version": "Version i Ri", "New bundle": "Koleksion i ri", - "New version": "Verisoni i ri", - "Nice! Backups will be uploaded to a private gist on your account": "Bukur! Kopjet rezervë do të ngarkohen në një Gist privat në llogarinë tënde", - "No": "Jo", - "No applicable installer was found for the package {0}": "Nuk u gjet asnjë instalues i përshtatshëm për paketën {0}", - "No dependencies specified": "Nuk janë përcaktuar varësi", - "No new shortcuts were found during the scan.": "Nuk u gjetën shkurtore të reja gjatë skanimit.", - "No package was selected": "Nuk është përzgjedhur asnjë paketë", "No packages found": "Nuk u gjet asnjë paketë", "No packages found matching the input criteria": "Nuk u gjet asnjë paketë që përputhet me kriteret hyrëse", "No packages have been added yet": "Ende nuk është shtuar asnjë paketë", "No packages selected": "Nuk është përzgjedhur asnjë paketë", - "No packages were found": "Nuk u gjet asnjë paketë", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Asnjë informacion personal nuk mblidhet as nuk dërgohet, dhe të dhënat e mbledhura janë të anonimizuara, kështu që nuk mund të gjurmohen mbrapsht te ty.", - "No results were found matching the input criteria": "Nuk u gjet asnjë rezultat që përputhet me kriteret hyrëse", "No sources found": "Nuk u gjet asnjë burim", "No sources were found": "Nuk u gjet asnjë burim", "No updates are available": "Nuk ka përditësime të ofruara", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Menaxheri i paketave të Node JS-it. Plot me librari dhe shërbime të tjera që kanë të bëjnë me botën e javascript-it
Përmban: Libraritë Node javascript dhe shërbime të tjera të lidhura me to", - "Not available": "Nuk ofrohet", - "Not finding the file you are looking for? Make sure it has been added to path.": "Nuk po gjen skedarin që po kërkon? Sigurohu që është shtuar në shteg.", - "Not found": "Nuk u gjet", - "Not right now": "Jo tani", "Notes:": "Shënime:", - "Notification preferences": "Parapëlqimet e njoftimit", "Notification tray options": "Rregullimet e hapësirës së njoftimeve", - "Notification types": "Llojet e njoftimeve", - "NuPkg (zipped manifest)": "NuPkg (manifest i kompresuar)", - "OK": "OK", "Ok": "Ok", - "Open": "Hap", "Open GitHub": "Hap GitHub", - "Open UniGetUI": "Hap UniGetUI", - "Open UniGetUI security settings": "Hap cilësimet e sigurisë të UniGetUI", "Open WingetUI": "Hap UniGetUI", "Open backup location": "Hap vendndodhjen e kopjes rezervë", "Open existing bundle": "Hap koleksion ekzistues", - "Open install location": "Hap vendndodhjen e instalimit", "Open the welcome wizard": "Hap drejtuesin e mirëseardhjes", - "Operation canceled by user": "Operacioni u anulua nga përdoruesi", "Operation cancelled": "Operacioni u anulua", - "Operation history": "Historiku i operacionëve", - "Operation in progress": "Operacion në vazhdim", - "Operation on queue (position {0})...": "Operacion në radhë (vendi {0})...", - "Operation profile:": "Profili i operacionit:", "Options saved": "Rregullimet u ruajtën", - "Order by:": "Rëndit sipas:", - "Other": "Tjerë", - "Other settings": "Cilësimet e tjera", - "Package": "Paketë", - "Package Bundles": "Koleksione të paketave", - "Package ID": "ID i paketës", "Package Manager": "Menaxheri i paketave", - "Package Manager logs": "Ditari i menaxherit të paketave", - "Package Managers": "Menaxherët e paketave", - "Package Name": "Emri i paketës", - "Package backup": "Kopje rezervë e paketës", - "Package backup settings": "Cilësimet e kopjes rezervë të paketës", - "Package bundle": "Koleksion i paketave", - "Package details": "Detajet e paketës", - "Package lists": "Listat e paketave", - "Package management made easy": "Menaxhimi i paketave i lehtësuar", - "Package manager": "Menaxheri i paketave", - "Package manager preferences": "Parapëlqimet e menaxherit të paketave", "Package managers": "Menaxherët e paketave", - "Package not found": "Paketa nuk u gjet", - "Package operation preferences": "Parapëlqimet e operacioneve të paketave", - "Package update preferences": "Parapëlqimet e përditësimit të paketave", "Package {name} from {manager}": "Paketa {name} nga {manager}", - "Package's default": "Paracaktimet e paketës", "Packages": "Paketat", "Packages found: {0}": "Paketat e gjetura: {0}", - "Partially": "Pjesërisht", - "Password": "Fjalëkalim", "Paste a valid URL to the database": "Ngjit një URL të vlefshme për bazën e të dhënave", - "Pause updates for": "Pezullo përditësimet për", "Perform a backup now": "Bëj një kopje rezervë tani", - "Perform a cloud backup now": "Bëj një kopje rezervë në re tani", - "Perform a local backup now": "Bëj një kopje rezervë lokale tani", - "Perform integrity checks at startup": "Bëj kontrollet e integritet gjatë nisjes", - "Performing backup, please wait...": "Po kryhet rezervimi, të lutem prit...", "Periodically perform a backup of the installed packages": "Bëj periodikisht një kopje rezervë të paketave të instaluara", - "Periodically perform a cloud backup of the installed packages": "Bëj periodikisht një kopje rezervë në re të paketave të instaluara", - "Periodically perform a local backup of the installed packages": "Bëj periodikisht një kopje rezervë lokale të paketave të instaluara", - "Please check the installation options for this package and try again": "Kontrollo rregullimet e instalimit për këtë paketë dhe provo përsëri.", - "Please click on \"Continue\" to continue": "Të lutem kliko \"Vazhdo\" për të vazhduar", "Please enter at least 3 characters": "Të lutem shkruaj të paktën 3 shkronja", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Të lutem vër re se disa paketa mund të mos instalohen, për shkak të menaxherëve të paketave që janë aktivizuar në këtë makinë.", - "Please note that not all package managers may fully support this feature": "Të lutem vë re që jo të gjithë menaxherët e paketave mund ta mbështesin plotësisht këtë veçori", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Të lutem vër re se paketat nga ca burime mund të mos jenë të eksportueshme. Janë të hijëzuara dhe nuk do të eksportohen.", - "Please run UniGetUI as a regular user and try again.": "Të lutem hap UniGetUI si përdorues i zakonshëm dhe provo përsëri.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Të lutem shiko daljen e rreshtit të komandës ose referoju Historikut të Operacioneve për informacione të mëtejshme rreth problemit.", "Please select how you want to configure WingetUI": "Të lutem zgjidh se si dëshiron të konfigurosh UniGetUI", - "Please try again later": "Të lutem provo përsëri më vonë", "Please type at least two characters": "Të lutem shkruaj të paktën dy shkronja", - "Please wait": "Të lutem prit", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Të lutem prit derisa të instalohet {0}. Mund të shfaqet një dritare e zezë (ose blu). Të lutem prit që të mbyllet.", - "Please wait...": "Të lutem prit...", "Portable": "Portativ", - "Portable mode": "Mënyra portative", - "Post-install command:": "Komanda pas instalimit:", - "Post-uninstall command:": "Komanda pas çinstalimit:", - "Post-update command:": "Komanda pas përditësimit:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Menaxheri i paketave të PowerShell-it. Gjen librari dhe skripta për të zgjeruar aftësitë e PowerShell-it
Përmban: Module, Skripta, Cmdlet-a", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Komandat para dhe pas instalimit mund të shkaktojnë dëme serioze në pajisjen tënde, nëse janë krijuar për këtë qëllim. Mund të jetë shumë e rrezikshme të importosh këto komanda nga një koleksion, përveç nëse e beson burimin e atij koleksioni paketash.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Komandat para dhe pas instalimit do të ekzekutohen përpara dhe pas instalimit, përditësimit ose çinstalimit të një pakete. Ki parasysh që ato mund të prishin gjëra nëse nuk përdoren me kujdes", - "Pre-install command:": "Komanda para instalimit:", - "Pre-uninstall command:": "Komanda para çinstalimit:", - "Pre-update command:": "Komanda para përditësimit:", - "PreRelease": "Botim paraprak", - "Preparing packages, please wait...": "Po përgatiten paketat, të lutem prit...", - "Proceed at your own risk.": "Vazhdo, por çdo rrezik është në përgjegjësinë tënde.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Ndalo çdo lloj ngritjeje të privilegjeve përmes UniGetUI Elevator ose GSudo", - "Proxy URL": "URL-ja e ndërmjetësit", - "Proxy compatibility table": "Tabela e përputhshmërisë me ndërmjetësit", - "Proxy settings": "Cilësimet e ndërmjetësit", - "Proxy settings, etc.": "Cilësimet e ndërmjetësit, etj.", "Publication date:": "Data e botimit:", - "Publisher": "Botues", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Menaxheri i librarisë të Python-it. Plot me librari python dhe shërbime të tjera të lidhura me Python-in
Përmban: Librari të Python-it dhe shërbime të ngjashme", - "Quit": "Ndal", "Quit WingetUI": "Mbyll UniGetUI", - "Ready": "Gati", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Ul paralajmërimet e UAC, ngri instalimet si paracaktim, zhblloko disa veçori të rrezikshme, etj.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Referohu te Ditarët e UniGetUI për të marrë më shumë detaje rreth skedarëve të prekur", - "Reinstall": "Instalo përsëri", - "Reinstall package": "Instalo paketën përeseri", - "Related settings": "Cilësimet përkatëse", - "Release notes": "Shënimet e botimit", - "Release notes URL": "URL-ja e shënimeve të botimit", "Release notes URL:": "URL-ja e shënimeve të botimit:", "Release notes:": "Shënimet e botimit:", "Reload": "Ngarko përsëri", - "Reload log": "Ngarko ditarin përsëri", "Removal failed": "Heqja dështoi", "Removal succeeded": "Heqja pati sukses", - "Remove from list": "Hiq nga lista", "Remove permanent data": "Hiq të dhënat e përhershme", - "Remove selection from bundle": "Hiq përzgjedhjet nga koleksioni", "Remove successful installs/uninstalls/updates from the installation list": "Hiq instalimet/çinstalimet/përditësimet e suksesshme nga lista e instalimeve", - "Removing source {source}": "Duke hequr burimin {source}", - "Removing source {source} from {manager}": "Po hiqet burimi {source} nga {manager}", - "Repair UniGetUI": "Ndreq UniGetUI", - "Repair WinGet": "Rregullo WinGet", - "Report an issue or submit a feature request": "Njofto një problem ose paraqit një kërkesë për veçori", "Repository": "Depo", - "Reset": "Rivendos", "Reset Scoop's global app cache": "Rivendos keshin global të aplikacionëve të Scoop-it", - "Reset UniGetUI": "Rivendos UniGetUI", - "Reset WinGet": "Rivendos WinGet", "Reset Winget sources (might help if no packages are listed)": "Rivendos burimet Winget (mund të ndihmojë nëse nuk paraqiten paketa)", - "Reset WingetUI": "Rivendos UniGetUI", "Reset WingetUI and its preferences": "Rivendos UniGetUI dhe parapëlqimet e tija", "Reset WingetUI icon and screenshot cache": "Rivendos ikonën e UniGetUI dhe keshin e pamjes së ekranit", - "Reset list": "Rivendos listën", "Resetting Winget sources - WingetUI": "Po rivendosen burimet e Winget - UniGetUI", - "Restart": "Rinis", - "Restart UniGetUI": "Rinis UniGetUI", - "Restart WingetUI": "Rinis UniGetUI", - "Restart WingetUI to fully apply changes": "Rinisni UniGetUI për të zbatuar plotësisht ndryshimet", - "Restart later": "Rinis më vonë", "Restart now": "Rinis tani", - "Restart required": "Kërkohet rinisja", - "Restart your PC to finish installation": "Rinis kompjuterin tënd për të përfunduar instalimin", - "Restart your computer to finish the installation": "Rinis kompjuterin tënd për të përfunduar instalimin", - "Restore a backup from the cloud": "Rikthe një kopje rezervë nga reja", - "Restrictions on package managers": "Kufizime mbi menaxherët e paketave", - "Restrictions on package operations": "Kufizime mbi operacionet e paketave", - "Restrictions when importing package bundles": "Kufizime për importimin e koleksioneve të paketave", - "Retry": "Provo përsëri", - "Retry as administrator": "Provo përsëri si administrator", - "Retry failed operations": "Provo përsëri operacionet e dështuara", - "Retry interactively": "Provo përsëri në mënyrë ndërvepruese", - "Retry skipping integrity checks": "Provo përsëri duke anashkaluar kontrollet e integritetit", - "Retrying, please wait...": "Po provohet sërish, të lutem prit...", - "Return to top": "Kthehu në fillim", - "Run": "Ekzekuto", - "Run as admin": "Ekzekuto si administrator", - "Run cleanup and clear cache": "Bëj pastrimin dhe pastro keshin", - "Run last": "Ekzekuto në fund", - "Run next": "Ekzekuto pas operacionit të tanishëm", - "Run now": "Ekzekuto tani", + "Restart your PC to finish installation": "Rinis kompjuterin tënd për të përfunduar instalimin", + "Restart your computer to finish the installation": "Rinis kompjuterin tënd për të përfunduar instalimin", + "Retry failed operations": "Provo përsëri operacionet e dështuara", + "Retrying, please wait...": "Po provohet sërish, të lutem prit...", + "Return to top": "Kthehu në fillim", "Running the installer...": "Po ekzekutohet instaluesi...", "Running the uninstaller...": "Po ekzekutohet çinstaluesi...", "Running the updater...": "Po ekzekutohet përditësuesi...", - "Save": "Ruaj", "Save File": "Ruaj skedarin", - "Save and close": "Ruaj dhe mbyll", - "Save as": "Ruaj si", "Save bundle as": "Ruaj koleksionin", "Save now": "Ruaj tani", - "Saving packages, please wait...": "Po ruhen paketat, të lutem prit...", - "Scoop Installer - WingetUI": "Instaluesi Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Çinstaluesi Scoop - UniGetUI", - "Scoop package": "Paketë Scoop", "Search": "Kërko", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Kërko për programe për tryezë, më paralajmëro kur përditësimet janë të ofruara dhe mos bëj gjëra të çuditshme. Unë nuk dua që UniGetUI të ndërlikohet tepër, dua vetëm një dyqan programesh të thjeshtë", - "Search for packages": "Kërko paketa", - "Search for packages to start": "Për të nisur kërko për paketa", - "Search mode": "Mënyra e kërkimit", "Search on available updates": "Kërko në përditësimet e ofruara", "Search on your software": "Kërko në programet e tua", "Searching for installed packages...": "Po kërkohen paketat e instaluara...", "Searching for packages...": "Po kërkohen paketa...", "Searching for updates...": "Po kërkohen përditësime...", - "Select": "Përzgjidh", "Select \"{item}\" to add your custom bucket": "Përzgjidh \"{item}\" për të shtuar kovën tënde të personalizuar", "Select a folder": "Përzgjidh një dosje", - "Select all": "Përzgjidh të gjitha", "Select all packages": "Përzgjidh të gjitha paketat", - "Select backup": "Zgjidh kopjen rezervë", "Select only if you know what you are doing.": "Plrzgjidh vetëm nëse e di se çfarë po bën.", "Select package file": "Përzgjidh skedarin e paketës", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Zgjidh kopjen rezervë që dëshiron të hapësh. Më vonë, do të mund të rishikosh cilat paketa/programe dëshiron të rikthesh.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Zgjidh ekzekutuesin që do të përdoret. Lista e mëposhtme tregon ekzekutuesit që janë gjetur nga UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Zgjidh proceset që duhet të mbyllen para se kjo paketë të instalohet, përditësohet ose çinstalohet.", - "Select the source you want to add:": "Përzgjidh burimin që do të shtosh:", - "Select upgradable packages by default": "Përzgjidh paketat e përditësueshme si paracaktim", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Përzgjidh cilët menaxherë të paketave të përdorësh ({0}), konfiguro se si instalohen paketat, menaxho se si trajtohen të drejtat e administratorit, etj.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "U dërgua duarshtrëngimi . Në pritje të përgjigjes së rastit të dëgjuesit... ({0}%)", - "Set a custom backup file name": "Vendos një emër skedari rezervë të personalizuar", "Set custom backup file name": "Vendos emër skedari rezervë të personalizuar", - "Settings": "Cilësimet", - "Share": "Shpërndaj", "Share WingetUI": "Shpërndaj UniGetUI", - "Share anonymous usage data": "Ndaj të dhëna anonime të përdorimit", - "Share this package": "Shpërndaj këtë paketë", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Nëse modifikon cilësimet e sigurisë, do të duhet të hapësh përsëri koleksionin që ndryshimet të hyjnë në fuqi.", "Show UniGetUI on the system tray": "Shfaq UniGetUI në hapësirën e sistemit", - "Show UniGetUI's version and build number on the titlebar.": "Shfaq versionin dhe numrin e ndërtimit të UniGetUI në shiritin e titullit.", - "Show WingetUI": "Shfaq UniGetUI", "Show a notification when an installation fails": "Shfaq një njoftim kur një instalim dështon", "Show a notification when an installation finishes successfully": "Shfaq një njoftim kur një instalim përfundon me sukses", - "Show a notification when an operation fails": "Shfaq një njoftim kur një operacion dështon", - "Show a notification when an operation finishes successfully": "Shfaq një njoftim kur një operacion përfundon me sukses", - "Show a notification when there are available updates": "Shfaq një njoftim kur ofrohen përditësime", - "Show a silent notification when an operation is running": "Shfaq një njoftim të heshtur kur një operacion po ekzekutohet", "Show details": "Shfaq detajet", - "Show in explorer": "Shfaq në Eksploruesin", "Show info about the package on the Updates tab": "Shfaq informacione rreth paketës në skedën e Përditësimeve.", "Show missing translation strings": "Shfaq fjalitë që nuk kanë përkthime", - "Show notifications on different events": "Shfaq njoftimet për ngjarje të ndryshme", "Show package details": "Shfaq detajet e paketës", - "Show package icons on package lists": "Shfaq ikonat e paketave në listat e paketave", - "Show similar packages": "Shfaq paketa të ngjashme", "Show the live output": "Shfaq daljen drejtpërdrejtë", - "Size": "Madhësi", "Skip": "Kapërce", - "Skip hash check": "Kapërce kontrollin e hash-it", - "Skip hash checks": "Kapërce kontrollet e hash-it", - "Skip integrity checks": "Kapërce kontrollet e integritetit", - "Skip minor updates for this package": "Anashkalo përditësimet e vogla për këtë paketë", "Skip the hash check when installing the selected packages": "Kapërce kontrollin e hash-it kur instalohen paketat e përzgjedhura", "Skip the hash check when updating the selected packages": "Kapërce kontrollin e hash-it kur përditësohen paketat e përzgjedhura", - "Skip this version": "Kapërce këtë version", - "Software Updates": "Përditësimet e Programeve", - "Something went wrong": "Diçka shkoi keq", - "Something went wrong while launching the updater.": "Diçka shkoi gabim gjatë nisjes së përditësuesit.", - "Source": "Burimi", - "Source URL:": "URL-ja e burimit:", - "Source added successfully": "Burimi u shtua me sukses", "Source addition failed": "Shtimi i burimit dështoi", - "Source name:": "Emri i burimit:", "Source removal failed": "Heqja e burimit dështoi", - "Source removed successfully": "Burimi u hoq me sukses", "Source:": "Burimi:", - "Sources": "Burimet", "Start": "Nis", "Starting daemons...": "Duke nisur demonët...", - "Starting operation...": "Duke nisur operacionin...", "Startup options": "Rregullimet e nisjes", "Status": "Gjendje", "Stuck here? Skip initialization": "I bllokuar këtu? Kapërce nisjen", - "Success!": "Sukses!", "Suport the developer": "Mbështet zhvilluesin", "Support me": "Më mbështet", "Support the developer": "Mbështet zhvilluesin", "Systems are now ready to go!": "Sistemet tani janë gati!", - "Telemetry": "Matja nga larg (Telemetria)", - "Text": "Tekst", "Text file": "Skedar tekst", - "Thank you ❤": "Faleminderit ❤", - "Thank you \uD83D\uDE09": "Faleminderit \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Menaxheri i paketave Rust.
Përmban: Libraritë dhe programet Rust të shkruara në Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Rezervimi NUK do të përfshijë asnjë skedar binar dhe as të dhëna të ruajtura të ndonjë programi.", - "The backup will be performed after login.": "Rezervimi do të bëhet pas hyrjes.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Rezervimi do të përfshijë listën e plotë të paketave të instaluara dhe rregullimet e instalimit të tyre. Gjithashtu do të ruhen përditësimet e shpërfillura dhe versionet e anashkaluara.", - "The bundle was created successfully on {0}": "Koleksioni u krijua me sukses më {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Koleksioni që po përpiqesh të ngarkosh duket i pavlefshëm. Të lutem kontrollo skedarin dhe provo përsëri.", + "Thank you 😉": "Faleminderit 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Shuma e vërtetësimit të instaluesit nuk përkon me vlerën e pritur dhe vërtetësia e instaluesit nuk mund të verifikohet. Nëse i beson botuesit, {0} paketën duke kapërcyer përsëri kontrollin e hash-it.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Menaxheri klasik i paketave për Windows. Do të gjesh gjithçka atje.
Përmban: Programe të përgjithshme", - "The cloud backup completed successfully.": "Kopja rezervë në re u përfundua me sukses.", - "The cloud backup has been loaded successfully.": "Kopja rezervë në re u ngarkua me sukses.", - "The current bundle has no packages. Add some packages to get started": "Koleksioni i tanishëm nuk ka paketa. Shto disa paketa për të filluar", - "The executable file for {0} was not found": "Skedari ekzekutues për {0} nuk u gjet", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Rregullimet e mëposhtme do të aplikohen si paracaktim sa herë që një paketë {0} instalohet, përditësohet ose çinstalohet.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Paketat që vijojnë do të eksportohen në një skedar JSON. Nuk do të ruhen të dhëna të përdoruesit ose binarët.", "The following packages are going to be installed on your system.": "Paketat që vijojnë do të instalohen në sistemin tënd.", - "The following settings may pose a security risk, hence they are disabled by default.": "Cilësimet e mëposhtme mund të paraqesin një rrezik sigurie, prandaj ato janë të çaktivizuara si paracaktim.", - "The following settings will be applied each time this package is installed, updated or removed.": "Cilësimet që vijojnë do të zbatohen sa herë që kjo paketë instalohet, përditësohet ose hiqet.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Cilësimet që vijojnë do të zbatohen sa herë që kjo paketë instalohet, përditësohet ose hiqet. Ato do të ruhen automatikisht.", "The icons and screenshots are maintained by users like you!": "Ikonat dhe pamjet e ekranit mirëmbahen nga përdoruesë si ti!", - "The installation script saved to {0}": "Skripti i instalimit u ruajt në {0}", - "The installer authenticity could not be verified.": "Vërtetësia e instaluesit nuk mund të vërtetohej.", "The installer has an invalid checksum": "Instaluesi ka një shumë të vërtetësimit të pavlefshme", "The installer hash does not match the expected value.": "Hash-i i instaluesit nuk përputhet me vlerën e pritur.", - "The local icon cache currently takes {0} MB": "Kesh-i lokal i ikonave aktualisht merr {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Qëllimi kryesor i këtij projekti është të krijojë një ndërfaqe të përdoruesit intuitive për të drejtuar menaxherët më të zakonshëm të paketave CLI për Windows, si Winget dhe Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paketa \"{0}\" nuk u gjet në menaxherin e paketave \"{1}\"", - "The package bundle could not be created due to an error.": "Koleksioni i paketave nuk mund të krijohej për shkak të një gabimi.", - "The package bundle is not valid": "Koleksioni i paketave është i pavlefshëm", - "The package manager \"{0}\" is disabled": "Menaxheri i paketave \"{0}\" është i çaktivizuar", - "The package manager \"{0}\" was not found": "Menaxheri i paketave \"{0}\" nuk u gjet", "The package {0} from {1} was not found.": "Paketa {0} nga {1} nuk u gjet.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paketat e paraqitura këtu do të shpërfillen kur kontrollohen përditësimet. Kliko dy herë mbi to ose kliko butonin në të djathtën e tyre për të ndaluar shpërfilljen e përditësimeve të tyre.", "The selected packages have been blacklisted": "Paketat e përzgjedhura janë në listën e zezë", - "The settings will list, in their descriptions, the potential security issues they may have.": "Cilësimet do të tregojnë, në përshkrimet e tyre, problemet e mundshme të sigurisë që mund të shkaktojnë.", - "The size of the backup is estimated to be less than 1MB.": "Madhësia e kopjes rezervë vlerësohet të jetë më pak se 1MB.", - "The source {source} was added to {manager} successfully": "Burimi {source} u shtua te {manager} me sukses", - "The source {source} was removed from {manager} successfully": "Burimi {source} u hoq nga {manager} me sukses", - "The system tray icon must be enabled in order for notifications to work": "Ikona e hapësirës së sistemit duhet të jetë aktivizuar që njoftimet të funksionojnë", - "The update process has been aborted.": "Procesi i përditësimit është ndërprerë.", - "The update process will start after closing UniGetUI": "Procesi i përditësimit do të fillojë pasi të mbyllet UniGetUI", "The update will be installed upon closing WingetUI": "Përditësimi do të instalohet pas mbylljes së UniGetUI", "The update will not continue.": "Përditësimi nuk do të vazhdojë.", "The user has canceled {0}, that was a requirement for {1} to be run": "Përdoruesi ka anuluar {0}, që ishte një domosdoshmëri që {1} të ekzekutohet", - "There are no new UniGetUI versions to be installed": "Nuk ka versione të reja të UniGetUI për t'u instaluar", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Ka operacione në vazhdim. Mbyllja e UniGetUI mund të shkaktojë deshtimin e tyre. Do të vazhdosh?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Ka disa video të shkëlqyera në YouTube që shfaqin UniGetUI dhe aftësitë e tij. Mund të mësosh aftësi dhe këshilla të dobishme!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Ka dy arsye kryesore për të mos ekzekutuar UniGetUI si administrator:\n E para është se menaxheri i paketave Scoop mund të shkaktojë probleme me disa komanda kur ekzekutohet me të drejtat e administratorit.\n E dyta është se ekzekutimi i UniGetUI si administrator do të thotë që çdo paketë që shkarkon do të ekzekutohet si administrator (dhe kjo nuk është gjë e sigurt).\n Mos harro se nëse ke nevojë të instalosh një paketë specifike si administrator, gjithmonë mund të klikosh butonin e djathtë mbi artikullin -> Instalo/Përditëso/Çinstalo si administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "Ka një gabim me konfigurimin e menaxherit të paketave \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Ka një instalim në vazdhim. Nëse mbyll UniGetUI, instalimi mund të dështojë dhe të ketë rezultate të papritura. Dëshiron ende të mbyllësh UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Ato janë programet e ngarkuara për instalimin, përditësimin dhe heqjen e paketave.", - "Third-party licenses": "Leje të palëve të treta", "This could represent a security risk.": "Kjo mund të përfaqësojë një rrezik sigurie.", - "This is not recommended.": "Nuk këshillohet.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Kjo është ndoshta për shkak të faktit se paketa që të dërguan është hequr, ose është botuar në një menaxher paketash që nuk është aktivizuar. ID-ja e marrë është {0}", "This is the default choice.": "Kjo është përzgjedhja e paracaktuar.", - "This may help if WinGet packages are not shown": "Kjo mund të ndihmojë nëse paketat WinGet nuk shfaqen", - "This may help if no packages are listed": "Kjo mund të ndihmojë nëse nuk ka paketa në listë", - "This may take a minute or two": "Kjo mund të zgjasë një ose dy minuta", - "This operation is running interactively.": "Ky operacion po ekzekutohet në mënyrë ndërvepruese.", - "This operation is running with administrator privileges.": "Ky operacion po ekzekutohet me privilegje administratori.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ky rregullim do të shkaktojë probleme. Çdo veprim që nuk mund të ngrihet vetë me privilegje do të DËSHTOJË. Instalimi/përditësimi/çinstalimi si administrator NUK DO TË PUNOJË.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ky koleksion paketash kishte disa cilësime që mund të jenë të rrezikshme dhe mund të injorohen si paracaktim.", "This package can be updated": "Kjo paketë mund të përditësohet", "This package can be updated to version {0}": "Kjo paketë mund të përditësohet në versionin {0}", - "This package can be upgraded to version {0}": "Kjo paketë mund të përditësohet në versionin {0}", - "This package cannot be installed from an elevated context.": "Kjo paketë nuk mund të instalohet me privilegje të ngritura.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Kjo paketë nuk ka pamje nga ekrani apo i mungon ikona? Kontribuo në UniGetUI duke shtuar ikonat dhe pamjet e ekranit që mungojnë në bazën tonë të të dhënave të hapur publike.", - "This package is already installed": "Kjo paketë është instaluar tashmë", - "This package is being processed": "Kjo paketë është duke u përpunuar", - "This package is not available": "Kjo paketë nuk ofrohet", - "This package is on the queue": "Kjo paketë është në radhë", "This process is running with administrator privileges": "Ky proces po ekzekutohet me privilegje administratori", - "This project has no connection with the official {0} project — it's completely unofficial.": "Ky projekt nuk ka asnjë lidhje me projektin zyrtar të {0} — është krejtësisht jozyrtar.", "This setting is disabled": "Ky cilësim është i çaktivizuar", "This wizard will help you configure and customize WingetUI!": "Ky drejtues do të ndihmojë të konfigurosh dhe personalizosh UniGetUI!", "Toggle search filters pane": "Ndrysho gjendjen e panelit të filtrave të kërkimit", - "Translators": "Përkthyesit", - "Try to kill the processes that refuse to close when requested to": "Përpiqu të mbyllësh proceset që refuzojnë të mbyllen kur u kërkohet", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Aktivizimi i këtij rregullimi lejon ndryshimin e skedarit ekzekutues që përdoret për të ndërvepruar me menaxherët e paketave. Ndërsa kjo mundëson personalizim më të hollësishëm të proceseve të instalimit, gjithashtu mund të jetë e rrezikshme", "Type here the name and the URL of the source you want to add, separed by a space.": "Shkruaj këtu emrin dhe URL-në e burimit që dëshiron të shtosh, të ndarë me një hapësirë.", "Unable to find package": "Paketa nuk mund të gjendet", "Unable to load informarion": "Informacioni nuk mund të ngarkohet", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI mbledh të dhëna anonime të përdorimit për të përmirësuar përvojën e përdoruesit.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI mbledh të dhëna anonime të përdorimit me qëllim të vetëm kuptimin dhe përmirësimin e përvojës të përdoruesit.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ka zbuluar një shkurtore të re të tryezës që mund të fshihet automatikisht.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ka zbuluar shkurtoret të tryezës që vijojnë, të cilat mund të fshihen automatikisht gjatë përditësimeve të ardhshme.", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ka zbuluar {0, plural, one {një shkurtore të re të tryezës që mund të fshihet} other {{0} shkurtore të reja të tryezës që mund të fshihen}} automatikisht.", - "UniGetUI is being updated...": "UniGetUI po përditësohet...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI nuk është i lidhur me asnjë nga menaxherët e paketave të përputhur. UniGetUI është një projekt i pavarur.", - "UniGetUI on the background and system tray": "UniGetUI në sfond dhe në hapësirën e sistemit", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI ose disa nga përbërësit e tij mungojnë ose janë të dëmtuar.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI kërkon {0} për të punuar, por nuk u gjet në sistemin tënd.", - "UniGetUI startup page:": "Faqja e nisjes së UniGetUI:", - "UniGetUI updater": "Përditësuesi e UniGetUI", - "UniGetUI version {0} is being downloaded.": "Versioni {0} i UniGetUI po shkarkohet.", - "UniGetUI {0} is ready to be installed.": "Versioni {0} i UniGetUI është gati për t'u instaluar.", - "Uninstall": "Çinstalo", - "Uninstall Scoop (and its packages)": "Çinstalo Scoop (dhe paketat e tija)", "Uninstall and more": "Çinstalimi dhe të tjera", - "Uninstall and remove data": "Çinstalo dhe hiq të dhënat", - "Uninstall as administrator": "Çinstalo si administrator", "Uninstall canceled by the user!": "Çinstalimi u anulua nga përdoruesi!", - "Uninstall failed": "Çinstalimi dështoi", - "Uninstall options": "Rregullimet e çinstalimit", - "Uninstall package": "Çinstalo paketën", - "Uninstall package, then reinstall it": "Çinstalo paketën, më pas instaloje përsëri", - "Uninstall package, then update it": "Çinstalo paketën, më pas përditësoje", - "Uninstall previous versions when updated": "Çinstalo versionet e mëparshme gjatë përditësimit", - "Uninstall selected packages": "Çinstalo paketat e përzgjedhura", - "Uninstall selection": "Çinstalo përzgjedhjet", - "Uninstall succeeded": "Çinstalimi pati sukses", "Uninstall the selected packages with administrator privileges": "Çinstalo paketat e përzgjedhura me privilegje administratori", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Paketat e çinstalueshme me origjinë të paraqitur si \"{0}\" nuk botohen në asnjë menaxher paketash, kështu që nuk ka asnjë informacion të ofruar për të treguar rreth tyre.", - "Unknown": "Panjohur", - "Unknown size": "Madhësi e panjohur", - "Unset or unknown": "I papërcaktuar ose i panjohur", - "Up to date": "I përditësuar", - "Update": "Përditeso", - "Update WingetUI automatically": "Përditëso automatikisht UniGetUI", - "Update all": "Përditëso të gjitha", "Update and more": "Përditësimi dhe të tjera", - "Update as administrator": "Përditëso si administrator", - "Update check frequency, automatically install updates, etc.": "Shpeshtësia e kontrollit për përditësime, instalimi automatik i përditësimeve, etj.", - "Update checking": "Kontrollimi i përditësimeve", "Update date": "Data e përditësimit", - "Update failed": "Përditësimi dështoi", "Update found!": "Përditësimi u gjet!", - "Update now": "Përditëso tani", - "Update options": "Rregullimet e përditësimit", "Update package indexes on launch": "Përditëso treguesit e paketave në nisje", "Update packages automatically": "Përditëso paketat automatikisht", "Update selected packages": "Përditëso paketat e përzgjedhura", "Update selected packages with administrator privileges": "Përditëso paketat e përzgjedhura me privilegjet e administratorit", - "Update selection": "Përditëso përzgjedhjet", - "Update succeeded": "Përditësimi pati sukses", - "Update to version {0}": "Përditëso në versionin {0}", - "Update to {0} available": "Ofrohet përditësim për {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Përditëso portfiles Git të vcpkg automatikisht (kërkon që Git të jetë i instaluar).", "Updates": "Përditesime", "Updates available!": "Ofrohen përditësime!", - "Updates for this package are ignored": "Përditësimet për këtë paketë do të shpërfillen", - "Updates found!": "Përditësimet u gjetën!", "Updates preferences": "Parapëlqimet e përditësimeve", "Updating WingetUI": "Po përditësohet UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Përdor WinGet-in e vjetër të përfshirë në vend të CMDLet-ave PowerShell", - "Use a custom icon and screenshot database URL": "Përdor një URL të bazës së të dhënave për ikona dhe pamje të ekranit të personalizuar", "Use bundled WinGet instead of PowerShell CMDlets": "Përdor WinGet-in të përfshirë në vend të CMDLet-ave PowerShell", - "Use bundled WinGet instead of system WinGet": "Përdor WinGet-in e instaluar në vend të WinGet-it të sistemit", - "Use installed GSudo instead of UniGetUI Elevator": "Përdor GSudo të instaluar në vend të UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Përdor GSudo të instaluar në vend të atij të paracaktuar", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Përdor UniGetUI Elevator të vjetër (mund të jetë i dobishëm nëse ke probleme me UniGetUI Elevator)", - "Use system Chocolatey": "Përdor Chocolatey të sistemit", "Use system Chocolatey (Needs a restart)": "Përdor Chocolatey të sistemit (Kërkon rinisje)", "Use system Winget (Needs a restart)": "Përdor Winget-in e sistemit (kërkon rinisje)", "Use system Winget (System language must be set to english)": "Përdor Winget-in e sistemit (Gjuha e sistemit duhet të jetë në anglisht)", "Use the WinGet COM API to fetch packages": "Përdor COM API-në e WinGet për të marrë paketat", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Përdor modulin PowerShell të WinGet në vend të COM API-t të WinGet", - "Useful links": "Lidhje të dobishme", "User": "Përdorues", - "User interface preferences": "Parapëlqimet e ndërfaqes së përdoruesit", "User | Local": "Përdorues | Lokal", - "Username": "Emri i përdoruesit", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Përdorimi i UniGetUI nënkupton pranimin e Lejes GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Përdorimi i UniGetUI nënkupton pranimin e Lejes MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Rrënja e Vcpkg nuk u gjet. Përcakto ndryshoren e mjedisit %VCPKG_ROOT% ose përcaktoje nga Cilësimet e UniGetUI", "Vcpkg was not found on your system.": "Vcpkg nuk u gjet në sistemin tënd.", - "Verbose": "Fjalëshumë", - "Version": "Versioni", - "Version to install:": "Versioni për t'u instaluar:", - "Version:": "Versioni:", - "View GitHub Profile": "Shiko profilin GitHub", "View WingetUI on GitHub": "Shiko UniGetUI në GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Shiko kodin burimor të UniGetUI. Nga atje, mund të njoftosh defekte ose të sugjerosh veçori ose edhe të kontribuosh drejtpërdrejt në Projektin UniGetUI", - "View mode:": "Mënyra e shikimit:", - "View on UniGetUI": "Shiko në UniGetUI", - "View page on browser": "Shiko faqen në shfletues", - "View {0} logs": "Shfaq ditarin e {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Prit derisa pajisja të lidhet me internetin para se të përpiqesh të kryesh detyra që kërkojnë lidhje me internet.", "Waiting for other installations to finish...": "Në pritje të përfundimit të instalimeve të tjera...", "Waiting for {0} to complete...": "Duke pritur që {0} të përfundojë...", - "Warning": "Paralajmërim", - "Warning!": "Paralajmërim!", - "We are checking for updates.": "Po kontrollojmë për përditësime.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Nuk mund të ngarkohen informacione të detajuara për këtë paketë, sepse nuk u gjet në asnjë nga burimet e paketave të tua", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Nuk mund të ngarkohen informacione të detajuara për këtë paketë, sepse nuk është instaluar nga një nga menaxherët e paketave të ofruar.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Nuk mund të {action} {package}. Të lutem provo përsëri më vonë. Kliko në \"{showDetails}\" për të marrë ditarin nga instaluesi.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Nuk mund të {action} {package}. Të lutem provo përsëri më vonë. Kliko në \"{showDetails}\" për të marrë ditarin nga çinstaluesi.", "We couldn't find any package": "Nuk u gjet asnjë paketë", "Welcome to WingetUI": "Mirë se erdhe në UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Gjatë instalimit në grup të paketave nga një koleksion, instalo edhe paketat që janë tashmë të instaluara", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kur zbulohen shkurtore të reja, fshiji automatikisht në vend që të shfaqet ky dialog.", - "Which backup do you want to open?": "Cilën kopje rezervë dëshiron të hapësh?", "Which package managers do you want to use?": "Cilët menaxherë paketash dëshiron të përdorësh?", "Which source do you want to add?": "Cilin burim dëshiron të shtosh?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Megjithëse Winget mund të përdoret brenda WingetUI, WingetUI mund të përdoret me menaxherët e tjerë të paketave, gjë që mund të jetë e ngatërruar. Në të kaluarën, WingetUI ishte projektuar për të punuar vetëm me Winget, por tani jo më, dhe për këtë arsye WingetUI nuk përfaqëson atë që synon të bëhet ky projekt.", - "WinGet could not be repaired": "WinGet nuk mund të rregullohej", - "WinGet malfunction detected": "U zbulua një gabim i WinGet", - "WinGet was repaired successfully": "WinGet u rregullua me sukses", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Gjithçka është e përditësuar", "WingetUI - {0} updates are available": "UniGetUI - {0, plural, one {ofrohet {0} përditësim} other {ofrohen {0} përditësime}}", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Kryefaqja e UniGetUI", "WingetUI Homepage - Share this link!": "Kryefaqja e UniGetUI - Shpërndaj këtë lidhje!", - "WingetUI License": "Leja e UniGetUI", - "WingetUI Log": "Ditari i UniGetUI", - "WingetUI Repository": "Depo e UniGetUI", - "WingetUI Settings": "Cilësimet e UniGetUI", "WingetUI Settings File": "Skedari i cilësimeve i UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI përdor libraritë që vijojnë. Pa to, UniGetUI nuk do të ishte i mundur.", - "WingetUI Version {0}": "Versioni {0} i UniGetUI", "WingetUI autostart behaviour, application launch settings": "Sjellja e nisjes automatike të UniGetUI, cilësimet e nisjes së aplikacionit", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI mund të kontrollojë nëse programet e tua kanë përditësime dhe t'i instalojë automatikisht, nëse dëshiron", - "WingetUI display language:": "Gjuha e UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI është ekzekutuar si administrator, gjë që nuk këshillohet. Kur përdor UniGetUI si administrator, ÇDO operacion i nisur nga UniGetUI do të ketë privilegje administratori. Ti mund ta përdorësh programin gjithsesi, por këshillohet të mos ekzekutosh UniGetUI me privilegje administratori.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI është përkthyer në më shumë se 40 gjuhë falë përkthyesve vullnetarë. Faleminderit \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI nuk është përkthyer me makineri. Përdoruesit e mëposhtëm janë përgjegjës për përkthimet:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI është një aplikacion që e bën më të lehtë menaxhimin e programeve të tua, duke ofruar një ndërfaqe grafike të plotë për menaxherët e paketave të rreshtit të komandës të tu.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI po riemërtohet për të theksuar ndryshimin midis WingetUI (ndërfaqja që po përdor tani) dhe Winget (një menaxher paketash i zhvilluar nga Microsoft me të cilin nuk jam i lidhur)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI po përditësohet. Kur të përfundojë, UniGetUI do të riniset vetë", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI është falas dhe do të jetë falas përgjithmonë. Pa reklama, pa kartë krediti, pa version premium. 100% falas, përgjithmonë.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI do të shfaqë një kërkesë UAC sa herë që një paketë kërkon që të instalohet me privilegje të ngritura.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI së shpejti do të quhet {newname}. Kjo nuk do të përfaqësojë ndonjë ndryshim në aplikacion. Unë (zhvilluesi) do të vazhdoj zhvillimin e këtij projekti siç po bëj tani, por me një emër tjetër.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI nuk do të ishte i mundur pa ndihmën e kontribuesve tanë të dashur. Shiko profilin e tyre GitHub, UniGetUI nuk do të ishte i mundur pa ta!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI nuk do të ishte i mundur pa ndihmën e kontribuesve. Faleminderit të gjithëve \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} është gati për t'u instaluar.", - "Write here the process names here, separated by commas (,)": "Shkruaj këtu emrat e proceseve, të ndarë me presje (,)", - "Yes": "Po", - "You are logged in as {0} (@{1})": "Ke hyr si {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Mund ta ndryshosh këtë sjellje te cilësimet e sigurisë së UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Mund të përcaktosh komandat që do të ekzekutohen para ose pas instalimit, përditësimit ose çinstalimit të kësaj pakete. Ato do të ekzekutohen në një dritare komandash, kështu që skriptet CMD do të funksionojnë këtu.", - "You have currently version {0} installed": "Tani ke të instaluar versionin {0}", - "You have installed WingetUI Version {0}": "Ke instaluar UniGetUI në versionin {0}", - "You may lose unsaved data": "Mund të humbasësh të dhënat e pa ruajtura.", - "You may need to install {pm} in order to use it with WingetUI.": "Mund të të duhet të instalosh {pm} në mënyrë që ta përdorësh me UniGetUI.", "You may restart your computer later if you wish": "Nëse dëshiron, mund ta rinisësh kompjuterin më vonë", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Do të kërkohet vetëm një herë dhe të drejtat e administratorit do të jepen paketave që i kërkojnë ato.", "You will be prompted only once, and every future installation will be elevated automatically.": "Do të kërkohet vetëm një herë dhe çdo instalim i ardhshëm do të instalohet me privilegje të ngritura automatikisht.", - "You will likely need to interact with the installer.": "Ka shumë gjasa që do të duhet të ndërveprosh me instaluesin.", - "[RAN AS ADMINISTRATOR]": "EKZEKUTUAR SI ADMINISTRATOR", "buy me a coffee": "më bli një kafe", - "extracted": "nxjerrë", - "feature": "veçori", "formerly WingetUI": "më parë WingetUI", "homepage": "kryefaqe", "install": "instalo", "installation": "instalim", - "installed": "instaluar", - "installing": "duke instaluar", - "library": "librari", - "mandatory": "i detyrueshëm", - "option": "rregullim", - "optional": "fakultativ", "uninstall": "çinstalo", "uninstallation": "çinstalim", "uninstalled": "çinstaluar", - "uninstalling": "duke çinstaluar", "update(noun)": "përditësim", "update(verb)": "përditëso", "updated": "përditësuar", - "updating": "duke përditësuar", - "version {0}": "versioni {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Rregullimet e instalimit të {0} janë të bllokuara për momentin sepse {0} ndjek rregullimet e paracaktuara të instalimit.", "{0} Uninstallation": "{0} Çinstalim", "{0} aborted": "{0} u ndërpre", "{0} can be updated": "{0} mund të përditësohet", - "{0} can be updated to version {1}": "{0} mund të përditësohet në versionin {1}", - "{0} days": "{0} ditë", - "{0} desktop shortcuts created": "{0, plural, one {U krijua një shkurtore në tryezë} other {U krijuan {0} shkurtore në tryezë}}", "{0} failed": "{0} dështoi", - "{0} has been installed successfully.": "{0} u instalua me sukses.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} u instalua me sukses. Këshillohet të riniset UniGetUI për ta mbaruar instalimin.", "{0} has failed, that was a requirement for {1} to be run": "{0} dështoi, që ishte një domosdoshmëri që {1} të ekzekutohet", - "{0} homepage": "Kryefaqja e {0}", - "{0} hours": "{0} orë", "{0} installation": "{0} instalim", - "{0} installation options": "{0} rregullimet e instalimit", - "{0} installer is being downloaded": "Instaluesi i {0} po shkarkohet", - "{0} is being installed": "{0} po instalohet", - "{0} is being uninstalled": "{0} po çinstalohet", "{0} is being updated": "{0} po përditësohet", - "{0} is being updated to version {1}": "{0} po përditësohet në versionin {1}", - "{0} is disabled": "{0} është çaktivizuar", - "{0} minutes": "{0, plural, one {{0} minutë} other {{0} minuta}}", "{0} months": "{0} muaj", - "{0} packages are being updated": "Po {0, plural, one {përditësohet {0} paketë} other {përditësohen {0} paketa}}", - "{0} packages can be updated": "Mund të {0, plural, one {përditësohet {0} paketë} other {përditësohen {0} paketa}}", "{0} packages found": "U {0, plural, one {gjet {0} paketë} other {gjetën {0} paketa}}", "{0} packages were found": "{0, plural, one {Është gjetur {0} paketë} other {Janë gjetur {0} paketa}}", - "{0} packages were found, {1} of which match the specified filters.": "U {0, plural, one {gjet {0} paketë} other {gjetën {0} paketa}}, {1, plural, one {dhe {1} përputhet} other {nga të cilat {1} përputhen}} me filtrat e specifikuar.", - "{0} selected": "{0} të përzgjedhur", - "{0} settings": "Cilësimet e {0}", - "{0} status": "Gjendja e {0}", "{0} succeeded": "{0} pati sukses", "{0} update": "{0} përditësim", - "{0} updates are available": "{0, plural, one {Ofrohet {0} përditësim} other {Ofrohen {0} përditësime}}", "{0} was {1} successfully!": "{0} është {1} me sukses!", "{0} weeks": "{0} javë", "{0} years": "{0} vite", "{0} {1} failed": "{1} i {0} dështoi", - "{package} Installation": "{package} Instalim", - "{package} Uninstall": "{package} Çinstalim", - "{package} Update": "Përditësim i {package}", - "{package} could not be installed": "{package} nuk mund të instalohej", - "{package} could not be uninstalled": "{package} nuk mund të çinstalohej", - "{package} could not be updated": "{package} nuk mund të përditësohej", "{package} installation failed": "Instalimi i {package} dështoi", - "{package} installer could not be downloaded": "Instaluesi i {package} nuk mund të shkarkohej", - "{package} installer download": "Shkarkim i instaluesit të {package}", - "{package} installer was downloaded successfully": "Instaluesi i {package} u shkarkua me sukses", "{package} uninstall failed": "Çinstalimi i {package} dështoi", "{package} update failed": "Përditësimi i {package} dështoi", "{package} update failed. Click here for more details.": "Përditësimi i {package} dështoi. Kliko këtu për më shumë detaje.", - "{package} was installed successfully": "{package} u instalua me sukses", - "{package} was uninstalled successfully": "{package} u çinstalua me sukses", - "{package} was updated successfully": "{package} u përditësua me sukses", - "{pcName} installed packages": "Paketat e instaluara në {pcName}", "{pm} could not be found": "{pm} nuk mund të gjendej", "{pm} found: {state}": "{pm} u gjet: {state}", - "{pm} is disabled": "{pm} është çaktivizuar", - "{pm} is enabled and ready to go": "{pm} është aktivizuar dhe është gati", "{pm} package manager specific preferences": "Parapëlqimet specifike të menaxherit të paketave {pm}", "{pm} preferences": "Parapëlqimet e {pm}", - "{pm} version:": "Versioni i {pm}:", - "{pm} was not found!": "{pm} nuk u gjet!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Përshëndetje, emri im është Martí dhe jam zhvilluesi i UniGetUI. UniGetUI është bërë tërësisht në kohën time të lirë!", + "Thank you ❤": "Faleminderit ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Ky projekt nuk ka asnjë lidhje me projektin zyrtar të {0} — është krejtësisht jozyrtar." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sr.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sr.json index 15eb5dd62b..83fcc3eae0 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sr.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sr.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Операција у току", + "Please wait...": "Молимо сачекајте...", + "Success!": "Успешно!", + "Failed": "Неуспешно", + "An error occurred while processing this package": "Настала је грешка током израде пакета", + "Log in to enable cloud backup": "Пријави се да омогућиш резервну копију у облаку", + "Backup Failed": "Прављење резервне копије није успело", + "Downloading backup...": "Преузимам резервну копију...", + "An update was found!": "Пронађено је ажурирање!", + "{0} can be updated to version {1}": "{0} може бити ажуриран на верзију {1}", + "Updates found!": "Ажурирања пронађена!", + "{0} packages can be updated": "{0} пакета се може ажурирати", + "You have currently version {0} installed": "Тренутно имате инсталирану верзију {0}", + "Desktop shortcut created": "Пречица на радној површини креирана", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI је открио нову пречицу на радној површини која може бити аутоматски обрисана.", + "{0} desktop shortcuts created": "{0} пречица на радној површини је креирано", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI је открио {0} нових пречица на радној површини које могу бити аутоматски обрисане.", + "Are you sure?": "Да ли сте сигурни?", + "Do you really want to uninstall {0}?": "Да ли заиста желите да деинсталирате {0}?", + "Do you really want to uninstall the following {0} packages?": "Да ли заиста желите да деинсталирате следећих {0} пакета?", + "No": "Не", + "Yes": "Да", + "View on UniGetUI": "Прикажи у UniGetUI", + "Update": "Ажурирај", + "Open UniGetUI": "Отвори UniGetUI", + "Update all": "Ажурирај све", + "Update now": "Ажурирај одмах", + "This package is on the queue": "Овај пакет је на листи чекања.", + "installing": "инсталирање", + "updating": "ажурирање", + "uninstalling": "деинсталирање", + "installed": "инсталирано", + "Retry": "Покушај поново", + "Install": "Инсталирај", + "Uninstall": "Деинсталирај", + "Open": "Отвори", + "Operation profile:": "Профил операције:", + "Follow the default options when installing, upgrading or uninstalling this package": "Следи подразумеване опције при инсталацији, надоградњи или деинсталацији овог пакета", + "The following settings will be applied each time this package is installed, updated or removed.": "Следећа подешавања ће бити примењена сваки пут када се овај пакет инсталира, ажурира или уклони.", + "Version to install:": "Верзија за инсталацију:", + "Architecture to install:": "Архитектура за инсталацију:", + "Installation scope:": "Опсег инсталације:", + "Install location:": "Локација инсталације:", + "Select": "Одабери", + "Reset": "Ресет", + "Custom install arguments:": "Прилагођени аргументи за инсталацију:", + "Custom update arguments:": "Прилагођени аргументи за ажурирање:", + "Custom uninstall arguments:": "Прилагођени аргументи за деинсталацију:", + "Pre-install command:": "Команда пре инсталације:", + "Post-install command:": "Команда после инсталације:", + "Abort install if pre-install command fails": "Обустави инсталацију ако пре-инсталациона команда не успе", + "Pre-update command:": "Команда пре ажурирања:", + "Post-update command:": "Команда после ажурирања:", + "Abort update if pre-update command fails": "Прекини ажурирање ако команда пре ажурирања не успе", + "Pre-uninstall command:": "Команда пре деинсталације:", + "Post-uninstall command:": "Команда после деинсталације:", + "Abort uninstall if pre-uninstall command fails": "Обустави деинсталацију ако пре-деинсталациона команда не успе", + "Command-line to run:": "Командна линија за покретање:", + "Save and close": "Сачувај и затвори", + "Run as admin": "Покрени као администратор", + "Interactive installation": "Интерактивна инсталација", + "Skip hash check": "Прескочи проверу хеша", + "Uninstall previous versions when updated": "Деинсталирај претходне верзије приликом ажурирања", + "Skip minor updates for this package": "Прескочи мања ажурирања за овај пакет", + "Automatically update this package": "Аутоматски ажурирај овај пакет", + "{0} installation options": "{0} опције за инсталацију", + "Latest": "Најновије", + "PreRelease": "ПреИздање", + "Default": "Подразумевано", + "Manage ignored updates": "Управљајте игнорисаним ажурирањима", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакети наведени овде неће бити узети у обзир при провери ажурирања. Дупликати их или кликните на дугме с десне стране да бисте престали игнорисати њихова ажурирања.", + "Reset list": "Ресетуј листу", + "Package Name": "Име пакета", + "Package ID": "ИД пакета", + "Ignored version": "Игнорисана верзија", + "New version": "Нова верзија", + "Source": "Извор", + "All versions": "Све верзије", + "Unknown": "Непознато", + "Up to date": "Ажурно", + "Cancel": "Откажи", + "Administrator privileges": "Административне привилегије", + "This operation is running with administrator privileges.": "Ова операција се извршава са администраторским привилегијама.", + "Interactive operation": "Интерактивна операција", + "This operation is running interactively.": "Ова операција се извршава интерактивно.", + "You will likely need to interact with the installer.": "Вероватно ћеш морати да комуницираш са инсталером.", + "Integrity checks skipped": "Провере интегритета прескочене", + "Proceed at your own risk.": "Настави на сопствени ризик.", + "Close": "Затвори", + "Loading...": "Учитавање...", + "Installer SHA256": "SHA256 инсталатера", + "Homepage": "Почетна страна", + "Author": "Аутор", + "Publisher": "Издавач", + "License": "Лиценца", + "Manifest": "Манифест", + "Installer Type": "Тип инсталатера", + "Size": "Величина", + "Installer URL": "URL инсталатера", + "Last updated:": "Последњи пут ажурирано:", + "Release notes URL": "УРЛ белешки о издању", + "Package details": "Детаљи пакета", + "Dependencies:": "Зависности:", + "Release notes": "Белешке о верзијама", + "Version": "Верзија", + "Install as administrator": "Инсталирајте као администратор", + "Update to version {0}": "Ажурирај на верзију {0}", + "Installed Version": "Инсталирана верзија", + "Update as administrator": "Ажурирај као администратор", + "Interactive update": "Интерактивно ажурирање", + "Uninstall as administrator": "Деинсталирај као администратор", + "Interactive uninstall": "Интерактивно деинсталирање", + "Uninstall and remove data": "Деинсталирај и уклони податке", + "Not available": "Није доступно", + "Installer SHA512": "SHA512 инсталатера", + "Unknown size": "Непозната величина", + "No dependencies specified": "Нема наведених зависности", + "mandatory": "обавезно", + "optional": "опционо", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} је спреман за инсталацију.", + "The update process will start after closing UniGetUI": "Процес ажурирања ће почети након затварања UniGetUI", + "Share anonymous usage data": "Дели анонимне податке о коришћењу", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI прикупља анонимне податке о коришћењу ради побољшања корисничког искуства.", + "Accept": "Прихвати", + "You have installed WingetUI Version {0}": "Инсталирали сте WingetUI Верзију {0}", + "Disclaimer": "Одрицање од одговорности", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI није повезан ни са једним од компатибилних менаџера пакета. UniGetUI је независан пројекат.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI не би био могућ без помоћи доприносиоца. Хвала свима 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI користи следеће библиотеке. Без њих, WingetUI не би био могућ.", + "{0} homepage": "{0} главна страна", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI је преведен на више од 40 језика захваљујући преводиоцима волонтерима. Хвала вам 🤝\n", + "Verbose": "Пуно детаља", + "1 - Errors": "1 - Грешке", + "2 - Warnings": "2 - Упозорења", + "3 - Information (less)": "3 - Информације (мање)", + "4 - Information (more)": "4 - Информације (више)", + "5 - information (debug)": "5 - информације (отклањање грешака)", + "Warning": "Упозорење", + "The following settings may pose a security risk, hence they are disabled by default.": "Следећа подешавања могу представљати безбедносни ризик, зато су подразумевано онемогућена.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Омогући поставке испод АКО И САМО АКО потпуно разумеш шта раде и какве последице могу имати.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Подешавања ће у својим описима навести потенцијалне безбедносне проблеме које могу имати.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервна копија ће садржати целу листу инсталираних пакета и њихове опције инсталације. Игнорисана ажурирања и прескочене верзије ће такође бити сачуване.", + "The backup will NOT include any binary file nor any program's saved data.": "Резервна копија НЕ укључује бинарни фајл ни сачуване податке програма.", + "The size of the backup is estimated to be less than 1MB.": "Процењена величина резервне копије је мања од 1МБ.", + "The backup will be performed after login.": "Резервна копија ће бити направљена на следећем логовању.", + "{pcName} installed packages": "{pcName} инсталирани пакети", + "Current status: Not logged in": "Тренутни статус: Није пријављен", + "You are logged in as {0} (@{1})": "Пријављен си као {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Одлично! Резервне копије ће бити отпремљене у приватни gist на твом налогу", + "Select backup": "Изабери резервну копију", + "WingetUI Settings": "Поставке WingetUI", + "Allow pre-release versions": "Дозволи верзије за тестирање", + "Apply": "Примени", + "Go to UniGetUI security settings": "Иди у UniGetUI безбедносна подешавања", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следеће опције ће се подразумевано примењивати сваки пут када се {0} пакет инсталира, надогради или деинсталира.", + "Package's default": "Подразумевано пакета", + "Install location can't be changed for {0} packages": "Локација инсталације не може да се промени за {0} пакета", + "The local icon cache currently takes {0} MB": "Локални кеш икона тренутно заузима {0} MB", + "Username": "Корисничко име", + "Password": "Лозинка", + "Credentials": "Подаци за пријаву", + "Partially": "Делимично", + "Package manager": "Менаџер пакета", + "Compatible with proxy": "Компатибилно са проксијем", + "Compatible with authentication": "Компатибилно са аутентификацијом", + "Proxy compatibility table": "Табела компатибилности проксија", + "{0} settings": "{0} подешавања", + "{0} status": "{0} статус", + "Default installation options for {0} packages": "Подразумеване опције инсталације за {0} пакета", + "Expand version": "Прошири верзију", + "The executable file for {0} was not found": "Извршна датотека за {0} није пронађена", + "{pm} is disabled": "{pm} је онемогућен", + "Enable it to install packages from {pm}.": "Омогућите га да бисте инсталирали пакете са {pm}.", + "{pm} is enabled and ready to go": "{pm} је омогућен и спреман за рад", + "{pm} version:": "{pm} верзија:", + "{pm} was not found!": "{pm} није пронађен!", + "You may need to install {pm} in order to use it with WingetUI.": "Можда ћете морати да инсталирате {pm} да бисте га користили са WingetUI.", + "Scoop Installer - WingetUI": "Scoop Инсталер - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop Деинсталер - WingetUI", + "Clearing Scoop cache - WingetUI": "Брисање Scoop кеша - WingetUI", + "Restart UniGetUI": "Рестартуј UniGetUI", + "Manage {0} sources": "Управљај {0} извора", + "Add source": "Додај извор", + "Add": "Додај", + "Other": "Друго", + "1 day": "1 дан", + "{0} days": "{0} дана", + "{0} minutes": "{0} минута", + "1 hour": "1 сат", + "{0} hours": "{0} сати", + "1 week": "1 недеља", + "WingetUI Version {0}": "WingetUI Верзија {0}", + "Search for packages": "Претражите пакете", + "Local": "Локално", + "OK": "У реду", + "{0} packages were found, {1} of which match the specified filters.": "{0} пакета је пронађено, {1} од којих одговара наведеним филтерима.", + "{0} selected": "{0} изабрано", + "(Last checked: {0})": "(Последње проверено: {0})", + "Enabled": "Омогућено", + "Disabled": "Деактивирано", + "More info": "Више информација", + "Log in with GitHub to enable cloud package backup.": "Пријави се помоћу GitHub-а да омогућиш резервну копију пакета у облаку.", + "More details": "Више детаља", + "Log in": "Пријава", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ако имаш омогућену резервну копију у облаку, биће сачувана као GitHub Gist на овом налогу", + "Log out": "Одјава", + "About": "Информације", + "Third-party licenses": "Лиценце трећих лица", + "Contributors": "Доприниосци", + "Translators": "Преводиоци", + "Manage shortcuts": "Управљај пречицама", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI је открио следеће пречице на радној површини које могу бити аутоматски уклоњене приликом будућих надоградњи", + "Do you really want to reset this list? This action cannot be reverted.": "Да ли заиста желиш да ресетујеш ову листу? Ова радња се не може отказати.", + "Remove from list": "Уклони са листе", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Када се открију нове пречице, обриши их аутоматски уместо приказивања овог дијалога.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI прикупља анонимне податке о коришћењу са једином сврхом разумевања и побољшања корисничког искуства.", + "More details about the shared data and how it will be processed": "Више детаља о дељеним подацима и како ће бити обрађени", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Да ли прихваташ да UniGetUI прикупља и шаље анонимне статистике коришћења, са једином намером разумевања и побољшања корисничког искуства?", + "Decline": "Одбити", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Никакве личне информације се не прикупљају нити шаљу, а прикупљени подаци су анонимизовани, тако да се не могу повезати са тобом.", + "About WingetUI": "О WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI је апликација која олакшава управљање вашим софтвером, пружајући свеобухватни графички интерфејс за ваше менаџере пакета на командној линији.\n", + "Useful links": "Корисни линкови", + "Report an issue or submit a feature request": "Пријавите проблем или пошаљите захтев за функционалност", + "View GitHub Profile": "Види GitHub Профил", + "WingetUI License": "WingetUI Лиценца", + "Using WingetUI implies the acceptation of the MIT License": "Коришћење WingetUI подразумева прихватање MIT лиценце", + "Become a translator": "Постани преводилац", + "View page on browser": "Погледај страницу у претраживачу", + "Copy to clipboard": "Копирај на клипборд", + "Export to a file": "Извоз у фајл", + "Log level:": "Ниво логовања:", + "Reload log": "Поново учитај лог", + "Text": "Текст", + "Change how operations request administrator rights": "Промени начин на који операције захтевају администраторска права", + "Restrictions on package operations": "Ограничења за операције пакета", + "Restrictions on package managers": "Ограничења за менаџере пакета", + "Restrictions when importing package bundles": "Ограничења приликом увоза пакета", + "Ask for administrator privileges once for each batch of operations": "Затражи администраторске привилегије једном за сваки скуп операција", + "Ask only once for administrator privileges": "Тражи администраторска права само једном", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забрани било какво подизање привилегија преко UniGetUI Elevator-а или GSudo-а", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ова опција ЋЕ изазвати проблеме. Свака операција која не може сама да подигне привилегије ЋЕ НЕУСПЕТИ. Инсталирање/ажурирање/деинсталација као администратор НЕЋЕ РАДИТИ.", + "Allow custom command-line arguments": "Дозволи прилагођене аргументе командне линије", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Прилагођени аргументи командне линије могу изменити начин на који се програми инсталирају, надограђују или деинсталирају, на начин који UniGetUI не може да контролише. Коришћење прилагођених командних линија може оштетити пакете. Наставити с опрезом.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Игнориши прилагођене команде пре и после инсталације приликом увоза пакета из пакета", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Команде пре и после инсталације извршаваће се пре и после него што се пакет инсталира, надогради или деинсталира. Имај на уму да могу покварити ствари ако се не користе пажљиво", + "Allow changing the paths for package manager executables": "Дозволи промену путања за извршне датотеке менаџера пакета", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Укључивање ове опције омогућава промену извршне датотеке која се користи за интеракцију са менаџерима пакета. Иако ово омогућава прецизније прилагођавање процеса инсталације, може бити и опасно", + "Allow importing custom command-line arguments when importing packages from a bundle": "Дозволи увоз прилагођених аргумената командне линије приликом увоза пакета из скупа пакета", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Лоше формирани аргументи командне линије могу покварити пакете, или чак омогућити злонамерном актеру привилеговано извршавање. Зато је увоз прилагођених аргумената командне линије подразумевано онемогућен.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дозволи увоз прилагођених команди пре и после инсталације приликом увоза пакета из скупа пакета", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Команде пре и после инсталације могу урадити веома непријатне ствари твојем уређају, ако су тако направљене. Може бити веома опасно увозити команде из пакета, осим ако верујеш извору тог пакета", + "Administrator rights and other dangerous settings": "Администраторска права и друга опасна подешавања", + "Package backup": "Резервна копија пакета", + "Cloud package backup": "Резервна копија пакета у облаку", + "Local package backup": "Локална резервна копија пакета", + "Local backup advanced options": "Напредне опције локалне резервне копије", + "Log in with GitHub": "Пријави се помоћу GitHub-а", + "Log out from GitHub": "Одјави се са GitHub-а", + "Periodically perform a cloud backup of the installed packages": "Повремено прави резервну копију инсталираних пакета у облаку", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Резервна копија у облаку користи приватни GitHub Gist за чување списка инсталираних пакета", + "Perform a cloud backup now": "Направи резервну копију у облаку сада", + "Backup": "Резервна копија", + "Restore a backup from the cloud": "Врати резервну копију из облака", + "Begin the process to select a cloud backup and review which packages to restore": "Започни процес избора резервне копије у облаку и прегледа пакета за враћање", + "Periodically perform a local backup of the installed packages": "Повремено прави локалну резервну копију инсталираних пакета", + "Perform a local backup now": "Направи локалну резервну копију сада", + "Change backup output directory": "Промени локацију резервне копије", + "Set a custom backup file name": "Постави другачији назив фајла резервне копије", + "Leave empty for default": "Оставите празно за подразумевано", + "Add a timestamp to the backup file names": "Додај време називу фајла резервне копије", + "Backup and Restore": "Израда и враћање резервних копија", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Омогући позадински апи (WingetUI Widgets and Sharing, порт 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Сачекај да уређај буде повезан на интернет пре него што покушаш да обавиш задатке који захтевају интернет везу.", + "Disable the 1-minute timeout for package-related operations": "Поништи паузу од 1 минута за операције везане за пакете", + "Use installed GSudo instead of UniGetUI Elevator": "Користи инсталирани GSudo уместо UniGetUI Elevator-а", + "Use a custom icon and screenshot database URL": "Користите URL са прилагођеним иконама и снимцима екрана", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Омогући оптимизације коришћења CPU-а у позадини (погледај Pull Request #3278)", + "Perform integrity checks at startup": "Изврши провере интегритета при покретању", + "When batch installing packages from a bundle, install also packages that are already installed": "При групној инсталацији пакета из пакета, инсталирај и пакете који су већ инсталирани", + "Experimental settings and developer options": "Експерименталне поставке и опције за развој", + "Show UniGetUI's version and build number on the titlebar.": "Прикажи верзију UniGetUI на насловној траци.", + "Language": "Језик", + "UniGetUI updater": "UniGetUI ажурирач", + "Telemetry": "Телеметрија", + "Manage UniGetUI settings": "Управљај UniGetUI подешавањима", + "Related settings": "Повезана подешавања", + "Update WingetUI automatically": "Аутоматски ажурирајте WingetUI", + "Check for updates": "Провери ажурирања", + "Install prerelease versions of UniGetUI": "Инсталирај претходна издања UniGetUI", + "Manage telemetry settings": "Управљај подешавањима телеметрије", + "Manage": "Управљај", + "Import settings from a local file": "Увоз поставки из локалног фајла", + "Import": "Увоз", + "Export settings to a local file": "Извоз поставки у локални фајл", + "Export": "Извоз", + "Reset WingetUI": "Ресетујте WingetUI", + "Reset UniGetUI": "Ресетуј UniGetUI", + "User interface preferences": "Поставке корисничког интерфејса", + "Application theme, startup page, package icons, clear successful installs automatically": "Тема апликације, почетна страница, иконе пакета, аутоматско брисање успешно инсталираних ставки", + "General preferences": "Опште поставке", + "WingetUI display language:": "Језик приказивања WingetUI-а:", + "Is your language missing or incomplete?": "Да ли је Ваш језик непотпун или недостаје?", + "Appearance": "Изглед", + "UniGetUI on the background and system tray": "UniGetUI у позадини и системској палети", + "Package lists": "Листе пакета", + "Close UniGetUI to the system tray": "Затвори UniGetUI у системску траку", + "Show package icons on package lists": "Прикажи иконе пакета на листама пакета", + "Clear cache": "Обриши кеш", + "Select upgradable packages by default": "Подразумевано изабери пакете који се могу надоградити", + "Light": "Светло", + "Dark": "Тамно", + "Follow system color scheme": "Прати шему боја система", + "Application theme:": "Тема апликације", + "Discover Packages": "Откријте пакете", + "Software Updates": "Ажурирања софтвера", + "Installed Packages": "Инсталирани пакети", + "Package Bundles": "Скупови Пакета", + "Settings": "Подешавања", + "UniGetUI startup page:": "Почетна страница UniGetUI:", + "Proxy settings": "Подешавања проксија", + "Other settings": "Остала подешавања", + "Connect the internet using a custom proxy": "Повежи се на интернет користећи прилагођени прокси", + "Please note that not all package managers may fully support this feature": "Имај на уму да сви менаџери пакета можда не подржавају у потпуности ову функцију", + "Proxy URL": "URL проксија", + "Enter proxy URL here": "Унеси URL проксија овде", + "Package manager preferences": "Поставке пакет менаџера", + "Ready": "Спремно", + "Not found": "Није пронађено", + "Notification preferences": "Преференце обавештења", + "Notification types": "Врсте обавештења", + "The system tray icon must be enabled in order for notifications to work": "Икона у системској палети мора бити омогућена да би обавештења радила", + "Enable WingetUI notifications": "Омогућите обавештења за WingetUI", + "Show a notification when there are available updates": "Прикажи обавештење када су доступна ажурирања", + "Show a silent notification when an operation is running": "Прикажи тихо обавештење када се операција извршава", + "Show a notification when an operation fails": "Прикажи обавештење када операција не успе", + "Show a notification when an operation finishes successfully": "Прикажи обавештење када операција успе", + "Concurrency and execution": "Истовременост и извршавање", + "Automatic desktop shortcut remover": "Аутоматски уклањач пречица са радне површине", + "Clear successful operations from the operation list after a 5 second delay": "Обриши успешне операције са листе операција након 5 секунди", + "Download operations are not affected by this setting": "Операције преузимања нису захваћене овом поставком", + "Try to kill the processes that refuse to close when requested to": "Покушај да прекинеш процесе који одбијају да се затворе када им се то затражи", + "You may lose unsaved data": "Можеш изгубити несачуване податке", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Питај за брисање пречица на радној површини креираних током инсталације или надоградње.", + "Package update preferences": "Подешавања ажурирања пакета", + "Update check frequency, automatically install updates, etc.": "Учесталост провере ажурирања, аутоматска инсталација ажурирања, итд.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Смањи UAC упите, подразумевано подигни инсталације, откључај одређене опасне функције, итд.", + "Package operation preferences": "Подешавања операција пакета", + "Enable {pm}": "Омогућите {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Не налазиш датотеку коју тражиш? Увери се да је додата у путању.", + "For security reasons, changing the executable file is disabled by default": "Из безбедносних разлога, промена извршне датотеке је подразумевано онемогућена", + "Change this": "Измени ово", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Изабери извршну датотеку која ће се користити. Следећа листа приказује извршне датотеке које је пронашао UniGetUI", + "Current executable file:": "Тренутна датотека за извршавање:", + "Ignore packages from {pm} when showing a notification about updates": "Игнориши пакете од {pm} при приказивању обавештења о ажурирањима", + "View {0} logs": "Прикажи {0} дневнике", + "Advanced options": "Напредне опције", + "Reset WinGet": "Ресетуј WinGet", + "This may help if no packages are listed": "Ово може помоћи ако ниједан пакет није наведен", + "Force install location parameter when updating packages with custom locations": "Присили параметар локације инсталације при ажурирању пакета са прилагођеним локацијама", + "Use bundled WinGet instead of system WinGet": "Користи упаковани WinGet уместо системског", + "This may help if WinGet packages are not shown": "Ово може помоћи ако WinGet пакети нису приказани", + "Install Scoop": "Инсталирајте Scoop", + "Uninstall Scoop (and its packages)": "Деинсталирајте Scoop (и његове пакете)", + "Run cleanup and clear cache": "Покрените чишћење и обришите кеш", + "Run": "Покрени", + "Enable Scoop cleanup on launch": "Омогућите чишћење Scoop-а при покретању", + "Use system Chocolatey": "Користи системски Chocolatey", + "Default vcpkg triplet": "Подразумевани vcpkg триплет", + "Language, theme and other miscellaneous preferences": "Језик, тема и остале опције", + "Show notifications on different events": "Прикажи обавештења о различитим догађајима", + "Change how UniGetUI checks and installs available updates for your packages": "Промените како UniGetUI проверава и инсталира доступна ажурирања за ваше пакете", + "Automatically save a list of all your installed packages to easily restore them.": "Аутоматски сачувај листу свих инсталираних пакета због лакшег враћања.", + "Enable and disable package managers, change default install options, etc.": "Омогући и онемогући менаџере пакета, измени подразумеване опције инсталације, итд.", + "Internet connection settings": "Подешавања интернет везе", + "Proxy settings, etc.": "Подешавања проксија, итд.", + "Beta features and other options that shouldn't be touched": "Бета функције и друге опције које не би требало да се додирну", + "Update checking": "Провера ажурирања", + "Automatic updates": "Аутоматска ажурирања", + "Check for package updates periodically": "Повремено проверавајте ажурирања пакета", + "Check for updates every:": "Проверавајте ажурирања сваких:", + "Install available updates automatically": "Аутоматски инсталирај доступна ажурирања", + "Do not automatically install updates when the network connection is metered": "Не инсталирај аутоматски ажурирања када је мрежна веза ограничена", + "Do not automatically install updates when the device runs on battery": "Не инсталирај аутоматски ажурирања када уређај ради на батеријском напону", + "Do not automatically install updates when the battery saver is on": "Не инсталирај аутоматски ажурирања када је батеријска заштита активна", + "Change how UniGetUI handles install, update and uninstall operations.": "Промени начин на који UniGetUI обрађује инсталације, ажурирања и деинсталације.", + "Package Managers": "Менаџери пакета", + "More": "Више", + "WingetUI Log": "WingetUI лог", + "Package Manager logs": "Логови пакет менаџера", + "Operation history": "Историја операција", + "Help": "Помоћ", + "Order by:": "Поређај по:", + "Name": "Име", + "Id": "Идентификатор", + "Ascendant": "Узлазнo", + "Descendant": "Силазно", + "View mode:": "Режим приказа:", + "Filters": "Филтери", + "Sources": "Извори", + "Search for packages to start": "Претражите пакете за почетак", + "Select all": "Изаберите све", + "Clear selection": "Обриши избор", + "Instant search": "Инстант претрага", + "Distinguish between uppercase and lowercase": "Прави разлику између великих и малих слова", + "Ignore special characters": "Игнориши специјалне карактере", + "Search mode": "Мод претраге", + "Both": "Оба", + "Exact match": "Тачно подударање", + "Show similar packages": "Покажи сличне пакете", + "No results were found matching the input criteria": "Није пронађен ниједан резултат који одговара унетим критеријумима", + "No packages were found": "Није пронађен ниједан пакет", + "Loading packages": "Учитавање пакета", + "Skip integrity checks": "Прескочи проверу интегритета", + "Download selected installers": "Преузми одабране инсталере", + "Install selection": "Инсталирај одабране", + "Install options": "Опције инсталације", + "Share": "Подели", + "Add selection to bundle": "Додај одабране у скуп", + "Download installer": "Преузми инсталер", + "Share this package": "Поделите овај пакет", + "Uninstall selection": "Деинсталирај изабрано", + "Uninstall options": "Опције деинсталације", + "Ignore selected packages": "Игнориши изабране пакете", + "Open install location": "Отвори локацију инсталације", + "Reinstall package": "Реинсталирај пакет", + "Uninstall package, then reinstall it": "Уклони пакет, затим га поново инсталирај", + "Ignore updates for this package": "Игнориши ажурирања за овај пакет", + "Do not ignore updates for this package anymore": "Престани да игноришеш ажурирања за овај пакет", + "Add packages or open an existing package bundle": "Додај пакете или отвори постојећи скуп", + "Add packages to start": "Додај пакете за почетак", + "The current bundle has no packages. Add some packages to get started": "Тренутни скуп нема пакета. Додајте неке пакете како бисте започели", + "New": "Ново", + "Save as": "Сачувај као", + "Remove selection from bundle": "Уклони одабране из скупа", + "Skip hash checks": "Прескочи провере хеша", + "The package bundle is not valid": "Пакет није важећи", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Пакет који покушаваш да учиташ делује неважеће. Провери датотеку и покушај поново.", + "Package bundle": "Скуп пакета", + "Could not create bundle": "Није могуће креирати скуп пакета", + "The package bundle could not be created due to an error.": "Пакет није могао бити направљен због грешке.", + "Bundle security report": "Извештај о безбедности скупа пакета", + "Hooray! No updates were found.": "Ура! Нису пронађена ажурирања!", + "Everything is up to date": "Све је ажурно", + "Uninstall selected packages": "Деинсталирај изабране пакете", + "Update selection": "Ажурирај изабрано", + "Update options": "Опције ажурирања", + "Uninstall package, then update it": "Уклони пакет, затим га ажурирај", + "Uninstall package": "Деинсталирај пакет", + "Skip this version": "Прескочи ову верзију", + "Pause updates for": "Паузирај ажурирања за", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust менаџер пакета.
Садржи: Rust библиотеке и програме написане у Rust-у", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класични менаџер пакета за Windows. Ту ћете пронаћи све.
Садржи: Општи софтвер", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиторијум пун алата и извршних програма дизајниран имајући у виду Микрософтов .NET екосистем.
Садржи: алатке и скрипте везане за .NET", + "NuPkg (zipped manifest)": "NuPkg (зиповани манифест)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Пакет менаџер за Node JS. Пун библиотека и других алатки које су у вези са JavaScript-ом
Садржи: Библиотеке JavaScript-a и друге релевантне алатке", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менаџер библиотека за Python. Пун Python библиотека и других Python-релевантних алатки
Садржи: Python библиотеке и релевантне алатке", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-ов менаџер пакета. Пронађите библиотеке и скрипте за проширење PowerShell могућности
Садржи: Модуле, Скрипте, Cmdlet-ове\n", + "extracted": "извучено", + "Scoop package": "Scoop пакет", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Велики репозиторијум непознатих али корисних алатки и других интересантних пакета.
Садржи: Алатке, Програме за командну линију, Општи софтвер (потребна додатна кофа)", + "library": "библиотека", + "feature": "функција", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популарни C/C++ управљач библиотекама. Пун C/C++ библиотека и других C/C++-сродних алата
Садржи: C/C++ библиотеке и сродне алате", + "option": "опција", + "This package cannot be installed from an elevated context.": "Овај пакет не може бити инсталиран из повишеног контекста.", + "Please run UniGetUI as a regular user and try again.": "Покрени UniGetUI као обичан корисник и покушај поново.", + "Please check the installation options for this package and try again": "Провери опције инсталације за овај пакет и покушај поново", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Званични пакетни менаџер Microsoft-a. Пун добро познатих и верификованих пакета
Садржи: Општи софтвер, апликације из Microsoft Store-a", + "Local PC": "Локални рачунар", + "Android Subsystem": "Андроид Подсистем", + "Operation on queue (position {0})...": "Операција је у реду (позиција {0})...", + "Click here for more details": "Кликни овде за више детаља", + "Operation canceled by user": "Корисник је отказао операцију", + "Starting operation...": "Покретање операције...", + "{package} installer download": "Преузимање инсталера за {package}", + "{0} installer is being downloaded": "Преузима се инсталер за {0}", + "Download succeeded": "Успешно преузимање", + "{package} installer was downloaded successfully": "Инсталер за {package} је успешно преузет", + "Download failed": "Преузимање није успело", + "{package} installer could not be downloaded": "Инсталер за {package} није могао бити преузет", + "{package} Installation": "{package} Инсталација", + "{0} is being installed": "{0} се инсталира", + "Installation succeeded": "Успешна инсталација", + "{package} was installed successfully": "{package} је успешно инсталиран", + "Installation failed": "Неуспешна инсталација", + "{package} could not be installed": "{package} није могуће инсталирати", + "{package} Update": "{package} Ажурирај", + "{0} is being updated to version {1}": "{0} се ажурира на верзију {1}", + "Update succeeded": "Успешно ажурирање", + "{package} was updated successfully": "{package} је успешно ажуриран", + "Update failed": "Неуспешно ажурирање", + "{package} could not be updated": "{package} није могуће ажурирати", + "{package} Uninstall": "{package} Деинсталирај", + "{0} is being uninstalled": "{0} се деинсталира", + "Uninstall succeeded": "Успешно деинсталирање", + "{package} was uninstalled successfully": "{package} је успешно деинсталиран", + "Uninstall failed": "Неуспешно деинсталирање", + "{package} could not be uninstalled": "{package} није могуће деинсталирати", + "Adding source {source}": "Додавање извора {source}", + "Adding source {source} to {manager}": "Додавање извора {source} у {manager}", + "Source added successfully": "Извор је успешно додат", + "The source {source} was added to {manager} successfully": "Извор {source} је успешно додат у {manager}", + "Could not add source": "Није могуће додати извор", + "Could not add source {source} to {manager}": "Није могуће додати извор {source} у {manager}\n", + "Removing source {source}": "Уклањање извора {source}", + "Removing source {source} from {manager}": "Уклањање извора {source} из {manager}", + "Source removed successfully": "Извор је успешно уклоњен", + "The source {source} was removed from {manager} successfully": "Извор {source} је успешно уклоњен из {manager}", + "Could not remove source": "Није могуће уклонити извор", + "Could not remove source {source} from {manager}": "Није могуће уклонити извор {source} из {manager}", + "The package manager \"{0}\" was not found": "Менаџер пакета \"{0}\" није пронађен", + "The package manager \"{0}\" is disabled": "Менаџер пакета \"{0}\" је онемогућен", + "There is an error with the configuration of the package manager \"{0}\"": "Постоји грешка у конфигурацији менаџера пакета \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" није пронађен у менаџеру пакета \"{1}\"", + "{0} is disabled": "{0} је онемогућен", + "Something went wrong": "Нешто је пошло по злу", + "An interal error occurred. Please view the log for further details.": "Догодила се унутрашња грешка. Молимо погледајте логове за даље детаље", + "No applicable installer was found for the package {0}": "Није пронађен одговарајући инсталер за пакет {0}", + "We are checking for updates.": "Проверавамо ажурирања.", + "Please wait": "Молимо сачекајте", + "UniGetUI version {0} is being downloaded.": "Преузима се UniGetUI верзија {0}.", + "This may take a minute or two": "Ово може потрајати минут или два", + "The installer authenticity could not be verified.": "Аутентичност инсталера није могла бити потврђена.", + "The update process has been aborted.": "Процес ажурирања је прекинут.", + "Great! You are on the latest version.": "Одлично! Користиш најновију верзију.", + "There are no new UniGetUI versions to be installed": "Нема нових UniGetUI верзија за инсталирање", + "An error occurred when checking for updates: ": "Дошло је до грешке приликом проверавања ажурирања", + "UniGetUI is being updated...": "UniGetUI се ажурира...", + "Something went wrong while launching the updater.": "Нешто је пошло наопако при покретању ажурирача.", + "Please try again later": "Покушај поново касније", + "Integrity checks will not be performed during this operation": "Провере интегритета неће бити извршене током ове операције", + "This is not recommended.": "Ово се не препоручује.", + "Run now": "Покрени сада", + "Run next": "Покрени следеће", + "Run last": "Покрени последње", + "Retry as administrator": "Покушај поново као администратор", + "Retry interactively": "Покушај поново интерактивно", + "Retry skipping integrity checks": "Покушај поново прескачући провере интегритета", + "Installation options": "Опције инсталације", + "Show in explorer": "Прикажи у истраживачу", + "This package is already installed": "Овај пакет је већ инсталиран", + "This package can be upgraded to version {0}": "Овај пакет може бити надограђен на верзију {0}", + "Updates for this package are ignored": "Ажурирања за овај пакет се игноришу", + "This package is being processed": "Овај пакет је тренутно у обрати.", + "This package is not available": "Овај пакет није доступан", + "Select the source you want to add:": "Одаберите извор који желите да додате:", + "Source name:": "Назив извора:", + "Source URL:": "Изворни УРЛ:", + "An error occurred": "Дошло је до грешке", + "An error occurred when adding the source: ": "Дошло је до грешке приликом додавања извора:", + "Package management made easy": "Управљање пакетима учињено лаким", + "version {0}": "верзија {0}", + "[RAN AS ADMINISTRATOR]": "ПОКРЕНУТО КАО АДМИНИСТРАТОР", + "Portable mode": "Преносиви режим\n", + "DEBUG BUILD": "ОТКЛАЊАЊЕ ГРЕШАКА ВЕРЗИЈА", + "Available Updates": "Доступна Ажурирања", + "Show WingetUI": "Прикажи WingetUI", + "Quit": "Излаз", + "Attention required": "Потребна пажња", + "Restart required": "Неопходно је поновно покретање", + "1 update is available": "1 ажурирање доступно", + "{0} updates are available": "{0} ажурирања је доступно", + "WingetUI Homepage": "WingetUI Почетна страница", + "WingetUI Repository": "WingetUI Репозиторијум", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Овде можеш да промениш понашање UniGetUI у вези са следећим пречицама. Означавање пречице ће учинити да је UniGetUI обрише ако се направи током будуће надоградње. Поништавање ознаке ће задржати пречицу нетакнутом", + "Manual scan": "Ручно скенирање", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Постојеће пречице на радној површини ће бити скениране и мораћеш да одабереш које желиш да задржиш, а које да уклониш.", + "Continue": "Настави", + "Delete?": "Обрисати?", + "Missing dependency": "Недостаје зависност", + "Not right now": "Не тренутно", + "Install {0}": "Инсталирај {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI захтева {0} за рад, али није пронађен на твом систему.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Кликните на Инсталирај да бисте започели процес инсталације. Ако прескочите инсталацију, UniGetUI можда неће радити како се очекује.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Алтернативно, {0} се може инсталирати покретањем следеће команде у Windows PowerShell окружењу:", + "Do not show this dialog again for {0}": "Не приказуј овај дијалог поново за {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Сачекај док се {0} инсталира. Може се појавити црни (или плави) прозор. Сачекај док се не затвори.", + "{0} has been installed successfully.": "{0} је успешно инсталиран.", + "Please click on \"Continue\" to continue": "Кликните на „Настави“ да бисте наставили", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} је успешно инсталиран. Препоручује се да поново покренеш UniGetUI да би довршио инсталацију", + "Restart later": "Поново покрените касније", + "An error occurred:": "Дошло је до грешке:", + "I understand": "Разумем", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI је покренут као администратор, што се не препоручује. Када покренете WingetUI као администратор, СВАКА операција покренута из WingetUI имаће администраторске привилегије. И даље можете да користите програм, али јако препоручујемо да не покрећете WingetUI са администраторским привилегијама.", + "WinGet was repaired successfully": "WinGet је успешно поправљен", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Препоручује се да поново покренеш UniGetUI након што је WinGet поправљен", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "НАПОМЕНА: Овај решавач проблема може се онемогућити у UniGetUI подешавањима, у WinGet одељку", + "Restart": "Поново покрени", + "WinGet could not be repaired": "WinGet није могао бити поправљен", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Дошло је до неочекиване грешке при покушају поправке WinGet‑а. Покушајте поново касније.", + "Are you sure you want to delete all shortcuts?": "Да ли сте сигурни да желите да обришете све пречице?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Све нове пречице креиране током инсталације или ажурирања биће аутоматски обрисане, уместо приказивања прозора за потврду при првом откривању.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Све пречице креиране или измењене ван UniGetUI биће игнорисане. Моћи ћете да их додате помоћу дугмета {0}.", + "Are you really sure you want to enable this feature?": "Да ли сте заиста сигурни да желите да омогућите ову функцију?", + "No new shortcuts were found during the scan.": "Током скенирања нису пронађене нове пречице.", + "How to add packages to a bundle": "Како додати пакете у пакет", + "In order to add packages to a bundle, you will need to: ": "Да би додао пакете у пакет, требаће ти: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Идите на \"{0}\" или \"{1}\" страну.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Пронађите пакет(е) које желите да додате у скуп пакета, и означите њихово крајње лево поље за потврду.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Када су пакети које желите да додате у скуп пакета изабрани, пронађите и кликните на опцију \"{0}\" на траци са алатима.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ваши пакети су додати у скуп пакета. Можете да наставите додавање пакета, или да извезете скуп пакета.", + "Which backup do you want to open?": "Коју резервну копију желиш да отвориш?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Изабери резервну копију коју желиш да отвориш. Касније ћеш моћи да прегледаш које пакете/програме желиш да вратиш.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Операције су у току. Напуштање WingetUI-ја може довести до њиховог неуспеха. Да ли желите да наставите?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или неке његове компоненте недостају или су оштећене.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Строго се препоручује да поново инсталираш UniGetUI да би решио ситуацију.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Погледај UniGetUI дневнике да добијеш више детаља о погођеним датотекама", + "Integrity checks can be disabled from the Experimental Settings": "Провере интегритета могу се онемогућити у експерименталним подешавањима", + "Repair UniGetUI": "Поправи UniGetUI", + "Live output": "Излаз уживо", + "Package not found": "Пакет није пронађен", + "An error occurred when attempting to show the package with Id {0}": "Дошло је до грешке при покушају приказивања пакета са ИД‑ом {0}", + "Package": "Пакет", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Овај пакет је имао нека подешавања која су потенцијално опасна и могу бити подразумевано игнорисана.", + "Entries that show in YELLOW will be IGNORED.": "Уноси приказани ЖУТО биће ИГНОРИСАНИ.", + "Entries that show in RED will be IMPORTED.": "Уноси приказани ЦРВЕНО биће УВЕЗЕНИ.", + "You can change this behavior on UniGetUI security settings.": "Можеш променити ово понашање у UniGetUI безбедносним подешавањима.", + "Open UniGetUI security settings": "Отвори UniGetUI безбедносна подешавања", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ако измениш безбедносна подешавања, мораћеш поново да отвориш пакет да би промене ступиле на снагу.", + "Details of the report:": "Детаљи извештаја:", "\"{0}\" is a local package and can't be shared": "\"{0}\" је локални пакет и дељење није дозвољено", + "Are you sure you want to create a new package bundle? ": "Да ли сте сигурни да желите да креирате нови скуп пакета?", + "Any unsaved changes will be lost": "Све несачуване измене биће изгубљене", + "Warning!": "Упозорење!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Из безбедносних разлога, прилагођени аргументи командне линије су подразумевано онемогућени. Иди у UniGetUI безбедносна подешавања да то промениш. ", + "Change default options": "Промени подразумеване опције", + "Ignore future updates for this package": "Игнориши будућа ажурирања за овај пакет", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Из безбедносних разлога, скрипте пре и после операције су подразумевано онемогућене. Иди у UniGetUI безбедносна подешавања да то промениш. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можеш дефинисати команде које ће се извршити пре или после него што се овај пакет инсталира, ажурира или деинсталира. Извршаваће се у командном прозору, тако да ће CMD скрипте радити овде.", + "Change this and unlock": "Измени ово и откључај", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} опције инсталације су тренутно закључане јер {0} прати подразумеване опције инсталације.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Изабери процесе који треба да буду затворени пре него што се овај пакет инсталира, ажурира или деинсталира.", + "Write here the process names here, separated by commas (,)": "Овде упиши називе процеса, раздвојене зарезима (,)", + "Unset or unknown": "Неподешено или непознато", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Молимо погледајте излаз командне линије или историју операција за додатне информације о проблему.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Овај пакет нема снимак екрана или му недостаје икона? Дајте допринос WingetUI додавањем икона и снимака екрана који недостају у нашу отворену, јавну базу података.", + "Become a contributor": "Постаните доприносилац", + "Save": "Сачувај", + "Update to {0} available": "Ажурирање на {0} доступно", + "Reinstall": "Поново инсталирај", + "Installer not available": "Инсталатер није доступан", + "Version:": "Верзија:", + "Performing backup, please wait...": "Прављење резервне копије, молимо сачекајте...", + "An error occurred while logging in: ": "Дошло је до грешке при пријављивању:", + "Fetching available backups...": "Прибављање доступних резервних копија...", + "Done!": "Готово!", + "The cloud backup has been loaded successfully.": "Резервна копија у облаку је успешно учитана.", + "An error occurred while loading a backup: ": "Дошло је до грешке при учитавању резервне копије:", + "Backing up packages to GitHub Gist...": "Прављење резервне копије пакета на GitHub Gist...", + "Backup Successful": "Резервна копија је успешно направљена", + "The cloud backup completed successfully.": "Резервна копија у облаку је успешно завршена.", + "Could not back up packages to GitHub Gist: ": "Није могуће направити резервну копију пакета на GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Није загарантовано да ће достављени акредитиви бити безбедно сачувани, па је најбоље да не користиш акредитиве свог банковног налога", + "Enable the automatic WinGet troubleshooter": "Омогући аутоматски WinGet решавач проблема", + "Enable an [experimental] improved WinGet troubleshooter": "Омогући [експериментални] побољшани WinGet решавач проблема", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Додај ажурирања која не успеју са ‘није пронађено примењиво ажурирање’ на листу игнорисаних ажурирања.", + "Restart WingetUI to fully apply changes": "Поново покрените WingetUI да бисте у потпуности применили измене", + "Restart WingetUI": "Поново покрените WingetUI", + "Invalid selection": "Неважећи избор", + "No package was selected": "Ниједан пакет није изабран", + "More than 1 package was selected": "Изабрано је више од 1 пакета", + "List": "Листа", + "Grid": "Мрежа", + "Icons": "Иконе", "\"{0}\" is a local package and does not have available details": "\"{0}\" је локални пакет и нема доступних детаља", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" је локални пакет и није компатибилан са овом функцијом", - "(Last checked: {0})": "(Последње проверено: {0})", + "WinGet malfunction detected": "Откривен је квар WinGet-а", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Изгледа да WinGet не ради како треба. Да ли желиш да покушаш да поправиш WinGet?", + "Repair WinGet": "Поправи WinGet", + "Create .ps1 script": "Креирање .ps1 скрипте", + "Add packages to bundle": "Додај пакете у скуп пакета", + "Preparing packages, please wait...": "Припрема пакета, молимо сачекајте...", + "Loading packages, please wait...": "Учитавање пакета, молимо сачекајте...", + "Saving packages, please wait...": "Чување пакета, молимо сачекајте...", + "The bundle was created successfully on {0}": "Пакет је успешно направљен на {0}", + "Install script": "Инсталациона скрипта", + "The installation script saved to {0}": "Инсталациона скрипта је сачувана у {0}", + "An error occurred while attempting to create an installation script:": "Дошло је до грешке при покушају креирања инсталационе скрипте:", + "{0} packages are being updated": "Ажурира се {0} пакета", + "Error": "Грешка", + "Log in failed: ": "Пријава није успела: ", + "Log out failed: ": "Одјава није успела: ", + "Package backup settings": "Подешавања резервне копије пакета", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Број {0} у реду)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@daVinci13, @momcilovicluka", "0 packages found": "0 пакета нађено.", "0 updates found": "0 надоградњи нађено.", - "1 - Errors": "1 - Грешке", - "1 day": "1 дан", - "1 hour": "1 сат", "1 month": "месец", "1 package was found": "Пронађен је 1 пакет", - "1 update is available": "1 ажурирање доступно", - "1 week": "1 недеља", "1 year": "1 година", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Идите на \"{0}\" или \"{1}\" страну.", - "2 - Warnings": "2 - Упозорења", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Пронађите пакет(е) које желите да додате у скуп пакета, и означите њихово крајње лево поље за потврду.", - "3 - Information (less)": "3 - Информације (мање)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Када су пакети које желите да додате у скуп пакета изабрани, пронађите и кликните на опцију \"{0}\" на траци са алатима.", - "4 - Information (more)": "4 - Информације (више)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Ваши пакети су додати у скуп пакета. Можете да наставите додавање пакета, или да извезете скуп пакета.", - "5 - information (debug)": "5 - информације (отклањање грешака)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популарни C/C++ управљач библиотекама. Пун C/C++ библиотека и других C/C++-сродних алата
Садржи: C/C++ библиотеке и сродне алате", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиторијум пун алата и извршних програма дизајниран имајући у виду Микрософтов .NET екосистем.
Садржи: алатке и скрипте везане за .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Складиште пуно алатки дизајниране у складу са Microsoft's .NET екосистемом.
Поседује: .NET алате", "A restart is required": "Неопходан је рестарт", - "Abort install if pre-install command fails": "Обустави инсталацију ако пре-инсталациона команда не успе", - "Abort uninstall if pre-uninstall command fails": "Обустави деинсталацију ако пре-деинсталациона команда не успе", - "Abort update if pre-update command fails": "Прекини ажурирање ако команда пре ажурирања не успе", - "About": "Информације", "About Qt6": "О Qt6", - "About WingetUI": "О WingetUI", "About WingetUI version {0}": "О WingetUI верзији {0}", "About the dev": "О програмеру", - "Accept": "Прихвати", "Action when double-clicking packages, hide successful installations": "Акција при двоструком клику на пакете, сакриј успешне инсталације", - "Add": "Додај", "Add a source to {0}": "Додај извор у {0}", - "Add a timestamp to the backup file names": "Додај време називу фајла резервне копије", "Add a timestamp to the backup files": "Додај ознаку времена у резервној копији", "Add packages or open an existing bundle": "Додајте пакете или отворите постојећи скуп", - "Add packages or open an existing package bundle": "Додај пакете или отвори постојећи скуп", - "Add packages to bundle": "Додај пакете у скуп пакета", - "Add packages to start": "Додај пакете за почетак", - "Add selection to bundle": "Додај одабране у скуп", - "Add source": "Додај извор", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Додај ажурирања која не успеју са ‘није пронађено примењиво ажурирање’ на листу игнорисаних ажурирања.", - "Adding source {source}": "Додавање извора {source}", - "Adding source {source} to {manager}": "Додавање извора {source} у {manager}", "Addition succeeded": "Успешно додавање", - "Administrator privileges": "Административне привилегије", "Administrator privileges preferences": "Поставке административних привилегија", "Administrator rights": "Администраторска права", - "Administrator rights and other dangerous settings": "Администраторска права и друга опасна подешавања", - "Advanced options": "Напредне опције", "All files": "Сви фајлови", - "All versions": "Све верзије", - "Allow changing the paths for package manager executables": "Дозволи промену путања за извршне датотеке менаџера пакета", - "Allow custom command-line arguments": "Дозволи прилагођене аргументе командне линије", - "Allow importing custom command-line arguments when importing packages from a bundle": "Дозволи увоз прилагођених аргумената командне линије приликом увоза пакета из скупа пакета", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дозволи увоз прилагођених команди пре и после инсталације приликом увоза пакета из скупа пакета", "Allow package operations to be performed in parallel": "Дозволи паралелно извршавање операција над пакетима", "Allow parallel installs (NOT RECOMMENDED)": "Дозволи паралелну инсталцију (НИЈЕ ПРЕПОРУЧЕНО)", - "Allow pre-release versions": "Дозволи верзије за тестирање", "Allow {pm} operations to be performed in parallel": "Дозволи {pm} операцијама да се извршавају паралелно", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Алтернативно, {0} се може инсталирати покретањем следеће команде у Windows PowerShell окружењу:", "Always elevate {pm} installations by default": "Увек подразумевано отвори {pm} у повишеном режиму", "Always run {pm} operations with administrator rights": "Увек извршавај {pm} операције са администраторским привилегијама", - "An error occurred": "Дошло је до грешке", - "An error occurred when adding the source: ": "Дошло је до грешке приликом додавања извора:", - "An error occurred when attempting to show the package with Id {0}": "Дошло је до грешке при покушају приказивања пакета са ИД‑ом {0}", - "An error occurred when checking for updates: ": "Дошло је до грешке приликом проверавања ажурирања", - "An error occurred while attempting to create an installation script:": "Дошло је до грешке при покушају креирања инсталационе скрипте:", - "An error occurred while loading a backup: ": "Дошло је до грешке при учитавању резервне копије:", - "An error occurred while logging in: ": "Дошло је до грешке при пријављивању:", - "An error occurred while processing this package": "Настала је грешка током израде пакета", - "An error occurred:": "Дошло је до грешке:", - "An interal error occurred. Please view the log for further details.": "Догодила се унутрашња грешка. Молимо погледајте логове за даље детаље", "An unexpected error occurred:": "Дошло је до неочекиване грешке:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Дошло је до неочекиване грешке при покушају поправке WinGet‑а. Покушајте поново касније.", - "An update was found!": "Пронађено је ажурирање!", - "Android Subsystem": "Андроид Подсистем", "Another source": "Додатни извор", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Све нове пречице креиране током инсталације или ажурирања биће аутоматски обрисане, уместо приказивања прозора за потврду при првом откривању.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Све пречице креиране или измењене ван UniGetUI биће игнорисане. Моћи ћете да их додате помоћу дугмета {0}.", - "Any unsaved changes will be lost": "Све несачуване измене биће изгубљене", "App Name": "Име апликације", - "Appearance": "Изглед", - "Application theme, startup page, package icons, clear successful installs automatically": "Тема апликације, почетна страница, иконе пакета, аутоматско брисање успешно инсталираних ставки", - "Application theme:": "Тема апликације", - "Apply": "Примени", - "Architecture to install:": "Архитектура за инсталацију:", "Are these screenshots wron or blurry?": "Да ли су ови снимци екрана погрешни или мутни?", - "Are you really sure you want to enable this feature?": "Да ли сте заиста сигурни да желите да омогућите ову функцију?", - "Are you sure you want to create a new package bundle? ": "Да ли сте сигурни да желите да креирате нови скуп пакета?", - "Are you sure you want to delete all shortcuts?": "Да ли сте сигурни да желите да обришете све пречице?", - "Are you sure?": "Да ли сте сигурни?", - "Ascendant": "Узлазнo", - "Ask for administrator privileges once for each batch of operations": "Затражи администраторске привилегије једном за сваки скуп операција", "Ask for administrator rights when required": "Тражи администраторска права када су потребна", "Ask once or always for administrator rights, elevate installations by default": "Питајте једном или увек за администраторска права, подразумевано повишавајте инсталације", - "Ask only once for administrator privileges": "Тражи администраторска права само једном", "Ask only once for administrator privileges (not recommended)": "Питајте само једном за администраторске привилегије (није препоручљиво)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Питај за брисање пречица на радној површини креираних током инсталације или надоградње.", - "Attention required": "Потребна пажња", "Authenticate to the proxy with an user and a password": "Аутентификуј се на прокси серверу помоћу корисничког имена и лозинке", - "Author": "Аутор", - "Automatic desktop shortcut remover": "Аутоматски уклањач пречица са радне површине", - "Automatic updates": "Аутоматска ажурирања", - "Automatically save a list of all your installed packages to easily restore them.": "Аутоматски сачувај листу свих инсталираних пакета због лакшег враћања.", "Automatically save a list of your installed packages on your computer.": "Аутоматски сачувај листу инсталираних пакета на рачунару.", - "Automatically update this package": "Аутоматски ажурирај овај пакет", "Autostart WingetUI in the notifications area": "Аутоматски покрени WingetUI међу нотификацијама", - "Available Updates": "Доступна Ажурирања", "Available updates: {0}": "Доступне надоградње: {0}", "Available updates: {0}, not finished yet...": "Доспутне надоградње: {0}, није још завршено...", - "Backing up packages to GitHub Gist...": "Прављење резервне копије пакета на GitHub Gist...", - "Backup": "Резервна копија", - "Backup Failed": "Прављење резервне копије није успело", - "Backup Successful": "Резервна копија је успешно направљена", - "Backup and Restore": "Израда и враћање резервних копија", "Backup installed packages": "Резервна копија инсталираних пакета", "Backup location": "Локација резервних копија", - "Become a contributor": "Постаните доприносилац", - "Become a translator": "Постани преводилац", - "Begin the process to select a cloud backup and review which packages to restore": "Започни процес избора резервне копије у облаку и прегледа пакета за враћање", - "Beta features and other options that shouldn't be touched": "Бета функције и друге опције које не би требало да се додирну", - "Both": "Оба", - "Bundle security report": "Извештај о безбедности скупа пакета", "But here are other things you can do to learn about WingetUI even more:": "Али овде има још ствари које можете урадити да сазнате више о WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Искључивањем менаџера пакета, више нећете моћи да видите или ажурирате његове пакете", "Cache administrator rights and elevate installers by default": "Кеш администраторских права и подразумевано повећајте инсталатере", "Cache administrator rights, but elevate installers only when required": "Кеш администраторских права, али повећајте инсталатере само када је потребно", "Cache was reset successfully!": "Кеш је успешно ресетован!", "Can't {0} {1}": "Не може {0} {1}", - "Cancel": "Откажи", "Cancel all operations": "Откажи све операције", - "Change backup output directory": "Промени локацију резервне копије", - "Change default options": "Промени подразумеване опције", - "Change how UniGetUI checks and installs available updates for your packages": "Промените како UniGetUI проверава и инсталира доступна ажурирања за ваше пакете", - "Change how UniGetUI handles install, update and uninstall operations.": "Промени начин на који UniGetUI обрађује инсталације, ажурирања и деинсталације.", "Change how UniGetUI installs packages, and checks and installs available updates": "Промени начин на који UniGetUI инсталира пакете, као и начин на који проверава и инсталира доступна ажурирања", - "Change how operations request administrator rights": "Промени начин на који операције захтевају администраторска права", "Change install location": "Промени локацију инсталирања", - "Change this": "Измени ово", - "Change this and unlock": "Измени ово и откључај", - "Check for package updates periodically": "Повремено проверавајте ажурирања пакета", - "Check for updates": "Провери ажурирања", - "Check for updates every:": "Проверавајте ажурирања сваких:", "Check for updates periodically": "Повремено проверавајте ажурирања", "Check for updates regularly, and ask me what to do when updates are found.": "Редовно проверавајте ажурирања и питајте ме шта да радим када се пронађу ажурирања.", "Check for updates regularly, and automatically install available ones.": "Редовно проверавајте ажурирања и аутоматски инсталирајте доступна ажурирања.", @@ -159,916 +741,335 @@ "Checking for updates...": "Провера ажурирања...", "Checking found instace(s)...": "Провера нађених инстанци...", "Choose how many operations shouls be performed in parallel": "Изабери колико операција треба извршавати паралелно", - "Clear cache": "Обриши кеш", "Clear finished operations": "Обриши завршене операције", - "Clear selection": "Обриши избор", "Clear successful operations": "Обриши успешне операције", - "Clear successful operations from the operation list after a 5 second delay": "Обриши успешне операције са листе операција након 5 секунди", "Clear the local icon cache": "Обриши локални кеш икона", - "Clearing Scoop cache - WingetUI": "Брисање Scoop кеша - WingetUI", "Clearing Scoop cache...": "Бришење кеша Scoop...", - "Click here for more details": "Кликни овде за више детаља", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Кликните на Инсталирај да бисте започели процес инсталације. Ако прескочите инсталацију, UniGetUI можда неће радити како се очекује.", - "Close": "Затвори", - "Close UniGetUI to the system tray": "Затвори UniGetUI у системску траку", "Close WingetUI to the notification area": "Затвори WingetUI у обавештење област", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Резервна копија у облаку користи приватни GitHub Gist за чување списка инсталираних пакета", - "Cloud package backup": "Резервна копија пакета у облаку", "Command-line Output": "Излаз командне линије", - "Command-line to run:": "Командна линија за покретање:", "Compare query against": "Упоредите упит са", - "Compatible with authentication": "Компатибилно са аутентификацијом", - "Compatible with proxy": "Компатибилно са проксијем", "Component Information": "Информације о компоненти", - "Concurrency and execution": "Истовременост и извршавање", - "Connect the internet using a custom proxy": "Повежи се на интернет користећи прилагођени прокси", - "Continue": "Настави", "Contribute to the icon and screenshot repository": "Допринесите репозиторијуму икона и снимака екрана", - "Contributors": "Доприниосци", "Copy": "Копирај", - "Copy to clipboard": "Копирај на клипборд", - "Could not add source": "Није могуће додати извор", - "Could not add source {source} to {manager}": "Није могуће додати извор {source} у {manager}\n", - "Could not back up packages to GitHub Gist: ": "Није могуће направити резервну копију пакета на GitHub Gist:", - "Could not create bundle": "Није могуће креирати скуп пакета", "Could not load announcements - ": "Није могуће учитати саопштења -", "Could not load announcements - HTTP status code is $CODE": "Није могуће учитати саопштења - ХТТП статусни код је $CODE", - "Could not remove source": "Није могуће уклонити извор", - "Could not remove source {source} from {manager}": "Није могуће уклонити извор {source} из {manager}", "Could not remove {source} from {manager}": "Није могуће уклонити {source} из {manager}", - "Create .ps1 script": "Креирање .ps1 скрипте", - "Credentials": "Подаци за пријаву", "Current Version": "Тренутна верзија", - "Current executable file:": "Тренутна датотека за извршавање:", - "Current status: Not logged in": "Тренутни статус: Није пријављен", "Current user": "Тренутни корисник", "Custom arguments:": "Прилагођени аргументи", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Прилагођени аргументи командне линије могу изменити начин на који се програми инсталирају, надограђују или деинсталирају, на начин који UniGetUI не може да контролише. Коришћење прилагођених командних линија може оштетити пакете. Наставити с опрезом.", "Custom command-line arguments:": "Прилагодите аргументе командне линије:", - "Custom install arguments:": "Прилагођени аргументи за инсталацију:", - "Custom uninstall arguments:": "Прилагођени аргументи за деинсталацију:", - "Custom update arguments:": "Прилагођени аргументи за ажурирање:", "Customize WingetUI - for hackers and advanced users only": "Прилагодите WingetUI - само за хакере и напредне кориснике", - "DEBUG BUILD": "ОТКЛАЊАЊЕ ГРЕШАКА ВЕРЗИЈА", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ИСКЉУЧЕЊЕ ОДГОВОРНОСТИ: МИ НИСМО ОДГОВОРНИ ЗА СКИНУТЕ ПАКЕТЕ. МОЛИМО ВАС, УВЕК ИНСТАЛИРАЈТЕ САМО ПОУЗДАН СОФТВЕР.", - "Dark": "Тамно", - "Decline": "Одбити", - "Default": "Подразумевано", - "Default installation options for {0} packages": "Подразумеване опције инсталације за {0} пакета", "Default preferences - suitable for regular users": "Подразумеване поставке - погодне за редовне кориснике", - "Default vcpkg triplet": "Подразумевани vcpkg триплет", - "Delete?": "Обрисати?", - "Dependencies:": "Зависности:", - "Descendant": "Силазно", "Description:": "Опис:", - "Desktop shortcut created": "Пречица на радној површини креирана", - "Details of the report:": "Детаљи извештаја:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Развој је тежак, а ова апликација је бесплатна. Али ако вам се апликација свидела, увек можете купити ми кафу :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Директно инсталирајте када двоструко кликнете на ставку на табли \"{discoveryTab}\" (уместо приказивања информација о пакету)", "Disable new share API (port 7058)": "Онемогућите нови дељени API (порт 7058)", - "Disable the 1-minute timeout for package-related operations": "Поништи паузу од 1 минута за операције везане за пакете", - "Disabled": "Деактивирано", - "Disclaimer": "Одрицање од одговорности", - "Discover Packages": "Откријте пакете", "Discover packages": "Откријте пакете", "Distinguish between\nuppercase and lowercase": "Разликујте између\nвеликих и малих слова", - "Distinguish between uppercase and lowercase": "Прави разлику између великих и малих слова", "Do NOT check for updates": "НЕ проверавајте ажурирања", "Do an interactive install for the selected packages": "Изведите интерактивну инсталацију за изабране пакете", "Do an interactive uninstall for the selected packages": "Изведите интерактивно деинсталирање за изабране пакете", "Do an interactive update for the selected packages": "Изведите интерактивно ажурирање за изабране пакете", - "Do not automatically install updates when the battery saver is on": "Не инсталирај аутоматски ажурирања када је батеријска заштита активна", - "Do not automatically install updates when the device runs on battery": "Не инсталирај аутоматски ажурирања када уређај ради на батеријском напону", - "Do not automatically install updates when the network connection is metered": "Не инсталирај аутоматски ажурирања када је мрежна веза ограничена", "Do not download new app translations from GitHub automatically": "Не преузимајте нове преводе апликација са GitHub-а аутоматски", - "Do not ignore updates for this package anymore": "Престани да игноришеш ажурирања за овај пакет", "Do not remove successful operations from the list automatically": "Немој аутоматски уклањати успешне операције са листе", - "Do not show this dialog again for {0}": "Не приказуј овај дијалог поново за {0}", "Do not update package indexes on launch": "Не ажурирајте индексе пакета при покретању", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Да ли прихваташ да UniGetUI прикупља и шаље анонимне статистике коришћења, са једином намером разумевања и побољшања корисничког искуства?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "\nДа ли сматрате да је WingetUI користан? Ако можете, можда бисте желели да подржите мој рад, тако да могу да наставим да чиним WingetUI врхунским интерфејсом за управљање пакетима.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Да ли вам је WingetUI користан? Желите да подржите развојника? Ако је тако, можете {0}, то много помаже!", - "Do you really want to reset this list? This action cannot be reverted.": "Да ли заиста желиш да ресетујеш ову листу? Ова радња се не може отказати.", - "Do you really want to uninstall the following {0} packages?": "Да ли заиста желите да деинсталирате следећих {0} пакета?", "Do you really want to uninstall {0} packages?": "Да ли заиста желите да деинсталирате {0} пакета?", - "Do you really want to uninstall {0}?": "Да ли заиста желите да деинсталирате {0}?", "Do you want to restart your computer now?": "Да ли желите да поново покренете рачунар сада?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Да ли желите да преведете WingetUI на свој језик? Видите како да допринесете ОВДЕ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "\nНе донира Вам се? Не брините, увек можете да делите WingetUI са својим пријатељима. Проширите вест о WingetUI.", "Donate": "Донирајте", - "Done!": "Готово!", - "Download failed": "Преузимање није успело", - "Download installer": "Преузми инсталер", - "Download operations are not affected by this setting": "Операције преузимања нису захваћене овом поставком", - "Download selected installers": "Преузми одабране инсталере", - "Download succeeded": "Успешно преузимање", "Download updated language files from GitHub automatically": "Аутоматски преузимајте ажуриране језичке датотеке са GitHub-а", "Downloading": "Преузимање", - "Downloading backup...": "Преузимам резервну копију...", "Downloading installer for {package}": "Преузимање инсталера за {package}", "Downloading package metadata...": "Преузимам податке о пакетима...", - "Enable Scoop cleanup on launch": "Омогућите чишћење Scoop-а при покретању", - "Enable WingetUI notifications": "Омогућите обавештења за WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Омогући [експериментални] побољшани WinGet решавач проблема", - "Enable and disable package managers, change default install options, etc.": "Омогући и онемогући менаџере пакета, измени подразумеване опције инсталације, итд.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Омогући оптимизације коришћења CPU-а у позадини (погледај Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Омогући позадински апи (WingetUI Widgets and Sharing, порт 7058)", - "Enable it to install packages from {pm}.": "Омогућите га да бисте инсталирали пакете са {pm}.", - "Enable the automatic WinGet troubleshooter": "Омогући аутоматски WinGet решавач проблема", "Enable the new UniGetUI-Branded UAC Elevator": "Омогући нови UniGetUI брендирани UAC Elevator", "Enable the new process input handler (StdIn automated closer)": "Омогући нови управљач улаза процеса (StdIn аутоматски затварач)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Омогући поставке испод АКО И САМО АКО потпуно разумеш шта раде и какве последице могу имати.", - "Enable {pm}": "Омогућите {pm}", - "Enabled": "Омогућено", - "Enter proxy URL here": "Унеси URL проксија овде", - "Entries that show in RED will be IMPORTED.": "Уноси приказани ЦРВЕНО биће УВЕЗЕНИ.", - "Entries that show in YELLOW will be IGNORED.": "Уноси приказани ЖУТО биће ИГНОРИСАНИ.", - "Error": "Грешка", - "Everything is up to date": "Све је ажурно", - "Exact match": "Тачно подударање", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Постојеће пречице на радној површини ће бити скениране и мораћеш да одабереш које желиш да задржиш, а које да уклониш.", - "Expand version": "Прошири верзију", - "Experimental settings and developer options": "Експерименталне поставке и опције за развој", - "Export": "Извоз", - "Export log as a file": "Извоз лога као фајла", - "Export packages": "Извоз пакета", - "Export selected packages to a file": "Извоз изабраних пакета у фајл", - "Export settings to a local file": "Извоз поставки у локални фајл", - "Export to a file": "Извоз у фајл", - "Failed": "Неуспешно", - "Fetching available backups...": "Прибављање доступних резервних копија...", + "Export log as a file": "Извоз лога као фајла", + "Export packages": "Извоз пакета", + "Export selected packages to a file": "Извоз изабраних пакета у фајл", "Fetching latest announcements, please wait...": "Прибављање најновијих најава, молимо сачекајте...", - "Filters": "Филтери", "Finish": "Заврши", - "Follow system color scheme": "Прати шему боја система", - "Follow the default options when installing, upgrading or uninstalling this package": "Следи подразумеване опције при инсталацији, надоградњи или деинсталацији овог пакета", - "For security reasons, changing the executable file is disabled by default": "Из безбедносних разлога, промена извршне датотеке је подразумевано онемогућена", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Из безбедносних разлога, прилагођени аргументи командне линије су подразумевано онемогућени. Иди у UniGetUI безбедносна подешавања да то промениш. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Из безбедносних разлога, скрипте пре и после операције су подразумевано онемогућене. Иди у UniGetUI безбедносна подешавања да то промениш. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Принудите ARM компајлирану верзију winget-a (САМО ЗА ARM64 СИСТЕМЕ)", - "Force install location parameter when updating packages with custom locations": "Присили параметар локације инсталације при ажурирању пакета са прилагођеним локацијама", "Formerly known as WingetUI": "Раније познат као WingetUI", "Found": "Пронађено", "Found packages: ": "Пронађени пакети:", "Found packages: {0}": "Пронађени пакети: {0}", "Found packages: {0}, not finished yet...": "Пронађени пакети: {0}, још није завршено...", - "General preferences": "Опште поставке", "GitHub profile": "Профил на GitHub-у", "Global": "Глобално", - "Go to UniGetUI security settings": "Иди у UniGetUI безбедносна подешавања", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Велики репозиторијум непознатих али корисних алатки и других интересантних пакета.
Садржи: Алатке, Програме за командну линију, Општи софтвер (потребна додатна кофа)", - "Great! You are on the latest version.": "Одлично! Користиш најновију верзију.", - "Grid": "Мрежа", - "Help": "Помоћ", "Help and documentation": "Помоћ и документација", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Овде можеш да промениш понашање UniGetUI у вези са следећим пречицама. Означавање пречице ће учинити да је UniGetUI обрише ако се направи током будуће надоградње. Поништавање ознаке ће задржати пречицу нетакнутом", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Здраво, зовем се Марти, и ја сам развојник WingetUI-а. WingetUI је цео направљен у мом слободном времену!", "Hide details": "Сакриј детаље", - "Homepage": "Почетна страна", - "homepage": "почетна страна", - "Hooray! No updates were found.": "Ура! Нису пронађена ажурирања!", "How should installations that require administrator privileges be treated?": "Како треба третирати инсталације које захтевају администраторске привилегије?", - "How to add packages to a bundle": "Како додати пакете у пакет", - "I understand": "Разумем", - "Icons": "Иконе", - "Id": "Идентификатор", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Ако имаш омогућену резервну копију у облаку, биће сачувана као GitHub Gist на овом налогу", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Игнориши прилагођене команде пре и после инсталације приликом увоза пакета из пакета", - "Ignore future updates for this package": "Игнориши будућа ажурирања за овај пакет", - "Ignore packages from {pm} when showing a notification about updates": "Игнориши пакете од {pm} при приказивању обавештења о ажурирањима", - "Ignore selected packages": "Игнориши изабране пакете", - "Ignore special characters": "Игнориши специјалне карактере", "Ignore updates for the selected packages": "Игнориши ажурирања за изабране пакете", - "Ignore updates for this package": "Игнориши ажурирања за овај пакет", "Ignored updates": "Игнорисана ажурирања", - "Ignored version": "Игнорисана верзија", - "Import": "Увоз", "Import packages": "Увоз пакета", "Import packages from a file": "Увоз пакета из фајла", - "Import settings from a local file": "Увоз поставки из локалног фајла", - "In order to add packages to a bundle, you will need to: ": "Да би додао пакете у пакет, требаће ти: ", "Initializing WingetUI...": "Иницијализује се WingetUI...", - "Install": "Инсталирај", - "install": "инсталирај", - "Install Scoop": "Инсталирајте Scoop", "Install and more": "Инсталирај и више", "Install and update preferences": "Подешавања инсталације и ажурирања", - "Install as administrator": "Инсталирајте као администратор", - "Install available updates automatically": "Аутоматски инсталирај доступна ажурирања", - "Install location can't be changed for {0} packages": "Локација инсталације не може да се промени за {0} пакета", - "Install location:": "Локација инсталације:", - "Install options": "Опције инсталације", "Install packages from a file": "Инсталирајте пакете из фајла", - "Install prerelease versions of UniGetUI": "Инсталирај претходна издања UniGetUI", - "Install script": "Инсталациона скрипта", "Install selected packages": "Инсталирајте изабране пакете", "Install selected packages with administrator privileges": "Инсталирајте изабране пакете са администраторским привилегијама", - "Install selection": "Инсталирај одабране", "Install the latest prerelease version": "Инсталирај најновију верзију пред издања", "Install updates automatically": "Инсталирајте ажурирања аутоматски", - "Install {0}": "Инсталирај {0}", "Installation canceled by the user!": "Инсталација је отказана од стране корисника!", - "Installation failed": "Неуспешна инсталација", - "Installation options": "Опције инсталације", - "Installation scope:": "Опсег инсталације:", - "Installation succeeded": "Успешна инсталација", - "Installed Packages": "Инсталирани пакети", "Installed packages": "Инсталирани пакети", - "Installed Version": "Инсталирана верзија", - "Installer SHA256": "SHA256 инсталатера", - "Installer SHA512": "SHA512 инсталатера", - "Installer Type": "Тип инсталатера", - "Installer URL": "URL инсталатера", - "Installer not available": "Инсталатер није доступан", "Instance {0} responded, quitting...": "Инстанца {0} одговорила, затворила се...", - "Instant search": "Инстант претрага", - "Integrity checks can be disabled from the Experimental Settings": "Провере интегритета могу се онемогућити у експерименталним подешавањима", - "Integrity checks skipped": "Провере интегритета прескочене", - "Integrity checks will not be performed during this operation": "Провере интегритета неће бити извршене током ове операције", - "Interactive installation": "Интерактивна инсталација", - "Interactive operation": "Интерактивна операција", - "Interactive uninstall": "Интерактивно деинсталирање", - "Interactive update": "Интерактивно ажурирање", - "Internet connection settings": "Подешавања интернет везе", - "Invalid selection": "Неважећи избор", "Is this package missing the icon?": "Да ли овом пакету недостаје икона?", - "Is your language missing or incomplete?": "Да ли је Ваш језик непотпун или недостаје?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Није загарантовано да ће достављени акредитиви бити безбедно сачувани, па је најбоље да не користиш акредитиве свог банковног налога", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Препоручује се да поново покренеш UniGetUI након што је WinGet поправљен", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Строго се препоручује да поново инсталираш UniGetUI да би решио ситуацију.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Изгледа да WinGet не ради како треба. Да ли желиш да покушаш да поправиш WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Изгледа да сте покренули WingetUI као администратор, што се не препоручује. Ипак, можете користити програм, али вам најтооплепају не покретати WingetUI с администраторским привилегијама. Кликните на \"{showDetails}\" да видите зашто.", - "Language": "Језик", - "Language, theme and other miscellaneous preferences": "Језик, тема и остале опције", - "Last updated:": "Последњи пут ажурирано:", - "Latest": "Најновије", "Latest Version": "Најновија верзија", "Latest Version:": "Најновија верзија:", "Latest details...": "Најновији детаљи...", "Launching subprocess...": "Покретање подпроцеса...", - "Leave empty for default": "Оставите празно за подразумевано", - "License": "Лиценца", "Licenses": "Лиценце", - "Light": "Светло", - "List": "Листа", "Live command-line output": "Уживо излаз командне линије", - "Live output": "Излаз уживо", "Loading UI components...": "Учитавање UI компоненти...", "Loading WingetUI...": "Учитавање WingetUI...", - "Loading packages": "Учитавање пакета", - "Loading packages, please wait...": "Учитавање пакета, молимо сачекајте...", - "Loading...": "Учитавање...", - "Local": "Локално", - "Local PC": "Локални рачунар", - "Local backup advanced options": "Напредне опције локалне резервне копије", "Local machine": "Локална машина", - "Local package backup": "Локална резервна копија пакета", "Locating {pm}...": "Локализује {pm}...", - "Log in": "Пријава", - "Log in failed: ": "Пријава није успела: ", - "Log in to enable cloud backup": "Пријави се да омогућиш резервну копију у облаку", - "Log in with GitHub": "Пријави се помоћу GitHub-а", - "Log in with GitHub to enable cloud package backup.": "Пријави се помоћу GitHub-а да омогућиш резервну копију пакета у облаку.", - "Log level:": "Ниво логовања:", - "Log out": "Одјава", - "Log out failed: ": "Одјава није успела: ", - "Log out from GitHub": "Одјави се са GitHub-а", "Looking for packages...": "Тражење пакета...", "Machine | Global": "Машина | Глобално", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Лоше формирани аргументи командне линије могу покварити пакете, или чак омогућити злонамерном актеру привилеговано извршавање. Зато је увоз прилагођених аргумената командне линије подразумевано онемогућен.", - "Manage": "Управљај", - "Manage UniGetUI settings": "Управљај UniGetUI подешавањима", "Manage WingetUI autostart behaviour from the Settings app": "Управљајте понашањем аутоматског покретања WingetUI из апликације Подешавања", "Manage ignored packages": "Управљајте игнорисаним пакетима", - "Manage ignored updates": "Управљајте игнорисаним ажурирањима", - "Manage shortcuts": "Управљај пречицама", - "Manage telemetry settings": "Управљај подешавањима телеметрије", - "Manage {0} sources": "Управљај {0} извора", - "Manifest": "Манифест", "Manifests": "Манифести", - "Manual scan": "Ручно скенирање", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Званични пакетни менаџер Microsoft-a. Пун добро познатих и верификованих пакета
Садржи: Општи софтвер, апликације из Microsoft Store-a", - "Missing dependency": "Недостаје зависност", - "More": "Више", - "More details": "Више детаља", - "More details about the shared data and how it will be processed": "Више детаља о дељеним подацима и како ће бити обрађени", - "More info": "Више информација", - "More than 1 package was selected": "Изабрано је више од 1 пакета", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "НАПОМЕНА: Овај решавач проблема може се онемогућити у UniGetUI подешавањима, у WinGet одељку", - "Name": "Име", - "New": "Ново", "New Version": "Нова верзија", - "New version": "Нова верзија", "New bundle": "Нови скуп", - "Nice! Backups will be uploaded to a private gist on your account": "Одлично! Резервне копије ће бити отпремљене у приватни gist на твом налогу", - "No": "Не", - "No applicable installer was found for the package {0}": "Није пронађен одговарајући инсталер за пакет {0}", - "No dependencies specified": "Нема наведених зависности", - "No new shortcuts were found during the scan.": "Током скенирања нису пронађене нове пречице.", - "No package was selected": "Ниједан пакет није изабран", "No packages found": "Пакети нису пронађени", "No packages found matching the input criteria": "Нису пронађени пакети који одговарају уносу", "No packages have been added yet": "Још увек није додат ниједан пакет", "No packages selected": "Нису изабрани пакети", - "No packages were found": "Није пронађен ниједан пакет", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Никакве личне информације се не прикупљају нити шаљу, а прикупљени подаци су анонимизовани, тако да се не могу повезати са тобом.", - "No results were found matching the input criteria": "Није пронађен ниједан резултат који одговара унетим критеријумима", "No sources found": "Извори нису пронађени", "No sources were found": "Није пронађен ниједан извор", "No updates are available": "Ажурирања нису доступна", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Пакет менаџер за Node JS. Пун библиотека и других алатки које су у вези са JavaScript-ом
Садржи: Библиотеке JavaScript-a и друге релевантне алатке", - "Not available": "Није доступно", - "Not finding the file you are looking for? Make sure it has been added to path.": "Не налазиш датотеку коју тражиш? Увери се да је додата у путању.", - "Not found": "Није пронађено", - "Not right now": "Не тренутно", "Notes:": "Белешке:", - "Notification preferences": "Преференце обавештења", "Notification tray options": "Опције у обавештењима", - "Notification types": "Врсте обавештења", - "NuPkg (zipped manifest)": "NuPkg (зиповани манифест)", - "OK": "У реду", "Ok": "У реду", - "Open": "Отвори", "Open GitHub": "Отвори GitHub", - "Open UniGetUI": "Отвори UniGetUI", - "Open UniGetUI security settings": "Отвори UniGetUI безбедносна подешавања", "Open WingetUI": "Отвори WingetUI", "Open backup location": "Отвори локацију резервне копије", "Open existing bundle": "Отвори постојећи скуп", - "Open install location": "Отвори локацију инсталације", "Open the welcome wizard": "Отвори чаробњак за добродошлицу", - "Operation canceled by user": "Корисник је отказао операцију", "Operation cancelled": "Операција је отказана", - "Operation history": "Историја операција", - "Operation in progress": "Операција у току", - "Operation on queue (position {0})...": "Операција је у реду (позиција {0})...", - "Operation profile:": "Профил операције:", "Options saved": "Опција сачувана", - "Order by:": "Поређај по:", - "Other": "Друго", - "Other settings": "Остала подешавања", - "Package": "Пакет", - "Package Bundles": "Скупови Пакета", - "Package ID": "ИД пакета", "Package Manager": "Менаџер пакета", - "Package manager": "Менаџер пакета", - "Package Manager logs": "Логови пакет менаџера", - "Package Managers": "Менаџери пакета", "Package managers": "Менаџери пакета", - "Package Name": "Име пакета", - "Package backup": "Резервна копија пакета", - "Package backup settings": "Подешавања резервне копије пакета", - "Package bundle": "Скуп пакета", - "Package details": "Детаљи пакета", - "Package lists": "Листе пакета", - "Package management made easy": "Управљање пакетима учињено лаким", - "Package manager preferences": "Поставке пакет менаџера", - "Package not found": "Пакет није пронађен", - "Package operation preferences": "Подешавања операција пакета", - "Package update preferences": "Подешавања ажурирања пакета", "Package {name} from {manager}": "Пакет {name} од {manager}", - "Package's default": "Подразумевано пакета", "Packages": "Пакети", "Packages found: {0}": "Пронађено пакета: {0}", - "Partially": "Делимично", - "Password": "Лозинка", "Paste a valid URL to the database": "Залепите исправан URL у базу података", - "Pause updates for": "Паузирај ажурирања за", "Perform a backup now": "Одмах направи резервну копију", - "Perform a cloud backup now": "Направи резервну копију у облаку сада", - "Perform a local backup now": "Направи локалну резервну копију сада", - "Perform integrity checks at startup": "Изврши провере интегритета при покретању", - "Performing backup, please wait...": "Прављење резервне копије, молимо сачекајте...", "Periodically perform a backup of the installed packages": "Повремено направи резервну копију инсталираних пакета", - "Periodically perform a cloud backup of the installed packages": "Повремено прави резервну копију инсталираних пакета у облаку", - "Periodically perform a local backup of the installed packages": "Повремено прави локалну резервну копију инсталираних пакета", - "Please check the installation options for this package and try again": "Провери опције инсталације за овај пакет и покушај поново", - "Please click on \"Continue\" to continue": "Кликните на „Настави“ да бисте наставили", "Please enter at least 3 characters": "Молимо унесите барем 3 карактера", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Обратите пажњу да одређени пакети можда нису могући за инсталацију због пакет менаџера који су омогућени на овом рачунару.", - "Please note that not all package managers may fully support this feature": "Имај на уму да сви менаџери пакета можда не подржавају у потпуности ову функцију", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Обратите пажњу да пакети из одређених извора можда не могу бити извезени. Они су затамњени и неће бити извезени.", - "Please run UniGetUI as a regular user and try again.": "Покрени UniGetUI као обичан корисник и покушај поново.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Молимо погледајте излаз командне линије или историју операција за додатне информације о проблему.", "Please select how you want to configure WingetUI": "Одаберите како желите да конфигуришете WingetUI", - "Please try again later": "Покушај поново касније", "Please type at least two characters": "Молимо унесите најмање два знака", - "Please wait": "Молимо сачекајте", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Сачекај док се {0} инсталира. Може се појавити црни (или плави) прозор. Сачекај док се не затвори.", - "Please wait...": "Молимо сачекајте...", "Portable": "Преносиво", - "Portable mode": "Преносиви режим\n", - "Post-install command:": "Команда после инсталације:", - "Post-uninstall command:": "Команда после деинсталације:", - "Post-update command:": "Команда после ажурирања:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell-ов менаџер пакета. Пронађите библиотеке и скрипте за проширење PowerShell могућности
Садржи: Модуле, Скрипте, Cmdlet-ове\n", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Команде пре и после инсталације могу урадити веома непријатне ствари твојем уређају, ако су тако направљене. Може бити веома опасно увозити команде из пакета, осим ако верујеш извору тог пакета", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Команде пре и после инсталације извршаваће се пре и после него што се пакет инсталира, надогради или деинсталира. Имај на уму да могу покварити ствари ако се не користе пажљиво", - "Pre-install command:": "Команда пре инсталације:", - "Pre-uninstall command:": "Команда пре деинсталације:", - "Pre-update command:": "Команда пре ажурирања:", - "PreRelease": "ПреИздање", - "Preparing packages, please wait...": "Припрема пакета, молимо сачекајте...", - "Proceed at your own risk.": "Настави на сопствени ризик.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Забрани било какво подизање привилегија преко UniGetUI Elevator-а или GSudo-а", - "Proxy URL": "URL проксија", - "Proxy compatibility table": "Табела компатибилности проксија", - "Proxy settings": "Подешавања проксија", - "Proxy settings, etc.": "Подешавања проксија, итд.", "Publication date:": "Датум објаве:", - "Publisher": "Издавач", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менаџер библиотека за Python. Пун Python библиотека и других Python-релевантних алатки
Садржи: Python библиотеке и релевантне алатке", - "Quit": "Излаз", "Quit WingetUI": "Затвори WingetUI", - "Ready": "Спремно", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Смањи UAC упите, подразумевано подигни инсталације, откључај одређене опасне функције, итд.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Погледај UniGetUI дневнике да добијеш више детаља о погођеним датотекама", - "Reinstall": "Поново инсталирај", - "Reinstall package": "Реинсталирај пакет", - "Related settings": "Повезана подешавања", - "Release notes": "Белешке о верзијама", - "Release notes URL": "УРЛ белешки о издању", "Release notes URL:": "URL белешки о издању:", "Release notes:": "Белешке о издању:", "Reload": "Поново учитај", - "Reload log": "Поново учитај лог", "Removal failed": "Неуспешно уклањање", "Removal succeeded": "Успешно уклањање", - "Remove from list": "Уклони са листе", "Remove permanent data": "Уклони постојеће податке", - "Remove selection from bundle": "Уклони одабране из скупа", "Remove successful installs/uninstalls/updates from the installation list": "Уклони успешне инсталације/деинсталације/ажурирања са листе инсталација", - "Removing source {source}": "Уклањање извора {source}", - "Removing source {source} from {manager}": "Уклањање извора {source} из {manager}", - "Repair UniGetUI": "Поправи UniGetUI", - "Repair WinGet": "Поправи WinGet", - "Report an issue or submit a feature request": "Пријавите проблем или пошаљите захтев за функционалност", "Repository": "Репозиторијум", - "Reset": "Ресет", "Reset Scoop's global app cache": "Ресетујте глобални кеш апликација за Scoop", - "Reset UniGetUI": "Ресетуј UniGetUI", - "Reset WinGet": "Ресетуј WinGet", "Reset Winget sources (might help if no packages are listed)": "Ресетујте изворе за Winget (може помоћи ако нема приказаних пакета)", - "Reset WingetUI": "Ресетујте WingetUI", "Reset WingetUI and its preferences": "Ресетујте WingetUI и његове поставке", "Reset WingetUI icon and screenshot cache": "Ресетујте WingetUI кеш икона и снимака екрана", - "Reset list": "Ресетуј листу", "Resetting Winget sources - WingetUI": "Ресетовање Winget извора - WingetUI", - "Restart": "Поново покрени", - "Restart UniGetUI": "Рестартуј UniGetUI", - "Restart WingetUI": "Поново покрените WingetUI", - "Restart WingetUI to fully apply changes": "Поново покрените WingetUI да бисте у потпуности применили измене", - "Restart later": "Поново покрените касније", "Restart now": "Поново покрените сада", - "Restart required": "Неопходно је поновно покретање", "Restart your PC to finish installation": "Поново покрените рачунар да бисте завршили инсталацију", "Restart your computer to finish the installation": "Поново покрените рачунар да бисте завршили инсталацију", - "Restore a backup from the cloud": "Врати резервну копију из облака", - "Restrictions on package managers": "Ограничења за менаџере пакета", - "Restrictions on package operations": "Ограничења за операције пакета", - "Restrictions when importing package bundles": "Ограничења приликом увоза пакета", - "Retry": "Покушај поново", - "Retry as administrator": "Покушај поново као администратор", "Retry failed operations": "Покушај поново неуспеле операције", - "Retry interactively": "Покушај поново интерактивно", - "Retry skipping integrity checks": "Покушај поново прескачући провере интегритета", "Retrying, please wait...": "Поновни покушај, молимо сачекајте...", "Return to top": "Врати се на врх", - "Run": "Покрени", - "Run as admin": "Покрени као администратор", - "Run cleanup and clear cache": "Покрените чишћење и обришите кеш", - "Run last": "Покрени последње", - "Run next": "Покрени следеће", - "Run now": "Покрени сада", "Running the installer...": "Извршавање инсталатера...", "Running the uninstaller...": "Извршавање деинсталатера...", "Running the updater...": "Извршавање ажурирања...", - "Save": "Сачувај", "Save File": "Сачувај фајл", - "Save and close": "Сачувај и затвори", - "Save as": "Сачувај као", - "Save bundle as": "Сачувај скуп као", - "Save now": "Сачувај", - "Saving packages, please wait...": "Чување пакета, молимо сачекајте...", - "Scoop Installer - WingetUI": "Scoop Инсталер - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop Деинсталер - WingetUI", - "Scoop package": "Scoop пакет", + "Save bundle as": "Сачувај скуп као", + "Save now": "Сачувај", "Search": "Претрага", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Претражите десктоп софтвер, обавестите ме када су доступна ажурирања и не радите чудачке ствари. Не желим да WingetUI постане компликован, желим једноставан софтверски магазин", - "Search for packages": "Претражите пакете", - "Search for packages to start": "Претражите пакете за почетак", - "Search mode": "Мод претраге", "Search on available updates": "Претражите доступна ажурирања", "Search on your software": "Претражите свој софтвер", "Searching for installed packages...": "Претрага инсталираних пакета...", "Searching for packages...": "Претрага пакета...", "Searching for updates...": "Претрага ажурирања...", - "Select": "Одабери", "Select \"{item}\" to add your custom bucket": "Изаберите \"{item}\" да бисте додали своју прилагођену кофу", "Select a folder": "Одабери фолдер", - "Select all": "Изаберите све", "Select all packages": "Изаберите све пакете", - "Select backup": "Изабери резервну копију", "Select only if you know what you are doing.": "Изаберите само ако знате шта радите.", "Select package file": "Изаберите фајл пакета", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Изабери резервну копију коју желиш да отвориш. Касније ћеш моћи да прегледаш које пакете/програме желиш да вратиш.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Изабери извршну датотеку која ће се користити. Следећа листа приказује извршне датотеке које је пронашао UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Изабери процесе који треба да буду затворени пре него што се овај пакет инсталира, ажурира или деинсталира.", - "Select the source you want to add:": "Одаберите извор који желите да додате:", - "Select upgradable packages by default": "Подразумевано изабери пакете који се могу надоградити", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Изаберите које менаџере пакета користити ({0}), конфигуришите како се пакети инсталирају, управљајте обрадом администраторских права, итд.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Послат ручни поздрав. Чекање одговора од слушаоча инстанце... ({0}%)", - "Set a custom backup file name": "Постави другачији назив фајла резервне копије", "Set custom backup file name": "Постави назив резервне копије.", - "Settings": "Подешавања", - "Share": "Подели", "Share WingetUI": "Подели WingetUI", - "Share anonymous usage data": "Дели анонимне податке о коришћењу", - "Share this package": "Поделите овај пакет", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Ако измениш безбедносна подешавања, мораћеш поново да отвориш пакет да би промене ступиле на снагу.", "Show UniGetUI on the system tray": "Прикажи UniGetUI на system tray", - "Show UniGetUI's version and build number on the titlebar.": "Прикажи верзију UniGetUI на насловној траци.", - "Show WingetUI": "Прикажи WingetUI", "Show a notification when an installation fails": "Прикажи обавештење када инсталација не успе", "Show a notification when an installation finishes successfully": "Прикажи обавештење када се успешно заврши инсталација", - "Show a notification when an operation fails": "Прикажи обавештење када операција не успе", - "Show a notification when an operation finishes successfully": "Прикажи обавештење када операција успе", - "Show a notification when there are available updates": "Прикажи обавештење када су доступна ажурирања", - "Show a silent notification when an operation is running": "Прикажи тихо обавештење када се операција извршава", "Show details": "Прикажи детаље", - "Show in explorer": "Прикажи у истраживачу", "Show info about the package on the Updates tab": "Прикажи информације о пакету на табу за ажурирања", "Show missing translation strings": "Прикажи недостајуће преводе", - "Show notifications on different events": "Прикажи обавештења о различитим догађајима", "Show package details": "Прикажи детаље пакета", - "Show package icons on package lists": "Прикажи иконе пакета на листама пакета", - "Show similar packages": "Покажи сличне пакете", "Show the live output": "Прикажи уживо излаз", - "Size": "Величина", "Skip": "Прескочи", - "Skip hash check": "Прескочи проверу хеша", - "Skip hash checks": "Прескочи провере хеша", - "Skip integrity checks": "Прескочи проверу интегритета", - "Skip minor updates for this package": "Прескочи мања ажурирања за овај пакет", "Skip the hash check when installing the selected packages": "Прескочи проверу хеша при инсталацији изабраних пакета", "Skip the hash check when updating the selected packages": "Прескочи проверу хеша при ажурирању изабраних пакета", - "Skip this version": "Прескочи ову верзију", - "Software Updates": "Ажурирања софтвера", - "Something went wrong": "Нешто је пошло по злу", - "Something went wrong while launching the updater.": "Нешто је пошло наопако при покретању ажурирача.", - "Source": "Извор", - "Source URL:": "Изворни УРЛ:", - "Source added successfully": "Извор је успешно додат", "Source addition failed": "Неуспешно додавање извора", - "Source name:": "Назив извора:", "Source removal failed": "Неуспешно уклањање извора", - "Source removed successfully": "Извор је успешно уклоњен", "Source:": "Извор:", - "Sources": "Извори", "Start": "Покрени", "Starting daemons...": "Покрећем демоне...", - "Starting operation...": "Покретање операције...", "Startup options": "Опције покретања", "Status": "Статус", "Stuck here? Skip initialization": "Заглављени сте овде? Прескочите иницијализацију", - "Success!": "Успешно!", "Suport the developer": "Подржите програмера", "Support me": "Подржи ме", "Support the developer": "Подржи програмера", "Systems are now ready to go!": "Системи су сада спремни за рад!", - "Telemetry": "Телеметрија", - "Text": "Текст", "Text file": "Текстуални фајл", - "Thank you ❤": "Хвала ❤", "Thank you 😉": "Хвала 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust менаџер пакета.
Садржи: Rust библиотеке и програме написане у Rust-у", - "The backup will NOT include any binary file nor any program's saved data.": "Резервна копија НЕ укључује бинарни фајл ни сачуване податке програма.", - "The backup will be performed after login.": "Резервна копија ће бити направљена на следећем логовању.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервна копија ће садржати целу листу инсталираних пакета и њихове опције инсталације. Игнорисана ажурирања и прескочене верзије ће такође бити сачуване.", - "The bundle was created successfully on {0}": "Пакет је успешно направљен на {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Пакет који покушаваш да учиташ делује неважеће. Провери датотеку и покушај поново.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Хеш инсталатера се не поклапа са очекиваном вредношћу, и аутентичност инсталатера се не може потврдити. Ако верујете издавачу, {0} поново инсталирајте пакет и прескочите проверу хеша.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класични менаџер пакета за Windows. Ту ћете пронаћи све.
Садржи: Општи софтвер", - "The cloud backup completed successfully.": "Резервна копија у облаку је успешно завршена.", - "The cloud backup has been loaded successfully.": "Резервна копија у облаку је успешно учитана.", - "The current bundle has no packages. Add some packages to get started": "Тренутни скуп нема пакета. Додајте неке пакете како бисте започели", - "The executable file for {0} was not found": "Извршна датотека за {0} није пронађена", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Следеће опције ће се подразумевано примењивати сваки пут када се {0} пакет инсталира, надогради или деинсталира.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Следећи пакети ће бити извезени у JSON фајл. Неће бити сачувани кориснички подаци или бинарни фајлови.", "The following packages are going to be installed on your system.": "Следећи пакети ће бити инсталирани на ваш систем.", - "The following settings may pose a security risk, hence they are disabled by default.": "Следећа подешавања могу представљати безбедносни ризик, зато су подразумевано онемогућена.", - "The following settings will be applied each time this package is installed, updated or removed.": "Следећа подешавања ће бити примењена сваки пут када се овај пакет инсталира, ажурира или уклони.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Следећа подешавања ће бити примењена на сваку инсталацију, ажурирање и брисање овог пакета. Аутоматски ће бити сачуване.", "The icons and screenshots are maintained by users like you!": "Иконе и снимци екрана се одржавају од стране корисника као што сте ви!", - "The installation script saved to {0}": "Инсталациона скрипта је сачувана у {0}", - "The installer authenticity could not be verified.": "Аутентичност инсталера није могла бити потврђена.", "The installer has an invalid checksum": "Инсталатер има неважећи хеш", "The installer hash does not match the expected value.": "Хеш инсталера не одговара очекиваној вредности.", - "The local icon cache currently takes {0} MB": "Локални кеш икона тренутно заузима {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Главни циљ овог пројекта је стварање интуитивног корисничког интерфејса за управљање најчешћим CLI менаџерима пакета за Windows, као што су Winget и Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" није пронађен у менаџеру пакета \"{1}\"", - "The package bundle could not be created due to an error.": "Пакет није могао бити направљен због грешке.", - "The package bundle is not valid": "Пакет није важећи", - "The package manager \"{0}\" is disabled": "Менаџер пакета \"{0}\" је онемогућен", - "The package manager \"{0}\" was not found": "Менаџер пакета \"{0}\" није пронађен", "The package {0} from {1} was not found.": "Пакет {0} од {1} није пронађен.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Пакети наведени овде неће бити узети у обзир при провери ажурирања. Дупликати их или кликните на дугме с десне стране да бисте престали игнорисати њихова ажурирања.", "The selected packages have been blacklisted": "Изабрани пакети су стављени на црну листу", - "The settings will list, in their descriptions, the potential security issues they may have.": "Подешавања ће у својим описима навести потенцијалне безбедносне проблеме које могу имати.", - "The size of the backup is estimated to be less than 1MB.": "Процењена величина резервне копије је мања од 1МБ.", - "The source {source} was added to {manager} successfully": "Извор {source} је успешно додат у {manager}", - "The source {source} was removed from {manager} successfully": "Извор {source} је успешно уклоњен из {manager}", - "The system tray icon must be enabled in order for notifications to work": "Икона у системској палети мора бити омогућена да би обавештења радила", - "The update process has been aborted.": "Процес ажурирања је прекинут.", - "The update process will start after closing UniGetUI": "Процес ажурирања ће почети након затварања UniGetUI", "The update will be installed upon closing WingetUI": "Ажурирање ће бити инсталирано по затварању WingetUI ", "The update will not continue.": "Ажурирање се неће наставити.", "The user has canceled {0}, that was a requirement for {1} to be run": "Корисник је отказао {0}, што је био предуслов да се {1} покрене", - "There are no new UniGetUI versions to be installed": "Нема нових UniGetUI верзија за инсталирање", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Операције су у току. Напуштање WingetUI-ја може довести до њиховог неуспеха. Да ли желите да наставите?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "На YouTube-у постоје одлични видео записи који приказују WingetUI и његове могућности. Можете научити корисне трикове и савете!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Постоје два главна разлога зашто не бисте покренули WingetUI као администратора:\n Први разлог је да би Scoop менаџер пакета могао изазвати проблеме с неким командама када се извршава с администраторским правима.\n Други разлог је да покретање WingetUI као администратор значи да ће сваки пакет који преузмете бити извршен као администратор (и ово није безбедно).\n Запамтите да ако вам је потребно да инсталирате одређени пакет као администратор, увек можете десним кликом на ставку -> Инсталирај/Ажурирај/Деинсталирај као администратор.", - "There is an error with the configuration of the package manager \"{0}\"": "Постоји грешка у конфигурацији менаџера пакета \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Инсталација је у току. Ако затворите WingetUI, инсталација може не успети и имати неочекиване резултате. Да ли и даље желите да излазите из WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "Они су програми одговорни за инсталирање, ажурирање и уклањање пакета.", - "Third-party licenses": "Лиценце трећих лица", "This could represent a security risk.": "Ово би могло представљати сигурносни ризик.", - "This is not recommended.": "Ово се не препоручује.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ово је вероватно због тога што је пакет који вам је послат уклоњен или објављен на менаџеру пакета који није активиран на вашем систему. Примљени идентификатор је {0}", "This is the default choice.": "Ово је подразумевани избор.", - "This may help if WinGet packages are not shown": "Ово може помоћи ако WinGet пакети нису приказани", - "This may help if no packages are listed": "Ово може помоћи ако ниједан пакет није наведен", - "This may take a minute or two": "Ово може потрајати минут или два", - "This operation is running interactively.": "Ова операција се извршава интерактивно.", - "This operation is running with administrator privileges.": "Ова операција се извршава са администраторским привилегијама.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Ова опција ЋЕ изазвати проблеме. Свака операција која не може сама да подигне привилегије ЋЕ НЕУСПЕТИ. Инсталирање/ажурирање/деинсталација као администратор НЕЋЕ РАДИТИ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Овај пакет је имао нека подешавања која су потенцијално опасна и могу бити подразумевано игнорисана.", "This package can be updated": "Овај пакет се може ажурирати.", "This package can be updated to version {0}": "Овај пакет може бити ажуриран на верзију {0}", - "This package can be upgraded to version {0}": "Овај пакет може бити надограђен на верзију {0}", - "This package cannot be installed from an elevated context.": "Овај пакет не може бити инсталиран из повишеног контекста.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Овај пакет нема снимак екрана или му недостаје икона? Дајте допринос WingetUI додавањем икона и снимака екрана који недостају у нашу отворену, јавну базу података.", - "This package is already installed": "Овај пакет је већ инсталиран", - "This package is being processed": "Овај пакет је тренутно у обрати.", - "This package is not available": "Овај пакет није доступан", - "This package is on the queue": "Овај пакет је на листи чекања.", "This process is running with administrator privileges": "Овај процес се извршава с администраторским правима", - "This project has no connection with the official {0} project — it's completely unofficial.": "Овај пројекат нема везе с официјалним {0} пројектом — потпуно је неслацићени.", "This setting is disabled": "Ово подешавање је онемогућено", "This wizard will help you configure and customize WingetUI!": "Овај волшебник ће вам помоћи да конфигуришете и прилагодите WingetUI!", "Toggle search filters pane": "Промените приказ панела филтера", - "Translators": "Преводиоци", - "Try to kill the processes that refuse to close when requested to": "Покушај да прекинеш процесе који одбијају да се затворе када им се то затражи", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Укључивање ове опције омогућава промену извршне датотеке која се користи за интеракцију са менаџерима пакета. Иако ово омогућава прецизније прилагођавање процеса инсталације, може бити и опасно", "Type here the name and the URL of the source you want to add, separed by a space.": "Овде напиши назив и линк извора који желиш да додаш, одвојен размаком.", "Unable to find package": "Није могуће пронаћи пакет", "Unable to load informarion": "Није могуће учитати информације", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI прикупља анонимне податке о коришћењу ради побољшања корисничког искуства.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI прикупља анонимне податке о коришћењу са једином сврхом разумевања и побољшања корисничког искуства.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI је открио нову пречицу на радној површини која може бити аутоматски обрисана.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI је открио следеће пречице на радној површини које могу бити аутоматски уклоњене приликом будућих надоградњи", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI је открио {0} нових пречица на радној површини које могу бити аутоматски обрисане.", - "UniGetUI is being updated...": "UniGetUI се ажурира...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI није повезан ни са једним од компатибилних менаџера пакета. UniGetUI је независан пројекат.", - "UniGetUI on the background and system tray": "UniGetUI у позадини и системској палети", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI или неке његове компоненте недостају или су оштећене.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI захтева {0} за рад, али није пронађен на твом систему.", - "UniGetUI startup page:": "Почетна страница UniGetUI:", - "UniGetUI updater": "UniGetUI ажурирач", - "UniGetUI version {0} is being downloaded.": "Преузима се UniGetUI верзија {0}.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} је спреман за инсталацију.", - "Uninstall": "Деинсталирај", - "uninstall": "деинсталирај", - "Uninstall Scoop (and its packages)": "Деинсталирајте Scoop (и његове пакете)", "Uninstall and more": "Деинсталирај и више", - "Uninstall and remove data": "Деинсталирај и уклони податке", - "Uninstall as administrator": "Деинсталирај као администратор", "Uninstall canceled by the user!": "Деинсталација је отказана од стране корисника!", - "Uninstall failed": "Неуспешно деинсталирање", - "Uninstall options": "Опције деинсталације", - "Uninstall package": "Деинсталирај пакет", - "Uninstall package, then reinstall it": "Уклони пакет, затим га поново инсталирај", - "Uninstall package, then update it": "Уклони пакет, затим га ажурирај", - "Uninstall previous versions when updated": "Деинсталирај претходне верзије приликом ажурирања", - "Uninstall selected packages": "Деинсталирај изабране пакете", - "Uninstall selection": "Деинсталирај изабрано", - "Uninstall succeeded": "Успешно деинсталирање", "Uninstall the selected packages with administrator privileges": "Деинсталирајте изабране пакете с администраторским привилегијама", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Пакети који се могу деинсталирати са наведеним пореклом \"{0}\" нису објављени на ниједном менаџеру пакета, тако да нема доступних информација о њима.", - "Unknown": "Непознато", - "Unknown size": "Непозната величина", - "Unset or unknown": "Неподешено или непознато", - "Up to date": "Ажурно", - "Update": "Ажурирај", - "Update WingetUI automatically": "Аутоматски ажурирајте WingetUI", - "Update all": "Ажурирај све", "Update and more": "Ажурирај и више", - "Update as administrator": "Ажурирај као администратор", - "Update check frequency, automatically install updates, etc.": "Учесталост провере ажурирања, аутоматска инсталација ажурирања, итд.", - "Update checking": "Провера ажурирања", "Update date": "Датум ажурирања", - "Update failed": "Неуспешно ажурирање", "Update found!": "Ажурирање пронађено!", - "Update now": "Ажурирај одмах", - "Update options": "Опције ажурирања", "Update package indexes on launch": "Ажурирај индексе пакета при покретању", "Update packages automatically": "Аутоматски ажурирај пакете", "Update selected packages": "Ажурирај изабране пакете", "Update selected packages with administrator privileges": "Ажурирајте изабране пакете с администраторским привилегијама", - "Update selection": "Ажурирај изабрано", - "Update succeeded": "Успешно ажурирање", - "Update to version {0}": "Ажурирај на верзију {0}", - "Update to {0} available": "Ажурирање на {0} доступно", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Аутоматски ажурирај vcpkg Git портфајлове (захтева инсталиран Git)", "Updates": "Ажурирања", "Updates available!": "Ажурирања доступна!", - "Updates for this package are ignored": "Ажурирања за овај пакет се игноришу", - "Updates found!": "Ажурирања пронађена!", "Updates preferences": "Преференце ажурирања", "Updating WingetUI": "Ажурирање WingetUI", "Url": "Линк", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Користи застарели упаковани WinGet уместо PowerShell CMDLeт-ова", - "Use a custom icon and screenshot database URL": "Користите URL са прилагођеним иконама и снимцима екрана", "Use bundled WinGet instead of PowerShell CMDlets": "Користи упаковани WinGet уместо системских PowerShell CMDlet-ова", - "Use bundled WinGet instead of system WinGet": "Користи упаковани WinGet уместо системског", - "Use installed GSudo instead of UniGetUI Elevator": "Користи инсталирани GSudo уместо UniGetUI Elevator-а", "Use installed GSudo instead of the bundled one": "Користите инсталирани GSudo уместо привезаног (захтева поновно покретање апликације)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Користи стари UniGetUI Elevator (може помоћи ако имаш проблема са UniGetUI Elevator-ом)", - "Use system Chocolatey": "Користи системски Chocolatey", "Use system Chocolatey (Needs a restart)": "Користите системски Chocolatey (Захтева поновно покретање)", "Use system Winget (Needs a restart)": "Користите системски Winget (Захтева поновно покретање)", "Use system Winget (System language must be set to english)": "Користи системски Winget (језик система мора бити подешен на енглески)", "Use the WinGet COM API to fetch packages": "Користи WinGet COM АПИ за добављање пакета", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Користи WinGet PowerShell модул уместо WinGet COM АПИ-ја\n", - "Useful links": "Корисни линкови", "User": "Корисник", - "User interface preferences": "Поставке корисничког интерфејса", "User | Local": "Корисник | Локално", - "Username": "Корисничко име", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Коришћење WingetUI подразумева прихватање GNU Lesser General Public License v2.1 лиценце", - "Using WingetUI implies the acceptation of the MIT License": "Коришћење WingetUI подразумева прихватање MIT лиценце", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg корен није пронађен. Дефиниши променљиву окружења %VCPKG_ROOT% или је подеси у UniGetUI подешавањима", "Vcpkg was not found on your system.": "Vcpkg није пронађен на твом систему.", - "Verbose": "Пуно детаља", - "Version": "Верзија", - "Version to install:": "Верзија за инсталацију:", - "Version:": "Верзија:", - "View GitHub Profile": "Види GitHub Профил", "View WingetUI on GitHub": "Погледајте WingetUI на GitHub-у", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Погледајте изворни код WingetUI-а. Одатле можете пријавити грешке или предложити функције, а чак и допринети директно пројекту WingetUI", - "View mode:": "Режим приказа:", - "View on UniGetUI": "Прикажи у UniGetUI", - "View page on browser": "Погледај страницу у претраживачу", - "View {0} logs": "Прикажи {0} дневнике", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Сачекај да уређај буде повезан на интернет пре него што покушаш да обавиш задатке који захтевају интернет везу.", "Waiting for other installations to finish...": "Чекање да друге инсталације заврше...", "Waiting for {0} to complete...": "Чекање да се {0} заврши...", - "Warning": "Упозорење", - "Warning!": "Упозорење!", - "We are checking for updates.": "Проверавамо ажурирања.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Нисмо могли учитати детаљне информације о овом пакету јер га нисмо пронашли у ниједном од ваших извора пакета", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Нисмо могли учитати детаљне информације о овом пакету јер није инсталиран из доступног менаџера пакета.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Нисмо могли {action} {package}. Покушајте поново касније. Кликните на „{showDetails}“ да бисте добили логове од инсталатера.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Нисмо могли {action} {package}. Покушајте поново касније. Кликните на „{showDetails}“ да бисте добили логове од деинсталатера.", "We couldn't find any package": "Нисмо могли да нађемо ниједан пакет", "Welcome to WingetUI": "Добродошли у WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "При групној инсталацији пакета из пакета, инсталирај и пакете који су већ инсталирани", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Када се открију нове пречице, обриши их аутоматски уместо приказивања овог дијалога.", - "Which backup do you want to open?": "Коју резервну копију желиш да отвориш?", "Which package managers do you want to use?": "Које менаџере пакета желите да користите?", "Which source do you want to add?": "Који извор желите да додате?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Док се Winget може користити унутар WingetUI, WingetUI се може користити са другим менаџерима пакета, што може бити збуњујуће. У прошлости, WingetUI је био дизајниран да ради само са Winget-ом, али то више није случај, па стога WingetUI не представља оно што овај пројекат жели да постане.\n", - "WinGet could not be repaired": "WinGet није могао бити поправљен", - "WinGet malfunction detected": "Откривен је квар WinGet-а", - "WinGet was repaired successfully": "WinGet је успешно поправљен", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Све је ажурно", "WingetUI - {0} updates are available": "WingetUI - Доступно је {0} ажурирања", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI Почетна страница", "WingetUI Homepage - Share this link!": "WingetUI Почетна страница - Подели овај линк!", - "WingetUI License": "WingetUI Лиценца", - "WingetUI log": "Лог WingetUI-а", - "WingetUI Repository": "WingetUI Репозиторијум", - "WingetUI Settings": "Поставке WingetUI", "WingetUI Settings File": "Датотека поставки WingetUI", - "WingetUI Log": "WingetUI лог", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI користи следеће библиотеке. Без њих, WingetUI не би био могућ.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI користи следеће библиотеке. Без њих, WingetUI не би био могућ.", - "WingetUI Version {0}": "WingetUI Верзија {0}", "WingetUI autostart behaviour, application launch settings": "Понашање автостарта WingetUI-а, поставке покретања апликације", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI може проверити да ли ваш софтвер има доступна ажурирања и аутоматски их инсталирати ако желите", - "WingetUI display language:": "Језик приказивања WingetUI-а:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI је покренут као администратор, што се не препоручује. Када покренете WingetUI као администратор, СВАКА операција покренута из WingetUI имаће администраторске привилегије. И даље можете да користите програм, али јако препоручујемо да не покрећете WingetUI са администраторским привилегијама.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI је преведен на више од 40 језика захваљујући преводиоцима волонтерима. Хвала вам 🤝\n", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI није преведен машински. Следећи корисници били су одговорни за преводе:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI је апликација која олакшава управљање вашим софтвером, пружајући свеобухватни графички интерфејс за ваше менаџере пакета на командној линији.\n", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI мења име како би се нагласила разлика између WingetUI (интерфејса који тренутно користите) и Winget (менаџер пакета који је развио Микрософт са којим нисам повезан)\n", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI се ажурира. Када заврши, WingetUI ће се сам поново покренути", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI је бесплатан и биће бесплатан заувек. Без реклама, без кредитне картице, без премијум верзије. 100% бесплатно, заувек.", + "WingetUI log": "Лог WingetUI-а", "WingetUI tray application preferences": "Поставке треј апликације WingetUI-а", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI користи следеће библиотеке. Без њих, WingetUI не би био могућ.", "WingetUI version {0} is being downloaded.": "WingetUI верзија {0} се преузима.", "WingetUI will become {newname} soon!": "WingetUI ће ускоро постати {newname}!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI неће периодично проверавати ажурирања. Ипак, провераваће се приликом покретања, али нећете бити упозорени на њих.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI ће приказивати UAC упитник сваки пут када пакет захтева повишени статус за инсталацију.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI ће ускоро добити назив {newname}. Ово неће представљати никакву промену у апликацији. Ја (програмер) ћу наставити развој овог пројекта као што радим и сада, али под другим именом.\n", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI не би био могућ без помоћи наших драгих доприносилаца. Погледајте њихови GitHub профиле, WingetUI не би био могућ без њих!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI не би био могућ без помоћи доприносиоца. Хвала свима 🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} је спреман за инсталирање.", - "Write here the process names here, separated by commas (,)": "Овде упиши називе процеса, раздвојене зарезима (,)", - "Yes": "Да", - "You are logged in as {0} (@{1})": "Пријављен си као {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Можеш променити ово понашање у UniGetUI безбедносним подешавањима.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Можеш дефинисати команде које ће се извршити пре или после него што се овај пакет инсталира, ажурира или деинсталира. Извршаваће се у командном прозору, тако да ће CMD скрипте радити овде.", - "You have currently version {0} installed": "Тренутно имате инсталирану верзију {0}", - "You have installed WingetUI Version {0}": "Инсталирали сте WingetUI Верзију {0}", - "You may lose unsaved data": "Можеш изгубити несачуване податке", - "You may need to install {pm} in order to use it with WingetUI.": "Можда ћете морати да инсталирате {pm} да бисте га користили са WingetUI.", "You may restart your computer later if you wish": "Можете поново покренути рачунар касније ако желите", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Бићете упитани само једном, и администраторска права биће додељена пакетима који их захтевају.", "You will be prompted only once, and every future installation will be elevated automatically.": "Бићете упитани само једном, и свака будућа инсталација биће аутоматски повишена.", - "You will likely need to interact with the installer.": "Вероватно ћеш морати да комуницираш са инсталером.", - "[RAN AS ADMINISTRATOR]": "ПОКРЕНУТО КАО АДМИНИСТРАТОР", "buy me a coffee": "купи ми кафу", - "extracted": "извучено", - "feature": "функција", "formerly WingetUI": "раније WingetUI", + "homepage": "почетна страна", + "install": "инсталирај", "installation": "инсталација", - "installed": "инсталирано", - "installing": "инсталирање", - "library": "библиотека", - "mandatory": "обавезно", - "option": "опција", - "optional": "опционо", + "uninstall": "деинсталирај", "uninstallation": "деинсталација", "uninstalled": "деинсталирано", - "uninstalling": "деинсталирање", "update(noun)": "ажурирање (именица)", "update(verb)": "ажурирање (глагол)", "updated": "ажурирано", - "updating": "ажурирање", - "version {0}": "верзија {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} опције инсталације су тренутно закључане јер {0} прати подразумеване опције инсталације.", "{0} Uninstallation": "{0} Деинсталација", "{0} aborted": "{0} прекинуто", "{0} can be updated": "{0} може бити ажурирано", - "{0} can be updated to version {1}": "{0} може бити ажуриран на верзију {1}", - "{0} days": "{0} дана", - "{0} desktop shortcuts created": "{0} пречица на радној површини је креирано", "{0} failed": "{0} није успјело.", - "{0} has been installed successfully.": "{0} је успешно инсталиран.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} је успешно инсталиран. Препоручује се да поново покренеш UniGetUI да би довршио инсталацију", "{0} has failed, that was a requirement for {1} to be run": "{0} није успео, што је био предуслов да се {1} покрене", - "{0} homepage": "{0} главна страна", - "{0} hours": "{0} сати", "{0} installation": "{0} инсталација", - "{0} installation options": "{0} опције за инсталацију", - "{0} installer is being downloaded": "Преузима се инсталер за {0}", - "{0} is being installed": "{0} се инсталира", - "{0} is being uninstalled": "{0} се деинсталира", "{0} is being updated": "{0} се ажурира", - "{0} is being updated to version {1}": "{0} се ажурира на верзију {1}", - "{0} is disabled": "{0} је онемогућен", - "{0} minutes": "{0} минута", "{0} months": "{0} месеци", - "{0} packages are being updated": "Ажурира се {0} пакета", - "{0} packages can be updated": "{0} пакета се може ажурирати", "{0} packages found": "Нађено је {0} пакета", "{0} packages were found": "Нађено је {0} пакета", - "{0} packages were found, {1} of which match the specified filters.": "{0} пакета је пронађено, {1} од којих одговара наведеним филтерима.", - "{0} selected": "{0} изабрано", - "{0} settings": "{0} подешавања", - "{0} status": "{0} статус", "{0} succeeded": "{0} је успјешно", "{0} update": "Ажурирање {0}", - "{0} updates are available": "{0} ажурирања је доступно", "{0} was {1} successfully!": "{0} је успешно {1}!", "{0} weeks": "{0} недеља", "{0} years": "{0} година", "{0} {1} failed": "{0} {1} није успјело", - "{package} Installation": "{package} Инсталација", - "{package} Uninstall": "{package} Деинсталирај", - "{package} Update": "{package} Ажурирај", - "{package} could not be installed": "{package} није могуће инсталирати", - "{package} could not be uninstalled": "{package} није могуће деинсталирати", - "{package} could not be updated": "{package} није могуће ажурирати", "{package} installation failed": "{package} неуспешна инсталација", - "{package} installer could not be downloaded": "Инсталер за {package} није могао бити преузет", - "{package} installer download": "Преузимање инсталера за {package}", - "{package} installer was downloaded successfully": "Инсталер за {package} је успешно преузет", "{package} uninstall failed": "{package} деинсталирање није успело", "{package} update failed": "{package} ажурирање није успело", "{package} update failed. Click here for more details.": "{package} ажурирање није успело. Кликните овде за више детаља.", - "{package} was installed successfully": "{package} је успешно инсталиран", - "{package} was uninstalled successfully": "{package} је успешно деинсталиран", - "{package} was updated successfully": "{package} је успешно ажуриран", - "{pcName} installed packages": "{pcName} инсталирани пакети", "{pm} could not be found": "{pm} није могао бити пронађен", "{pm} found: {state}": "{pm} пронађено: {state}", - "{pm} is disabled": "{pm} је онемогућен", - "{pm} is enabled and ready to go": "{pm} је омогућен и спреман за рад", "{pm} package manager specific preferences": "Специфични кориснички предлози за {pm}", "{pm} preferences": "Поставке за {pm}", - "{pm} version:": "{pm} верзија:", - "{pm} was not found!": "{pm} није пронађен!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Здраво, зовем се Марти, и ја сам развојник WingetUI-а. WingetUI је цео направљен у мом слободном времену!", + "Thank you ❤": "Хвала ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Овај пројекат нема везе с официјалним {0} пројектом — потпуно је неслацићени." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sv.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sv.json index 022fc25983..2f8560e3fa 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sv.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_sv.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Åtgärd pågår", + "Please wait...": "Vänligen vänta...", + "Success!": "Lyckades!", + "Failed": "Misslyckad", + "An error occurred while processing this package": "Ett fel inträffade i samband med att det här paketet skulle bearbetas", + "Log in to enable cloud backup": "Logga in för att aktivera molnsäkerhetskopia", + "Backup Failed": "Säkerhetskopiering misslyckades", + "Downloading backup...": "Laddar ner säkerhetskopia...", + "An update was found!": "En uppdatering hittades!", + "{0} can be updated to version {1}": "{0} kan uppdateras till version {1}", + "Updates found!": "Uppdateringar hittade!", + "{0} packages can be updated": "{0} paket kan uppdateras", + "You have currently version {0} installed": "Du har just nu version {0} installerad", + "Desktop shortcut created": "Skrivbordsgenväg skapad", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har hittat ett nytt skrivbordsgenvän som kan tas bort automatiskt.", + "{0} desktop shortcuts created": "{0} skrivbordsgenväg skapades", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har hittat {0} nytt skrivbordsgenväg som kan tas bort automatiskt.", + "Are you sure?": "Är du säker?", + "Do you really want to uninstall {0}?": "Vill du verkligen avinstallera {0}?", + "Do you really want to uninstall the following {0} packages?": "Vill du verkligen avinstallera följande {0}-paket?", + "No": "Nej", + "Yes": "Ja", + "View on UniGetUI": "Visa i UniGetUI", + "Update": "Uppdatera", + "Open UniGetUI": "Öppna UniGetUI", + "Update all": "Uppdatera alla", + "Update now": "Uppdatera nu", + "This package is on the queue": "Paketet är i kö", + "installing": "installeras", + "updating": "uppdaterar", + "uninstalling": "avinstallerar", + "installed": "installerad", + "Retry": "Försök igen", + "Install": "Installera", + "Uninstall": "Avinstallera", + "Open": "Öppna", + "Operation profile:": "Åtgärdsprofil", + "Follow the default options when installing, upgrading or uninstalling this package": "Följ standardinställningen när du installerar, uppgraderar och avinstallerar denna paket", + "The following settings will be applied each time this package is installed, updated or removed.": "Följande inställningar kommer att tillämpas varje gång detta paket installeras, uppdateras eller avinstalleras.", + "Version to install:": "Version att installera:", + "Architecture to install:": "Arkitektur att installera:", + "Installation scope:": "Installationsomfång:", + "Install location:": "Installationsplats:", + "Select": "Välj", + "Reset": "Återställ", + "Custom install arguments:": "Anpassade installationsargument:", + "Custom update arguments:": "Anpassade uppdateringsargument", + "Custom uninstall arguments:": "Anpassade avinstallationsargument", + "Pre-install command:": "Pre-install kommando:", + "Post-install command:": "Post-install kommando:", + "Abort install if pre-install command fails": "Avbryt installationen om kommandot pre-install misslyckas", + "Pre-update command:": "Pre-update kommando:", + "Post-update command:": "Post-update kommando:", + "Abort update if pre-update command fails": "Avbryt uppdateringen om kommandot pre-update misslyckas", + "Pre-uninstall command:": "Pre-uninstall kommando:", + "Post-uninstall command:": "Post-uninstall kommando:", + "Abort uninstall if pre-uninstall command fails": "Avbryt avinstallationen om kommandot pre-uninstall misslyckas", + "Command-line to run:": "Kommandorad att köra:", + "Save and close": "Spara och stäng", + "Run as admin": "Kör som admin", + "Interactive installation": "Interaktiv installation", + "Skip hash check": "Ignorera hash-kontroll", + "Uninstall previous versions when updated": "Avinstallera föregående versioner vid uppdatering", + "Skip minor updates for this package": "Ignorera mindre uppdateringar för denna paket", + "Automatically update this package": "Uppdatera det här paketet automatiskt", + "{0} installation options": "{0} installationsalternativ", + "Latest": "Senaste", + "PreRelease": "Förhandsutgåva", + "Default": "Standard", + "Manage ignored updates": "Hantera ignorerade uppdateringar", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paketen listade här kommer inte tas hänsyn till vid uppdatering. Dubbelklicka på dem eller klicka på knappen till höger om dessa för att sluta ignorera dessa uppdateringar.", + "Reset list": "Återställ lista", + "Package Name": "Paketnamn", + "Package ID": "Paket ID", + "Ignored version": "Ignorerad version", + "New version": "Ny version", + "Source": "Källa", + "All versions": "Alla versioner", + "Unknown": "Okänd", + "Up to date": "Senaste versionen", + "Cancel": "Avbryt", + "Administrator privileges": "Administratörsrättigheter", + "This operation is running with administrator privileges.": "Denna åtgärd körs med adminrättigheter.", + "Interactive operation": "Interaktiv åtgärd", + "This operation is running interactively.": "Denna åtgärd körs interaktivt.", + "You will likely need to interact with the installer.": "Du måste troligen interagera med installeraren.", + "Integrity checks skipped": "Integritetskontrollerna ignorerades", + "Proceed at your own risk.": "Fortsätt på egen risk", + "Close": "Stäng", + "Loading...": "Laddar...", + "Installer SHA256": "Installation SHA256", + "Homepage": "Websida", + "Author": "Upphovsman", + "Publisher": "Utgivare", + "License": "Licens", + "Manifest": "Manifest", + "Installer Type": "Installations typ", + "Size": "Storlek", + "Installer URL": "Installations URL", + "Last updated:": "Senast uppdaterad:", + "Release notes URL": " Versionsinformation URL", + "Package details": "Paketdetaljer", + "Dependencies:": "Underordnad:", + "Release notes": "Versionsinformation", + "Version": "Version", + "Install as administrator": "Installera som administratör", + "Update to version {0}": "Uppdatera till version {0}", + "Installed Version": "Installerad version", + "Update as administrator": "Uppdatera som administratör", + "Interactive update": "Interaktiv uppdatering", + "Uninstall as administrator": "Avinstallera som administratör", + "Interactive uninstall": "Interaktiv avinstallation", + "Uninstall and remove data": "Avinstallera och ta bort data", + "Not available": "Inte tillgänglig", + "Installer SHA512": "Installation SHA512", + "Unknown size": "Okänd storlek", + "No dependencies specified": "Inga specificerade komponenter", + "mandatory": "obligatorisk", + "optional": "valfri", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} är redo att installeras.", + "The update process will start after closing UniGetUI": "Uppdateringen startar när UniGetUI stängs", + "Share anonymous usage data": "Dela anonym användardata", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI hämtar anonym data för att förbättra användarupplevelsen.", + "Accept": "Acceptera", + "You have installed WingetUI Version {0}": "Du har installerat UniGetUI version {0}", + "Disclaimer": "Ansvarsfriskrivning", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI har inget att göra med de kompatibla pakethanterarna. UniGetUI är en självständigt projekt.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI skulle inte finns utan all hjälp från våra medarbetare. Ett stort tack! 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI använder följande bibliotek. Utan dessa hade inte UniGetUI funnits.", + "{0} homepage": "{0} websida", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI är översatt till mer än 40 språk tack vara våra frivilliga översättare. Tack 🤝", + "Verbose": "Utökad", + "1 - Errors": "1 - Fel", + "2 - Warnings": "2 - Varningar", + "3 - Information (less)": "3 - Information (mindre)", + "4 - Information (more)": "4 - information (mer)", + "5 - information (debug)": "5 - Information (felsokning)", + "Warning": "Varning", + "The following settings may pose a security risk, hence they are disabled by default.": "Följander inställningar kan innebär en säkerhetsrisk och därför är det inaktiverad som standard.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktivera nedanstående inställningar BARA OCH ENDAST OM du helt och fullt förstår vad de gör, eventuella konsekvenser och vilken fara detta kan medföra.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Inställningarna visar i dess beskrivning vilka eventuella säkerhetsrisker de kan ha.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Säkerhetskopia inkluderar en komplett lista över installerade paket och dess installationsinställningar. Ignorerade uppdateringar och version kommer också att sparas.", + "The backup will NOT include any binary file nor any program's saved data.": "Säkerhetskopian kommer INTE att inkludera några binärä filer eller sparas data från något program.", + "The size of the backup is estimated to be less than 1MB.": "Säkerhetskopians storlek är beräknad till mindre än 1 MB.", + "The backup will be performed after login.": "Säkerhetskopiering kommer att utföras efter inloggning.", + "{pcName} installed packages": "{pcName} installerade paket", + "Current status: Not logged in": "Nuvarande status: Inte inloggad", + "You are logged in as {0} (@{1})": "Du är inloggad som {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Fint! Säkerhetskopior kommer att laddas upp till en privat gist på ditt konto", + "Select backup": "Välj säkerhetskopia", + "WingetUI Settings": "UniGetUI inställningar", + "Allow pre-release versions": "Tillåt förhandsversioner", + "Apply": "Tillämpa", + "Go to UniGetUI security settings": "Gå till UniGetUI säkerhetsinställningar", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Följäande åtgärder kommer tillämpas som standard varje gång en {0} paket installeras, uppgraderas eller avinstalleras.", + "Package's default": "Paketets standardvärden", + "Install location can't be changed for {0} packages": "Installationsplatsen kan inte ändras för {0} paketen", + "The local icon cache currently takes {0} MB": "Lokala ikoncache upptar för närvarande {0} MB", + "Username": "Användarnamn", + "Password": "Lösenord", + "Credentials": "Inloggningsuppgifter", + "Partially": "Delvis", + "Package manager": "Pakethanterare", + "Compatible with proxy": "Kompatibel med proxy", + "Compatible with authentication": "Kompatibel med autentisering", + "Proxy compatibility table": "Proxy kompabilitetstabell", + "{0} settings": "{0} inställningar", + "{0} status": "{0} status", + "Default installation options for {0} packages": "Standard installationsinställning för {0} paket", + "Expand version": "Expandera version", + "The executable file for {0} was not found": "Körbara filen för {0} kunde inte hittas", + "{pm} is disabled": "{pm} är inaktiverad", + "Enable it to install packages from {pm}.": "Aktivera den för att installera paket från {pm}.", + "{pm} is enabled and ready to go": "{pm} är tillgänglig och redo att användas", + "{pm} version:": "{pm} version:", + "{pm} was not found!": "{pm} kunde inte hittas!", + "You may need to install {pm} in order to use it with WingetUI.": "Du kan behöva installera {pm} för att kunna använda den med UniGetUI.", + "Scoop Installer - WingetUI": "Scoop installerare - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop avinstallerare - UniGetUI", + "Clearing Scoop cache - WingetUI": "Rensa Scoop-cache - UniGetUI", + "Restart UniGetUI": "Starta om UniGetUI", + "Manage {0} sources": "Hantera {0} källor", + "Add source": "Lägg till källa", + "Add": "Lägg till", + "Other": "Övrigt", + "1 day": "1 dag", + "{0} days": "{0} dagar", + "{0} minutes": "{0} minuter", + "1 hour": "1 timme", + "{0} hours": "{0} timmar", + "1 week": "1 vecka", + "WingetUI Version {0}": "UniGetUI version {0}", + "Search for packages": "Sök efter paket", + "Local": "Lokal", + "OK": "OK", + "{0} packages were found, {1} of which match the specified filters.": "{1} paket hittades, varav {0} matchade filtret", + "{0} selected": "{0} valda", + "(Last checked: {0})": "(Kontrollerades senast: {0})", + "Enabled": "Aktiverad", + "Disabled": "Inaktiverad", + "More info": "Mer info", + "Log in with GitHub to enable cloud package backup.": "Logga in med GitHub för att aktivera molnsäkerhetskopia av paket", + "More details": "Mer detaljer", + "Log in": "Logga in", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Om du har molnsäkerheskopia valt, kommer den sparas som en GitHub Gist på denna konto", + "Log out": "Logga ut", + "About": "Om", + "Third-party licenses": "Tredjepartslicenser", + "Contributors": "Bidragsgivare", + "Translators": "Översättare", + "Manage shortcuts": "Hantera genvägar", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har hittat följande skrivsbordsgenväg som kan tas bort automatiskt på kommande uppgraderingar", + "Do you really want to reset this list? This action cannot be reverted.": "Vill du verkligen nollställa denna lista? Åtgärden kan inte ångras.", + "Remove from list": "Ta bort från listan", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "När nya genvägar hittas, raderas de automatiskt istället för att visa denna dialog.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI hämtar anonymiserad användardata endast för att förstå och förbättra användarupplevelsen.", + "More details about the shared data and how it will be processed": "Mer information gällande delad data och hur det hanteras", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepterar du att UniGetUI samlar in och skickar anonym användarstatistik? Den används endast för att förstå och förbättra använderupplevelsen.", + "Decline": "Avböj", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Personlig information samlas inte in eller skickas vidare. All insamlad data är anonymiserat och kan inte spåras tillbaka till dig.", + "About WingetUI": "Om UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI är ett program som mjukvaruhanteringen enklare genom att erbjuda ett tilltalande grafiskt gränssnitt för dina kommandorads pakethanterare.", + "Useful links": "Användbara länkar", + "Report an issue or submit a feature request": "Rapportera fel eller skicka begäran om förbättringar", + "View GitHub Profile": "Visa GitHub-profil", + "WingetUI License": "UniGetUI-licens", + "Using WingetUI implies the acceptation of the MIT License": "Användning av UniGetUI innebär att du accepterar MIT licensen", + "Become a translator": "Bli en översättare", + "View page on browser": "Visa sidan i webbläsaren", + "Copy to clipboard": "Kopiera till urklipp", + "Export to a file": "Exportera till en fil", + "Log level:": "Loggnivå", + "Reload log": "Ladda om loggen", + "Text": "Text", + "Change how operations request administrator rights": "Ändra hur åtgärder begär adminrättigheter", + "Restrictions on package operations": "Restriktioner för paketåtgärder", + "Restrictions on package managers": "Restriktioner för pakethanterare", + "Restrictions when importing package bundles": "Restriktioner vid import av paketgrupper", + "Ask for administrator privileges once for each batch of operations": "Be om administratörsrättigheter en gång för varje omgång av åtgärder", + "Ask only once for administrator privileges": "Fråga om administratörsrättigheter endast en gång", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Förhindra all typ av behörighetshöjning via UniGetUI höjaren eller GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Denna inställning KOMMER att skapa problem. Alla åtgärder som inte kan höja sig själv KOMMER MISSLYCKAS. Installering/uppdatering/avinstallering som administrator kommer INTE FUNGERA.", + "Allow custom command-line arguments": "Tillått anpassade kommandoradsargument", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Anpassade kommandoradsargument kan ändra hur program installeras, uppgraders eller avinstalleras på ett sätt som UniGetUI inte kan kontrollera. Användning av anpassad kommandorad kan bryta paket. Fortsätt med försiktighet.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillåt att anpassade för- och efterinstallationskommandon körs", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre och post install kommandon kommer att köras före och efter paketet blir installerad, uppgraderad eller avinstallerad. Var medveten om att de kan göra skada om man inte är försiktig", + "Allow changing the paths for package manager executables": "Tillåt ändring av sökväg för pakethanterarens körbara filer", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Genom att aktivera denna kan körbara filer interagera med pakethanterare. Detta möjliggör en mer exakt anpassning av installationsprocessen, men den gör den också mer farlig", + "Allow importing custom command-line arguments when importing packages from a bundle": "Tillåt importering av anpassade kommandoradsargument vid import av paket från en paket-grupp", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Felaktig kommandoradsargument kan förstöra paket eller tillåta att angripare utnyttjar för att få höga rättigheter. Därför är import av anpassade kommandoradsargument avstängt som standard.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillåt importering av anpassade pre-install och post-install-kommandon när importering av paket sker från en paket-grupp", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre och post install kommandon kan orsaka otäcka saker på din enhet. Det kan bli farligt att importera kommandon från en paketgrupp såvida du inte litar på källa till paketgruppen.", + "Administrator rights and other dangerous settings": "Administratörsrättigheter och andra farliga inställningar", + "Package backup": "Säkerhetskopia av paket", + "Cloud package backup": "Säkerhetskopia av molnpaketet", + "Local package backup": "Lokal säkerhetskopia av paket", + "Local backup advanced options": "Avancerade inställningar för lokala säkerhetskopior", + "Log in with GitHub": "Logga in med GitHub", + "Log out from GitHub": "Logga ut från GitHub", + "Periodically perform a cloud backup of the installed packages": "Gör periodiska molnsäkerhetskopior av installerade paket", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Molnsäkerhetskopian använder en privat GitHub Gist för att lagra en lista över installerade paket", + "Perform a cloud backup now": "Gör en molnsäkerhetskopia nu", + "Backup": "Säkerhetskopiera", + "Restore a backup from the cloud": "Återställ säkerhetskopia från molnet", + "Begin the process to select a cloud backup and review which packages to restore": "Starta processen med att välja molnsäkerhetskopia och välj vilka paket som ska återställas", + "Periodically perform a local backup of the installed packages": "Gör periodiska lokala säkerhetskopior av installerade paket", + "Perform a local backup now": "Gör en lokal säkerhetskopia nu", + "Change backup output directory": "Ändra katalog för säkerhetskopiering", + "Set a custom backup file name": "Ställ in filnamnet för den anpassade säkerhetskopian", + "Leave empty for default": "Lämna tomt som standard", + "Add a timestamp to the backup file names": "Lägg till en tidsstämpel till säkerhetskopiornas filnamn", + "Backup and Restore": "Säkerhetskopiera och återställ", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktivera bakgrunds-API (UniGetUI Widgets and Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vänta tills enheten är ansluten till internet innan du börjar med uppgifter som kräver internetuppkoppling.", + "Disable the 1-minute timeout for package-related operations": "Inaktivera 1-minut timeout för paketrelaterade åtgärder", + "Use installed GSudo instead of UniGetUI Elevator": "Används installerad GSudo istället för UniGetUI höjaren", + "Use a custom icon and screenshot database URL": "Använd en anpassad icon och skärmdumps databas URL", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktivera bakgrunds CPU användningsoptimering (se Pull-begäran #3278)", + "Perform integrity checks at startup": "Genomför integritetskontroller vid start", + "When batch installing packages from a bundle, install also packages that are already installed": "Vid batch-installation av paket från en paketgruppen, installera även paket som är redan installerade.", + "Experimental settings and developer options": "Experimentella inställningar och utvecklaralternativ", + "Show UniGetUI's version and build number on the titlebar.": "Visa UniGetUI:s version i titelraden", + "Language": "Språk", + "UniGetUI updater": "UniGetUI updaterare", + "Telemetry": "Telemetri", + "Manage UniGetUI settings": "Hantera UniGetUI inställningar", + "Related settings": "Relaterade inställningar", + "Update WingetUI automatically": "Uppdatera UniGetUI automatiskt", + "Check for updates": "Sök efter uppdateringar", + "Install prerelease versions of UniGetUI": "Installera förhandsversioner av UniGetUI", + "Manage telemetry settings": "Hantera telemetri-inställningar", + "Manage": "Hantera", + "Import settings from a local file": "Importera inställningar från en lokal fil", + "Import": "Importera", + "Export settings to a local file": "Exportera inställningar till en lokal fil", + "Export": "Exportera", + "Reset WingetUI": "Återställ UniGetUI", + "Reset UniGetUI": "Återställ UniGetUI", + "User interface preferences": "Utseendeinstälningar", + "Application theme, startup page, package icons, clear successful installs automatically": "Teman, startsidor och paketikoner installeras automatiskt", + "General preferences": "Allmänna inställningar", + "WingetUI display language:": "UniGetUI visningsspråk", + "Is your language missing or incomplete?": "Saknas ditt språk eller är det ofullständigt?", + "Appearance": "Utseende", + "UniGetUI on the background and system tray": "UniGetUI i bakgrunden och i systemfältet", + "Package lists": "Paketlistor", + "Close UniGetUI to the system tray": "Stäng ned UniGetUI till systemfältet", + "Show package icons on package lists": "Visa paketikoner på paketlistan", + "Clear cache": "Rensa cache", + "Select upgradable packages by default": "Välj uppgraderingsbara paket som standard", + "Light": "Ljust", + "Dark": "Mörk", + "Follow system color scheme": "Följ systemets färgschema", + "Application theme:": "Programtema:", + "Discover Packages": "Upptäck paket", + "Software Updates": "Uppdateringar", + "Installed Packages": "Installerade paket", + "Package Bundles": "Paketgrupper", + "Settings": "Inställningar", + "UniGetUI startup page:": "UniGetUI:s startsida:", + "Proxy settings": "Proxyinställningar", + "Other settings": "Andra inställningar", + "Connect the internet using a custom proxy": "Anslut internet genom att använda en anpassad proxy", + "Please note that not all package managers may fully support this feature": "Vänligen notera att alla pakethanterare kanske inte fullt stöder denna funktion", + "Proxy URL": "Proxy-URL", + "Enter proxy URL here": "Ange proxyadressen här", + "Package manager preferences": "Pakethanterarens inställningar", + "Ready": "Klar", + "Not found": "Hittades inte", + "Notification preferences": "Notifieringsinställningar", + "Notification types": "Notifieringstyper", + "The system tray icon must be enabled in order for notifications to work": "Systemfältsikonen måste aktiveras för att notifieringar ska fungera", + "Enable WingetUI notifications": "Aktivera UniGetUI-aviseringar", + "Show a notification when there are available updates": "Visa en notifiering när en uppdatering finns tillgänglig", + "Show a silent notification when an operation is running": "Visa en tyst notifiering när en åtgärd körs", + "Show a notification when an operation fails": "Visa en notifiering när en åtgärd misslyckas", + "Show a notification when an operation finishes successfully": "Visa en notering när en åtgärd lyckas", + "Concurrency and execution": "Samtidighet och utförande", + "Automatic desktop shortcut remover": "Automatisk borttagning av skrivbordsgenvägar", + "Clear successful operations from the operation list after a 5 second delay": "Rensa lyckade åtgärder från åtgärdslitan med 5 sekunders fördröjning", + "Download operations are not affected by this setting": "Nedladdningsåtgärder är inte påverkade av denna inställning", + "Try to kill the processes that refuse to close when requested to": "Försök att avsluta den process som inte vill stänga", + "You may lose unsaved data": "Osparad data kan förloras", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Fråga om att ta bort skrivbordsgenvägar som har skapats under en installation eller uppgradering.", + "Package update preferences": "Inställningr för paketuppdateringar", + "Update check frequency, automatically install updates, etc.": "Uppdateringsintervall, automatiska uppdateringar m.m.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reducera UAC-rutor, förhöj installationen som standard, lås upp vissa farliga funktioner m.m.", + "Package operation preferences": "Inställningar för paketåtgärder", + "Enable {pm}": "Aktivera {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Hittar du inte filen du söker? Säkerställ att den har lagts in i sökvägen.", + "For security reasons, changing the executable file is disabled by default": "Av säkerhetsskäl är ändring av körbara filer inte tillåtet som standard", + "Change this": "Ändra detta", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Välj den körbara filen som ska användas. Följande lista visar körbara filer som har hittats av UniGetUI", + "Current executable file:": "Nuvarande körbara fil:", + "Ignore packages from {pm} when showing a notification about updates": "Ignorera paket från {pm} när en notifiering om uppdatering visas", + "View {0} logs": "Se {0} loggar", + "Advanced options": "Avancerade alternativ", + "Reset WinGet": "Återställ WinGet", + "This may help if no packages are listed": "Detta kan hjälpa ifall inga paket listas.", + "Force install location parameter when updating packages with custom locations": "Tvinga installationsplatsparameter vid uppdatering av paket med anpassade installationsplatser", + "Use bundled WinGet instead of system WinGet": "Använd paketgruppen WinGet istället för system WinGet", + "This may help if WinGet packages are not shown": "Detta kan hjälpa ifall WinGet paketen inte visas", + "Install Scoop": "Installera Scoop", + "Uninstall Scoop (and its packages)": "Avinstallera Scoop och dess paket", + "Run cleanup and clear cache": "Kör städning och töm cachen", + "Run": "Kör", + "Enable Scoop cleanup on launch": "Aktivera Scoop-rensning vid start", + "Use system Chocolatey": "Använd Chocolatey-systemet", + "Default vcpkg triplet": "Standard vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Språk, tema och andra övriga preferenser", + "Show notifications on different events": "Visa notifiering om olika händelser", + "Change how UniGetUI checks and installs available updates for your packages": "Ändra hur UniGetUI kontrollerar och installerar tillgängliga uppdateringar till dina paket", + "Automatically save a list of all your installed packages to easily restore them.": "Spara automatiskt en lista över alla dina installerade paket för att enkelt återställa dem.", + "Enable and disable package managers, change default install options, etc.": "Aktivera och avaktivera pakethanterare, ställa in standardinställningar, etc.", + "Internet connection settings": "Inställningar för internetanslutning", + "Proxy settings, etc.": "Proxyinställningar m.m.", + "Beta features and other options that shouldn't be touched": "Betafunktioner och andra alternativ som inte bör röras", + "Update checking": "Uppdateringskontroll", + "Automatic updates": "Automatiska uppdateringar", + "Check for package updates periodically": "Sök efter paketuppdateringar med jämna mellanrum", + "Check for updates every:": "Sök efter uppdateringar varje:", + "Install available updates automatically": "Installera tillgängliga uppdateringar automatiskt", + "Do not automatically install updates when the network connection is metered": "Installera inte automatiska uppdateringar vid användning av uppkoppling med datapriser", + "Do not automatically install updates when the device runs on battery": "Installera inte automatiska uppdateringar när datorn körs på batteri", + "Do not automatically install updates when the battery saver is on": "Installera inte uppdateringar automatiskt när datorns strömsparläge är på", + "Change how UniGetUI handles install, update and uninstall operations.": "Ändra hur UniGetUI hanterar installation, uppdatering och avinstallation.", + "Package Managers": "Pakethanterare", + "More": "Mer", + "WingetUI Log": "UniGetUI logg", + "Package Manager logs": "Pakethanterarens loggar", + "Operation history": "Åtgärdshistorik", + "Help": "Hjälp", + "Order by:": "Sortering:", + "Name": "Namn", + "Id": "ID", + "Ascendant": "Stigande", + "Descendant": "Ättling", + "View mode:": "Visningsläge:", + "Filters": "Filter", + "Sources": "Källor", + "Search for packages to start": "Sök efter paket att starta", + "Select all": "Välj alla", + "Clear selection": "Rensa val", + "Instant search": "Direktsökning", + "Distinguish between uppercase and lowercase": "Skilj mellan stora och små bokstäver", + "Ignore special characters": "Ignorera specialtecken", + "Search mode": "Sökläge", + "Both": "Båda", + "Exact match": "Exakt matchning", + "Show similar packages": "Visa liknande paket", + "No results were found matching the input criteria": "Inga resultat hittades som matchade inmatningskriterierna", + "No packages were found": "Inga paket hittades", + "Loading packages": "Laddar paket", + "Skip integrity checks": "Ignorera integritetskontrollerna", + "Download selected installers": "Ladda ned valda installationer", + "Install selection": "Installera val", + "Install options": "Installationsinställningar", + "Share": "Dela", + "Add selection to bundle": "Lägg till val i paket-gruppen", + "Download installer": "Hämta installationsprogrammet", + "Share this package": "Dela detta paket", + "Uninstall selection": "Avinstallera urval", + "Uninstall options": "Avinstallationinställningar", + "Ignore selected packages": "Ignorera valda paket", + "Open install location": "Öppna installationsplatsen", + "Reinstall package": "Ominstallera paketet", + "Uninstall package, then reinstall it": "Avinstallera paket och sedan ominstallera den", + "Ignore updates for this package": "Ignorera uppdateringar för detta paket", + "Do not ignore updates for this package anymore": "Ignorera inte längre uppdateringar för denna paket", + "Add packages or open an existing package bundle": "Lägg till paket eller öppna en befintlig paket-grupp", + "Add packages to start": "Lägg till paket för att börja", + "The current bundle has no packages. Add some packages to get started": "Nuvarande paketgrupp innehåller inga paket. Lägg till några paket för att komma igång", + "New": "Nytt", + "Save as": "Spara som", + "Remove selection from bundle": "Ta bort urval från paketgruppen", + "Skip hash checks": "Ignorera hash-kontrollerna", + "The package bundle is not valid": "Paketgruppen är inte giltig", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paketgruppen du försöker ladda in verkar vara defekt. Vänligen kontrollera filen och prova igen.", + "Package bundle": "Paketgrupp", + "Could not create bundle": "Kunde inte skapa ett paketgrupp", + "The package bundle could not be created due to an error.": "Paketgruppen kunde inte skapas på grund av något fel.", + "Bundle security report": "Säkerhetsrapport för paketgruppen", + "Hooray! No updates were found.": "Hurra! Inga uppdateringar hittades.", + "Everything is up to date": "Allt är uppdaterat", + "Uninstall selected packages": "Avinstallera valda paket", + "Update selection": "Uppdatera valda", + "Update options": "Uppdateringsinställningar", + "Uninstall package, then update it": "Avinstallera paketet, uppdatera sen sidan", + "Uninstall package": "Avinstallera paket", + "Skip this version": "Ignorera denna version", + "Pause updates for": "Pausa uppdateringar för", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust pakethanteraren.
Innehåller. Rust bibliotek och program skrivna i Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Den klassiska pakethanteren för Windows. Du hittar allt där.
Innehåller: Allmän mjukvara", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "En förvaringsplats fullt av verktyg och körbara filer som är designade med Microsofts .NET-ekosystem i åtanke.
Innehåller: .NET-relaterade verktyg och skript", + "NuPkg (zipped manifest)": "NuPkg (zippad manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS:s pakethanterare. Fullt av bibliotek och andra verktyg som kretsar runt Javascript-världen
Innehåller: Node javascript-bibliotek och andra relaterade verktyg", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythons pakethanterare. Fullt med pythonbibliotek och andra pythonrelaterade verktyg
Innehåller: Pythonbibliotek och relaterade verktyg", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShells pakethanterare. Hitta bibliotek och skript för att utöka PowerShell-funktionerna
Innehåller: Moduler, skript, Cmdlets", + "extracted": "extraherad", + "Scoop package": "Scoop-paket", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Stort katalog av okända men användbara verktyg och andra intressanta paket.
Innehåller: Verktyg, kommandoradsprogram, allmän programvara (extras paketarkiv krävs)", + "library": "bibliotek", + "feature": "funktion", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "En populär hanterare för C/C++bibliotek. Fylld av C/C++bibliotek och andra C/C++relaterade verktyg
Innehåller: C/C++bibliotek och relaterade verktyg", + "option": "inställning", + "This package cannot be installed from an elevated context.": "Denna paket kan inte installeras med adminrättigheter.", + "Please run UniGetUI as a regular user and try again.": "Vänligen kör UniGetUI som en vanlig användare och prova igen.", + "Please check the installation options for this package and try again": "Vänlgien kontrollera installationsinställningarna för paketet och prova igen", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsofts officiella pakethanterare. Full av välkända och verifierade paket
Innehåller: Allmän programvara, Microsoft Store-appar", + "Local PC": "Lokal PC", + "Android Subsystem": "Android-undersystem", + "Operation on queue (position {0})...": "Åtgärd på kö (position {0})...", + "Click here for more details": "Klicka här för fler detaljer", + "Operation canceled by user": "Åtgärden avbröts av användaren", + "Starting operation...": "Startar åtgärd...", + "{package} installer download": "{package} installerarens nedladdning", + "{0} installer is being downloaded": "{0} installeraren laddas ned", + "Download succeeded": "Nedladdningen lyckades", + "{package} installer was downloaded successfully": "{package} installeraren laddades ned", + "Download failed": "Nedladdning misslyckad", + "{package} installer could not be downloaded": "{package} installeraren kunde inte laddas ned", + "{package} Installation": "{package} installation", + "{0} is being installed": "{0} installeras", + "Installation succeeded": "Installationen lyckades", + "{package} was installed successfully": "{package} installerades", + "Installation failed": "Installationen misslyckades", + "{package} could not be installed": "{package} kunde inte installeras", + "{package} Update": "{package} Uppdaterar", + "{0} is being updated to version {1}": "{0} uppdateras till version {1}", + "Update succeeded": "Uppdatering lyckad", + "{package} was updated successfully": "{package} uppdaterades", + "Update failed": "Uppdatering misslyckad", + "{package} could not be updated": "{package} kunde inte uppdateras", + "{package} Uninstall": "{package} avinstallera", + "{0} is being uninstalled": "{0} avinstalleras", + "Uninstall succeeded": "Avinstallation lyckad", + "{package} was uninstalled successfully": "{package} avinstallerades", + "Uninstall failed": "Avinstallation misslyckad", + "{package} could not be uninstalled": "{package} kunde inte avinstalleras", + "Adding source {source}": "Lägger till källan {source}", + "Adding source {source} to {manager}": "Lägger till källan {source} till {manager}", + "Source added successfully": "Källan lades till", + "The source {source} was added to {manager} successfully": "Källan {source} har lagts till i {manager}", + "Could not add source": "Kunde inte lägga till källa", + "Could not add source {source} to {manager}": "Det gick inte att lägga till källan {source} till {manager}", + "Removing source {source}": "Tar bort källan {source}", + "Removing source {source} from {manager}": "Ta bort källa {source} från {manager} ", + "Source removed successfully": "Borttagning av källan lyckades", + "The source {source} was removed from {manager} successfully": "Källan {source} togs bort från {manager}", + "Could not remove source": "Kunde inte ta bort källa", + "Could not remove source {source} from {manager}": "Det gick inte att ta bort källan {source} från {manager}", + "The package manager \"{0}\" was not found": "Pakethanteraren {0} kunde inte hittas", + "The package manager \"{0}\" is disabled": "Pakethanterare {0} är inaktiverad", + "There is an error with the configuration of the package manager \"{0}\"": "Ett fel uppstod vid inställning av pakethanteraren {0}", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket {0} kunde inte hittas i pakethanteraren {1}", + "{0} is disabled": "{0} är inaktiverad", + "Something went wrong": "Något gick fel", + "An interal error occurred. Please view the log for further details.": "Ett internt fel inträffade. Vänligen läs loggen för fler detaljer.", + "No applicable installer was found for the package {0}": "Ingen lämplig installerare kunde hittas för paketet {0}", + "We are checking for updates.": "Söker efter uppdateringar.", + "Please wait": "Vänligen vänta", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} laddas nu ned.", + "This may take a minute or two": "Detta kan ta en minut eller två", + "The installer authenticity could not be verified.": "Installerarens äkthet kunde inte verifieras.", + "The update process has been aborted.": "Uppdateringsprocessen har avbrutits", + "Great! You are on the latest version.": "Grattis! Du använder senaste versionen.", + "There are no new UniGetUI versions to be installed": "Det finns ingen nyare UniGetUI version att installera", + "An error occurred when checking for updates: ": "Ett fel inträffade när uppdateringssökningen skulle genomföras:", + "UniGetUI is being updated...": "UniGetUI uppdateras...", + "Something went wrong while launching the updater.": "Något gick fel vid starten av uppdateraren", + "Please try again later": "Försök igen senare", + "Integrity checks will not be performed during this operation": "Integritetskontroller kommer inte utföras i denna åtgärd", + "This is not recommended.": "Detta är inte rekommenderat.", + "Run now": "Kör nu", + "Run next": "Kör nästa", + "Run last": "Kör sist", + "Retry as administrator": "Försök igen som administatör", + "Retry interactively": "Försök igen interaktivt", + "Retry skipping integrity checks": "Försök att ignorera integritetskontrollerna igen", + "Installation options": "Installationsalternativ", + "Show in explorer": "Visa i utforskaren", + "This package is already installed": "Denna paket är redan installerad", + "This package can be upgraded to version {0}": "Denna paket kan uppgraderas till version {0}", + "Updates for this package are ignored": "Uppdateringar för denna paket ignoreras", + "This package is being processed": "Den paket är under behandling", + "This package is not available": "Paketet är inte tillgängligt", + "Select the source you want to add:": "Välj källan du vill lägga till:", + "Source name:": "Källnamnet:", + "Source URL:": "Källa URL:", + "An error occurred": "Ett fel inträffade", + "An error occurred when adding the source: ": "Ett fel inträffade när källan lades till:", + "Package management made easy": "Pakethantering på ett enkelt sätt", + "version {0}": "version {0}", + "[RAN AS ADMINISTRATOR]": "KÖRS SOM ADMIN", + "Portable mode": "Portabelt läge", + "DEBUG BUILD": "Felsökningsversion", + "Available Updates": "Tillgängliga uppdateringar", + "Show WingetUI": "Visa UniGetUI", + "Quit": "Avsluta", + "Attention required": "Uppmärksamhet krävs", + "Restart required": "Omstart krävs", + "1 update is available": "1 uppdatering tillgänglig", + "{0} updates are available": "{0} uppdateringar är tillgängliga", + "WingetUI Homepage": "UniGetUI Websida", + "WingetUI Repository": "UniGetUI-repository", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Här kan du ändra hur UniGetUI beter sig gällande följande genvägar. Markera en genväg och UniGetUI tar bort den vid en framtida uppgradering. Utan markering kommer genvägen bevaras intakt", + "Manual scan": "Manuell skanning", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Befintliga genvägar på ditt skrivbord kommer att skannas och du får välja vilka som ska behållas och vilka ska tas bort.", + "Continue": "Fortsätt", + "Delete?": "Ta bort?", + "Missing dependency": "Saknat beroende", + "Not right now": "Inte just nu", + "Install {0}": "Installera {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI kräver {0} för att fungera, men den kan inte hittas i ditt system.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klicka på installera för att påbörja installation. UniGetUI kan bete sig annorlunda ifall du hoppar över installationen.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativt så kan du även installera {0} genom att köra följande kommando i Windows PowerShell-prompten:", + "Do not show this dialog again for {0}": "Visa inte denna dialog igen för {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vänligen vänta medan {0} blir installerad. En svart (eller blå) fönster kan dyka upp. Vänta tills den stängs.", + "{0} has been installed successfully.": "{0} installerades", + "Please click on \"Continue\" to continue": "Vänligen klicka på \"Fortsätt\" för att fortsätta", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} installerades. Rekommenderar omstart av UniGetUI för att slutföra installationen", + "Restart later": "Starta om senare", + "An error occurred:": "Ett fel inträffade:", + "I understand": "Jag förstår", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI har körts med adminrättigheter vilket inte är att rekommendera. VARJE åtgärd kommer då ha adminrättigheter. Du kan fortfarande använda programmet men vi rekommenderar starkt att INTE köra UniGetUI med adminrättigheter.", + "WinGet was repaired successfully": "WinGet har reparerats", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Rekommenderar att du startar om UniGetUI efter att Winget blivit reparerad", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OBS: Denna felsökning kan avaktiveras i inställningar för UniGetUI i WinGet avsnittet", + "Restart": "Starta om", + "WinGet could not be repaired": "WinGet kunde inte repareras", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ett oväntat fel uppstod vid försök att reparera WinGet. Vänligen prova igen senare", + "Are you sure you want to delete all shortcuts?": "Är du säker på att du vill ta bort alla genvägar?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nya genvägar skapade vid en installation eller efter en uppdatering kommer tas bort automatiskt istället för att visa en bekräftelse första gången de upptäckts.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Alla genvägar som skapats eller som har modifierats utanför UniGetUI kommer att ignoreras. Du kommer att ges möjlighet att lägga till dessa via knappen {0}.", + "Are you really sure you want to enable this feature?": "Är du säker på att du vill aktivera den här funktionen?", + "No new shortcuts were found during the scan.": "Hittade inga nya genvägar vid skanning", + "How to add packages to a bundle": "Hur lägger man till paket i en paketgrupp", + "In order to add packages to a bundle, you will need to: ": "För att lägga till paket i en paketgrupp behöver du:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "Navigera till sidan \"{0}\" eller \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Lokalisera paket(en) du vill lägga till i paketgruppen och bocka i den vänstra kryssrutan.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. När du valt paketen du vill lägga till paketgruppen, leta upp och klicka i valet \"{0}\" i verktygsfältet.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Dina paket har nu lagts till i paketgruppen. Du kan lägga till fler paket eller exportera hela paketgruppen.", + "Which backup do you want to open?": "Vilken säkerhetskopia vill du öppna?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Välj säkerhetskopian du vill öppna. Senare får du möjlighet att välja vilka paket/program du vill återställa.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Det finns pågående åtgärder. Genom att stänga UniGetUI kan dessa misslyckas. Vill du fortsätta?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller någon av dess komponenter saknas eller är korrupta.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Rekommenderar starkt att du ominstallerar UniGetUI för att lösa situationen", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Hänvisar till UniGetUI:s loggar för mer detaljerad information om påverkad(e) filer.", + "Integrity checks can be disabled from the Experimental Settings": "Integritetskontroller kan stängas av från Experimentinställningar", + "Repair UniGetUI": "Reparera UniGetUI", + "Live output": "Live-utgång", + "Package not found": "Paketet hittades inte", + "An error occurred when attempting to show the package with Id {0}": "Ett fel inträffade vid försök att visa paketet med Id {0}", + "Package": "Paket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denna paketgrupp har några inställningar som kan vara farliga och som kan åsidosättas som standard.", + "Entries that show in YELLOW will be IGNORED.": "Inlägg i GULT kommer att IGNORERAS.", + "Entries that show in RED will be IMPORTED.": "Inlägg i RÖTT kommer att IMPORTERAS.", + "You can change this behavior on UniGetUI security settings.": "Du kan ändra detta beteende i UniGetUI:s säkerhetsinställningar.", + "Open UniGetUI security settings": "Öppna säkerhetsinställningar för UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Skulle du ändra säkerhetsinställningarna behöver du öppna paketgruppen igen för att ändringarna ska slå igenom.", + "Details of the report:": "Rapportdetaljer:", "\"{0}\" is a local package and can't be shared": "\"{0}\" är ett lokalt paket och kan inte delas", + "Are you sure you want to create a new package bundle? ": "Är du säker på att du vill skapa en nytt paketgrupp?", + "Any unsaved changes will be lost": "Ändringar som inte sparats kommer att försvinna", + "Warning!": "Varning!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Av säkerhetsskäl är anpassade kommandoradsargument avstängda som standard. Gå till UniGetUI säkerhetsinställningar för att ändra detta.", + "Change default options": "Ändra standardvärden", + "Ignore future updates for this package": "Ignorera framtida uppdateringar för denna paket", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Av säkerhetsskäl är pre-operation och post-operation skript avstängda som standard. Gå till UniGetUI säkerhetsinställningar för att ändra detta.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definiera kommandon som ska köras före eller efter att paketet installeras, uppdateras eller avinstalleras. De körs på en kommandotolk, så CMD skript kommer att fungera.", + "Change this and unlock": "Ändra denna och lås upp", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} installationsinställningar är låsta på grund av att {0} följer standardinställningarna.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Välj de processer som bör stängas innan paketet installeras, uppdateras eller avinstalleras.", + "Write here the process names here, separated by commas (,)": "Skriv in processnamnen här, skilj åt med komma (,)", + "Unset or unknown": "Avstängt eller okänt", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Se kommandoradens utdata eller se Operation History för mer information om problemet.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denna paket har ingen skärmdump eller saknas ikonen. Bidra till UniGetUI genom att lägga till den saknade ikonen och skärmdumpa den till vår öppna och publika databas.", + "Become a contributor": "Bli en bidragare", + "Save": "Spara", + "Update to {0} available": "Uppdatering till {0} är tillgänglig", + "Reinstall": "Ominstallera", + "Installer not available": "Installeraren inte tillgänglig", + "Version:": "Version:", + "Performing backup, please wait...": "Säkerhetskopiering utförs, vänligen vänta...", + "An error occurred while logging in: ": "Ett fel inträffade i samband med inloggning:", + "Fetching available backups...": "Hämtar tillgängliga säkerhetskopior...", + "Done!": "Klart!", + "The cloud backup has been loaded successfully.": "Molnsäkerhetskopian har laddats.", + "An error occurred while loading a backup: ": "Ett fel uppstod vid inläsning av säkerhetskopian:", + "Backing up packages to GitHub Gist...": "Säkerhetskopierar paket till GitHub Gist...", + "Backup Successful": "Säkerhetskopieringen lyckades", + "The cloud backup completed successfully.": "Molnsäkerhetskopian färdigställdes.", + "Could not back up packages to GitHub Gist: ": "Kunde inte göra en säkerhetskopia till GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Kan inte garantera att inloggningsuppgifter kommer att lagras säkert, så du bör inte använda samma inloggning som till din bank", + "Enable the automatic WinGet troubleshooter": "Aktivera den automatiska WinGet felsökningen", + "Enable an [experimental] improved WinGet troubleshooter": "Aktivera en [experimentell] förbättrad WinGet-felsökare", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Lägg till uppdateringar som misslyckas med felet \"ingen passande uppdatering funnen\" till listan över ignorerade uppdateringar,", + "Restart WingetUI to fully apply changes": "Starta om UniGetUI för ändringarna ska tillämpas", + "Restart WingetUI": "Starta om UniGetUI", + "Invalid selection": "Ogiltigt val", + "No package was selected": "Inga paket har valts", + "More than 1 package was selected": "Fler än 1 paket valdes", + "List": "Lista", + "Grid": "Rutnät", + "Icons": "Ikoner", "\"{0}\" is a local package and does not have available details": "\"{0}\" är ett lokalt paket och har inga detaljer tillgängliga", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" är ett lokalt paket och är inte kompatibelt med den här funktionen", - "(Last checked: {0})": "(Kontrollerades senast: {0})", + "WinGet malfunction detected": "WinGet-fel hittades", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det verkar som om Winget inte fungerar korrekt. Vill du reparera WinGet?", + "Repair WinGet": "Reparera WinGet", + "Create .ps1 script": "Skapa .ps1 skript", + "Add packages to bundle": "Lägg till paket i paket-gruppen", + "Preparing packages, please wait...": "Förbereder paket, vänligen vänta ...", + "Loading packages, please wait...": "Laddar paket, vänligen vänta ...", + "Saving packages, please wait...": "Sparar paket, vänligen vänta...", + "The bundle was created successfully on {0}": "Paketgruppen skapades den {0}", + "Install script": "Installationsskript", + "The installation script saved to {0}": "Installationskriptet sparades till {0}", + "An error occurred while attempting to create an installation script:": "Ett fel inträffade i samband med försöket att skapa ett installationsskript:", + "{0} packages are being updated": "{0} paket uppdateras", + "Error": "Fel", + "Log in failed: ": "Inloggning misslyckades:", + "Log out failed: ": "Utloggning misslyckades", + "Package backup settings": "Inställningar för paketets säkerhetskopia", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Nummer {0} i kön)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@curudel, @kakmonster, @umeaboy, @Hi-there-how-are-u", "0 packages found": "0 paket hittades", "0 updates found": "0 uppdateringar hittades", - "1 - Errors": "1 - Fel", - "1 day": "1 dag", - "1 hour": "1 timme", "1 month": "1 månad", "1 package was found": "1 paket hittades", - "1 update is available": "1 uppdatering tillgänglig", - "1 week": "1 vecka", "1 year": "1 år", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "Navigera till sidan \"{0}\" eller \"{1}\".", - "2 - Warnings": "2 - Varningar", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Lokalisera paket(en) du vill lägga till i paketgruppen och bocka i den vänstra kryssrutan.", - "3 - Information (less)": "3 - Information (mindre)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. När du valt paketen du vill lägga till paketgruppen, leta upp och klicka i valet \"{0}\" i verktygsfältet.", - "4 - Information (more)": "4 - information (mer)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Dina paket har nu lagts till i paketgruppen. Du kan lägga till fler paket eller exportera hela paketgruppen.", - "5 - information (debug)": "5 - Information (felsokning)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "En populär hanterare för C/C++bibliotek. Fylld av C/C++bibliotek och andra C/C++relaterade verktyg
Innehåller: C/C++bibliotek och relaterade verktyg", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "En förvaringsplats fullt av verktyg och körbara filer som är designade med Microsofts .NET-ekosystem i åtanke.
Innehåller: .NET-relaterade verktyg och skript", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "En förvaringsplats full av verktyg utformade med Microsofts .NET-ekosystem i åtanke.
Innehåller: .NET-relaterade verktyg", "A restart is required": "Omstart krävs", - "Abort install if pre-install command fails": "Avbryt installationen om kommandot pre-install misslyckas", - "Abort uninstall if pre-uninstall command fails": "Avbryt avinstallationen om kommandot pre-uninstall misslyckas", - "Abort update if pre-update command fails": "Avbryt uppdateringen om kommandot pre-update misslyckas", - "About": "Om", "About Qt6": "Om Qt6", - "About WingetUI": "Om UniGetUI", "About WingetUI version {0}": "Om UniGetUI-versionen {0}", "About the dev": "Om utvecklaren", - "Accept": "Acceptera", "Action when double-clicking packages, hide successful installations": "Åtgärd när du dubbelklickar på paket, dölj lyckade installationer", - "Add": "Lägg till", "Add a source to {0}": "Lägg till en källa till {0}", - "Add a timestamp to the backup file names": "Lägg till en tidsstämpel till säkerhetskopiornas filnamn", "Add a timestamp to the backup files": "Lägg till en tidsstämpel till säkerhetskopiorna", "Add packages or open an existing bundle": "Lägg till paket eller öppna en befintlig paketgrupp", - "Add packages or open an existing package bundle": "Lägg till paket eller öppna en befintlig paket-grupp", - "Add packages to bundle": "Lägg till paket i paket-gruppen", - "Add packages to start": "Lägg till paket för att börja", - "Add selection to bundle": "Lägg till val i paket-gruppen", - "Add source": "Lägg till källa", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Lägg till uppdateringar som misslyckas med felet \"ingen passande uppdatering funnen\" till listan över ignorerade uppdateringar,", - "Adding source {source}": "Lägger till källan {source}", - "Adding source {source} to {manager}": "Lägger till källan {source} till {manager}", "Addition succeeded": "Adderingen lyckades", - "Administrator privileges": "Administratörsrättigheter", "Administrator privileges preferences": "Inställningar för administratörsrättigheter", "Administrator rights": "Administratörsrättigheter", - "Administrator rights and other dangerous settings": "Administratörsrättigheter och andra farliga inställningar", - "Advanced options": "Avancerade alternativ", "All files": "Alla filer", - "All versions": "Alla versioner", - "Allow changing the paths for package manager executables": "Tillåt ändring av sökväg för pakethanterarens körbara filer", - "Allow custom command-line arguments": "Tillått anpassade kommandoradsargument", - "Allow importing custom command-line arguments when importing packages from a bundle": "Tillåt importering av anpassade kommandoradsargument vid import av paket från en paket-grupp", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Tillåt importering av anpassade pre-install och post-install-kommandon när importering av paket sker från en paket-grupp", "Allow package operations to be performed in parallel": "Tillåt att paketåtgärder utförs parallellt", "Allow parallel installs (NOT RECOMMENDED)": "Tillåt parallella installationer (REKOMMENDERAS INTE)", - "Allow pre-release versions": "Tillåt förhandsversioner", "Allow {pm} operations to be performed in parallel": "Tillåt att {pm} åtgärder utförs parallellt", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternativt så kan du även installera {0} genom att köra följande kommando i Windows PowerShell-prompten:", "Always elevate {pm} installations by default": "Höj alltid {pm} installationer som standard", "Always run {pm} operations with administrator rights": "Kör alltid {pm} åtgärder med administratörsrättigheter", - "An error occurred": "Ett fel inträffade", - "An error occurred when adding the source: ": "Ett fel inträffade när källan lades till:", - "An error occurred when attempting to show the package with Id {0}": "Ett fel inträffade vid försök att visa paketet med Id {0}", - "An error occurred when checking for updates: ": "Ett fel inträffade när uppdateringssökningen skulle genomföras:", - "An error occurred while attempting to create an installation script:": "Ett fel inträffade i samband med försöket att skapa ett installationsskript:", - "An error occurred while loading a backup: ": "Ett fel uppstod vid inläsning av säkerhetskopian:", - "An error occurred while logging in: ": "Ett fel inträffade i samband med inloggning:", - "An error occurred while processing this package": "Ett fel inträffade i samband med att det här paketet skulle bearbetas", - "An error occurred:": "Ett fel inträffade:", - "An interal error occurred. Please view the log for further details.": "Ett internt fel inträffade. Vänligen läs loggen för fler detaljer.", "An unexpected error occurred:": "Ett oväntat fel uppstod:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Ett oväntat fel uppstod vid försök att reparera WinGet. Vänligen prova igen senare", - "An update was found!": "En uppdatering hittades!", - "Android Subsystem": "Android-undersystem", "Another source": "Annan källa", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Nya genvägar skapade vid en installation eller efter en uppdatering kommer tas bort automatiskt istället för att visa en bekräftelse första gången de upptäckts.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Alla genvägar som skapats eller som har modifierats utanför UniGetUI kommer att ignoreras. Du kommer att ges möjlighet att lägga till dessa via knappen {0}.", - "Any unsaved changes will be lost": "Ändringar som inte sparats kommer att försvinna", "App Name": "App-namn", - "Appearance": "Utseende", - "Application theme, startup page, package icons, clear successful installs automatically": "Teman, startsidor och paketikoner installeras automatiskt", - "Application theme:": "Programtema:", - "Apply": "Tillämpa", - "Architecture to install:": "Arkitektur att installera:", "Are these screenshots wron or blurry?": "Är dessa skärmdumpar felaktiga eller suddiga?", - "Are you really sure you want to enable this feature?": "Är du säker på att du vill aktivera den här funktionen?", - "Are you sure you want to create a new package bundle? ": "Är du säker på att du vill skapa en nytt paketgrupp?", - "Are you sure you want to delete all shortcuts?": "Är du säker på att du vill ta bort alla genvägar?", - "Are you sure?": "Är du säker?", - "Ascendant": "Stigande", - "Ask for administrator privileges once for each batch of operations": "Be om administratörsrättigheter en gång för varje omgång av åtgärder", "Ask for administrator rights when required": "Be om administratörsrättigheter vid behov", "Ask once or always for administrator rights, elevate installations by default": "Fråga en gång eller alltid efter administratörsrättigheter, höj installationer som standard", - "Ask only once for administrator privileges": "Fråga om administratörsrättigheter endast en gång", "Ask only once for administrator privileges (not recommended)": "Fråga endast en gång om administratörsrättigheter (rekommenderas inte)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Fråga om att ta bort skrivbordsgenvägar som har skapats under en installation eller uppgradering.", - "Attention required": "Uppmärksamhet krävs", "Authenticate to the proxy with an user and a password": "Autentisera till proxyn med ett användarnamn och lösenord", - "Author": "Upphovsman", - "Automatic desktop shortcut remover": "Automatisk borttagning av skrivbordsgenvägar", - "Automatic updates": "Automatiska uppdateringar", - "Automatically save a list of all your installed packages to easily restore them.": "Spara automatiskt en lista över alla dina installerade paket för att enkelt återställa dem.", "Automatically save a list of your installed packages on your computer.": "Spara automatiskt en lista över dina installerade paket på din dator.", - "Automatically update this package": "Uppdatera det här paketet automatiskt", "Autostart WingetUI in the notifications area": "Starta UniGetUI automatiskt i meddelandefältet", - "Available Updates": "Tillgängliga uppdateringar", "Available updates: {0}": "Tillgängliga uppdateringar: {0}", "Available updates: {0}, not finished yet...": "Tillgängliga uppdateringar: {0}, inte klar än...", - "Backing up packages to GitHub Gist...": "Säkerhetskopierar paket till GitHub Gist...", - "Backup": "Säkerhetskopiera", - "Backup Failed": "Säkerhetskopiering misslyckades", - "Backup Successful": "Säkerhetskopieringen lyckades", - "Backup and Restore": "Säkerhetskopiera och återställ", "Backup installed packages": "Säkerhetskopiera installerade paket", "Backup location": "Säkerhetskopians plats", - "Become a contributor": "Bli en bidragare", - "Become a translator": "Bli en översättare", - "Begin the process to select a cloud backup and review which packages to restore": "Starta processen med att välja molnsäkerhetskopia och välj vilka paket som ska återställas", - "Beta features and other options that shouldn't be touched": "Betafunktioner och andra alternativ som inte bör röras", - "Both": "Båda", - "Bundle security report": "Säkerhetsrapport för paketgruppen", "But here are other things you can do to learn about WingetUI even more:": "Men här är andra saker du kan göra för att lära dig ännu mer om UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Genom att sätta en stänga av en pakethanterare kommer du inte att kunna se eller uppdatera dess paket.", "Cache administrator rights and elevate installers by default": "Cachelagra administratörsrättigheter och höj installationsprogram som standard", "Cache administrator rights, but elevate installers only when required": "Cachelagra administratörsrättigheter, men höj installationsprogram endast när det behövs", "Cache was reset successfully!": "Cachen återställdes framgångsrikt!", "Can't {0} {1}": "Kan inte {0} {1}", - "Cancel": "Avbryt", "Cancel all operations": "Avbryt alla åtgärder", - "Change backup output directory": "Ändra katalog för säkerhetskopiering", - "Change default options": "Ändra standardvärden", - "Change how UniGetUI checks and installs available updates for your packages": "Ändra hur UniGetUI kontrollerar och installerar tillgängliga uppdateringar till dina paket", - "Change how UniGetUI handles install, update and uninstall operations.": "Ändra hur UniGetUI hanterar installation, uppdatering och avinstallation.", "Change how UniGetUI installs packages, and checks and installs available updates": "Ändra hur UniGetUI installerar paket och kontrollerar och installerar tillgängliga uppdateringar", - "Change how operations request administrator rights": "Ändra hur åtgärder begär adminrättigheter", "Change install location": "Ändra installationsplats", - "Change this": "Ändra detta", - "Change this and unlock": "Ändra denna och lås upp", - "Check for package updates periodically": "Sök efter paketuppdateringar med jämna mellanrum", - "Check for updates": "Sök efter uppdateringar", - "Check for updates every:": "Sök efter uppdateringar varje:", "Check for updates periodically": "Sök efter uppdateringar med jämna mellanrum", "Check for updates regularly, and ask me what to do when updates are found.": "Sök efter uppdateringar regelbundet och fråga mig vad jag ska göra när uppdateringar hittas.", "Check for updates regularly, and automatically install available ones.": "Sök efter uppdateringar regelbundet och installera tillgängliga automatiskt.", @@ -159,805 +741,283 @@ "Checking for updates...": "Söker efter uppdateringar...", "Checking found instace(s)...": "Kontrollerar hittade instans(er)...", "Choose how many operations shouls be performed in parallel": "Välja hur många åtgärder ska kunna utföras parallellt", - "Clear cache": "Rensa cache", "Clear finished operations": "Rensa utförda åtgärder", - "Clear selection": "Rensa val", "Clear successful operations": "Rensa lyckade åtgärder", - "Clear successful operations from the operation list after a 5 second delay": "Rensa lyckade åtgärder från åtgärdslitan med 5 sekunders fördröjning", "Clear the local icon cache": "Rensa lokal ikoncache", - "Clearing Scoop cache - WingetUI": "Rensa Scoop-cache - UniGetUI", "Clearing Scoop cache...": "Rensar Scoop-cache...", - "Click here for more details": "Klicka här för fler detaljer", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Klicka på installera för att påbörja installation. UniGetUI kan bete sig annorlunda ifall du hoppar över installationen.", - "Close": "Stäng", - "Close UniGetUI to the system tray": "Stäng ned UniGetUI till systemfältet", "Close WingetUI to the notification area": "Stäng UniGetUI till meddelandefältet", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Molnsäkerhetskopian använder en privat GitHub Gist för att lagra en lista över installerade paket", - "Cloud package backup": "Säkerhetskopia av molnpaketet", "Command-line Output": "Kommandoradsutgång", - "Command-line to run:": "Kommandorad att köra:", "Compare query against": "Jämför sökning mot", - "Compatible with authentication": "Kompatibel med autentisering", - "Compatible with proxy": "Kompatibel med proxy", "Component Information": "Komponent information", - "Concurrency and execution": "Samtidighet och utförande", - "Connect the internet using a custom proxy": "Anslut internet genom att använda en anpassad proxy", - "Continue": "Fortsätt", "Contribute to the icon and screenshot repository": "Bidra till ikonen och skärmbildsförrådet", - "Contributors": "Bidragsgivare", "Copy": "Kopiera", - "Copy to clipboard": "Kopiera till urklipp", - "Could not add source": "Kunde inte lägga till källa", - "Could not add source {source} to {manager}": "Det gick inte att lägga till källan {source} till {manager}", - "Could not back up packages to GitHub Gist: ": "Kunde inte göra en säkerhetskopia till GitHub Gist:", - "Could not create bundle": "Kunde inte skapa ett paketgrupp", "Could not load announcements - ": "Det gick inte att läsa in meddelanden -", "Could not load announcements - HTTP status code is $CODE": "Det gick inte att läsa in meddelanden - HTTP-statuskoden är $CODE", - "Could not remove source": "Kunde inte ta bort källa", - "Could not remove source {source} from {manager}": "Det gick inte att ta bort källan {source} från {manager}", "Could not remove {source} from {manager}": "Kunde inte ta bort {source} från {manager}", - "Create .ps1 script": "Skapa .ps1 skript", - "Credentials": "Inloggningsuppgifter", "Current Version": "Aktuell version", - "Current executable file:": "Nuvarande körbara fil:", - "Current status: Not logged in": "Nuvarande status: Inte inloggad", "Current user": "Nuvarande användare", "Custom arguments:": "Anpassade argument:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Anpassade kommandoradsargument kan ändra hur program installeras, uppgraders eller avinstalleras på ett sätt som UniGetUI inte kan kontrollera. Användning av anpassad kommandorad kan bryta paket. Fortsätt med försiktighet.", "Custom command-line arguments:": "Anpassade kommandoradsargument:", - "Custom install arguments:": "Anpassade installationsargument:", - "Custom uninstall arguments:": "Anpassade avinstallationsargument", - "Custom update arguments:": "Anpassade uppdateringsargument", "Customize WingetUI - for hackers and advanced users only": "Anpassa UniGetUI - endast för hackare och avancerade användare", - "DEBUG BUILD": "Felsökningsversion", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ANSVARSFRISKRIVNING: VI ÄR INTE ANSVARIGA FÖR NEDLADDADE PAKETET. SE TILL ATT INSTALLERA ENDAST BETRODD MJUKVARA.", - "Dark": "Mörk", - "Decline": "Avböj", - "Default": "Standard", - "Default installation options for {0} packages": "Standard installationsinställning för {0} paket", "Default preferences - suitable for regular users": "Standardinställningar - lämplig för vanliga användare", - "Default vcpkg triplet": "Standard vcpkg triplet", - "Delete?": "Ta bort?", - "Dependencies:": "Underordnad:", - "Descendant": "Ättling", "Description:": "Beskrivning:", - "Desktop shortcut created": "Skrivbordsgenväg skapad", - "Details of the report:": "Rapportdetaljer:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Att utveckla är svårt och denna program är helt gratis. Men om du gillade den får du mer än gärna köpa en kaffe till mig :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Installera direkt när du dubbelklickar på ett objekt i fliken \"{discoveryTab}\" (istället för att visa paketinformationen)", "Disable new share API (port 7058)": "Inaktivera nytt delnings-API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Inaktivera 1-minut timeout för paketrelaterade åtgärder", - "Disabled": "Inaktiverad", - "Disclaimer": "Ansvarsfriskrivning", - "Discover Packages": "Upptäck paket", "Discover packages": "Upptäck paket", "Distinguish between\nuppercase and lowercase": "Skilj mellan versaler och gemener", - "Distinguish between uppercase and lowercase": "Skilj mellan stora och små bokstäver", "Do NOT check for updates": "Sök INTE efter uppdateringar", "Do an interactive install for the selected packages": "Gör en interaktiv installation för de valda paketen", "Do an interactive uninstall for the selected packages": "Gör en interaktiv avinstallation för de valda paketen", "Do an interactive update for the selected packages": "Gör en interaktiv uppdatering för de valda paketen", - "Do not automatically install updates when the battery saver is on": "Installera inte uppdateringar automatiskt när datorns strömsparläge är på", - "Do not automatically install updates when the device runs on battery": "Installera inte automatiska uppdateringar när datorn körs på batteri", - "Do not automatically install updates when the network connection is metered": "Installera inte automatiska uppdateringar vid användning av uppkoppling med datapriser", "Do not download new app translations from GitHub automatically": "Ladda inte ned nya appöversättningar från GitHub automatiskt", - "Do not ignore updates for this package anymore": "Ignorera inte längre uppdateringar för denna paket", "Do not remove successful operations from the list automatically": "Ta inte bort framgångsrika åtgärder från listan automatiskt", - "Do not show this dialog again for {0}": "Visa inte denna dialog igen för {0}", "Do not update package indexes on launch": "Uppdatera inte paketindex vid start", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Accepterar du att UniGetUI samlar in och skickar anonym användarstatistik? Den används endast för att förstå och förbättra använderupplevelsen.", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Tycker du att UniGetUI är användbart? Om du kan, kanske du vill stödja mitt arbete, så att jag kan fortsätta att göra UniGetUI till det ultimata pakethanteringsgränssnittet.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Tycker du att UniGetUI är användbart? Vill du stödja utvecklaren? I så fall kan du {0}, det hjälper mycket!", - "Do you really want to reset this list? This action cannot be reverted.": "Vill du verkligen nollställa denna lista? Åtgärden kan inte ångras.", - "Do you really want to uninstall the following {0} packages?": "Vill du verkligen avinstallera följande {0}-paket?", "Do you really want to uninstall {0} packages?": "Vill du verkligen avinstallera {0} paket?", - "Do you really want to uninstall {0}?": "Vill du verkligen avinstallera {0}?", "Do you want to restart your computer now?": "Vill du starta om din dator nu?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Vill du översätta UniGetUI till ditt språk? Se hur du bidrar HÄR!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Känner du inte för att donera? Oroa dig inte, du kan alltid dela UniGetUI med dina vänner. Sprid ordet om UniGetUI.", "Donate": "Donera", - "Done!": "Klart!", - "Download failed": "Nedladdning misslyckad", - "Download installer": "Hämta installationsprogrammet", - "Download operations are not affected by this setting": "Nedladdningsåtgärder är inte påverkade av denna inställning", - "Download selected installers": "Ladda ned valda installationer", - "Download succeeded": "Nedladdningen lyckades", "Download updated language files from GitHub automatically": "Ladda ned uppdaterade språkfiler från GitHub automatiskt", - "Downloading": "Laddar ned", - "Downloading backup...": "Laddar ner säkerhetskopia...", - "Downloading installer for {package}": "Hämtar installationsfil för {package}", - "Downloading package metadata...": "Laddar ned paketets metadata...", - "Enable Scoop cleanup on launch": "Aktivera Scoop-rensning vid start", - "Enable WingetUI notifications": "Aktivera UniGetUI-aviseringar", - "Enable an [experimental] improved WinGet troubleshooter": "Aktivera en [experimentell] förbättrad WinGet-felsökare", - "Enable and disable package managers, change default install options, etc.": "Aktivera och avaktivera pakethanterare, ställa in standardinställningar, etc.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Aktivera bakgrunds CPU användningsoptimering (se Pull-begäran #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Aktivera bakgrunds-API (UniGetUI Widgets and Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Aktivera den för att installera paket från {pm}.", - "Enable the automatic WinGet troubleshooter": "Aktivera den automatiska WinGet felsökningen", - "Enable the new UniGetUI-Branded UAC Elevator": "Aktivera den nya UniGetUI UAC höjaren", - "Enable the new process input handler (StdIn automated closer)": "Aktivera nya processen för inputhanteraren (StdIn automatiskt stängning)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aktivera nedanstående inställningar BARA OCH ENDAST OM du helt och fullt förstår vad de gör, eventuella konsekvenser och vilken fara detta kan medföra.", - "Enable {pm}": "Aktivera {pm}", - "Enabled": "Aktiverad", - "Enter proxy URL here": "Ange proxyadressen här", - "Entries that show in RED will be IMPORTED.": "Inlägg i RÖTT kommer att IMPORTERAS.", - "Entries that show in YELLOW will be IGNORED.": "Inlägg i GULT kommer att IGNORERAS.", - "Error": "Fel", - "Everything is up to date": "Allt är uppdaterat", - "Exact match": "Exakt matchning", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Befintliga genvägar på ditt skrivbord kommer att skannas och du får välja vilka som ska behållas och vilka ska tas bort.", - "Expand version": "Expandera version", - "Experimental settings and developer options": "Experimentella inställningar och utvecklaralternativ", - "Export": "Exportera", + "Downloading": "Laddar ned", + "Downloading installer for {package}": "Hämtar installationsfil för {package}", + "Downloading package metadata...": "Laddar ned paketets metadata...", + "Enable the new UniGetUI-Branded UAC Elevator": "Aktivera den nya UniGetUI UAC höjaren", + "Enable the new process input handler (StdIn automated closer)": "Aktivera nya processen för inputhanteraren (StdIn automatiskt stängning)", "Export log as a file": "Exportera logg som en fil", "Export packages": "Exportera paket", "Export selected packages to a file": "Exportera valda paket till en fil", - "Export settings to a local file": "Exportera inställningar till en lokal fil", - "Export to a file": "Exportera till en fil", - "Failed": "Misslyckad", - "Fetching available backups...": "Hämtar tillgängliga säkerhetskopior...", "Fetching latest announcements, please wait...": "Hämtar senaste meddelanden, vänligen vänta ...", - "Filters": "Filter", "Finish": "Avsluta", - "Follow system color scheme": "Följ systemets färgschema", - "Follow the default options when installing, upgrading or uninstalling this package": "Följ standardinställningen när du installerar, uppgraderar och avinstallerar denna paket", - "For security reasons, changing the executable file is disabled by default": "Av säkerhetsskäl är ändring av körbara filer inte tillåtet som standard", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Av säkerhetsskäl är anpassade kommandoradsargument avstängda som standard. Gå till UniGetUI säkerhetsinställningar för att ändra detta.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Av säkerhetsskäl är pre-operation och post-operation skript avstängda som standard. Gå till UniGetUI säkerhetsinställningar för att ändra detta.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Tvinga ARM-kompilerad winget-version (ENDAST FÖR ARM64-SYSTEM)", - "Force install location parameter when updating packages with custom locations": "Tvinga installationsplatsparameter vid uppdatering av paket med anpassade installationsplatser", "Formerly known as WingetUI": "Tidigare känt som WingetUI", "Found": "Hittade", "Found packages: ": "Hittade paket:", "Found packages: {0}": "Hittade paket: {0}", "Found packages: {0}, not finished yet...": "Hittade paket: {0}, inte klart ännu...", - "General preferences": "Allmänna inställningar", "GitHub profile": "GitHub-profil", "Global": "Global", - "Go to UniGetUI security settings": "Gå till UniGetUI säkerhetsinställningar", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Stort katalog av okända men användbara verktyg och andra intressanta paket.
Innehåller: Verktyg, kommandoradsprogram, allmän programvara (extras paketarkiv krävs)", - "Great! You are on the latest version.": "Grattis! Du använder senaste versionen.", - "Grid": "Rutnät", - "Help": "Hjälp", "Help and documentation": "Hjälp och dokumentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Här kan du ändra hur UniGetUI beter sig gällande följande genvägar. Markera en genväg och UniGetUI tar bort den vid en framtida uppgradering. Utan markering kommer genvägen bevaras intakt", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hej, jag heter Martí och jag är utvecklaren av UniGetUI. Programmet har gjorts helt på min fritid!", "Hide details": "Dölj detaljer", - "Homepage": "Websida", - "Hooray! No updates were found.": "Hurra! Inga uppdateringar hittades.", "How should installations that require administrator privileges be treated?": "Hur ska installationer som kräver administratörsrättigheter behandlas?", - "How to add packages to a bundle": "Hur lägger man till paket i en paketgrupp", - "I understand": "Jag förstår", - "Icons": "Ikoner", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Om du har molnsäkerheskopia valt, kommer den sparas som en GitHub Gist på denna konto", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Tillåt att anpassade för- och efterinstallationskommandon körs", - "Ignore future updates for this package": "Ignorera framtida uppdateringar för denna paket", - "Ignore packages from {pm} when showing a notification about updates": "Ignorera paket från {pm} när en notifiering om uppdatering visas", - "Ignore selected packages": "Ignorera valda paket", - "Ignore special characters": "Ignorera specialtecken", "Ignore updates for the selected packages": "Ignorera uppdateringar för de valda paketen", - "Ignore updates for this package": "Ignorera uppdateringar för detta paket", "Ignored updates": "Ignorerade uppdateringar", - "Ignored version": "Ignorerad version", - "Import": "Importera", "Import packages": "Importera paket", "Import packages from a file": "Importera paket från en fil", - "Import settings from a local file": "Importera inställningar från en lokal fil", - "In order to add packages to a bundle, you will need to: ": "För att lägga till paket i en paketgrupp behöver du:", "Initializing WingetUI...": "Initierar UniGetUI...", - "Install": "Installera", - "Install Scoop": "Installera Scoop", "Install and more": "Installera och mer", "Install and update preferences": "Installera och uppdatera inställningar", - "Install as administrator": "Installera som administratör", - "Install available updates automatically": "Installera tillgängliga uppdateringar automatiskt", - "Install location can't be changed for {0} packages": "Installationsplatsen kan inte ändras för {0} paketen", - "Install location:": "Installationsplats:", - "Install options": "Installationsinställningar", "Install packages from a file": "Installera paket från en fil", - "Install prerelease versions of UniGetUI": "Installera förhandsversioner av UniGetUI", - "Install script": "Installationsskript", "Install selected packages": "Installera valda paket", "Install selected packages with administrator privileges": "Installera valda paket med administratörsbehörighet", - "Install selection": "Installera val", "Install the latest prerelease version": "Installera den senaste förhandsversionen", "Install updates automatically": "Installera uppdateringar automatiskt", - "Install {0}": "Installera {0}", "Installation canceled by the user!": "Installationen avbröts av användaren!", - "Installation failed": "Installationen misslyckades", - "Installation options": "Installationsalternativ", - "Installation scope:": "Installationsomfång:", - "Installation succeeded": "Installationen lyckades", - "Installed Packages": "Installerade paket", - "Installed Version": "Installerad version", "Installed packages": "Installerade paket", - "Installer SHA256": "Installation SHA256", - "Installer SHA512": "Installation SHA512", - "Installer Type": "Installations typ", - "Installer URL": "Installations URL", - "Installer not available": "Installeraren inte tillgänglig", "Instance {0} responded, quitting...": "Förekomsten {0} svarade, avslutar...", - "Instant search": "Direktsökning", - "Integrity checks can be disabled from the Experimental Settings": "Integritetskontroller kan stängas av från Experimentinställningar", - "Integrity checks skipped": "Integritetskontrollerna ignorerades", - "Integrity checks will not be performed during this operation": "Integritetskontroller kommer inte utföras i denna åtgärd", - "Interactive installation": "Interaktiv installation", - "Interactive operation": "Interaktiv åtgärd", - "Interactive uninstall": "Interaktiv avinstallation", - "Interactive update": "Interaktiv uppdatering", - "Internet connection settings": "Inställningar för internetanslutning", - "Invalid selection": "Ogiltigt val", "Is this package missing the icon?": "Saknar paketet ikon?", - "Is your language missing or incomplete?": "Saknas ditt språk eller är det ofullständigt?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Kan inte garantera att inloggningsuppgifter kommer att lagras säkert, så du bör inte använda samma inloggning som till din bank", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Rekommenderar att du startar om UniGetUI efter att Winget blivit reparerad", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Rekommenderar starkt att du ominstallerar UniGetUI för att lösa situationen", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Det verkar som om Winget inte fungerar korrekt. Vill du reparera WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Det ser ut som att du körde UniGetUI som administratör, vilket inte rekommenderas. Du kan fortfarande använda programmet, men vi rekommenderar starkt att du inte kör WingetUI med administratörsbehörighet. Klicka på \"{showDetails}\" för att se varför.", - "Language": "Språk", - "Language, theme and other miscellaneous preferences": "Språk, tema och andra övriga preferenser", - "Last updated:": "Senast uppdaterad:", - "Latest": "Senaste", "Latest Version": "Senaste versionen", "Latest Version:": "Senaste versionen:", "Latest details...": "Senaste detaljerna...", "Launching subprocess...": "Startar underprocess...", - "Leave empty for default": "Lämna tomt som standard", - "License": "Licens", "Licenses": "Licenser", - "Light": "Ljust", - "List": "Lista", "Live command-line output": "Live kommandoradsutgång", - "Live output": "Live-utgång", "Loading UI components...": "Laddar UI-komponenter ...", "Loading WingetUI...": "Laddar UniGetUI...", - "Loading packages": "Laddar paket", - "Loading packages, please wait...": "Laddar paket, vänligen vänta ...", - "Loading...": "Laddar...", - "Local": "Lokal", - "Local PC": "Lokal PC", - "Local backup advanced options": "Avancerade inställningar för lokala säkerhetskopior", "Local machine": "Lokal maskin", - "Local package backup": "Lokal säkerhetskopia av paket", "Locating {pm}...": "Letar upp {pm}...", - "Log in": "Logga in", - "Log in failed: ": "Inloggning misslyckades:", - "Log in to enable cloud backup": "Logga in för att aktivera molnsäkerhetskopia", - "Log in with GitHub": "Logga in med GitHub", - "Log in with GitHub to enable cloud package backup.": "Logga in med GitHub för att aktivera molnsäkerhetskopia av paket", - "Log level:": "Loggnivå", - "Log out": "Logga ut", - "Log out failed: ": "Utloggning misslyckades", - "Log out from GitHub": "Logga ut från GitHub", "Looking for packages...": "Letar efter paket...", "Machine | Global": "Maskin | Global", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Felaktig kommandoradsargument kan förstöra paket eller tillåta att angripare utnyttjar för att få höga rättigheter. Därför är import av anpassade kommandoradsargument avstängt som standard.", - "Manage": "Hantera", - "Manage UniGetUI settings": "Hantera UniGetUI inställningar", "Manage WingetUI autostart behaviour from the Settings app": "Hantera UniGetUI:s autostartbeteende från Inställningar-appen", "Manage ignored packages": "Hantera ignorerade paket", - "Manage ignored updates": "Hantera ignorerade uppdateringar", - "Manage shortcuts": "Hantera genvägar", - "Manage telemetry settings": "Hantera telemetri-inställningar", - "Manage {0} sources": "Hantera {0} källor", - "Manifest": "Manifest", "Manifests": "Manifester", - "Manual scan": "Manuell skanning", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsofts officiella pakethanterare. Full av välkända och verifierade paket
Innehåller: Allmän programvara, Microsoft Store-appar", - "Missing dependency": "Saknat beroende", - "More": "Mer", - "More details": "Mer detaljer", - "More details about the shared data and how it will be processed": "Mer information gällande delad data och hur det hanteras", - "More info": "Mer info", - "More than 1 package was selected": "Fler än 1 paket valdes", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "OBS: Denna felsökning kan avaktiveras i inställningar för UniGetUI i WinGet avsnittet", - "Name": "Namn", - "New": "Nytt", "New Version": " Ny version", "New bundle": "Ny paketgrupp", - "New version": "Ny version", - "Nice! Backups will be uploaded to a private gist on your account": "Fint! Säkerhetskopior kommer att laddas upp till en privat gist på ditt konto", - "No": "Nej", - "No applicable installer was found for the package {0}": "Ingen lämplig installerare kunde hittas för paketet {0}", - "No dependencies specified": "Inga specificerade komponenter", - "No new shortcuts were found during the scan.": "Hittade inga nya genvägar vid skanning", - "No package was selected": "Inga paket har valts", "No packages found": "Inga paket hittades", "No packages found matching the input criteria": "Inga paket hittades som matchar inmatningskriterierna", "No packages have been added yet": "Inga paket har lagts till ännu", "No packages selected": "Inga paket har valts", - "No packages were found": "Inga paket hittades", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Personlig information samlas inte in eller skickas vidare. All insamlad data är anonymiserat och kan inte spåras tillbaka till dig.", - "No results were found matching the input criteria": "Inga resultat hittades som matchade inmatningskriterierna", "No sources found": "Inga källor hittades", "No sources were found": "Inga källor hittades", "No updates are available": "Inga uppdateringar är tillgängliga", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS:s pakethanterare. Fullt av bibliotek och andra verktyg som kretsar runt Javascript-världen
Innehåller: Node javascript-bibliotek och andra relaterade verktyg", - "Not available": "Inte tillgänglig", - "Not finding the file you are looking for? Make sure it has been added to path.": "Hittar du inte filen du söker? Säkerställ att den har lagts in i sökvägen.", - "Not found": "Hittades inte", - "Not right now": "Inte just nu", "Notes:": "Anteckningar:", - "Notification preferences": "Notifieringsinställningar", "Notification tray options": "Alternativ för aviseringsfack", - "Notification types": "Notifieringstyper", - "NuPkg (zipped manifest)": "NuPkg (zippad manifest)", - "OK": "OK", "Ok": "Ok", - "Open": "Öppna", "Open GitHub": "Öppna GitHub", - "Open UniGetUI": "Öppna UniGetUI", - "Open UniGetUI security settings": "Öppna säkerhetsinställningar för UniGetUI", "Open WingetUI": "Öppna UniGetUI", "Open backup location": "Öppna plats för säkerhetskopiering", "Open existing bundle": "Öppna befintlig paketgrupp", - "Open install location": "Öppna installationsplatsen", "Open the welcome wizard": "Öppna välkomstguiden", - "Operation canceled by user": "Åtgärden avbröts av användaren", "Operation cancelled": "Åtgärden avbröts", - "Operation history": "Åtgärdshistorik", - "Operation in progress": "Åtgärd pågår", - "Operation on queue (position {0})...": "Åtgärd på kö (position {0})...", - "Operation profile:": "Åtgärdsprofil", "Options saved": "Åtgärd sparad", - "Order by:": "Sortering:", - "Other": "Övrigt", - "Other settings": "Andra inställningar", - "Package": "Paket", - "Package Bundles": "Paketgrupper", - "Package ID": "Paket ID", "Package Manager": "Pakethanterare", - "Package Manager logs": "Pakethanterarens loggar", - "Package Managers": "Pakethanterare", - "Package Name": "Paketnamn", - "Package backup": "Säkerhetskopia av paket", - "Package backup settings": "Inställningar för paketets säkerhetskopia", - "Package bundle": "Paketgrupp", - "Package details": "Paketdetaljer", - "Package lists": "Paketlistor", - "Package management made easy": "Pakethantering på ett enkelt sätt", - "Package manager": "Pakethanterare", - "Package manager preferences": "Pakethanterarens inställningar", "Package managers": "Pakethanterare", - "Package not found": "Paketet hittades inte", - "Package operation preferences": "Inställningar för paketåtgärder", - "Package update preferences": "Inställningr för paketuppdateringar", "Package {name} from {manager}": "Paket {name} från {manager}", - "Package's default": "Paketets standardvärden", "Packages": "Paket", "Packages found: {0}": "Hittade paket: {0}", - "Partially": "Delvis", - "Password": "Lösenord", "Paste a valid URL to the database": "Klistra in en giltig URL i databasen", - "Pause updates for": "Pausa uppdateringar för", "Perform a backup now": "Gör en säkerhetskopia nu", - "Perform a cloud backup now": "Gör en molnsäkerhetskopia nu", - "Perform a local backup now": "Gör en lokal säkerhetskopia nu", - "Perform integrity checks at startup": "Genomför integritetskontroller vid start", - "Performing backup, please wait...": "Säkerhetskopiering utförs, vänligen vänta...", "Periodically perform a backup of the installed packages": "Utför regelbundet säkerhetskopiering av de installerade paketen", - "Periodically perform a cloud backup of the installed packages": "Gör periodiska molnsäkerhetskopior av installerade paket", - "Periodically perform a local backup of the installed packages": "Gör periodiska lokala säkerhetskopior av installerade paket", - "Please check the installation options for this package and try again": "Vänlgien kontrollera installationsinställningarna för paketet och prova igen", - "Please click on \"Continue\" to continue": "Vänligen klicka på \"Fortsätt\" för att fortsätta", "Please enter at least 3 characters": "Vänligen ange minst 3 tecken", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Observera att vissa paket kanske inte går att installera på grund av de pakethanterare som är aktiverade på den här maskinen.", - "Please note that not all package managers may fully support this feature": "Vänligen notera att alla pakethanterare kanske inte fullt stöder denna funktion", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Observera att paket från vissa källor kanske inte går att exportera. De är utgråade och kommer inte att exporteras.", - "Please run UniGetUI as a regular user and try again.": "Vänligen kör UniGetUI som en vanlig användare och prova igen.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Se kommandoradens utdata eller se Operation History för mer information om problemet.", "Please select how you want to configure WingetUI": "Var vänlig välj hur du vill konfigurera UniGetUI", - "Please try again later": "Försök igen senare", "Please type at least two characters": "Minst två tecken krävs", - "Please wait": "Vänligen vänta", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vänligen vänta medan {0} blir installerad. En svart (eller blå) fönster kan dyka upp. Vänta tills den stängs.", - "Please wait...": "Vänligen vänta...", "Portable": "Portabel", - "Portable mode": "Portabelt läge", - "Post-install command:": "Post-install kommando:", - "Post-uninstall command:": "Post-uninstall kommando:", - "Post-update command:": "Post-update kommando:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShells pakethanterare. Hitta bibliotek och skript för att utöka PowerShell-funktionerna
Innehåller: Moduler, skript, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Pre och post install kommandon kan orsaka otäcka saker på din enhet. Det kan bli farligt att importera kommandon från en paketgrupp såvida du inte litar på källa till paketgruppen.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Pre och post install kommandon kommer att köras före och efter paketet blir installerad, uppgraderad eller avinstallerad. Var medveten om att de kan göra skada om man inte är försiktig", - "Pre-install command:": "Pre-install kommando:", - "Pre-uninstall command:": "Pre-uninstall kommando:", - "Pre-update command:": "Pre-update kommando:", - "PreRelease": "Förhandsutgåva", - "Preparing packages, please wait...": "Förbereder paket, vänligen vänta ...", - "Proceed at your own risk.": "Fortsätt på egen risk", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Förhindra all typ av behörighetshöjning via UniGetUI höjaren eller GSudo", - "Proxy URL": "Proxy-URL", - "Proxy compatibility table": "Proxy kompabilitetstabell", - "Proxy settings": "Proxyinställningar", - "Proxy settings, etc.": "Proxyinställningar m.m.", "Publication date:": "Utgivningsdatum", - "Publisher": "Utgivare", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Pythons pakethanterare. Fullt med pythonbibliotek och andra pythonrelaterade verktyg
Innehåller: Pythonbibliotek och relaterade verktyg", - "Quit": "Avsluta", "Quit WingetUI": "Stäng UniGetUI", - "Ready": "Klar", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Reducera UAC-rutor, förhöj installationen som standard, lås upp vissa farliga funktioner m.m.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Hänvisar till UniGetUI:s loggar för mer detaljerad information om påverkad(e) filer.", - "Reinstall": "Ominstallera", - "Reinstall package": "Ominstallera paketet", - "Related settings": "Relaterade inställningar", - "Release notes": "Versionsinformation", - "Release notes URL": " Versionsinformation URL", "Release notes URL:": " Versionsinformation URL:", "Release notes:": "Versionsinformation:", "Reload": "Ladda om", - "Reload log": "Ladda om loggen", "Removal failed": "Borttagning misslyckades", "Removal succeeded": "Borttagning lyckades", - "Remove from list": "Ta bort från listan", "Remove permanent data": "Ta bort permanent data", - "Remove selection from bundle": "Ta bort urval från paketgruppen", "Remove successful installs/uninstalls/updates from the installation list": "Ta bort lyckade installationer/avinstallationer/uppdateringar från installationslistan", - "Removing source {source}": "Tar bort källan {source}", - "Removing source {source} from {manager}": "Ta bort källa {source} från {manager} ", - "Repair UniGetUI": "Reparera UniGetUI", - "Repair WinGet": "Reparera WinGet", - "Report an issue or submit a feature request": "Rapportera fel eller skicka begäran om förbättringar", "Repository": "Källkodsförråd", - "Reset": "Återställ", "Reset Scoop's global app cache": "Nollställ Scoops globala appcache", - "Reset UniGetUI": "Återställ UniGetUI", - "Reset WinGet": "Återställ WinGet", "Reset Winget sources (might help if no packages are listed)": "Nolställ WinGets källor (kan hjälpa om paket inte listas)", - "Reset WingetUI": "Återställ UniGetUI", "Reset WingetUI and its preferences": "Nollställ UniGetUI och dess inställningar", "Reset WingetUI icon and screenshot cache": "Nollställ UniGetUI ikonen och skärmdumpscachen", - "Reset list": "Återställ lista", "Resetting Winget sources - WingetUI": "Nollställer WinGets källor - UniGetUI ", - "Restart": "Starta om", - "Restart UniGetUI": "Starta om UniGetUI", - "Restart WingetUI": "Starta om UniGetUI", - "Restart WingetUI to fully apply changes": "Starta om UniGetUI för ändringarna ska tillämpas", - "Restart later": "Starta om senare", "Restart now": "Starta om nu", - "Restart required": "Omstart krävs", - "Restart your PC to finish installation": "Starta om din PC för att slutföra installationen", - "Restart your computer to finish the installation": "Starta om din dator för att avsluta installationen", - "Restore a backup from the cloud": "Återställ säkerhetskopia från molnet", - "Restrictions on package managers": "Restriktioner för pakethanterare", - "Restrictions on package operations": "Restriktioner för paketåtgärder", - "Restrictions when importing package bundles": "Restriktioner vid import av paketgrupper", - "Retry": "Försök igen", - "Retry as administrator": "Försök igen som administatör", - "Retry failed operations": "Försök igen de åtgärder som misslyckades", - "Retry interactively": "Försök igen interaktivt", - "Retry skipping integrity checks": "Försök att ignorera integritetskontrollerna igen", - "Retrying, please wait...": "Försöker igen, vänligen vänta...", - "Return to top": "Gå överst", - "Run": "Kör", - "Run as admin": "Kör som admin", - "Run cleanup and clear cache": "Kör städning och töm cachen", - "Run last": "Kör sist", - "Run next": "Kör nästa", - "Run now": "Kör nu", + "Restart your PC to finish installation": "Starta om din PC för att slutföra installationen", + "Restart your computer to finish the installation": "Starta om din dator för att avsluta installationen", + "Retry failed operations": "Försök igen de åtgärder som misslyckades", + "Retrying, please wait...": "Försöker igen, vänligen vänta...", + "Return to top": "Gå överst", "Running the installer...": "Kör installeraren...", "Running the uninstaller...": "Kör avinstalleraren", "Running the updater...": "Kör uppdateraren...", - "Save": "Spara", "Save File": "Spara fil", - "Save and close": "Spara och stäng", - "Save as": "Spara som", "Save bundle as": "Spara paketgruppen som", "Save now": "Spara nu", - "Saving packages, please wait...": "Sparar paket, vänligen vänta...", - "Scoop Installer - WingetUI": "Scoop installerare - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop avinstallerare - UniGetUI", - "Scoop package": "Scoop-paket", "Search": "Sök", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Sök för skrivbordsmjukvara, varna mig när uppdateringar är tillgänliga och gör inga nördiga saker. Jag vill inte att UniGetUI ska överkomplicera saker och ting, jag vill bara ha en enkel mjukvara butik", - "Search for packages": "Sök efter paket", - "Search for packages to start": "Sök efter paket att starta", - "Search mode": "Sökläge", "Search on available updates": "Sök efter tillgängliga uppdateringar", "Search on your software": "Sök på din mjukvara", "Searching for installed packages...": "Söker efter installerade paket...", "Searching for packages...": "Letar efter paket...", "Searching for updates...": "Letar efter uppdateringar...", - "Select": "Välj", "Select \"{item}\" to add your custom bucket": "Välj \"{item}\" för att lägga till din anpassade katalog", "Select a folder": "Välj mapp", - "Select all": "Välj alla", "Select all packages": "Välj alla paket", - "Select backup": "Välj säkerhetskopia", "Select only if you know what you are doing.": "Välj bara om du vet vad du gör.", "Select package file": "Välj paketfil", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Välj säkerhetskopian du vill öppna. Senare får du möjlighet att välja vilka paket/program du vill återställa.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Välj den körbara filen som ska användas. Följande lista visar körbara filer som har hittats av UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Välj de processer som bör stängas innan paketet installeras, uppdateras eller avinstalleras.", - "Select the source you want to add:": "Välj källan du vill lägga till:", - "Select upgradable packages by default": "Välj uppgraderingsbara paket som standard", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Välj vilket pakethanterare du vill använda ({0}), ställ hur paketen ska installeras, hantera hur adminrättigheter hanteras m.m.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handskakning skickad. Väntar för mottagarens svar... ({0}%)", - "Set a custom backup file name": "Ställ in filnamnet för den anpassade säkerhetskopian", "Set custom backup file name": "Ställ in filnamnet för den anpassade säkerhetskopian", - "Settings": "Inställningar", - "Share": "Dela", "Share WingetUI": "Dela UniGetUI", - "Share anonymous usage data": "Dela anonym användardata", - "Share this package": "Dela detta paket", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Skulle du ändra säkerhetsinställningarna behöver du öppna paketgruppen igen för att ändringarna ska slå igenom.", "Show UniGetUI on the system tray": "Visa UniGetUI i aktivitetsfältet", - "Show UniGetUI's version and build number on the titlebar.": "Visa UniGetUI:s version i titelraden", - "Show WingetUI": "Visa UniGetUI", "Show a notification when an installation fails": "Visa notifikation om en installation misslyckas", "Show a notification when an installation finishes successfully": "Visa notifikation när en installation lyckas", - "Show a notification when an operation fails": "Visa en notifiering när en åtgärd misslyckas", - "Show a notification when an operation finishes successfully": "Visa en notering när en åtgärd lyckas", - "Show a notification when there are available updates": "Visa en notifiering när en uppdatering finns tillgänglig", - "Show a silent notification when an operation is running": "Visa en tyst notifiering när en åtgärd körs", "Show details": "Visa detaljer", - "Show in explorer": "Visa i utforskaren", "Show info about the package on the Updates tab": "Visa information om paketet i uppdateringsfliken", "Show missing translation strings": "Visa saknade översättningssträngar", - "Show notifications on different events": "Visa notifiering om olika händelser", "Show package details": "Visa paketdetaljer", - "Show package icons on package lists": "Visa paketikoner på paketlistan", - "Show similar packages": "Visa liknande paket", "Show the live output": "Visa realtidsinformation", - "Size": "Storlek", "Skip": "Hoppa över", - "Skip hash check": "Ignorera hash-kontroll", - "Skip hash checks": "Ignorera hash-kontrollerna", - "Skip integrity checks": "Ignorera integritetskontrollerna", - "Skip minor updates for this package": "Ignorera mindre uppdateringar för denna paket", "Skip the hash check when installing the selected packages": "Ignorera hash-kontrollen när valda paketen installeras", "Skip the hash check when updating the selected packages": "Ignorera hash-kontrollen när valda paketen uppdateras", - "Skip this version": "Ignorera denna version", - "Software Updates": "Uppdateringar", - "Something went wrong": "Något gick fel", - "Something went wrong while launching the updater.": "Något gick fel vid starten av uppdateraren", - "Source": "Källa", - "Source URL:": "Källa URL:", - "Source added successfully": "Källan lades till", "Source addition failed": "Inläggning av källan misslyckades", - "Source name:": "Källnamnet:", "Source removal failed": "Borttagning av källan misslyckades", - "Source removed successfully": "Borttagning av källan lyckades", "Source:": "Källa:", - "Sources": "Källor", "Start": "Start", "Starting daemons...": "Startar daemons...", - "Starting operation...": "Startar åtgärd...", "Startup options": "Uppstartsalternativ", "Status": "Status", "Stuck here? Skip initialization": "Fastnade här? Hoppa över initieringen", - "Success!": "Lyckades!", "Suport the developer": "Stöd utvecklaren", "Support me": "Stöd mig", "Support the developer": "Stöd utvecklaren", "Systems are now ready to go!": "Systemen är nu redo att köras!", - "Telemetry": "Telemetri", - "Text": "Text", "Text file": "Textfil", - "Thank you ❤": "Tack ❤", - "Thank you \uD83D\uDE09": "Tack \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust pakethanteraren.
Innehåller. Rust bibliotek och program skrivna i Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Säkerhetskopian kommer INTE att inkludera några binärä filer eller sparas data från något program.", - "The backup will be performed after login.": "Säkerhetskopiering kommer att utföras efter inloggning.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Säkerhetskopia inkluderar en komplett lista över installerade paket och dess installationsinställningar. Ignorerade uppdateringar och version kommer också att sparas.", - "The bundle was created successfully on {0}": "Paketgruppen skapades den {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Paketgruppen du försöker ladda in verkar vara defekt. Vänligen kontrollera filen och prova igen.", + "Thank you 😉": "Tack 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Installerarens kontrollsumma överensstämmer inte med förväntad värde och därför kan inte dess äkthet bekräftas. Om du litar på utgivaren, {0} paketet igen och ignorera hash-kontrollen.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Den klassiska pakethanteren för Windows. Du hittar allt där.
Innehåller: Allmän mjukvara", - "The cloud backup completed successfully.": "Molnsäkerhetskopian färdigställdes.", - "The cloud backup has been loaded successfully.": "Molnsäkerhetskopian har laddats.", - "The current bundle has no packages. Add some packages to get started": "Nuvarande paketgrupp innehåller inga paket. Lägg till några paket för att komma igång", - "The executable file for {0} was not found": "Körbara filen för {0} kunde inte hittas", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Följäande åtgärder kommer tillämpas som standard varje gång en {0} paket installeras, uppgraderas eller avinstalleras.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Följande paket kommer att exporteras till en JSON-fil. Användardata och binärfiler kommer inte att sparas.", "The following packages are going to be installed on your system.": "Följande paket kommer att installeras på ditt system.", - "The following settings may pose a security risk, hence they are disabled by default.": "Följander inställningar kan innebär en säkerhetsrisk och därför är det inaktiverad som standard.", - "The following settings will be applied each time this package is installed, updated or removed.": "Följande inställningar kommer att tillämpas varje gång detta paket installeras, uppdateras eller avinstalleras.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Följande inställningar kommer att tillämpas varje gånger detta paket installeras, uppdateras eller avinstalleras. Inställningarna sparas automatiskt.", "The icons and screenshots are maintained by users like you!": "Ikoner och skärmdumpar upprätthålls av användare som dig!", - "The installation script saved to {0}": "Installationskriptet sparades till {0}", - "The installer authenticity could not be verified.": "Installerarens äkthet kunde inte verifieras.", "The installer has an invalid checksum": "Installeraren har en ogiltig kontrollsumma.", "The installer hash does not match the expected value.": "Installerarens hash överensstämmer inte med förväntat värde.", - "The local icon cache currently takes {0} MB": "Lokala ikoncache upptar för närvarande {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Syftet med detta projekt är att skapa en naturlig användargränssnitt för de vanligaste CLI-pakethanterarna för Windows, såsom WinGet och Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Paket {0} kunde inte hittas i pakethanteraren {1}", - "The package bundle could not be created due to an error.": "Paketgruppen kunde inte skapas på grund av något fel.", - "The package bundle is not valid": "Paketgruppen är inte giltig", - "The package manager \"{0}\" is disabled": "Pakethanterare {0} är inaktiverad", - "The package manager \"{0}\" was not found": "Pakethanteraren {0} kunde inte hittas", "The package {0} from {1} was not found.": "Paket {0} från {1} kunde inte hittas.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Paketen listade här kommer inte tas hänsyn till vid uppdatering. Dubbelklicka på dem eller klicka på knappen till höger om dessa för att sluta ignorera dessa uppdateringar.", "The selected packages have been blacklisted": "Valda paket har blivit svartlistade", - "The settings will list, in their descriptions, the potential security issues they may have.": "Inställningarna visar i dess beskrivning vilka eventuella säkerhetsrisker de kan ha.", - "The size of the backup is estimated to be less than 1MB.": "Säkerhetskopians storlek är beräknad till mindre än 1 MB.", - "The source {source} was added to {manager} successfully": "Källan {source} har lagts till i {manager}", - "The source {source} was removed from {manager} successfully": "Källan {source} togs bort från {manager}", - "The system tray icon must be enabled in order for notifications to work": "Systemfältsikonen måste aktiveras för att notifieringar ska fungera", - "The update process has been aborted.": "Uppdateringsprocessen har avbrutits", - "The update process will start after closing UniGetUI": "Uppdateringen startar när UniGetUI stängs", "The update will be installed upon closing WingetUI": "Uppdateringen startar när UniGetUI stängs", "The update will not continue.": "Uppdateringen kommer inte att fortsätta.", "The user has canceled {0}, that was a requirement for {1} to be run": "Användaren avbröt {0}, det fanns ett krav att {1} måste köras", - "There are no new UniGetUI versions to be installed": "Det finns ingen nyare UniGetUI version att installera", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Det finns pågående åtgärder. Genom att stänga UniGetUI kan dessa misslyckas. Vill du fortsätta?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Det finns några bra videor på YouTube som visar UniGetUI och dessa funktioner. Där kan du lära dig användbara tips och trix!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Det finns två orsaker till att inte köra UniGetUI som admin:\nDet första är att Scoop pakethanterare kan orsaka problem med vissa kommandon om dessa körs med adminrättigheter.\nDet andra är att om UniGetUI körs med adminrättigheter så kan alla paket du laddar ner kunna köras som admin och det är inte säkert.", - "There is an error with the configuration of the package manager \"{0}\"": "Ett fel uppstod vid inställning av pakethanteraren {0}", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Det finns en pågående installation. Om du stänger UniGetUI kan installationen misslyckas eller orsaka problem. Vill du ändå stänga av UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Dessa är programmet som är ansvariga för installation, uppdatering och borttagning av paket.", - "Third-party licenses": "Tredjepartslicenser", "This could represent a security risk.": "Detta kan innebära en en säkerhetsrisk.", - "This is not recommended.": "Detta är inte rekommenderat.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Detta orsakades troligen av att paketet du skickade är borttagen eller publicerad av en pakethanterare du inte har aktiverat. Mottagar ID:n är {0}", "This is the default choice.": "Detta är standardvalet.", - "This may help if WinGet packages are not shown": "Detta kan hjälpa ifall WinGet paketen inte visas", - "This may help if no packages are listed": "Detta kan hjälpa ifall inga paket listas.", - "This may take a minute or two": "Detta kan ta en minut eller två", - "This operation is running interactively.": "Denna åtgärd körs interaktivt.", - "This operation is running with administrator privileges.": "Denna åtgärd körs med adminrättigheter.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Denna inställning KOMMER att skapa problem. Alla åtgärder som inte kan höja sig själv KOMMER MISSLYCKAS. Installering/uppdatering/avinstallering som administrator kommer INTE FUNGERA.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Denna paketgrupp har några inställningar som kan vara farliga och som kan åsidosättas som standard.", "This package can be updated": "Denna paket kan uppdateras", "This package can be updated to version {0}": "Denna paket kan uppdateras till version {0}", - "This package can be upgraded to version {0}": "Denna paket kan uppgraderas till version {0}", - "This package cannot be installed from an elevated context.": "Denna paket kan inte installeras med adminrättigheter.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Denna paket har ingen skärmdump eller saknas ikonen. Bidra till UniGetUI genom att lägga till den saknade ikonen och skärmdumpa den till vår öppna och publika databas.", - "This package is already installed": "Denna paket är redan installerad", - "This package is being processed": "Den paket är under behandling", - "This package is not available": "Paketet är inte tillgängligt", - "This package is on the queue": "Paketet är i kö", "This process is running with administrator privileges": "Denna åtgärd körs med adminrättigheter", - "This project has no connection with the official {0} project — it's completely unofficial.": "Denna projekt har ingen koppling med den officiella {0} projektet, den är helt inofficiell.", "This setting is disabled": "Inställningen är avaktiverad", "This wizard will help you configure and customize WingetUI!": "Guiden vill hjälpa dig att ställa in och anpassa UniGetUI!", "Toggle search filters pane": "Växla sökfiltrets fönster", - "Translators": "Översättare", - "Try to kill the processes that refuse to close when requested to": "Försök att avsluta den process som inte vill stänga", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Genom att aktivera denna kan körbara filer interagera med pakethanterare. Detta möjliggör en mer exakt anpassning av installationsprocessen, men den gör den också mer farlig", "Type here the name and the URL of the source you want to add, separed by a space.": "Skriv in namn och URL till källan du vill lägga till, separera med ett mellanslag.", "Unable to find package": "Kan inte hitta paketet", "Unable to load informarion": "Kan inte läsa in informationen", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI hämtar anonym data för att förbättra användarupplevelsen.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI hämtar anonymiserad användardata endast för att förstå och förbättra användarupplevelsen.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI har hittat ett nytt skrivbordsgenvän som kan tas bort automatiskt.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI har hittat följande skrivsbordsgenväg som kan tas bort automatiskt på kommande uppgraderingar", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI har hittat {0} nytt skrivbordsgenväg som kan tas bort automatiskt.", - "UniGetUI is being updated...": "UniGetUI uppdateras...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI har inget att göra med de kompatibla pakethanterarna. UniGetUI är en självständigt projekt.", - "UniGetUI on the background and system tray": "UniGetUI i bakgrunden och i systemfältet", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI eller någon av dess komponenter saknas eller är korrupta.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI kräver {0} för att fungera, men den kan inte hittas i ditt system.", - "UniGetUI startup page:": "UniGetUI:s startsida:", - "UniGetUI updater": "UniGetUI updaterare", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} laddas nu ned.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} är redo att installeras.", - "Uninstall": "Avinstallera", - "Uninstall Scoop (and its packages)": "Avinstallera Scoop och dess paket", "Uninstall and more": "Avinstallera och mera", - "Uninstall and remove data": "Avinstallera och ta bort data", - "Uninstall as administrator": "Avinstallera som administratör", "Uninstall canceled by the user!": "Avinstallation avbröts av användaren!", - "Uninstall failed": "Avinstallation misslyckad", - "Uninstall options": "Avinstallationinställningar", - "Uninstall package": "Avinstallera paket", - "Uninstall package, then reinstall it": "Avinstallera paket och sedan ominstallera den", - "Uninstall package, then update it": "Avinstallera paketet, uppdatera sen sidan", - "Uninstall previous versions when updated": "Avinstallera föregående versioner vid uppdatering", - "Uninstall selected packages": "Avinstallera valda paket", - "Uninstall selection": "Avinstallera urval", - "Uninstall succeeded": "Avinstallation lyckad", "Uninstall the selected packages with administrator privileges": "Avinstallera valda paket med adminrättighet", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Paket som inte går att avinstallera listande som {0} är inte publicerade i någon pakethantera. Så det finns ingen information tillgänglig.", - "Unknown": "Okänd", - "Unknown size": "Okänd storlek", - "Unset or unknown": "Avstängt eller okänt", - "Up to date": "Senaste versionen", - "Update": "Uppdatera", - "Update WingetUI automatically": "Uppdatera UniGetUI automatiskt", - "Update all": "Uppdatera alla", "Update and more": "Uppdatera och mer", - "Update as administrator": "Uppdatera som administratör", - "Update check frequency, automatically install updates, etc.": "Uppdateringsintervall, automatiska uppdateringar m.m.", - "Update checking": "Uppdateringskontroll", "Update date": "Datum för uppdatering", - "Update failed": "Uppdatering misslyckad", "Update found!": "Uppdatering hittad!", - "Update now": "Uppdatera nu", - "Update options": "Uppdateringsinställningar", "Update package indexes on launch": "Uppdateringspaketet indexeras vid start", "Update packages automatically": "Uppdatera paket automatiskt", "Update selected packages": "Uppdatera valda paket", "Update selected packages with administrator privileges": "Uppdatera valda paket med adminrättigheter", - "Update selection": "Uppdatera valda", - "Update succeeded": "Uppdatering lyckad", - "Update to version {0}": "Uppdatera till version {0}", - "Update to {0} available": "Uppdatering till {0} är tillgänglig", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Uppdatera vcpkg:s Git portfiler automatiskt (kräver installerad Git)", "Updates": "Uppdateringar", "Updates available!": "Uppdateringar tillgängliga!", - "Updates for this package are ignored": "Uppdateringar för denna paket ignoreras", - "Updates found!": "Uppdateringar hittade!", "Updates preferences": "Uppdateringsinställningar", "Updating WingetUI": "Uppdaterar UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Använd Legacy paketgruppen av WinGet istället för PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Använd en anpassad icon och skärmdumps databas URL", "Use bundled WinGet instead of PowerShell CMDlets": "Använd paketgruppen WinGet istället för PowerShell CMDLets", - "Use bundled WinGet instead of system WinGet": "Använd paketgruppen WinGet istället för system WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Används installerad GSudo istället för UniGetUI höjaren", "Use installed GSudo instead of the bundled one": "Använd installerad GSudir istället för paketgruppsvarianten", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Använd äldre UniGet höjaren (kan vara bra om du stöter på problem med nya UniGet höjaren)", - "Use system Chocolatey": "Använd Chocolatey-systemet", "Use system Chocolatey (Needs a restart)": "Används Chocolatey-systemet (kräver omstart)", "Use system Winget (Needs a restart)": "Använd Winget-systemet (kräver omstart)", "Use system Winget (System language must be set to english)": "Använd WinGet (Systemspråket måste vara Engelska)", "Use the WinGet COM API to fetch packages": "Använder WinGet COM API för att hämta paket", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Använd WinGet Powershell modul istället för WinGet COM API", - "Useful links": "Användbara länkar", "User": "Användare", - "User interface preferences": "Utseendeinstälningar", "User | Local": "Användare | Lokal", - "Username": "Användarnamn", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Användning av UniGetUI innebär att du accepterar GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Användning av UniGetUI innebär att du accepterar MIT licensen", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "VCPkg roten kunde inte hittas. Vänligen definiera %VCPKG_ROOT% miljövariabeln eller ställ in det i UniGetUI:s inställningar.", "Vcpkg was not found on your system.": "Vcpkg kunde inte hittas på ditt system.", - "Verbose": "Utökad", - "Version": "Version", - "Version to install:": "Version att installera:", - "Version:": "Version:", - "View GitHub Profile": "Visa GitHub-profil", "View WingetUI on GitHub": "Visa UniGetUI på GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Se UniGetUI:s källkod. Där kan du anmäla buggar eller förslå förbättringar eller bidra direkt till UniGetUI projektet.", - "View mode:": "Visningsläge:", - "View on UniGetUI": "Visa i UniGetUI", - "View page on browser": "Visa sidan i webbläsaren", - "View {0} logs": "Se {0} loggar", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Vänta tills enheten är ansluten till internet innan du börjar med uppgifter som kräver internetuppkoppling.", "Waiting for other installations to finish...": "Väntar på att andra installationer blir klara...", "Waiting for {0} to complete...": "Väntar på att {0} blir klar...", - "Warning": "Varning", - "Warning!": "Varning!", - "We are checking for updates.": "Söker efter uppdateringar.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Kunde inte ladda detaljerad information om denna paket, det fanns ingen information i paketets källa.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Kunde inte ladda detaljerad information om denna paket, den blev inte installerad med någon tillgängliga pakethanterare.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Kunde inte {action} {package}. Vänligen prova igen senare. Klicka på {showDetails} för att få loggfiler från installeraren.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Kunde inte {action} {package}. Vänligen prova igen senare. Klicka på {showDetails} för att få loggfiler från avinstalleraren.", "We couldn't find any package": "Kunde inte hitta några paket", "Welcome to WingetUI": "Välkommen till UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Vid batch-installation av paket från en paketgruppen, installera även paket som är redan installerade.", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "När nya genvägar hittas, raderas de automatiskt istället för att visa denna dialog.", - "Which backup do you want to open?": "Vilken säkerhetskopia vill du öppna?", "Which package managers do you want to use?": "Vilken pakethanterare vill du använda?", "Which source do you want to add?": "Vilken källa vill du lägga till?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WinGet kan användas inom UniGetUI. UniGetUI kan användas av andra pakethanterare och detta kan upplevas förvirrande. Men förr så var UniGetUI gjord för att endast fungera med WinGet. Så är det inte längre och därför kan inte det som då hette WinGetUI längre representera vad det här projektet siktar på att bli", - "WinGet could not be repaired": "WinGet kunde inte repareras", - "WinGet malfunction detected": "WinGet-fel hittades", - "WinGet was repaired successfully": "WinGet har reparerats", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Allt är uppdaterat", "WingetUI - {0} updates are available": "UniGetUI - {0} uppdateringar är tillgängliga", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI Websida", "WingetUI Homepage - Share this link!": "UniGetUI Websida - Dela länken!", - "WingetUI License": "UniGetUI-licens", - "WingetUI Log": "UniGetUI logg", - "WingetUI Repository": "UniGetUI-repository", - "WingetUI Settings": "UniGetUI inställningar", "WingetUI Settings File": "UniGetUI inställningsfil", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI använder följande bibliotek. Utan dessa hade inte UniGetUI funnits.", - "WingetUI Version {0}": "UniGetUI version {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostartsbeteende, startinställningar", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI kan kontrollera om din mjukvara har tillgängliga uppdateringar och installera dessa automatiskt", - "WingetUI display language:": "UniGetUI visningsspråk", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI har körts med adminrättigheter vilket inte är att rekommendera. VARJE åtgärd kommer då ha adminrättigheter. Du kan fortfarande använda programmet men vi rekommenderar starkt att INTE köra UniGetUI med adminrättigheter.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI är översatt till mer än 40 språk tack vara våra frivilliga översättare. Tack \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": " UniGetUI är inte maskinöversatt! Följande användare har varit ansvariga för översättningarna:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI är ett program som mjukvaruhanteringen enklare genom att erbjuda ett tilltalande grafiskt gränssnitt för dina kommandorads pakethanterare.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI har fått en nytt namn för att tydligt visa skillnaden mellan UniGetUI (gränssnittet du använder nu) och WinGet (en pakethanterare utvecklad av Microsoft vilka vi inte har någon koppling med alls)", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI uppdateras. När den är klar så kommer UniGetUI att starta om sig själv", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI är gratis och kommer alltid att vara gratis. Ingen reklam, inga kreditkort, ingen premiumversio. 100% gratis, för alltid.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI kommer via en UAC dialogruta varje gång ett paket kräver förhöjd behörighet för att installeras.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WinGetUI kommer snart att heta {newname}. Det betyder ingen ändring i programmet. Jag, utvecklaren kommer att fortsätta utveckla projektet precis som idag fast under ett annat namn.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI skulle inte vara möjlig utan all hjälp av våra medarbetare. Koll ain deras GitHub.produkter. Utan dem skulle inte UniGetUI vara möjlig!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI skulle inte finns utan all hjälp från våra medarbetare. Ett stort tack! \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} är redo att installeras.", - "Write here the process names here, separated by commas (,)": "Skriv in processnamnen här, skilj åt med komma (,)", - "Yes": "Ja", - "You are logged in as {0} (@{1})": "Du är inloggad som {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Du kan ändra detta beteende i UniGetUI:s säkerhetsinställningar.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Du kan definiera kommandon som ska köras före eller efter att paketet installeras, uppdateras eller avinstalleras. De körs på en kommandotolk, så CMD skript kommer att fungera.", - "You have currently version {0} installed": "Du har just nu version {0} installerad", - "You have installed WingetUI Version {0}": "Du har installerat UniGetUI version {0}", - "You may lose unsaved data": "Osparad data kan förloras", - "You may need to install {pm} in order to use it with WingetUI.": "Du kan behöva installera {pm} för att kunna använda den med UniGetUI.", "You may restart your computer later if you wish": "Du kan starta om din dator senare om du vill", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Du kommer bli påmind endast en gång och adminrättigheter kommer att ges till paket som önskar ha det.", "You will be prompted only once, and every future installation will be elevated automatically.": "Du kommer bli påmind endast en gång och varje framtida installation kommer att få ökade rättigheter automatiskt.", - "You will likely need to interact with the installer.": "Du måste troligen interagera med installeraren.", - "[RAN AS ADMINISTRATOR]": "KÖRS SOM ADMIN", "buy me a coffee": "köp mig en kaffe", - "extracted": "extraherad", - "feature": "funktion", "formerly WingetUI": "före detta WingetUI", "homepage": "websida", "install": "installera", "installation": "installation", - "installed": "installerad", - "installing": "installeras", - "library": "bibliotek", - "mandatory": "obligatorisk", - "option": "inställning", - "optional": "valfri", "uninstall": "avinstallera", "uninstallation": "avinstallation", "uninstalled": "avinstallerad", - "uninstalling": "avinstallerar", "update(noun)": "uppdatering", "update(verb)": "uppdatera", "updated": "uppdaterad", - "updating": "uppdaterar", - "version {0}": "version {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} installationsinställningar är låsta på grund av att {0} följer standardinställningarna.", "{0} Uninstallation": "{0} avinstallation", "{0} aborted": "{0} avbruten", "{0} can be updated": "{0} kan uppdateras", - "{0} can be updated to version {1}": "{0} kan uppdateras till version {1}", - "{0} days": "{0} dagar", - "{0} desktop shortcuts created": "{0} skrivbordsgenväg skapades", "{0} failed": "{0} misslyckad", - "{0} has been installed successfully.": "{0} installerades", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} installerades. Rekommenderar omstart av UniGetUI för att slutföra installationen", "{0} has failed, that was a requirement for {1} to be run": "{0} misslyckades, den krävdes för att {1} skulle kunna köras", - "{0} homepage": "{0} websida", - "{0} hours": "{0} timmar", "{0} installation": "{0} installation", - "{0} installation options": "{0} installationsalternativ", - "{0} installer is being downloaded": "{0} installeraren laddas ned", - "{0} is being installed": "{0} installeras", - "{0} is being uninstalled": "{0} avinstalleras", "{0} is being updated": "{0} är under uppdatering", - "{0} is being updated to version {1}": "{0} uppdateras till version {1}", - "{0} is disabled": "{0} är inaktiverad", - "{0} minutes": "{0} minuter", "{0} months": "{0} månader", - "{0} packages are being updated": "{0} paket uppdateras", - "{0} packages can be updated": "{0} paket kan uppdateras", "{0} packages found": "{0} paket hittades", "{0} packages were found": "{0} paket hittades", - "{0} packages were found, {1} of which match the specified filters.": "{1} paket hittades, varav {0} matchade filtret", - "{0} selected": "{0} valda", - "{0} settings": "{0} inställningar", - "{0} status": "{0} status", "{0} succeeded": "{0} lyckades", "{0} update": "{0} uppdatering", - "{0} updates are available": "{0} uppdateringar är tillgängliga", "{0} was {1} successfully!": "{0} var {1} framgångsrikt!", "{0} weeks": "{0} veckor", "{0} years": "{0} år", "{0} {1} failed": "{0} {1} misslyckades", - "{package} Installation": "{package} installation", - "{package} Uninstall": "{package} avinstallera", - "{package} Update": "{package} Uppdaterar", - "{package} could not be installed": "{package} kunde inte installeras", - "{package} could not be uninstalled": "{package} kunde inte avinstalleras", - "{package} could not be updated": "{package} kunde inte uppdateras", "{package} installation failed": "{package} installation misslyckad", - "{package} installer could not be downloaded": "{package} installeraren kunde inte laddas ned", - "{package} installer download": "{package} installerarens nedladdning", - "{package} installer was downloaded successfully": "{package} installeraren laddades ned", "{package} uninstall failed": "{package} avinstallation misslyckad", "{package} update failed": "{package} uppdatering misslyckad", "{package} update failed. Click here for more details.": "{package} uppdatering misslyckades. Klicka här för mer information.", - "{package} was installed successfully": "{package} installerades", - "{package} was uninstalled successfully": "{package} avinstallerades", - "{package} was updated successfully": "{package} uppdaterades", - "{pcName} installed packages": "{pcName} installerade paket", "{pm} could not be found": "{pm} kunde inte hittas", "{pm} found: {state}": "{pm} hittade: {state}", - "{pm} is disabled": "{pm} är inaktiverad", - "{pm} is enabled and ready to go": "{pm} är tillgänglig och redo att användas", "{pm} package manager specific preferences": "{pm} pakethanterarens specifika inställningar", "{pm} preferences": "{pm} inställningar", - "{pm} version:": "{pm} version:", - "{pm} was not found!": "{pm} kunde inte hittas!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Hej, jag heter Martí och jag är utvecklaren av UniGetUI. Programmet har gjorts helt på min fritid!", + "Thank you ❤": "Tack ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Denna projekt har ingen koppling med den officiella {0} projektet, den är helt inofficiell." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ta.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ta.json index e94c195eb2..861f991ab7 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ta.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ta.json @@ -1,155 +1,737 @@ { + "Operation in progress": "operation நடைபெற்று கொண்டிருக்கிறது", + "Please wait...": "தயவுசெய்து காத்திருக்கவும்...", + "Success!": "வெற்றி!", + "Failed": "தோல்வியடைந்தது", + "An error occurred while processing this package": "இந்த தொகுப்பை செயலாக்கும்போது பிழை ஏற்பட்டது", + "Log in to enable cloud backup": "cloud backup ஐ செயல்படுத்த உள்நுழையவும்", + "Backup Failed": "காப்புப்பிரதி தோல்வியுற்றது", + "Downloading backup...": "backup பதிவிறக்கப்படுகிறது...", + "An update was found!": "ஒரு புதுப்பிப்பு கிடைத்தது!", + "{0} can be updated to version {1}": "{0} ஐ version {1} க்கு update செய்யலாம்", + "Updates found!": "updates கிடைத்தன!", + "{0} packages can be updated": "{0} packages update செய்யப்படலாம்", + "You have currently version {0} installed": "உங்களிடம் தற்போது version {0} install செய்யப்பட்டுள்ளது", + "Desktop shortcut created": "desktop shortcut உருவாக்கப்பட்டது", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "தானாக delete செய்யக்கூடிய புதிய desktop shortcut ஒன்றை UniGetUI கண்டறிந்துள்ளது.", + "{0} desktop shortcuts created": "{0} desktop shortcuts உருவாக்கப்பட்டன", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "தானாக delete செய்யக்கூடிய {0} புதிய desktop shortcuts ஐ UniGetUI கண்டறிந்துள்ளது.", + "Are you sure?": "உறுதியாக இருக்கிறீர்களா?", + "Do you really want to uninstall {0}?": "{0} ஐ uninstall செய்ய உண்மையில் விரும்புகிறீர்களா?", + "Do you really want to uninstall the following {0} packages?": "கீழ்க்கண்ட {0} packages ஐ uninstall செய்ய உண்மையில் விரும்புகிறீர்களா?", + "No": "இல்லை", + "Yes": "ஆம்", + "View on UniGetUI": "UniGetUI இல் பார்", + "Update": "update", + "Open UniGetUI": "UniGetUI ஐத் திற", + "Update all": "அனைத்தையும் update செய்", + "Update now": "இப்போது update செய்", + "This package is on the queue": "இந்த package queue இல் உள்ளது", + "installing": "install செய்யப்படுகிறது", + "updating": "update செய்யப்படுகிறது", + "uninstalling": "uninstall செய்யப்படுகிறது", + "installed": "install செய்யப்பட்டது", + "Retry": "மீண்டும் முயற்சி செய்", + "Install": "install செய்", + "Uninstall": "uninstall செய்", + "Open": "திற", + "Operation profile:": "operation profile:", + "Follow the default options when installing, upgrading or uninstalling this package": "இந்த package ஐ install, upgrade அல்லது uninstall செய்யும் போது இயல்புநிலை options ஐப் பின்பற்று", + "The following settings will be applied each time this package is installed, updated or removed.": "இந்த package install, update அல்லது remove செய்யப்படும் ஒவ்வொரு முறையும் பின்வரும் settings பயன்படுத்தப்படும்.", + "Version to install:": "install செய்ய வேண்டிய version:", + "Architecture to install:": "நிறுவ வேண்டிய architecture:", + "Installation scope:": "installation scope:", + "Install location:": "install location:", + "Select": "தேர்ந்தெடு", + "Reset": "மீட்டமை", + "Custom install arguments:": "தனிப்பயன் install arguments:", + "Custom update arguments:": "தனிப்பயன் update arguments:", + "Custom uninstall arguments:": "தனிப்பயன் uninstall arguments:", + "Pre-install command:": "pre-install command:", + "Post-install command:": "post-install command:", + "Abort install if pre-install command fails": "pre-install command தோல்வியுற்றால் நிறுவலை நிறுத்து", + "Pre-update command:": "pre-update command:", + "Post-update command:": "post-update command:", + "Abort update if pre-update command fails": "pre-update command தோல்வியுற்றால் புதுப்பிப்பை நிறுத்து", + "Pre-uninstall command:": "pre-uninstall command:", + "Post-uninstall command:": "post-uninstall command:", + "Abort uninstall if pre-uninstall command fails": "pre-uninstall command தோல்வியுற்றால் அகற்றலை நிறுத்து", + "Command-line to run:": "இயக்க வேண்டிய command-line:", + "Save and close": "சேமித்து மூடு", + "Run as admin": "admin ஆக இயக்கு", + "Interactive installation": "interactive installation", + "Skip hash check": "hash check ஐ தவிர்", + "Uninstall previous versions when updated": "update ஆனபோது முந்தைய versions ஐ uninstall செய்", + "Skip minor updates for this package": "இந்த package க்கான minor updates ஐ தவிர்", + "Automatically update this package": "இந்த தொகுப்பை தானாகப் புதுப்பி", + "{0} installation options": "{0} நிறுவல் விருப்பங்கள்", + "Latest": "சமீபத்தியது", + "PreRelease": "pre-release", + "Default": "இயல்புநிலை", + "Manage ignored updates": "புறக்கணிக்கப்பட்ட updates ஐ நிர்வகி", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "இங்கே பட்டியலிடப்பட்டுள்ள packages updates சரிபார்க்கும் போது கணக்கில் எடுத்துக்கொள்ளப்படமாட்டாது. அவற்றின் updates ஐ புறக்கணிப்பதை நிறுத்த double-click செய்யவும் அல்லது வலப்பக்கத்தில் உள்ள button ஐ click செய்யவும்.", + "Reset list": "பட்டியலை reset செய்", + "Package Name": "package பெயர்", + "Package ID": "package ID", + "Ignored version": "புறக்கணிக்கப்பட்ட பதிப்பு", + "New version": "புதிய பதிப்பு", + "Source": "source", + "All versions": "எல்லா பதிப்புகளும்", + "Unknown": "அறியப்படாதது", + "Up to date": "புதுப்பிக்கப்பட்டது", + "Cancel": "ரத்து", + "Administrator privileges": "நிர்வாகி சிறப்புரிமைகள்", + "This operation is running with administrator privileges.": "இந்த operation administrator privileges உடன் இயங்குகிறது.", + "Interactive operation": "interactive operation", + "This operation is running interactively.": "இந்த operation interactive ஆக இயங்குகிறது.", + "You will likely need to interact with the installer.": "நீங்கள் installer உடன் தொடர்பு கொள்ள வேண்டியிருக்கலாம்.", + "Integrity checks skipped": "integrity checks தவிர்க்கப்பட்டன", + "Proceed at your own risk.": "உங்கள் சொந்த ஆபத்தில் தொடரவும்.", + "Close": "மூடு", + "Loading...": "ஏற்றப்படுகிறது...", + "Installer SHA256": "installer SHA256", + "Homepage": "முகப்புப்பக்கம்", + "Author": "ஆசிரியர்", + "Publisher": "வெளியீட்டாளர்", + "License": "உரிமம்", + "Manifest": "manifest", + "Installer Type": "installer வகை", + "Size": "அளவு", + "Installer URL": "installer URL", + "Last updated:": "கடைசியாக புதுப்பிக்கப்பட்டது:", + "Release notes URL": "release notes URL", + "Package details": "package விவரங்கள்", + "Dependencies:": "சார்புகள்:", + "Release notes": "release notes", + "Version": "பதிப்பு", + "Install as administrator": "administrator ஆக install செய்", + "Update to version {0}": "version {0} க்கு update செய்", + "Installed Version": "install செய்யப்பட்ட பதிப்பு", + "Update as administrator": "administrator ஆக update செய்", + "Interactive update": "interactive update", + "Uninstall as administrator": "administrator ஆக uninstall செய்", + "Interactive uninstall": "interactive uninstall", + "Uninstall and remove data": "uninstall செய்து data ஐ அகற்று", + "Not available": "கிடைக்கவில்லை", + "Installer SHA512": "installer SHA512", + "Unknown size": "அறியப்படாத அளவு", + "No dependencies specified": "சார்புகள் எதுவும் குறிப்பிடப்படவில்லை", + "mandatory": "கட்டாயம்", + "optional": "விருப்பத்திற்குரியது", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} install செய்யத் தயாராக உள்ளது.", + "The update process will start after closing UniGetUI": "UniGetUI மூடிய பிறகு update process தொடங்கும்", + "Share anonymous usage data": "பெயரில்லா usage data ஐ பகிர்", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "user experience ஐ மேம்படுத்த UniGetUI பெயரில்லா usage data ஐ சேகரிக்கிறது.", + "Accept": "ஒத்திரு", + "You have installed WingetUI Version {0}": "நீங்கள் UniGetUI Version {0} ஐ install செய்துள்ளீர்கள்", + "Disclaimer": "பொறுப்புத்துறப்பு", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "compatible package managers எதனுடனும் UniGetUI சம்பந்தப்படவில்லை. UniGetUI ஒரு சுயாதீன project ஆகும்.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors இன் உதவியில்லாமல் UniGetUI சாத்தியமாகியிருக்காது. அனைவருக்கும் நன்றி 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI பின்வரும் libraries ஐப் பயன்படுத்துகிறது. அவற்றில்லாமல் UniGetUI சாத்தியமாகியிருக்காது.", + "{0} homepage": "{0} முகப்புப்பக்கம்", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "தன்னார்வ மொழிபெயர்ப்பாளர்களின் உதவியால் UniGetUI 40 க்கும் மேற்பட்ட மொழிகளுக்கு மொழிபெயர்க்கப்பட்டுள்ளது. நன்றி 🤝", + "Verbose": "விரிவான", + "1 - Errors": "1 - பிழைகள்", + "2 - Warnings": "2 - எச்சரிக்கைகள்", + "3 - Information (less)": "3 - தகவல் (குறைவு)", + "4 - Information (more)": "4 - தகவல் (மேலும்)", + "5 - information (debug)": "5 - தகவல் (debug)", + "Warning": "எச்சரிக்கை", + "The following settings may pose a security risk, hence they are disabled by default.": "பின்வரும் settings பாதுகாப்பு ஆபத்தை உண்டாக்கக்கூடும்; ஆகவே அவை இயல்பாக முடக்கப்பட்டுள்ளன.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "கீழே உள்ள settings என்ன செய்கின்றன மற்றும் அவற்றால் ஏற்படக்கூடிய விளைவுகளை நீங்கள் முழுமையாகப் புரிந்தால் மட்டுமே அவற்றை இயக்கு.", + "The settings will list, in their descriptions, the potential security issues they may have.": "settings இன் descriptions இல் அவற்றில் இருக்கக்கூடிய பாதுகாப்பு சிக்கல்கள் பட்டியலிடப்படும்.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup இல் install செய்யப்பட்ட packages மற்றும் அவற்றின் installation options ஆகியவற்றின் முழு பட்டியல் சேர்க்கப்படும். புறக்கணிக்கப்பட்ட updates மற்றும் skipped versions கூட சேமிக்கப்படும்.", + "The backup will NOT include any binary file nor any program's saved data.": "backup இல் எந்த binary file ம் அல்லது program saved data ம் சேர்க்கப்படாது.", + "The size of the backup is estimated to be less than 1MB.": "backup இன் அளவு 1MB க்குக் குறைவாக இருக்கும் என கணிக்கப்படுகிறது.", + "The backup will be performed after login.": "backup login ஆன பின் செய்யப்படும்.", + "{pcName} installed packages": "{pcName} இல் install செய்யப்பட்ட packages", + "Current status: Not logged in": "தற்போதைய நிலை: உள்நுழையவில்லை", + "You are logged in as {0} (@{1})": "நீங்கள் {0} (@{1}) ஆக உள்நுழைந்துள்ளீர்கள்", + "Nice! Backups will be uploaded to a private gist on your account": "அருமை! backups உங்கள் account இல் private gist ஆக upload செய்யப்படும்", + "Select backup": "backup ஐத் தேர்ந்தெடு", + "WingetUI Settings": "UniGetUI settings", + "Allow pre-release versions": "pre-release பதிப்புகளுக்கு அனுமதி கொடு", + "Apply": "இடு", + "Go to UniGetUI security settings": "UniGetUI security settings க்கு செல்லவும்", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "ஒவ்வொரு முறையும் {0} package install, upgrade அல்லது uninstall செய்யப்படும் போது பின்வரும் options இயல்பாகப் பயன்படுத்தப்படும்.", + "Package's default": "package இன் default", + "Install location can't be changed for {0} packages": "{0} packages க்கான install location ஐ மாற்ற முடியாது", + "The local icon cache currently takes {0} MB": "local icon cache தற்போது {0} MB எடுத்துக்கொள்கிறது", + "Username": "username", + "Password": "கடவுச்சொல்", + "Credentials": "அடையாளச் சான்றுகள்", + "Partially": "பகுதியாக", + "Package manager": "package manager", + "Compatible with proxy": "proxy உடன் பொருந்தும்", + "Compatible with authentication": "authentication உடன் பொருந்தும்", + "Proxy compatibility table": "proxy compatibility table", + "{0} settings": "{0} settings அமைப்புகள்", + "{0} status": "{0} நிலை", + "Default installation options for {0} packages": "{0} packages க்கான இயல்புநிலை நிறுவல் விருப்பங்கள்", + "Expand version": "பதிப்பை விரிவாக்கு", + "The executable file for {0} was not found": "{0} க்கான executable file கிடைக்கவில்லை", + "{pm} is disabled": "{pm} முடக்கப்பட்டுள்ளது", + "Enable it to install packages from {pm}.": "{pm} இலிருந்து packages ஐ install செய்ய இதை இயக்கு.", + "{pm} is enabled and ready to go": "{pm} இயக்கப்பட்டு தயார் நிலையில் உள்ளது", + "{pm} version:": "{pm} பதிப்பு:", + "{pm} was not found!": "{pm} கிடைக்கவில்லை!", + "You may need to install {pm} in order to use it with WingetUI.": "{pm} ஐ UniGetUI உடன் பயன்படுத்த அதை install செய்ய வேண்டியிருக்கலாம்.", + "Scoop Installer - WingetUI": "Scoop installer - UniGetUI", + "Scoop Uninstaller - WingetUI": "Scoop uninstaller - UniGetUI", + "Clearing Scoop cache - WingetUI": "Scoop cache ஐ அழிக்கிறது - WingetUI", + "Restart UniGetUI": "UniGetUI ஐ restart செய்", + "Manage {0} sources": "{0} sources ஐ நிர்வகி", + "Add source": "மூலத்தைச் சேர்", + "Add": "சேர்", + "Other": "மற்றவை", + "1 day": "ஒரு நாள்", + "{0} days": "{0} நாட்கள்", + "{0} minutes": "{0} நிமிடங்கள்", + "1 hour": "ஒரு மணி நேரம்", + "{0} hours": "{0} மணிநேரங்கள்", + "1 week": "ஒரு வாரம்", + "WingetUI Version {0}": "UniGetUI பதிப்பு {0}", + "Search for packages": "packages ஐத் தேடு", + "Local": "உள்ளூர்", + "OK": "சரி", + "{0} packages were found, {1} of which match the specified filters.": "{1} packages கிடைத்தன, அவற்றில் {0} குறிப்பிட்ட filters உடன் பொருந்தின.", + "{0} selected": "{0} தேர்ந்தெடுக்கப்பட்டது", + "(Last checked: {0})": "(கடைசியாகப் பார்த்தது : {0})", + "Enabled": "இயக்கப்பட்டது", + "Disabled": "முடக்கப்பட்டது", + "More info": "மேலும் தகவல்", + "Log in with GitHub to enable cloud package backup.": "cloud package backup ஐ செயல்படுத்த GitHub மூலம் உள்நுழையவும்.", + "More details": "மேலும் விவரங்கள்", + "Log in": "உள்நுழை", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "cloud backup enabled இருந்தால், அது இந்த account இல் GitHub Gist ஆக சேமிக்கப்படும்", + "Log out": "வெளியேறு", + "About": "பற்றி", + "Third-party licenses": "third-party licenses", + "Contributors": "பங்களிப்பாளர்கள்", + "Translators": "மொழிபெயர்ப்பாளர்கள்", + "Manage shortcuts": "shortcuts ஐ நிர்வகி", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "எதிர்கால upgrades இல் தானாக அகற்றக்கூடிய பின்வரும் desktop shortcuts ஐ UniGetUI கண்டறிந்துள்ளது", + "Do you really want to reset this list? This action cannot be reverted.": "இந்த பட்டியலை reset செய்ய உண்மையில் விரும்புகிறீர்களா? இந்த செயலைத் திரும்ப மாற்ற முடியாது.", + "Remove from list": "பட்டியலிலிருந்து அகற்று", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "புதிய shortcuts கண்டறியப்படும் போது இந்த dialog ஐக் காட்டுவதற்கு பதிலாக அவற்றை தானாக delete செய்.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "user experience ஐப் புரிந்து மேம்படுத்தும் ஒரே நோக்கத்திற்காக UniGetUI பெயரில்லா usage data ஐ சேகரிக்கிறது.", + "More details about the shared data and how it will be processed": "பகிரப்பட்ட தரவு மற்றும் அது எவ்வாறு செயலாக்கப்படும் என்பதற்கான மேலும் விவரங்கள்", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "user experience ஐப் புரிந்து மேம்படுத்தும் ஒரே நோக்கத்திற்காக UniGetUI பெயரில்லா usage statistics ஐ சேகரித்து அனுப்புவதை ஏற்கிறீர்களா?", + "Decline": "நிராகரி", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "தனிப்பட்ட தகவல் எதுவும் சேகரிக்கப்படவும் அனுப்பப்படவும் இல்லை. சேகரிக்கப்பட்ட தரவு anonimized ஆக இருப்பதால் அது உங்களிடம் திரும்பப் பின்தொடர முடியாது.", + "About WingetUI": "UniGetUI பற்றி", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "உங்கள் command-line package managers க்காக all-in-one graphical interface ஒன்றை வழங்கி software நிர்வகிப்பதை எளிதாக்கும் application தான் UniGetUI.", + "Useful links": "பயனுள்ள links", + "Report an issue or submit a feature request": "ஒரு issue ஐ report செய்யவும் அல்லது feature request ஐ சமர்ப்பிக்கவும்", + "View GitHub Profile": "GitHub profile ஐப் பார்", + "WingetUI License": "UniGetUI உரிமம்", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI ஐப் பயன்படுத்துவது MIT License ஐ ஏற்றுக்கொள்வதை குறிக்கிறது", + "Become a translator": "மொழிபெயர்ப்பாளராகுங்கள்", + "View page on browser": "browser இல் page ஐப் பார்", + "Copy to clipboard": "clipboard க்கு நகலெடு", + "Export to a file": "file க்கு ஏற்றுமதி செய்", + "Log level:": "log நிலை:", + "Reload log": "log ஐ மீண்டும் ஏற்று", + "Text": "உரை", + "Change how operations request administrator rights": "operations எவ்வாறு administrator rights கோருகின்றன என்பதை மாற்று", + "Restrictions on package operations": "package operations மீதான கட்டுப்பாடுகள்", + "Restrictions on package managers": "package managers மீதான கட்டுப்பாடுகள்", + "Restrictions when importing package bundles": "package bundles import செய்யும் போது உள்ள கட்டுப்பாடுகள்", + "Ask for administrator privileges once for each batch of operations": "ஒவ்வொரு batch செயல்பாட்டிற்கும் ஒருமுறை நிர்வாகி சிறப்புரிமைகளை கேள்", + "Ask only once for administrator privileges": "நிர்வாகி சிறப்புரிமைகளை ஒருமுறை மட்டும் கேள்", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator அல்லது GSudo வழியாக எந்தவித elevation ஐயும் தடை செய்", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "இந்த option கண்டிப்பாக சிக்கல்களை உருவாக்கும். தானாக elevate செய்ய முடியாத எந்த operation ம் தோல்வியடையும். administrator ஆக Install/update/uninstall வேலை செய்யாது.", + "Allow custom command-line arguments": "தனிப்பயன் command-line arguments க்கு அனுமதி கொடு", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "UniGetUI கட்டுப்படுத்த முடியாத வகையில் programs install, upgrade அல்லது uninstall ஆகும் முறையை தனிப்பயன் command-line arguments மாற்றக்கூடும். தனிப்பயன் command-lines பயன்படுத்துவது packages ஐ பாதிக்கக்கூடும். கவனமாக தொடரவும்.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "custom pre-install மற்றும் post-install commands இயங்க அனுமதி", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "ஒரு package install, upgrade அல்லது uninstall ஆகும் முன்பும் பின்னும் pre மற்றும் post install commands இயங்கும். அவற்றை கவனமாக பயன்படுத்தாவிட்டால் பிரச்சினைகள் உண்டாகலாம் என்பதை நினைவில் கொள்க", + "Allow changing the paths for package manager executables": "package manager executables க்கான பாதைகளை மாற்ற அனுமதி கொடு", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "இதனை இயக்கினால் package managers உடன் தொடர்பு கொள்ள பயன்படும் executable file ஐ மாற்ற முடியும். இது install processes ஐ நுணுக்கமாக தனிப்பயனாக்க அனுமதிக்கும்; ஆனால் ஆபத்தும் இருக்கலாம்", + "Allow importing custom command-line arguments when importing packages from a bundle": "bundle இலிருந்து தொகுப்புகளை இறக்குமதி செய்யும்போது தனிப்பயன் command-line arguments ஐ இறக்குமதி செய்ய அனுமதி கொடு", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "தவறான command-line arguments packages ஐ பாதிக்கலாம், அல்லது தீங்கு செய்பவருக்கு privileged execution ஐ வழங்கக்கூடும். ஆகவே custom command-line arguments ஐ import செய்வது இயல்புநிலையில் முடக்கப்பட்டுள்ளது.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "bundle இலிருந்து தொகுப்புகளை இறக்குமதி செய்யும்போது தனிப்பயன் pre-install மற்றும் post-install commands ஐ இறக்குமதி செய்ய அனுமதி கொடு", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "அவ்வாறு வடிவமைக்கப்பட்டிருந்தால் pre மற்றும் post install commands உங்கள் device க்கு மிகவும் தீங்கான செயல்களைச் செய்யலாம். package bundle இன் source மீது நம்பிக்கை இல்லையெனில் bundle இலிருந்து commands ஐ import செய்வது மிக ஆபத்தானது", + "Administrator rights and other dangerous settings": "நிர்வாகி உரிமைகள் மற்றும் பிற ஆபத்தான settings", + "Package backup": "package backup", + "Cloud package backup": "cloud package backup", + "Local package backup": "உள்ளூர் package backup", + "Local backup advanced options": "உள்ளூர் backup மேம்பட்ட விருப்பங்கள்", + "Log in with GitHub": "GitHub மூலம் உள்நுழையவும்", + "Log out from GitHub": "GitHub இலிருந்து வெளியேறு", + "Periodically perform a cloud backup of the installed packages": "install செய்யப்பட்ட packages க்கான cloud backup ஐ காலந்தோறும் செய்", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "installed packages பட்டியலை சேமிக்க cloud backup ஒரு private GitHub Gist ஐப் பயன்படுத்துகிறது", + "Perform a cloud backup now": "இப்போது cloud backup செய்", + "Backup": "காப்புப்பிரதி", + "Restore a backup from the cloud": "cloud இலிருந்து backup ஐ restore செய்", + "Begin the process to select a cloud backup and review which packages to restore": "cloud backup ஐத் தேர்ந்தெடுத்து எந்த தொகுப்புகளை மீட்டமைப்பது என்பதை பரிசீலிக்கும் செயல்முறையைத் தொடங்கு", + "Periodically perform a local backup of the installed packages": "install செய்யப்பட்ட packages க்கான local backup ஐ காலந்தோறும் செய்", + "Perform a local backup now": "இப்போது local backup செய்", + "Change backup output directory": "backup output directory ஐ மாற்று", + "Set a custom backup file name": "தனிப்பயன் backup file name ஐ அமை", + "Leave empty for default": "இயல்புநிலைக்கு காலியாக விடவும்", + "Add a timestamp to the backup file names": "காப்புப்பிரதி கோப்பு பெயர்களில் நேரமுத்திரையைச் சேர்", + "Backup and Restore": "காப்புப்பிரதி மற்றும் மீட்டமைப்பு", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background API ஐ இயக்கு (UniGetUI Widgets மற்றும் Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet connectivity தேவைப்படும் tasks ஐ முயற்சிக்கும் முன் device internet க்கு connect ஆகும் வரை காத்திருக்கவும்.", + "Disable the 1-minute timeout for package-related operations": "package தொடர்பான operations க்கான 1-minute timeout ஐ முடக்கு", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator க்கு பதிலாக install செய்யப்பட்ட GSudo ஐப் பயன்படுத்து", + "Use a custom icon and screenshot database URL": "தனிப்பயன் icon மற்றும் screenshot database URL ஐப் பயன்படுத்து", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU usage optimizations ஐ இயக்கு (Pull Request #3278 ஐ பார்க்கவும்)", + "Perform integrity checks at startup": "startup இல் integrity checks செய்", + "When batch installing packages from a bundle, install also packages that are already installed": "bundle இலிருந்து batch install செய்யும் போது ஏற்கனவே install செய்யப்பட்ட packages ஐயும் install செய்", + "Experimental settings and developer options": "பரிசோதனை settings மற்றும் developer options", + "Show UniGetUI's version and build number on the titlebar.": "titlebar இல் UniGetUI பதிப்பை காட்டு", + "Language": "மொழி", + "UniGetUI updater": "UniGetUI update கருவி", + "Telemetry": "டெலிமெட்ரி", + "Manage UniGetUI settings": "UniGetUI settings ஐ நிர்வகி", + "Related settings": "தொடர்புடைய settings", + "Update WingetUI automatically": "UniGetUI ஐ தானாக update செய்", + "Check for updates": "updates க்கு சரிபார்", + "Install prerelease versions of UniGetUI": "UniGetUI இன் prerelease versions ஐ install செய்", + "Manage telemetry settings": "telemetry settings ஐ நிர்வகி", + "Manage": "நிர்வகி", + "Import settings from a local file": "local file இலிருந்து settings ஐ இறக்குமதி செய்", + "Import": "இறக்குமதி", + "Export settings to a local file": "settings ஐ local file க்கு ஏற்றுமதி செய்", + "Export": "ஏற்றுமதி", + "Reset WingetUI": "UniGetUI ஐ reset செய்", + "Reset UniGetUI": "UniGetUI ஐ reset செய்", + "User interface preferences": "user interface விருப்பங்கள்", + "Application theme, startup page, package icons, clear successful installs automatically": "பயன்பாட்டு theme, startup page, package icons, வெற்றிகரமான நிறுவல்களை தானாக நீக்கு", + "General preferences": "பொதுவான விருப்பங்கள்", + "WingetUI display language:": "UniGetUI காட்சி மொழி:", + "Is your language missing or incomplete?": "உங்கள் மொழி இல்லை அல்லது முழுமையில்லையா?", + "Appearance": "தோற்றம்", + "UniGetUI on the background and system tray": "background மற்றும் system tray இல் UniGetUI", + "Package lists": "package பட்டியல்கள்", + "Close UniGetUI to the system tray": "UniGetUI ஐ system tray க்கு close செய்", + "Show package icons on package lists": "package பட்டியல்களில் package icons ஐ காட்டு", + "Clear cache": "cache ஐ அழி", + "Select upgradable packages by default": "upgrade செய்யக்கூடிய packages ஐ இயல்பாகத் தேர்ந்தெடு", + "Light": "ஒளிரும்", + "Dark": "இருண்ட", + "Follow system color scheme": "system color scheme ஐப் பின்பற்று", + "Application theme:": "ஆப் தீம்", + "Discover Packages": "packages ஐ கண்டறி", + "Software Updates": "software updates", + "Installed Packages": "install செய்யப்பட்ட packages", + "Package Bundles": "package bundles", + "Settings": "settings", + "UniGetUI startup page:": "UniGetUI தொடக்கப் பக்கம்:", + "Proxy settings": "proxy settings", + "Other settings": "மற்ற settings", + "Connect the internet using a custom proxy": "custom proxy ஐப் பயன்படுத்தி internet க்கு இணை", + "Please note that not all package managers may fully support this feature": "அனைத்து package managers உம் இந்த feature ஐ முழுமையாக ஆதரிக்காமல் இருக்கலாம் என்பதை கவனிக்கவும்", + "Proxy URL": "proxy URL", + "Enter proxy URL here": "proxy URL ஐ இங்கே உள்ளிடவும்", + "Package manager preferences": "package managers preferences", + "Ready": "தயார்", + "Not found": "கிடைக்கவில்லை", + "Notification preferences": "notification விருப்பங்கள்", + "Notification types": "notification வகைகள்", + "The system tray icon must be enabled in order for notifications to work": "notifications வேலை செய்ய system tray icon இயங்கியிருக்க வேண்டும்", + "Enable WingetUI notifications": "UniGetUI notifications ஐ இயக்கு", + "Show a notification when there are available updates": "updates கிடைக்கும் போது notification காட்டு", + "Show a silent notification when an operation is running": "operation நடக்கும் போது silent notification காட்டு", + "Show a notification when an operation fails": "operation தோல்வியடைந்தால் notification காட்டு", + "Show a notification when an operation finishes successfully": "operation வெற்றிகரமாக முடிந்தால் notification காட்டு", + "Concurrency and execution": "ஒரேநேர செயற்பாடு மற்றும் இயக்கம்", + "Automatic desktop shortcut remover": "தானியங்கி desktop shortcut அகற்றுபவர்", + "Clear successful operations from the operation list after a 5 second delay": "5 விநாடி தாமதத்திற்குப் பிறகு operation list இலிருந்து வெற்றிகரமான operations ஐ அழி", + "Download operations are not affected by this setting": "இந்த setting download operations ஐ பாதிக்காது", + "Try to kill the processes that refuse to close when requested to": "மூடுமாறு கேட்டாலும் மூட மறுக்கும் processes ஐ kill செய்ய முயற்சி செய்", + "You may lose unsaved data": "சேமிக்காத data ஐ இழக்கலாம்", + "Ask to delete desktop shortcuts created during an install or upgrade.": "நிறுவல் அல்லது upgrade இன் போது உருவான desktop shortcuts ஐ நீக்க வேண்டுமா என்று கேள்", + "Package update preferences": "package update விருப்பங்கள்", + "Update check frequency, automatically install updates, etc.": "update check frequency, updates ஐ தானாக install செய்தல் போன்றவை.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts ஐ குறை, installations ஐ இயல்பாக elevate செய், சில ஆபத்தான features ஐ unlock செய், போன்றவை.", + "Package operation preferences": "package operation விருப்பங்கள்", + "Enable {pm}": "{pm} ஐ இயக்கு", + "Not finding the file you are looking for? Make sure it has been added to path.": "நீங்கள் தேடும் file கிடைக்கவில்லையா? அது path இல் சேர்க்கப்பட்டுள்ளதா என்பதை உறுதிசெய்யவும்.", + "For security reasons, changing the executable file is disabled by default": "பாதுகாப்பு காரணங்களுக்காக, executable file ஐ மாற்றுவது இயல்புநிலையில் முடக்கப்பட்டுள்ளது", + "Change this": "இதனை மாற்று", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "பயன்படுத்த வேண்டிய executable ஐத் தேர்ந்தெடுக்கவும். கீழே உள்ள பட்டியல் UniGetUI கண்டறிந்த executables ஐக் காட்டுகிறது", + "Current executable file:": "தற்போதைய இயக்கக்கோப்பு:", + "Ignore packages from {pm} when showing a notification about updates": "updates குறித்த notification காட்டும் போது {pm} இலிருந்து வரும் packages ஐ புறக்கணி", + "View {0} logs": "{0} logs ஐப் பார்", + "Advanced options": "மேம்பட்ட விருப்பங்கள்", + "Reset WinGet": "WinGet ஐ reset செய்", + "This may help if no packages are listed": "packages எதுவும் பட்டியலிடப்படவில்லையெனில் இது உதவக்கூடும்", + "Force install location parameter when updating packages with custom locations": "custom locations உடன் packages ஐ update செய்யும் போது install location parameter ஐ கட்டாயப்படுத்து", + "Use bundled WinGet instead of system WinGet": "system WinGet க்கு பதிலாக bundled WinGet ஐப் பயன்படுத்து", + "This may help if WinGet packages are not shown": "WinGet packages காட்டப்படவில்லையெனில் இது உதவக்கூடும்", + "Install Scoop": "Scoop ஐ install செய்", + "Uninstall Scoop (and its packages)": "Scoop ஐ (அதன் packages உடன்) uninstall செய்", + "Run cleanup and clear cache": "cleanup ஐ இயக்கு மற்றும் cache ஐ அழி", + "Run": "இயக்கு", + "Enable Scoop cleanup on launch": "launch இல் Scoop cleanup ஐ இயக்கு", + "Use system Chocolatey": "system Chocolatey ஐப் பயன்படுத்து", + "Default vcpkg triplet": "இயல்புநிலை vcpkg triplet", + "Language, theme and other miscellaneous preferences": "மொழி, theme மற்றும் பிற miscellaneous விருப்பங்கள்", + "Show notifications on different events": "பல்வேறு நிகழ்வுகளில் notifications காட்டு", + "Change how UniGetUI checks and installs available updates for your packages": "உங்கள் packages க்கான available updates ஐ UniGetUI எவ்வாறு சரிபார்த்து install செய்கிறது என்பதை மாற்று", + "Automatically save a list of all your installed packages to easily restore them.": "உங்கள் நிறுவப்பட்ட அனைத்து தொகுப்புகளின் பட்டியலை அவற்றை எளிதாக மீட்டமைக்க தானாகச் சேமி.", + "Enable and disable package managers, change default install options, etc.": "package managers ஐ இயக்கு அல்லது முடக்கு, default install options ஐ மாற்று, போன்றவை.", + "Internet connection settings": "internet connection settings", + "Proxy settings, etc.": "proxy settings, போன்றவை.", + "Beta features and other options that shouldn't be touched": "beta அம்சங்கள் மற்றும் தொடக்கூடாத பிற விருப்பங்கள்", + "Update checking": "update சரிபார்த்தல்", + "Automatic updates": "தானியங்கி புதுப்பிப்புகள்", + "Check for package updates periodically": "package updates க்கு காலந்தோறும் சரிபார்", + "Check for updates every:": "இதற்கொரு முறை updates க்கு சரிபார்:", + "Install available updates automatically": "கிடைக்கும் updates ஐ தானாக install செய்", + "Do not automatically install updates when the network connection is metered": "network connection metered ஆக இருக்கும்போது updates ஐ தானாக install செய்ய வேண்டாம்", + "Do not automatically install updates when the device runs on battery": "device battery இல் இயங்கும்போது updates ஐ தானாக install செய்ய வேண்டாம்", + "Do not automatically install updates when the battery saver is on": "battery saver இயங்கும்போது updates ஐ தானாக install செய்ய வேண்டாம்", + "Change how UniGetUI handles install, update and uninstall operations.": "install, update மற்றும் uninstall operations ஐ UniGetUI எவ்வாறு கையாளுகிறது என்பதை மாற்று.", + "Package Managers": "package managers", + "More": "மேலும்", + "WingetUI Log": "UniGetUI பதிவு", + "Package Manager logs": "package manager logs", + "Operation history": "operation வரலாறு", + "Help": "உதவி", + "Order by:": "இதன்படி வரிசைப்படுத்து:", + "Name": "பெயர்", + "Id": "அடையாளம்", + "Ascendant": "ஏறுவரிசை", + "Descendant": "சந்ததி", + "View mode:": "view mode:", + "Filters": "வடிகட்டிகள்", + "Sources": "sources", + "Search for packages to start": "தொடங்க packages ஐத் தேடு", + "Select all": "அனைத்தையும் தேர்ந்தெடு", + "Clear selection": "தேர்வை அழி", + "Instant search": "உடனடி தேடல்", + "Distinguish between uppercase and lowercase": "uppercase மற்றும் lowercase ஐ வேறுபடுத்து", + "Ignore special characters": "special characters ஐ புறக்கணி", + "Search mode": "தேடல் முறை", + "Both": "இரண்டும்", + "Exact match": "சரியான பொருத்தம்", + "Show similar packages": "ஒத்த packages ஐ காட்டு", + "No results were found matching the input criteria": "உள்ளீட்டு அளவுகோலுக்கு பொருந்தும் முடிவுகள் எதுவும் கிடைக்கவில்லை", + "No packages were found": "packages எதுவும் கிடைக்கவில்லை", + "Loading packages": "packages ஏற்றப்படுகின்றன", + "Skip integrity checks": "integrity checks ஐ தவிர்", + "Download selected installers": "தேர்ந்தெடுக்கப்பட்ட installers ஐப் பதிவிறக்கு", + "Install selection": "தேர்வை install செய்", + "Install options": "install options", + "Share": "பகிர்", + "Add selection to bundle": "தேர்வை bundle இற்கு சேர்", + "Download installer": "installer ஐப் பதிவிறக்கு", + "Share this package": "இந்த package ஐ பகிர்", + "Uninstall selection": "தேர்வை uninstall செய்", + "Uninstall options": "uninstall options", + "Ignore selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ புறக்கணி", + "Open install location": "install location ஐத் திற", + "Reinstall package": "package ஐ மறுபடியும் install செய்", + "Uninstall package, then reinstall it": "package ஐ uninstall செய்து, பின்னர் மறுபடியும் install செய்", + "Ignore updates for this package": "இந்த package க்கான updates ஐ புறக்கணி", + "Do not ignore updates for this package anymore": "இந்த package க்கான updates ஐ இனி புறக்கணிக்க வேண்டாம்", + "Add packages or open an existing package bundle": "தொகுப்புகளைச் சேர்க்கவும் அல்லது ஏற்கனவே உள்ள package bundle ஐத் திறக்கவும்", + "Add packages to start": "தொடங்க தொகுப்புகளைச் சேர்", + "The current bundle has no packages. Add some packages to get started": "தற்போதைய bundle இல் packages எதுவும் இல்லை. தொடங்க சில packages ஐச் சேர்க்கவும்", + "New": "புதிய", + "Save as": "இவ்வாறு சேமி", + "Remove selection from bundle": "bundle இலிருந்து தேர்வை அகற்று", + "Skip hash checks": "hash checks ஐ தவிர்", + "The package bundle is not valid": "package bundle செல்லுபடியாகவில்லை", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "நீங்கள் load செய்ய முயல்கிற bundle தவறானதாக இருக்கிறது. file ஐ சரிபார்த்து மீண்டும் முயற்சிக்கவும்.", + "Package bundle": "package bundle", + "Could not create bundle": "bundle ஐ உருவாக்க முடியவில்லை", + "The package bundle could not be created due to an error.": "பிழையால் package bundle உருவாக்க முடியவில்லை.", + "Bundle security report": "bundle பாதுகாப்பு அறிக்கை", + "Hooray! No updates were found.": "அருமை! எந்த updates ம் கிடைக்கவில்லை.", + "Everything is up to date": "அனைத்தும் புதுப்பிக்கப்பட்டுள்ளது", + "Uninstall selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ uninstall செய்", + "Update selection": "தேர்வை update செய்", + "Update options": "update options", + "Uninstall package, then update it": "package ஐ uninstall செய்து, பின்னர் update செய்", + "Uninstall package": "package ஐ uninstall செய்", + "Skip this version": "இந்த version ஐ தவிர்", + "Pause updates for": "updates ஐ இவ்வளவு நேரம் இடைநிறுத்து", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust package manager.
இதில் உள்ளவை: Rust libraries மற்றும் Rust இல் எழுதப்பட்ட programs", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows க்கான பாரம்பரிய package manager. தேவையான எல்லாவற்றையும் அங்கே காணலாம்.
இதில் உள்ளவை: General Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft இன் .NET சூழலை மனதில் கொண்டு வடிவமைக்கப்பட்ட tools மற்றும் executables நிறைந்த repository.
உள்ளடக்கம்: .NET தொடர்புடைய tools மற்றும் scripts", + "NuPkg (zipped manifest)": "NuPkg (zip செய்யப்பட்ட manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS இன் package manager. javascript உலகைச் சுற்றியுள்ள libraries மற்றும் மற்ற utilities நிரம்பியுள்ளது
இதில் உள்ளவை: Node javascript libraries மற்றும் தொடர்புடைய utilities", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python இன் library manager. python libraries மற்றும் பிற python தொடர்பான utilities நிறைந்தது
இதில் உள்ளவை: Python libraries மற்றும் தொடர்புடைய utilities", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell இன் package manager. PowerShell திறன்களை விரிவுபடுத்த libraries மற்றும் scripts ஐ கண்டறிக
இதில் உள்ளவை: Modules, Scripts, Cmdlets", + "extracted": "extract செய்யப்பட்டது", + "Scoop package": "Scoop package தொகுப்பு", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "அறியப்படாத ஆனால் பயனுள்ள utilities மற்றும் மற்ற சுவாரஸ்யமான packages கொண்ட சிறந்த repository.
இதில் உள்ளவை: Utilities, Command-line programs, General Software (extras bucket தேவை)", + "library": "நூலகம்", + "feature": "சிறப்பம்சம்", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "பிரபலமான C/C++ நூலக மேலாளர். C/C++ நூலகங்கள் மற்றும் பிற C/C++ தொடர்பான பயன்பாடுகள் நிரம்பியுள்ளது
உள்ளடக்கம்: C/C++ நூலகங்கள் மற்றும் தொடர்புடைய பயன்பாடுகள்", + "option": "விருப்பம்", + "This package cannot be installed from an elevated context.": "இந்த package ஐ elevated context இலிருந்து install செய்ய முடியாது.", + "Please run UniGetUI as a regular user and try again.": "UniGetUI ஐ சாதாரண user ஆக இயக்கி மீண்டும் முயற்சிக்கவும்.", + "Please check the installation options for this package and try again": "இந்த package இற்கான installation options ஐச் சரிபார்த்து மீண்டும் முயற்சிக்கவும்", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft இன் அதிகாரப்பூர்வ package manager. நன்கு அறியப்பட்ட மற்றும் சரிபார்க்கப்பட்ட packages நிரம்பியுள்ளது
இதில் உள்ளவை: General Software, Microsoft Store apps", + "Local PC": "உள்ளூர் PC", + "Android Subsystem": "ஆண்ட்ராய்டு துணை அமைப்பு", + "Operation on queue (position {0})...": "queue இல் operation (position {0})...", + "Click here for more details": "மேலும் விவரங்களுக்கு இங்கே கிளிக் செய்யவும்", + "Operation canceled by user": "user operation ஐ ரத்து செய்தார்", + "Starting operation...": "operation தொடங்குகிறது...", + "{package} installer download": "{package} installer பதிவிறக்கம்", + "{0} installer is being downloaded": "{0} installer பதிவிறக்கப்படுகிறது", + "Download succeeded": "பதிவிறக்கம் வெற்றியடைந்தது", + "{package} installer was downloaded successfully": "{package} installer வெற்றிகரமாக பதிவிறக்கப்பட்டது", + "Download failed": "பதிவிறக்கம் தோல்வியடைந்தது", + "{package} installer could not be downloaded": "{package} installer பதிவிறக்க முடியவில்லை", + "{package} Installation": "{package} installation", + "{0} is being installed": "{0} install செய்யப்படுகிறது", + "Installation succeeded": "installation வெற்றியடைந்தது", + "{package} was installed successfully": "{package} வெற்றிகரமாக install செய்யப்பட்டது", + "Installation failed": "installation தோல்வியடைந்தது", + "{package} could not be installed": "{package} install செய்ய முடியவில்லை", + "{package} Update": "{package} update", + "{0} is being updated to version {1}": "{0} version {1} க்கு update செய்யப்படுகிறது", + "Update succeeded": "update வெற்றியடைந்தது", + "{package} was updated successfully": "{package} வெற்றிகரமாக update செய்யப்பட்டது", + "Update failed": "update தோல்வியடைந்தது", + "{package} could not be updated": "{package} update செய்ய முடியவில்லை", + "{package} Uninstall": "{package} uninstall", + "{0} is being uninstalled": "{0} uninstall செய்யப்படுகிறது", + "Uninstall succeeded": "uninstall வெற்றியடைந்தது", + "{package} was uninstalled successfully": "{package} வெற்றிகரமாக uninstall செய்யப்பட்டது", + "Uninstall failed": "uninstall தோல்வியடைந்தது", + "{package} could not be uninstalled": "{package} uninstall செய்ய முடியவில்லை", + "Adding source {source}": "{source} என்ற மூலத்தைச் சேர்க்கிறது", + "Adding source {source} to {manager}": "{source} source ஐ {manager} இற்கு சேர்க்கிறது", + "Source added successfully": "source வெற்றிகரமாக சேர்க்கப்பட்டது", + "The source {source} was added to {manager} successfully": "source {source} வெற்றிகரமாக {manager} இல் சேர்க்கப்பட்டது", + "Could not add source": "source ஐச் சேர்க்க முடியவில்லை", + "Could not add source {source} to {manager}": "{source} source ஐ {manager} இற்கு சேர்க்க முடியவில்லை", + "Removing source {source}": "source {source} அகற்றப்படுகிறது", + "Removing source {source} from {manager}": "{source} source ஐ {manager} இலிருந்து அகற்றுகிறது", + "Source removed successfully": "source வெற்றிகரமாக அகற்றப்பட்டது", + "The source {source} was removed from {manager} successfully": "source {source} வெற்றிகரமாக {manager} இலிருந்து அகற்றப்பட்டது", + "Could not remove source": "source ஐ அகற்ற முடியவில்லை", + "Could not remove source {source} from {manager}": "{source} source ஐ {manager} இலிருந்து அகற்ற முடியவில்லை", + "The package manager \"{0}\" was not found": "package manager \"{0}\" கிடைக்கவில்லை", + "The package manager \"{0}\" is disabled": "package manager \"{0}\" முடக்கப்பட்டுள்ளது", + "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" இன் configuration இல் ஒரு பிழை உள்ளது", + "The package \"{0}\" was not found on the package manager \"{1}\"": "package \"{0}\" ஐ package manager \"{1}\" இல் கண்டுபிடிக்க முடியவில்லை", + "{0} is disabled": "{0} முடக்கப்பட்டுள்ளது", + "Something went wrong": "ஏதோ தவறாகிவிட்டது", + "An interal error occurred. Please view the log for further details.": "உள் பிழை ஏற்பட்டது. கூடுதல் விவரங்களுக்கு log ஐ பார்க்கவும்.", + "No applicable installer was found for the package {0}": "package {0} க்கு பொருந்தும் installer எதுவும் கிடைக்கவில்லை", + "We are checking for updates.": "நாங்கள் updates ஐச் சரிபார்த்து கொண்டிருக்கிறோம்.", + "Please wait": "தயவுசெய்து காத்திருக்கவும்", + "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} பதிவிறக்கப்படுகிறது.", + "This may take a minute or two": "இதற்கு ஒரு அல்லது இரண்டு நிமிடங்கள் ஆகலாம்", + "The installer authenticity could not be verified.": "installer இன் உண்மைத்தன்மையை சரிபார்க்க முடியவில்லை.", + "The update process has been aborted.": "update process நிறுத்தப்பட்டது.", + "Great! You are on the latest version.": "அருமை! நீங்கள் சமீபத்திய பதிப்பில் உள்ளீர்கள்.", + "There are no new UniGetUI versions to be installed": "install செய்ய புதிய UniGetUI versions எதுவும் இல்லை", + "An error occurred when checking for updates: ": "புதுப்பிப்புகளைச் சரிபார்க்கும் போது ஒரு பிழை ஏற்பட்டது:", + "UniGetUI is being updated...": "UniGetUI update செய்யப்படுகிறது...", + "Something went wrong while launching the updater.": "updater ஐ தொடங்கும் போது ஏதோ தவறாகிவிட்டது.", + "Please try again later": "பின்னர் மீண்டும் முயற்சிக்கவும்", + "Integrity checks will not be performed during this operation": "இந்த operation நடக்கும் போது integrity checks செய்யப்படமாட்டாது", + "This is not recommended.": "இது பரிந்துரைக்கப்படவில்லை.", + "Run now": "இப்போது இயக்கு", + "Run next": "அடுத்ததாக இயக்கு", + "Run last": "கடைசியில் இயக்கு", + "Retry as administrator": "administrator ஆக மீண்டும் முயற்சி செய்", + "Retry interactively": "interactive ஆக மீண்டும் முயற்சி செய்", + "Retry skipping integrity checks": "integrity checks ஐ தவிர்த்து மீண்டும் முயற்சி செய்", + "Installation options": "installation options", + "Show in explorer": "explorer இல் காட்டு", + "This package is already installed": "இந்த package ஏற்கனவே install செய்யப்பட்டுள்ளது", + "This package can be upgraded to version {0}": "இந்த package ஐ version {0} க்கு upgrade செய்யலாம்", + "Updates for this package are ignored": "இந்த package க்கான updates புறக்கணிக்கப்படுகின்றன", + "This package is being processed": "இந்த package செயலாக்கப்படுகிறது", + "This package is not available": "இந்த package கிடைக்கவில்லை", + "Select the source you want to add:": "நீங்கள் சேர்க்க விரும்பும் source ஐத் தேர்ந்தெடுக்கவும்:", + "Source name:": "source பெயர்:", + "Source URL:": "source URL:", + "An error occurred": "ஒரு பிழை ஏற்பட்டது.", + "An error occurred when adding the source: ": "மூலத்தைச் சேர்க்கும்போது பிழை ஏற்பட்டது: ", + "Package management made easy": "package management ஐ எளிதாக்கியது", + "version {0}": "பதிப்பு {0}", + "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR ஆக இயக்கப்பட்டது]", + "Portable mode": "portable mode\n", + "DEBUG BUILD": "டீபக் build", + "Available Updates": "கிடைகப்பட்ட புதுப்பிப்புகள்", + "Show WingetUI": "UniGetUI ஐ காட்டு", + "Quit": "வெளியேறு", + "Attention required": "கவனம் தேவை", + "Restart required": "restart தேவை", + "1 update is available": "ஒரு புதுப்பிப்பு உள்ளது", + "{0} updates are available": "{0} updates கிடைக்கின்றன", + "WingetUI Homepage": "UniGetUI முகப்புப்பக்கம்", + "WingetUI Repository": "UniGetUI repository", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "பின்வரும் shortcuts குறித்து UniGetUI இன் நடத்தையை இங்கே மாற்றலாம். ஒரு shortcut ஐ check செய்தால், அது எதிர்கால upgrade இல் உருவானால் UniGetUI அதை delete செய்யும். அதை uncheck செய்தால் shortcut அப்படியே இருக்கும்", + "Manual scan": "கைமுறை scan", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "உங்கள் desktop இல் உள்ள shortcuts scan செய்யப்படும், மேலும் எவற்றை வைத்திருக்க வேண்டும், எவற்றை அகற்ற வேண்டும் என்பதைக் நீங்கள் தேர்ந்தெடுக்க வேண்டும்.", + "Continue": "தொடர்", + "Delete?": "நீக்கவா?", + "Missing dependency": "சார்பு இல்லை", + "Not right now": "இப்போது வேண்டாம்", + "Install {0}": "{0} ஐ install செய்", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI இயங்க {0} தேவைப்படுகிறது, ஆனால் அது உங்கள் system இல் கிடைக்கவில்லை.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "installation process ஐ ஆரம்பிக்க Install ஐ கிளிக் செய்யவும். நீங்கள் installation ஐ தவிர்த்தால், UniGetUI எதிர்பார்த்தபடி வேலை செய்யாமல் இருக்கலாம்.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "மாற்றாக, Windows PowerShell prompt இல் பின்வரும் command ஐ இயக்கி {0} ஐ நிறுவலாம்:", + "Do not show this dialog again for {0}": "{0} க்காக இந்த dialog ஐ மீண்டும் காட்ட வேண்டாம்", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} install செய்யப்படும் வரை தயவுசெய்து காத்திருக்கவும். கருப்பு (அல்லது நீல) window ஒன்று தோன்றலாம். அது மூடப்படும் வரை காத்திருக்கவும்.", + "{0} has been installed successfully.": "{0} வெற்றிகரமாக install செய்யப்பட்டது.", + "Please click on \"Continue\" to continue": "தொடர \"Continue\" ஐ click செய்யவும்", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} வெற்றிகரமாக install செய்யப்பட்டது. installation ஐ முடிக்க UniGetUI ஐ restart செய்ய பரிந்துரைக்கப்படுகிறது", + "Restart later": "பிறகு restart செய்", + "An error occurred:": "ஒரு பிழை ஏற்பட்டது.", + "I understand": "எனக்கு புரிகிறது", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI administrator ஆக இயக்கப்பட்டுள்ளது; இது பரிந்துரைக்கப்படவில்லை. UniGetUI ஐ administrator ஆக இயக்கினால், அதிலிருந்து தொடங்கப்படும் EVERY operation க்கும் administrator privileges இருக்கும். நீங்கள் program ஐ இன்னும் பயன்படுத்தலாம், ஆனால் UniGetUI ஐ administrator privileges உடன் இயக்க வேண்டாம் என்று மிகவும் பரிந்துரைக்கிறோம்.", + "WinGet was repaired successfully": "WinGet வெற்றிகரமாக repair செய்யப்பட்டது", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet சரிசெய்யப்பட்ட பிறகு UniGetUI ஐ restart செய்ய பரிந்துரைக்கப்படுகிறது", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "குறிப்பு: இந்த troubleshooter ஐ UniGetUI Settings இன் WinGet பிரிவில் முடக்கலாம்", + "Restart": "restart செய்", + "WinGet could not be repaired": "WinGet ஐ repair செய்ய முடியவில்லை", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet ஐ சரிசெய்ய முயன்றபோது எதிர்பாராத சிக்கல் ஏற்பட்டது. பின்னர் மீண்டும் முயற்சிக்கவும்", + "Are you sure you want to delete all shortcuts?": "அனைத்து shortcuts ஐயும் நீக்க விரும்புகிறீர்களா?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "நிறுவல் அல்லது புதுப்பிப்பு செயல்பாட்டின் போது உருவாகும் புதிய shortcuts முதன்முதலில் கண்டறியப்படும் போது உறுதிப்படுத்தும் prompt காட்டாமல் தானாகவே நீக்கப்படும்.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI க்கு வெளியே உருவாக்கப்பட்ட அல்லது மாற்றப்பட்ட shortcuts புறக்கணிக்கப்படும். அவற்றை {0} பொத்தானின் மூலம் சேர்க்கலாம்.", + "Are you really sure you want to enable this feature?": "இந்த அம்சத்தை இயக்க நீங்கள் உண்மையிலேயே உறுதியாக உள்ளீர்களா?", + "No new shortcuts were found during the scan.": "scan இன் போது புதிய shortcuts எதுவும் கிடைக்கவில்லை.", + "How to add packages to a bundle": "bundle இற்கு packages ஐ எப்படி சேர்ப்பது", + "In order to add packages to a bundle, you will need to: ": "ஒரு bundle இற்கு packages ஐச் சேர்க்க, நீங்கள் இதை செய்ய வேண்டும்: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" அல்லது \"{1}\" பக்கத்துக்கு செல்லவும்.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. தொகுப்பில் சேர்க்க விரும்பும் தொகுப்பு(களை) கண்டுபிடித்து, அவற்றின் இடதுபுற checkbox ஐ தேர்ந்தெடுக்கவும்.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. தொகுப்பில் சேர்க்க வேண்டிய தொகுப்புகள் தேர்ந்தெடுக்கப்பட்ட பிறகு, toolbar இல் உள்ள \"{0}\" விருப்பத்தை கண்டுபிடித்து அழுத்தவும்.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. உங்கள் தொகுப்புகள் bundle இல் சேர்க்கப்பட்டிருக்கும். நீங்கள் மேலும் தொகுப்புகளை சேர்க்கலாம் அல்லது bundle ஐ ஏற்றுமதி செய்யலாம்.", + "Which backup do you want to open?": "நீங்கள் எந்த backup ஐத் திறக்க விரும்புகிறீர்கள்?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "நீங்கள் திறக்க விரும்பும் backup ஐத் தேர்ந்தெடுக்கவும். பின்னர் எந்த packages/programs ஐ restore செய்ய வேண்டும் என்பதை review செய்யலாம்.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "operations நடைபெற்று கொண்டிருக்கின்றன. UniGetUI யிலிருந்து வெளியேறினால் அவை தோல்வியடையக்கூடும். தொடர விரும்புகிறீர்களா?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI அல்லது அதன் சில components காணாமல் போயுள்ளன அல்லது கெடுக்கப்பட்டுள்ளன.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "இந்த நிலையை சரி செய்ய UniGetUI ஐ மறுபடியும் install செய்ய வலியுறுத்தப்படுகிறது.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "பாதிக்கப்பட்ட file(s) குறித்த மேலும் விவரங்களுக்கு UniGetUI Logs ஐ பார்க்கவும்", + "Integrity checks can be disabled from the Experimental Settings": "integrity checks ஐ Experimental Settings இலிருந்து முடக்கலாம்", + "Repair UniGetUI": "UniGetUI ஐ repair செய்", + "Live output": "நேரடி output", + "Package not found": "package கிடைக்கவில்லை", + "An error occurred when attempting to show the package with Id {0}": "Id {0} உடைய தொகுப்பைக் காட்ட முயன்றபோது பிழை ஏற்பட்டது", + "Package": "package", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "இந்த package bundle இல் சில settings ஆபத்தானவையாக இருக்கக்கூடும்; ஆகவே அவை இயல்பாகப் புறக்கணிக்கப்படலாம்.", + "Entries that show in YELLOW will be IGNORED.": "YELLOW இல் காட்டப்படும் entries புறக்கணிக்கப்படும்.", + "Entries that show in RED will be IMPORTED.": "RED இல் காட்டப்படும் entries IMPORT செய்யப்படும்.", + "You can change this behavior on UniGetUI security settings.": "இந்த நடத்தையை UniGetUI security settings இல் மாற்றலாம்.", + "Open UniGetUI security settings": "UniGetUI security settings ஐத் திற", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "security settings ஐ மாற்றினால், மாற்றங்கள் செயல்பட bundle ஐ மீண்டும் திறக்க வேண்டும்.", + "Details of the report:": "அறிக்கையின் விவரங்கள்:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ஒரு உள்ளூர் தொகுப்பு மற்றும் இதைப் பகிர முடியாது", + "Are you sure you want to create a new package bundle? ": "புதிய package bundle உருவாக்க விரும்புகிறீர்களா? ", + "Any unsaved changes will be lost": "சேமிக்கப்படாத மாற்றங்கள் அனைத்தும் இழக்கப்படும்", + "Warning!": "எச்சரிக்கை!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "பாதுகாப்பு காரணங்களுக்காக, custom command-line arguments இயல்புநிலையில் முடக்கப்பட்டுள்ளன. இதை மாற்ற UniGetUI security settings க்கு செல்லவும். ", + "Change default options": "இயல்புநிலை விருப்பங்களை மாற்று", + "Ignore future updates for this package": "இந்த package க்கான எதிர்கால updates ஐ புறக்கணி", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "பாதுகாப்பு காரணங்களுக்காக, pre-operation மற்றும் post-operation scripts இயல்புநிலையில் முடக்கப்பட்டுள்ளன. இதை மாற்ற UniGetUI security settings க்கு செல்லவும். ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "இந்த package install, update அல்லது uninstall செய்யப்படும் முன் அல்லது பின் இயங்க வேண்டிய commands ஐ நீங்கள் வரையறுக்கலாம். அவை command prompt இல் இயங்கும்; ஆகவே CMD scripts இங்கே வேலை செய்யும்.", + "Change this and unlock": "இதனை மாற்றி unlock செய்", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} இயல்புநிலை install options ஐப் பின்பற்றுவதால், {0} இன் Install options தற்போது lock செய்யப்பட்டுள்ளன.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "இந்த package install, update அல்லது uninstall ஆகும் முன் மூடப்பட வேண்டிய processes ஐத் தேர்ந்தெடுக்கவும்.", + "Write here the process names here, separated by commas (,)": "process பெயர்களை இங்கே comma (,) களைப் பயன்படுத்தி பிரித்து எழுதவும்", + "Unset or unknown": "unset அல்லது அறியப்படாதது", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "சிக்கல் பற்றி மேலும் அறிய Command-line Output ஐ பார்க்கவும் அல்லது Operation History ஐ பார்க்கவும்.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "இந்த package க்கு screenshots இல்லை அல்லது icon இல்லைதா? எங்கள் திறந்த public database இல் காணாமல் போன icons மற்றும் screenshots ஐச் சேர்த்து UniGetUI க்கு பங்களியுங்கள்.", + "Become a contributor": "பங்களிப்பாளராகுங்கள்", + "Save": "சேமி", + "Update to {0} available": "{0} க்கு update கிடைக்கிறது", + "Reinstall": "மறுபடியும் install செய்", + "Installer not available": "installer கிடைக்கவில்லை", + "Version:": "பதிப்பு:", + "Performing backup, please wait...": "backup செய்யப்படுகிறது, தயவுசெய்து காத்திருக்கவும்...", + "An error occurred while logging in: ": "உள்நுழையும்போது பிழை ஏற்பட்டது: ", + "Fetching available backups...": "கிடைக்கக்கூடிய backups ஐப் பெறுகிறது...", + "Done!": "முடிந்தது!", + "The cloud backup has been loaded successfully.": "cloud backup வெற்றிகரமாக load செய்யப்பட்டது.", + "An error occurred while loading a backup: ": "காப்புப்பிரதியை ஏற்றும்போது பிழை ஏற்பட்டது: ", + "Backing up packages to GitHub Gist...": "தொகுப்புகளை GitHub Gist இற்கு காப்புப்பிரதி எடுக்கிறது...", + "Backup Successful": "காப்புப்பிரதி வெற்றிபெற்றது", + "The cloud backup completed successfully.": "cloud backup வெற்றிகரமாக முடிந்தது.", + "Could not back up packages to GitHub Gist: ": "packages ஐ GitHub Gist க்கு backup செய்ய முடியவில்லை: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "வழங்கப்பட்ட credentials பாதுகாப்பாக சேமிக்கப்படும் என்று உறுதி இல்லை; ஆகவே உங்கள் bank account credentials ஐ பயன்படுத்தாமல் இருப்பது நல்லது", + "Enable the automatic WinGet troubleshooter": "automatic WinGet troubleshooter ஐ இயக்கு", + "Enable an [experimental] improved WinGet troubleshooter": "மேம்படுத்தப்பட்ட [experimental] WinGet troubleshooter ஐ இயக்கு", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' காரணமாக தோல்வியுறும் புதுப்பிப்புகளை புறக்கணிக்கப்பட்ட புதுப்பிப்புகள் பட்டியலில் சேர்", + "Restart WingetUI to fully apply changes": "மாற்றங்களை முழுமையாகப் பயன்படுத்த UniGetUI ஐ restart செய்", + "Restart WingetUI": "UniGetUI ஐ restart செய்", + "Invalid selection": "செல்லாத தேர்வு", + "No package was selected": "எந்த package ம் தேர்ந்தெடுக்கப்படவில்லை", + "More than 1 package was selected": "1 க்கும் மேற்பட்ட package தேர்ந்தெடுக்கப்பட்டது", + "List": "பட்டியல்", + "Grid": "கட்டம்", + "Icons": "icons", "\"{0}\" is a local package and does not have available details": "\"{0}\" ஒரு உள்ளூர் தொகுப்பு மற்றும் இதில் கிடைக்கக்கூடிய விவரங்கள் இல்லை.", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ஒரு உள்ளூர் தொகுப்பு மற்றும் இந்த அம்சத்துடன் இணக்கமாக இல்லை", - "(Last checked: {0})": "(கடைசியாகப் பார்த்தது : {0})", + "WinGet malfunction detected": "WinGet கோளாறு கண்டறியப்பட்டது", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet சரியாக வேலை செய்யவில்லை போல தெரிகிறது. அதை repair செய்ய முயற்சிக்க விரும்புகிறீர்களா?", + "Repair WinGet": "WinGet ஐ repair செய்", + "Create .ps1 script": ".ps1 script உருவாக்கு", + "Add packages to bundle": "bundle இற்கு தொகுப்புகளைச் சேர்", + "Preparing packages, please wait...": "packages தயாராக்கப்படுகின்றன, தயவுசெய்து காத்திருக்கவும்...", + "Loading packages, please wait...": "packages ஏற்றப்படுகின்றன, தயவுசெய்து காத்திருக்கவும்...", + "Saving packages, please wait...": "packages சேமிக்கப்படுகின்றன, தயவுசெய்து காத்திருக்கவும்...", + "The bundle was created successfully on {0}": "bundle {0} அன்று வெற்றிகரமாக உருவாக்கப்பட்டது", + "Install script": "install script", + "The installation script saved to {0}": "installation script {0} இல் சேமிக்கப்பட்டது", + "An error occurred while attempting to create an installation script:": "installation script உருவாக்க முயன்றபோது பிழை ஏற்பட்டது:", + "{0} packages are being updated": "{0} packages update செய்யப்படுகின்றன", + "Error": "பிழை", + "Log in failed: ": "உள்நுழைவு தோல்வியடைந்தது: ", + "Log out failed: ": "வெளியேறல் தோல்வியடைந்தது: ", + "Package backup settings": "package backup settings", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(வரிசையில் எண் {0})", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@nochilli", "0 packages found": "எதுவும் கிடைக்கவில்லை", "0 updates found": "புதுப்பிப்புகள் எதுவும் இல்லை", - "1 - Errors": "1 - பிழைகள்", - "1 day": "ஒரு நாள்", - "1 hour": "ஒரு மணி நேரம்", "1 month": "ஒரு மாதம்", "1 package was found": "1 தொகுப்பு கிடைத்தது", - "1 update is available": "ஒரு புதுப்பிப்பு உள்ளது", - "1 week": "ஒரு வாரம்", "1 year": "ஒரு வருடம்", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" அல்லது \"{1}\" பக்கத்துக்கு செல்லவும்.", - "2 - Warnings": "2 - எச்சரிக்கைகள்", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. தொகுப்பில் சேர்க்க விரும்பும் தொகுப்பு(களை) கண்டுபிடித்து, அவற்றின் இடதுபுற checkbox ஐ தேர்ந்தெடுக்கவும்.", - "3 - Information (less)": "3 - தகவல் (குறைவு)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. தொகுப்பில் சேர்க்க வேண்டிய தொகுப்புகள் தேர்ந்தெடுக்கப்பட்ட பிறகு, toolbar இல் உள்ள \"{0}\" விருப்பத்தை கண்டுபிடித்து அழுத்தவும்.", - "4 - Information (more)": "4 - தகவல் (மேலும்)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. உங்கள் தொகுப்புகள் bundle இல் சேர்க்கப்பட்டிருக்கும். நீங்கள் மேலும் தொகுப்புகளை சேர்க்கலாம் அல்லது bundle ஐ ஏற்றுமதி செய்யலாம்.", - "5 - information (debug)": "5 - தகவல் (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "பிரபலமான C/C++ நூலக மேலாளர். C/C++ நூலகங்கள் மற்றும் பிற C/C++ தொடர்பான பயன்பாடுகள் நிரம்பியுள்ளது
உள்ளடக்கம்: C/C++ நூலகங்கள் மற்றும் தொடர்புடைய பயன்பாடுகள்", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft இன் .NET சூழலை மனதில் கொண்டு வடிவமைக்கப்பட்ட tools மற்றும் executables நிறைந்த repository.
உள்ளடக்கம்: .NET தொடர்புடைய tools மற்றும் scripts", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoft இன் .NET சூழலை மனதில் கொண்டு வடிவமைக்கப்பட்ட tools நிறைந்த repository.
உள்ளடக்கம்: .NET தொடர்புடைய tools", "A restart is required": "கணினியை மறுதொடக்கம் செய்ய வேண்டும்", - "Abort install if pre-install command fails": "pre-install command தோல்வியுற்றால் நிறுவலை நிறுத்து", - "Abort uninstall if pre-uninstall command fails": "pre-uninstall command தோல்வியுற்றால் அகற்றலை நிறுத்து", - "Abort update if pre-update command fails": "pre-update command தோல்வியுற்றால் புதுப்பிப்பை நிறுத்து", - "About": "பற்றி", "About Qt6": "Qt6 பற்றி", - "About WingetUI": "UniGetUI பற்றி", "About WingetUI version {0}": "UniGetUI {0} பதிப்பு பற்றி", "About the dev": "டெவலப்பர் பற்றி", - "Accept": "ஒத்திரு", "Action when double-clicking packages, hide successful installations": "தொகுப்புகளை இருமுறை கிளிக் செய்யும்போது செய்யும் செயல், வெற்றிகரமான நிறுவல்களை மறை", - "Add": "சேர்", "Add a source to {0}": "{0} இற்கு ஒரு மூலத்தைச் சேர்", - "Add a timestamp to the backup file names": "காப்புப்பிரதி கோப்பு பெயர்களில் நேரமுத்திரையைச் சேர்", "Add a timestamp to the backup files": "காப்புப்பிரதி கோப்புகளில் நேரமுத்திரையைச் சேர்", "Add packages or open an existing bundle": "தொகுப்புகளைச் சேர்க்கவும் அல்லது ஏற்கனவே உள்ள bundle ஐத் திறக்கவும்", - "Add packages or open an existing package bundle": "தொகுப்புகளைச் சேர்க்கவும் அல்லது ஏற்கனவே உள்ள package bundle ஐத் திறக்கவும்", - "Add packages to bundle": "bundle இற்கு தொகுப்புகளைச் சேர்", - "Add packages to start": "தொடங்க தொகுப்புகளைச் சேர்", - "Add selection to bundle": "தேர்வை bundle இற்கு சேர்", - "Add source": "மூலத்தைச் சேர்", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'no applicable update found' காரணமாக தோல்வியுறும் புதுப்பிப்புகளை புறக்கணிக்கப்பட்ட புதுப்பிப்புகள் பட்டியலில் சேர்", - "Adding source {source}": "{source} என்ற மூலத்தைச் சேர்க்கிறது", - "Adding source {source} to {manager}": "{source} source ஐ {manager} இற்கு சேர்க்கிறது", "Addition succeeded": "சேர்த்தல் வெற்றியடைந்தது", - "Administrator privileges": "நிர்வாகி சிறப்புரிமைகள்", "Administrator privileges preferences": "நிர்வாகி சிறப்புரிமை விருப்பங்கள்", "Administrator rights": "நிர்வாகி உரிமைகள்", - "Administrator rights and other dangerous settings": "நிர்வாகி உரிமைகள் மற்றும் பிற ஆபத்தான settings", - "Advanced options": "மேம்பட்ட விருப்பங்கள்", "All files": "எல்லா கோப்புகள்", - "All versions": "எல்லா பதிப்புகளும்", - "Allow changing the paths for package manager executables": "package manager executables க்கான பாதைகளை மாற்ற அனுமதி கொடு", - "Allow custom command-line arguments": "தனிப்பயன் command-line arguments க்கு அனுமதி கொடு", - "Allow importing custom command-line arguments when importing packages from a bundle": "bundle இலிருந்து தொகுப்புகளை இறக்குமதி செய்யும்போது தனிப்பயன் command-line arguments ஐ இறக்குமதி செய்ய அனுமதி கொடு", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "bundle இலிருந்து தொகுப்புகளை இறக்குமதி செய்யும்போது தனிப்பயன் pre-install மற்றும் post-install commands ஐ இறக்குமதி செய்ய அனுமதி கொடு", "Allow package operations to be performed in parallel": "தொகுப்பு செயல்பாடுகளை ஒரே நேரத்தில் செய்ய அனுமதி கொடு", "Allow parallel installs (NOT RECOMMENDED)": "ஒரே நேரத்தில் நிறுவல்களுக்கு அனுமதி கொடு (பரிந்துரைக்கப்படவில்லை)", - "Allow pre-release versions": "pre-release பதிப்புகளுக்கு அனுமதி கொடு", "Allow {pm} operations to be performed in parallel": "{pm} செயல்பாடுகளை ஒரே நேரத்தில் செய்ய அனுமதி கொடு", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "மாற்றாக, Windows PowerShell prompt இல் பின்வரும் command ஐ இயக்கி {0} ஐ நிறுவலாம்:", "Always elevate {pm} installations by default": "{pm} நிறுவல்களை இயல்பாக எப்போதும் elevate செய்", "Always run {pm} operations with administrator rights": "{pm} செயல்பாடுகளை எப்போதும் நிர்வாகி உரிமைகளுடன் இயக்கு", - "An error occurred": "ஒரு பிழை ஏற்பட்டது.", - "An error occurred when adding the source: ": "மூலத்தைச் சேர்க்கும்போது பிழை ஏற்பட்டது: ", - "An error occurred when attempting to show the package with Id {0}": "Id {0} உடைய தொகுப்பைக் காட்ட முயன்றபோது பிழை ஏற்பட்டது", - "An error occurred when checking for updates: ": "புதுப்பிப்புகளைச் சரிபார்க்கும் போது ஒரு பிழை ஏற்பட்டது:", - "An error occurred while attempting to create an installation script:": "installation script உருவாக்க முயன்றபோது பிழை ஏற்பட்டது:", - "An error occurred while loading a backup: ": "காப்புப்பிரதியை ஏற்றும்போது பிழை ஏற்பட்டது: ", - "An error occurred while logging in: ": "உள்நுழையும்போது பிழை ஏற்பட்டது: ", - "An error occurred while processing this package": "இந்த தொகுப்பை செயலாக்கும்போது பிழை ஏற்பட்டது", - "An error occurred:": "ஒரு பிழை ஏற்பட்டது.", - "An interal error occurred. Please view the log for further details.": "உள் பிழை ஏற்பட்டது. கூடுதல் விவரங்களுக்கு log ஐ பார்க்கவும்.", "An unexpected error occurred:": "எதிர்பாராத பிழை ஏற்பட்டது:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet ஐ சரிசெய்ய முயன்றபோது எதிர்பாராத சிக்கல் ஏற்பட்டது. பின்னர் மீண்டும் முயற்சிக்கவும்", - "An update was found!": "ஒரு புதுப்பிப்பு கிடைத்தது!", - "Android Subsystem": "ஆண்ட்ராய்டு துணை அமைப்பு", "Another source": "மற்றொரு மூல", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "நிறுவல் அல்லது புதுப்பிப்பு செயல்பாட்டின் போது உருவாகும் புதிய shortcuts முதன்முதலில் கண்டறியப்படும் போது உறுதிப்படுத்தும் prompt காட்டாமல் தானாகவே நீக்கப்படும்.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI க்கு வெளியே உருவாக்கப்பட்ட அல்லது மாற்றப்பட்ட shortcuts புறக்கணிக்கப்படும். அவற்றை {0} பொத்தானின் மூலம் சேர்க்கலாம்.", - "Any unsaved changes will be lost": "சேமிக்கப்படாத மாற்றங்கள் அனைத்தும் இழக்கப்படும்", "App Name": "ஆப் பெயர்", - "Appearance": "தோற்றம்", - "Application theme, startup page, package icons, clear successful installs automatically": "பயன்பாட்டு theme, startup page, package icons, வெற்றிகரமான நிறுவல்களை தானாக நீக்கு", - "Application theme:": "ஆப் தீம்", - "Apply": "இடு", - "Architecture to install:": "நிறுவ வேண்டிய architecture:", "Are these screenshots wron or blurry?": "இந்த screenshots தவறானவையா அல்லது மங்கலானவையா?", - "Are you really sure you want to enable this feature?": "இந்த அம்சத்தை இயக்க நீங்கள் உண்மையிலேயே உறுதியாக உள்ளீர்களா?", - "Are you sure you want to create a new package bundle? ": "புதிய package bundle உருவாக்க விரும்புகிறீர்களா? ", - "Are you sure you want to delete all shortcuts?": "அனைத்து shortcuts ஐயும் நீக்க விரும்புகிறீர்களா?", - "Are you sure?": "உறுதியாக இருக்கிறீர்களா?", - "Ascendant": "ஏறுவரிசை", - "Ask for administrator privileges once for each batch of operations": "ஒவ்வொரு batch செயல்பாட்டிற்கும் ஒருமுறை நிர்வாகி சிறப்புரிமைகளை கேள்", "Ask for administrator rights when required": "தேவைப்படும் போது நிர்வாகி உரிமைகளை கேள்", "Ask once or always for administrator rights, elevate installations by default": "நிர்வாகி உரிமைகளை ஒருமுறை அல்லது எப்போதும் கேள், நிறுவல்களை இயல்பாக elevate செய்", - "Ask only once for administrator privileges": "நிர்வாகி சிறப்புரிமைகளை ஒருமுறை மட்டும் கேள்", "Ask only once for administrator privileges (not recommended)": "நிர்வாகி சிறப்புரிமைகளை ஒருமுறை மட்டும் கேள் (பரிந்துரைக்கப்படவில்லை)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "நிறுவல் அல்லது upgrade இன் போது உருவான desktop shortcuts ஐ நீக்க வேண்டுமா என்று கேள்", - "Attention required": "கவனம் தேவை", "Authenticate to the proxy with an user and a password": "proxy ஐ பயனர் மற்றும் கடவுச்சொல்லுடன் அங்கீகரி", - "Author": "ஆசிரியர்", - "Automatic desktop shortcut remover": "தானியங்கி desktop shortcut அகற்றுபவர்", - "Automatic updates": "தானியங்கி புதுப்பிப்புகள்", - "Automatically save a list of all your installed packages to easily restore them.": "உங்கள் நிறுவப்பட்ட அனைத்து தொகுப்புகளின் பட்டியலை அவற்றை எளிதாக மீட்டமைக்க தானாகச் சேமி.", "Automatically save a list of your installed packages on your computer.": "உங்கள் கணினியில் நிறுவப்பட்டுள்ள தொகுப்புகளின் பட்டியலை தானாகச் சேமி.", - "Automatically update this package": "இந்த தொகுப்பை தானாகப் புதுப்பி", "Autostart WingetUI in the notifications area": "அறிவிப்புப் பகுதியில் UniGetUI ஐ தானாகத் தொடங்கு", - "Available Updates": "கிடைகப்பட்ட புதுப்பிப்புகள்", "Available updates: {0}": "கிடைகப்பட்ட புதுப்பிப்புகள்: {0}", "Available updates: {0}, not finished yet...": "கிடைகப்பட்ட புதுப்பிப்புகள்: {0}, இன்னும் முடியவில்லை...", - "Backing up packages to GitHub Gist...": "தொகுப்புகளை GitHub Gist இற்கு காப்புப்பிரதி எடுக்கிறது...", - "Backup": "காப்புப்பிரதி", - "Backup Failed": "காப்புப்பிரதி தோல்வியுற்றது", - "Backup Successful": "காப்புப்பிரதி வெற்றிபெற்றது", - "Backup and Restore": "காப்புப்பிரதி மற்றும் மீட்டமைப்பு", "Backup installed packages": "நிறுவப்பட்ட தொகுப்புகளுக்கு காப்புப்பிரதி எடு", "Backup location": "காப்புப்பிரதி இடம்", - "Become a contributor": "பங்களிப்பாளராகுங்கள்", - "Become a translator": "மொழிபெயர்ப்பாளராகுங்கள்", - "Begin the process to select a cloud backup and review which packages to restore": "cloud backup ஐத் தேர்ந்தெடுத்து எந்த தொகுப்புகளை மீட்டமைப்பது என்பதை பரிசீலிக்கும் செயல்முறையைத் தொடங்கு", - "Beta features and other options that shouldn't be touched": "beta அம்சங்கள் மற்றும் தொடக்கூடாத பிற விருப்பங்கள்", - "Both": "இரண்டும்", - "Bundle security report": "bundle பாதுகாப்பு அறிக்கை", "But here are other things you can do to learn about WingetUI even more:": "ஆனால் UniGetUI பற்றி மேலும் அறிய நீங்கள் செய்யக்கூடிய மற்ற விஷயங்கள் இங்கே உள்ளன:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "package manager ஐ அணைத்துவிட்டால், அதன் தொகுப்புகளை நீங்கள் இனி காணவோ புதுப்பிக்கவோ முடியாது.", "Cache administrator rights and elevate installers by default": "நிர்வாகி உரிமைகளை cache செய்து installers ஐ இயல்பாக elevate செய்", "Cache administrator rights, but elevate installers only when required": "நிர்வாகி உரிமைகளை cache செய், ஆனால் தேவைப்படும் போது மட்டும் installers ஐ elevate செய்", "Cache was reset successfully!": "cache வெற்றிகரமாக reset செய்யப்பட்டது!", "Can't {0} {1}": "{0} {1} முடியாது", - "Cancel": "ரத்து", "Cancel all operations": "அனைத்து செயல்பாடுகளையும் ரத்து செய்", - "Change backup output directory": "backup output directory ஐ மாற்று", - "Change default options": "இயல்புநிலை விருப்பங்களை மாற்று", - "Change how UniGetUI checks and installs available updates for your packages": "உங்கள் packages க்கான available updates ஐ UniGetUI எவ்வாறு சரிபார்த்து install செய்கிறது என்பதை மாற்று", - "Change how UniGetUI handles install, update and uninstall operations.": "install, update மற்றும் uninstall operations ஐ UniGetUI எவ்வாறு கையாளுகிறது என்பதை மாற்று.", "Change how UniGetUI installs packages, and checks and installs available updates": "packages ஐ UniGetUI எவ்வாறு install செய்கிறது, மேலும் available updates ஐ எவ்வாறு சரிபார்த்து install செய்கிறது என்பதை மாற்று", - "Change how operations request administrator rights": "operations எவ்வாறு administrator rights கோருகின்றன என்பதை மாற்று", "Change install location": "install location ஐ மாற்று", - "Change this": "இதனை மாற்று", - "Change this and unlock": "இதனை மாற்றி unlock செய்", - "Check for package updates periodically": "package updates க்கு காலந்தோறும் சரிபார்", - "Check for updates": "updates க்கு சரிபார்", - "Check for updates every:": "இதற்கொரு முறை updates க்கு சரிபார்:", "Check for updates periodically": "updates க்கு காலந்தோறும் சரிபார்", "Check for updates regularly, and ask me what to do when updates are found.": "updates க்கு முறையாக சரிபார்த்து, அவை கிடைக்கும் போது என்ன செய்ய வேண்டும் என்று என்னைக் கேள்.", "Check for updates regularly, and automatically install available ones.": "updates க்கு முறையாக சரிபார்த்து, கிடைக்கக்கூடியவற்றை தானாக install செய்.", @@ -159,916 +741,335 @@ "Checking for updates...": "updates க்கு சரிபார்க்கிறது...", "Checking found instace(s)...": "கண்டுபிடிக்கப்பட்ட instace(s) ஐச் சரிபார்க்கிறது...", "Choose how many operations shouls be performed in parallel": "எத்தனை operations parallel ஆக செய்யப்பட வேண்டும் என்பதைத் தேர்வு செய்", - "Clear cache": "cache ஐ அழி", "Clear finished operations": "முடிந்த operations ஐ அழி", - "Clear selection": "தேர்வை அழி", "Clear successful operations": "வெற்றிகரமான operations ஐ அழி", - "Clear successful operations from the operation list after a 5 second delay": "5 விநாடி தாமதத்திற்குப் பிறகு operation list இலிருந்து வெற்றிகரமான operations ஐ அழி", "Clear the local icon cache": "local icon cache ஐ அழி", - "Clearing Scoop cache - WingetUI": "Scoop cache ஐ அழிக்கிறது - WingetUI", "Clearing Scoop cache...": "Scoop cache ஐ அழிக்கிறது...", - "Click here for more details": "மேலும் விவரங்களுக்கு இங்கே கிளிக் செய்யவும்", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "installation process ஐ ஆரம்பிக்க Install ஐ கிளிக் செய்யவும். நீங்கள் installation ஐ தவிர்த்தால், UniGetUI எதிர்பார்த்தபடி வேலை செய்யாமல் இருக்கலாம்.", - "Close": "மூடு", - "Close UniGetUI to the system tray": "UniGetUI ஐ system tray க்கு close செய்", "Close WingetUI to the notification area": "WingetUI ஐ notification area க்கு close செய்", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "installed packages பட்டியலை சேமிக்க cloud backup ஒரு private GitHub Gist ஐப் பயன்படுத்துகிறது", - "Cloud package backup": "cloud package backup", "Command-line Output": "Command-line output", - "Command-line to run:": "இயக்க வேண்டிய command-line:", "Compare query against": "query ஐ இதனுடன் ஒப்பிடு", - "Compatible with authentication": "authentication உடன் பொருந்தும்", - "Compatible with proxy": "proxy உடன் பொருந்தும்", "Component Information": "கூறு தகவல்", - "Concurrency and execution": "ஒரேநேர செயற்பாடு மற்றும் இயக்கம்", - "Connect the internet using a custom proxy": "custom proxy ஐப் பயன்படுத்தி internet க்கு இணை", - "Continue": "தொடர்", "Contribute to the icon and screenshot repository": "icon மற்றும் screenshot repository க்கு பங்களிக்கவும்", - "Contributors": "பங்களிப்பாளர்கள்", "Copy": "நகலெடு", - "Copy to clipboard": "clipboard க்கு நகலெடு", - "Could not add source": "source ஐச் சேர்க்க முடியவில்லை", - "Could not add source {source} to {manager}": "{source} source ஐ {manager} இற்கு சேர்க்க முடியவில்லை", - "Could not back up packages to GitHub Gist: ": "packages ஐ GitHub Gist க்கு backup செய்ய முடியவில்லை: ", - "Could not create bundle": "bundle ஐ உருவாக்க முடியவில்லை", "Could not load announcements - ": "announcements ஐ load செய்ய முடியவில்லை - ", "Could not load announcements - HTTP status code is $CODE": "announcements ஐ load செய்ய முடியவில்லை - HTTP status code $CODE ஆகும்", - "Could not remove source": "source ஐ அகற்ற முடியவில்லை", - "Could not remove source {source} from {manager}": "{source} source ஐ {manager} இலிருந்து அகற்ற முடியவில்லை", "Could not remove {source} from {manager}": "{source} ஐ {manager} இலிருந்து அகற்ற முடியவில்லை", - "Create .ps1 script": ".ps1 script உருவாக்கு", - "Credentials": "அடையாளச் சான்றுகள்", "Current Version": "தற்போதைய பதிப்பு", - "Current executable file:": "தற்போதைய இயக்கக்கோப்பு:", - "Current status: Not logged in": "தற்போதைய நிலை: உள்நுழையவில்லை", "Current user": "தற்போதைய பயனர்", "Custom arguments:": "தனிப்பயன் arguments:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "UniGetUI கட்டுப்படுத்த முடியாத வகையில் programs install, upgrade அல்லது uninstall ஆகும் முறையை தனிப்பயன் command-line arguments மாற்றக்கூடும். தனிப்பயன் command-lines பயன்படுத்துவது packages ஐ பாதிக்கக்கூடும். கவனமாக தொடரவும்.", "Custom command-line arguments:": "தனிப்பயன் command-line arguments:", - "Custom install arguments:": "தனிப்பயன் install arguments:", - "Custom uninstall arguments:": "தனிப்பயன் uninstall arguments:", - "Custom update arguments:": "தனிப்பயன் update arguments:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI ஐ தனிப்பயனாக்கு - hackers மற்றும் மேம்பட்ட பயனர்களுக்கு மட்டும்", - "DEBUG BUILD": "டீபக் build", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "பொறுப்புத்துறப்பு: பதிவிறக்கப்பட்ட packages க்குப் நாம் பொறுப்பல்ல. நம்பகமான software ஐ மட்டுமே install செய்வதை உறுதிசெய்யவும்.", - "Dark": "இருண்ட", - "Decline": "நிராகரி", - "Default": "இயல்புநிலை", - "Default installation options for {0} packages": "{0} packages க்கான இயல்புநிலை நிறுவல் விருப்பங்கள்", "Default preferences - suitable for regular users": "இயல்புநிலை விருப்பங்கள் - சாதாரண பயனர்களுக்கு பொருத்தமானவை", - "Default vcpkg triplet": "இயல்புநிலை vcpkg triplet", - "Delete?": "நீக்கவா?", - "Dependencies:": "சார்புகள்:", - "Descendant": "சந்ததி", "Description:": "விளக்கம்:", - "Desktop shortcut created": "desktop shortcut உருவாக்கப்பட்டது", - "Details of the report:": "அறிக்கையின் விவரங்கள்:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "உருவாக்குவது கடினம், இந்த application இலவசமானது. ஆனால் இந்த application உங்களுக்கு பிடித்திருந்தால், நீங்கள் எப்போதும் buy me a coffee :) செய்யலாம்", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" tab இல் உள்ள item ஐ double-click செய்யும் போது package info ஐ காட்டாமல் நேரடியாக install செய்", "Disable new share API (port 7058)": "புதிய share API ஐ முடக்கு (port 7058)", - "Disable the 1-minute timeout for package-related operations": "package தொடர்பான operations க்கான 1-minute timeout ஐ முடக்கு", - "Disabled": "முடக்கப்பட்டது", - "Disclaimer": "பொறுப்புத்துறப்பு", - "Discover Packages": "packages ஐ கண்டறி", "Discover packages": "packages ஐ கண்டறி", "Distinguish between\nuppercase and lowercase": "uppercase மற்றும் lowercase ஐ வேறுபடுத்து", - "Distinguish between uppercase and lowercase": "uppercase மற்றும் lowercase ஐ வேறுபடுத்து", "Do NOT check for updates": "updates ஐச் சரிபார்க்க வேண்டாம்", "Do an interactive install for the selected packages": "தேர்ந்தெடுக்கப்பட்ட packages க்காக interactive install செய்", "Do an interactive uninstall for the selected packages": "தேர்ந்தெடுக்கப்பட்ட packages க்காக interactive uninstall செய்", "Do an interactive update for the selected packages": "தேர்ந்தெடுக்கப்பட்ட packages க்காக interactive update செய்", - "Do not automatically install updates when the battery saver is on": "battery saver இயங்கும்போது updates ஐ தானாக install செய்ய வேண்டாம்", - "Do not automatically install updates when the device runs on battery": "device battery இல் இயங்கும்போது updates ஐ தானாக install செய்ய வேண்டாம்", - "Do not automatically install updates when the network connection is metered": "network connection metered ஆக இருக்கும்போது updates ஐ தானாக install செய்ய வேண்டாம்", "Do not download new app translations from GitHub automatically": "GitHub இலிருந்து புதிய app translations ஐ தானாக download செய்ய வேண்டாம்", - "Do not ignore updates for this package anymore": "இந்த package க்கான updates ஐ இனி புறக்கணிக்க வேண்டாம்", "Do not remove successful operations from the list automatically": "வெற்றிகரமான operations ஐ பட்டியலிலிருந்து தானாக அகற்ற வேண்டாம்", - "Do not show this dialog again for {0}": "{0} க்காக இந்த dialog ஐ மீண்டும் காட்ட வேண்டாம்", "Do not update package indexes on launch": "launch இல் package indexes ஐ update செய்ய வேண்டாம்", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "user experience ஐப் புரிந்து மேம்படுத்தும் ஒரே நோக்கத்திற்காக UniGetUI பெயரில்லா usage statistics ஐ சேகரித்து அனுப்புவதை ஏற்கிறீர்களா?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "UniGetUI உங்களுக்கு பயனுள்ளதாக இருக்கிறதா? முடிந்தால் என் பணியை ஆதரிக்கலாம், அப்போது UniGetUI ஐ சிறந்த package managing interface ஆக நான் தொடர்ந்து உருவாக்க முடியும்.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "UniGetUI உங்களுக்கு பயனுள்ளதாக இருக்கிறதா? developer ஐ ஆதரிக்க விரும்புகிறீர்களா? அப்படியானால், நீங்கள் {0} செய்யலாம், அது மிகவும் உதவும்!", - "Do you really want to reset this list? This action cannot be reverted.": "இந்த பட்டியலை reset செய்ய உண்மையில் விரும்புகிறீர்களா? இந்த செயலைத் திரும்ப மாற்ற முடியாது.", - "Do you really want to uninstall the following {0} packages?": "கீழ்க்கண்ட {0} packages ஐ uninstall செய்ய உண்மையில் விரும்புகிறீர்களா?", "Do you really want to uninstall {0} packages?": "{0} packages ஐ uninstall செய்ய உண்மையில் விரும்புகிறீர்களா?", - "Do you really want to uninstall {0}?": "{0} ஐ uninstall செய்ய உண்மையில் விரும்புகிறீர்களா?", "Do you want to restart your computer now?": "உங்கள் கணினியை இப்போது restart செய்ய விரும்புகிறீர்களா?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "உங்கள் மொழிக்கு UniGetUI ஐ மொழிபெயர்க்க விரும்புகிறீர்களா? பங்களிப்பது எப்படி என்பதை இங்கே! பார்க்கவும்", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "நன்கொடை வழங்க மனமில்லையா? பரவாயில்லை, UniGetUI ஐ உங்கள் நண்பர்களுடன் எப்போதும் பகிரலாம். UniGetUI பற்றி பரப்புங்கள்.", "Donate": "நன்கொடை", - "Done!": "முடிந்தது!", - "Download failed": "பதிவிறக்கம் தோல்வியடைந்தது", - "Download installer": "installer ஐப் பதிவிறக்கு", - "Download operations are not affected by this setting": "இந்த setting download operations ஐ பாதிக்காது", - "Download selected installers": "தேர்ந்தெடுக்கப்பட்ட installers ஐப் பதிவிறக்கு", - "Download succeeded": "பதிவிறக்கம் வெற்றியடைந்தது", "Download updated language files from GitHub automatically": "GitHub இலிருந்து புதுப்பிக்கப்பட்ட language files ஐ தானாக download செய்", "Downloading": "பதிவிறக்கப்படுகிறது", - "Downloading backup...": "backup பதிவிறக்கப்படுகிறது...", "Downloading installer for {package}": "{package} க்கான installer பதிவிறக்கப்படுகிறது", "Downloading package metadata...": "package metadata பதிவிறக்கப்படுகிறது...", - "Enable Scoop cleanup on launch": "launch இல் Scoop cleanup ஐ இயக்கு", - "Enable WingetUI notifications": "UniGetUI notifications ஐ இயக்கு", - "Enable an [experimental] improved WinGet troubleshooter": "மேம்படுத்தப்பட்ட [experimental] WinGet troubleshooter ஐ இயக்கு", - "Enable and disable package managers, change default install options, etc.": "package managers ஐ இயக்கு அல்லது முடக்கு, default install options ஐ மாற்று, போன்றவை.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "background CPU usage optimizations ஐ இயக்கு (Pull Request #3278 ஐ பார்க்கவும்)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "background API ஐ இயக்கு (UniGetUI Widgets மற்றும் Sharing, port 7058)", - "Enable it to install packages from {pm}.": "{pm} இலிருந்து packages ஐ install செய்ய இதை இயக்கு.", - "Enable the automatic WinGet troubleshooter": "automatic WinGet troubleshooter ஐ இயக்கு", "Enable the new UniGetUI-Branded UAC Elevator": "புதிய UniGetUI-branded UAC Elevator ஐ இயக்கு", "Enable the new process input handler (StdIn automated closer)": "புதிய process input handler ஐ இயக்கு (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "கீழே உள்ள settings என்ன செய்கின்றன மற்றும் அவற்றால் ஏற்படக்கூடிய விளைவுகளை நீங்கள் முழுமையாகப் புரிந்தால் மட்டுமே அவற்றை இயக்கு.", - "Enable {pm}": "{pm} ஐ இயக்கு", - "Enabled": "இயக்கப்பட்டது", - "Enter proxy URL here": "proxy URL ஐ இங்கே உள்ளிடவும்", - "Entries that show in RED will be IMPORTED.": "RED இல் காட்டப்படும் entries IMPORT செய்யப்படும்.", - "Entries that show in YELLOW will be IGNORED.": "YELLOW இல் காட்டப்படும் entries புறக்கணிக்கப்படும்.", - "Error": "பிழை", - "Everything is up to date": "அனைத்தும் புதுப்பிக்கப்பட்டுள்ளது", - "Exact match": "சரியான பொருத்தம்", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "உங்கள் desktop இல் உள்ள shortcuts scan செய்யப்படும், மேலும் எவற்றை வைத்திருக்க வேண்டும், எவற்றை அகற்ற வேண்டும் என்பதைக் நீங்கள் தேர்ந்தெடுக்க வேண்டும்.", - "Expand version": "பதிப்பை விரிவாக்கு", - "Experimental settings and developer options": "பரிசோதனை settings மற்றும் developer options", - "Export": "ஏற்றுமதி", - "Export log as a file": "log ஐ file ஆக ஏற்றுமதி செய்", - "Export packages": "packages ஐ ஏற்றுமதி செய்", - "Export selected packages to a file": "தேர்ந்தெடுக்கப்பட்ட packages ஐ file க்கு ஏற்றுமதி செய்", - "Export settings to a local file": "settings ஐ local file க்கு ஏற்றுமதி செய்", - "Export to a file": "file க்கு ஏற்றுமதி செய்", - "Failed": "தோல்வியடைந்தது", - "Fetching available backups...": "கிடைக்கக்கூடிய backups ஐப் பெறுகிறது...", + "Export log as a file": "log ஐ file ஆக ஏற்றுமதி செய்", + "Export packages": "packages ஐ ஏற்றுமதி செய்", + "Export selected packages to a file": "தேர்ந்தெடுக்கப்பட்ட packages ஐ file க்கு ஏற்றுமதி செய்", "Fetching latest announcements, please wait...": "சமீபத்திய announcements பெறப்படுகிறது, தயவுசெய்து காத்திருக்கவும்...", - "Filters": "வடிகட்டிகள்", "Finish": "முடி", - "Follow system color scheme": "system color scheme ஐப் பின்பற்று", - "Follow the default options when installing, upgrading or uninstalling this package": "இந்த package ஐ install, upgrade அல்லது uninstall செய்யும் போது இயல்புநிலை options ஐப் பின்பற்று", - "For security reasons, changing the executable file is disabled by default": "பாதுகாப்பு காரணங்களுக்காக, executable file ஐ மாற்றுவது இயல்புநிலையில் முடக்கப்பட்டுள்ளது", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "பாதுகாப்பு காரணங்களுக்காக, custom command-line arguments இயல்புநிலையில் முடக்கப்பட்டுள்ளன. இதை மாற்ற UniGetUI security settings க்கு செல்லவும். ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "பாதுகாப்பு காரணங்களுக்காக, pre-operation மற்றும் post-operation scripts இயல்புநிலையில் முடக்கப்பட்டுள்ளன. இதை மாற்ற UniGetUI security settings க்கு செல்லவும். ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "ARM compiled winget version ஐ கட்டாயப்படுத்து (ARM64 SYSTEMS க்கு மட்டும்)", - "Force install location parameter when updating packages with custom locations": "custom locations உடன் packages ஐ update செய்யும் போது install location parameter ஐ கட்டாயப்படுத்து", "Formerly known as WingetUI": "முன்பு WingetUI என்று அறியப்பட்டது", "Found": "கண்டறியப்பட்டது", "Found packages: ": "கண்டறியப்பட்ட packages: ", "Found packages: {0}": "கண்டறியப்பட்ட packages: {0}", "Found packages: {0}, not finished yet...": "கண்டறியப்பட்ட packages: {0}, இன்னும் முடிக்கப்படவில்லை...", - "General preferences": "பொதுவான விருப்பங்கள்", "GitHub profile": "GitHub சுயவிவரம்", "Global": "உலகளாவிய", - "Go to UniGetUI security settings": "UniGetUI security settings க்கு செல்லவும்", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "அறியப்படாத ஆனால் பயனுள்ள utilities மற்றும் மற்ற சுவாரஸ்யமான packages கொண்ட சிறந்த repository.
இதில் உள்ளவை: Utilities, Command-line programs, General Software (extras bucket தேவை)", - "Great! You are on the latest version.": "அருமை! நீங்கள் சமீபத்திய பதிப்பில் உள்ளீர்கள்.", - "Grid": "கட்டம்", - "Help": "உதவி", "Help and documentation": "உதவி மற்றும் documentation", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "பின்வரும் shortcuts குறித்து UniGetUI இன் நடத்தையை இங்கே மாற்றலாம். ஒரு shortcut ஐ check செய்தால், அது எதிர்கால upgrade இல் உருவானால் UniGetUI அதை delete செய்யும். அதை uncheck செய்தால் shortcut அப்படியே இருக்கும்", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "வணக்கம், என் பெயர் Martí, நான் UniGetUI இன் developer. UniGetUI முழுமையாக என் spare time இல் உருவாக்கப்பட்டது!", "Hide details": "விவரங்களை மறை", - "Homepage": "முகப்புப்பக்கம்", - "homepage": "இணையதளம்", - "Hooray! No updates were found.": "அருமை! எந்த updates ம் கிடைக்கவில்லை.", "How should installations that require administrator privileges be treated?": "administrator privileges தேவைப்படும் installations எப்படி கையாளப்பட வேண்டும்?", - "How to add packages to a bundle": "bundle இற்கு packages ஐ எப்படி சேர்ப்பது", - "I understand": "எனக்கு புரிகிறது", - "Icons": "icons", - "Id": "அடையாளம்", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "cloud backup enabled இருந்தால், அது இந்த account இல் GitHub Gist ஆக சேமிக்கப்படும்", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "custom pre-install மற்றும் post-install commands இயங்க அனுமதி", - "Ignore future updates for this package": "இந்த package க்கான எதிர்கால updates ஐ புறக்கணி", - "Ignore packages from {pm} when showing a notification about updates": "updates குறித்த notification காட்டும் போது {pm} இலிருந்து வரும் packages ஐ புறக்கணி", - "Ignore selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ புறக்கணி", - "Ignore special characters": "special characters ஐ புறக்கணி", "Ignore updates for the selected packages": "தேர்ந்தெடுக்கப்பட்ட packages க்கான updates ஐ புறக்கணி", - "Ignore updates for this package": "இந்த package க்கான updates ஐ புறக்கணி", "Ignored updates": "புறக்கணிக்கப்பட்ட updates", - "Ignored version": "புறக்கணிக்கப்பட்ட பதிப்பு", - "Import": "இறக்குமதி", "Import packages": "packages ஐ இறக்குமதி செய்", "Import packages from a file": "file இலிருந்து packages ஐ இறக்குமதி செய்", - "Import settings from a local file": "local file இலிருந்து settings ஐ இறக்குமதி செய்", - "In order to add packages to a bundle, you will need to: ": "ஒரு bundle இற்கு packages ஐச் சேர்க்க, நீங்கள் இதை செய்ய வேண்டும்: ", "Initializing WingetUI...": "UniGetUI initialize செய்யப்படுகிறது...", - "Install": "install செய்", - "install": "install செய்", - "Install Scoop": "Scoop ஐ install செய்", "Install and more": "Install மற்றும் மேலும்", "Install and update preferences": "install மற்றும் update விருப்பங்கள்", - "Install as administrator": "administrator ஆக install செய்", - "Install available updates automatically": "கிடைக்கும் updates ஐ தானாக install செய்", - "Install location can't be changed for {0} packages": "{0} packages க்கான install location ஐ மாற்ற முடியாது", - "Install location:": "install location:", - "Install options": "install options", "Install packages from a file": "file இலிருந்து packages ஐ install செய்", - "Install prerelease versions of UniGetUI": "UniGetUI இன் prerelease versions ஐ install செய்", - "Install script": "install script", "Install selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ install செய்", "Install selected packages with administrator privileges": "administrator privileges உடன் தேர்ந்தெடுக்கப்பட்ட packages ஐ install செய்", - "Install selection": "தேர்வை install செய்", "Install the latest prerelease version": "சமீபத்திய prerelease version ஐ install செய்", "Install updates automatically": "updates ஐ தானாக install செய்", - "Install {0}": "{0} ஐ install செய்", "Installation canceled by the user!": "user installation ஐ ரத்து செய்தார்!", - "Installation failed": "installation தோல்வியடைந்தது", - "Installation options": "installation options", - "Installation scope:": "installation scope:", - "Installation succeeded": "installation வெற்றியடைந்தது", - "Installed Packages": "install செய்யப்பட்ட packages", "Installed packages": "install செய்யப்பட்ட packages", - "Installed Version": "install செய்யப்பட்ட பதிப்பு", - "Installer SHA256": "installer SHA256", - "Installer SHA512": "installer SHA512", - "Installer Type": "installer வகை", - "Installer URL": "installer URL", - "Installer not available": "installer கிடைக்கவில்லை", "Instance {0} responded, quitting...": "instance {0} பதிலளித்தது, வெளியேறுகிறது...", - "Instant search": "உடனடி தேடல்", - "Integrity checks can be disabled from the Experimental Settings": "integrity checks ஐ Experimental Settings இலிருந்து முடக்கலாம்", - "Integrity checks skipped": "integrity checks தவிர்க்கப்பட்டன", - "Integrity checks will not be performed during this operation": "இந்த operation நடக்கும் போது integrity checks செய்யப்படமாட்டாது", - "Interactive installation": "interactive installation", - "Interactive operation": "interactive operation", - "Interactive uninstall": "interactive uninstall", - "Interactive update": "interactive update", - "Internet connection settings": "internet connection settings", - "Invalid selection": "செல்லாத தேர்வு", "Is this package missing the icon?": "இந்த package க்கு icon இல்லையா?", - "Is your language missing or incomplete?": "உங்கள் மொழி இல்லை அல்லது முழுமையில்லையா?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "வழங்கப்பட்ட credentials பாதுகாப்பாக சேமிக்கப்படும் என்று உறுதி இல்லை; ஆகவே உங்கள் bank account credentials ஐ பயன்படுத்தாமல் இருப்பது நல்லது", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet சரிசெய்யப்பட்ட பிறகு UniGetUI ஐ restart செய்ய பரிந்துரைக்கப்படுகிறது", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "இந்த நிலையை சரி செய்ய UniGetUI ஐ மறுபடியும் install செய்ய வலியுறுத்தப்படுகிறது.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet சரியாக வேலை செய்யவில்லை போல தெரிகிறது. அதை repair செய்ய முயற்சிக்க விரும்புகிறீர்களா?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "UniGetUI ஐ administrator ஆக இயக்கியுள்ளீர்கள் போல தெரிகிறது, இது பரிந்துரைக்கப்படவில்லை. நீங்கள் program ஐ இன்னும் பயன்படுத்தலாம், ஆனால் UniGetUI ஐ administrator privileges உடன் இயக்க வேண்டாம் என்று நாங்கள் வலியுறுத்துகிறோம். ஏன் என்பதை பார்க்க \"{showDetails}\" ஐ click செய்யவும்.", - "Language": "மொழி", - "Language, theme and other miscellaneous preferences": "மொழி, theme மற்றும் பிற miscellaneous விருப்பங்கள்", - "Last updated:": "கடைசியாக புதுப்பிக்கப்பட்டது:", - "Latest": "சமீபத்தியது", "Latest Version": "சமீபத்திய பதிப்பு", "Latest Version:": "சமீபத்திய பதிப்பு:", "Latest details...": "சமீபத்திய விவரங்கள்...", "Launching subprocess...": "subprocess தொடங்கப்படுகிறது...", - "Leave empty for default": "இயல்புநிலைக்கு காலியாக விடவும்", - "License": "உரிமம்", "Licenses": "உரிமங்கள்", - "Light": "ஒளிரும்", - "List": "பட்டியல்", "Live command-line output": "நேரடி command-line output", - "Live output": "நேரடி output", "Loading UI components...": "UI கூறுகள் ஏற்றப்படுகின்றன...", "Loading WingetUI...": "UniGetUI ஏற்றப்படுகிறது...", - "Loading packages": "packages ஏற்றப்படுகின்றன", - "Loading packages, please wait...": "packages ஏற்றப்படுகின்றன, தயவுசெய்து காத்திருக்கவும்...", - "Loading...": "ஏற்றப்படுகிறது...", - "Local": "உள்ளூர்", - "Local PC": "உள்ளூர் PC", - "Local backup advanced options": "உள்ளூர் backup மேம்பட்ட விருப்பங்கள்", "Local machine": "உள்ளூர் இயந்திரம்", - "Local package backup": "உள்ளூர் package backup", "Locating {pm}...": "{pm} ஐ கண்டறிகிறது...", - "Log in": "உள்நுழை", - "Log in failed: ": "உள்நுழைவு தோல்வியடைந்தது: ", - "Log in to enable cloud backup": "cloud backup ஐ செயல்படுத்த உள்நுழையவும்", - "Log in with GitHub": "GitHub மூலம் உள்நுழையவும்", - "Log in with GitHub to enable cloud package backup.": "cloud package backup ஐ செயல்படுத்த GitHub மூலம் உள்நுழையவும்.", - "Log level:": "log நிலை:", - "Log out": "வெளியேறு", - "Log out failed: ": "வெளியேறல் தோல்வியடைந்தது: ", - "Log out from GitHub": "GitHub இலிருந்து வெளியேறு", "Looking for packages...": "packages தேடப்படுகிறது...", "Machine | Global": "Machine | பொது", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "தவறான command-line arguments packages ஐ பாதிக்கலாம், அல்லது தீங்கு செய்பவருக்கு privileged execution ஐ வழங்கக்கூடும். ஆகவே custom command-line arguments ஐ import செய்வது இயல்புநிலையில் முடக்கப்பட்டுள்ளது.", - "Manage": "நிர்வகி", - "Manage UniGetUI settings": "UniGetUI settings ஐ நிர்வகி", "Manage WingetUI autostart behaviour from the Settings app": "Settings app இலிருந்து UniGetUI autostart நடத்தையை நிர்வகி", "Manage ignored packages": "புறக்கணிக்கப்பட்ட packages ஐ நிர்வகி", - "Manage ignored updates": "புறக்கணிக்கப்பட்ட updates ஐ நிர்வகி", - "Manage shortcuts": "shortcuts ஐ நிர்வகி", - "Manage telemetry settings": "telemetry settings ஐ நிர்வகி", - "Manage {0} sources": "{0} sources ஐ நிர்வகி", - "Manifest": "manifest", "Manifests": "manifests", - "Manual scan": "கைமுறை scan", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft இன் அதிகாரப்பூர்வ package manager. நன்கு அறியப்பட்ட மற்றும் சரிபார்க்கப்பட்ட packages நிரம்பியுள்ளது
இதில் உள்ளவை: General Software, Microsoft Store apps", - "Missing dependency": "சார்பு இல்லை", - "More": "மேலும்", - "More details": "மேலும் விவரங்கள்", - "More details about the shared data and how it will be processed": "பகிரப்பட்ட தரவு மற்றும் அது எவ்வாறு செயலாக்கப்படும் என்பதற்கான மேலும் விவரங்கள்", - "More info": "மேலும் தகவல்", - "More than 1 package was selected": "1 க்கும் மேற்பட்ட package தேர்ந்தெடுக்கப்பட்டது", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "குறிப்பு: இந்த troubleshooter ஐ UniGetUI Settings இன் WinGet பிரிவில் முடக்கலாம்", - "Name": "பெயர்", - "New": "புதிய", "New Version": "புதிய பதிப்பு", - "New version": "புதிய பதிப்பு", "New bundle": "புதிய bundle", - "Nice! Backups will be uploaded to a private gist on your account": "அருமை! backups உங்கள் account இல் private gist ஆக upload செய்யப்படும்", - "No": "இல்லை", - "No applicable installer was found for the package {0}": "package {0} க்கு பொருந்தும் installer எதுவும் கிடைக்கவில்லை", - "No dependencies specified": "சார்புகள் எதுவும் குறிப்பிடப்படவில்லை", - "No new shortcuts were found during the scan.": "scan இன் போது புதிய shortcuts எதுவும் கிடைக்கவில்லை.", - "No package was selected": "எந்த package ம் தேர்ந்தெடுக்கப்படவில்லை", "No packages found": "packages எதுவும் கிடைக்கவில்லை", "No packages found matching the input criteria": "உள்ளீட்டு அளவுகோலுக்கு பொருந்தும் packages எதுவும் கிடைக்கவில்லை", "No packages have been added yet": "இதுவரை எந்த packages ம் சேர்க்கப்படவில்லை", "No packages selected": "packages எதுவும் தேர்ந்தெடுக்கப்படவில்லை", - "No packages were found": "packages எதுவும் கிடைக்கவில்லை", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "தனிப்பட்ட தகவல் எதுவும் சேகரிக்கப்படவும் அனுப்பப்படவும் இல்லை. சேகரிக்கப்பட்ட தரவு anonimized ஆக இருப்பதால் அது உங்களிடம் திரும்பப் பின்தொடர முடியாது.", - "No results were found matching the input criteria": "உள்ளீட்டு அளவுகோலுக்கு பொருந்தும் முடிவுகள் எதுவும் கிடைக்கவில்லை", "No sources found": "sources எதுவும் கிடைக்கவில்லை", "No sources were found": "sources எதுவும் கிடைக்கவில்லை", "No updates are available": "updates எதுவும் கிடைக்கவில்லை", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS இன் package manager. javascript உலகைச் சுற்றியுள்ள libraries மற்றும் மற்ற utilities நிரம்பியுள்ளது
இதில் உள்ளவை: Node javascript libraries மற்றும் தொடர்புடைய utilities", - "Not available": "கிடைக்கவில்லை", - "Not finding the file you are looking for? Make sure it has been added to path.": "நீங்கள் தேடும் file கிடைக்கவில்லையா? அது path இல் சேர்க்கப்பட்டுள்ளதா என்பதை உறுதிசெய்யவும்.", - "Not found": "கிடைக்கவில்லை", - "Not right now": "இப்போது வேண்டாம்", "Notes:": "குறிப்புகள்:", - "Notification preferences": "notification விருப்பங்கள்", "Notification tray options": "notification tray options", - "Notification types": "notification வகைகள்", - "NuPkg (zipped manifest)": "NuPkg (zip செய்யப்பட்ட manifest)", - "OK": "சரி", "Ok": "சரி", - "Open": "திற", "Open GitHub": "GitHub ஐத் திற", - "Open UniGetUI": "UniGetUI ஐத் திற", - "Open UniGetUI security settings": "UniGetUI security settings ஐத் திற", "Open WingetUI": "UniGetUI ஐத் திற", "Open backup location": "backup இடத்தைத் திற", "Open existing bundle": "ஏற்கனவே உள்ள bundle ஐத் திற", - "Open install location": "install location ஐத் திற", "Open the welcome wizard": "welcome wizard ஐத் திற", - "Operation canceled by user": "user operation ஐ ரத்து செய்தார்", "Operation cancelled": "operation ரத்து செய்யப்பட்டது", - "Operation history": "operation வரலாறு", - "Operation in progress": "operation நடைபெற்று கொண்டிருக்கிறது", - "Operation on queue (position {0})...": "queue இல் operation (position {0})...", - "Operation profile:": "operation profile:", "Options saved": "options சேமிக்கப்பட்டன", - "Order by:": "இதன்படி வரிசைப்படுத்து:", - "Other": "மற்றவை", - "Other settings": "மற்ற settings", - "Package": "package", - "Package Bundles": "package bundles", - "Package ID": "package ID", "Package Manager": "package manager", - "Package manager": "package manager", - "Package Manager logs": "package manager logs", - "Package Managers": "package managers", "Package managers": "package managers", - "Package Name": "package பெயர்", - "Package backup": "package backup", - "Package backup settings": "package backup settings", - "Package bundle": "package bundle", - "Package details": "package விவரங்கள்", - "Package lists": "package பட்டியல்கள்", - "Package management made easy": "package management ஐ எளிதாக்கியது", - "Package manager preferences": "package managers preferences", - "Package not found": "package கிடைக்கவில்லை", - "Package operation preferences": "package operation விருப்பங்கள்", - "Package update preferences": "package update விருப்பங்கள்", "Package {name} from {manager}": "package {name}, {manager} இலிருந்து", - "Package's default": "package இன் default", "Packages": "packages", "Packages found: {0}": "கண்டறியப்பட்ட packages: {0}", - "Partially": "பகுதியாக", - "Password": "கடவுச்சொல்", "Paste a valid URL to the database": "database இற்கு சரியான URL ஐ paste செய்யவும்", - "Pause updates for": "updates ஐ இவ்வளவு நேரம் இடைநிறுத்து", "Perform a backup now": "இப்போது backup செய்", - "Perform a cloud backup now": "இப்போது cloud backup செய்", - "Perform a local backup now": "இப்போது local backup செய்", - "Perform integrity checks at startup": "startup இல் integrity checks செய்", - "Performing backup, please wait...": "backup செய்யப்படுகிறது, தயவுசெய்து காத்திருக்கவும்...", "Periodically perform a backup of the installed packages": "install செய்யப்பட்ட packages க்கான backup ஐ காலந்தோறும் செய்", - "Periodically perform a cloud backup of the installed packages": "install செய்யப்பட்ட packages க்கான cloud backup ஐ காலந்தோறும் செய்", - "Periodically perform a local backup of the installed packages": "install செய்யப்பட்ட packages க்கான local backup ஐ காலந்தோறும் செய்", - "Please check the installation options for this package and try again": "இந்த package இற்கான installation options ஐச் சரிபார்த்து மீண்டும் முயற்சிக்கவும்", - "Please click on \"Continue\" to continue": "தொடர \"Continue\" ஐ click செய்யவும்", "Please enter at least 3 characters": "குறைந்தது 3 எழுத்துகளை உள்ளிடவும்", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "இந்த machine இல் இயங்கும் package managers காரணமாக சில packages install செய்ய முடியாமல் இருக்கலாம் என்பதை கவனிக்கவும்.", - "Please note that not all package managers may fully support this feature": "அனைத்து package managers உம் இந்த feature ஐ முழுமையாக ஆதரிக்காமல் இருக்கலாம் என்பதை கவனிக்கவும்", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "சில sources இலிருந்து வரும் packages export செய்ய முடியாமல் இருக்கலாம் என்பதை கவனிக்கவும். அவை greyed out செய்யப்பட்டுள்ளன, export செய்யப்படமாட்டாது.", - "Please run UniGetUI as a regular user and try again.": "UniGetUI ஐ சாதாரண user ஆக இயக்கி மீண்டும் முயற்சிக்கவும்.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "சிக்கல் பற்றி மேலும் அறிய Command-line Output ஐ பார்க்கவும் அல்லது Operation History ஐ பார்க்கவும்.", "Please select how you want to configure WingetUI": "UniGetUI ஐ எப்படி configure செய்ய விரும்புகிறீர்கள் என்பதைத் தேர்ந்தெடுக்கவும்", - "Please try again later": "பின்னர் மீண்டும் முயற்சிக்கவும்", "Please type at least two characters": "குறைந்தது இரண்டு எழுத்துகளை type செய்யவும்", - "Please wait": "தயவுசெய்து காத்திருக்கவும்", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} install செய்யப்படும் வரை தயவுசெய்து காத்திருக்கவும். கருப்பு (அல்லது நீல) window ஒன்று தோன்றலாம். அது மூடப்படும் வரை காத்திருக்கவும்.", - "Please wait...": "தயவுசெய்து காத்திருக்கவும்...", "Portable": "portable", - "Portable mode": "portable mode\n", - "Post-install command:": "post-install command:", - "Post-uninstall command:": "post-uninstall command:", - "Post-update command:": "post-update command:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell இன் package manager. PowerShell திறன்களை விரிவுபடுத்த libraries மற்றும் scripts ஐ கண்டறிக
இதில் உள்ளவை: Modules, Scripts, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "அவ்வாறு வடிவமைக்கப்பட்டிருந்தால் pre மற்றும் post install commands உங்கள் device க்கு மிகவும் தீங்கான செயல்களைச் செய்யலாம். package bundle இன் source மீது நம்பிக்கை இல்லையெனில் bundle இலிருந்து commands ஐ import செய்வது மிக ஆபத்தானது", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "ஒரு package install, upgrade அல்லது uninstall ஆகும் முன்பும் பின்னும் pre மற்றும் post install commands இயங்கும். அவற்றை கவனமாக பயன்படுத்தாவிட்டால் பிரச்சினைகள் உண்டாகலாம் என்பதை நினைவில் கொள்க", - "Pre-install command:": "pre-install command:", - "Pre-uninstall command:": "pre-uninstall command:", - "Pre-update command:": "pre-update command:", - "PreRelease": "pre-release", - "Preparing packages, please wait...": "packages தயாராக்கப்படுகின்றன, தயவுசெய்து காத்திருக்கவும்...", - "Proceed at your own risk.": "உங்கள் சொந்த ஆபத்தில் தொடரவும்.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator அல்லது GSudo வழியாக எந்தவித elevation ஐயும் தடை செய்", - "Proxy URL": "proxy URL", - "Proxy compatibility table": "proxy compatibility table", - "Proxy settings": "proxy settings", - "Proxy settings, etc.": "proxy settings, போன்றவை.", "Publication date:": "வெளியீட்டு தேதி:", - "Publisher": "வெளியீட்டாளர்", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python இன் library manager. python libraries மற்றும் பிற python தொடர்பான utilities நிறைந்தது
இதில் உள்ளவை: Python libraries மற்றும் தொடர்புடைய utilities", - "Quit": "வெளியேறு", "Quit WingetUI": "UniGetUI யிலிருந்து வெளியேறு", - "Ready": "தயார்", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC prompts ஐ குறை, installations ஐ இயல்பாக elevate செய், சில ஆபத்தான features ஐ unlock செய், போன்றவை.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "பாதிக்கப்பட்ட file(s) குறித்த மேலும் விவரங்களுக்கு UniGetUI Logs ஐ பார்க்கவும்", - "Reinstall": "மறுபடியும் install செய்", - "Reinstall package": "package ஐ மறுபடியும் install செய்", - "Related settings": "தொடர்புடைய settings", - "Release notes": "release notes", - "Release notes URL": "release notes URL", "Release notes URL:": "release notes URL:", "Release notes:": "release notes:", "Reload": "மீண்டும் ஏற்று", - "Reload log": "log ஐ மீண்டும் ஏற்று", "Removal failed": "அகற்றல் தோல்வியடைந்தது", "Removal succeeded": "அகற்றல் வெற்றியடைந்தது", - "Remove from list": "பட்டியலிலிருந்து அகற்று", "Remove permanent data": "நிரந்தர தரவை அகற்று", - "Remove selection from bundle": "bundle இலிருந்து தேர்வை அகற்று", "Remove successful installs/uninstalls/updates from the installation list": "installation பட்டியலிலிருந்து வெற்றிகரமான installs/uninstalls/updates ஐ அகற்று", - "Removing source {source}": "source {source} அகற்றப்படுகிறது", - "Removing source {source} from {manager}": "{source} source ஐ {manager} இலிருந்து அகற்றுகிறது", - "Repair UniGetUI": "UniGetUI ஐ repair செய்", - "Repair WinGet": "WinGet ஐ repair செய்", - "Report an issue or submit a feature request": "ஒரு issue ஐ report செய்யவும் அல்லது feature request ஐ சமர்ப்பிக்கவும்", "Repository": "repository", - "Reset": "மீட்டமை", "Reset Scoop's global app cache": "Scoop இன் global app cache ஐ reset செய்", - "Reset UniGetUI": "UniGetUI ஐ reset செய்", - "Reset WinGet": "WinGet ஐ reset செய்", "Reset Winget sources (might help if no packages are listed)": "WinGet sources ஐ reset செய் (packages எதுவும் பட்டியலிடப்படவில்லையெனில் உதவும்)", - "Reset WingetUI": "UniGetUI ஐ reset செய்", "Reset WingetUI and its preferences": "UniGetUI மற்றும் அதன் preferences ஐ reset செய்", "Reset WingetUI icon and screenshot cache": "UniGetUI icon மற்றும் screenshot cache ஐ reset செய்", - "Reset list": "பட்டியலை reset செய்", "Resetting Winget sources - WingetUI": "WinGet sources reset செய்யப்படுகிறது - UniGetUI", - "Restart": "restart செய்", - "Restart UniGetUI": "UniGetUI ஐ restart செய்", - "Restart WingetUI": "UniGetUI ஐ restart செய்", - "Restart WingetUI to fully apply changes": "மாற்றங்களை முழுமையாகப் பயன்படுத்த UniGetUI ஐ restart செய்", - "Restart later": "பிறகு restart செய்", "Restart now": "இப்போது restart செய்", - "Restart required": "restart தேவை", "Restart your PC to finish installation": "installation ஐ முடிக்க உங்கள் PC ஐ restart செய்", "Restart your computer to finish the installation": "installation ஐ முடிக்க உங்கள் கணினியை restart செய்", - "Restore a backup from the cloud": "cloud இலிருந்து backup ஐ restore செய்", - "Restrictions on package managers": "package managers மீதான கட்டுப்பாடுகள்", - "Restrictions on package operations": "package operations மீதான கட்டுப்பாடுகள்", - "Restrictions when importing package bundles": "package bundles import செய்யும் போது உள்ள கட்டுப்பாடுகள்", - "Retry": "மீண்டும் முயற்சி செய்", - "Retry as administrator": "administrator ஆக மீண்டும் முயற்சி செய்", "Retry failed operations": "தோல்வியடைந்த operations ஐ மீண்டும் முயற்சி செய்", - "Retry interactively": "interactive ஆக மீண்டும் முயற்சி செய்", - "Retry skipping integrity checks": "integrity checks ஐ தவிர்த்து மீண்டும் முயற்சி செய்", "Retrying, please wait...": "மீண்டும் முயற்சி செய்கிறது, தயவுசெய்து காத்திருக்கவும்...", "Return to top": "மேலே திரும்பு", - "Run": "இயக்கு", - "Run as admin": "admin ஆக இயக்கு", - "Run cleanup and clear cache": "cleanup ஐ இயக்கு மற்றும் cache ஐ அழி", - "Run last": "கடைசியில் இயக்கு", - "Run next": "அடுத்ததாக இயக்கு", - "Run now": "இப்போது இயக்கு", "Running the installer...": "installer இயங்குகிறது...", "Running the uninstaller...": "uninstaller இயங்குகிறது...", "Running the updater...": "updater இயங்குகிறது...", - "Save": "சேமி", "Save File": "File ஐ சேமி", - "Save and close": "சேமித்து மூடு", - "Save as": "இவ்வாறு சேமி", - "Save bundle as": "bundle ஐ இவ்வாறு சேமி", - "Save now": "இப்போது சேமி", - "Saving packages, please wait...": "packages சேமிக்கப்படுகின்றன, தயவுசெய்து காத்திருக்கவும்...", - "Scoop Installer - WingetUI": "Scoop installer - UniGetUI", - "Scoop Uninstaller - WingetUI": "Scoop uninstaller - UniGetUI", - "Scoop package": "Scoop package தொகுப்பு", + "Save bundle as": "bundle ஐ இவ்வாறு சேமி", + "Save now": "இப்போது சேமி", "Search": "தேடு", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "desktop software ஐத் தேடு, updates கிடைக்கும் போது என்னை எச்சரித்து, சிக்கலான விஷயங்கள் செய்யாதே. UniGetUI அதிகமாக சிக்கலாக வேண்டாம், எனக்கு ஒரு எளிய software store போதும்", - "Search for packages": "packages ஐத் தேடு", - "Search for packages to start": "தொடங்க packages ஐத் தேடு", - "Search mode": "தேடல் முறை", "Search on available updates": "கிடைக்கும் updates இல் தேடு", "Search on your software": "உங்கள் software இல் தேடு", "Searching for installed packages...": "install செய்யப்பட்ட packages தேடப்படுகிறது...", "Searching for packages...": "packages தேடப்படுகிறது...", "Searching for updates...": "updates தேடப்படுகிறது...", - "Select": "தேர்ந்தெடு", "Select \"{item}\" to add your custom bucket": "உங்கள் custom bucket ஐச் சேர்க்க \"{item}\" ஐத் தேர்ந்தெடுக்கவும்", "Select a folder": "ஒரு folder ஐத் தேர்ந்தெடு", - "Select all": "அனைத்தையும் தேர்ந்தெடு", "Select all packages": "அனைத்து packages ஐத் தேர்ந்தெடு", - "Select backup": "backup ஐத் தேர்ந்தெடு", "Select only if you know what you are doing.": "நீங்கள் என்ன செய்கிறீர்கள் என்பதை அறிந்தால் மட்டுமே இதைத் தேர்ந்தெடுக்கவும்.", "Select package file": "package file ஐத் தேர்ந்தெடு", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "நீங்கள் திறக்க விரும்பும் backup ஐத் தேர்ந்தெடுக்கவும். பின்னர் எந்த packages/programs ஐ restore செய்ய வேண்டும் என்பதை review செய்யலாம்.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "பயன்படுத்த வேண்டிய executable ஐத் தேர்ந்தெடுக்கவும். கீழே உள்ள பட்டியல் UniGetUI கண்டறிந்த executables ஐக் காட்டுகிறது", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "இந்த package install, update அல்லது uninstall ஆகும் முன் மூடப்பட வேண்டிய processes ஐத் தேர்ந்தெடுக்கவும்.", - "Select the source you want to add:": "நீங்கள் சேர்க்க விரும்பும் source ஐத் தேர்ந்தெடுக்கவும்:", - "Select upgradable packages by default": "upgrade செய்யக்கூடிய packages ஐ இயல்பாகத் தேர்ந்தெடு", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "எந்த package managers ஐ பயன்படுத்த வேண்டும் ({0}), packages எப்படி install ஆக வேண்டும், administrator rights எப்படி கையாளப்பட வேண்டும் என்பனவற்றைத் தேர்ந்தெடுக்கவும்.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "handshake அனுப்பப்பட்டது. instance listener பதிலை காத்திருக்கிறது... ({0}%)", - "Set a custom backup file name": "தனிப்பயன் backup file name ஐ அமை", "Set custom backup file name": "தனிப்பயன் backup file name ஐ அமை", - "Settings": "settings", - "Share": "பகிர்", "Share WingetUI": "UniGetUI ஐ பகிர்", - "Share anonymous usage data": "பெயரில்லா usage data ஐ பகிர்", - "Share this package": "இந்த package ஐ பகிர்", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "security settings ஐ மாற்றினால், மாற்றங்கள் செயல்பட bundle ஐ மீண்டும் திறக்க வேண்டும்.", "Show UniGetUI on the system tray": "system tray இல் UniGetUI ஐ காட்டு", - "Show UniGetUI's version and build number on the titlebar.": "titlebar இல் UniGetUI பதிப்பை காட்டு", - "Show WingetUI": "UniGetUI ஐ காட்டு", "Show a notification when an installation fails": "installation தோல்வியடைந்தால் notification காட்டு", "Show a notification when an installation finishes successfully": "installation வெற்றிகரமாக முடிந்தால் notification காட்டு", - "Show a notification when an operation fails": "operation தோல்வியடைந்தால் notification காட்டு", - "Show a notification when an operation finishes successfully": "operation வெற்றிகரமாக முடிந்தால் notification காட்டு", - "Show a notification when there are available updates": "updates கிடைக்கும் போது notification காட்டு", - "Show a silent notification when an operation is running": "operation நடக்கும் போது silent notification காட்டு", "Show details": "விவரங்களை காட்டு", - "Show in explorer": "explorer இல் காட்டு", "Show info about the package on the Updates tab": "Updates tab இல் package பற்றிய தகவலை காட்டு", "Show missing translation strings": "காணாத translation strings ஐ காட்டு", - "Show notifications on different events": "பல்வேறு நிகழ்வுகளில் notifications காட்டு", "Show package details": "package விவரங்களை காட்டு", - "Show package icons on package lists": "package பட்டியல்களில் package icons ஐ காட்டு", - "Show similar packages": "ஒத்த packages ஐ காட்டு", "Show the live output": "நேரடி output ஐ காட்டு", - "Size": "அளவு", "Skip": "தவிர்", - "Skip hash check": "hash check ஐ தவிர்", - "Skip hash checks": "hash checks ஐ தவிர்", - "Skip integrity checks": "integrity checks ஐ தவிர்", - "Skip minor updates for this package": "இந்த package க்கான minor updates ஐ தவிர்", "Skip the hash check when installing the selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ install செய்யும் போது hash check ஐ தவிர்", "Skip the hash check when updating the selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ update செய்யும் போது hash check ஐ தவிர்", - "Skip this version": "இந்த version ஐ தவிர்", - "Software Updates": "software updates", - "Something went wrong": "ஏதோ தவறாகிவிட்டது", - "Something went wrong while launching the updater.": "updater ஐ தொடங்கும் போது ஏதோ தவறாகிவிட்டது.", - "Source": "source", - "Source URL:": "source URL:", - "Source added successfully": "source வெற்றிகரமாக சேர்க்கப்பட்டது", "Source addition failed": "source சேர்த்தல் தோல்வியடைந்தது", - "Source name:": "source பெயர்:", "Source removal failed": "source அகற்றல் தோல்வியடைந்தது", - "Source removed successfully": "source வெற்றிகரமாக அகற்றப்பட்டது", "Source:": "source:", - "Sources": "sources", "Start": "தொடங்கு", "Starting daemons...": "daemons தொடங்கப்படுகின்றன...", - "Starting operation...": "operation தொடங்குகிறது...", "Startup options": "startup options", "Status": "நிலை", "Stuck here? Skip initialization": "இங்கே சிக்கியுள்ளீர்களா? initialization ஐத் தவிர்க்கவும்", - "Success!": "வெற்றி!", "Suport the developer": "developer ஐ ஆதரி", "Support me": "என்னை ஆதரி", "Support the developer": "developer ஐ ஆதரி", "Systems are now ready to go!": "systems இப்போது தயாராக உள்ளன!", - "Telemetry": "டெலிமெட்ரி", - "Text": "உரை", "Text file": "text file", - "Thank you ❤": "நன்றி ❤", "Thank you 😉": "நன்றி 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust package manager.
இதில் உள்ளவை: Rust libraries மற்றும் Rust இல் எழுதப்பட்ட programs", - "The backup will NOT include any binary file nor any program's saved data.": "backup இல் எந்த binary file ம் அல்லது program saved data ம் சேர்க்கப்படாது.", - "The backup will be performed after login.": "backup login ஆன பின் செய்யப்படும்.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "backup இல் install செய்யப்பட்ட packages மற்றும் அவற்றின் installation options ஆகியவற்றின் முழு பட்டியல் சேர்க்கப்படும். புறக்கணிக்கப்பட்ட updates மற்றும் skipped versions கூட சேமிக்கப்படும்.", - "The bundle was created successfully on {0}": "bundle {0} அன்று வெற்றிகரமாக உருவாக்கப்பட்டது", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "நீங்கள் load செய்ய முயல்கிற bundle தவறானதாக இருக்கிறது. file ஐ சரிபார்த்து மீண்டும் முயற்சிக்கவும்.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "installer இன் checksum எதிர்பார்க்கப்பட்ட value உடன் பொருந்தவில்லை, மேலும் installer இன் உண்மைத்தன்மையை சரிபார்க்க முடியவில்லை. publisher மீது நம்பிக்கை இருந்தால், hash check ஐ தவிர்த்து package ஐ மீண்டும் {0} செய்யவும்.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows க்கான பாரம்பரிய package manager. தேவையான எல்லாவற்றையும் அங்கே காணலாம்.
இதில் உள்ளவை: General Software", - "The cloud backup completed successfully.": "cloud backup வெற்றிகரமாக முடிந்தது.", - "The cloud backup has been loaded successfully.": "cloud backup வெற்றிகரமாக load செய்யப்பட்டது.", - "The current bundle has no packages. Add some packages to get started": "தற்போதைய bundle இல் packages எதுவும் இல்லை. தொடங்க சில packages ஐச் சேர்க்கவும்", - "The executable file for {0} was not found": "{0} க்கான executable file கிடைக்கவில்லை", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "ஒவ்வொரு முறையும் {0} package install, upgrade அல்லது uninstall செய்யப்படும் போது பின்வரும் options இயல்பாகப் பயன்படுத்தப்படும்.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "பின்வரும் packages ஒரு JSON file க்கு export செய்யப்படுகின்றன. user data அல்லது binaries எதுவும் சேமிக்கப்படமாட்டாது.", "The following packages are going to be installed on your system.": "பின்வரும் packages உங்கள் system இல் install செய்யப்படுகின்றன.", - "The following settings may pose a security risk, hence they are disabled by default.": "பின்வரும் settings பாதுகாப்பு ஆபத்தை உண்டாக்கக்கூடும்; ஆகவே அவை இயல்பாக முடக்கப்பட்டுள்ளன.", - "The following settings will be applied each time this package is installed, updated or removed.": "இந்த package install, update அல்லது remove செய்யப்படும் ஒவ்வொரு முறையும் பின்வரும் settings பயன்படுத்தப்படும்.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "இந்த package install, update அல்லது remove செய்யப்படும் ஒவ்வொரு முறையும் பின்வரும் settings பயன்படுத்தப்படும். அவை தானாக சேமிக்கப்படும்.", "The icons and screenshots are maintained by users like you!": "icons மற்றும் screenshots உங்களைப் போன்ற users ஆல் பராமரிக்கப்படுகின்றன!", - "The installation script saved to {0}": "installation script {0} இல் சேமிக்கப்பட்டது", - "The installer authenticity could not be verified.": "installer இன் உண்மைத்தன்மையை சரிபார்க்க முடியவில்லை.", "The installer has an invalid checksum": "installer க்கு தவறான checksum உள்ளது", "The installer hash does not match the expected value.": "installer hash எதிர்பார்க்கப்பட்ட value உடன் பொருந்தவில்லை.", - "The local icon cache currently takes {0} MB": "local icon cache தற்போது {0} MB எடுத்துக்கொள்கிறது", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "இந்த project இன் முக்கிய நோக்கம் Winget மற்றும் Scoop போன்ற Windows க்கான பொதுவான CLI package managers ஐ நிர்வகிக்க ஒரு intuitive UI உருவாக்குவதாகும்.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "package \"{0}\" ஐ package manager \"{1}\" இல் கண்டுபிடிக்க முடியவில்லை", - "The package bundle could not be created due to an error.": "பிழையால் package bundle உருவாக்க முடியவில்லை.", - "The package bundle is not valid": "package bundle செல்லுபடியாகவில்லை", - "The package manager \"{0}\" is disabled": "package manager \"{0}\" முடக்கப்பட்டுள்ளது", - "The package manager \"{0}\" was not found": "package manager \"{0}\" கிடைக்கவில்லை", "The package {0} from {1} was not found.": "package {0} ஐ {1} இல் கண்டுபிடிக்க முடியவில்லை.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "இங்கே பட்டியலிடப்பட்டுள்ள packages updates சரிபார்க்கும் போது கணக்கில் எடுத்துக்கொள்ளப்படமாட்டாது. அவற்றின் updates ஐ புறக்கணிப்பதை நிறுத்த double-click செய்யவும் அல்லது வலப்பக்கத்தில் உள்ள button ஐ click செய்யவும்.", "The selected packages have been blacklisted": "தேர்ந்தெடுக்கப்பட்ட packages blacklist செய்யப்பட்டுள்ளன", - "The settings will list, in their descriptions, the potential security issues they may have.": "settings இன் descriptions இல் அவற்றில் இருக்கக்கூடிய பாதுகாப்பு சிக்கல்கள் பட்டியலிடப்படும்.", - "The size of the backup is estimated to be less than 1MB.": "backup இன் அளவு 1MB க்குக் குறைவாக இருக்கும் என கணிக்கப்படுகிறது.", - "The source {source} was added to {manager} successfully": "source {source} வெற்றிகரமாக {manager} இல் சேர்க்கப்பட்டது", - "The source {source} was removed from {manager} successfully": "source {source} வெற்றிகரமாக {manager} இலிருந்து அகற்றப்பட்டது", - "The system tray icon must be enabled in order for notifications to work": "notifications வேலை செய்ய system tray icon இயங்கியிருக்க வேண்டும்", - "The update process has been aborted.": "update process நிறுத்தப்பட்டது.", - "The update process will start after closing UniGetUI": "UniGetUI மூடிய பிறகு update process தொடங்கும்", "The update will be installed upon closing WingetUI": "UniGetUI ஐ மூடும் போது update install செய்யப்படும்", "The update will not continue.": "update தொடராது.", "The user has canceled {0}, that was a requirement for {1} to be run": "user {0} ஐ ரத்து செய்தார்; அது {1} இயங்க தேவையானதாக இருந்தது", - "There are no new UniGetUI versions to be installed": "install செய்ய புதிய UniGetUI versions எதுவும் இல்லை", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "operations நடைபெற்று கொண்டிருக்கின்றன. UniGetUI யிலிருந்து வெளியேறினால் அவை தோல்வியடையக்கூடும். தொடர விரும்புகிறீர்களா?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "UniGetUI மற்றும் அதன் திறன்களை காட்டும் சிறந்த videos YouTube இல் உள்ளன. பயனுள்ள tricks மற்றும் tips கற்றுக்கொள்ளலாம்!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI ஐ administrator ஆக இயக்க வேண்டாம் என்பதற்கு இரண்டு முக்கிய காரணங்கள் உள்ளன:\nமுதல் காரணம், Scoop package manager administrator rights உடன் இயங்கும் போது சில commands இல் சிக்கல்கள் ஏற்படலாம்.\nஇரண்டாவது காரணம், UniGetUI ஐ administrator ஆக இயக்கினால் நீங்கள் download செய்யும் எந்த package ம் administrator ஆக இயங்கும் (இது பாதுகாப்பானது அல்ல).\nஒரு குறிப்பிட்ட package ஐ administrator ஆக install செய்ய வேண்டுமெனில், item மீது right-click செய்து -> Install/Update/Uninstall as administrator என்பதை எப்போதும் தேர்ந்தெடுக்கலாம் என்பதை நினைவில் கொள்ளுங்கள்.", - "There is an error with the configuration of the package manager \"{0}\"": "package manager \"{0}\" இன் configuration இல் ஒரு பிழை உள்ளது", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "ஒரு installation நடைபெற்று கொண்டிருக்கிறது. நீங்கள் UniGetUI ஐ மூடினால் installation தோல்வியடையக்கூடும் மற்றும் எதிர்பாராத விளைவுகள் ஏற்படலாம். இன்னும் UniGetUI யிலிருந்து வெளியேற விரும்புகிறீர்களா?", "They are the programs in charge of installing, updating and removing packages.": "packages ஐ install, update மற்றும் remove செய்யப் பொறுப்பான programs இவையே.", - "Third-party licenses": "third-party licenses", "This could represent a security risk.": "இது ஒரு security risk ஆக இருக்கலாம்.", - "This is not recommended.": "இது பரிந்துரைக்கப்படவில்லை.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "உங்களுக்கு அனுப்பப்பட்ட package அகற்றப்பட்டிருப்பதாலோ, அல்லது நீங்கள் enable செய்யாத package manager ஒன்றில் publish செய்யப்பட்டிருப்பதாலோ இது நடந்திருக்கலாம். பெறப்பட்ட ID {0}.", "This is the default choice.": "இது இயல்புநிலை தேர்வு ஆகும்.", - "This may help if WinGet packages are not shown": "WinGet packages காட்டப்படவில்லையெனில் இது உதவக்கூடும்", - "This may help if no packages are listed": "packages எதுவும் பட்டியலிடப்படவில்லையெனில் இது உதவக்கூடும்", - "This may take a minute or two": "இதற்கு ஒரு அல்லது இரண்டு நிமிடங்கள் ஆகலாம்", - "This operation is running interactively.": "இந்த operation interactive ஆக இயங்குகிறது.", - "This operation is running with administrator privileges.": "இந்த operation administrator privileges உடன் இயங்குகிறது.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "இந்த option கண்டிப்பாக சிக்கல்களை உருவாக்கும். தானாக elevate செய்ய முடியாத எந்த operation ம் தோல்வியடையும். administrator ஆக Install/update/uninstall வேலை செய்யாது.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "இந்த package bundle இல் சில settings ஆபத்தானவையாக இருக்கக்கூடும்; ஆகவே அவை இயல்பாகப் புறக்கணிக்கப்படலாம்.", "This package can be updated": "இந்த package ஐ update செய்யலாம்", "This package can be updated to version {0}": "இந்த package ஐ version {0} க்கு update செய்யலாம்", - "This package can be upgraded to version {0}": "இந்த package ஐ version {0} க்கு upgrade செய்யலாம்", - "This package cannot be installed from an elevated context.": "இந்த package ஐ elevated context இலிருந்து install செய்ய முடியாது.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "இந்த package க்கு screenshots இல்லை அல்லது icon இல்லைதா? எங்கள் திறந்த public database இல் காணாமல் போன icons மற்றும் screenshots ஐச் சேர்த்து UniGetUI க்கு பங்களியுங்கள்.", - "This package is already installed": "இந்த package ஏற்கனவே install செய்யப்பட்டுள்ளது", - "This package is being processed": "இந்த package செயலாக்கப்படுகிறது", - "This package is not available": "இந்த package கிடைக்கவில்லை", - "This package is on the queue": "இந்த package queue இல் உள்ளது", "This process is running with administrator privileges": "இந்த process administrator privileges உடன் இயங்குகிறது", - "This project has no connection with the official {0} project — it's completely unofficial.": "இந்த project க்கு அதிகாரப்பூர்வ {0} project உடன் எந்த தொடர்பும் இல்லை — இது முழுமையாக அதிகாரப்பூர்வமற்றது.", "This setting is disabled": "இந்த setting முடக்கப்பட்டுள்ளது", "This wizard will help you configure and customize WingetUI!": "இந்த wizard UniGetUI ஐ configure செய்து தனிப்பயனாக்க உதவும்!", "Toggle search filters pane": "search filters pane ஐ toggle செய்", - "Translators": "மொழிபெயர்ப்பாளர்கள்", - "Try to kill the processes that refuse to close when requested to": "மூடுமாறு கேட்டாலும் மூட மறுக்கும் processes ஐ kill செய்ய முயற்சி செய்", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "இதனை இயக்கினால் package managers உடன் தொடர்பு கொள்ள பயன்படும் executable file ஐ மாற்ற முடியும். இது install processes ஐ நுணுக்கமாக தனிப்பயனாக்க அனுமதிக்கும்; ஆனால் ஆபத்தும் இருக்கலாம்", "Type here the name and the URL of the source you want to add, separed by a space.": "நீங்கள் சேர்க்க விரும்பும் source இன் பெயரையும் URL ஐயும் space ஒன்றால் பிரித்து இங்கே type செய்யவும்.", "Unable to find package": "package ஐக் கண்டுபிடிக்க முடியவில்லை", "Unable to load informarion": "தகவலை load செய்ய முடியவில்லை", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "user experience ஐ மேம்படுத்த UniGetUI பெயரில்லா usage data ஐ சேகரிக்கிறது.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "user experience ஐப் புரிந்து மேம்படுத்தும் ஒரே நோக்கத்திற்காக UniGetUI பெயரில்லா usage data ஐ சேகரிக்கிறது.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "தானாக delete செய்யக்கூடிய புதிய desktop shortcut ஒன்றை UniGetUI கண்டறிந்துள்ளது.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "எதிர்கால upgrades இல் தானாக அகற்றக்கூடிய பின்வரும் desktop shortcuts ஐ UniGetUI கண்டறிந்துள்ளது", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "தானாக delete செய்யக்கூடிய {0} புதிய desktop shortcuts ஐ UniGetUI கண்டறிந்துள்ளது.", - "UniGetUI is being updated...": "UniGetUI update செய்யப்படுகிறது...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "compatible package managers எதனுடனும் UniGetUI சம்பந்தப்படவில்லை. UniGetUI ஒரு சுயாதீன project ஆகும்.", - "UniGetUI on the background and system tray": "background மற்றும் system tray இல் UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI அல்லது அதன் சில components காணாமல் போயுள்ளன அல்லது கெடுக்கப்பட்டுள்ளன.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI இயங்க {0} தேவைப்படுகிறது, ஆனால் அது உங்கள் system இல் கிடைக்கவில்லை.", - "UniGetUI startup page:": "UniGetUI தொடக்கப் பக்கம்:", - "UniGetUI updater": "UniGetUI update கருவி", - "UniGetUI version {0} is being downloaded.": "UniGetUI version {0} பதிவிறக்கப்படுகிறது.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} install செய்யத் தயாராக உள்ளது.", - "Uninstall": "uninstall செய்", - "uninstall": "uninstall செய்", - "Uninstall Scoop (and its packages)": "Scoop ஐ (அதன் packages உடன்) uninstall செய்", "Uninstall and more": "Uninstall மற்றும் மேலும்", - "Uninstall and remove data": "uninstall செய்து data ஐ அகற்று", - "Uninstall as administrator": "administrator ஆக uninstall செய்", "Uninstall canceled by the user!": "user uninstall ஐ ரத்து செய்தார்!", - "Uninstall failed": "uninstall தோல்வியடைந்தது", - "Uninstall options": "uninstall options", - "Uninstall package": "package ஐ uninstall செய்", - "Uninstall package, then reinstall it": "package ஐ uninstall செய்து, பின்னர் மறுபடியும் install செய்", - "Uninstall package, then update it": "package ஐ uninstall செய்து, பின்னர் update செய்", - "Uninstall previous versions when updated": "update ஆனபோது முந்தைய versions ஐ uninstall செய்", - "Uninstall selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ uninstall செய்", - "Uninstall selection": "தேர்வை uninstall செய்", - "Uninstall succeeded": "uninstall வெற்றியடைந்தது", "Uninstall the selected packages with administrator privileges": "தேர்ந்தெடுக்கப்பட்ட packages ஐ administrator privileges உடன் uninstall செய்", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "origin \"{0}\" எனக் காட்டப்படும் uninstallable packages எந்த package manager இலும் publish செய்யப்படவில்லை; ஆகவே அவற்றைப் பற்றி காட்ட தகவல் எதுவும் கிடைக்கவில்லை.", - "Unknown": "அறியப்படாதது", - "Unknown size": "அறியப்படாத அளவு", - "Unset or unknown": "unset அல்லது அறியப்படாதது", - "Up to date": "புதுப்பிக்கப்பட்டது", - "Update": "update", - "Update WingetUI automatically": "UniGetUI ஐ தானாக update செய்", - "Update all": "அனைத்தையும் update செய்", "Update and more": "Update மற்றும் மேலும்", - "Update as administrator": "administrator ஆக update செய்", - "Update check frequency, automatically install updates, etc.": "update check frequency, updates ஐ தானாக install செய்தல் போன்றவை.", - "Update checking": "update சரிபார்த்தல்", "Update date": "update தேதி", - "Update failed": "update தோல்வியடைந்தது", "Update found!": "update கிடைத்தது!", - "Update now": "இப்போது update செய்", - "Update options": "update options", "Update package indexes on launch": "launch இல் package indexes ஐ update செய்", "Update packages automatically": "packages ஐ தானாக update செய்", "Update selected packages": "தேர்ந்தெடுக்கப்பட்ட packages ஐ update செய்", "Update selected packages with administrator privileges": "தேர்ந்தெடுக்கப்பட்ட packages ஐ administrator privileges உடன் update செய்", - "Update selection": "தேர்வை update செய்", - "Update succeeded": "update வெற்றியடைந்தது", - "Update to version {0}": "version {0} க்கு update செய்", - "Update to {0} available": "{0} க்கு update கிடைக்கிறது", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg இன் Git portfiles ஐ தானாக update செய் (Git install செய்யப்பட்டிருக்க வேண்டும்)", "Updates": "updates", "Updates available!": "updates கிடைக்கின்றன!", - "Updates for this package are ignored": "இந்த package க்கான updates புறக்கணிக்கப்படுகின்றன", - "Updates found!": "updates கிடைத்தன!", "Updates preferences": "updates விருப்பங்கள்", "Updating WingetUI": "UniGetUI update செய்யப்படுகிறது", "Url": "URL முகவரி", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets க்கு பதிலாக legacy bundled WinGet ஐப் பயன்படுத்து", - "Use a custom icon and screenshot database URL": "தனிப்பயன் icon மற்றும் screenshot database URL ஐப் பயன்படுத்து", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets க்கு பதிலாக bundled WinGet ஐப் பயன்படுத்து", - "Use bundled WinGet instead of system WinGet": "system WinGet க்கு பதிலாக bundled WinGet ஐப் பயன்படுத்து", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator க்கு பதிலாக install செய்யப்பட்ட GSudo ஐப் பயன்படுத்து", "Use installed GSudo instead of the bundled one": "bundled ஒன்றிற்கு பதிலாக install செய்யப்பட்ட GSudo ஐப் பயன்படுத்து", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "legacy UniGetUI Elevator ஐப் பயன்படுத்து (AdminByRequest support ஐ முடக்கு)", - "Use system Chocolatey": "system Chocolatey ஐப் பயன்படுத்து", "Use system Chocolatey (Needs a restart)": "system Chocolatey ஐப் பயன்படுத்து (restart தேவை)", "Use system Winget (Needs a restart)": "system WinGet ஐப் பயன்படுத்து (restart தேவை)", "Use system Winget (System language must be set to english)": "system WinGet ஐப் பயன்படுத்து (System language English ஆக அமைக்கப்பட்டிருக்க வேண்டும்)", "Use the WinGet COM API to fetch packages": "packages ஐப் பெற WinGet COM API ஐப் பயன்படுத்து", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API க்கு பதிலாக WinGet PowerShell Module ஐப் பயன்படுத்து", - "Useful links": "பயனுள்ள links", "User": "user", - "User interface preferences": "user interface விருப்பங்கள்", "User | Local": "User | Local உள்ளூர்", - "Username": "username", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI ஐப் பயன்படுத்துவது GNU Lesser General Public License v2.1 License ஐ ஏற்றுக்கொள்வதை குறிக்கிறது", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI ஐப் பயன்படுத்துவது MIT License ஐ ஏற்றுக்கொள்வதை குறிக்கிறது", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg root கிடைக்கவில்லை. %VCPKG_ROOT% environment variable ஐ define செய்யவும் அல்லது UniGetUI Settings இலிருந்து அமைக்கவும்", "Vcpkg was not found on your system.": "உங்கள் system இல் Vcpkg கிடைக்கவில்லை.", - "Verbose": "விரிவான", - "Version": "பதிப்பு", - "Version to install:": "install செய்ய வேண்டிய version:", - "Version:": "பதிப்பு:", - "View GitHub Profile": "GitHub profile ஐப் பார்", "View WingetUI on GitHub": "GitHub இல் UniGetUI ஐப் பார்", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI source code ஐப் பாருங்கள். அங்கிருந்து bugs ஐ report செய்யலாம், features ஐ suggest செய்யலாம் அல்லது நேரடியாக UniGetUI project இற்கு contribute செய்யலாம்", - "View mode:": "view mode:", - "View on UniGetUI": "UniGetUI இல் பார்", - "View page on browser": "browser இல் page ஐப் பார்", - "View {0} logs": "{0} logs ஐப் பார்", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "internet connectivity தேவைப்படும் tasks ஐ முயற்சிக்கும் முன் device internet க்கு connect ஆகும் வரை காத்திருக்கவும்.", "Waiting for other installations to finish...": "மற்ற installations முடிவதற்காக காத்திருக்கிறது...", "Waiting for {0} to complete...": "{0} முடிவதற்காக காத்திருக்கிறது...", - "Warning": "எச்சரிக்கை", - "Warning!": "எச்சரிக்கை!", - "We are checking for updates.": "நாங்கள் updates ஐச் சரிபார்த்து கொண்டிருக்கிறோம்.", "We could not load detailed information about this package, because it was not found in any of your package sources": "இந்த package பற்றிய விரிவான தகவலை load செய்ய முடியவில்லை; அது உங்கள் package sources எதிலும் கிடைக்கவில்லை.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "இந்த package பற்றிய விரிவான தகவலை load செய்ய முடியவில்லை; அது கிடைக்கக்கூடிய package manager ஒன்றிலிருந்து install செய்யப்படவில்லை.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "நாங்கள் {action} {package} செய்ய முடியவில்லை. பின்னர் மீண்டும் முயற்சிக்கவும். installer logs ஐப் பெற \"{showDetails}\" ஐ click செய்யவும்.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "நாங்கள் {action} {package} செய்ய முடியவில்லை. பின்னர் மீண்டும் முயற்சிக்கவும். uninstaller logs ஐப் பெற \"{showDetails}\" ஐ click செய்யவும்.", "We couldn't find any package": "எந்த package ம் கண்டறிய முடியவில்லை", "Welcome to WingetUI": "UniGetUI இற்கு வரவேற்கிறோம்", - "When batch installing packages from a bundle, install also packages that are already installed": "bundle இலிருந்து batch install செய்யும் போது ஏற்கனவே install செய்யப்பட்ட packages ஐயும் install செய்", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "புதிய shortcuts கண்டறியப்படும் போது இந்த dialog ஐக் காட்டுவதற்கு பதிலாக அவற்றை தானாக delete செய்.", - "Which backup do you want to open?": "நீங்கள் எந்த backup ஐத் திறக்க விரும்புகிறீர்கள்?", "Which package managers do you want to use?": "நீங்கள் எந்த package managers ஐப் பயன்படுத்த விரும்புகிறீர்கள்?", "Which source do you want to add?": "நீங்கள் எந்த source ஐச் சேர்க்க விரும்புகிறீர்கள்?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WinGet ஐ UniGetUI இல் பயன்படுத்தலாம்; அதேசமயம் UniGetUI ஐ பிற package managers உடனும் பயன்படுத்தலாம், இது குழப்பத்தை உருவாக்கக்கூடும். முன்பு UniGetUI, Winget உடன் மட்டும் வேலை செய்ய வடிவமைக்கப்பட்டது; இப்போது அது உண்மையல்ல. அதனால் UniGetUI என்ற பெயர் இந்த project எதை நோக்கி சென்று கொண்டிருக்கிறது என்பதை முழுமையாக பிரதிபலிக்காது.", - "WinGet could not be repaired": "WinGet ஐ repair செய்ய முடியவில்லை", - "WinGet malfunction detected": "WinGet கோளாறு கண்டறியப்பட்டது", - "WinGet was repaired successfully": "WinGet வெற்றிகரமாக repair செய்யப்பட்டது", "WingetUI": "UniGetUI பயன்பாடு", "WingetUI - Everything is up to date": "UniGetUI - அனைத்தும் புதுப்பிக்கப்பட்டுள்ளன", "WingetUI - {0} updates are available": "UniGetUI - {0} updates கிடைக்கின்றன", "WingetUI - {0} {1}": "UniGetUI - {0} {1} நிலை", - "WingetUI Homepage": "UniGetUI முகப்புப்பக்கம்", "WingetUI Homepage - Share this link!": "UniGetUI முகப்புப்பக்கம் - இந்த link ஐப் பகிருங்கள்!", - "WingetUI License": "UniGetUI உரிமம்", - "WingetUI Log": "UniGetUI பதிவு", - "WingetUI log": "UniGetUI பதிவு", - "WingetUI Repository": "UniGetUI repository", - "WingetUI Settings": "UniGetUI settings", "WingetUI Settings File": "UniGetUI settings file", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI பின்வரும் libraries ஐப் பயன்படுத்துகிறது. அவற்றில்லாமல் UniGetUI சாத்தியமாகியிருக்காது.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI பின்வரும் libraries ஐப் பயன்படுத்துகிறது. அவற்றில்லாமல் UniGetUI சாத்தியமாகியிருக்காது.", - "WingetUI Version {0}": "UniGetUI பதிப்பு {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI autostart நடத்தை, application launch settings", "WingetUI can check if your software has available updates, and install them automatically if you want to": "உங்கள் software க்கு updates கிடைக்கிறதா என்று UniGetUI சரிபார்த்து, நீங்கள் விரும்பினால் அவற்றை தானாக install செய்ய முடியும்", - "WingetUI display language:": "UniGetUI காட்சி மொழி:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI administrator ஆக இயக்கப்பட்டுள்ளது; இது பரிந்துரைக்கப்படவில்லை. UniGetUI ஐ administrator ஆக இயக்கினால், அதிலிருந்து தொடங்கப்படும் EVERY operation க்கும் administrator privileges இருக்கும். நீங்கள் program ஐ இன்னும் பயன்படுத்தலாம், ஆனால் UniGetUI ஐ administrator privileges உடன் இயக்க வேண்டாம் என்று மிகவும் பரிந்துரைக்கிறோம்.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "தன்னார்வ மொழிபெயர்ப்பாளர்களின் உதவியால் UniGetUI 40 க்கும் மேற்பட்ட மொழிகளுக்கு மொழிபெயர்க்கப்பட்டுள்ளது. நன்றி 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI machine translation செய்யப்படவில்லை. பின்வரும் users மொழிபெயர்ப்புகளுக்குப் பொறுப்பாக இருந்தனர்:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "உங்கள் command-line package managers க்காக all-in-one graphical interface ஒன்றை வழங்கி software நிர்வகிப்பதை எளிதாக்கும் application தான் UniGetUI.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI (நீங்கள் தற்போது பயன்படுத்தும் interface) மற்றும் WinGet (Microsoft உருவாக்கிய package manager) இன் வித்தியாசத்தை வலியுறுத்த UniGetUI மறுபெயரிடப்படுகிறது; அதனுடன் எனக்கு எந்த தொடர்பும் இல்லை.", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI update செய்யப்படுகிறது. முடிந்ததும் UniGetUI தானாக restart ஆகும்", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI இலவசம், என்றும் இலவசமாகவே இருக்கும். ads இல்லை, credit card இல்லை, premium version இல்லை. 100% இலவசம், என்றென்றும்.", + "WingetUI log": "UniGetUI பதிவு", "WingetUI tray application preferences": "UniGetUI tray application விருப்பங்கள்", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI பின்வரும் libraries ஐப் பயன்படுத்துகிறது. அவற்றில்லாமல் UniGetUI சாத்தியமாகியிருக்காது.", "WingetUI version {0} is being downloaded.": "UniGetUI version {0} பதிவிறக்கப்படுகிறது.", "WingetUI will become {newname} soon!": "WingetUI விரைவில் {newname} ஆக மாறும்!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI updates ஐ காலந்தோறும் சரிபார்க்காது. launch போது அவை இன்னும் சரிபார்க்கப்படும், ஆனால் உங்களுக்கு எச்சரிக்கை வழங்கப்படமாட்டாது.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "ஒரு package install செய்ய elevation தேவைப்படும் ஒவ்வொரு முறையும் UniGetUI UAC prompt ஐக் காட்டும்.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI விரைவில் {newname} என பெயரிடப்படும். இது application இல் மாற்றம் எதையும் குறிக்காது. நான் (developer) இப்போது செய்வதைப் போலவே இந்த project ஐ தொடர்ந்து மேம்படுத்துவேன், ஆனால் வேறு பெயரில்.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "எங்கள் அன்பான contributors இன் உதவியில்லாமல் UniGetUI சாத்தியமாகியிருக்காது. அவர்களின் GitHub profiles ஐப் பாருங்கள்; அவர்களில்லாமல் UniGetUI சாத்தியமில்லை!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "contributors இன் உதவியில்லாமல் UniGetUI சாத்தியமாகியிருக்காது. அனைவருக்கும் நன்றி 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} install செய்யத் தயாராக உள்ளது.", - "Write here the process names here, separated by commas (,)": "process பெயர்களை இங்கே comma (,) களைப் பயன்படுத்தி பிரித்து எழுதவும்", - "Yes": "ஆம்", - "You are logged in as {0} (@{1})": "நீங்கள் {0} (@{1}) ஆக உள்நுழைந்துள்ளீர்கள்", - "You can change this behavior on UniGetUI security settings.": "இந்த நடத்தையை UniGetUI security settings இல் மாற்றலாம்.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "இந்த package install, update அல்லது uninstall செய்யப்படும் முன் அல்லது பின் இயங்க வேண்டிய commands ஐ நீங்கள் வரையறுக்கலாம். அவை command prompt இல் இயங்கும்; ஆகவே CMD scripts இங்கே வேலை செய்யும்.", - "You have currently version {0} installed": "உங்களிடம் தற்போது version {0} install செய்யப்பட்டுள்ளது", - "You have installed WingetUI Version {0}": "நீங்கள் UniGetUI Version {0} ஐ install செய்துள்ளீர்கள்", - "You may lose unsaved data": "சேமிக்காத data ஐ இழக்கலாம்", - "You may need to install {pm} in order to use it with WingetUI.": "{pm} ஐ UniGetUI உடன் பயன்படுத்த அதை install செய்ய வேண்டியிருக்கலாம்.", "You may restart your computer later if you wish": "நீங்கள் விரும்பினால் உங்கள் கணினியை பின்னர் restart செய்யலாம்", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "ஒருமுறை மட்டுமே prompt செய்யப்படும்; administrator rights கோரும் packages க்கு அந்த உரிமைகள் வழங்கப்படும்.", "You will be prompted only once, and every future installation will be elevated automatically.": "ஒருமுறை மட்டுமே prompt செய்யப்படும்; எதிர்கால installations அனைத்தும் தானாக elevate செய்யப்படும்.", - "You will likely need to interact with the installer.": "நீங்கள் installer உடன் தொடர்பு கொள்ள வேண்டியிருக்கலாம்.", - "[RAN AS ADMINISTRATOR]": "[ADMINISTRATOR ஆக இயக்கப்பட்டது]", "buy me a coffee": "எனக்கு ஒரு coffee வாங்குங்கள்", - "extracted": "extract செய்யப்பட்டது", - "feature": "சிறப்பம்சம்", "formerly WingetUI": "முன்பு WingetUI", + "homepage": "இணையதளம்", + "install": "install செய்", "installation": "நிறுவல்", - "installed": "install செய்யப்பட்டது", - "installing": "install செய்யப்படுகிறது", - "library": "நூலகம்", - "mandatory": "கட்டாயம்", - "option": "விருப்பம்", - "optional": "விருப்பத்திற்குரியது", + "uninstall": "uninstall செய்", "uninstallation": "நிறுவல் நீக்கம்", "uninstalled": "uninstall செய்யப்பட்டது", - "uninstalling": "uninstall செய்யப்படுகிறது", "update(noun)": "புதுப்பிப்பு", "update(verb)": "update செய்", "updated": "update செய்யப்பட்டது", - "updating": "update செய்யப்படுகிறது", - "version {0}": "பதிப்பு {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} இயல்புநிலை install options ஐப் பின்பற்றுவதால், {0} இன் Install options தற்போது lock செய்யப்பட்டுள்ளன.", "{0} Uninstallation": "{0} uninstallation", "{0} aborted": "{0} ரத்து செய்யப்பட்டது", "{0} can be updated": "{0} update செய்யப்படலாம்", - "{0} can be updated to version {1}": "{0} ஐ version {1} க்கு update செய்யலாம்", - "{0} days": "{0} நாட்கள்", - "{0} desktop shortcuts created": "{0} desktop shortcuts உருவாக்கப்பட்டன", "{0} failed": "{0} தோல்வியடைந்தது", - "{0} has been installed successfully.": "{0} வெற்றிகரமாக install செய்யப்பட்டது.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} வெற்றிகரமாக install செய்யப்பட்டது. installation ஐ முடிக்க UniGetUI ஐ restart செய்ய பரிந்துரைக்கப்படுகிறது", "{0} has failed, that was a requirement for {1} to be run": "{0} தோல்வியடைந்தது; {1} இயங்க அது தேவையானதாக இருந்தது", - "{0} homepage": "{0} முகப்புப்பக்கம்", - "{0} hours": "{0} மணிநேரங்கள்", "{0} installation": "{0} நிறுவல்", - "{0} installation options": "{0} நிறுவல் விருப்பங்கள்", - "{0} installer is being downloaded": "{0} installer பதிவிறக்கப்படுகிறது", - "{0} is being installed": "{0} install செய்யப்படுகிறது", - "{0} is being uninstalled": "{0} uninstall செய்யப்படுகிறது", "{0} is being updated": "{0} update செய்யப்படுகிறது", - "{0} is being updated to version {1}": "{0} version {1} க்கு update செய்யப்படுகிறது", - "{0} is disabled": "{0} முடக்கப்பட்டுள்ளது", - "{0} minutes": "{0} நிமிடங்கள்", "{0} months": "{0} மாதங்கள்", - "{0} packages are being updated": "{0} packages update செய்யப்படுகின்றன", - "{0} packages can be updated": "{0} packages update செய்யப்படலாம்", "{0} packages found": "{0} packages கிடைத்தன", "{0} packages were found": "{0} packages கிடைத்தன", - "{0} packages were found, {1} of which match the specified filters.": "{1} packages கிடைத்தன, அவற்றில் {0} குறிப்பிட்ட filters உடன் பொருந்தின.", - "{0} selected": "{0} தேர்ந்தெடுக்கப்பட்டது", - "{0} settings": "{0} settings அமைப்புகள்", - "{0} status": "{0} நிலை", "{0} succeeded": "{0} வெற்றியடைந்தது", "{0} update": "{0} புதுப்பிப்பு", - "{0} updates are available": "{0} updates கிடைக்கின்றன", "{0} was {1} successfully!": "{0} வெற்றிகரமாக {1} செய்யப்பட்டது!", "{0} weeks": "{0} வாரங்கள்", "{0} years": "{0} ஆண்டுகள்", "{0} {1} failed": "{0} {1} தோல்வியடைந்தது", - "{package} Installation": "{package} installation", - "{package} Uninstall": "{package} uninstall", - "{package} Update": "{package} update", - "{package} could not be installed": "{package} install செய்ய முடியவில்லை", - "{package} could not be uninstalled": "{package} uninstall செய்ய முடியவில்லை", - "{package} could not be updated": "{package} update செய்ய முடியவில்லை", "{package} installation failed": "{package} installation தோல்வியடைந்தது", - "{package} installer could not be downloaded": "{package} installer பதிவிறக்க முடியவில்லை", - "{package} installer download": "{package} installer பதிவிறக்கம்", - "{package} installer was downloaded successfully": "{package} installer வெற்றிகரமாக பதிவிறக்கப்பட்டது", "{package} uninstall failed": "{package} uninstall தோல்வியடைந்தது", "{package} update failed": "{package} update தோல்வியடைந்தது", "{package} update failed. Click here for more details.": "{package} update தோல்வியடைந்தது. மேலும் விவரங்களுக்கு இங்கே click செய்யவும்.", - "{package} was installed successfully": "{package} வெற்றிகரமாக install செய்யப்பட்டது", - "{package} was uninstalled successfully": "{package} வெற்றிகரமாக uninstall செய்யப்பட்டது", - "{package} was updated successfully": "{package} வெற்றிகரமாக update செய்யப்பட்டது", - "{pcName} installed packages": "{pcName} இல் install செய்யப்பட்ட packages", "{pm} could not be found": "{pm} ஐக் கண்டுபிடிக்க முடியவில்லை", "{pm} found: {state}": "{pm} கிடைத்தது: {state}", - "{pm} is disabled": "{pm} முடக்கப்பட்டுள்ளது", - "{pm} is enabled and ready to go": "{pm} இயக்கப்பட்டு தயார் நிலையில் உள்ளது", "{pm} package manager specific preferences": "{pm} package manager குறிப்பிட்ட விருப்பங்கள்", "{pm} preferences": "{pm} விருப்பங்கள்", - "{pm} version:": "{pm} பதிப்பு:", - "{pm} was not found!": "{pm} கிடைக்கவில்லை!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "வணக்கம், என் பெயர் Martí, நான் UniGetUI இன் developer. UniGetUI முழுமையாக என் spare time இல் உருவாக்கப்பட்டது!", + "Thank you ❤": "நன்றி ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "இந்த project க்கு அதிகாரப்பூர்வ {0} project உடன் எந்த தொடர்பும் இல்லை — இது முழுமையாக அதிகாரப்பூர்வமற்றது." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tg.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tg.json index 25e9d00aed..a5b2cd914c 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tg.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tg.json @@ -1,155 +1,737 @@ { + "Operation in progress": "May operasyong isinasagawa", + "Please wait...": "Pakihintay...", + "Success!": "Tagumpay!", + "Failed": "Pumalya", + "An error occurred while processing this package": "Nagkaroon ng error habang pinoproseso ang package na ito", + "Log in to enable cloud backup": "Mag-log in para paganahin ang cloud backup", + "Backup Failed": "Pumalya ang backup", + "Downloading backup...": "Dina-download ang backup...", + "An update was found!": "Mayroong update na nahanap!", + "{0} can be updated to version {1}": "Maaaring i-update ang {0} sa bersyon {1}", + "Updates found!": "May nahanap na mga update!", + "{0} packages can be updated": "{0} pa na mga package ang maaaring i-update", + "You have currently version {0} installed": "Kasalukuyan mong naka-install ang bersyon {0}", + "Desktop shortcut created": "Nalikhang desktop shortcut", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Nakakita ang UniGetUI ng bagong desktop shortcut na maaaring awtomatikong burahin.", + "{0} desktop shortcuts created": "{0} desktop shortcut ang nalikha", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Nakakita ang UniGetUI ng {0} bagong desktop shortcut na maaaring awtomatikong burahin.", + "Are you sure?": "Sigurado ka na?", + "Do you really want to uninstall {0}?": "Gusto mo ba talaga na alisin ang {0}", + "Do you really want to uninstall the following {0} packages?": "Sigurado ka bang gusto mong i-uninstall ang sumusunod na {0} package?", + "No": "Hindi", + "Yes": "Oo", + "View on UniGetUI": "Tingnan sa UniGetUI", + "Update": "I-update", + "Open UniGetUI": "Buksan ang UniGetUI", + "Update all": "I-update lahat", + "Update now": "I-update ngayon", + "This package is on the queue": "Nasa pila ang package na ito", + "installing": "nag-i-install", + "updating": "nag-a-update", + "uninstalling": "nag-u-uninstall", + "installed": "naka-install", + "Retry": "Subukan muli", + "Install": "i-install", + "Uninstall": "i-uninstall", + "Open": "Buksan", + "Operation profile:": "Profile ng operasyon:", + "Follow the default options when installing, upgrading or uninstalling this package": "Sundin ang mga default na opsyon kapag ini-install, ina-upgrade, o ina-uninstall ang package na ito", + "The following settings will be applied each time this package is installed, updated or removed.": "Ang mga sumusunod na setting ay ilalapat sa tuwing ini-install, ina-update, o inaalis ang package na ito.", + "Version to install:": "Bersyon na i-install:", + "Architecture to install:": "Arkitektura para mainstall:", + "Installation scope:": "Saklaw ng installation:", + "Install location:": "Lokasyon ng install:", + "Select": "Piliin", + "Reset": "I-reset", + "Custom install arguments:": "Mga custom na argument sa install:", + "Custom update arguments:": "Mga custom na argument sa update:", + "Custom uninstall arguments:": "Mga custom na argument sa uninstall:", + "Pre-install command:": "Command bago mag-install:", + "Post-install command:": "Command pagkatapos mag-install:", + "Abort install if pre-install command fails": "I-abort ang install kung pumalya ang pre-install command", + "Pre-update command:": "Command bago mag-update:", + "Post-update command:": "Command pagkatapos mag-update:", + "Abort update if pre-update command fails": "I-abort ang update kung pumalya ang pre-update command", + "Pre-uninstall command:": "Command bago mag-uninstall:", + "Post-uninstall command:": "Command pagkatapos mag-uninstall:", + "Abort uninstall if pre-uninstall command fails": "I-abort ang uninstall kung pumalya ang pre-uninstall command", + "Command-line to run:": "Command-line na tatakbuhin:", + "Save and close": "I-save at isara", + "Run as admin": "Patakbuhin bilang admin", + "Interactive installation": "Interactive na installation", + "Skip hash check": "Laktawan ang hash check", + "Uninstall previous versions when updated": "I-uninstall ang mga naunang bersyon kapag na-update", + "Skip minor updates for this package": "Laktawan ang mga minor na update para sa package na ito", + "Automatically update this package": "Awtomatikong i-update ang package na ito", + "{0} installation options": "Mga opsyon sa installation ng {0}", + "Latest": "Pinakabago", + "PreRelease": "Pre-release", + "Default": "Nakatakda", + "Manage ignored updates": "Pamahalaan ang mga in-ignore na update", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Ang mga package na nakalista rito ay hindi isasama kapag naghahanap ng mga update. I-double-click ang mga ito o i-click ang button sa kanan nila para itigil ang pag-ignore sa kanilang mga update.", + "Reset list": "I-reset ang listahan", + "Package Name": "Pangalan ng Package", + "Package ID": "ID ng Package", + "Ignored version": "In-ignore na bersyon", + "New version": "Bagong bersyon", + "Source": "Pinagmulan", + "All versions": "Lahat ng Bersyon", + "Unknown": "Hindi alam", + "Up to date": "Napapanahon", + "Cancel": "Ikansela", + "Administrator privileges": "Nakatataas na pribilehiyo", + "This operation is running with administrator privileges.": "Ang operasyong ito ay tumatakbo nang may mga pribilehiyo ng administrator.", + "Interactive operation": "Interactive na operasyon", + "This operation is running interactively.": "Ang operasyong ito ay tumatakbo nang interactive.", + "You will likely need to interact with the installer.": "Malamang na kakailanganin mong makipag-ugnayan sa installer.", + "Integrity checks skipped": "Nilaktawan ang mga integrity check", + "Proceed at your own risk.": "Magpatuloy sa sarili mong panganib.", + "Close": "Isara", + "Loading...": "Nilo-load...", + "Installer SHA256": "SHA256 ng installer", + "Homepage": "Pahina sa web", + "Author": "Manggagawa", + "Publisher": "Tagapaglathala", + "License": "Lisensya", + "Manifest": "Manipesto", + "Installer Type": "Uri ng installer", + "Size": "Laki", + "Installer URL": "URL ng installer", + "Last updated:": "Huling na-update:", + "Release notes URL": "URL ng mga tala sa release", + "Package details": "Mga detalye ng package", + "Dependencies:": "Mga dependency:", + "Release notes": "Mga tala sa release", + "Version": "Bersyon", + "Install as administrator": "I-install bilang administrator", + "Update to version {0}": "I-update sa bersyon {0}", + "Installed Version": "Naka-install na Bersyon", + "Update as administrator": "I-update bilang administrator", + "Interactive update": "Interactive na update", + "Uninstall as administrator": "I-uninstall bilang administrator", + "Interactive uninstall": "Interactive na uninstall", + "Uninstall and remove data": "I-uninstall at alisin ang data", + "Not available": "Hindi available", + "Installer SHA512": "SHA512 ng installer", + "Unknown size": "Hindi alam ang laki", + "No dependencies specified": "Walang tinukoy na dependency", + "mandatory": "sapilitan", + "optional": "opsyonal", + "UniGetUI {0} is ready to be installed.": "Handa nang i-install ang UniGetUI {0}.", + "The update process will start after closing UniGetUI": "Magsisimula ang proseso ng update pagkatapos isara ang UniGetUI", + "Share anonymous usage data": "Ibahagi ang anonymous na data ng paggamit", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "Nangongolekta ang UniGetUI ng anonymous na data ng paggamit upang mapabuti ang karanasan ng user.", + "Accept": "Tanggapin", + "You have installed WingetUI Version {0}": "Naka-install sa iyo ang UniGetUI Bersyon {0}", + "Disclaimer": "Paunawa", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Walang kaugnayan ang UniGetUI sa alinman sa mga compatible na package manager. Isang independent na proyekto ang UniGetUI.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "Hindi magiging posible ang UniGetUI kung wala ang tulong ng mga contributor. Salamat sa inyong lahat 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Ginagamit ng UniGetUI ang mga sumusunod na library. Kung wala ang mga ito, hindi magiging posible ang UniGetUI.", + "{0} homepage": "Homepage ng {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "Na-translate ang UniGetUI sa mahigit 40 wika salamat sa mga boluntaryong translator. Salamat 🤝", + "Verbose": "Detalyado", + "1 - Errors": "1 - Mga Error", + "2 - Warnings": "2 - Mga Babala", + "3 - Information (less)": "3 - Impormasyon (kaunti)", + "4 - Information (more)": "4 - Impormasyon (mas marami)", + "5 - information (debug)": "5 - Impormasyon (debug)", + "Warning": "Babala", + "The following settings may pose a security risk, hence they are disabled by default.": "Maaaring magdulot ng panganib sa seguridad ang mga sumusunod na setting, kaya naka-disable ang mga ito bilang default.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Paganahin lamang ang mga setting sa ibaba kung lubos mong nauunawaan ang ginagawa ng mga ito at ang mga implikasyon nila.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Ililista ng mga setting, sa kanilang mga paglalarawan, ang mga posibleng isyu sa seguridad na maaari nilang taglayin.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Isasama sa backup ang kumpletong listahan ng mga naka-install na package at ang mga opsyon ng installation ng mga ito. Mase-save rin ang mga in-ignore na update at nilaktawang bersyon.", + "The backup will NOT include any binary file nor any program's saved data.": "HINDI isasama sa backup ang anumang binary file o saved data ng alinmang programa.", + "The size of the backup is estimated to be less than 1MB.": "Tinatayang mas mababa sa 1MB ang laki ng backup.", + "The backup will be performed after login.": "Isasagawa ang backup pagkatapos mag-log in.", + "{pcName} installed packages": "Mga naka-install na package sa {pcName}", + "Current status: Not logged in": "Kasalukuyang status: Hindi naka-log in", + "You are logged in as {0} (@{1})": "Naka-log in ka bilang {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Ayos! Ia-upload ang mga backup sa pribadong gist sa iyong account", + "Select backup": "Piliin ang backup", + "WingetUI Settings": "Mga Setting ng UniGetUI", + "Allow pre-release versions": "Payagan ang mga pre-release na bersyon", + "Apply": "Ilapat", + "Go to UniGetUI security settings": "Pumunta sa mga security setting ng UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Ang mga sumusunod na opsyon ay ilalapat bilang default sa tuwing ini-install, ina-upgrade, o ina-uninstall ang isang package ng {0}.", + "Package's default": "Default ng package", + "Install location can't be changed for {0} packages": "Hindi mababago ang lokasyon ng install para sa mga package ng {0}", + "The local icon cache currently takes {0} MB": "Kasalukuyang kumakain ng {0} MB ang lokal na cache ng icon", + "Username": "Pangalan ng user", + "Password": "Pasword", + "Credentials": "Mga kredensyal", + "Partially": "Bahagya", + "Package manager": "Manager ng pakete", + "Compatible with proxy": "Compatible sa proxy", + "Compatible with authentication": "Compatible sa authentication", + "Proxy compatibility table": "Talahanayan ng compatibility ng proxy", + "{0} settings": "Mga setting ng {0}", + "{0} status": "Status ng {0}", + "Default installation options for {0} packages": "Mga default na opsyon sa install para sa mga package ng {0}", + "Expand version": "I-expand ang bersyon", + "The executable file for {0} was not found": "Hindi nakita ang executable file para sa {0}", + "{pm} is disabled": "Naka-disable ang {pm}", + "Enable it to install packages from {pm}.": "Paganahin ito para makapag-install ng mga package mula sa {pm}.", + "{pm} is enabled and ready to go": "Naka-enable ang {pm} at handa nang gamitin", + "{pm} version:": "Bersyon ng {pm}:", + "{pm} was not found!": "Hindi nakita ang {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "Maaaring kailanganin mong i-install ang {pm} para magamit ito sa UniGetUI.", + "Scoop Installer - WingetUI": "Installer ng Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "Uninstaller ng Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "Nililinis ang cache ng Scoop - UniGetUI", + "Restart UniGetUI": "I-restart ang UniGetUI", + "Manage {0} sources": "Pamahalaan ang mga source ng {0}", + "Add source": "Magdagdag ng source", + "Add": "Magdagdag", + "Other": "Iba pa", + "1 day": "isang araw", + "{0} days": "{0} araw", + "{0} minutes": "{0} minuto", + "1 hour": "isang oras", + "{0} hours": "{0} oras", + "1 week": "isang linggo", + "WingetUI Version {0}": "Bersyon {0} ng UniGetUI", + "Search for packages": "Maghanap ng mga package", + "Local": "Lokal", + "OK": "Ok", + "{0} packages were found, {1} of which match the specified filters.": "May {0} package na nakita, at {1} sa mga iyon ang tumutugma sa mga tinukoy na filter.", + "{0} selected": "{0} ang napili", + "(Last checked: {0})": "(Huling sinuri: {0})", + "Enabled": "Naka-enable", + "Disabled": "Naka-disable", + "More info": "Higit pang impormasyon", + "Log in with GitHub to enable cloud package backup.": "Mag-log in gamit ang GitHub para paganahin ang cloud backup ng package.", + "More details": "Higit pang detalye", + "Log in": "Mag-log in", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Kung naka-enable ang cloud backup, ise-save ito bilang GitHub Gist sa account na ito", + "Log out": "Mag-log out", + "About": "Tungkol", + "Third-party licenses": "Mga lisensya ng third-party", + "Contributors": "Mga nag-ambag", + "Translators": "Mga translator", + "Manage shortcuts": "Pamahalaan ang mga shortcut", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Natukoy ng UniGetUI ang mga sumusunod na desktop shortcut na maaaring awtomatikong alisin sa mga susunod na upgrade", + "Do you really want to reset this list? This action cannot be reverted.": "Sigurado ka bang gusto mong i-reset ang listahang ito? Hindi na ito maaaring ibalik.", + "Remove from list": "Alisin sa listahan", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kapag may natukoy na bagong shortcut, awtomatiko silang burahin sa halip na ipakita ang dialog na ito.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Nangongolekta ang UniGetUI ng anonymous na data ng paggamit para lamang maunawaan at mapabuti ang karanasan ng user.", + "More details about the shared data and how it will be processed": "Higit pang detalye tungkol sa ibinahaging data at kung paano ito ipoproseso", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Tinatanggap mo ba na nangongolekta at nagpapadala ang UniGetUI ng anonymous na estadistika ng paggamit, para lamang maunawaan at mapabuti ang karanasan ng user?", + "Decline": "Tanggihan", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Walang personal na impormasyon ang kinokolekta o ipinapadala, at naka-anonymize ang nakolektang data, kaya hindi ito matutunton pabalik sa iyo.", + "About WingetUI": "Tungkol sa WingetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "Ang UniGetUI ay isang application na nagpapadali sa pamamahala ng iyong software sa pamamagitan ng pagbibigay ng all-in-one na graphical interface para sa iyong mga command-line package manager.", + "Useful links": "Mga kapaki-pakinabang na link", + "Report an issue or submit a feature request": "Mag-ulat ng isyu o magsumite ng kahilingan para sa feature", + "View GitHub Profile": "Tingnan ang Profile sa GitHub", + "WingetUI License": "Lisensya ng UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Ang paggamit ng UniGetUI ay nangangahulugan ng pagtanggap sa MIT License", + "Become a translator": "Maging translator", + "View page on browser": "Tingnan ang pahina sa browser", + "Copy to clipboard": "Kopyahin patungo sa clipboard", + "Export to a file": "I-export sa isang file", + "Log level:": "Antas ng log:", + "Reload log": "I-reload ang log", + "Text": "Teksto", + "Change how operations request administrator rights": "Baguhin kung paano humihingi ng mga karapatan ng administrator ang mga operasyon", + "Restrictions on package operations": "Mga restriksyon sa mga operasyon ng package", + "Restrictions on package managers": "Mga restriksyon sa mga package manager", + "Restrictions when importing package bundles": "Mga restriksyon kapag nag-i-import ng mga package bundle", + "Ask for administrator privileges once for each batch of operations": "Humingi ng mga pribilehiyo ng administrator isang beses para sa bawat batch ng mga operasyon", + "Ask only once for administrator privileges": "Humingi ng mga pribilehiyo ng administrator nang isang beses lang", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Ipagbawal ang anumang uri ng elevation sa pamamagitan ng UniGetUI Elevator o GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "MAGDUDULOT ng mga isyu ang opsyong ito. PUMAPALYA ang anumang operasyong hindi kayang i-elevate ang sarili. HINDI GAGANA ang install/update/uninstall bilang administrator.", + "Allow custom command-line arguments": "Payagan ang mga custom na argument sa command-line", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Maaaring baguhin ng mga custom na argument sa command-line ang paraan ng pag-install, pag-upgrade, o pag-uninstall ng mga programa sa paraang hindi makokontrol ng UniGetUI. Maaaring makasira ng mga package ang paggamit ng mga custom na command-line. Magpatuloy nang may pag-iingat.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Huwag pansinin ang mga custom na pre-install at post-install command kapag nag-i-import ng mga package mula sa bundle", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Patatakbuhin ang mga pre at post install command bago at pagkatapos ma-install, ma-upgrade, o ma-uninstall ang isang package. Tandaan na maaari silang makasira ng mga bagay kung hindi gagamitin nang maingat.", + "Allow changing the paths for package manager executables": "Payagan ang pagbabago ng mga path para sa mga executable ng package manager", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Kapag in-on ito, mapapagana ang pagbabago ng executable file na ginagamit para makipag-ugnayan sa mga package manager. Bagama't nagbibigay ito ng mas detalyadong pag-customize sa iyong mga proseso ng install, maaari rin itong maging mapanganib.", + "Allow importing custom command-line arguments when importing packages from a bundle": "Payagan ang pag-import ng mga custom na argument sa command-line kapag nag-i-import ng mga package mula sa bundle", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Maaaring makasira ng mga package ang maling anyo ng mga argument sa command-line, o magbigay pa ng privileged execution sa isang mapaminsalang aktor. Kaya naka-disable bilang default ang pag-import ng mga custom na argument sa command-line.", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Payagan ang pag-import ng mga custom na pre-install at post-install command kapag nag-i-import ng mga package mula sa bundle", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Maaaring gumawa ng napakasamang bagay sa iyong device ang mga pre at post install command kung ganoon ang pagkakadisenyo sa mga ito. Maaaring maging lubhang mapanganib ang pag-import ng mga command mula sa bundle, maliban kung pinagkakatiwalaan mo ang pinagmulan ng package bundle na iyon.", + "Administrator rights and other dangerous settings": "Mga karapatan ng administrator at iba pang mapanganib na setting", + "Package backup": "Backup ng package", + "Cloud package backup": "Cloud backup ng package", + "Local package backup": "Lokal na backup ng package", + "Local backup advanced options": "Mga advanced na opsyon sa lokal na backup", + "Log in with GitHub": "Mag-log in gamit ang GitHub", + "Log out from GitHub": "Mag-log out mula sa GitHub", + "Periodically perform a cloud backup of the installed packages": "Pana-panahong magsagawa ng cloud backup ng mga naka-install na package", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Gumagamit ang cloud backup ng pribadong GitHub Gist para itago ang listahan ng mga naka-install na package", + "Perform a cloud backup now": "Magsagawa ng cloud backup ngayon", + "Backup": "Pag-backup", + "Restore a backup from the cloud": "I-restore ang backup mula sa cloud", + "Begin the process to select a cloud backup and review which packages to restore": "Simulan ang proseso para pumili ng cloud backup at suriin kung aling mga package ang ire-restore", + "Periodically perform a local backup of the installed packages": "Pana-panahong magsagawa ng lokal na backup ng mga naka-install na package", + "Perform a local backup now": "Magsagawa ng lokal na backup ngayon", + "Change backup output directory": "Baguhin ang output directory ng backup", + "Set a custom backup file name": "Magtakda ng custom na pangalan ng backup file", + "Leave empty for default": "Iwanang walang laman para sa default", + "Add a timestamp to the backup file names": "Idagdag ang oras sa backup ng mga pangalan ", + "Backup and Restore": "Backup at Restore", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Paganahin ang background API (Widgets ng UniGetUI at Sharing, port 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Hintaying kumonekta ang device sa internet bago subukang gawin ang mga gawaing nangangailangan ng koneksyon sa internet.", + "Disable the 1-minute timeout for package-related operations": "I-disable ang 1-minutong timeout para sa mga operasyong may kaugnayan sa package", + "Use installed GSudo instead of UniGetUI Elevator": "Gamitin ang naka-install na GSudo sa halip na UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Gumamit ng custom na URL para sa database ng icon at screenshot", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Paganahin ang mga optimization sa paggamit ng CPU sa background (tingnan ang Pull Request #3278)", + "Perform integrity checks at startup": "Magsagawa ng mga integrity check sa startup", + "When batch installing packages from a bundle, install also packages that are already installed": "Kapag nagba-batch install ng mga package mula sa bundle, i-install din ang mga package na naka-install na", + "Experimental settings and developer options": "Mga experimental na setting at opsyon para sa developer", + "Show UniGetUI's version and build number on the titlebar.": "Ipakita ang bersyon at build number ng UniGetUI sa titlebar.", + "Language": "Wika", + "UniGetUI updater": "Updater ng UniGetUI", + "Telemetry": "Telemetriya", + "Manage UniGetUI settings": "Pamahalaan ang mga setting ng UniGetUI", + "Related settings": "Mga kaugnay na setting", + "Update WingetUI automatically": "Awtomatikong i-update ang UniGetUI", + "Check for updates": "Maghanap ng mga update", + "Install prerelease versions of UniGetUI": "I-install ang mga prerelease na bersyon ng UniGetUI", + "Manage telemetry settings": "Pamahalaan ang mga setting ng telemetry", + "Manage": "Pamahalaan", + "Import settings from a local file": "I-import ang mga setting mula sa isang lokal na file", + "Import": "I-import", + "Export settings to a local file": "I-export ang mga setting sa isang lokal na file", + "Export": "I-export", + "Reset WingetUI": "I-reset ang UniGetUI", + "Reset UniGetUI": "I-reset ang UniGetUI", + "User interface preferences": "Mga preference sa user interface", + "Application theme, startup page, package icons, clear successful installs automatically": "Tema ng app, startup page, mga icon ng package, awtomatikong alisin ang matagumpay na install", + "General preferences": "Mga pangkalahatang preference", + "WingetUI display language:": "Wika ng display ng UniGetUI:", + "Is your language missing or incomplete?": "Nawawala o kulang ba ang iyong wika?", + "Appearance": "Itsura", + "UniGetUI on the background and system tray": "UniGetUI sa background at system tray", + "Package lists": "Mga listahan ng package", + "Close UniGetUI to the system tray": "Isara ang UniGetUI sa system tray", + "Show package icons on package lists": "Ipakita ang mga icon ng package sa mga listahan ng package", + "Clear cache": "I-clear ang cache", + "Select upgradable packages by default": "Piliin bilang default ang mga package na maaaring i-upgrade", + "Light": "Maliwanag", + "Dark": "Madilim", + "Follow system color scheme": "Sundin ang color scheme ng system", + "Application theme:": "Tema ng aplikasyon:", + "Discover Packages": "Mag-discover ng mga package", + "Software Updates": "Mga Update ng Software", + "Installed Packages": "Mga naka-install na package", + "Package Bundles": "Mga Package Bundle", + "Settings": "Mga Setting", + "UniGetUI startup page:": "Startup page ng UniGetUI:", + "Proxy settings": "Mga setting ng proxy", + "Other settings": "Iba pang setting", + "Connect the internet using a custom proxy": "Kumonekta sa internet gamit ang custom na proxy", + "Please note that not all package managers may fully support this feature": "Pakitandaan na hindi lahat ng package manager ay maaaring lubos na sumuporta sa feature na ito", + "Proxy URL": "URL ng proxy", + "Enter proxy URL here": "Ilagay dito ang proxy URL", + "Package manager preferences": "Mga preference sa package manager", + "Ready": "Handa na", + "Not found": "Hindi nakita", + "Notification preferences": "Mga preference sa notification", + "Notification types": "Mga uri ng notification", + "The system tray icon must be enabled in order for notifications to work": "Dapat naka-enable ang icon sa system tray para gumana ang mga notification", + "Enable WingetUI notifications": "Paganahin ang mga notification ng UniGetUI", + "Show a notification when there are available updates": "Magpakita ng notification kapag may mga available na update", + "Show a silent notification when an operation is running": "Magpakita ng tahimik na notification habang may tumatakbong operasyon", + "Show a notification when an operation fails": "Magpakita ng notification kapag pumalya ang isang operasyon", + "Show a notification when an operation finishes successfully": "Magpakita ng notification kapag matagumpay na natapos ang isang operasyon", + "Concurrency and execution": "Concurrency at execution", + "Automatic desktop shortcut remover": "Awtomatikong tagabura ng desktop shortcut", + "Clear successful operations from the operation list after a 5 second delay": "Alisin ang matagumpay na mga operasyon mula sa listahan matapos ang 5 segundong delay", + "Download operations are not affected by this setting": "Hindi naaapektuhan ng setting na ito ang mga operasyon sa pag-download", + "Try to kill the processes that refuse to close when requested to": "Subukang i-kill ang mga prosesong tumatangging magsara kapag hiniling", + "You may lose unsaved data": "Maaaring mawala ang hindi pa nasasave na data", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Magtanong bago burahin ang mga desktop shortcut na nalikha sa panahon ng install o upgrade.", + "Package update preferences": "Mga preference sa update ng package", + "Update check frequency, automatically install updates, etc.": "Dalas ng pagsusuri ng update, awtomatikong pag-install ng mga update, at iba pa.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Bawasan ang mga UAC prompt, i-elevate ang mga installation bilang default, i-unlock ang ilang mapanganib na feature, at iba pa.", + "Package operation preferences": "Mga preference sa operasyon ng package", + "Enable {pm}": "Buksan ang {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Hindi makita ang file na hinahanap mo? Tiyaking nadagdag na ito sa path.", + "For security reasons, changing the executable file is disabled by default": "Dahil sa seguridad, naka-disable bilang default ang pagbabago ng executable file", + "Change this": "Baguhin ito", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Piliin ang executable na gagamitin. Ipinapakita ng sumusunod na listahan ang mga executable na nakita ng UniGetUI", + "Current executable file:": "Kasalukuyang executable file:", + "Ignore packages from {pm} when showing a notification about updates": "I-ignore ang mga package mula sa {pm} kapag nagpapakita ng notification tungkol sa mga update", + "View {0} logs": "Tingnan ang mga log ng {0}", + "Advanced options": "Mga advanced na opsyon", + "Reset WinGet": "I-reset ang WinGet", + "This may help if no packages are listed": "Maaaring makatulong ito kung walang nakalistang mga package", + "Force install location parameter when updating packages with custom locations": "Pilitin ang parameter ng lokasyon ng install kapag nag-a-update ng mga package na may custom na lokasyon", + "Use bundled WinGet instead of system WinGet": "Gamitin ang bundled na WinGet sa halip na system WinGet", + "This may help if WinGet packages are not shown": "Maaaring makatulong ito kung hindi ipinapakita ang mga package ng WinGet", + "Install Scoop": "I-install ang Scoop", + "Uninstall Scoop (and its packages)": "I-uninstall ang Scoop (at ang mga package nito)", + "Run cleanup and clear cache": "Patakbuhin ang cleanup at i-clear ang cache", + "Run": "Patakbuhin", + "Enable Scoop cleanup on launch": "Paganahin ang Scoop cleanup sa pag-launch", + "Use system Chocolatey": "Gamitin ang system Chocolatey", + "Default vcpkg triplet": "Default na vcpkg triplet", + "Language, theme and other miscellaneous preferences": "Wika, tema, at iba pang sari-saring preference", + "Show notifications on different events": "Ipakita ang mga notification sa iba't ibang pangyayari", + "Change how UniGetUI checks and installs available updates for your packages": "Baguhin kung paano sinusuri at ini-install ng UniGetUI ang mga available na update para sa iyong mga package", + "Automatically save a list of all your installed packages to easily restore them.": "Awtomatikong i-save ang listahan ng lahat ng naka-install mong package para madali silang ma-restore.", + "Enable and disable package managers, change default install options, etc.": "Paganahin at i-disable ang mga package manager, baguhin ang mga default na opsyon sa install, at iba pa.", + "Internet connection settings": "Mga setting ng koneksyon sa internet", + "Proxy settings, etc.": "Mga setting ng proxy, atbp.", + "Beta features and other options that shouldn't be touched": "Ibang mga bagay na di dapat baguhin gaya ng beta features", + "Update checking": "Pagsusuri ng update", + "Automatic updates": "Awtomatikong mga update", + "Check for package updates periodically": "Hanapin ang mga bagong updates ng mga package kada panahon", + "Check for updates every:": "Maghanap ng mga bagong updates ng mga package tuwing:", + "Install available updates automatically": "Awtomatikong i-install ang mga available na update", + "Do not automatically install updates when the network connection is metered": "Huwag awtomatikong mag-install ng mga update kapag metered ang koneksyon sa network", + "Do not automatically install updates when the device runs on battery": "Huwag awtomatikong mag-install ng mga update kapag naka-battery ang device", + "Do not automatically install updates when the battery saver is on": "Huwag awtomatikong mag-install ng mga update kapag naka-on ang battery saver", + "Change how UniGetUI handles install, update and uninstall operations.": "Baguhin kung paano pinangangasiwaan ng UniGetUI ang mga operasyon ng install, update, at uninstall.", + "Package Managers": "Mga package manager", + "More": "Higit pa", + "WingetUI Log": "Log ng UniGetUI", + "Package Manager logs": "Mga log ng Package Manager", + "Operation history": "Kasaysayan ng operasyon", + "Help": "Tulong", + "Order by:": "Ayusin ayon sa:", + "Name": "Pangalan", + "Id": "Pagkakakilanlan", + "Ascendant": "Paakyat", + "Descendant": "Pababa", + "View mode:": "Mode ng view:", + "Filters": "Mga filter", + "Sources": "Mga source", + "Search for packages to start": "Maghanap ng mga package para makapagsimula", + "Select all": "Piliin lahat", + "Clear selection": "Alisin ang pinili", + "Instant search": "Agarang paghahanap", + "Distinguish between uppercase and lowercase": "Pag-ibahin ang malalaking titik at maliliit na titik", + "Ignore special characters": "I-ignore ang mga espesyal na character", + "Search mode": "Mode ng paghahanap", + "Both": "Pareho", + "Exact match": "Eksaktong tugma", + "Show similar packages": "Ipakita ang mga kahalintulad na package", + "No results were found matching the input criteria": "Walang nahanap na resultang tumutugma sa ibinigay na pamantayan", + "No packages were found": "Walang nahanap na mga package", + "Loading packages": "Nilo-load ang mga package", + "Skip integrity checks": "Laktawan ang mga integrity check", + "Download selected installers": "I-download ang mga napiling installer", + "Install selection": "I-install ang napili", + "Install options": "Mga opsyon sa install", + "Share": "Ibahagi", + "Add selection to bundle": "Idagdag ang napili sa bundle", + "Download installer": "I-download ang installer", + "Share this package": "Ibahagi ang package na ito", + "Uninstall selection": "I-uninstall ang napili", + "Uninstall options": "Mga opsyon sa uninstall", + "Ignore selected packages": "I-ignore ang mga napiling package", + "Open install location": "Buksan ang lokasyon ng install", + "Reinstall package": "I-reinstall ang package", + "Uninstall package, then reinstall it": "I-uninstall ang package, saka i-reinstall ito", + "Ignore updates for this package": "I-ignore ang mga update para sa package na ito", + "Do not ignore updates for this package anymore": "Huwag nang i-ignore ang mga update para sa package na ito", + "Add packages or open an existing package bundle": "Magdagdag ng mga package o magbukas ng umiiral na package bundle", + "Add packages to start": "Magdagdag ng mga package para makapagsimula", + "The current bundle has no packages. Add some packages to get started": "Walang package ang kasalukuyang bundle. Magdagdag ng ilang package para makapagsimula", + "New": "Bago", + "Save as": "I-save bilang", + "Remove selection from bundle": "Alisin ang napili mula sa bundle", + "Skip hash checks": "Laktawan ang mga hash check", + "The package bundle is not valid": "Hindi valid ang package bundle", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Mukhang hindi valid ang bundle na sinusubukan mong i-load. Pakisuri ang file at subukan muli.", + "Package bundle": "Bundle ng pakete", + "Could not create bundle": "Hindi magawa ang bundle", + "The package bundle could not be created due to an error.": "Hindi nagawa ang package bundle dahil sa isang error.", + "Bundle security report": "Ulat sa seguridad ng bundle", + "Hooray! No updates were found.": "Yehey! Walang nahanap na update.", + "Everything is up to date": "Lahat ay updated", + "Uninstall selected packages": "I-uninstall ang mga napiling package", + "Update selection": "I-update ang napili", + "Update options": "Mga opsyon sa update", + "Uninstall package, then update it": "I-uninstall ang package, saka i-update ito", + "Uninstall package": "I-uninstall ang package", + "Skip this version": "Laktawan ang bersyong ito", + "Pause updates for": "I-pause ang mga update sa loob ng", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Package manager ng Rust.
Naglalaman ng: Mga Rust library at programang isinulat sa Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Ang klasikong package manager para sa Windows. Makikita mo roon ang lahat.
Naglalaman ng: Pangkalahatang Software", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Isang repository na puno ng mga tool at executable na idinisenyo para sa .NET ecosystem ng Microsoft.
Naglalaman ng: Mga tool at script na may kaugnayan sa .NET", + "NuPkg (zipped manifest)": "NuPkg (naka-zip na manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Package manager ng Node JS. Puno ito ng mga library at iba pang utility na umiikot sa mundo ng JavaScript
Naglalaman ng: Mga Node JavaScript library at iba pang kaugnay na utility", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Library manager ng Python. Puno ito ng mga Python library at iba pang utility na may kaugnayan sa Python
Naglalaman ng: Mga Python library at kaugnay na utility", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Package manager ng PowerShell. Maghanap ng mga library at script para mapalawak ang kakayahan ng PowerShell
Naglalaman ng: Mga module, script, cmdlet", + "extracted": "na-extract", + "Scoop package": "Package ng Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Napakagandang repository ng mga hindi gaanong kilala ngunit kapaki-pakinabang na utility at iba pang interesanteng package.
Naglalaman ng: Mga utility, command-line program, pangkalahatang software (kailangan ang extras bucket)", + "library": "aklatan ng software", + "feature": "tampok", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Isang sikat na C/C++ library manager. Puno ito ng mga C/C++ library at iba pang utility na may kaugnayan sa C/C++
Naglalaman ng: Mga C/C++ library at kaugnay na utility", + "option": "opsyon", + "This package cannot be installed from an elevated context.": "Hindi maaaring i-install ang package na ito mula sa elevated na context.", + "Please run UniGetUI as a regular user and try again.": "Pakipatbong muli ang UniGetUI bilang regular na user at subukan ulit.", + "Please check the installation options for this package and try again": "Pakisuri ang mga opsyon sa installation para sa package na ito at subukan muli", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Opisyal na package manager ng Microsoft. Puno ito ng mga kilala at beripikadong package
Naglalaman ng: Pangkalahatang software, mga app mula sa Microsoft Store", + "Local PC": "Lokal na PC", + "Android Subsystem": "Subsystem ng Android", + "Operation on queue (position {0})...": "Operasyon sa pila (posisyon {0})...", + "Click here for more details": "I-click dito para sa higit pang detalye", + "Operation canceled by user": "Kinansela ng user ang operasyon", + "Starting operation...": "Sinisimulan ang operasyon...", + "{package} installer download": "Pag-download ng installer ng {package}", + "{0} installer is being downloaded": "Dina-download ang installer ng {0}", + "Download succeeded": "Matagumpay ang pag-download", + "{package} installer was downloaded successfully": "Matagumpay na na-download ang installer ng {package}", + "Download failed": "Pumalya ang pag-download", + "{package} installer could not be downloaded": "Hindi ma-download ang installer ng {package}", + "{package} Installation": "Installation ng {package}", + "{0} is being installed": "Ini-install ang {0}", + "Installation succeeded": "Matagumpay ang installation", + "{package} was installed successfully": "Matagumpay na na-install ang {package}", + "Installation failed": "Pumalya ang installation", + "{package} could not be installed": "Hindi ma-install ang {package}", + "{package} Update": "Update ng {package}", + "{0} is being updated to version {1}": "Ina-update ang {0} sa bersyon {1}", + "Update succeeded": "Matagumpay ang update", + "{package} was updated successfully": "Matagumpay na na-update ang {package}", + "Update failed": "Pumalya ang update", + "{package} could not be updated": "Hindi ma-update ang {package}", + "{package} Uninstall": "Uninstall ng {package}", + "{0} is being uninstalled": "Ina-uninstall ang {0}", + "Uninstall succeeded": "Matagumpay ang uninstall", + "{package} was uninstalled successfully": "Matagumpay na na-uninstall ang {package}", + "Uninstall failed": "Pumalya ang uninstall", + "{package} could not be uninstalled": "Hindi ma-uninstall ang {package}", + "Adding source {source}": "Idinadagdag na ang {source}", + "Adding source {source} to {manager}": "Idinadagdag ang {source} sa {manager}", + "Source added successfully": "Matagumpay na naidagdag ang source", + "The source {source} was added to {manager} successfully": "Matagumpay na naidagdag ang source na {source} sa {manager}", + "Could not add source": "Hindi maidagdag ang source", + "Could not add source {source} to {manager}": "Hindi maidagdag ang {source} sa {manager}", + "Removing source {source}": "Inaalis na ang {source}", + "Removing source {source} from {manager}": "Inaalis ang {source} mula sa {manager}", + "Source removed successfully": "Matagumpay na naalis ang source", + "The source {source} was removed from {manager} successfully": "Matagumpay na naalis ang source na {source} mula sa {manager}", + "Could not remove source": "Hindi maalis ang source", + "Could not remove source {source} from {manager}": "Hindi maalis ang {source} mula sa {manager}", + "The package manager \"{0}\" was not found": "Hindi nakita ang package manager na \"{0}\"", + "The package manager \"{0}\" is disabled": "Naka-disable ang package manager na \"{0}\"", + "There is an error with the configuration of the package manager \"{0}\"": "May error sa configuration ng package manager na \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Hindi nakita ang package na \"{0}\" sa package manager na \"{1}\"", + "{0} is disabled": "{0} ay nakasara", + "Something went wrong": "May nangyaring mali", + "An interal error occurred. Please view the log for further details.": "May panloob na error na nangyari. Pakitingnan ang log para sa higit pang detalye.", + "No applicable installer was found for the package {0}": "Walang nahanap na naaangkop na installer para sa package na {0}", + "We are checking for updates.": "Sinusuri namin ang mga update.", + "Please wait": "Pakihintay", + "UniGetUI version {0} is being downloaded.": "Dina-download ang bersyon {0} ng UniGetUI.", + "This may take a minute or two": "Maaaring tumagal ito ng isa o dalawang minuto", + "The installer authenticity could not be verified.": "Hindi mabeberipika ang pagiging tunay ng installer.", + "The update process has been aborted.": "Na-abort ang proseso ng update.", + "Great! You are on the latest version.": "Ayos! Nasa pinakabagong bersyon ka na.", + "There are no new UniGetUI versions to be installed": "Walang bagong bersyon ng UniGetUI na mai-install", + "An error occurred when checking for updates: ": "Nagkaroon ng kamalian sa paghahanap ng updates:", + "UniGetUI is being updated...": "Ina-update ang UniGetUI...", + "Something went wrong while launching the updater.": "May nangyaring mali habang inilulunsad ang updater.", + "Please try again later": "Pakisubukan muli mamaya", + "Integrity checks will not be performed during this operation": "Hindi isasagawa ang mga integrity check sa operasyong ito", + "This is not recommended.": "Hindi ito inirerekomenda.", + "Run now": "Patakbuhin ngayon", + "Run next": "Patakbuhin nang sunod", + "Run last": "Patakbuhin nang huli", + "Retry as administrator": "Subukang muli bilang administrator", + "Retry interactively": "Subukang muli nang interactive", + "Retry skipping integrity checks": "Subukang muli habang nilalaktawan ang mga integrity check", + "Installation options": "Mga opsyon sa installation", + "Show in explorer": "Ipakita sa explorer", + "This package is already installed": "Naka-install na ang package na ito", + "This package can be upgraded to version {0}": "Maaaring i-upgrade ang package na ito sa bersyon {0}", + "Updates for this package are ignored": "In-ignore ang mga update para sa package na ito", + "This package is being processed": "Pinoproseso ang package na ito", + "This package is not available": "Hindi available ang package na ito", + "Select the source you want to add:": "Piliin ang source na gusto mong idagdag:", + "Source name:": "Pangalan ng source:", + "Source URL:": "URL ng source:", + "An error occurred": "Nagkaroon ng kamalian", + "An error occurred when adding the source: ": "Nagkaroon ng pagkakamali sa pagdagdag ng source:", + "Package management made easy": "Pinadaling pamamahala ng package", + "version {0}": "bersyon {0}", + "[RAN AS ADMINISTRATOR]": "[PINATAKBO BILANG ADMINISTRATOR]", + "Portable mode": "Portable na mode\n", + "DEBUG BUILD": "Pang-debug na build", + "Available Updates": "Mga Available na Update", + "Show WingetUI": "Ipakita ang UniGetUI", + "Quit": "Lumabas", + "Attention required": "Kailangan ng iyong atensyon", + "Restart required": "Kailangan ang restart", + "1 update is available": "May 1 update na available", + "{0} updates are available": "May {0} available na update", + "WingetUI Homepage": "Homepage ng UniGetUI", + "WingetUI Repository": "Repository ng UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Dito mo mababago ang kilos ng UniGetUI para sa mga sumusunod na shortcut. Kapag chineck mo ang isang shortcut, buburahin ito ng UniGetUI kung malikha ito sa susunod na upgrade. Kapag inalis mo ang check, mananatiling buo ang shortcut.", + "Manual scan": "Manwal na pag-scan", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Isi-scan ang mga umiiral na shortcut sa iyong desktop, at kailangan mong pumili kung alin ang itatago at alin ang aalisin.", + "Continue": "Magpatuloy", + "Delete?": "Burahin?", + "Missing dependency": "Nawawalang dependency", + "Not right now": "Hindi muna ngayon", + "Install {0}": "I-install ang {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "Kailangan ng UniGetUI ang {0} para gumana, ngunit hindi ito nakita sa iyong system.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "I-click ang Install para simulan ang proseso ng installation. Kung lalaktawan mo ang installation, maaaring hindi gumana ang UniGetUI gaya ng inaasahan.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Bilang alternatibo, maaari mo ring i-install ang {0} sa pagpapatakbo ng sumusunod na command sa Windows PowerShell prompt:", + "Do not show this dialog again for {0}": "Huwag nang ipakita muli ang dialog na ito para sa {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Pakihintay habang ini-install ang {0}. Maaaring may lumitaw na itim na window. Pakihintay hanggang sa magsara ito.", + "{0} has been installed successfully.": "Matagumpay na na-install ang {0}.", + "Please click on \"Continue\" to continue": "Paki-click ang \"Continue\" para magpatuloy", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "Matagumpay na na-install ang {0}. Inirerekomendang i-restart ang UniGetUI para matapos ang installation", + "Restart later": "I-restart mamaya", + "An error occurred:": "Nagkaroon ng kamalian: ", + "I understand": "Nauunawaan ko", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Pinatakbo ang UniGetUI bilang administrator, na hindi inirerekomenda. Kapag pinapatakbo ang UniGetUI bilang administrator, BAWAT operasyong ilulunsad mula sa UniGetUI ay magkakaroon ng mga pribilehiyo ng administrator. Magagamit mo pa rin ang programa, ngunit mahigpit naming inirerekomenda na huwag patakbuhin ang UniGetUI gamit ang mga pribilehiyo ng administrator.", + "WinGet was repaired successfully": "Matagumpay na naayos ang WinGet", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Inirerekomendang i-restart ang UniGetUI matapos maayos ang WinGet", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "PAALALA: Maaaring i-disable ang troubleshooter na ito mula sa UniGetUI Settings, sa seksyong WinGet", + "Restart": "I-restart", + "WinGet could not be repaired": "Hindi naayos ang WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Nagkaroon ng hindi inaasahang isyu habang sinusubukang ayusin ang WinGet. Pakisubukan muli mamaya", + "Are you sure you want to delete all shortcuts?": "Sigurado ka bang gusto mong burahin ang lahat ng shortcut?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Anumang bagong shortcut na malilikha sa panahon ng install o update ay awtomatikong buburahin, sa halip na magpakita ng confirmation prompt sa unang beses na matukoy ang mga ito.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Anumang shortcut na ginawa o binago sa labas ng UniGetUI ay hindi papansinin. Magagawa mo pa rin silang idagdag sa pamamagitan ng button na {0}.", + "Are you really sure you want to enable this feature?": "Sigurado ka ba talaga na gusto mong paganahin ang feature na ito?", + "No new shortcuts were found during the scan.": "Walang nahanap na bagong shortcut sa panahon ng pag-scan.", + "How to add packages to a bundle": "Paano magdagdag ng mga package sa isang bundle", + "In order to add packages to a bundle, you will need to: ": "Para makapagdagdag ng mga package sa bundle, kailangan mong: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Pumunta sa pahinang \"{0}\" o \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Hanapin ang mga package na gusto mong idagdag sa bundle, at piliin ang pinakakaliwang checkbox ng mga ito.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kapag napili na ang mga package na gusto mong idagdag sa bundle, hanapin at i-click ang opsyong \"{0}\" sa toolbar.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Naidagdag na ang mga package mo sa bundle. Maaari kang magpatuloy sa pagdagdag ng mga package o i-export ang bundle.", + "Which backup do you want to open?": "Aling backup ang gusto mong buksan?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Piliin ang backup na gusto mong buksan. Mamaya, masusuri mo kung aling mga package ang gusto mong i-install.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "May mga kasalukuyang operasyong tumatakbo. Ang pag-alis sa UniGetUI ay maaaring magdulot ng pagkabigo ng mga ito. Gusto mo bang magpatuloy?", + "UniGetUI or some of its components are missing or corrupt.": "Nawawala o sira ang UniGetUI o ang ilan sa mga component nito.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Mahigpit na inirerekomendang i-reinstall ang UniGetUI para matugunan ang sitwasyong ito.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Sumangguni sa mga log ng UniGetUI para sa higit pang detalye tungkol sa (mga) apektadong file", + "Integrity checks can be disabled from the Experimental Settings": "Maaaring i-disable ang mga integrity check mula sa Experimental Settings", + "Repair UniGetUI": "Ayusin ang UniGetUI", + "Live output": "Live na output", + "Package not found": "Hindi nakita ang package", + "An error occurred when attempting to show the package with Id {0}": "Nagkaroon ng error habang sinusubukang ipakita ang package na may Id na {0}", + "Package": "Pakete", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "May ilang setting ang package bundle na ito na maaaring mapanganib at maaaring i-ignore bilang default.", + "Entries that show in YELLOW will be IGNORED.": "Ang mga entry na nakadilaw ay I-IIGNORE.", + "Entries that show in RED will be IMPORTED.": "Ang mga entry na nakapula ay I-IIMPORT.", + "You can change this behavior on UniGetUI security settings.": "Maaari mong baguhin ang ugaling ito sa mga security setting ng UniGetUI.", + "Open UniGetUI security settings": "Buksan ang mga security setting ng UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Kung babaguhin mo ang mga security setting, kakailanganin mong buksan muli ang bundle para magkabisa ang mga pagbabago.", + "Details of the report:": "Mga detalye ng ulat:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ay isang lokal na package at hindi puwedeng ibahagi", + "Are you sure you want to create a new package bundle? ": "Sigurado ka bang gusto mong gumawa ng bagong package bundle? ", + "Any unsaved changes will be lost": "Mawawala ang anumang hindi pa nasasave na pagbabago", + "Warning!": "Babala!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa seguridad, naka-disable bilang default ang mga custom na argument sa command-line. Pumunta sa mga security setting ng UniGetUI para baguhin ito. ", + "Change default options": "Baguhin ang mga default na opsyon", + "Ignore future updates for this package": "I-ignore ang mga susunod na update para sa package na ito", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa seguridad, naka-disable bilang default ang mga pre-operation at post-operation script. Pumunta sa mga security setting ng UniGetUI para baguhin ito. ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Maaari mong tukuyin ang mga command na tatakbo bago o pagkatapos ma-install, ma-update, o ma-uninstall ang package na ito. Tatakbo ang mga ito sa command prompt, kaya gagana rito ang mga CMD script.", + "Change this and unlock": "Baguhin ito at i-unlock", + "{0} Install options are currently locked because {0} follows the default install options.": "Naka-lock ngayon ang mga opsyon sa install ng {0} dahil sinusunod ng {0} ang mga default na opsyon sa install.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Piliin ang mga prosesong dapat isara bago ma-install, ma-update, o ma-uninstall ang package na ito.", + "Write here the process names here, separated by commas (,)": "Isulat dito ang mga pangalan ng proseso, na pinaghihiwalay ng mga kuwit (,)", + "Unset or unknown": "Hindi nakatakda o hindi alam", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Pakitingnan ang Command-line Output o sumangguni sa Operation History para sa karagdagang impormasyon tungkol sa isyu.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Wala bang screenshot ang package na ito o nawawala ang icon nito? Mag-ambag sa UniGetUI sa pamamagitan ng pagdaragdag ng nawawalang mga icon at screenshot sa aming bukas at pampublikong database.", + "Become a contributor": "Maging contributor", + "Save": "I-save", + "Update to {0} available": "Available ang update sa {0}", + "Reinstall": "I-reinstall", + "Installer not available": "Hindi available ang installer", + "Version:": "Bersyon:", + "Performing backup, please wait...": "Isinasagawa ang backup, pakihintay...", + "An error occurred while logging in: ": "Nagkaroon ng error habang nagla-log in: ", + "Fetching available backups...": "Kinukuha ang mga available na backup...", + "Done!": "Tapos na!", + "The cloud backup has been loaded successfully.": "Matagumpay na na-load ang cloud backup.", + "An error occurred while loading a backup: ": "Nagkaroon ng error habang nilo-load ang backup: ", + "Backing up packages to GitHub Gist...": "Binu-backup ang mga package sa GitHub Gist...", + "Backup Successful": "Matagumpay ang backup", + "The cloud backup completed successfully.": "Matagumpay na nakumpleto ang cloud backup.", + "Could not back up packages to GitHub Gist: ": "Hindi ma-backup ang mga package sa GitHub Gist: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Hindi garantisadong ligtas na mase-save ang mga ibinigay na kredensyal, kaya mas mabuting huwag mong gamitin ang kredensyal ng iyong bank account", + "Enable the automatic WinGet troubleshooter": "Paganahin ang awtomatikong troubleshooter ng WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Paganahin ang [experimental] pinahusay na troubleshooter ng WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Idagdag sa listahan ng mga in-ignore na update ang mga update na pumapalya dahil sa 'no applicable update found'.", + "Restart WingetUI to fully apply changes": "I-restart ang UniGetUI para ganap na mailapat ang mga pagbabago", + "Restart WingetUI": "I-restart ang UniGetUI", + "Invalid selection": "Hindi valid ang napili", + "No package was selected": "Walang napiling package", + "More than 1 package was selected": "Mahigit sa 1 package ang napili", + "List": "Listahan", + "Grid": "Grid na view", + "Icons": "Mga icon", "\"{0}\" is a local package and does not have available details": "\"{0}\" ay isang lokal na package at walang available na detalye", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ay isang lokal na package at hindi compatible sa feature na ito", - "(Last checked: {0})": "(Huling sinuri: {0})", + "WinGet malfunction detected": "Natukoy ang hindi paggana ng WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Mukhang hindi gumagana nang maayos ang WinGet. Gusto mo bang subukang ayusin ang WinGet?", + "Repair WinGet": "Ayusin ang WinGet", + "Create .ps1 script": "Gumawa ng .ps1 script", + "Add packages to bundle": "Magdagdag ng mga package sa bundle", + "Preparing packages, please wait...": "Inihahanda ang mga package, pakihintay...", + "Loading packages, please wait...": "Nilo-load ang mga package, pakihintay...", + "Saving packages, please wait...": "Sine-save ang mga package, pakihintay...", + "The bundle was created successfully on {0}": "Matagumpay na nagawa ang bundle noong {0}", + "Install script": "Script sa install", + "The installation script saved to {0}": "Naisave ang installation script sa {0}", + "An error occurred while attempting to create an installation script:": "Nagkaroon ng error habang sinusubukang gumawa ng installation script:", + "{0} packages are being updated": "{0}ng mga package ang inuupdate", + "Error": "Kamalian", + "Log in failed: ": "Pumalya ang pag-log in: ", + "Log out failed: ": "Pumalya ang pag-log out: ", + "Package backup settings": "Mga setting ng backup ng package", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Numero {0} sa pila)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "lasersPew, @znarfm", "0 packages found": "Walang nakitang package", "0 updates found": "Walang nakitang kailangang iupdate", - "1 - Errors": "1 - Mga Error", - "1 day": "isang araw", - "1 hour": "isang oras", "1 month": "isang buwan", "1 package was found": "Isang package ang nakita", - "1 update is available": "May 1 update na available", - "1 week": "isang linggo", "1 year": "isang taon", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Pumunta sa pahinang \"{0}\" o \"{1}\".", - "2 - Warnings": "2 - Mga Babala", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Hanapin ang mga package na gusto mong idagdag sa bundle, at piliin ang pinakakaliwang checkbox ng mga ito.", - "3 - Information (less)": "3 - Impormasyon (kaunti)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Kapag napili na ang mga package na gusto mong idagdag sa bundle, hanapin at i-click ang opsyong \"{0}\" sa toolbar.", - "4 - Information (more)": "4 - Impormasyon (mas marami)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Naidagdag na ang mga package mo sa bundle. Maaari kang magpatuloy sa pagdagdag ng mga package o i-export ang bundle.", - "5 - information (debug)": "5 - Impormasyon (debug)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Isang sikat na C/C++ library manager. Puno ito ng mga C/C++ library at iba pang utility na may kaugnayan sa C/C++
Naglalaman ng: Mga C/C++ library at kaugnay na utility", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Isang repository na puno ng mga tool at executable na idinisenyo para sa .NET ecosystem ng Microsoft.
Naglalaman ng: Mga tool at script na may kaugnayan sa .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Isang repository na puno ng mga tool na idinisenyo para sa .NET ecosystem ng Microsoft.
Naglalaman ng: Mga tool na may kaugnayan sa .NET", "A restart is required": "Kailangan mong mag-restart", - "Abort install if pre-install command fails": "I-abort ang install kung pumalya ang pre-install command", - "Abort uninstall if pre-uninstall command fails": "I-abort ang uninstall kung pumalya ang pre-uninstall command", - "Abort update if pre-update command fails": "I-abort ang update kung pumalya ang pre-update command", - "About": "Tungkol", "About Qt6": "Tungkol sa Qt6", - "About WingetUI": "Tungkol sa WingetUI", "About WingetUI version {0}": "Tungkol sa bersyon ng WingetUI na {0}", "About the dev": "Tungkol sa gumawa", - "Accept": "Tanggapin", "Action when double-clicking packages, hide successful installations": "Gawaing mangyayari kapag pinindot nang dalawang beses ang package, itinatago ang nakatapos nang pag-iinstall", - "Add": "Magdagdag", "Add a source to {0}": "Magdagdag ng source sa {0}", - "Add a timestamp to the backup file names": "Idagdag ang oras sa backup ng mga pangalan ", "Add a timestamp to the backup files": "Idagdag ang oras sa mga backup", "Add packages or open an existing bundle": "Magdagdag ng mga package o magbukas ng umiiral na bundle", - "Add packages or open an existing package bundle": "Magdagdag ng mga package o magbukas ng umiiral na package bundle", - "Add packages to bundle": "Magdagdag ng mga package sa bundle", - "Add packages to start": "Magdagdag ng mga package para makapagsimula", - "Add selection to bundle": "Idagdag ang napili sa bundle", - "Add source": "Magdagdag ng source", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Idagdag sa listahan ng mga in-ignore na update ang mga update na pumapalya dahil sa 'no applicable update found'.", - "Adding source {source}": "Idinadagdag na ang {source}", - "Adding source {source} to {manager}": "Idinadagdag ang {source} sa {manager}", "Addition succeeded": "Matagumpay ang pagdaragdag", - "Administrator privileges": "Nakatataas na pribilehiyo", "Administrator privileges preferences": "Setting ukol sa paggamit ng nakatataas na pribilehiyo", "Administrator rights": "karapatan ng nakatataas", - "Administrator rights and other dangerous settings": "Mga karapatan ng administrator at iba pang mapanganib na setting", - "Advanced options": "Mga advanced na opsyon", "All files": "Lahat ng files", - "All versions": "Lahat ng Bersyon", - "Allow changing the paths for package manager executables": "Payagan ang pagbabago ng mga path para sa mga executable ng package manager", - "Allow custom command-line arguments": "Payagan ang mga custom na argument sa command-line", - "Allow importing custom command-line arguments when importing packages from a bundle": "Payagan ang pag-import ng mga custom na argument sa command-line kapag nag-i-import ng mga package mula sa bundle", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Payagan ang pag-import ng mga custom na pre-install at post-install command kapag nag-i-import ng mga package mula sa bundle", "Allow package operations to be performed in parallel": "Payagan na isagawa ang mga operasyon sa packages nang sabay-sabay.", "Allow parallel installs (NOT RECOMMENDED)": "Hayaang magdownload ng sabay-sabay (HINDI INIREREKOMENDA)", - "Allow pre-release versions": "Payagan ang mga pre-release na bersyon", "Allow {pm} operations to be performed in parallel": "Payagan na sabay-sabay gawin ang mga operasyon ng {pm}", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Bilang alternatibo, maaari mo ring i-install ang {0} sa pagpapatakbo ng sumusunod na command sa Windows PowerShell prompt:", "Always elevate {pm} installations by default": "Laging itaas sa {pm} ang iiinstall ", "Always run {pm} operations with administrator rights": "Palaging patakbuhin ang mga operasyon ng {pm} gamit ang mga karapatan ng administrator", - "An error occurred": "Nagkaroon ng kamalian", - "An error occurred when adding the source: ": "Nagkaroon ng pagkakamali sa pagdagdag ng source:", - "An error occurred when attempting to show the package with Id {0}": "Nagkaroon ng error habang sinusubukang ipakita ang package na may Id na {0}", - "An error occurred when checking for updates: ": "Nagkaroon ng kamalian sa paghahanap ng updates:", - "An error occurred while attempting to create an installation script:": "Nagkaroon ng error habang sinusubukang gumawa ng installation script:", - "An error occurred while loading a backup: ": "Nagkaroon ng error habang nilo-load ang backup: ", - "An error occurred while logging in: ": "Nagkaroon ng error habang nagla-log in: ", - "An error occurred while processing this package": "Nagkaroon ng error habang pinoproseso ang package na ito", - "An error occurred:": "Nagkaroon ng kamalian: ", - "An interal error occurred. Please view the log for further details.": "May panloob na error na nangyari. Pakitingnan ang log para sa higit pang detalye.", "An unexpected error occurred:": "Nagkaroon ng hindi inaasahang pagkakamali:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Nagkaroon ng hindi inaasahang isyu habang sinusubukang ayusin ang WinGet. Pakisubukan muli mamaya", - "An update was found!": "Mayroong update na nahanap!", - "Android Subsystem": "Subsystem ng Android", "Another source": "Isa pang source", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Anumang bagong shortcut na malilikha sa panahon ng install o update ay awtomatikong buburahin, sa halip na magpakita ng confirmation prompt sa unang beses na matukoy ang mga ito.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Anumang shortcut na ginawa o binago sa labas ng UniGetUI ay hindi papansinin. Magagawa mo pa rin silang idagdag sa pamamagitan ng button na {0}.", - "Any unsaved changes will be lost": "Mawawala ang anumang hindi pa nasasave na pagbabago", "App Name": "Pangalan ng aplikasyon", - "Appearance": "Itsura", - "Application theme, startup page, package icons, clear successful installs automatically": "Tema ng app, startup page, mga icon ng package, awtomatikong alisin ang matagumpay na install", - "Application theme:": "Tema ng aplikasyon:", - "Apply": "Ilapat", - "Architecture to install:": "Arkitektura para mainstall:", "Are these screenshots wron or blurry?": "Ang mga screenshot ba na ito ay mali o malabo?", - "Are you really sure you want to enable this feature?": "Sigurado ka ba talaga na gusto mong paganahin ang feature na ito?", - "Are you sure you want to create a new package bundle? ": "Sigurado ka bang gusto mong gumawa ng bagong package bundle? ", - "Are you sure you want to delete all shortcuts?": "Sigurado ka bang gusto mong burahin ang lahat ng shortcut?", - "Are you sure?": "Sigurado ka na?", - "Ascendant": "Paakyat", - "Ask for administrator privileges once for each batch of operations": "Humingi ng mga pribilehiyo ng administrator isang beses para sa bawat batch ng mga operasyon", "Ask for administrator rights when required": "Magtanong ng nakatataas na karapatan kung nangangailangan", "Ask once or always for administrator rights, elevate installations by default": "Magtanong palagi o ng isang beses ukol sa nakatataas na karapatan, laging humingi ng permiso", - "Ask only once for administrator privileges": "Humingi ng mga pribilehiyo ng administrator nang isang beses lang", "Ask only once for administrator privileges (not recommended)": "Magtanong lamang ng isang beses ukol sa nakatataas na pribilehiyo (HINDI INIREREKOMENDA)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Magtanong bago burahin ang mga desktop shortcut na nalikha sa panahon ng install o upgrade.", - "Attention required": "Kailangan ng iyong atensyon", "Authenticate to the proxy with an user and a password": "Mag-authenticate sa proxy gamit ang user at password", - "Author": "Manggagawa", - "Automatic desktop shortcut remover": "Awtomatikong tagabura ng desktop shortcut", - "Automatic updates": "Awtomatikong mga update", - "Automatically save a list of all your installed packages to easily restore them.": "Awtomatikong i-save ang listahan ng lahat ng naka-install mong package para madali silang ma-restore.", "Automatically save a list of your installed packages on your computer.": "Awtomatikong i-save ang listahan ng mga naka-install mong package sa iyong computer.", - "Automatically update this package": "Awtomatikong i-update ang package na ito", "Autostart WingetUI in the notifications area": "Laging buksan ang WingetUI sa lugar ng mga abiso", - "Available Updates": "Mga Available na Update", "Available updates: {0}": "Mga maaaring i-update: {0}", "Available updates: {0}, not finished yet...": "Mga maaaring i-update: {0}, hindi pa nakakatapos ang iba...", - "Backing up packages to GitHub Gist...": "Binu-backup ang mga package sa GitHub Gist...", - "Backup": "Pag-backup", - "Backup Failed": "Pumalya ang backup", - "Backup Successful": "Matagumpay ang backup", - "Backup and Restore": "Backup at Restore", "Backup installed packages": "I-backup ang mga naka-install na package", "Backup location": "Lokasyon ng backup", - "Become a contributor": "Maging contributor", - "Become a translator": "Maging translator", - "Begin the process to select a cloud backup and review which packages to restore": "Simulan ang proseso para pumili ng cloud backup at suriin kung aling mga package ang ire-restore", - "Beta features and other options that shouldn't be touched": "Ibang mga bagay na di dapat baguhin gaya ng beta features", - "Both": "Pareho", - "Bundle security report": "Ulat sa seguridad ng bundle", "But here are other things you can do to learn about WingetUI even more:": "Ngunit ito ang maaari mo pang gawin upang matutunan ukol sa WingetUI", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Kapag pinatay mo ang isang package manager, hindi mo na makikita o maa-update ang mga package nito.", "Cache administrator rights and elevate installers by default": "I-cache ang nakatataas na pribilehiyo at lagi itong gamitin pag i-install.", "Cache administrator rights, but elevate installers only when required": "I-cache ang nakatataas na pribilehiyo, ngunit gamitin ito kung kailan lang kailangan.", "Cache was reset successfully!": "Ang cache ay maayos na naibalik sa dati.", "Can't {0} {1}": "Hindi kayang i-{0} ang {1}", - "Cancel": "Ikansela", "Cancel all operations": "Ikansela ang lahat ng operasyon", - "Change backup output directory": "Baguhin ang output directory ng backup", - "Change default options": "Baguhin ang mga default na opsyon", - "Change how UniGetUI checks and installs available updates for your packages": "Baguhin kung paano sinusuri at ini-install ng UniGetUI ang mga available na update para sa iyong mga package", - "Change how UniGetUI handles install, update and uninstall operations.": "Baguhin kung paano pinangangasiwaan ng UniGetUI ang mga operasyon ng install, update, at uninstall.", "Change how UniGetUI installs packages, and checks and installs available updates": "Baguhin kung paano nag-i-install ng mga package ang UniGetUI, at kung paano nito sinusuri at ini-install ang mga available na update", - "Change how operations request administrator rights": "Baguhin kung paano humihingi ng mga karapatan ng administrator ang mga operasyon", "Change install location": "Baguhin ang lokasyon ng install", - "Change this": "Baguhin ito", - "Change this and unlock": "Baguhin ito at i-unlock", - "Check for package updates periodically": "Hanapin ang mga bagong updates ng mga package kada panahon", - "Check for updates": "Maghanap ng mga update", - "Check for updates every:": "Maghanap ng mga bagong updates ng mga package tuwing:", "Check for updates periodically": "Paminsan-minsang maghanap ng mga update", "Check for updates regularly, and ask me what to do when updates are found.": "Palaging maghanap ng update at tanungin ako kung iiiinstall ba o hindi ito.", "Check for updates regularly, and automatically install available ones.": "Palaging maghanap ng updates at i-install ito nang kusa.", @@ -159,916 +741,335 @@ "Checking for updates...": "Maghanap ng mga updates...", "Checking found instace(s)...": "Tinitignan ang mga instances na nahanap", "Choose how many operations shouls be performed in parallel": "Piliin kung ilang operasyon ang dapat isagawa nang sabay-sabay", - "Clear cache": "I-clear ang cache", "Clear finished operations": "I-clear ang mga tapos nang operasyon", - "Clear selection": "Alisin ang pinili", "Clear successful operations": "I-clear ang matagumpay na mga operasyon", - "Clear successful operations from the operation list after a 5 second delay": "Alisin ang matagumpay na mga operasyon mula sa listahan matapos ang 5 segundong delay", "Clear the local icon cache": "I-clear ang lokal na cache ng icon", - "Clearing Scoop cache - WingetUI": "Nililinis ang cache ng Scoop - UniGetUI", "Clearing Scoop cache...": "Nililinis ang cache ng scoop", - "Click here for more details": "I-click dito para sa higit pang detalye", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "I-click ang Install para simulan ang proseso ng installation. Kung lalaktawan mo ang installation, maaaring hindi gumana ang UniGetUI gaya ng inaasahan.", - "Close": "Isara", - "Close UniGetUI to the system tray": "Isara ang UniGetUI sa system tray", "Close WingetUI to the notification area": "Ilagay ang WingetUI sa notifications", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Gumagamit ang cloud backup ng pribadong GitHub Gist para itago ang listahan ng mga naka-install na package", - "Cloud package backup": "Cloud backup ng package", "Command-line Output": "Output ng command-line", - "Command-line to run:": "Command-line na tatakbuhin:", "Compare query against": "Ihambing ang query sa", - "Compatible with authentication": "Compatible sa authentication", - "Compatible with proxy": "Compatible sa proxy", "Component Information": "Impormasyon ng Component", - "Concurrency and execution": "Concurrency at execution", - "Connect the internet using a custom proxy": "Kumonekta sa internet gamit ang custom na proxy", - "Continue": "Magpatuloy", "Contribute to the icon and screenshot repository": "Mag-ambag sa repository ng mga icon at mga screenshot", - "Contributors": "Mga nag-ambag", "Copy": "Kopyahin", - "Copy to clipboard": "Kopyahin patungo sa clipboard", - "Could not add source": "Hindi maidagdag ang source", - "Could not add source {source} to {manager}": "Hindi maidagdag ang {source} sa {manager}", - "Could not back up packages to GitHub Gist: ": "Hindi ma-backup ang mga package sa GitHub Gist: ", - "Could not create bundle": "Hindi magawa ang bundle", "Could not load announcements - ": "Hindi ma-load ang mga anunsyo - ", "Could not load announcements - HTTP status code is $CODE": "Hindi ma-load ang mga anunsyo - ang HTTP status code ay $CODE", - "Could not remove source": "Hindi maalis ang source", - "Could not remove source {source} from {manager}": "Hindi maalis ang {source} mula sa {manager}", "Could not remove {source} from {manager}": "Hindi maalis ang {source} mula sa {manager}", - "Create .ps1 script": "Gumawa ng .ps1 script", - "Credentials": "Mga kredensyal", "Current Version": "Kasalukuyang Bersyon", - "Current executable file:": "Kasalukuyang executable file:", - "Current status: Not logged in": "Kasalukuyang status: Hindi naka-log in", "Current user": "Kasalukuyang User", "Custom arguments:": "Mga custom na argument:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Maaaring baguhin ng mga custom na argument sa command-line ang paraan ng pag-install, pag-upgrade, o pag-uninstall ng mga programa sa paraang hindi makokontrol ng UniGetUI. Maaaring makasira ng mga package ang paggamit ng mga custom na command-line. Magpatuloy nang may pag-iingat.", "Custom command-line arguments:": "Mga custom na argument sa command-line:", - "Custom install arguments:": "Mga custom na argument sa install:", - "Custom uninstall arguments:": "Mga custom na argument sa uninstall:", - "Custom update arguments:": "Mga custom na argument sa update:", "Customize WingetUI - for hackers and advanced users only": "I-customize ang UniGetUI - para lang sa mga hacker at advanced na user", - "DEBUG BUILD": "Pang-debug na build", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "PAUNAWA: HINDI KAMI RESPONSABLE PARA SA MGA PACKAGE NA NAINSTALL. PAKISIGURADO NA I-INSTALL LANG ANG MGA MAPAGKAKATIWALAANG APPS.", - "Dark": "Madilim", - "Decline": "Tanggihan", - "Default": "Nakatakda", - "Default installation options for {0} packages": "Mga default na opsyon sa install para sa mga package ng {0}", "Default preferences - suitable for regular users": "Mga default na preference - angkop para sa mga karaniwang user", - "Default vcpkg triplet": "Default na vcpkg triplet", - "Delete?": "Burahin?", - "Dependencies:": "Mga dependency:", - "Descendant": "Pababa", "Description:": "Paglalarawan:", - "Desktop shortcut created": "Nalikhang desktop shortcut", - "Details of the report:": "Mga detalye ng ulat:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Mahirap mag-develop, at ang app na ito ay libre ngunit kung nagustuhan mo itong app, maaari mo akong bilihan ng kape :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Direktang i-install kapag pinindot ng doble ang isang item sa \"{discoveryTab}\" tab imbes na ipakita ang impormasyon ukol sa package", "Disable new share API (port 7058)": "I-disable ang bagong share API (port 7058)", - "Disable the 1-minute timeout for package-related operations": "I-disable ang 1-minutong timeout para sa mga operasyong may kaugnayan sa package", - "Disabled": "Naka-disable", - "Disclaimer": "Paunawa", - "Discover Packages": "Mag-discover ng mga package", "Discover packages": "Mag-discover ng mga package", "Distinguish between\nuppercase and lowercase": "Pag-ibahin ang malalaking titik at maliliit na titik", - "Distinguish between uppercase and lowercase": "Pag-ibahin ang malalaking titik at maliliit na titik", "Do NOT check for updates": "Huwag maghanap ng updates", "Do an interactive install for the selected packages": "Mag interactive na install para sa package na ito", "Do an interactive uninstall for the selected packages": "Mag interactive na uninstall para sa package na ito", "Do an interactive update for the selected packages": "Mag interactive na update para sa package na ito", - "Do not automatically install updates when the battery saver is on": "Huwag awtomatikong mag-install ng mga update kapag naka-on ang battery saver", - "Do not automatically install updates when the device runs on battery": "Huwag awtomatikong mag-install ng mga update kapag naka-battery ang device", - "Do not automatically install updates when the network connection is metered": "Huwag awtomatikong mag-install ng mga update kapag metered ang koneksyon sa network", "Do not download new app translations from GitHub automatically": "Huwag kusang magdownload ng mga pagsasalin mula sa GitHub.", - "Do not ignore updates for this package anymore": "Huwag nang i-ignore ang mga update para sa package na ito", "Do not remove successful operations from the list automatically": "Huwag awtomatikong alisin sa listahan ang matagumpay na mga operasyon", - "Do not show this dialog again for {0}": "Huwag nang ipakita muli ang dialog na ito para sa {0}", "Do not update package indexes on launch": "Huwag i-update ang mga package index sa pag-launch", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Tinatanggap mo ba na nangongolekta at nagpapadala ang UniGetUI ng anonymous na estadistika ng paggamit, para lamang maunawaan at mapabuti ang karanasan ng user?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Nakatutulong ba sa iyo ang UniGetUI? Kung maaari, baka gusto mong suportahan ang trabaho ko para maipagpatuloy ko ang paggawa sa UniGetUI bilang pinakamahusay na interface para sa pamamahala ng package.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Napansin mo ba na nakatulong sayo ang WingetUI? Gusto mo ba na suportahan ang gumawa nito? Kung oo, maaari kang {0}, nakaktulong ito ng marami!", - "Do you really want to reset this list? This action cannot be reverted.": "Sigurado ka bang gusto mong i-reset ang listahang ito? Hindi na ito maaaring ibalik.", - "Do you really want to uninstall the following {0} packages?": "Sigurado ka bang gusto mong i-uninstall ang sumusunod na {0} package?", "Do you really want to uninstall {0} packages?": "Gusto mo ba talaga na alisin ang {0} na packages", - "Do you really want to uninstall {0}?": "Gusto mo ba talaga na alisin ang {0}", "Do you want to restart your computer now?": "Gusto mo ba na i-restart ang computer mo ngayon?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Gusto mo ba na isalin ang WingetUI sa iyong wika? Tignan mo dito kung paano ka makakatulong!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Ayaw mong mag-donate? Huwag mag-alala, puwede mo namang ibahagi ang UniGetUI sa iyong mga kaibigan. Ipakalat ang balita tungkol sa UniGetUI.", "Donate": "Mag-donate", - "Done!": "Tapos na!", - "Download failed": "Pumalya ang pag-download", - "Download installer": "I-download ang installer", - "Download operations are not affected by this setting": "Hindi naaapektuhan ng setting na ito ang mga operasyon sa pag-download", - "Download selected installers": "I-download ang mga napiling installer", - "Download succeeded": "Matagumpay ang pag-download", "Download updated language files from GitHub automatically": "Awtomatikong i-download mula GitHub ang mga na-update na language file", "Downloading": "Nagda-download", - "Downloading backup...": "Dina-download ang backup...", "Downloading installer for {package}": "Dina-download ang installer para sa {package}", "Downloading package metadata...": "Dina-download ang metadata ng package...", - "Enable Scoop cleanup on launch": "Paganahin ang Scoop cleanup sa pag-launch", - "Enable WingetUI notifications": "Paganahin ang mga notification ng UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Paganahin ang [experimental] pinahusay na troubleshooter ng WinGet", - "Enable and disable package managers, change default install options, etc.": "Paganahin at i-disable ang mga package manager, baguhin ang mga default na opsyon sa install, at iba pa.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Paganahin ang mga optimization sa paggamit ng CPU sa background (tingnan ang Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Paganahin ang background API (Widgets ng UniGetUI at Sharing, port 7058)", - "Enable it to install packages from {pm}.": "Paganahin ito para makapag-install ng mga package mula sa {pm}.", - "Enable the automatic WinGet troubleshooter": "Paganahin ang awtomatikong troubleshooter ng WinGet", "Enable the new UniGetUI-Branded UAC Elevator": "Paganahin ang bagong UniGetUI-branded UAC Elevator", "Enable the new process input handler (StdIn automated closer)": "Paganahin ang bagong process input handler (awtomatikong tagasara ng StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Paganahin lamang ang mga setting sa ibaba kung lubos mong nauunawaan ang ginagawa ng mga ito at ang mga implikasyon nila.", - "Enable {pm}": "Buksan ang {pm}", - "Enabled": "Naka-enable", - "Enter proxy URL here": "Ilagay dito ang proxy URL", - "Entries that show in RED will be IMPORTED.": "Ang mga entry na nakapula ay I-IIMPORT.", - "Entries that show in YELLOW will be IGNORED.": "Ang mga entry na nakadilaw ay I-IIGNORE.", - "Error": "Kamalian", - "Everything is up to date": "Lahat ay updated", - "Exact match": "Eksaktong tugma", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Isi-scan ang mga umiiral na shortcut sa iyong desktop, at kailangan mong pumili kung alin ang itatago at alin ang aalisin.", - "Expand version": "I-expand ang bersyon", - "Experimental settings and developer options": "Mga experimental na setting at opsyon para sa developer", - "Export": "I-export", - "Export log as a file": "I-export ang log bilang file", - "Export packages": "I-export ang mga package", - "Export selected packages to a file": "I-export ang mga napiling package sa isang file", - "Export settings to a local file": "I-export ang mga setting sa isang lokal na file", - "Export to a file": "I-export sa isang file", - "Failed": "Pumalya", - "Fetching available backups...": "Kinukuha ang mga available na backup...", + "Export log as a file": "I-export ang log bilang file", + "Export packages": "I-export ang mga package", + "Export selected packages to a file": "I-export ang mga napiling package sa isang file", "Fetching latest announcements, please wait...": "Kinukuha ang mga pinakabagong anunsyo, pakihintay...", - "Filters": "Mga filter", "Finish": "Tapusin", - "Follow system color scheme": "Sundin ang color scheme ng system", - "Follow the default options when installing, upgrading or uninstalling this package": "Sundin ang mga default na opsyon kapag ini-install, ina-upgrade, o ina-uninstall ang package na ito", - "For security reasons, changing the executable file is disabled by default": "Dahil sa seguridad, naka-disable bilang default ang pagbabago ng executable file", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa seguridad, naka-disable bilang default ang mga custom na argument sa command-line. Pumunta sa mga security setting ng UniGetUI para baguhin ito. ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Dahil sa seguridad, naka-disable bilang default ang mga pre-operation at post-operation script. Pumunta sa mga security setting ng UniGetUI para baguhin ito. ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Pilitin ang ARM-compiled na bersyon ng winget (PARA LANG SA ARM64 SYSTEMS)", - "Force install location parameter when updating packages with custom locations": "Pilitin ang parameter ng lokasyon ng install kapag nag-a-update ng mga package na may custom na lokasyon", "Formerly known as WingetUI": "Dating kilala bilang WingetUI", "Found": "Nakita", "Found packages: ": "Nakitang mga package: ", "Found packages: {0}": "Nakitang mga package: {0}", "Found packages: {0}, not finished yet...": "Nakitang mga package: {0}, hindi pa tapos...", - "General preferences": "Mga pangkalahatang preference", "GitHub profile": "Profile sa GitHub", "Global": "Buong system", - "Go to UniGetUI security settings": "Pumunta sa mga security setting ng UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Napakagandang repository ng mga hindi gaanong kilala ngunit kapaki-pakinabang na utility at iba pang interesanteng package.
Naglalaman ng: Mga utility, command-line program, pangkalahatang software (kailangan ang extras bucket)", - "Great! You are on the latest version.": "Ayos! Nasa pinakabagong bersyon ka na.", - "Grid": "Grid na view", - "Help": "Tulong", "Help and documentation": "Tulong at dokumentasyon", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Dito mo mababago ang kilos ng UniGetUI para sa mga sumusunod na shortcut. Kapag chineck mo ang isang shortcut, buburahin ito ng UniGetUI kung malikha ito sa susunod na upgrade. Kapag inalis mo ang check, mananatiling buo ang shortcut.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Kumusta, Martí ang pangalan ko, at ako ang developer ng UniGetUI. Ginawa ko ang UniGetUI nang buo sa libreng oras ko!", "Hide details": "Itago ang mga detalye", - "Homepage": "Pahina sa web", - "homepage": "Pahina sa web", - "Hooray! No updates were found.": "Yehey! Walang nahanap na update.", "How should installations that require administrator privileges be treated?": "Paano dapat tratuhin ang mga installation na nangangailangan ng mga pribilehiyo ng administrator?", - "How to add packages to a bundle": "Paano magdagdag ng mga package sa isang bundle", - "I understand": "Nauunawaan ko", - "Icons": "Mga icon", - "Id": "Pagkakakilanlan", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Kung naka-enable ang cloud backup, ise-save ito bilang GitHub Gist sa account na ito", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Huwag pansinin ang mga custom na pre-install at post-install command kapag nag-i-import ng mga package mula sa bundle", - "Ignore future updates for this package": "I-ignore ang mga susunod na update para sa package na ito", - "Ignore packages from {pm} when showing a notification about updates": "I-ignore ang mga package mula sa {pm} kapag nagpapakita ng notification tungkol sa mga update", - "Ignore selected packages": "I-ignore ang mga napiling package", - "Ignore special characters": "I-ignore ang mga espesyal na character", "Ignore updates for the selected packages": "I-ignore ang mga update para sa mga napiling package", - "Ignore updates for this package": "I-ignore ang mga update para sa package na ito", "Ignored updates": "Mga in-ignore na update", - "Ignored version": "In-ignore na bersyon", - "Import": "I-import", "Import packages": "I-import ang mga package", "Import packages from a file": "I-import ang mga package mula sa isang file", - "Import settings from a local file": "I-import ang mga setting mula sa isang lokal na file", - "In order to add packages to a bundle, you will need to: ": "Para makapagdagdag ng mga package sa bundle, kailangan mong: ", "Initializing WingetUI...": "Ini-initialize ang UniGetUI...", - "Install": "i-install", - "install": "i-install", - "Install Scoop": "I-install ang Scoop", "Install and more": "Install at iba pa", "Install and update preferences": "Mga preference sa install at update", - "Install as administrator": "I-install bilang administrator", - "Install available updates automatically": "Awtomatikong i-install ang mga available na update", - "Install location can't be changed for {0} packages": "Hindi mababago ang lokasyon ng install para sa mga package ng {0}", - "Install location:": "Lokasyon ng install:", - "Install options": "Mga opsyon sa install", "Install packages from a file": "Mag-install ng mga package mula sa isang file", - "Install prerelease versions of UniGetUI": "I-install ang mga prerelease na bersyon ng UniGetUI", - "Install script": "Script sa install", "Install selected packages": "I-install ang mga napiling package", "Install selected packages with administrator privileges": "I-install ang mga napiling package gamit ang mga pribilehiyo ng administrator", - "Install selection": "I-install ang napili", "Install the latest prerelease version": "I-install ang pinakabagong prerelease na bersyon", "Install updates automatically": "Awtomatikong mag-install ng mga update", - "Install {0}": "I-install ang {0}", "Installation canceled by the user!": "Kinansela ng user ang installation!", - "Installation failed": "Pumalya ang installation", - "Installation options": "Mga opsyon sa installation", - "Installation scope:": "Saklaw ng installation:", - "Installation succeeded": "Matagumpay ang installation", - "Installed Packages": "Mga naka-install na package", "Installed packages": "Mga naka-install na package", - "Installed Version": "Naka-install na Bersyon", - "Installer SHA256": "SHA256 ng installer", - "Installer SHA512": "SHA512 ng installer", - "Installer Type": "Uri ng installer", - "Installer URL": "URL ng installer", - "Installer not available": "Hindi available ang installer", "Instance {0} responded, quitting...": "Tumugon ang instance {0}, lalabas na...", - "Instant search": "Agarang paghahanap", - "Integrity checks can be disabled from the Experimental Settings": "Maaaring i-disable ang mga integrity check mula sa Experimental Settings", - "Integrity checks skipped": "Nilaktawan ang mga integrity check", - "Integrity checks will not be performed during this operation": "Hindi isasagawa ang mga integrity check sa operasyong ito", - "Interactive installation": "Interactive na installation", - "Interactive operation": "Interactive na operasyon", - "Interactive uninstall": "Interactive na uninstall", - "Interactive update": "Interactive na update", - "Internet connection settings": "Mga setting ng koneksyon sa internet", - "Invalid selection": "Hindi valid ang napili", "Is this package missing the icon?": "Nawawala ba ang icon ng package na ito?", - "Is your language missing or incomplete?": "Nawawala o kulang ba ang iyong wika?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Hindi garantisadong ligtas na mase-save ang mga ibinigay na kredensyal, kaya mas mabuting huwag mong gamitin ang kredensyal ng iyong bank account", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Inirerekomendang i-restart ang UniGetUI matapos maayos ang WinGet", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Mahigpit na inirerekomendang i-reinstall ang UniGetUI para matugunan ang sitwasyong ito.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Mukhang hindi gumagana nang maayos ang WinGet. Gusto mo bang subukang ayusin ang WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Mukhang pinatakbo mo ang UniGetUI bilang administrator, na hindi inirerekomenda. Maaari mo pa ring gamitin ang programa, pero mahigpit naming inirerekomenda na huwag patakbuhin ang UniGetUI gamit ang mga pribilehiyo ng administrator. I-click ang \"{showDetails}\" para makita kung bakit.", - "Language": "Wika", - "Language, theme and other miscellaneous preferences": "Wika, tema, at iba pang sari-saring preference", - "Last updated:": "Huling na-update:", - "Latest": "Pinakabago", "Latest Version": "Pinakabagong Bersyon", "Latest Version:": "Pinakabagong Bersyon:", "Latest details...": "Pinakabagong mga detalye...", "Launching subprocess...": "Naglulunsad ng subprocess...", - "Leave empty for default": "Iwanang walang laman para sa default", - "License": "Lisensya", "Licenses": "Mga lisensya", - "Light": "Maliwanag", - "List": "Listahan", "Live command-line output": "Live na output ng command-line", - "Live output": "Live na output", "Loading UI components...": "Nilo-load ang mga UI component...", "Loading WingetUI...": "Nilo-load ang UniGetUI...", - "Loading packages": "Nilo-load ang mga package", - "Loading packages, please wait...": "Nilo-load ang mga package, pakihintay...", - "Loading...": "Nilo-load...", - "Local": "Lokal", - "Local PC": "Lokal na PC", - "Local backup advanced options": "Mga advanced na opsyon sa lokal na backup", "Local machine": "Lokal na machine", - "Local package backup": "Lokal na backup ng package", "Locating {pm}...": "Hinahanap ang {pm}...", - "Log in": "Mag-log in", - "Log in failed: ": "Pumalya ang pag-log in: ", - "Log in to enable cloud backup": "Mag-log in para paganahin ang cloud backup", - "Log in with GitHub": "Mag-log in gamit ang GitHub", - "Log in with GitHub to enable cloud package backup.": "Mag-log in gamit ang GitHub para paganahin ang cloud backup ng package.", - "Log level:": "Antas ng log:", - "Log out": "Mag-log out", - "Log out failed: ": "Pumalya ang pag-log out: ", - "Log out from GitHub": "Mag-log out mula sa GitHub", "Looking for packages...": "Naghahanap ng mga package...", "Machine | Global": "Machine | Buong system", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Maaaring makasira ng mga package ang maling anyo ng mga argument sa command-line, o magbigay pa ng privileged execution sa isang mapaminsalang aktor. Kaya naka-disable bilang default ang pag-import ng mga custom na argument sa command-line.", - "Manage": "Pamahalaan", - "Manage UniGetUI settings": "Pamahalaan ang mga setting ng UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Pamahalaan ang kilos ng autostart ng UniGetUI mula sa Settings app", "Manage ignored packages": "Pamahalaan ang mga in-ignore na package", - "Manage ignored updates": "Pamahalaan ang mga in-ignore na update", - "Manage shortcuts": "Pamahalaan ang mga shortcut", - "Manage telemetry settings": "Pamahalaan ang mga setting ng telemetry", - "Manage {0} sources": "Pamahalaan ang mga source ng {0}", - "Manifest": "Manipesto", "Manifests": "Mga manifest", - "Manual scan": "Manwal na pag-scan", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Opisyal na package manager ng Microsoft. Puno ito ng mga kilala at beripikadong package
Naglalaman ng: Pangkalahatang software, mga app mula sa Microsoft Store", - "Missing dependency": "Nawawalang dependency", - "More": "Higit pa", - "More details": "Higit pang detalye", - "More details about the shared data and how it will be processed": "Higit pang detalye tungkol sa ibinahaging data at kung paano ito ipoproseso", - "More info": "Higit pang impormasyon", - "More than 1 package was selected": "Mahigit sa 1 package ang napili", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "PAALALA: Maaaring i-disable ang troubleshooter na ito mula sa UniGetUI Settings, sa seksyong WinGet", - "Name": "Pangalan", - "New": "Bago", "New Version": "Bagong bersyon", - "New version": "Bagong bersyon", "New bundle": "Bagong bundle", - "Nice! Backups will be uploaded to a private gist on your account": "Ayos! Ia-upload ang mga backup sa pribadong gist sa iyong account", - "No": "Hindi", - "No applicable installer was found for the package {0}": "Walang nahanap na naaangkop na installer para sa package na {0}", - "No dependencies specified": "Walang tinukoy na dependency", - "No new shortcuts were found during the scan.": "Walang nahanap na bagong shortcut sa panahon ng pag-scan.", - "No package was selected": "Walang napiling package", "No packages found": "Walang nahanap na mga package", "No packages found matching the input criteria": "Walang nahanap na mga package na tumutugma sa ibinigay na pamantayan", "No packages have been added yet": "Wala pang nadagdag na mga package", "No packages selected": "Walang napiling mga package", - "No packages were found": "Walang nahanap na mga package", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Walang personal na impormasyon ang kinokolekta o ipinapadala, at naka-anonymize ang nakolektang data, kaya hindi ito matutunton pabalik sa iyo.", - "No results were found matching the input criteria": "Walang nahanap na resultang tumutugma sa ibinigay na pamantayan", "No sources found": "Walang nakitang source", "No sources were found": "Walang source na nahanap", "No updates are available": "Walang available na update", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Package manager ng Node JS. Puno ito ng mga library at iba pang utility na umiikot sa mundo ng JavaScript
Naglalaman ng: Mga Node JavaScript library at iba pang kaugnay na utility", - "Not available": "Hindi available", - "Not finding the file you are looking for? Make sure it has been added to path.": "Hindi makita ang file na hinahanap mo? Tiyaking nadagdag na ito sa path.", - "Not found": "Hindi nakita", - "Not right now": "Hindi muna ngayon", "Notes:": "Mga tala:", - "Notification preferences": "Mga preference sa notification", "Notification tray options": "Mga opsyon sa notification tray", - "Notification types": "Mga uri ng notification", - "NuPkg (zipped manifest)": "NuPkg (naka-zip na manifest)", - "OK": "Ok", "Ok": "Ok", - "Open": "Buksan", "Open GitHub": "Buksan ang GitHub", - "Open UniGetUI": "Buksan ang UniGetUI", - "Open UniGetUI security settings": "Buksan ang mga security setting ng UniGetUI", "Open WingetUI": "Buksan ang UniGetUI", "Open backup location": "Buksan ang lokasyon ng backup", "Open existing bundle": "Buksan ang umiiral na bundle", - "Open install location": "Buksan ang lokasyon ng install", "Open the welcome wizard": "Buksan ang welcome wizard", - "Operation canceled by user": "Kinansela ng user ang operasyon", "Operation cancelled": "Kinansela ang operasyon", - "Operation history": "Kasaysayan ng operasyon", - "Operation in progress": "May operasyong isinasagawa", - "Operation on queue (position {0})...": "Operasyon sa pila (posisyon {0})...", - "Operation profile:": "Profile ng operasyon:", "Options saved": "Naisave ang mga opsyon", - "Order by:": "Ayusin ayon sa:", - "Other": "Iba pa", - "Other settings": "Iba pang setting", - "Package": "Pakete", - "Package Bundles": "Mga Package Bundle", - "Package ID": "ID ng Package", "Package Manager": "Manager ng pakete", - "Package manager": "Manager ng pakete", - "Package Manager logs": "Mga log ng Package Manager", - "Package Managers": "Mga package manager", "Package managers": "Mga package manager", - "Package Name": "Pangalan ng Package", - "Package backup": "Backup ng package", - "Package backup settings": "Mga setting ng backup ng package", - "Package bundle": "Bundle ng pakete", - "Package details": "Mga detalye ng package", - "Package lists": "Mga listahan ng package", - "Package management made easy": "Pinadaling pamamahala ng package", - "Package manager preferences": "Mga preference sa package manager", - "Package not found": "Hindi nakita ang package", - "Package operation preferences": "Mga preference sa operasyon ng package", - "Package update preferences": "Mga preference sa update ng package", "Package {name} from {manager}": "Package na {name} mula sa {manager}", - "Package's default": "Default ng package", "Packages": "Mga package", "Packages found: {0}": "Nakitang mga package: {0}", - "Partially": "Bahagya", - "Password": "Pasword", "Paste a valid URL to the database": "Mag-paste ng valid na URL sa database", - "Pause updates for": "I-pause ang mga update sa loob ng", "Perform a backup now": "Magsagawa ng backup ngayon", - "Perform a cloud backup now": "Magsagawa ng cloud backup ngayon", - "Perform a local backup now": "Magsagawa ng lokal na backup ngayon", - "Perform integrity checks at startup": "Magsagawa ng mga integrity check sa startup", - "Performing backup, please wait...": "Isinasagawa ang backup, pakihintay...", "Periodically perform a backup of the installed packages": "Pana-panahong magsagawa ng backup ng mga naka-install na package", - "Periodically perform a cloud backup of the installed packages": "Pana-panahong magsagawa ng cloud backup ng mga naka-install na package", - "Periodically perform a local backup of the installed packages": "Pana-panahong magsagawa ng lokal na backup ng mga naka-install na package", - "Please check the installation options for this package and try again": "Pakisuri ang mga opsyon sa installation para sa package na ito at subukan muli", - "Please click on \"Continue\" to continue": "Paki-click ang \"Continue\" para magpatuloy", "Please enter at least 3 characters": "Pakilagay ang hindi bababa sa 3 character", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Pakitandaan na may ilang package na maaaring hindi ma-install dahil sa mga package manager na naka-enable sa makinang ito.", - "Please note that not all package managers may fully support this feature": "Pakitandaan na hindi lahat ng package manager ay maaaring lubos na sumuporta sa feature na ito", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Pakitandaan na ang mga packages mula sa iilang sources ay maaaring hindi ma-e-export. Ang mga ito ay naka-grey out at hindi ma-e-export.", - "Please run UniGetUI as a regular user and try again.": "Pakipatbong muli ang UniGetUI bilang regular na user at subukan ulit.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Pakitingnan ang Command-line Output o sumangguni sa Operation History para sa karagdagang impormasyon tungkol sa isyu.", "Please select how you want to configure WingetUI": "Pakipili kung paano mo gustong i-configure ang UniGetUI", - "Please try again later": "Pakisubukan muli mamaya", "Please type at least two characters": "Pakitype ang hindi bababa sa dalawang character", - "Please wait": "Pakihintay", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Pakihintay habang ini-install ang {0}. Maaaring may lumitaw na itim na window. Pakihintay hanggang sa magsara ito.", - "Please wait...": "Pakihintay...", "Portable": "Portable na bersyon", - "Portable mode": "Portable na mode\n", - "Post-install command:": "Command pagkatapos mag-install:", - "Post-uninstall command:": "Command pagkatapos mag-uninstall:", - "Post-update command:": "Command pagkatapos mag-update:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Package manager ng PowerShell. Maghanap ng mga library at script para mapalawak ang kakayahan ng PowerShell
Naglalaman ng: Mga module, script, cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Maaaring gumawa ng napakasamang bagay sa iyong device ang mga pre at post install command kung ganoon ang pagkakadisenyo sa mga ito. Maaaring maging lubhang mapanganib ang pag-import ng mga command mula sa bundle, maliban kung pinagkakatiwalaan mo ang pinagmulan ng package bundle na iyon.", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Patatakbuhin ang mga pre at post install command bago at pagkatapos ma-install, ma-upgrade, o ma-uninstall ang isang package. Tandaan na maaari silang makasira ng mga bagay kung hindi gagamitin nang maingat.", - "Pre-install command:": "Command bago mag-install:", - "Pre-uninstall command:": "Command bago mag-uninstall:", - "Pre-update command:": "Command bago mag-update:", - "PreRelease": "Pre-release", - "Preparing packages, please wait...": "Inihahanda ang mga package, pakihintay...", - "Proceed at your own risk.": "Magpatuloy sa sarili mong panganib.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Ipagbawal ang anumang uri ng elevation sa pamamagitan ng UniGetUI Elevator o GSudo", - "Proxy URL": "URL ng proxy", - "Proxy compatibility table": "Talahanayan ng compatibility ng proxy", - "Proxy settings": "Mga setting ng proxy", - "Proxy settings, etc.": "Mga setting ng proxy, atbp.", "Publication date:": "Petsa ng publikasyon:", - "Publisher": "Tagapaglathala", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Library manager ng Python. Puno ito ng mga Python library at iba pang utility na may kaugnayan sa Python
Naglalaman ng: Mga Python library at kaugnay na utility", - "Quit": "Lumabas", "Quit WingetUI": "Lumabas sa UniGetUI", - "Ready": "Handa na", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Bawasan ang mga UAC prompt, i-elevate ang mga installation bilang default, i-unlock ang ilang mapanganib na feature, at iba pa.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Sumangguni sa mga log ng UniGetUI para sa higit pang detalye tungkol sa (mga) apektadong file", - "Reinstall": "I-reinstall", - "Reinstall package": "I-reinstall ang package", - "Related settings": "Mga kaugnay na setting", - "Release notes": "Mga tala sa release", - "Release notes URL": "URL ng mga tala sa release", "Release notes URL:": "URL ng mga tala sa release:", "Release notes:": "Mga tala sa release:", "Reload": "I-reload", - "Reload log": "I-reload ang log", "Removal failed": "Pumalya ang pag-alis", "Removal succeeded": "Matagumpay ang pag-alis", - "Remove from list": "Alisin sa listahan", "Remove permanent data": "Alisin ang permanenteng data", - "Remove selection from bundle": "Alisin ang napili mula sa bundle", "Remove successful installs/uninstalls/updates from the installation list": "Alisin sa listahan ng installation ang matagumpay na install/uninstall/update", - "Removing source {source}": "Inaalis na ang {source}", - "Removing source {source} from {manager}": "Inaalis ang {source} mula sa {manager}", - "Repair UniGetUI": "Ayusin ang UniGetUI", - "Repair WinGet": "Ayusin ang WinGet", - "Report an issue or submit a feature request": "Mag-ulat ng isyu o magsumite ng kahilingan para sa feature", "Repository": "Imbakan", - "Reset": "I-reset", "Reset Scoop's global app cache": "I-reset ang global app cache ng Scoop", - "Reset UniGetUI": "I-reset ang UniGetUI", - "Reset WinGet": "I-reset ang WinGet", "Reset Winget sources (might help if no packages are listed)": "I-reset ang mga source ng WinGet (maaaring makatulong kung walang nakalistang mga package)", - "Reset WingetUI": "I-reset ang UniGetUI", "Reset WingetUI and its preferences": "I-reset ang UniGetUI at ang mga preference nito", "Reset WingetUI icon and screenshot cache": "I-reset ang cache ng icon at screenshot ng UniGetUI", - "Reset list": "I-reset ang listahan", "Resetting Winget sources - WingetUI": "Nire-reset ang mga source ng WinGet - UniGetUI", - "Restart": "I-restart", - "Restart UniGetUI": "I-restart ang UniGetUI", - "Restart WingetUI": "I-restart ang UniGetUI", - "Restart WingetUI to fully apply changes": "I-restart ang UniGetUI para ganap na mailapat ang mga pagbabago", - "Restart later": "I-restart mamaya", "Restart now": "I-restart ngayon", - "Restart required": "Kailangan ang restart", "Restart your PC to finish installation": "I-restart ang iyong PC para matapos ang installation", "Restart your computer to finish the installation": "I-restart ang iyong computer para matapos ang installation", - "Restore a backup from the cloud": "I-restore ang backup mula sa cloud", - "Restrictions on package managers": "Mga restriksyon sa mga package manager", - "Restrictions on package operations": "Mga restriksyon sa mga operasyon ng package", - "Restrictions when importing package bundles": "Mga restriksyon kapag nag-i-import ng mga package bundle", - "Retry": "Subukan muli", - "Retry as administrator": "Subukang muli bilang administrator", "Retry failed operations": "Subukang muli ang mga pumalyang operasyon", - "Retry interactively": "Subukang muli nang interactive", - "Retry skipping integrity checks": "Subukang muli habang nilalaktawan ang mga integrity check", "Retrying, please wait...": "Sinusubukang muli, pakihintay...", "Return to top": "Bumalik sa itaas", - "Run": "Patakbuhin", - "Run as admin": "Patakbuhin bilang admin", - "Run cleanup and clear cache": "Patakbuhin ang cleanup at i-clear ang cache", - "Run last": "Patakbuhin nang huli", - "Run next": "Patakbuhin nang sunod", - "Run now": "Patakbuhin ngayon", "Running the installer...": "Pinapatakbo ang installer...", "Running the uninstaller...": "Pinapatakbo ang uninstaller...", "Running the updater...": "Pinapatakbo ang updater...", - "Save": "I-save", "Save File": "I-save ang File", - "Save and close": "I-save at isara", - "Save as": "I-save bilang", - "Save bundle as": "I-save ang bundle bilang", - "Save now": "I-save ngayon", - "Saving packages, please wait...": "Sine-save ang mga package, pakihintay...", - "Scoop Installer - WingetUI": "Installer ng Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "Uninstaller ng Scoop - UniGetUI", - "Scoop package": "Package ng Scoop", + "Save bundle as": "I-save ang bundle bilang", + "Save now": "I-save ngayon", "Search": "Maghanap", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Maghanap ng desktop software, balaan ako kapag may mga available na update, at huwag gawing komplikado ang mga bagay. Ayaw kong maging sobrang kumplikado ang UniGetUI, gusto ko lang ng simpleng software store", - "Search for packages": "Maghanap ng mga package", - "Search for packages to start": "Maghanap ng mga package para makapagsimula", - "Search mode": "Mode ng paghahanap", "Search on available updates": "Maghanap sa mga available na update", "Search on your software": "Maghanap sa iyong software", "Searching for installed packages...": "Hinahanap ang mga naka-install na package...", "Searching for packages...": "Hinahanap ang mga package...", "Searching for updates...": "Hinahanap ang mga update...", - "Select": "Piliin", "Select \"{item}\" to add your custom bucket": "Piliin ang \"{item}\" para idagdag ang iyong custom na bucket", "Select a folder": "Pumili ng folder", - "Select all": "Piliin lahat", "Select all packages": "Piliin ang lahat ng package", - "Select backup": "Piliin ang backup", "Select only if you know what you are doing.": "Piliin lamang ito kung alam mo ang ginagawa mo.", "Select package file": "Piliin ang file ng package", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Piliin ang backup na gusto mong buksan. Mamaya, masusuri mo kung aling mga package ang gusto mong i-install.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Piliin ang executable na gagamitin. Ipinapakita ng sumusunod na listahan ang mga executable na nakita ng UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Piliin ang mga prosesong dapat isara bago ma-install, ma-update, o ma-uninstall ang package na ito.", - "Select the source you want to add:": "Piliin ang source na gusto mong idagdag:", - "Select upgradable packages by default": "Piliin bilang default ang mga package na maaaring i-upgrade", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Piliin kung aling mga package manager ang gagamitin ({0}), i-configure kung paano ini-install ang mga package, pamahalaan kung paano hinahawakan ang mga karapatan ng administrator, at iba pa.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Naipadala ang handshake. Naghihintay ng sagot mula sa instance listener... ({0}%)", - "Set a custom backup file name": "Magtakda ng custom na pangalan ng backup file", "Set custom backup file name": "Itakda ang custom na pangalan ng backup file", - "Settings": "Mga Setting", - "Share": "Ibahagi", "Share WingetUI": "Ibahagi ang UniGetUI", - "Share anonymous usage data": "Ibahagi ang anonymous na data ng paggamit", - "Share this package": "Ibahagi ang package na ito", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Kung babaguhin mo ang mga security setting, kakailanganin mong buksan muli ang bundle para magkabisa ang mga pagbabago.", "Show UniGetUI on the system tray": "Ipakita ang UniGetUI sa system tray", - "Show UniGetUI's version and build number on the titlebar.": "Ipakita ang bersyon at build number ng UniGetUI sa titlebar.", - "Show WingetUI": "Ipakita ang UniGetUI", "Show a notification when an installation fails": "Magpakita ng notification kapag pumalya ang installation", "Show a notification when an installation finishes successfully": "Magpakita ng notification kapag matagumpay na natapos ang installation", - "Show a notification when an operation fails": "Magpakita ng notification kapag pumalya ang isang operasyon", - "Show a notification when an operation finishes successfully": "Magpakita ng notification kapag matagumpay na natapos ang isang operasyon", - "Show a notification when there are available updates": "Magpakita ng notification kapag may mga available na update", - "Show a silent notification when an operation is running": "Magpakita ng tahimik na notification habang may tumatakbong operasyon", "Show details": "Ipakita ang mga detalye", - "Show in explorer": "Ipakita sa explorer", "Show info about the package on the Updates tab": "Ipakita ang impormasyon tungkol sa package sa tab na Updates", "Show missing translation strings": "Ipakita ang mga nawawalang string ng translation", - "Show notifications on different events": "Ipakita ang mga notification sa iba't ibang pangyayari", "Show package details": "Ipakita ang mga detalye ng package", - "Show package icons on package lists": "Ipakita ang mga icon ng package sa mga listahan ng package", - "Show similar packages": "Ipakita ang mga kahalintulad na package", "Show the live output": "Ipakita ang live na output", - "Size": "Laki", "Skip": "Laktawan", - "Skip hash check": "Laktawan ang hash check", - "Skip hash checks": "Laktawan ang mga hash check", - "Skip integrity checks": "Laktawan ang mga integrity check", - "Skip minor updates for this package": "Laktawan ang mga minor na update para sa package na ito", "Skip the hash check when installing the selected packages": "Laktawan ang hash check kapag ini-install ang mga napiling package", "Skip the hash check when updating the selected packages": "Laktawan ang hash check kapag ina-update ang mga napiling package", - "Skip this version": "Laktawan ang bersyong ito", - "Software Updates": "Mga Update ng Software", - "Something went wrong": "May nangyaring mali", - "Something went wrong while launching the updater.": "May nangyaring mali habang inilulunsad ang updater.", - "Source": "Pinagmulan", - "Source URL:": "URL ng source:", - "Source added successfully": "Matagumpay na naidagdag ang source", "Source addition failed": "Pumalya ang pagdaragdag ng source", - "Source name:": "Pangalan ng source:", "Source removal failed": "Pumalya ang pag-alis ng source", - "Source removed successfully": "Matagumpay na naalis ang source", "Source:": "Pinagmulan:", - "Sources": "Mga source", "Start": "Simulan", "Starting daemons...": "Sinisimulan ang mga daemon...", - "Starting operation...": "Sinisimulan ang operasyon...", "Startup options": "Mga opsyon sa startup", "Status": "Kalagayan", "Stuck here? Skip initialization": "Naipit dito? Laktawan ang initialization", - "Success!": "Tagumpay!", "Suport the developer": "Suportahan ang developer", "Support me": "Suportahan ako", "Support the developer": "Suportahan ang developer", "Systems are now ready to go!": "Handa nang gamitin ang mga system!", - "Telemetry": "Telemetriya", - "Text": "Teksto", "Text file": "Text na file", - "Thank you ❤": "Salamat ❤", "Thank you 😉": "Salamat 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Package manager ng Rust.
Naglalaman ng: Mga Rust library at programang isinulat sa Rust", - "The backup will NOT include any binary file nor any program's saved data.": "HINDI isasama sa backup ang anumang binary file o saved data ng alinmang programa.", - "The backup will be performed after login.": "Isasagawa ang backup pagkatapos mag-log in.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Isasama sa backup ang kumpletong listahan ng mga naka-install na package at ang mga opsyon ng installation ng mga ito. Mase-save rin ang mga in-ignore na update at nilaktawang bersyon.", - "The bundle was created successfully on {0}": "Matagumpay na nagawa ang bundle noong {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Mukhang hindi valid ang bundle na sinusubukan mong i-load. Pakisuri ang file at subukan muli.", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Hindi tumutugma ang checksum ng installer sa inaasahang halaga, at hindi mabeberipika ang pagiging tunay ng installer. Kung pinagkakatiwalaan mo ang publisher, {0} muli ang package habang nilalaktawan ang hash check.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Ang klasikong package manager para sa Windows. Makikita mo roon ang lahat.
Naglalaman ng: Pangkalahatang Software", - "The cloud backup completed successfully.": "Matagumpay na nakumpleto ang cloud backup.", - "The cloud backup has been loaded successfully.": "Matagumpay na na-load ang cloud backup.", - "The current bundle has no packages. Add some packages to get started": "Walang package ang kasalukuyang bundle. Magdagdag ng ilang package para makapagsimula", - "The executable file for {0} was not found": "Hindi nakita ang executable file para sa {0}", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Ang mga sumusunod na opsyon ay ilalapat bilang default sa tuwing ini-install, ina-upgrade, o ina-uninstall ang isang package ng {0}.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Ang mga sumusunod na package ay ie-export sa isang JSON file. Walang user data o binary ang mase-save.", "The following packages are going to be installed on your system.": "Ang mga sumusunod na package ay i-install sa iyong system.", - "The following settings may pose a security risk, hence they are disabled by default.": "Maaaring magdulot ng panganib sa seguridad ang mga sumusunod na setting, kaya naka-disable ang mga ito bilang default.", - "The following settings will be applied each time this package is installed, updated or removed.": "Ang mga sumusunod na setting ay ilalapat sa tuwing ini-install, ina-update, o inaalis ang package na ito.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Ang mga sumusunod na setting ay ilalapat sa tuwing ini-install, ina-update, o inaalis ang package na ito. Awtomatiko silang mase-save.", "The icons and screenshots are maintained by users like you!": "Pinananatili ng mga user na gaya mo ang mga icon at screenshot!", - "The installation script saved to {0}": "Naisave ang installation script sa {0}", - "The installer authenticity could not be verified.": "Hindi mabeberipika ang pagiging tunay ng installer.", "The installer has an invalid checksum": "May invalid na checksum ang installer", "The installer hash does not match the expected value.": "Hindi tumutugma ang hash ng installer sa inaasahang halaga.", - "The local icon cache currently takes {0} MB": "Kasalukuyang kumakain ng {0} MB ang lokal na cache ng icon", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Ang pangunahing layunin ng proyektong ito ay lumikha ng intuitive na UI para pamahalaan ang pinakakaraniwang CLI package manager sa Windows, tulad ng Winget at Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Hindi nakita ang package na \"{0}\" sa package manager na \"{1}\"", - "The package bundle could not be created due to an error.": "Hindi nagawa ang package bundle dahil sa isang error.", - "The package bundle is not valid": "Hindi valid ang package bundle", - "The package manager \"{0}\" is disabled": "Naka-disable ang package manager na \"{0}\"", - "The package manager \"{0}\" was not found": "Hindi nakita ang package manager na \"{0}\"", "The package {0} from {1} was not found.": "Hindi nakita ang package na {0} mula sa {1}.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Ang mga package na nakalista rito ay hindi isasama kapag naghahanap ng mga update. I-double-click ang mga ito o i-click ang button sa kanan nila para itigil ang pag-ignore sa kanilang mga update.", "The selected packages have been blacklisted": "Na-blacklist na ang mga napiling package", - "The settings will list, in their descriptions, the potential security issues they may have.": "Ililista ng mga setting, sa kanilang mga paglalarawan, ang mga posibleng isyu sa seguridad na maaari nilang taglayin.", - "The size of the backup is estimated to be less than 1MB.": "Tinatayang mas mababa sa 1MB ang laki ng backup.", - "The source {source} was added to {manager} successfully": "Matagumpay na naidagdag ang source na {source} sa {manager}", - "The source {source} was removed from {manager} successfully": "Matagumpay na naalis ang source na {source} mula sa {manager}", - "The system tray icon must be enabled in order for notifications to work": "Dapat naka-enable ang icon sa system tray para gumana ang mga notification", - "The update process has been aborted.": "Na-abort ang proseso ng update.", - "The update process will start after closing UniGetUI": "Magsisimula ang proseso ng update pagkatapos isara ang UniGetUI", "The update will be installed upon closing WingetUI": "I-iinstall ang update kapag isinara ang UniGetUI", "The update will not continue.": "Hindi magpapatuloy ang update.", "The user has canceled {0}, that was a requirement for {1} to be run": "Kinansela ng user ang {0}, na kailangan para mapatakbo ang {1}", - "There are no new UniGetUI versions to be installed": "Walang bagong bersyon ng UniGetUI na mai-install", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "May mga kasalukuyang operasyong tumatakbo. Ang pag-alis sa UniGetUI ay maaaring magdulot ng pagkabigo ng mga ito. Gusto mo bang magpatuloy?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "May ilang magagandang video sa YouTube na nagpapakita ng UniGetUI at ng mga kakayahan nito. Maaari kang matuto ng kapaki-pakinabang na mga trick at tip!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "May dalawang pangunahing dahilan kung bakit hindi dapat patakbuhin ang UniGetUI bilang administrator:\n Ang una ay na maaaring magdulot ng problema ang Scoop package manager sa ilang command kapag tumatakbo ito nang may mga karapatan ng administrator.\n Ang ikalawa ay na ang pagpapatakbo ng UniGetUI bilang administrator ay nangangahulugang anumang package na ida-download mo ay tatakbo rin bilang administrator (at hindi ito ligtas).\n Tandaan na kung kailangan mong mag-install ng partikular na package bilang administrator, maaari mong i-right-click palagi ang item -> Install/Update/Uninstall as administrator.", - "There is an error with the configuration of the package manager \"{0}\"": "May error sa configuration ng package manager na \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "May kasalukuyang installation na isinasagawa. Kung isasara mo ang UniGetUI, maaaring pumalya ang installation at magdulot ng hindi inaasahang resulta. Gusto mo pa rin bang lumabas sa UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Sila ang mga programang namamahala sa pag-install, pag-update, at pag-alis ng mga package.", - "Third-party licenses": "Mga lisensya ng third-party", "This could represent a security risk.": "Maaaring magdulot ito ng panganib sa seguridad.", - "This is not recommended.": "Hindi ito inirerekomenda.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Malamang dahil ito sa katotohanang inalis ang package na ipinadala sa iyo, o na-publish ito sa package manager na hindi mo naka-enable. Ang natanggap na ID ay {0}", "This is the default choice.": "Ito ang default na pagpili.", - "This may help if WinGet packages are not shown": "Maaaring makatulong ito kung hindi ipinapakita ang mga package ng WinGet", - "This may help if no packages are listed": "Maaaring makatulong ito kung walang nakalistang mga package", - "This may take a minute or two": "Maaaring tumagal ito ng isa o dalawang minuto", - "This operation is running interactively.": "Ang operasyong ito ay tumatakbo nang interactive.", - "This operation is running with administrator privileges.": "Ang operasyong ito ay tumatakbo nang may mga pribilehiyo ng administrator.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "MAGDUDULOT ng mga isyu ang opsyong ito. PUMAPALYA ang anumang operasyong hindi kayang i-elevate ang sarili. HINDI GAGANA ang install/update/uninstall bilang administrator.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "May ilang setting ang package bundle na ito na maaaring mapanganib at maaaring i-ignore bilang default.", "This package can be updated": "Maaaring i-update ang package na ito", "This package can be updated to version {0}": "Maaaring i-update ang package na ito sa bersyon {0}", - "This package can be upgraded to version {0}": "Maaaring i-upgrade ang package na ito sa bersyon {0}", - "This package cannot be installed from an elevated context.": "Hindi maaaring i-install ang package na ito mula sa elevated na context.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Wala bang screenshot ang package na ito o nawawala ang icon nito? Mag-ambag sa UniGetUI sa pamamagitan ng pagdaragdag ng nawawalang mga icon at screenshot sa aming bukas at pampublikong database.", - "This package is already installed": "Naka-install na ang package na ito", - "This package is being processed": "Pinoproseso ang package na ito", - "This package is not available": "Hindi available ang package na ito", - "This package is on the queue": "Nasa pila ang package na ito", "This process is running with administrator privileges": "Tumatakbo ang prosesong ito nang may mga pribilehiyo ng administrator", - "This project has no connection with the official {0} project — it's completely unofficial.": "Walang kaugnayan ang proyektong ito sa opisyal na proyekto ng {0} — ganap itong hindi opisyal.", "This setting is disabled": "Naka-disable ang setting na ito", "This wizard will help you configure and customize WingetUI!": "Tutulungan ka ng wizard na ito na i-configure at i-customize ang UniGetUI!", "Toggle search filters pane": "I-toggle ang pane ng mga filter sa paghahanap", - "Translators": "Mga translator", - "Try to kill the processes that refuse to close when requested to": "Subukang i-kill ang mga prosesong tumatangging magsara kapag hiniling", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Kapag in-on ito, mapapagana ang pagbabago ng executable file na ginagamit para makipag-ugnayan sa mga package manager. Bagama't nagbibigay ito ng mas detalyadong pag-customize sa iyong mga proseso ng install, maaari rin itong maging mapanganib.", "Type here the name and the URL of the source you want to add, separed by a space.": "I-type dito ang pangalan at URL ng source na gusto mong idagdag, na pinaghihiwalay ng espasyo.", "Unable to find package": "Hindi mahanap ang package", "Unable to load informarion": "Hindi ma-load ang impormasyon", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "Nangongolekta ang UniGetUI ng anonymous na data ng paggamit upang mapabuti ang karanasan ng user.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "Nangongolekta ang UniGetUI ng anonymous na data ng paggamit para lamang maunawaan at mapabuti ang karanasan ng user.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "Nakakita ang UniGetUI ng bagong desktop shortcut na maaaring awtomatikong burahin.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "Natukoy ng UniGetUI ang mga sumusunod na desktop shortcut na maaaring awtomatikong alisin sa mga susunod na upgrade", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "Nakakita ang UniGetUI ng {0} bagong desktop shortcut na maaaring awtomatikong burahin.", - "UniGetUI is being updated...": "Ina-update ang UniGetUI...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "Walang kaugnayan ang UniGetUI sa alinman sa mga compatible na package manager. Isang independent na proyekto ang UniGetUI.", - "UniGetUI on the background and system tray": "UniGetUI sa background at system tray", - "UniGetUI or some of its components are missing or corrupt.": "Nawawala o sira ang UniGetUI o ang ilan sa mga component nito.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "Kailangan ng UniGetUI ang {0} para gumana, ngunit hindi ito nakita sa iyong system.", - "UniGetUI startup page:": "Startup page ng UniGetUI:", - "UniGetUI updater": "Updater ng UniGetUI", - "UniGetUI version {0} is being downloaded.": "Dina-download ang bersyon {0} ng UniGetUI.", - "UniGetUI {0} is ready to be installed.": "Handa nang i-install ang UniGetUI {0}.", - "Uninstall": "i-uninstall", - "uninstall": "i-uninstall", - "Uninstall Scoop (and its packages)": "I-uninstall ang Scoop (at ang mga package nito)", "Uninstall and more": "Uninstall at iba pa", - "Uninstall and remove data": "I-uninstall at alisin ang data", - "Uninstall as administrator": "I-uninstall bilang administrator", "Uninstall canceled by the user!": "Kinansela ng user ang uninstall!", - "Uninstall failed": "Pumalya ang uninstall", - "Uninstall options": "Mga opsyon sa uninstall", - "Uninstall package": "I-uninstall ang package", - "Uninstall package, then reinstall it": "I-uninstall ang package, saka i-reinstall ito", - "Uninstall package, then update it": "I-uninstall ang package, saka i-update ito", - "Uninstall previous versions when updated": "I-uninstall ang mga naunang bersyon kapag na-update", - "Uninstall selected packages": "I-uninstall ang mga napiling package", - "Uninstall selection": "I-uninstall ang napili", - "Uninstall succeeded": "Matagumpay ang uninstall", "Uninstall the selected packages with administrator privileges": "I-uninstall ang mga napiling package gamit ang mga pribilehiyo ng administrator", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Ang mga package na maaaring i-uninstall at may origin na nakalistang \"{0}\" ay hindi naka-publish sa anumang package manager, kaya walang available na impormasyong maipapakita tungkol sa mga ito.", - "Unknown": "Hindi alam", - "Unknown size": "Hindi alam ang laki", - "Unset or unknown": "Hindi nakatakda o hindi alam", - "Up to date": "Napapanahon", - "Update": "I-update", - "Update WingetUI automatically": "Awtomatikong i-update ang UniGetUI", - "Update all": "I-update lahat", "Update and more": "Update at iba pa", - "Update as administrator": "I-update bilang administrator", - "Update check frequency, automatically install updates, etc.": "Dalas ng pagsusuri ng update, awtomatikong pag-install ng mga update, at iba pa.", - "Update checking": "Pagsusuri ng update", "Update date": "Petsa ng update", - "Update failed": "Pumalya ang update", "Update found!": "May nahanap na update!", - "Update now": "I-update ngayon", - "Update options": "Mga opsyon sa update", "Update package indexes on launch": "I-update ang mga package index sa pag-launch", "Update packages automatically": "Awtomatikong i-update ang mga package", "Update selected packages": "I-update ang mga napiling package", "Update selected packages with administrator privileges": "I-update ang mga napiling package gamit ang mga pribilehiyo ng administrator", - "Update selection": "I-update ang napili", - "Update succeeded": "Matagumpay ang update", - "Update to version {0}": "I-update sa bersyon {0}", - "Update to {0} available": "Available ang update sa {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Awtomatikong i-update ang Git portfiles ng vcpkg (kailangang naka-install ang Git)", "Updates": "Mga update", "Updates available!": "May mga available na update!", - "Updates for this package are ignored": "In-ignore ang mga update para sa package na ito", - "Updates found!": "May nahanap na mga update!", "Updates preferences": "Mga preference sa update", "Updating WingetUI": "Ina-update ang UniGetUI", "Url": "Web address", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Gamitin ang Legacy na bundled na WinGet sa halip na PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "Gumamit ng custom na URL para sa database ng icon at screenshot", "Use bundled WinGet instead of PowerShell CMDlets": "Gamitin ang bundled na WinGet sa halip na PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Gamitin ang bundled na WinGet sa halip na system WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "Gamitin ang naka-install na GSudo sa halip na UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Gamitin ang naka-install na GSudo sa halip na ang bundled na bersyon", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Gamitin ang legacy na UniGetUI Elevator (i-disable ang suporta sa AdminByRequest)", - "Use system Chocolatey": "Gamitin ang system Chocolatey", "Use system Chocolatey (Needs a restart)": "Gamitin ang system Chocolatey (kailangang i-restart)", "Use system Winget (Needs a restart)": "Gamitin ang system Winget (kailangang i-restart)", "Use system Winget (System language must be set to english)": "Gamitin ang system WinGet (dapat nakatakda sa English ang wika ng system)", "Use the WinGet COM API to fetch packages": "Gamitin ang WinGet COM API para kunin ang mga package", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Gamitin ang WinGet PowerShell Module sa halip na WinGet COM API", - "Useful links": "Mga kapaki-pakinabang na link", "User": "Gumagamit", - "User interface preferences": "Mga preference sa user interface", "User | Local": "User | Lokal", - "Username": "Pangalan ng user", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Ang paggamit ng UniGetUI ay nangangahulugan ng pagtanggap sa GNU Lesser General Public License v2.1", - "Using WingetUI implies the acceptation of the MIT License": "Ang paggamit ng UniGetUI ay nangangahulugan ng pagtanggap sa MIT License", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Hindi nakita ang Vcpkg root. Pakitukoy ang %VCPKG_ROOT% environment variable o itakda ito mula sa UniGetUI Settings", "Vcpkg was not found on your system.": "Hindi nakita ang Vcpkg sa iyong system.", - "Verbose": "Detalyado", - "Version": "Bersyon", - "Version to install:": "Bersyon na i-install:", - "Version:": "Bersyon:", - "View GitHub Profile": "Tingnan ang Profile sa GitHub", "View WingetUI on GitHub": "Tingnan ang UniGetUI sa GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Tignan ang source code ng UniGetUI. Mula roon, maaari kang mag-ulat ng mga bug o magmungkahi ng mga features, o kaya naman ay direktang mag-ambag sa proyekto ng UniGetUI. ", - "View mode:": "Mode ng view:", - "View on UniGetUI": "Tingnan sa UniGetUI", - "View page on browser": "Tingnan ang pahina sa browser", - "View {0} logs": "Tingnan ang mga log ng {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Hintaying kumonekta ang device sa internet bago subukang gawin ang mga gawaing nangangailangan ng koneksyon sa internet.", "Waiting for other installations to finish...": "Naghihintay na matapos ang iba pang installation...", "Waiting for {0} to complete...": "Naghihintay na makumpleto ang {0}...", - "Warning": "Babala", - "Warning!": "Babala!", - "We are checking for updates.": "Sinusuri namin ang mga update.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Hindi namin ma-load ang detalyadong impormasyon tungkol sa package na ito, dahil hindi ito natagpuan sa alinman sa iyong mga sources.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Hindi namin ma-load ang detalyadong impormasyon tungkol sa package na ito dahil hindi ito na-install mula sa available na package manager.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Hindi namin magawa ang {action} sa {package}. Pakisubukan muli mamaya. I-click ang \"{showDetails}\" para kunin ang mga log mula sa installer.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Hindi namin magawa ang {action} sa {package}. Pakisubukan muli mamaya. I-click ang \"{showDetails}\" para kunin ang mga log mula sa uninstaller.", "We couldn't find any package": "Wala kaming mahanap na anumang package", "Welcome to WingetUI": "Maligayang pagdating sa UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Kapag nagba-batch install ng mga package mula sa bundle, i-install din ang mga package na naka-install na", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Kapag may natukoy na bagong shortcut, awtomatiko silang burahin sa halip na ipakita ang dialog na ito.", - "Which backup do you want to open?": "Aling backup ang gusto mong buksan?", "Which package managers do you want to use?": "Aling mga package manager ang gusto mong gamitin?", "Which source do you want to add?": "Anong source ang gusto mong idagdag?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Bagama't magagamit ang WinGet sa loob ng UniGetUI, maaari ring gamitin ang UniGetUI kasama ng ibang mga package manager, na maaaring makalito. Noong nakaraan, dinisenyo ang UniGetUI para gumana lamang sa Winget, ngunit hindi na ito totoo ngayon, kaya hindi na kinakatawan ng UniGetUI ang layunin ng proyektong ito.", - "WinGet could not be repaired": "Hindi naayos ang WinGet", - "WinGet malfunction detected": "Natukoy ang hindi paggana ng WinGet", - "WinGet was repaired successfully": "Matagumpay na naayos ang WinGet", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Lahat ay updated", "WingetUI - {0} updates are available": "UniGetUI - May {0} available na update", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Homepage ng UniGetUI", "WingetUI Homepage - Share this link!": "Homepage ng UniGetUI - Ibahagi ang link na ito!", - "WingetUI License": "Lisensya ng UniGetUI", - "WingetUI Log": "Log ng UniGetUI", - "WingetUI log": "Log ng UniGetUI", - "WingetUI Repository": "Repository ng UniGetUI", - "WingetUI Settings": "Mga Setting ng UniGetUI", "WingetUI Settings File": "Settings File ng UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Ginagamit ng UniGetUI ang mga sumusunod na library. Kung wala ang mga ito, hindi magiging posible ang UniGetUI.", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Ginagamit ng UniGetUI ang mga sumusunod na library. Kung wala ang mga ito, hindi magiging posible ang UniGetUI.", - "WingetUI Version {0}": "Bersyon {0} ng UniGetUI", "WingetUI autostart behaviour, application launch settings": "Kilos ng autostart ng UniGetUI, mga setting sa paglulunsad ng application", "WingetUI can check if your software has available updates, and install them automatically if you want to": "Maaaring suriin ng UniGetUI kung may available na update ang iyong software, at awtomatikong i-install ang mga iyon kung gusto mo", - "WingetUI display language:": "Wika ng display ng UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "Pinatakbo ang UniGetUI bilang administrator, na hindi inirerekomenda. Kapag pinapatakbo ang UniGetUI bilang administrator, BAWAT operasyong ilulunsad mula sa UniGetUI ay magkakaroon ng mga pribilehiyo ng administrator. Magagamit mo pa rin ang programa, ngunit mahigpit naming inirerekomenda na huwag patakbuhin ang UniGetUI gamit ang mga pribilehiyo ng administrator.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "Na-translate ang UniGetUI sa mahigit 40 wika salamat sa mga boluntaryong translator. Salamat 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "Hindi dumaan sa machine translation ang UniGetUI. Ang mga sumusunod na user ang namahala sa mga translation:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "Ang UniGetUI ay isang application na nagpapadali sa pamamahala ng iyong software sa pamamagitan ng pagbibigay ng all-in-one na graphical interface para sa iyong mga command-line package manager.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "Pinapalitan ang pangalan ng UniGetUI upang bigyang-diin ang pagkakaiba ng UniGetUI (ang interface na ginagamit mo ngayon) at ng Winget (isang package manager na ginawa ng Microsoft na wala akong kaugnayan)", "WingetUI is being updated. When finished, WingetUI will restart itself": "Ina-update ang UniGetUI. Kapag natapos, kusang magre-restart ang UniGetUI", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "Libre ang UniGetUI, at mananatili itong libre magpakailanman. Walang ads, walang credit card, walang premium na bersyon. 100% libre, habambuhay.", + "WingetUI log": "Log ng UniGetUI", "WingetUI tray application preferences": "Mga preference sa tray application ng UniGetUI", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "Ginagamit ng UniGetUI ang mga sumusunod na library. Kung wala ang mga ito, hindi magiging posible ang UniGetUI.", "WingetUI version {0} is being downloaded.": "Dina-download ang bersyon {0} ng UniGetUI.", "WingetUI will become {newname} soon!": "Magiging {newname} ang WingetUI sa lalong madaling panahon!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "Hindi pana-panahong susuriin ng UniGetUI ang mga update. Susuriin pa rin ang mga ito sa pag-launch, ngunit hindi ka babalaan tungkol sa kanila.", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "Magpapakita ang UniGetUI ng UAC prompt tuwing may package na nangangailangan ng elevation para ma-install.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "Magkakaroon ng pangalang {newname} ang WingetUI sa lalong madaling panahon. Hindi ito mangangahulugan ng anumang pagbabago sa application. Ipapatuloy ko (ang developer) ang pag-develop sa proyektong ito gaya ng ginagawa ko ngayon, ngunit sa ilalim ng ibang pangalan.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "Hindi magiging posible ang UniGetUI kung wala ang tulong ng aming mga mahal na contributor. Tingnan ang kanilang mga profile sa GitHub, hindi magiging posible ang UniGetUI kung wala sila!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "Hindi magiging posible ang UniGetUI kung wala ang tulong ng mga contributor. Salamat sa inyong lahat 🥳", "WingetUI {0} is ready to be installed.": "Handa nang i-install ang UniGetUI {0}.", - "Write here the process names here, separated by commas (,)": "Isulat dito ang mga pangalan ng proseso, na pinaghihiwalay ng mga kuwit (,)", - "Yes": "Oo", - "You are logged in as {0} (@{1})": "Naka-log in ka bilang {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Maaari mong baguhin ang ugaling ito sa mga security setting ng UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Maaari mong tukuyin ang mga command na tatakbo bago o pagkatapos ma-install, ma-update, o ma-uninstall ang package na ito. Tatakbo ang mga ito sa command prompt, kaya gagana rito ang mga CMD script.", - "You have currently version {0} installed": "Kasalukuyan mong naka-install ang bersyon {0}", - "You have installed WingetUI Version {0}": "Naka-install sa iyo ang UniGetUI Bersyon {0}", - "You may lose unsaved data": "Maaaring mawala ang hindi pa nasasave na data", - "You may need to install {pm} in order to use it with WingetUI.": "Maaaring kailanganin mong i-install ang {pm} para magamit ito sa UniGetUI.", "You may restart your computer later if you wish": "Maaari mong i-restart ang iyong computer mamaya kung gusto mo", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Isang beses ka lang hihingan ng pahintulot, at ang mga package na humihingi ng mga karapatan ng administrator ay pagbibigyan nito.", "You will be prompted only once, and every future installation will be elevated automatically.": "Isang beses ka lang hihingan ng pahintulot, at awtomatikong mae-elevate ang bawat susunod na installation.", - "You will likely need to interact with the installer.": "Malamang na kakailanganin mong makipag-ugnayan sa installer.", - "[RAN AS ADMINISTRATOR]": "[PINATAKBO BILANG ADMINISTRATOR]", "buy me a coffee": "Ilibre mo ako ng kape", - "extracted": "na-extract", - "feature": "tampok", "formerly WingetUI": "dating WingetUI", + "homepage": "Pahina sa web", + "install": "i-install", "installation": "pag-install", - "installed": "naka-install", - "installing": "nag-i-install", - "library": "aklatan ng software", - "mandatory": "sapilitan", - "option": "opsyon", - "optional": "opsyonal", + "uninstall": "i-uninstall", "uninstallation": "pag-uninstall", "uninstalled": "na-uninstall", - "uninstalling": "nag-u-uninstall", "update(noun)": "pag-update", "update(verb)": "i-update", "updated": "na-update", - "updating": "nag-a-update", - "version {0}": "bersyon {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Naka-lock ngayon ang mga opsyon sa install ng {0} dahil sinusunod ng {0} ang mga default na opsyon sa install.", "{0} Uninstallation": "{0} ang aalisin", "{0} aborted": "{0} ay itinigil", "{0} can be updated": "{0} pa ang maaaring i-update", - "{0} can be updated to version {1}": "Maaaring i-update ang {0} sa bersyon {1}", - "{0} days": "{0} araw", - "{0} desktop shortcuts created": "{0} desktop shortcut ang nalikha", "{0} failed": "{0} nabigo", - "{0} has been installed successfully.": "Matagumpay na na-install ang {0}.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "Matagumpay na na-install ang {0}. Inirerekomendang i-restart ang UniGetUI para matapos ang installation", "{0} has failed, that was a requirement for {1} to be run": "Pumalya ang {0}, na kailangan para mapatakbo ang {1}", - "{0} homepage": "Homepage ng {0}", - "{0} hours": "{0} oras", "{0} installation": "{0} pagkakabit", - "{0} installation options": "Mga opsyon sa installation ng {0}", - "{0} installer is being downloaded": "Dina-download ang installer ng {0}", - "{0} is being installed": "Ini-install ang {0}", - "{0} is being uninstalled": "Ina-uninstall ang {0}", "{0} is being updated": "{0} ngayon ay inuupdate", - "{0} is being updated to version {1}": "Ina-update ang {0} sa bersyon {1}", - "{0} is disabled": "{0} ay nakasara", - "{0} minutes": "{0} minuto", "{0} months": "{0} buwan", - "{0} packages are being updated": "{0}ng mga package ang inuupdate", - "{0} packages can be updated": "{0} pa na mga package ang maaaring i-update", "{0} packages found": "{0} ang mga nakitang package", "{0} packages were found": "{0} ang mga nakitang package", - "{0} packages were found, {1} of which match the specified filters.": "May {0} package na nakita, at {1} sa mga iyon ang tumutugma sa mga tinukoy na filter.", - "{0} selected": "{0} ang napili", - "{0} settings": "Mga setting ng {0}", - "{0} status": "Status ng {0}", "{0} succeeded": "{0} ang nagtagumpay", "{0} update": "{0} ang iuupdate", - "{0} updates are available": "May {0} available na update", "{0} was {1} successfully!": "{0} ay {1} nang tuluyan", "{0} weeks": "{0} linggo", "{0} years": "{0} taon", "{0} {1} failed": "Ang package na {0} ay nabigong i-{1}", - "{package} Installation": "Installation ng {package}", - "{package} Uninstall": "Uninstall ng {package}", - "{package} Update": "Update ng {package}", - "{package} could not be installed": "Hindi ma-install ang {package}", - "{package} could not be uninstalled": "Hindi ma-uninstall ang {package}", - "{package} could not be updated": "Hindi ma-update ang {package}", "{package} installation failed": "Pumalya ang installation ng {package}", - "{package} installer could not be downloaded": "Hindi ma-download ang installer ng {package}", - "{package} installer download": "Pag-download ng installer ng {package}", - "{package} installer was downloaded successfully": "Matagumpay na na-download ang installer ng {package}", "{package} uninstall failed": "Pumalya ang uninstall ng {package}", "{package} update failed": "Pumalya ang update ng {package}", "{package} update failed. Click here for more details.": "Pumalya ang update ng {package}. I-click dito para sa higit pang detalye.", - "{package} was installed successfully": "Matagumpay na na-install ang {package}", - "{package} was uninstalled successfully": "Matagumpay na na-uninstall ang {package}", - "{package} was updated successfully": "Matagumpay na na-update ang {package}", - "{pcName} installed packages": "Mga naka-install na package sa {pcName}", "{pm} could not be found": "Hindi makita ang {pm}", "{pm} found: {state}": "Nakita ang {pm}: {state}", - "{pm} is disabled": "Naka-disable ang {pm}", - "{pm} is enabled and ready to go": "Naka-enable ang {pm} at handa nang gamitin", "{pm} package manager specific preferences": "Mga preference na partikular sa package manager na {pm}", "{pm} preferences": "Mga preference ng {pm}", - "{pm} version:": "Bersyon ng {pm}:", - "{pm} was not found!": "Hindi nakita ang {pm}!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Kumusta, Martí ang pangalan ko, at ako ang developer ng UniGetUI. Ginawa ko ang UniGetUI nang buo sa libreng oras ko!", + "Thank you ❤": "Salamat ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Walang kaugnayan ang proyektong ito sa opisyal na proyekto ng {0} — ganap itong hindi opisyal." } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_th.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_th.json index ec1444cb81..6261ffd2f5 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_th.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_th.json @@ -1,155 +1,737 @@ { + "Operation in progress": "กำลังดำเนินการ", + "Please wait...": "กรุณารอสักครู่...", + "Success!": "สำเร็จ!", + "Failed": "ล้มเหลว", + "An error occurred while processing this package": "มีข้อผิดพลาดเกิดขึ้นขณะประมวลผลแพ็กเกจนี้", + "Log in to enable cloud backup": "ลงชื่อเข้าใช้เพื่อสำรองข้อมูลบนคลาวด์", + "Backup Failed": "การสำรองข้อมูลล้มเหลว", + "Downloading backup...": "กำลังดาวน์โหลดข้อมูลสำรอง...", + "An update was found!": "พบการอัปเดต!", + "{0} can be updated to version {1}": "{0} สามารถอัปเดตเป็นเวอร์ชัน {1}", + "Updates found!": "พบอัปเดต!", + "{0} packages can be updated": "{0} แพ็กเกจสามารถอัปเดตได้", + "You have currently version {0} installed": "ขณะนี้คุณได้ติดตั้งเวอร์ชัน {0} แล้ว", + "Desktop shortcut created": "สร้างทางลัดบนเดสก์ท็อปแล้ว", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ตรวจพบทางลัดบนเดสก์ท็อปใหม่ที่สามารถลบโดยอัตโนมัติได้", + "{0} desktop shortcuts created": "{0} ทางลัดบนเดสก์ท็อป ถูกสร้างแล้ว", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ตรวจพบทางลัดบนเดสก์ท็อปใหม่ {0} รายการที่สามารถลบโดยอัตโนมัติได้", + "Are you sure?": "คุณแน่ใจใช่ไหม", + "Do you really want to uninstall {0}?": "คุณต้องการถอนการติดตั้ง {0} ใช่ไหม", + "Do you really want to uninstall the following {0} packages?": "คุณต้องการถอนการติดตั้ง {0} แพ็กเกจต่อไปนี้หรือไม่", + "No": "ไม่", + "Yes": "ใช่", + "View on UniGetUI": "ดูบน UnigetUI", + "Update": "อัปเดต", + "Open UniGetUI": "เปิด UniGetUI", + "Update all": "อัปเดตทั้งหมด", + "Update now": "อัปเดตทันที", + "This package is on the queue": "แพ็กเกจนี้อยู่ในคิว", + "installing": "กำลังติดตั้ง", + "updating": "กำลังอัปเดต", + "uninstalling": "กำลังถอนการติดตั้ง", + "installed": "ติดตั้งสำเร็จ", + "Retry": "ลองใหม่อีกครั้ง", + "Install": "ติดตั้ง", + "Uninstall": "ถอนการติดตั้ง", + "Open": "เปิด", + "Operation profile:": "โปรไฟล์การดำเนินการ:", + "Follow the default options when installing, upgrading or uninstalling this package": "ใช้ตัวเลือกเริ่มต้นเมื่อติดตั้ง อัปเกรด หรือถอนการติดตั้งแพ็กเกจนี้", + "The following settings will be applied each time this package is installed, updated or removed.": "การตั้งค่าต่อไปนี้จะถูกนำไปใช้ทุกครั้งที่ติดตั้ง อัปเดต หรือลบแพ็กเกจนี้", + "Version to install:": "เวอร์ชันที่จะทำการติดตั้ง:", + "Architecture to install:": "สถาปัตยกรรมที่จะทำการติดตั้ง:", + "Installation scope:": "ขอบเขตการติดตั้ง:", + "Install location:": "ตำแหน่งติดตั้ง:", + "Select": "เลือก", + "Reset": "รีเซ็ต", + "Custom install arguments:": "อาร์กิวเมนต์การติดตั้งแบบกำหนดเอง:", + "Custom update arguments:": "อาร์กิวเมนต์การอัปเดตแบบกำหนดเอง:", + "Custom uninstall arguments:": "อาร์กิวเมนต์การถอนการติดตั้งแบบกำหนดเอง:", + "Pre-install command:": "คำสั่งก่อนการติดตั้ง:", + "Post-install command:": "คำสั่งหลังการติดตั้ง:", + "Abort install if pre-install command fails": "ยกเลิกการติดตั้งหากคำสั่ง pre-install ล้มเหลว", + "Pre-update command:": "คำสั่งก่อนการอัปเดต:", + "Post-update command:": "คำสั่งหลังการอัปเดต:", + "Abort update if pre-update command fails": "ยกเลิกการอัปเดตหากคำสั่งก่อนการอัปเดตล้มเหลว", + "Pre-uninstall command:": "คำสั่งก่อนการถอนการติดตั้ง:", + "Post-uninstall command:": "คำสั่งหลังการถอนการติดตั้ง:", + "Abort uninstall if pre-uninstall command fails": "ยกเลิกการถอนการติดตั้งหากคำสั่ง pre-uninstall ล้มเหลว", + "Command-line to run:": "บรรทัดคำสั่งที่จะรัน:", + "Save and close": "บันทึกและปิด", + "Run as admin": "รันด้วยสิทธิ์ผู้ดูแลระบบ", + "Interactive installation": "ติดตั้งแบบอินเตอร์แอคทีฟ", + "Skip hash check": "ข้ามการตรวจสอบแฮช", + "Uninstall previous versions when updated": "ถอนการติดตั้งเวอร์ชันก่อนหน้าเมื่อมีการอัปเดต", + "Skip minor updates for this package": "ข้ามการอัปเดตย่อยสำหรับแพ็กเกจนี้", + "Automatically update this package": "อัปเดตแพ็กเกจนี้โดยอัตโนมัติ", + "{0} installation options": "{0} ตัวเลือกการติดตั้ง", + "Latest": "ล่าสุด", + "PreRelease": "ก่อนเผยแพร่", + "Default": "ค่าเริ่มต้น", + "Manage ignored updates": "จัดการการอัปเดตที่ถูกละเว้น", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "แพ็กเกจที่มีรายชื่อดังต่อไปนี้จะไม่ถูกตรวจสอบการอัปเดต ดับเบิลคลิกที่รายชื่อหรือคลิกที่ปุ่มทางด้านขวาของรายชื่อเพื่อยกเลิกการละเว้นการอัปเดตรายการนั้น", + "Reset list": "รีเซ็ตรายการ", + "Package Name": "ชื่อแพ็กเกจ", + "Package ID": "แพ็กเกจ ID", + "Ignored version": "เวอร์ชันที่ถูกละเว้น", + "New version": "เวอร์ชันใหม่", + "Source": "ซอร์ซ", + "All versions": "เวอร์ชันทั้งหมด", + "Unknown": "ไม่ทราบ", + "Up to date": "อัพเดทล่าสุด", + "Cancel": "ยกเลิก", + "Administrator privileges": "สิทธิ์ผู้ดูแลระบบ", + "This operation is running with administrator privileges.": "การดำเนินการนี้กำลังทำงานด้วยสิทธิ์ผู้ดูแลระบบ", + "Interactive operation": "การดำเนินการแบบโต้ตอบ", + "This operation is running interactively.": "การดำเนินการนี้กำลังทำงานแบบโต้ตอบ", + "You will likely need to interact with the installer.": "คุณอาจต้องโต้ตอบกับตัวติดตั้ง", + "Integrity checks skipped": "ข้ามขั้นตอนการตรวจสอบ", + "Proceed at your own risk.": "โปรดดำเนินการโดยยอมรับความเสี่ยงด้วยตนเอง", + "Close": "ปิด", + "Loading...": "กำลังโหลด...", + "Installer SHA256": "SHA256 ของตัวติดตั้ง", + "Homepage": "เว็บไซต์", + "Author": "ผู้จัดทำ", + "Publisher": "ผู้เผยแพร่", + "License": "ลิขสิทธ์", + "Manifest": "แมนิเฟสต์", + "Installer Type": "ประเภทการติดตั้ง", + "Size": "ขนาด", + "Installer URL": "URL ติดตั้ง", + "Last updated:": "อัปเดตล่าสุด:", + "Release notes URL": "URL บันทึกประจำเวอร์ชัน", + "Package details": "รายละเอียดแพ็กเกจ", + "Dependencies:": "การอ้างอิง:", + "Release notes": "รายละเอียดการปรับปรุง", + "Version": "เวอร์ชัน", + "Install as administrator": "ติดตั้งในฐานะผู้ดูแลระบบ", + "Update to version {0}": "อัปเดตเป็นเวอร์ชัน {0}", + "Installed Version": "เวอร์ชันที่ติดตั้ง", + "Update as administrator": "อัปเดตในฐานะผู้ดูแลระบบ", + "Interactive update": "การอัปเดตแบบอินเตอร์แอคทีฟ", + "Uninstall as administrator": "ถอนการติดตั้งในฐานะผู้ดูแลระบบ", + "Interactive uninstall": "การถอนการติดตั้งแบบอินเตอร์แอคทีฟ", + "Uninstall and remove data": "ถอนการติดตั้งและลบข้อมูล", + "Not available": "ไม่มีข้อมูล", + "Installer SHA512": "SHA512 ของตัวติดตั้ง", + "Unknown size": "ไม่ทราบขนาด", + "No dependencies specified": "ไม่ได้ระบุการอ้างอิงไว้", + "mandatory": "บังคับ", + "optional": "ไม่บังคับ", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} พร้อมสำหรับการติดตั้ง", + "The update process will start after closing UniGetUI": "กระบวนการอัปเดตจะเริ่มหลังจากปิด UniGetUI", + "Share anonymous usage data": "แชร์ข้อมูลการใช้งานแบบไม่ระบุตัวตน", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI เก็บรวบรวมข้อมูลการใช้งานแบบไม่ระบุตัวตนเพื่อปรับปรุงประสบการณ์ของผู้ใช้", + "Accept": "ยอมรับ", + "You have installed WingetUI Version {0}": "คุณได้ติดตั้ง UniGetUI เวอร์ชัน {0} แล้ว", + "Disclaimer": "คำสงวนสิทธิ์", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ไม่ได้มีส่วนเกี่ยวข้องกับตัวจัดการแพ็กเกจที่เข้ากันได้ใด ๆ UniGetUI เป็นโครงการอิสระ", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI คงไม่เกิดขึ้นหากไม่ได้รับความช่วยเหลือจากผู้ที่มีส่วนช่วย ขอบคุณทุกท่าน 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ใช้ไลบรารีดังต่อไปนี้ UniGetUI คงไม่อาจเกิดขึ้นได้หากไม่มีไลบรารีเหล่านี้", + "{0} homepage": "เว็บไซต์ {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI ได้รับการแปลเป็นภาษาต่าง ๆ มากกว่า 40 ภาษา ต้องขอบคุณอาสาสมัครนักแปลทุกท่าน ขอบคุณ🤝", + "Verbose": "รายละเอียด", + "1 - Errors": "1 - ข้อผิดพลาด", + "2 - Warnings": "2 - คำเตือน", + "3 - Information (less)": "3 - ข้อมูล (ย่อ)", + "4 - Information (more)": "4 - ข้อมูล (ละเอียด)", + "5 - information (debug)": "5 - ข้อมูล (ดีบั๊ก)", + "Warning": "คำเตือน", + "The following settings may pose a security risk, hence they are disabled by default.": "การตั้งค่าต่อไปนี้อาจก่อให้เกิดความเสี่ยงด้านความปลอดภัยจึงถูกปิดไว้โดยเริ่มต้น", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "เปิดตัวเลือกการตั้งค่านี้ก็ต่อเมื่อคุณเข้าใจว่าสิ่งนี้ใช้ทำอะไรและผลข้างเคียงและอันตรายที่อาจเกิดขึ้น", + "The settings will list, in their descriptions, the potential security issues they may have.": "การตั้งค่าจะระบุปัญหาด้านความปลอดภัยที่อาจเกิดขึ้นไว้ในคำอธิบายของแต่ละรายการ", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "การสำรองข้อมูลจะรวมถึงรายการทั้งหมดของแพ็กเกจที่ติดตั้ง และการตั้งค่าการติดตั้งของแพ็กเกจนั้นทั้งหมด การอัปเดตที่ถูกละเว้น และเวอร์ชันที่ข้ามไปจะถูกบันทึกไว้ด้วย", + "The backup will NOT include any binary file nor any program's saved data.": "การสำรองข้อมูลจะไม่รวมถึงไฟล์ที่เป็นไบนารีหรือข้อมูลที่บันทึกไว้ของโปรแกรมใด ๆ", + "The size of the backup is estimated to be less than 1MB.": "ขนาดของไฟล์สำรองคาดว่าจะน้อยกว่า 1MB", + "The backup will be performed after login.": "การสำรองข้อมูลจะทำงานหลังจากเข้าสู่ระบบ", + "{pcName} installed packages": "แพ็กเกจที่ติดตั้งใน {pcName} แล้ว", + "Current status: Not logged in": "สถานะตอนนี้: ยังไม่ได้ลงชื่อเข้าใช้", + "You are logged in as {0} (@{1})": "ลงชื่อเข้าใช้ในชื่อ {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "ยอดเยี่ยม! ข้อมูลสำรองจะถูกอัปโหลดไปยัง gist ส่วนตัวในบัญชีของคุณ", + "Select backup": "เลือกข้อมูลสำรอง", + "WingetUI Settings": "การตั้งค่า UniGetUI", + "Allow pre-release versions": "อนุญาตเวอร์ชันก่อนใช้งานจริง (pre-release)", + "Apply": "ใช้", + "Go to UniGetUI security settings": "ไปยังการตั้งค่าความปลอดภัยของ UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "การตั้งค่าต่อไปนี้จะถูกนำไปใช้ทุกครั้งที่ติดตั้ง อัปเดต หรือลบแพ็กเกจ {0}", + "Package's default": "ค่าเริ่มต้นของแพ็กเกจ", + "Install location can't be changed for {0} packages": "ไม่สามารถเปลี่ยนตำแหน่งการติดตั้งสำหรับแพ็กเกจ {0}", + "The local icon cache currently takes {0} MB": "แคชไอคอนภายในเครื่องปัจจุบันใช้พื้นที่ {0} MB", + "Username": "บัญชีผู้ใช้", + "Password": "รหัสผ่าน", + "Credentials": "ข้อมูลรับรอง (Credentials)", + "Partially": "บางส่วน", + "Package manager": "ตัวจัดการแพ็กเกจ", + "Compatible with proxy": "รองรับพร็อกซี", + "Compatible with authentication": "เข้ากันได้กับระบบ authentication", + "Proxy compatibility table": "ตารางความเข้ากันได้ของพร็อกซี", + "{0} settings": "{0} การตั้งค่า", + "{0} status": "{0} สถานะ", + "Default installation options for {0} packages": "ตัวเลือกการติดตั้งเริ่มต้นสำหรับแพ็กเกจ {0}", + "Expand version": "ขยายข้อมูลเวอร์ชัน", + "The executable file for {0} was not found": "ไม่พบไฟล์ปฏิบัติการสำหรับ {0}", + "{pm} is disabled": "{pm} ถูกปิดใช้งาน", + "Enable it to install packages from {pm}.": "เปิดใช้งานเพื่อติดตั้งแพ็กเกจจาก {pm}", + "{pm} is enabled and ready to go": "{pm} ถูกเปิดใช้งานและพร้อมใช้งานแล้ว", + "{pm} version:": "{pm} เวอร์ชัน:", + "{pm} was not found!": "ไม่พบ {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "คุณจำเป็นต้องติดตั้ง {pm} เพื่อใช้งานร่วมกับ UniGetUI", + "Scoop Installer - WingetUI": "ตัวติดตั้ง Scoop - UniGetUI", + "Scoop Uninstaller - WingetUI": "ตัวถอนการติดตั้ง Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "กำลังล้างแคช Scoop - UniGetUI", + "Restart UniGetUI": "รีสตาร์ท UniGetUI", + "Manage {0} sources": "จัดการ {0} แหล่งข้อมูล", + "Add source": "เพิ่มซอร์ซ", + "Add": "เพิ่ม", + "Other": "อื่น ๆ", + "1 day": "1 วัน", + "{0} days": "{0} วัน", + "{0} minutes": "{0} นาที", + "1 hour": "1 ชั่วโมง", + "{0} hours": "{0} ชั่วโมง", + "1 week": "1 สัปดาห์", + "WingetUI Version {0}": "UniGetUI เวอร์ชัน {0}", + "Search for packages": "ค้นหาแพ็กเกจ", + "Local": "เฉพาะที่", + "OK": "โอเค", + "{0} packages were found, {1} of which match the specified filters.": "พบแพ็กเกจ {0} รายการ โดยแพ็กเกจ {1} รายการตรงกับตัวกรองที่ระบุไว้", + "{0} selected": "เลือกแล้ว {0}", + "(Last checked: {0})": "(ตรวจสอบล่าสุด: {0})", + "Enabled": "เปิดใช้งาน", + "Disabled": "ปิดใช้งาน", + "More info": "ข้อมูลเพิ่มเติม", + "Log in with GitHub to enable cloud package backup.": "ลงชื่อเข้าใช้ด้วย GitHub เพื่อสำรองข้อมูลแพ็กเกจบนคลาวด์", + "More details": "รายละเอียดเพิ่มเติม", + "Log in": "ลงชื่อเข้าใช้", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "หากคุณเปิดใช้งานการสำรองข้อมูลบนคลาวด์ ข้อมูลจะถูกบันทึกเป็น GitHub Gist ในบัญชีนี้", + "Log out": "ออกจากระบบ", + "About": "เกี่ยวกับ", + "Third-party licenses": "ใบอนุญาตของบุคคลภายนอก", + "Contributors": "ผู้ที่มีส่วนช่วย", + "Translators": "ผู้แปล", + "Manage shortcuts": "จัดการทางลัด", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ตรวจพบทางลัดบนเดสก์ท็อปต่อไปนี้ซึ่งสามารถลบโดยอัตโนมัติได้ในการอัปเกรดครั้งถัดไป", + "Do you really want to reset this list? This action cannot be reverted.": "คุณแน่ใจที่จะรีเซ็ตรายการนี้หรือไม่? การกระทำนี้ไม่สามารถเรียกคืนได้", + "Remove from list": "ลบออกจากรายการ", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "เมื่อตรวจพบทางลัดใหม่ ให้ลบโดยอัตโนมัติแทนการแสดงกล่องโต้ตอบนี้", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI เก็บรวบรวมข้อมูลการใช้งานแบบไม่ระบุตัวตนเพื่อจุดประสงค์เดียวในการทำความเข้าใจและปรับปรุงประสบการณ์ของผู้ใช้", + "More details about the shared data and how it will be processed": "รายละเอียดเพิ่มเติมเกี่ยวกับข้อมูลที่ใช้ร่วมกันและวิธีการประมวลผล", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "คุณยินยอมให้ UniGetUI เก็บและส่งข้อมูลสถิติการใช้งานแบบไม่เปิดเผยตัวตน เพื่อจุดประสงค์ในการพัฒนาและปรับปรุงประสบการณ์ของผู้ใช้ หรือไม่?", + "Decline": "ปฏิเสธ", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "ไม่มีการเก็บรวบรวมหรือส่งข้อมูลส่วนบุคคล และข้อมูลที่เก็บรวบรวมจะถูกทำให้ไม่ระบุตัวตน จึงไม่สามารถติดตามกลับไปถึงคุณได้", + "About WingetUI": "เกี่ยวกับ UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI เป็นแอปพลิเคชันที่ทำให้การจัดการซอฟต์แวร์ของคุณง่ายขึ้น โดยมอบอินเทอร์เฟซผู้ใช้แบบกราฟิกที่ครอบคลุมสำหรับตัวจัดการแพ็กเกจบรรทัดคำสั่งของคุณ", + "Useful links": "ลิงก์ที่เป็นประโยชน์", + "Report an issue or submit a feature request": "รายงานปัญหาหรือส่งคำขอคุณสมบัติใหม่", + "View GitHub Profile": "ดูโปรไฟล์ GitHub", + "WingetUI License": "ใบอนุญาต UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "การใช้ UniGetUI ถือว่าเป็นการการยอมรับสัญญาอนุญาตเอ็มไอที (MIT License)", + "Become a translator": "มาเป็นผู้แปล", + "View page on browser": "ดูหน้านี้บนเบราว์เซอร์", + "Copy to clipboard": "คัดลอกไปยังคลิปบอร์ด", + "Export to a file": "ส่งออกไปยังไฟล์", + "Log level:": "ระดับบันทึก:", + "Reload log": "รีโหลดบันทึก", + "Text": "ข้อความ", + "Change how operations request administrator rights": "เปลี่ยนวิธีที่การดำเนินการขอสิทธิ์ผู้ดูแลระบบ", + "Restrictions on package operations": "ข้อจำกัดของการดำเนินการแพ็กเกจ", + "Restrictions on package managers": "ข้อจำกัดของตัวจัดการแพ็กเกจ", + "Restrictions when importing package bundles": "ข้อจำกัดเมื่อนำเข้าบันเดิลแพ็กเกจ", + "Ask for administrator privileges once for each batch of operations": "ขอสิทธิ์ผู้ดูแลระบบหนึ่งครั้งสำหรับการดำเนินการแต่ละชุด", + "Ask only once for administrator privileges": "ขอสิทธิ์ผู้ดูแลระบบครั้งเดียวเท่านั้น", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "ห้ามการยกระดับสิทธิ์ทุกรูปแบบผ่าน UniGetUI Elevator หรือ GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "ตัวเลือกนี้จะก่อให้เกิดปัญหาอย่างแน่นอน การดำเนินการใดก็ตามที่ไม่สามารถยกระดับสิทธิ์ตัวเองได้จะล้มเหลว การติดตั้ง/อัปเดต/ถอนการติดตั้งแบบผู้ดูแลระบบจะไม่ทำงาน", + "Allow custom command-line arguments": "อนุญาตอาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเอง", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "อาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองสามารถเปลี่ยนวิธีการติดตั้ง อัปเกรด หรือถอนการติดตั้งโปรแกรมในแบบที่ UniGetUI ไม่สามารถควบคุมได้ การใช้บรรทัดคำสั่งแบบกำหนดเองอาจทำให้แพ็กเกจเสียหายได้ โปรดดำเนินการด้วยความระมัดระวัง", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "อนุญาตให้รันคำสั่งก่อนติดตั้งและหลังติดตั้งแบบกำหนดเอง", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "คำสั่งก่อนและหลังการติดตั้งจะถูกรันก่อนและหลังจากที่แพ็กเกจได้รับการติดตั้ง อัปเกรด หรือถอนการติดตั้ง โปรดทราบว่าคำสั่งเหล่านี้อาจทำให้ระบบเสียหายได้หากไม่ได้ใช้อย่างระมัดระวัง", + "Allow changing the paths for package manager executables": "อนุญาตให้เปลี่ยนเส้นทางสำหรับไฟล์ปฏิบัติการของตัวจัดการแพ็กเกจ", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "การเปิดใช้สิ่งนี้จะทำให้สามารถเปลี่ยนไฟล์ปฏิบัติการที่ใช้โต้ตอบกับตัวจัดการแพ็กเกจได้ แม้ว่าจะช่วยให้ปรับแต่งกระบวนการติดตั้งได้ละเอียดขึ้น แต่อาจเป็นอันตรายได้เช่นกัน", + "Allow importing custom command-line arguments when importing packages from a bundle": "อนุญาตให้นำเข้าอาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองเมื่อทำการนำเข้าพ็กเกจจากบันเดิล", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "อาร์กิวเมนต์บรรทัดคำสั่งที่ไม่ถูกต้องอาจทำให้แพ็กเกจเสียหาย หรือแม้แต่เปิดทางให้ผู้ไม่ประสงค์ดีได้รับสิทธิ์ยกระดับการทำงานได้ ดังนั้นการนำเข้าอาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองจึงถูกปิดใช้งานตามค่าเริ่มต้น", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "อนุญาตให้นำเข้าคำสั่งก่อนติดตั้งและหลังติดตั้งแบบกำหนดเองเมื่อทำการนำเข้าพัสดุพ็กเกจ (bundle)", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "คำสั่งก่อนและหลังการติดตั้งสามารถทำสิ่งที่เป็นอันตรายต่ออุปกรณ์ของคุณได้ หากถูกออกแบบมาเพื่อทำเช่นนั้น การนำเข้าคำสั่งจากบันเดิลอาจเป็นอันตรายมาก เว้นแต่คุณจะเชื่อถือแหล่งที่มาของบันเดิลแพ็กเกจนั้น", + "Administrator rights and other dangerous settings": "การอนุญาตผู้ดูแลระบบและการตั้งค่าที่อันตราย", + "Package backup": "การสำรองข้อมูลแพ็กเกจ", + "Cloud package backup": "การสำรองข้อมูลแพ็กเกจบนคลาวด์", + "Local package backup": "การสำรองข้อมูลแพ็กเกจภายในเครื่อง", + "Local backup advanced options": "ตัวเลือกขั้นสูงของการสำรองข้อมูลภายในเครื่อง", + "Log in with GitHub": "ลงชื่อเข้าใช้ด้วย GitHub", + "Log out from GitHub": "ออกจากระบบ GitHub", + "Periodically perform a cloud backup of the installed packages": "สำรองข้อมูลแพ็กเกจที่ติดตั้งแล้วบนคลาวด์เป็นระยะ", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "การสำรองข้อมูลบนคลาวด์ใช้ GitHub Gist ส่วนตัวเพื่อเก็บรายการแพ็กเกจที่ติดตั้ง", + "Perform a cloud backup now": "สำรองข้อมูลบนคลาวด์เดี๋ยวนี้", + "Backup": "สำรองข้อมูล", + "Restore a backup from the cloud": "กู้คืนข้อมูลสำรองจากคลาวด์", + "Begin the process to select a cloud backup and review which packages to restore": "เริ่มกระบวนการเลือกข้อมูลสำรองบนคลาวด์และตรวจสอบว่าจะกู้คืนแพ็กเกจใด", + "Periodically perform a local backup of the installed packages": "สำรองข้อมูลแพ็กเกจที่ติดตั้งแล้วในเครื่องเป็นระยะ", + "Perform a local backup now": "สำรองข้อมูลในเครื่องเดี๋ยวนี้", + "Change backup output directory": "เปลี่ยนไดเร็กทอรีเอาท์พุตของการสำรองข้อมูล", + "Set a custom backup file name": "ตั้งชื่อไฟล์สำรองข้อมูลเอง", + "Leave empty for default": "เว้นว่างไว้เพื่อใช้ค่าเริ่มต้น", + "Add a timestamp to the backup file names": "เพิ่มการบันทึกเวลาในชื่อไฟล์สำรองข้อมูล", + "Backup and Restore": "สำรองข้อมูลและกู้คืน", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "เปิดใช้งาน API พื้นหลัง (Widgets สำหรับ UniGetUI และการแชร์ พอร์ต 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "รอให้อุปกรณ์เชื่อมต่ออินเทอร์เน็ตก่อนที่จะพยายามทำงานที่ต้องใช้การเชื่อมต่ออินเทอร์เน็ต", + "Disable the 1-minute timeout for package-related operations": "ปิดใช้งานการหมดเวลา 1 นาทีในการดำเนินการแพ็กเกจ", + "Use installed GSudo instead of UniGetUI Elevator": "ใช้ GSudo ที่ติดตั้งไว้แทน UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "ใช้ URL ของฐานข้อมูลไอคอนและสกรีนช็อตที่กำหนดเอง", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "เปิดใช้งานการปรับปรุงประสิทธิภาพการใช้ CPU ในพื้นหลัง (อ่านเพิ่มเติมที่ Pull Request #3278)", + "Perform integrity checks at startup": "ดำเนินการตรวจสอบความสมบูรณ์เมื่อเริ่มต้นระบบ", + "When batch installing packages from a bundle, install also packages that are already installed": "เมื่อติดตั้งแพ็กเกจเป็นชุดจากบันเดิล ให้ติดตั้งแพ็กเกจที่ติดตั้งไว้แล้วด้วย", + "Experimental settings and developer options": "การตั้งค่าการทดลองและการตั้งค่าสำหรับนักพัฒนา", + "Show UniGetUI's version and build number on the titlebar.": "แสดงเวอร์ชันและหมายเลขบิลด์ของ UniGetUI บนแถบชื่อเรื่อง", + "Language": "ภาษา", + "UniGetUI updater": "ตัวอัปเดต UniGetUI", + "Telemetry": "ข้อมูลการใช้งาน", + "Manage UniGetUI settings": "จัดการการตั้งค่า UniGetUI", + "Related settings": "การตั้งค่าที่เกี่ยวข้อง", + "Update WingetUI automatically": "อัปเดต UniGetUI โดยอัตโนมัติ", + "Check for updates": "ตรวจสอบการอัปเดต", + "Install prerelease versions of UniGetUI": "ติดตั้งพรีเวอร์ชัน (Pre-Release) ของ UniGetUI", + "Manage telemetry settings": "จัดการการตั้งค่า telemetry", + "Manage": "จัดการ", + "Import settings from a local file": "นำเข้าการตั้งค่าจากไฟล์ในเครื่อง", + "Import": "นำเข้า", + "Export settings to a local file": "ส่งออกการตั้งค่าไปยังไฟล์ในเครื่อง", + "Export": "ส่งออก", + "Reset WingetUI": "รีเซ็ต UniGetUI", + "Reset UniGetUI": "รีเซ็ต UniGetUI", + "User interface preferences": "การตั้งค่าอินเตอร์เฟซผู้ใช้", + "Application theme, startup page, package icons, clear successful installs automatically": "ธีมแอปพลิเคชัน, หน้าเริ่มต้น, ไอคอนแพ็กเกจ, ล้างการติดตั้งที่สำเร็จโดยอัตโนมัติ", + "General preferences": "การตั้งค่า", + "WingetUI display language:": "ภาษาที่แสดงใน UniGetUI:", + "Is your language missing or incomplete?": "ไม่พบภาษาของคุณหรือการแปลในภาษาของคุณยังไม่สมบูรณ์ใช่ไหม", + "Appearance": "การแสดงผล", + "UniGetUI on the background and system tray": "UniGetUI ในพื้นหลังและถาดระบบ", + "Package lists": "รายการแพ็กเกจ", + "Close UniGetUI to the system tray": "ย่อ UniGetUI ไปที่แถบไอคอน", + "Show package icons on package lists": "แสดงแพ็คเกจไอค่อนในรายการแพ็คแกจ", + "Clear cache": "ล้างแคช", + "Select upgradable packages by default": "เลือกแพ็กเกจที่อัปเกรดได้ตามค่าเริ่มต้น", + "Light": "สว่าง", + "Dark": "มืด", + "Follow system color scheme": "ตามธีมของระบบ", + "Application theme:": "ธีม:", + "Discover Packages": "ค้นหาแพ็กเกจ", + "Software Updates": "การอัปเดต​ซอฟต์แวร์", + "Installed Packages": "แพ็กเกจที่ติดตั้ง", + "Package Bundles": "แพ็กเกจบันเดิล", + "Settings": "การตั้งค่า", + "UniGetUI startup page:": "หน้าเริ่มต้นของ UniGetUI:", + "Proxy settings": "การตั้งค่าพร็อกซี", + "Other settings": "การตั้งค่าอื่นๆ", + "Connect the internet using a custom proxy": "เชื่อมต่ออินเทอร์เน็ตโดยใช้พร็อกซี่กำหนดเอง", + "Please note that not all package managers may fully support this feature": "โปรดทราบว่าอาจมีตัวจัดการแพ็กเกจบางตัวที่ไม่รองรับฟีเจอร์นี้อย่างสมบูรณ์", + "Proxy URL": "URL ของพร็อกซี", + "Enter proxy URL here": "กรอก URL ของ proxy ที่นี่", + "Package manager preferences": "การตั้งค่าตัวจัดการแพ็กเกจ", + "Ready": "พร้อม", + "Not found": "ไม่พบ", + "Notification preferences": "การตั้งค่าการแจ้งเตือน", + "Notification types": "ประเภทการแจ้งเตือน", + "The system tray icon must be enabled in order for notifications to work": "ต้องเปิดใช้งานไอคอนถาดระบบเพื่อให้การแจ้งเตือนทำงานได้", + "Enable WingetUI notifications": "เปิดการแจ้งเตือน UniGetUI", + "Show a notification when there are available updates": "แสดงการแจ้งเตือนเมื่อพบอัปเดต", + "Show a silent notification when an operation is running": "แสดงการแจ้งเตือนแบบเงียบเมื่อมีการดำเนินการอยู่", + "Show a notification when an operation fails": "แสดงการแจ้งเตือนเมื่อการดำเนินการล้มเหลว", + "Show a notification when an operation finishes successfully": "แสดงการแจ้งเตือนเมื่อการดำเนินการเสร็จสิ้นสำเร็จ", + "Concurrency and execution": "การทำงานพร้อมกันและการดำเนินการ", + "Automatic desktop shortcut remover": "เครื่องมือลบทางลัดหน้าจออัตโนมัติ", + "Clear successful operations from the operation list after a 5 second delay": "ล้างการดำเนินการที่สำเร็จออกจากรายการ หลังจากเวลาผ่านไป 5 วินาที", + "Download operations are not affected by this setting": "การดาวน์โหลดไม่ได้รับผลกระทบจากการตั้งค่านี้", + "Try to kill the processes that refuse to close when requested to": "พยายามปิดโปรเซสที่ปฏิเสธการปิดเมื่อมีการร้องขอ", + "You may lose unsaved data": "คุณอาจสูญเสียข้อมูลที่ยังไม่ได้บันทึก", + "Ask to delete desktop shortcuts created during an install or upgrade.": "สอบถามการลบทางลัดเดสก์ท็อปที่สร้างจากการติดตั้งหรืออัปเกรด", + "Package update preferences": "การตั้งค่าการอัปเดตแพ็กเกจ", + "Update check frequency, automatically install updates, etc.": "ความถี่ในการตรวจสอบการอัปเดต ติดตั้งการอัปเดตอัตโนมัติ และอื่น ๆ", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "ลดการแจ้งเตือน UAC ยกระดับการติดตั้งตามค่าเริ่มต้น ปลดล็อกฟีเจอร์อันตรายบางอย่าง และอื่น ๆ", + "Package operation preferences": "การตั้งค่าการดำเนินการแพ็กเกจ", + "Enable {pm}": "เปิด {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "ไม่พบไฟล์ที่คุณกำลังมองหาใช่ไหม ตรวจสอบให้แน่ใจว่าได้เพิ่มไฟล์นั้นลงใน path แล้ว", + "For security reasons, changing the executable file is disabled by default": "ด้วยเหตุผลด้านความปลอดภัย การเปลี่ยนไฟล์ปฏิบัติการจึงถูกปิดใช้งานตามค่าเริ่มต้น", + "Change this": "เปลี่ยนสิ่งนี้", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "เลือกไฟล์ปฏิบัติการที่จะใช้ รายการต่อไปนี้แสดงไฟล์ปฏิบัติการที่ UniGetUI พบ", + "Current executable file:": "ไฟล์ปฏิบัติการปัจจุบัน:", + "Ignore packages from {pm} when showing a notification about updates": "ละเว้นแพ็กเกจจาก {pm} เมื่อแสดงการแจ้งเตือนเกี่ยวกับการอัปเดต", + "View {0} logs": "ดูบันทึกของ {0}", + "Advanced options": "ตัวเลือกขั้นสูง", + "Reset WinGet": "รีเซ็ต WinGet", + "This may help if no packages are listed": "สิ่งนี้อาจช่วยได้หากไม่มีแพ็กเกจแสดงในรายการ", + "Force install location parameter when updating packages with custom locations": "บังคับใช้พารามิเตอร์ตำแหน่งการติดตั้งเมื่ออัปเดตแพ็กเกจที่มีตำแหน่งกำหนดเอง", + "Use bundled WinGet instead of system WinGet": "ใช้ WinGet ที่มากับโปรแกรมแทน WinGet ของระบบ", + "This may help if WinGet packages are not shown": "สิ่งนี้อาจช่วยได้หากแพ็กเกจ WinGet ไม่แสดง", + "Install Scoop": "ติดตั้ง Scoop", + "Uninstall Scoop (and its packages)": "ถอนการติดตั้ง Scoop (และแพ็กเกจ)", + "Run cleanup and clear cache": "เรียกใช้การล้างข้อมูลและล้างแคช", + "Run": "เรียกใช้", + "Enable Scoop cleanup on launch": "เปิดใช้งานการล้างข้อมูล Scoop เมื่อเปิดโปรแกรม", + "Use system Chocolatey": "ใช้ Chocolatey ในระบบ", + "Default vcpkg triplet": "vcpkg triplet ค่าเริ่มต้น", + "Language, theme and other miscellaneous preferences": "การตั้งค่าภาษา ธีม และการตั้งค่าอื่น ๆ ที่เกี่ยวข้อง", + "Show notifications on different events": "แสดงการแจ้งเตือนเกี่ยวกับเหตุการณ์ต่าง ๆ", + "Change how UniGetUI checks and installs available updates for your packages": "เปลี่ยนวิธีที่ UniGetUI ตรวจสอบและติดตั้งการอัปเดตที่พร้อมใช้งานสำหรับแพ็กเกจของคุณ", + "Automatically save a list of all your installed packages to easily restore them.": "บันทึกรายการแพ็กเกจทั้งหมดที่ติดตั้งไว้โดยอัตโนมัติเพื่อทำให้การกู้คืนง่ายขึ้น", + "Enable and disable package managers, change default install options, etc.": "เปิดหรือปิดใช้งานตัวจัดการแพ็กเกจ เปลี่ยนตัวเลือกการติดตั้งเริ่มต้น และอื่น ๆ", + "Internet connection settings": "การตั้งค่าการเชื่อมต่ออินเทอร์เน็ต", + "Proxy settings, etc.": "การตั้งค่าพร็อกซี และอื่น ๆ", + "Beta features and other options that shouldn't be touched": "คุณสมบัติเบต้าและตัวเลือกอื่น ๆ ที่ไม่ควรแตะต้อง", + "Update checking": "การตรวจสอบการอัปเดต", + "Automatic updates": "อัปเดตอัตโนมัติ", + "Check for package updates periodically": "ตรวจสอบการอัปเดตแพ็กเกจเป็นระยะ ๆ", + "Check for updates every:": "ตรวจสอบการอัปเดตทุก:", + "Install available updates automatically": "ติดตั้งการอัปเดตที่พร้อมใช้งานโดยอัตโนมัติ", + "Do not automatically install updates when the network connection is metered": "ไม่ติดตั้งการอัปเดตโดยอัตโนมัติเมื่อการเชื่อมต่อเครื่อข่ายคิดราคาการใช้งาน", + "Do not automatically install updates when the device runs on battery": "อย่าติดตั้งการอัปเดตโดยอัตโนมัติเมื่ออุปกรณ์กำลังใช้แบตเตอรี่", + "Do not automatically install updates when the battery saver is on": "ไม่ติดตั้งการอัปเดตโดยอัตโนมัติเมื่อเปิดโหมดประหยัดแบตเตอรี่", + "Change how UniGetUI handles install, update and uninstall operations.": "กำหนดวิธีการจัดการการติดตั้ง อัปเดต และการถอนการติดตั้งของ UniGetUI", + "Package Managers": "ตัวจัดการแพ็กเกจ", + "More": "เพิ่มเติม", + "WingetUI Log": "บันทึก UniGetUI", + "Package Manager logs": "บันทึกการทำงานของตัวจัดการแพ็กเกจ", + "Operation history": "ประวัติการดำเนินการ", + "Help": "ความช่วยเหลือ", + "Order by:": "เรียงลำดับโดย:", + "Name": "ชื่อ", + "Id": "ไอดี", + "Ascendant": "เด่นขึ้น", + "Descendant": "รายการย่อย", + "View mode:": "มุมมองการแสดงผล", + "Filters": "ฟิลเตอร์", + "Sources": "แหล่งข้อมูล", + "Search for packages to start": "ค้นหาแพ็กเกจเพื่อเริ่มต้น", + "Select all": "เลือกทั้งหมด", + "Clear selection": "ล้างการเลือก", + "Instant search": "ค้นหาทันที", + "Distinguish between uppercase and lowercase": "แยกความแตกต่างระหว่างตัวพิมพ์ใหญ่และตัวพิมพ์เล็ก", + "Ignore special characters": "ละเว้นอักขระพิเศษ", + "Search mode": "โหมดการค้นหา", + "Both": "ทั้งคู่", + "Exact match": "ตรงทั้งหมด", + "Show similar packages": "แสดงแพ็กเกจที่คล้ายกัน", + "No results were found matching the input criteria": "ไม่พบผลลัพธ์ที่ตรงกับเกณฑ์การค้นหา", + "No packages were found": "ไม่พบแพ็กเกจ", + "Loading packages": "กำลังโหลดแพ็กเกจ", + "Skip integrity checks": "ข้ามการตรวจสอบความสมบูรณ์", + "Download selected installers": "ดาวน์โหลดตัวติดตั้งที่เลือกไว้", + "Install selection": "ติดตั้งรายการที่เลือก", + "Install options": "ตัวเลือกการติดตั้ง", + "Share": "แชร์", + "Add selection to bundle": "เพิ่มรายการที่เลือกไว้ไปยังบันเดิล", + "Download installer": "ดาวน์โหลดตัวติดตั้ง", + "Share this package": "แชร์แพ็กเกจนี้", + "Uninstall selection": "ถอนการติดตั้งรายการที่เลือก", + "Uninstall options": "ตัวเลือกการถอนการติดตั้ง", + "Ignore selected packages": "ละเว้นแพ็กเกจที่เลือก", + "Open install location": "เปิด Path folder ที่ติดตั้งไป", + "Reinstall package": "ติดตั้งแพ็กเกจอีกรอบ", + "Uninstall package, then reinstall it": "ถอนการติดตั้งแพ็กเกจ แล้วติดตั้งใหม่", + "Ignore updates for this package": "ละเว้นการอัปเดตสำหรับแพ็กเกจนี้", + "Do not ignore updates for this package anymore": "เลิกเพิกเฉยการอัปเดตแพ็กเกจนี้", + "Add packages or open an existing package bundle": "เพิ่มแพ็กเกจหรือเปิดชุดแพ็กเกจ(บันเดิล) ที่มีอยู่", + "Add packages to start": "เพิ่มแพ็กเกจเพื่อเริ่มใช้งาน", + "The current bundle has no packages. Add some packages to get started": "บันเดิลปัจจุบันไม่มีแพ็กเกจ เพิ่มแพ็กเกจบางรายการเพื่อเริ่มต้น", + "New": "ใหม่", + "Save as": "บันทึกเป็น", + "Remove selection from bundle": "ลบรายการที่เลือกออกจากบันเดิล", + "Skip hash checks": "ข้ามการตรวจสอบแฮช", + "The package bundle is not valid": "บันเดิลแพ็กเกจไม่ถูกต้อง", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "บันเดิลที่คุณพยายามโหลดดูเหมือนจะไม่ถูกต้อง โปรดตรวจสอบไฟล์แล้วลองอีกครั้ง", + "Package bundle": "แพ็กเกจบันเดิล", + "Could not create bundle": "ไม่สามารถสร้างชุดแพ็กเกจ(บันเดิล)ได้", + "The package bundle could not be created due to an error.": "ไม่สามารถสร้างบันเดิลแพ็กเกจได้เนื่องจากเกิดข้อผิดพลาด", + "Bundle security report": "รายงานความปลอดภัยของบันเดิล", + "Hooray! No updates were found.": "ไชโย! ไม่พบการอัปเดต", + "Everything is up to date": "ทุกอย่างได้รับการอัปเดตแล้ว", + "Uninstall selected packages": "ถอนการติดตั้งแพ็กเกจที่เลือก", + "Update selection": "อัปเดตรายการที่เลือก", + "Update options": "ตัวเลือกการอัปเดต", + "Uninstall package, then update it": "ถอนการติดตั้งแพ็กเกจ แล้วทำการอัปเดต", + "Uninstall package": "ถอนการติดตั้งแพ็กเกจ", + "Skip this version": "ข้ามเวอร์ชันนี้", + "Pause updates for": "หยุดการอัปเดตชั่วคราวเป็นเวลา", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "ตัวจัดการแพ็กเกจ Rust
ประกอบด้วย: ไลบรารี Rust และโปรแกรมที่เขียนด้วย Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "ตัวจัดการแพ็กเกจสุดคลาสสิกสำหรับ Windows คุณสามารถหาทุกอย่างได้ที่นี่
ประกอบด้วย: ซอฟต์แวร์ทั่วไป", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "คลังข้อมูลที่เต็มไปด้วยเครื่องมือและโปรแกรมสั่งทำการที่ออกแบบมาโดยคำนึงถึงระบบนิเวศ .NET ของ Microsoft
ประกอบด้วย: เครื่องมือและสคริปต์ที่เกี่ยวข้องกับ .NET", + "NuPkg (zipped manifest)": "NuPkg (ไฟล์ Manifest ที่บีบอัด)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "ตัวจัดการแพ็กเกจ Node JS ที่เต็มไปด้วยไลบรารีและเครื่องมืออื่น ๆ ที่เกี่ยวข้องกับ JavaScript
ประกอบด้วย: ไลบรารี JavaScript และเครื่องมือที่เกี่ยวข้องอื่น ๆ", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "ตัวจัดการไลบรารีของ Python ที่เต็มไปด้วยไลบรารี Python และเครื่องมือที่เกี่ยวข้องกับ Python อื่น ๆ
ประกอบด้วย: ไลบรารี Python และเครื่องมือที่เกี่ยวข้องกับ Python", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "ตัวจัดการแพ็กเกจของ PowerShell ค้นหาไลบรารีและสคริปต์เพื่อเพิ่มขีดความสามารถของ PowerShell
ประกอบด้วย: โมดูล, สคริปต์, Cmdlets", + "extracted": "แตกไฟล์แล้ว", + "Scoop package": "แพ็กเกจ Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "คลังข้อมูลที่ยอดเยี่ยมของโปรแกรมอรรถประโยชน์ที่ไม่เป็นที่รู้จักแต่มีประโยชน์ และแพ็กเกจอื่น ๆ ที่น่าสนใจ
ประกอบด้วย: โปรแกรมอรรถประโยชน์ โปรแกรมบรรทัดคำสั่ง ซอฟต์แวร์ทั่วไป (ต้องมีบักเก็ตเพิ่มเติม)", + "library": "ไลบรารี", + "feature": "คุณสมบัติ", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ตัวจัดการไลบรารี C/C++ ยอดนิยม มีไลบรารี C/C++ และเครื่องมืออื่น ๆ ที่เกี่ยวข้องกับ C/C++ มากมาย
ประกอบด้วย: ไลบรารี C/C++ และเครื่องมือที่เกี่ยวข้อง", + "option": "ตัวเลือก", + "This package cannot be installed from an elevated context.": "ไม่สามารถติดตั้งแพ็กเกจนี้จากบริบทที่ยกระดับสิทธิ์ได้", + "Please run UniGetUI as a regular user and try again.": "โปรดรัน UniGetUI ในฐานะผู้ใช้ปกติแล้วลองอีกครั้ง", + "Please check the installation options for this package and try again": "โปรดตรวจสอบตัวเลือกการติดตั้งสำหรับแพ็กเกจนี้และลองอีกครั้ง", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "ตัวจัดการแพ็กเกจอย่างเป็นทางการของ Microsoft ที่เต็มด้วยแพ็กเกจที่เป็นที่รู้จักกันดี และผ่านการตรวจสอบแล้ว
ประกอบด้วย: ซอฟต์แวร์ทั่วไป, แอปจาก Microsoft Store", + "Local PC": "พีซีเครื่องนี้", + "Android Subsystem": "ระบบย่อยสำหรับ Android", + "Operation on queue (position {0})...": "การดำเนินการอยู่ในคิว (ลำดับที่ {0})...", + "Click here for more details": "คลิกที่นี่เพื่อดูรายละเอียดเพิ่มเติม", + "Operation canceled by user": "ผู้ใช้ยกเลิกการดำเนินการ", + "Starting operation...": "กำลังเริ่มการดำเนินการ...", + "{package} installer download": "ดาวน์โหลดตัวติดตั้ง {package}", + "{0} installer is being downloaded": "กำลังดาวน์โหลดตัวติดตั้ง {0}", + "Download succeeded": "ดาวน์โหลดสำเร็จ", + "{package} installer was downloaded successfully": "ดาวน์โหลดตัวติดตั้ง {package} สำเร็จแล้ว", + "Download failed": "ดาวน์โหลดไม่สำเร็จ", + "{package} installer could not be downloaded": "ไม่สามารถดาวน์โหลดตัวติดตั้ง {package} ได้", + "{package} Installation": "การติดตั้ง {package}", + "{0} is being installed": "กำลังติดตั้ง {0}", + "Installation succeeded": "การติดตั้งสำเร็จ", + "{package} was installed successfully": "ติดตั้ง {package} เสร็จสมบูรณ์", + "Installation failed": "การติดตั้งล้มเหลว", + "{package} could not be installed": "ไม่สามารถติดตั้ง {package} ได้", + "{package} Update": "อัปเดต {package}", + "{0} is being updated to version {1}": "{0} กำลังอัปเดตเป็นเวอร์ชัน {1}", + "Update succeeded": "อัปเดตสำเร็จแล้ว", + "{package} was updated successfully": "การอัปเดต {package} เสร็จสมบูรณ์", + "Update failed": "การอัปเดตล้มเหลว", + "{package} could not be updated": "ไม่สามารถอัปเดต {package} ได้", + "{package} Uninstall": "การถอนการติดตั้ง {package}", + "{0} is being uninstalled": "กำลังถอนการติดตั้ง {0}", + "Uninstall succeeded": "ถอนการติดตั้งสำเร็จ", + "{package} was uninstalled successfully": "ถอนการติดตั้ง {package} เสร็จสมบูรณ์", + "Uninstall failed": "ถอนการติดตั้งล้มเหลว", + "{package} could not be uninstalled": "ไม่สามารถถอนการติดตั้ง {package} ได้", + "Adding source {source}": "กำลังเพิ่มแหล่งที่มา (ซอร์ซ) {source}", + "Adding source {source} to {manager}": "กำลังเพิ่มซอร์ซ {source} ไปยัง {manager}", + "Source added successfully": "เพิ่มแหล่งที่มาสำเร็จ", + "The source {source} was added to {manager} successfully": "เพิ่มซอร์ซ {source} ไปยัง {manager} เสร็จสมบูรณ์", + "Could not add source": "ไม่สามารถเพิ่มแหล่งที่มาได้", + "Could not add source {source} to {manager}": "ไม่สามารถเพิ่มซอร์ซ {source} ให้กับ {manager}", + "Removing source {source}": "กำลังลบแหล่งที่มา {source}", + "Removing source {source} from {manager}": "กำลังลบซอร์ซ {source} ออกจาก {manager}", + "Source removed successfully": "ลบแหล่งที่มาสำเร็จ", + "The source {source} was removed from {manager} successfully": "ลบซอร์ซ {source} ออกจาก {manager} เสร็จสมบูรณ์", + "Could not remove source": "ไม่สามารถลบแหล่งที่มา", + "Could not remove source {source} from {manager}": "ไม่สามารถลบซอร์ซ {source} ออกจาก {manager}", + "The package manager \"{0}\" was not found": "ไม่พบตัวจัดการแพ็กเกจ \"{0}\"", + "The package manager \"{0}\" is disabled": "ตัวจัดการแพ็กเกจ \"{0}\" ถูกปิดใช้งาน", + "There is an error with the configuration of the package manager \"{0}\"": "เกิดข้อผิดพลาดในการกำหนดค่าของตัวจัดการแพ็กเกจ \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "ไม่พบแพ็กเกจ \"{0}\" ในตัวจัดการแพ็กเกจ \"{1}\"", + "{0} is disabled": "{0} ถูกปิดใช้งานอยู่", + "Something went wrong": "มีบางอย่างผิดพลาด", + "An interal error occurred. Please view the log for further details.": "เกิดข้อผิดพลาดภายใน โปรดดูบันทึกสำหรับรายละเอียดเพิ่มเติม", + "No applicable installer was found for the package {0}": "ไม่พบตัวติดตั้งที่เหมาะสมสำหรับแพ็กเกจ {0}", + "We are checking for updates.": "อยู่ระหว่างการตรวจสอบอัปเดต", + "Please wait": "โปรดรอ", + "UniGetUI version {0} is being downloaded.": "กำลังดาวน์โหลด UniGetUI เวอร์ชัน {0}", + "This may take a minute or two": "การดำเนินการนี้อาจใช้เวลาประมาณหนึ่งถึงสองนาที", + "The installer authenticity could not be verified.": "ไม่สามารถตรวจสอบความถูกต้องของตัวติดตั้งได้", + "The update process has been aborted.": "กระบวนการอัปเดตถูกยกเลิกแล้ว", + "Great! You are on the latest version.": "เยี่ยมมาก! คุณใช้เวอร์ชันล่าสุดแล้ว", + "There are no new UniGetUI versions to be installed": "ไม่มี UniGetUI เวอร์ชันใหม่ให้ติดตั้ง", + "An error occurred when checking for updates: ": "มีข้อผิดพลาดเกิดขึ้นขณะตรวจสอบการอัปเดต:", + "UniGetUI is being updated...": "UniGetUI กำลังอัปเดต...", + "Something went wrong while launching the updater.": "มีข้อผิดพลาดขณะเปิดตัวอัปเดต", + "Please try again later": "กรุณาลองใหม่ในภายหลัง", + "Integrity checks will not be performed during this operation": "ข้ามการตรวจสอบความสมบูรณ์ระหว่างการดำเนินการ", + "This is not recommended.": "ไม่แนะนำให้ทำเช่นนี้", + "Run now": "ดำเนินการทันที", + "Run next": "ดำเนินการรายการต่อไป", + "Run last": "ดำเนินการรายการสุดท้าย", + "Retry as administrator": "ทำซ้ำในฐานะผู้ดูแลระบบ", + "Retry interactively": "ลองใหม่แบบโต้ตอบ", + "Retry skipping integrity checks": "ลองใหม่โดยข้ามการตรวจสอบความสมบูรณ์", + "Installation options": "การตั้งค่าการติดตั้ง", + "Show in explorer": "แสดงใน Explorer", + "This package is already installed": "แพ็กเกจนี้ถูกติดตั้งแล้ว", + "This package can be upgraded to version {0}": "แพ็กเกจนี้สามารถอัปเกรดเป็นเวอร์ชัน {0}", + "Updates for this package are ignored": "อัปเดตสำหรับแพ็กเกจนี้ถูกละเว้น", + "This package is being processed": "แพ็กนี้กำลังถูกประมวลผล", + "This package is not available": "แพ็กเกจนี้ไม่พร้อมใช้งาน", + "Select the source you want to add:": "เลือกซอร์ซที่คุณต้องการเพิ่ม:", + "Source name:": "ชื่อซอร์ซ:", + "Source URL:": "URL ซอร์ซ:", + "An error occurred": "มีข้อผิดพลาดเกิดขึ้น", + "An error occurred when adding the source: ": "มีข้อผิดพลาดเกิดขึ้นขณะเพิ่มซอร์ซ:", + "Package management made easy": "จัดการแพ็กเกจได้อย่างง่ายดาย", + "version {0}": "เวอร์ชัน {0}", + "[RAN AS ADMINISTRATOR]": "เรียกใช้ในฐานะผู้ดูแลระบบ", + "Portable mode": "โหมดพกพา\n", + "DEBUG BUILD": "บิลด์ดีบัก", + "Available Updates": "การอัปเดตที่พร้อมใช้งาน", + "Show WingetUI": "แสดง UniGetUI", + "Quit": "ออก", + "Attention required": "ต้องการความสนใจ", + "Restart required": "จำเป็นต้องรีสตาร์ท", + "1 update is available": "มีการอัปเดต 1 รายการ", + "{0} updates are available": "มีการอัปเดตที่พร้อมใช้งาน {0} รายการ", + "WingetUI Homepage": "เว็บไซต์ UniGetUI", + "WingetUI Repository": "คลังข้อมูล UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "คุณสามารถเปลี่ยนแปลงพฤติกรรมของ UniGetUI สำหรับทางลัดเหล่านี้ การเลือกทางลัดจะให้ UniGetUI ลบทางลัดนั้นหากมีการสร้างขึ้นในการอัปเกรดครั้งต่อไป การไม่เลือกจะคงทางลัดไว้เหมือนเดิม", + "Manual scan": "สแกนด้วยตนเอง", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "ทางลัดที่มีอยู่บนหน้าจอของคุณจะถูกสแกน และคุณจะต้องเลือกว่าจะเก็บอันไหนและลบอันไหน", + "Continue": "ดำเนินการต่อ", + "Delete?": "ลบ?", + "Missing dependency": "Dependency ขาดหายไป", + "Not right now": "ไม่ใช่ตอนนี้", + "Install {0}": "ติดตั้ง {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ต้องใช้ {0} ในการทำงาน แต่ไม่พบบนระบบของคุณ", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "คลิกที่ติดตั้ง เพื่อเริ่มต้นขั้นตอนการติดตั้ง ถ้าข้ามการติดตั้ง UniGetUI อาจไม่ทำงานตามที่คาดไว้", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "อีกทางหนึ่ง คุณสามารถติดตั้ง {0} ได้โดยการรันคำสั่งต่อไปนี้ใน Windows PowerShell prompt:", + "Do not show this dialog again for {0}": "อย่าแสดงกล่องข้อความนี้อีกสำหรับ {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "กรุณารอสักครู่ขณะที่ {0} กำลังติดตั้ง หน้าต่างสีดำ (หรือสีน้ำเงิน) อาจปรากฏขึ้น กรุณารอจนกว่าจะปิดลง", + "{0} has been installed successfully.": "{0} ถูกติดตั้งสำเร็จ", + "Please click on \"Continue\" to continue": "โปรดคลิกที่ \"ดำเนินการต่อ\" เพื่อดำเนินการต่อ", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "ติดตั้ง {0} สำเร็จแล้ว แนะนำให้รีสตาร์ท UniGetUI เพื่อให้การติดตั้งเสร็จสมบูรณ์", + "Restart later": "รีสตาร์ททีหลัง", + "An error occurred:": "เกิดข้อผิดพลาด:", + "I understand": "ฉันเข้าใจแล้ว", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ถูกเรียกใช้ในฐานะผู้ดูแลระบบ ซึ่งไม่แนะนำให้ทำ เมื่อเรียกใช้ UniGetUI ในฐานะผู้ดูแลระบบ ทุกการดำเนินการที่เริ่มจาก UniGetUI จะได้รับสิทธิ์ผู้ดูแลระบบ คุณยังคงสามารถใช้โปรแกรมนี้ได้ แต่เราขอแนะนำอย่างยิ่งว่าอย่าใช้งาน UniGetUI ด้วยสิทธิ์ผู้ดูแลระบบ", + "WinGet was repaired successfully": "ซ่อมแซม WinGet สำเร็จ", + "It is recommended to restart UniGetUI after WinGet has been repaired": "แนะนำให้รีสตาร์ท UniGetUI หลังจากซ่อมแซม WinGet แล้ว", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "หมายเหตุ: ตัวช่วยแก้ปัญหานี้สามารถปิดได้ที่การตั้งค่า UniGetUI ในส่วน WinGet", + "Restart": "รีสตาร์ท", + "WinGet could not be repaired": "ไม่สามารถซ่อมแซม WinGet ได้", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "เกิดปัญหาที่ไม่คาดคิดขึ้น ขณะพยายามซ่อมแซม WinGet กรุณาลองใหม่อีกครั้งในภายหลัง", + "Are you sure you want to delete all shortcuts?": "คุณแน่ใจหรือไม่ที่ต้องการลบทางลัดทั้งหมด?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ทางลัดใหม่ที่ถูกสร้างขึ้นระหว่างการติดตั้งหรือการอัปเดตจะถูกลบออกโดยอัตโนมัติ แทนที่จะแสดงหน้าต่างยืนยันในครั้งแรกที่ตรวจพบ", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "ทางลัดที่สร้างหรือแก้ไขนอก UniGetUI จะถูกละเว้น คุณสามารถเพิ่มทางลัดเหล่านั้นได้ผ่านปุ่ม {0}", + "Are you really sure you want to enable this feature?": "คุณแน่ใจจริงๆ หรือไม่ที่ต้องการเปิดใช้งานฟีเจอร์นี้?", + "No new shortcuts were found during the scan.": "ไม่พบทางลัดใหม่ระหว่างการสแกน", + "How to add packages to a bundle": "วิธีการเพิ่มแพ็กเกจไปยังชุดแพ็กเกจ", + "In order to add packages to a bundle, you will need to: ": "การจะเพิ่มแพ็กเกจลงในบันเดิล คุณต้องทำดังนี้:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "โปรดไปที่หน้าของ \"{0}\" หรือ \"{1}\"", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. ค้นหาแพ็กเกจที่คุณต้องการเพิ่มลงในชุดแพ็กเกจ จากนั้นเลือกช่องทำเครื่องหมายที่อยู่ซ้ายสุดของแต่ละรายการ", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. เมื่อเลือกแพ็กเกจที่ต้องการเพิ่มเข้าในบันเดิลแล้ว ให้หาและคลิกตัวเลือก \"{0}\" บนแถบเครื่องมือ", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. แพ็กเกจของคุณจะถูกเพิ่มลงในชุดแพ็กเกจเรียบร้อยแล้ว คุณสามารถเพิ่มแพ็กเกจต่อไปได้ หรือส่งออกชุดแพ็กเกจนี้", + "Which backup do you want to open?": "คุณต้องการเปิดข้อมูลสำรองใด", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "เลือกข้อมูลสำรองที่คุณต้องการเปิด หลังจากนั้นคุณจะสามารถตรวจสอบได้ว่าต้องการติดตั้งแพ็กเกจใด", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "มีการดำเนินงานอยู่ในขณะนี้ การออกจาก UniGetUI อาจทำให้การทำงานล้มเหลว คุณต้องการดำเนินการต่อหรือไม่", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI หรือส่วนประกอบบางอย่างสูญหายหรือเสียหาย", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "ขอแนะนำอย่างยิ่งให้ติดตั้ง UniGetUI ใหม่เพื่อแก้ไขสถานการณ์นี้", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "โปรดดูบันทึกของ UniGetUI เพื่อรับรายละเอียดเพิ่มเติมเกี่ยวกับไฟล์ที่ได้รับผลกระทบ", + "Integrity checks can be disabled from the Experimental Settings": "สามารถปิดใช้งานการตรวจสอบความสมบูรณ์ได้จากการตั้งค่าทดลอง", + "Repair UniGetUI": "ซ่อมแซม UniGetUI", + "Live output": "เอาต์พุตสด", + "Package not found": "ไม่พบแพ็กเกจ", + "An error occurred when attempting to show the package with Id {0}": "เกิดข้อผิดพลาดขณะพยายามแสดงแพ็กเกจที่มี Id {0}", + "Package": "แพ็กเกจ", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "บันเดิลแพ็กเกจนี้มีการตั้งค่าบางอย่างที่อาจเป็นอันตราย และอาจถูกละเว้นตามค่าเริ่มต้น", + "Entries that show in YELLOW will be IGNORED.": "บรรทัดสีเหลืองจะถูกละเว้น", + "Entries that show in RED will be IMPORTED.": "บรรทัดสีแดงจะถูกนำเข้า", + "You can change this behavior on UniGetUI security settings.": "คุณสามารถเปลี่ยนพฤติกรรมนี้ได้ที่การตั้งค่าความปลอดภัยของ UniGetUI", + "Open UniGetUI security settings": "เปิดการตั้งค่าความปลอดภัยของ UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "หากคุณแก้ไขการตั้งค่าความปลอดภัย คุณจะต้องเปิดบันเดิลอีกครั้งเพื่อให้การเปลี่ยนแปลงมีผล", + "Details of the report:": "รายละเอียดของรายงาน:", "\"{0}\" is a local package and can't be shared": "\"{0}\" เป็นแพ็กเกจภายในเครื่องและไม่สามารถแชร์ได้ ", + "Are you sure you want to create a new package bundle? ": "คุณแน่ใจหรือไม่ที่ต้องการสร้างแพ็กเกจบันเดิลใหม่?", + "Any unsaved changes will be lost": "การเปลี่ยนแปลงที่ยังไม่ได้บันทึกจะหายไป", + "Warning!": "คำเตือน!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "ด้วยเหตุผลด้านความปลอดภัย อาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองจึงถูกปิดใช้งานตามค่าเริ่มต้น ไปที่การตั้งค่าความปลอดภัยของ UniGetUI เพื่อเปลี่ยนแปลงสิ่งนี้ ", + "Change default options": "เปลี่ยนการตั้งค่าเริ่มต้น", + "Ignore future updates for this package": "ละเว้นการอัปเดตในอนาคตสำหรับแพ็กเกจนี้", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "ด้วยเหตุผลด้านความปลอดภัย สคริปต์ก่อนและหลังการดำเนินการจึงถูกปิดใช้งานตามค่าเริ่มต้น ไปที่การตั้งค่าความปลอดภัยของ UniGetUI เพื่อเปลี่ยนแปลงสิ่งนี้ ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "คุณสามารถกำหนดคำสั่งที่จะรันก่อนหรือหลังจากติดตั้ง อัปเดต หรือถอนการติดตั้งแพ็กเกจนี้ได้ คำสั่งจะรันผ่าน command prompt ดังนั้นสคริปต์ CMD จึงใช้ได้ที่นี่", + "Change this and unlock": "เปลี่ยนสิ่งนี้และปลดล็อก", + "{0} Install options are currently locked because {0} follows the default install options.": "ตัวเลือกการติดตั้งของ {0} ถูกล็อกอยู่ในขณะนี้ เพราะ {0} ใช้ตัวเลือกการติดตั้งเริ่มต้น", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "เลือกกระบวนการที่ควรถูกปิดก่อนติดตั้ง อัปเดต หรือถอนการติดตั้งแพ็กเกจนี้", + "Write here the process names here, separated by commas (,)": "เขียนชื่อโปรเซสที่นี่ โดยคั่นด้วยเครื่องหมายจุลภาค (,)", + "Unset or unknown": "ยังไม่ได้ตั้งค่าหรือไม่ทราบ", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "โปรดดูเอาต์พุตบรรทัดคำสั่งหรืออ้างอิงประวัติการดำเนินการสำหรับข้อมูลเพิ่มเติมเกี่ยวกับปัญหานี้", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "แพ็กเกจนี้ไม่มีภาพหน้าจอหรือขาดไอคอนใช่ไหม ขอเชิญมีส่วนร่วมกับ UniGetUI โดยการเพิ่มไอคอนและภาพหน้าจอที่ขาดหายไปในฐานข้อมูลสาธารณะแบบเปิดของเรา", + "Become a contributor": "มาเป็นผู้ร่วมให้ข้อมูล", + "Save": "บันทึก", + "Update to {0} available": "มีอัปเดตสำหรับ {0}", + "Reinstall": "ติดตั้งใหม่", + "Installer not available": "ตัวติดตั้งไม่พร้อมใช้งาน", + "Version:": "เวอร์ชัน:", + "Performing backup, please wait...": "กำลังสำรองข้อมูล โปรดรอสักครู่...", + "An error occurred while logging in: ": "เกิดข้อผิดพลาดขณะลงชื่อเข้าใช้: ", + "Fetching available backups...": "กำลังดึงข้อมูลสำรองที่พร้อมใช้งาน...", + "Done!": "เสร็จสิ้น", + "The cloud backup has been loaded successfully.": "โหลดข้อมูลสำรองบนคลาวด์สำเร็จ", + "An error occurred while loading a backup: ": "เกิดข้อผิดพลาดขณะโหลดข้อมูลสำรองข้อมูล: ", + "Backing up packages to GitHub Gist...": "กำลังสำรองข้อมูลแพ็กเกจไปยัง GitHub Gist...", + "Backup Successful": "สำรองข้อมูลสำเร็จ", + "The cloud backup completed successfully.": "สำรองข้อมูลบนคลาวด์สำเร็จ", + "Could not back up packages to GitHub Gist: ": "ไม่สามารถสำรองข้อมูลแพ็กเกจไปยัง GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "ไม่มีการรับประกันว่าข้อมูลส่วนตัวที่ให้ไว้จะถูกเก็บไว้อย่างปลอดภัย ดังนั้นคุณไม่ควรใช้ข้อมูลประจำตัวของบัญชีธนาคารของคุณ", + "Enable the automatic WinGet troubleshooter": "เปิดใช้ WinGet troubleshooter อัตโนมัติ", + "Enable an [experimental] improved WinGet troubleshooter": "เปิดใช้ [experimental] เพื่อปรับปรุง WinGet troubleshooter", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "เพิ่มรายการอัปเดตที่ไม่สำเร็จด้วยข้อความ ‘ไม่พบการอัปเดตที่เหมาะสม’ ลงในรายการอัปเดตที่ถูกละเว้น", + "Restart WingetUI to fully apply changes": "รีสตาร์ท UniGetUI เพื่อให้การเปลี่ยนแปลงทั้งหมดเป็นผลสมบูรณ์", + "Restart WingetUI": "รีสตาร์ท UniGetUI", + "Invalid selection": "การเลือกไม่ถูกต้อง", + "No package was selected": "ไม่มีแพ็กเกจที่ถูกเลือก", + "More than 1 package was selected": "มีการเลือกมากกว่า 1 แพ็กเกจ", + "List": "รายการ", + "Grid": "ตาราง", + "Icons": "ไอคอน", "\"{0}\" is a local package and does not have available details": "\"{0}\" เป็นแพ็กเกจภายในเครื่องและไม่มีรายละเอียดที่สามารถแสดงได้", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" เป็นแพ็กเกจภายในเครื่องและไม่สามารถใช้งานร่วมกับฟีเจอร์นี้ได้", - "(Last checked: {0})": "(ตรวจสอบล่าสุด: {0})", + "WinGet malfunction detected": "ตรวจพบความผิดปกติของ WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "ดูเหมือนว่า WinGet จะทำงานผิดปกติ คุณต้องการลองซ่อมแซม WinGet หรือไม่?", + "Repair WinGet": "ซ่อมแซม WinGet", + "Create .ps1 script": "สร้างสคริปต์ .ps1", + "Add packages to bundle": "เพิ่มแพ็กเกจเข้าไปในชุดแพ็กเกจ(บันเดิล)", + "Preparing packages, please wait...": "กำลังเตรียมแพ็กเกจ โปรดรอสักครู่...", + "Loading packages, please wait...": "กำลังโหลดแพ็กเกจ โปรดรอสักครู่...", + "Saving packages, please wait...": "กำลังบันทึกแพ็กเกจ โปรดรอสักครู่...", + "The bundle was created successfully on {0}": "สร้างบันเดิลสำเร็จเมื่อ {0}", + "Install script": "สคริปต์การติดตั้ง", + "The installation script saved to {0}": "บันทึกสคริปต์การติดตั้งไปยัง {0}", + "An error occurred while attempting to create an installation script:": "เกิดข้อผิดพลาดขณะพยายามสร้างสคริปต์การติดตั้ง:", + "{0} packages are being updated": "{0} แพ็กเกจกำลังถูกอัปเดต", + "Error": "ข้อผิดพลาด", + "Log in failed: ": "ลงชื่อเข้าใช้ไม่สำเร็จ:", + "Log out failed: ": "ออกจากระบบไม่สำเร็จ:", + "Package backup settings": "การตั้งค่าการสำรองข้อมูลแพ็กเกจ", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(ลำดับ {0} ในคิว)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@dulapahv, @apaeisara, @rikoprushka, @vestearth, @hanchain", "0 packages found": "พบ 0 แพ็กเกจ", "0 updates found": "พบ 0 อัปเดต", - "1 - Errors": "1 - ข้อผิดพลาด", - "1 day": "1 วัน", - "1 hour": "1 ชั่วโมง", "1 month": "1 เดือน", "1 package was found": "พบ 1 แพ็กเกจ", - "1 update is available": "มีการอัปเดต 1 รายการ", - "1 week": "1 สัปดาห์", "1 year": "1 ปี", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "โปรดไปที่หน้าของ \"{0}\" หรือ \"{1}\"", - "2 - Warnings": "2 - คำเตือน", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. ค้นหาแพ็กเกจที่คุณต้องการเพิ่มลงในชุดแพ็กเกจ จากนั้นเลือกช่องทำเครื่องหมายที่อยู่ซ้ายสุดของแต่ละรายการ", - "3 - Information (less)": "3 - ข้อมูล (ย่อ)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. เมื่อเลือกแพ็กเกจที่ต้องการเพิ่มเข้าในบันเดิลแล้ว ให้หาและคลิกตัวเลือก \"{0}\" บนแถบเครื่องมือ", - "4 - Information (more)": "4 - ข้อมูล (ละเอียด)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. แพ็กเกจของคุณจะถูกเพิ่มลงในชุดแพ็กเกจเรียบร้อยแล้ว คุณสามารถเพิ่มแพ็กเกจต่อไปได้ หรือส่งออกชุดแพ็กเกจนี้", - "5 - information (debug)": "5 - ข้อมูล (ดีบั๊ก)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ตัวจัดการไลบรารี C/C++ ยอดนิยม มีไลบรารี C/C++ และเครื่องมืออื่น ๆ ที่เกี่ยวข้องกับ C/C++ มากมาย
ประกอบด้วย: ไลบรารี C/C++ และเครื่องมือที่เกี่ยวข้อง", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "คลังข้อมูลที่เต็มไปด้วยเครื่องมือและโปรแกรมสั่งทำการที่ออกแบบมาโดยคำนึงถึงระบบนิเวศ .NET ของ Microsoft
ประกอบด้วย: เครื่องมือและสคริปต์ที่เกี่ยวข้องกับ .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "คลังข้อมูลที่เต็มไปด้วยเครื่องมือที่ออกแบบมาโดยคำนึงถึงระบบนิเวศ .NET ของ Microsoft
ประกอบด้วย: เครื่องมือที่เกี่ยวข้องกับ .NET", "A restart is required": "จำเป็นต้องรีสตาร์ท", - "Abort install if pre-install command fails": "ยกเลิกการติดตั้งหากคำสั่ง pre-install ล้มเหลว", - "Abort uninstall if pre-uninstall command fails": "ยกเลิกการถอนการติดตั้งหากคำสั่ง pre-uninstall ล้มเหลว", - "Abort update if pre-update command fails": "ยกเลิกการอัปเดตหากคำสั่งก่อนการอัปเดตล้มเหลว", - "About": "เกี่ยวกับ", "About Qt6": "เกี่ยวกับ Qt6", - "About WingetUI": "เกี่ยวกับ UniGetUI", "About WingetUI version {0}": "เกี่ยวกับ UniGetUI เวอร์ชัน {0}", "About the dev": "เกี่ยวกับผู้พัฒนา", - "Accept": "ยอมรับ", "Action when double-clicking packages, hide successful installations": "ดำเนินการเมื่อดับเบิ้ลคลิกที่แพ็กเกจ และซ่อนการติดตั้งที่สำเร็จ", - "Add": "เพิ่ม", "Add a source to {0}": "เพิ่มซอร์ซไปที่ {0}", - "Add a timestamp to the backup file names": "เพิ่มการบันทึกเวลาในชื่อไฟล์สำรองข้อมูล", "Add a timestamp to the backup files": "เพิ่มการบันทึกเวลาในไฟล์สำรองข้อมูล", "Add packages or open an existing bundle": "เพิ่มแพ็กเกจหรือเปิดบันเดิลที่มีอยู่", - "Add packages or open an existing package bundle": "เพิ่มแพ็กเกจหรือเปิดชุดแพ็กเกจ(บันเดิล) ที่มีอยู่", - "Add packages to bundle": "เพิ่มแพ็กเกจเข้าไปในชุดแพ็กเกจ(บันเดิล)", - "Add packages to start": "เพิ่มแพ็กเกจเพื่อเริ่มใช้งาน", - "Add selection to bundle": "เพิ่มรายการที่เลือกไว้ไปยังบันเดิล", - "Add source": "เพิ่มซอร์ซ", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "เพิ่มรายการอัปเดตที่ไม่สำเร็จด้วยข้อความ ‘ไม่พบการอัปเดตที่เหมาะสม’ ลงในรายการอัปเดตที่ถูกละเว้น", - "Adding source {source}": "กำลังเพิ่มแหล่งที่มา (ซอร์ซ) {source}", - "Adding source {source} to {manager}": "กำลังเพิ่มซอร์ซ {source} ไปยัง {manager}", "Addition succeeded": "การเพิ่มสำเร็จ", - "Administrator privileges": "สิทธิ์ผู้ดูแลระบบ", "Administrator privileges preferences": "การตั้งค่าสิทธิ์ผู้ดูแลระบบ", "Administrator rights": "สิทธิ์ผู้ดูแลระบบ", - "Administrator rights and other dangerous settings": "การอนุญาตผู้ดูแลระบบและการตั้งค่าที่อันตราย", - "Advanced options": "ตัวเลือกขั้นสูง", "All files": "ไฟล์ทั้งหมด", - "All versions": "เวอร์ชันทั้งหมด", - "Allow changing the paths for package manager executables": "อนุญาตให้เปลี่ยนเส้นทางสำหรับไฟล์ปฏิบัติการของตัวจัดการแพ็กเกจ", - "Allow custom command-line arguments": "อนุญาตอาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเอง", - "Allow importing custom command-line arguments when importing packages from a bundle": "อนุญาตให้นำเข้าอาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองเมื่อทำการนำเข้าพ็กเกจจากบันเดิล", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "อนุญาตให้นำเข้าคำสั่งก่อนติดตั้งและหลังติดตั้งแบบกำหนดเองเมื่อทำการนำเข้าพัสดุพ็กเกจ (bundle)", "Allow package operations to be performed in parallel": "อนุญาตให้การดำเนินการดำเนินการพร้อมกัน", "Allow parallel installs (NOT RECOMMENDED)": "อนุญาตให้ติดตั้งพร้อมกัน (ไม่แนะนำ)", - "Allow pre-release versions": "อนุญาตเวอร์ชันก่อนใช้งานจริง (pre-release)", "Allow {pm} operations to be performed in parallel": "อนุญาตให้ดำเนินการ {pm} ดำเนินการพร้อมกัน", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "อีกทางหนึ่ง คุณสามารถติดตั้ง {0} ได้โดยการรันคำสั่งต่อไปนี้ใน Windows PowerShell prompt:", "Always elevate {pm} installations by default": "ยกระดับการติดตั้ง {pm} เป็นค่าเริ่มต้นเสมอ", "Always run {pm} operations with administrator rights": "เรียกใช้การดำเนินการ {pm} ด้วยสิทธิ์ผู้ดูแลระบบเสมอ", - "An error occurred": "มีข้อผิดพลาดเกิดขึ้น", - "An error occurred when adding the source: ": "มีข้อผิดพลาดเกิดขึ้นขณะเพิ่มซอร์ซ:", - "An error occurred when attempting to show the package with Id {0}": "เกิดข้อผิดพลาดขณะพยายามแสดงแพ็กเกจที่มี Id {0}", - "An error occurred when checking for updates: ": "มีข้อผิดพลาดเกิดขึ้นขณะตรวจสอบการอัปเดต:", - "An error occurred while attempting to create an installation script:": "เกิดข้อผิดพลาดขณะพยายามสร้างสคริปต์การติดตั้ง:", - "An error occurred while loading a backup: ": "เกิดข้อผิดพลาดขณะโหลดข้อมูลสำรองข้อมูล: ", - "An error occurred while logging in: ": "เกิดข้อผิดพลาดขณะลงชื่อเข้าใช้: ", - "An error occurred while processing this package": "มีข้อผิดพลาดเกิดขึ้นขณะประมวลผลแพ็กเกจนี้", - "An error occurred:": "เกิดข้อผิดพลาด:", - "An interal error occurred. Please view the log for further details.": "เกิดข้อผิดพลาดภายใน โปรดดูบันทึกสำหรับรายละเอียดเพิ่มเติม", "An unexpected error occurred:": "มีข้อผิดพลาดที่ไม่คาดคิดเกิดขึ้น", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "เกิดปัญหาที่ไม่คาดคิดขึ้น ขณะพยายามซ่อมแซม WinGet กรุณาลองใหม่อีกครั้งในภายหลัง", - "An update was found!": "พบการอัปเดต!", - "Android Subsystem": "ระบบย่อยสำหรับ Android", "Another source": "แหล่งที่มาอื่น", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "ทางลัดใหม่ที่ถูกสร้างขึ้นระหว่างการติดตั้งหรือการอัปเดตจะถูกลบออกโดยอัตโนมัติ แทนที่จะแสดงหน้าต่างยืนยันในครั้งแรกที่ตรวจพบ", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "ทางลัดที่สร้างหรือแก้ไขนอก UniGetUI จะถูกละเว้น คุณสามารถเพิ่มทางลัดเหล่านั้นได้ผ่านปุ่ม {0}", - "Any unsaved changes will be lost": "การเปลี่ยนแปลงที่ยังไม่ได้บันทึกจะหายไป", "App Name": "ชื่อแอพ", - "Appearance": "การแสดงผล", - "Application theme, startup page, package icons, clear successful installs automatically": "ธีมแอปพลิเคชัน, หน้าเริ่มต้น, ไอคอนแพ็กเกจ, ล้างการติดตั้งที่สำเร็จโดยอัตโนมัติ", - "Application theme:": "ธีม:", - "Apply": "ใช้", - "Architecture to install:": "สถาปัตยกรรมที่จะทำการติดตั้ง:", "Are these screenshots wron or blurry?": "สกรีนช็อตพวกนี้ผิดพลาดหรือเบลอหรือเปล่า?", - "Are you really sure you want to enable this feature?": "คุณแน่ใจจริงๆ หรือไม่ที่ต้องการเปิดใช้งานฟีเจอร์นี้?", - "Are you sure you want to create a new package bundle? ": "คุณแน่ใจหรือไม่ที่ต้องการสร้างแพ็กเกจบันเดิลใหม่?", - "Are you sure you want to delete all shortcuts?": "คุณแน่ใจหรือไม่ที่ต้องการลบทางลัดทั้งหมด?", - "Are you sure?": "คุณแน่ใจใช่ไหม", - "Ascendant": "เด่นขึ้น", - "Ask for administrator privileges once for each batch of operations": "ขอสิทธิ์ผู้ดูแลระบบหนึ่งครั้งสำหรับการดำเนินการแต่ละชุด", "Ask for administrator rights when required": "ขอสิทธิ์ผู้ดูแลระบบเมื่อจำเป็น", "Ask once or always for administrator rights, elevate installations by default": "ถามครั้งเดียวหรือเรื่อย ๆ สำหรับสิทธิ์ผู้ดูแลระบบ เพื่อการยกระดับการติดตั้งเป็นค่าเริ่มต้น", - "Ask only once for administrator privileges": "ขอสิทธิ์ผู้ดูแลระบบครั้งเดียวเท่านั้น", "Ask only once for administrator privileges (not recommended)": "ขอสิทธิ์ผู้ดูแลระบบครั้งเดียวเท่านั้น (ไม่แนะนำ)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "สอบถามการลบทางลัดเดสก์ท็อปที่สร้างจากการติดตั้งหรืออัปเกรด", - "Attention required": "ต้องการความสนใจ", "Authenticate to the proxy with an user and a password": "ยืนยันตัวตนเพื่อเข้าใช้พร็อกซีด้วยชื่อผู้ใช้และรหัสผ่าน", - "Author": "ผู้จัดทำ", - "Automatic desktop shortcut remover": "เครื่องมือลบทางลัดหน้าจออัตโนมัติ", - "Automatic updates": "อัปเดตอัตโนมัติ", - "Automatically save a list of all your installed packages to easily restore them.": "บันทึกรายการแพ็กเกจทั้งหมดที่ติดตั้งไว้โดยอัตโนมัติเพื่อทำให้การกู้คืนง่ายขึ้น", "Automatically save a list of your installed packages on your computer.": "บันทึกรายการแพ็กเกจที่ติดตั้งบนคอมพิวเตอร์ของคุณโดยอัตโนมัติ", - "Automatically update this package": "อัปเดตแพ็กเกจนี้โดยอัตโนมัติ", "Autostart WingetUI in the notifications area": "เริ่ม UniGetUI อัตโนมัติในถาดการแจ้งเตือน", - "Available Updates": "การอัปเดตที่พร้อมใช้งาน", "Available updates: {0}": "อัปเดตที่พบ: {0}", "Available updates: {0}, not finished yet...": "อัปเดตที่พบ: {0} และยังไม่เสร็จ...", - "Backing up packages to GitHub Gist...": "กำลังสำรองข้อมูลแพ็กเกจไปยัง GitHub Gist...", - "Backup": "สำรองข้อมูล", - "Backup Failed": "การสำรองข้อมูลล้มเหลว", - "Backup Successful": "สำรองข้อมูลสำเร็จ", - "Backup and Restore": "สำรองข้อมูลและกู้คืน", "Backup installed packages": "สำรองข้อมูลแพ็กเกจที่ติดตั้งแล้ว", "Backup location": "โฟลเดอร์สำรองข้อมูล", - "Become a contributor": "มาเป็นผู้ร่วมให้ข้อมูล", - "Become a translator": "มาเป็นผู้แปล", - "Begin the process to select a cloud backup and review which packages to restore": "เริ่มกระบวนการเลือกข้อมูลสำรองบนคลาวด์และตรวจสอบว่าจะกู้คืนแพ็กเกจใด", - "Beta features and other options that shouldn't be touched": "คุณสมบัติเบต้าและตัวเลือกอื่น ๆ ที่ไม่ควรแตะต้อง", - "Both": "ทั้งคู่", - "Bundle security report": "รายงานความปลอดภัยของบันเดิล", "But here are other things you can do to learn about WingetUI even more:": "แต่นี่คือสิ่งอื่น ๆ ที่คุณสามารถทำเพื่อเรียนรู้เพิ่มเติมเกี่ยวกับ UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "การปิดใช้งานตัวจัดการแพ็กเกจจะทำให้คุณจะไม่สามารถดูหรืออัปเดตแพ็กเกจได้อีกต่อไป", "Cache administrator rights and elevate installers by default": "แคชสิทธิ์ผู้ดูแลระบบ และยกระดับตัวติดตั้งเป็นค่าเริ่มต้น", "Cache administrator rights, but elevate installers only when required": "แคชสิทธิ์ผู้ดูแลระบบแต่ยกระดับตัวติดตั้งเมื่อจำเป็นเท่านั้น", "Cache was reset successfully!": "การรีเซ็ตแคชเสร็จสมบูรณ์", "Can't {0} {1}": "ไม่สามารถ {0} {1}", - "Cancel": "ยกเลิก", "Cancel all operations": "ยกเลิกการดำเนินการทั้งหมด", - "Change backup output directory": "เปลี่ยนไดเร็กทอรีเอาท์พุตของการสำรองข้อมูล", - "Change default options": "เปลี่ยนการตั้งค่าเริ่มต้น", - "Change how UniGetUI checks and installs available updates for your packages": "เปลี่ยนวิธีที่ UniGetUI ตรวจสอบและติดตั้งการอัปเดตที่พร้อมใช้งานสำหรับแพ็กเกจของคุณ", - "Change how UniGetUI handles install, update and uninstall operations.": "กำหนดวิธีการจัดการการติดตั้ง อัปเดต และการถอนการติดตั้งของ UniGetUI", "Change how UniGetUI installs packages, and checks and installs available updates": "กำหนดวิธีการติดตั้งแพ็กเกจและตรวจสอบติดตั้งการอัปเดตของ UniGetUI", - "Change how operations request administrator rights": "เปลี่ยนวิธีที่การดำเนินการขอสิทธิ์ผู้ดูแลระบบ", "Change install location": "เปลี่ยนตำแหน่งการติดตั้ง", - "Change this": "เปลี่ยนสิ่งนี้", - "Change this and unlock": "เปลี่ยนสิ่งนี้และปลดล็อก", - "Check for package updates periodically": "ตรวจสอบการอัปเดตแพ็กเกจเป็นระยะ ๆ", - "Check for updates": "ตรวจสอบการอัปเดต", - "Check for updates every:": "ตรวจสอบการอัปเดตทุก:", "Check for updates periodically": "ตรวจสอบการอัปเดตเป็นระยะ", "Check for updates regularly, and ask me what to do when updates are found.": "ตรวจสอบอัปเดตอย่างสม่ำเสมอ และถามฉันว่าจะดำเนินการอย่างไรเมื่อมีอัปเดต", "Check for updates regularly, and automatically install available ones.": "ตรวจสอบอัปเดตอย่างสม่ำเสมอ และดำเนินการอัปเดตโดยอัตโนมัติ", @@ -159,916 +741,335 @@ "Checking for updates...": "กำลังตรวจสอบอัปเดต...", "Checking found instace(s)...": "กำลังตรวจสอบอินสแตนซ์ที่พบ...", "Choose how many operations shouls be performed in parallel": "เลือกจำนวนการดำเนินการให้ดำเนินการพร้อมกัน", - "Clear cache": "ล้างแคช", "Clear finished operations": "ล้างการดำเนินการที่เสร็จสิ้นแล้ว", - "Clear selection": "ล้างการเลือก", "Clear successful operations": "ล้างการดำเนินการที่สำเร็จแล้ว", - "Clear successful operations from the operation list after a 5 second delay": "ล้างการดำเนินการที่สำเร็จออกจากรายการ หลังจากเวลาผ่านไป 5 วินาที", "Clear the local icon cache": "ล้างแคชไอคอนในเครื่อง", - "Clearing Scoop cache - WingetUI": "กำลังล้างแคช Scoop - UniGetUI", "Clearing Scoop cache...": "กำลังล้างแคชของ Scoop", - "Click here for more details": "คลิกที่นี่เพื่อดูรายละเอียดเพิ่มเติม", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "คลิกที่ติดตั้ง เพื่อเริ่มต้นขั้นตอนการติดตั้ง ถ้าข้ามการติดตั้ง UniGetUI อาจไม่ทำงานตามที่คาดไว้", - "Close": "ปิด", - "Close UniGetUI to the system tray": "ย่อ UniGetUI ไปที่แถบไอคอน", "Close WingetUI to the notification area": "ปิด UniGetUI ไปที่ถาดการแจ้งเตือน", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "การสำรองข้อมูลบนคลาวด์ใช้ GitHub Gist ส่วนตัวเพื่อเก็บรายการแพ็กเกจที่ติดตั้ง", - "Cloud package backup": "การสำรองข้อมูลแพ็กเกจบนคลาวด์", "Command-line Output": "เอาต์พุตบรรทัดคำสั่ง", - "Command-line to run:": "บรรทัดคำสั่งที่จะรัน:", "Compare query against": "เปรียบเทียบคิวรีกับ", - "Compatible with authentication": "เข้ากันได้กับระบบ authentication", - "Compatible with proxy": "รองรับพร็อกซี", "Component Information": "ข้อมูลคอมโพเนนต์", - "Concurrency and execution": "การทำงานพร้อมกันและการดำเนินการ", - "Connect the internet using a custom proxy": "เชื่อมต่ออินเทอร์เน็ตโดยใช้พร็อกซี่กำหนดเอง", - "Continue": "ดำเนินการต่อ", "Contribute to the icon and screenshot repository": "มีส่วนร่วมในคลังข้อมูล ไอคอน และภาพหน้าจอ", - "Contributors": "ผู้ที่มีส่วนช่วย", "Copy": "คัดลอก", - "Copy to clipboard": "คัดลอกไปยังคลิปบอร์ด", - "Could not add source": "ไม่สามารถเพิ่มแหล่งที่มาได้", - "Could not add source {source} to {manager}": "ไม่สามารถเพิ่มซอร์ซ {source} ให้กับ {manager}", - "Could not back up packages to GitHub Gist: ": "ไม่สามารถสำรองข้อมูลแพ็กเกจไปยัง GitHub Gist:", - "Could not create bundle": "ไม่สามารถสร้างชุดแพ็กเกจ(บันเดิล)ได้", "Could not load announcements - ": "ไม่สามารถโหลดประกาศได้ -", "Could not load announcements - HTTP status code is $CODE": "ไม่สามารถโหลดประกาศ - รหัสสถานะ HTTP คือ $CODE", - "Could not remove source": "ไม่สามารถลบแหล่งที่มา", - "Could not remove source {source} from {manager}": "ไม่สามารถลบซอร์ซ {source} ออกจาก {manager}", "Could not remove {source} from {manager}": "ไม่สามารถลบ {source} ออกจาก {manager}", - "Create .ps1 script": "สร้างสคริปต์ .ps1", - "Credentials": "ข้อมูลรับรอง (Credentials)", "Current Version": "เวอร์ชันปัจจุบัน", - "Current executable file:": "ไฟล์ปฏิบัติการปัจจุบัน:", - "Current status: Not logged in": "สถานะตอนนี้: ยังไม่ได้ลงชื่อเข้าใช้", "Current user": "ผู้ใช้ปัจจุบัน", "Custom arguments:": "อาร์กิวเมนต์ที่กำหนดเอง:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "อาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองสามารถเปลี่ยนวิธีการติดตั้ง อัปเกรด หรือถอนการติดตั้งโปรแกรมในแบบที่ UniGetUI ไม่สามารถควบคุมได้ การใช้บรรทัดคำสั่งแบบกำหนดเองอาจทำให้แพ็กเกจเสียหายได้ โปรดดำเนินการด้วยความระมัดระวัง", "Custom command-line arguments:": "อาร์กิวเมนต์บรรทัดคำสั่งที่กำหนดเอง:", - "Custom install arguments:": "อาร์กิวเมนต์การติดตั้งแบบกำหนดเอง:", - "Custom uninstall arguments:": "อาร์กิวเมนต์การถอนการติดตั้งแบบกำหนดเอง:", - "Custom update arguments:": "อาร์กิวเมนต์การอัปเดตแบบกำหนดเอง:", "Customize WingetUI - for hackers and advanced users only": "ปรับแต่ง UniGetUI - สำหรับแฮกเกอร์ และผู้ใช้ขั้นสูงเท่านั้น", - "DEBUG BUILD": "บิลด์ดีบัก", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ข้อควรระวัง: เราไม่รับผิดชอบแพ็กเกจที่ดาวน์โหลดมา กรุณาตรวจสอบให้แน่ใจว่าคุณติดตั้งซอฟต์แวร์ที่เชื่อถือได้เท่านั้น", - "Dark": "มืด", - "Decline": "ปฏิเสธ", - "Default": "ค่าเริ่มต้น", - "Default installation options for {0} packages": "ตัวเลือกการติดตั้งเริ่มต้นสำหรับแพ็กเกจ {0}", "Default preferences - suitable for regular users": "ค่าเริ่มต้น - เหมาะสำหรับผู้ใช้ทั่วไป", - "Default vcpkg triplet": "vcpkg triplet ค่าเริ่มต้น", - "Delete?": "ลบ?", - "Dependencies:": "การอ้างอิง:", - "Descendant": "รายการย่อย", "Description:": "รายละเอียด:", - "Desktop shortcut created": "สร้างทางลัดบนเดสก์ท็อปแล้ว", - "Details of the report:": "รายละเอียดของรายงาน:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "การพัฒนาคือเรื่องยาก และแอปพลิเคชันนี้ฟรี แต่หากคุณชื่นชอบแอปพลิเคชันนี้ คุณสามารถเลี้ยงขนมพวกเราได้เสมอ :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "ติดตั้งโดยตรงเมื่อดับเบิลคลิกที่รายการบนแท็บ \"{discoveryTab}\" (แทนที่จะแสดงข้อมูลแพ็กเกจ)", "Disable new share API (port 7058)": "ปิดการใช้งาน share API ตัวใหม่ (port 7058)", - "Disable the 1-minute timeout for package-related operations": "ปิดใช้งานการหมดเวลา 1 นาทีในการดำเนินการแพ็กเกจ", - "Disabled": "ปิดใช้งาน", - "Disclaimer": "คำสงวนสิทธิ์", - "Discover Packages": "ค้นหาแพ็กเกจ", "Discover packages": "ค้นหาแพ็กเกจ", "Distinguish between\nuppercase and lowercase": "แยกความแตกต่างระหว่างตัวพิมพ์ใหญ่และตัวพิมพ์เล็ก", - "Distinguish between uppercase and lowercase": "แยกความแตกต่างระหว่างตัวพิมพ์ใหญ่และตัวพิมพ์เล็ก", "Do NOT check for updates": "ไม่ต้องตรวจสอบอัปเดต", "Do an interactive install for the selected packages": "ดำเนินการติดตั้งแบบอินเตอร์แอคทีฟสำหรับแพ็กเกจที่เลือก", "Do an interactive uninstall for the selected packages": "ดำเนินการถอนการติดตั้งแบบอินเตอร์แอคทีฟสำหรับแพ็กเกจที่เลือก", "Do an interactive update for the selected packages": "ดำเนินการอัปเดตแบบอินเตอร์แอคทีฟสำหรับแพ็กเกจที่เลือก", - "Do not automatically install updates when the battery saver is on": "ไม่ติดตั้งการอัปเดตโดยอัตโนมัติเมื่อเปิดโหมดประหยัดแบตเตอรี่", - "Do not automatically install updates when the device runs on battery": "อย่าติดตั้งการอัปเดตโดยอัตโนมัติเมื่ออุปกรณ์กำลังใช้แบตเตอรี่", - "Do not automatically install updates when the network connection is metered": "ไม่ติดตั้งการอัปเดตโดยอัตโนมัติเมื่อการเชื่อมต่อเครื่อข่ายคิดราคาการใช้งาน", "Do not download new app translations from GitHub automatically": "ไม่ต้องดาวน์โหลดคำแปลใหม่จาก GitHub โดยอัตโนมัติ", - "Do not ignore updates for this package anymore": "เลิกเพิกเฉยการอัปเดตแพ็กเกจนี้", "Do not remove successful operations from the list automatically": "ไม่ต้องลบการดำเนินการที่สำเร็จออกจากรายการโดยอัตโนมัติ", - "Do not show this dialog again for {0}": "อย่าแสดงกล่องข้อความนี้อีกสำหรับ {0}", "Do not update package indexes on launch": "ไม่ต้องอัปเดตดัชนีแพ็กเกจตอนเปิดแอปพลิเคชัน", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "คุณยินยอมให้ UniGetUI เก็บและส่งข้อมูลสถิติการใช้งานแบบไม่เปิดเผยตัวตน เพื่อจุดประสงค์ในการพัฒนาและปรับปรุงประสบการณ์ของผู้ใช้ หรือไม่?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "คุณคิดว่า UniGetUI มีประโยชน์ใช่ไหม คุณสามารถสนับสนุนงานของผมหากทำได้ เพื่อช่วยให้ผมสามารถทำให้ UniGetUI เป็นสุดยอดอินเทอร์เฟซตัวจัดการแพ็กเกจขั้นสูงต่อไปได้", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "คุณเห็นว่าแอพนี้มีประโยชน์หรือไม่? ต้องการที่จะสนับสนุนผู้พัฒนาหรือไม่? ถ้าต้องการสามารถ {0} มันจะช่วยพวกเรามาก!", - "Do you really want to reset this list? This action cannot be reverted.": "คุณแน่ใจที่จะรีเซ็ตรายการนี้หรือไม่? การกระทำนี้ไม่สามารถเรียกคืนได้", - "Do you really want to uninstall the following {0} packages?": "คุณต้องการถอนการติดตั้ง {0} แพ็กเกจต่อไปนี้หรือไม่", "Do you really want to uninstall {0} packages?": "คุณแน่ใจหรือไม่ที่จะถอนการติดตั้ง {0} แพ็กเกจ", - "Do you really want to uninstall {0}?": "คุณต้องการถอนการติดตั้ง {0} ใช่ไหม", "Do you want to restart your computer now?": "คุณต้องการที่จะรีสตาร์ทคอมพิวเตอร์ของคุณตอนนี้หรือไม่?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "คุณต้องการแปลภาษาของ UniGetUI เป็นภาษาของคุณหรือไม่? HERE!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "ไม่พร้อมบริจาคก็ไม่เป็นไร คุณสามารถชวนเพื่อนของคุณมาใช้ UniGetUI และช่วยกระจายข่าวเกี่ยวกับ UniGetUI", "Donate": "บริจาค", - "Done!": "เสร็จสิ้น", - "Download failed": "ดาวน์โหลดไม่สำเร็จ", - "Download installer": "ดาวน์โหลดตัวติดตั้ง", - "Download operations are not affected by this setting": "การดาวน์โหลดไม่ได้รับผลกระทบจากการตั้งค่านี้", - "Download selected installers": "ดาวน์โหลดตัวติดตั้งที่เลือกไว้", - "Download succeeded": "ดาวน์โหลดสำเร็จ", "Download updated language files from GitHub automatically": "ดาวน์โหลดไฟล์แปลภาษาที่อัปเดตล่าสุดจาก GitHub โดยอัตโนมัติ", "Downloading": "กำลังดาวน์โหลด", - "Downloading backup...": "กำลังดาวน์โหลดข้อมูลสำรอง...", "Downloading installer for {package}": "กำลังดาวน์โหลดตัวติดตั้งสำหรับ {package}", "Downloading package metadata...": "กำลังดาวน์โหลด metadata ของแพ็กเกจ", - "Enable Scoop cleanup on launch": "เปิดใช้งานการล้างข้อมูล Scoop เมื่อเปิดโปรแกรม", - "Enable WingetUI notifications": "เปิดการแจ้งเตือน UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "เปิดใช้ [experimental] เพื่อปรับปรุง WinGet troubleshooter", - "Enable and disable package managers, change default install options, etc.": "เปิดหรือปิดใช้งานตัวจัดการแพ็กเกจ เปลี่ยนตัวเลือกการติดตั้งเริ่มต้น และอื่น ๆ", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "เปิดใช้งานการปรับปรุงประสิทธิภาพการใช้ CPU ในพื้นหลัง (อ่านเพิ่มเติมที่ Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "เปิดใช้งาน API พื้นหลัง (Widgets สำหรับ UniGetUI และการแชร์ พอร์ต 7058)", - "Enable it to install packages from {pm}.": "เปิดใช้งานเพื่อติดตั้งแพ็กเกจจาก {pm}", - "Enable the automatic WinGet troubleshooter": "เปิดใช้ WinGet troubleshooter อัตโนมัติ", "Enable the new UniGetUI-Branded UAC Elevator": "ใช้งานตัวยกระกับสิทธิผู้ใช้ของ UniGetUI", "Enable the new process input handler (StdIn automated closer)": "เปิดใช้งานตัวจัดการอินพุตของกระบวนการแบบใหม่ (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "เปิดตัวเลือกการตั้งค่านี้ก็ต่อเมื่อคุณเข้าใจว่าสิ่งนี้ใช้ทำอะไรและผลข้างเคียงและอันตรายที่อาจเกิดขึ้น", - "Enable {pm}": "เปิด {pm}", - "Enabled": "เปิดใช้งาน", - "Enter proxy URL here": "กรอก URL ของ proxy ที่นี่", - "Entries that show in RED will be IMPORTED.": "บรรทัดสีแดงจะถูกนำเข้า", - "Entries that show in YELLOW will be IGNORED.": "บรรทัดสีเหลืองจะถูกละเว้น", - "Error": "ข้อผิดพลาด", - "Everything is up to date": "ทุกอย่างได้รับการอัปเดตแล้ว", - "Exact match": "ตรงทั้งหมด", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "ทางลัดที่มีอยู่บนหน้าจอของคุณจะถูกสแกน และคุณจะต้องเลือกว่าจะเก็บอันไหนและลบอันไหน", - "Expand version": "ขยายข้อมูลเวอร์ชัน", - "Experimental settings and developer options": "การตั้งค่าการทดลองและการตั้งค่าสำหรับนักพัฒนา", - "Export": "ส่งออก", - "Export log as a file": "ส่งออกบันทึกไปยังไฟล์", - "Export packages": "ส่งออกแพ็กเกจ", - "Export selected packages to a file": "ส่งออกแพ็กเกจที่เลือกไปยังไฟล์", - "Export settings to a local file": "ส่งออกการตั้งค่าไปยังไฟล์ในเครื่อง", - "Export to a file": "ส่งออกไปยังไฟล์", - "Failed": "ล้มเหลว", - "Fetching available backups...": "กำลังดึงข้อมูลสำรองที่พร้อมใช้งาน...", + "Export log as a file": "ส่งออกบันทึกไปยังไฟล์", + "Export packages": "ส่งออกแพ็กเกจ", + "Export selected packages to a file": "ส่งออกแพ็กเกจที่เลือกไปยังไฟล์", "Fetching latest announcements, please wait...": "กำลังดึงข้อมูลประกาศล่าสุด โปรดรอสักครู่...", - "Filters": "ฟิลเตอร์", "Finish": "เสร็จสิ้น", - "Follow system color scheme": "ตามธีมของระบบ", - "Follow the default options when installing, upgrading or uninstalling this package": "ใช้ตัวเลือกเริ่มต้นเมื่อติดตั้ง อัปเกรด หรือถอนการติดตั้งแพ็กเกจนี้", - "For security reasons, changing the executable file is disabled by default": "ด้วยเหตุผลด้านความปลอดภัย การเปลี่ยนไฟล์ปฏิบัติการจึงถูกปิดใช้งานตามค่าเริ่มต้น", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "ด้วยเหตุผลด้านความปลอดภัย อาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองจึงถูกปิดใช้งานตามค่าเริ่มต้น ไปที่การตั้งค่าความปลอดภัยของ UniGetUI เพื่อเปลี่ยนแปลงสิ่งนี้ ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "ด้วยเหตุผลด้านความปลอดภัย สคริปต์ก่อนและหลังการดำเนินการจึงถูกปิดใช้งานตามค่าเริ่มต้น ไปที่การตั้งค่าความปลอดภัยของ UniGetUI เพื่อเปลี่ยนแปลงสิ่งนี้ ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "บังคับให้ใช้ winget เวอร์ชันที่คอมไพล์เป็น ARM (เฉพาะระบบ ARM64)", - "Force install location parameter when updating packages with custom locations": "บังคับใช้พารามิเตอร์ตำแหน่งการติดตั้งเมื่ออัปเดตแพ็กเกจที่มีตำแหน่งกำหนดเอง", "Formerly known as WingetUI": "เดิมชื่อ WingetUI", "Found": "พบ", "Found packages: ": "แพ็กเกจที่พบ:", "Found packages: {0}": "แพ็กเกจที่พบ: {0}", "Found packages: {0}, not finished yet...": "แพ็กเกจที่พบ: {0} และยังไม่เสร็จ...", - "General preferences": "การตั้งค่า", "GitHub profile": "โปรไฟล์ GitHub", "Global": "ส่วนกลาง", - "Go to UniGetUI security settings": "ไปยังการตั้งค่าความปลอดภัยของ UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "คลังข้อมูลที่ยอดเยี่ยมของโปรแกรมอรรถประโยชน์ที่ไม่เป็นที่รู้จักแต่มีประโยชน์ และแพ็กเกจอื่น ๆ ที่น่าสนใจ
ประกอบด้วย: โปรแกรมอรรถประโยชน์ โปรแกรมบรรทัดคำสั่ง ซอฟต์แวร์ทั่วไป (ต้องมีบักเก็ตเพิ่มเติม)", - "Great! You are on the latest version.": "เยี่ยมมาก! คุณใช้เวอร์ชันล่าสุดแล้ว", - "Grid": "ตาราง", - "Help": "ความช่วยเหลือ", "Help and documentation": "ความช่วยเหลือ เเละเอกสารประกอบ", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "คุณสามารถเปลี่ยนแปลงพฤติกรรมของ UniGetUI สำหรับทางลัดเหล่านี้ การเลือกทางลัดจะให้ UniGetUI ลบทางลัดนั้นหากมีการสร้างขึ้นในการอัปเกรดครั้งต่อไป การไม่เลือกจะคงทางลัดไว้เหมือนเดิม", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "สวัสดี ผมชื่อ Martí และผมเป็น ผู้พัฒนา UniGetUI ซึ่งถูกสร้างในเวลาว่างของผม!", "Hide details": "ซ่อนรายละเอียด", - "Homepage": "เว็บไซต์", - "homepage": "เว็บไซต์", - "Hooray! No updates were found.": "ไชโย! ไม่พบการอัปเดต", "How should installations that require administrator privileges be treated?": "การติดตั้งที่ต้องการสิทธิ์ผู้ดูแลระบบควรจะถูกจัดการอย่างไร?", - "How to add packages to a bundle": "วิธีการเพิ่มแพ็กเกจไปยังชุดแพ็กเกจ", - "I understand": "ฉันเข้าใจแล้ว", - "Icons": "ไอคอน", - "Id": "ไอดี", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "หากคุณเปิดใช้งานการสำรองข้อมูลบนคลาวด์ ข้อมูลจะถูกบันทึกเป็น GitHub Gist ในบัญชีนี้", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "อนุญาตให้รันคำสั่งก่อนติดตั้งและหลังติดตั้งแบบกำหนดเอง", - "Ignore future updates for this package": "ละเว้นการอัปเดตในอนาคตสำหรับแพ็กเกจนี้", - "Ignore packages from {pm} when showing a notification about updates": "ละเว้นแพ็กเกจจาก {pm} เมื่อแสดงการแจ้งเตือนเกี่ยวกับการอัปเดต", - "Ignore selected packages": "ละเว้นแพ็กเกจที่เลือก", - "Ignore special characters": "ละเว้นอักขระพิเศษ", "Ignore updates for the selected packages": "ละเว้นการอัปเดตสำหรับแพ็กเกจที่เลือก", - "Ignore updates for this package": "ละเว้นการอัปเดตสำหรับแพ็กเกจนี้", "Ignored updates": "การอัปเดตที่ถูกละเว้น", - "Ignored version": "เวอร์ชันที่ถูกละเว้น", - "Import": "นำเข้า", "Import packages": "นำเข้าแพ็กเกจ", "Import packages from a file": "นำเข้าแพ็กเกจจากไฟล์", - "Import settings from a local file": "นำเข้าการตั้งค่าจากไฟล์ในเครื่อง", - "In order to add packages to a bundle, you will need to: ": "การจะเพิ่มแพ็กเกจลงในบันเดิล คุณต้องทำดังนี้:", "Initializing WingetUI...": "กำลังเริ่มต้น UniGetUI...", - "install": "ติดตั้ง", - "Install": "ติดตั้ง", - "Install Scoop": "ติดตั้ง Scoop", "Install and more": "ติดตั้งและอื่น ๆ", "Install and update preferences": "ติดตั้งและอัพเดทการตั้งค่า", - "Install as administrator": "ติดตั้งในฐานะผู้ดูแลระบบ", - "Install available updates automatically": "ติดตั้งการอัปเดตที่พร้อมใช้งานโดยอัตโนมัติ", - "Install location can't be changed for {0} packages": "ไม่สามารถเปลี่ยนตำแหน่งการติดตั้งสำหรับแพ็กเกจ {0}", - "Install location:": "ตำแหน่งติดตั้ง:", - "Install options": "ตัวเลือกการติดตั้ง", "Install packages from a file": "ติดตั้งแพ็กเกจจากไฟล์", - "Install prerelease versions of UniGetUI": "ติดตั้งพรีเวอร์ชัน (Pre-Release) ของ UniGetUI", - "Install script": "สคริปต์การติดตั้ง", "Install selected packages": "ติดตั้งแพ็กเกจที่เลือก", "Install selected packages with administrator privileges": "ติดตั้งแพ็กเกจที่เลือกด้วยสิทธิ์ผู้ดูแลระแบบ", - "Install selection": "ติดตั้งรายการที่เลือก", "Install the latest prerelease version": "ติดตั้งเวอร์ชันทดสอบล่าสุด", "Install updates automatically": "ติดตั้งอัปเดตโดยอัตโนมัติ", - "Install {0}": "ติดตั้ง {0}", "Installation canceled by the user!": "การติดตั้งถูกยกเลิก", - "Installation failed": "การติดตั้งล้มเหลว", - "Installation options": "การตั้งค่าการติดตั้ง", - "Installation scope:": "ขอบเขตการติดตั้ง:", - "Installation succeeded": "การติดตั้งสำเร็จ", - "Installed Packages": "แพ็กเกจที่ติดตั้ง", "Installed packages": "แพ็คเกจถูกติดตั้ง", - "Installed Version": "เวอร์ชันที่ติดตั้ง", - "Installer SHA256": "SHA256 ของตัวติดตั้ง", - "Installer SHA512": "SHA512 ของตัวติดตั้ง", - "Installer Type": "ประเภทการติดตั้ง", - "Installer URL": "URL ติดตั้ง", - "Installer not available": "ตัวติดตั้งไม่พร้อมใช้งาน", "Instance {0} responded, quitting...": "อินสแตนซ์ {0} ตอบกลับ กำลังออก...", - "Instant search": "ค้นหาทันที", - "Integrity checks can be disabled from the Experimental Settings": "สามารถปิดใช้งานการตรวจสอบความสมบูรณ์ได้จากการตั้งค่าทดลอง", - "Integrity checks skipped": "ข้ามขั้นตอนการตรวจสอบ", - "Integrity checks will not be performed during this operation": "ข้ามการตรวจสอบความสมบูรณ์ระหว่างการดำเนินการ", - "Interactive installation": "ติดตั้งแบบอินเตอร์แอคทีฟ", - "Interactive operation": "การดำเนินการแบบโต้ตอบ", - "Interactive uninstall": "การถอนการติดตั้งแบบอินเตอร์แอคทีฟ", - "Interactive update": "การอัปเดตแบบอินเตอร์แอคทีฟ", - "Internet connection settings": "การตั้งค่าการเชื่อมต่ออินเทอร์เน็ต", - "Invalid selection": "การเลือกไม่ถูกต้อง", "Is this package missing the icon?": "แพ็กเกจนี้ไม่มีไอคอนหรือเปล่า?", - "Is your language missing or incomplete?": "ไม่พบภาษาของคุณหรือการแปลในภาษาของคุณยังไม่สมบูรณ์ใช่ไหม", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "ไม่มีการรับประกันว่าข้อมูลส่วนตัวที่ให้ไว้จะถูกเก็บไว้อย่างปลอดภัย ดังนั้นคุณไม่ควรใช้ข้อมูลประจำตัวของบัญชีธนาคารของคุณ", - "It is recommended to restart UniGetUI after WinGet has been repaired": "แนะนำให้รีสตาร์ท UniGetUI หลังจากซ่อมแซม WinGet แล้ว", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "ขอแนะนำอย่างยิ่งให้ติดตั้ง UniGetUI ใหม่เพื่อแก้ไขสถานการณ์นี้", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "ดูเหมือนว่า WinGet จะทำงานผิดปกติ คุณต้องการลองซ่อมแซม WinGet หรือไม่?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "ดูเหมือนว่าคุณได้รัน UniGetUI ในฐานะผู้ดูแลระบบ ซึ่งไม่แนะนำ เรายังคงสามารถใช้โปรแกรมได้ แต่เราขอแนะนำให้ไม่รัน UniGetUI ด้วยสิทธิ์ผู้ดูแลระบบ คลิกที่ \"{showDetails}\" เพื่อดูรายละเอียดเพิ่มเติมว่าทำไมถึงไม่แนะนำให้รันด้วยสิทธิ์ผู้ดูแลระบบ", - "Language": "ภาษา", - "Language, theme and other miscellaneous preferences": "การตั้งค่าภาษา ธีม และการตั้งค่าอื่น ๆ ที่เกี่ยวข้อง", - "Last updated:": "อัปเดตล่าสุด:", - "Latest": "ล่าสุด", "Latest Version": "เวอร์ชันล่าสุด", "Latest Version:": "เวอร์ชันล่าสุด:", "Latest details...": "รายละเอียดล่าสุด...", "Launching subprocess...": "กำลังเริ่มกระบวนการย่อย...", - "Leave empty for default": "เว้นว่างไว้เพื่อใช้ค่าเริ่มต้น", - "License": "ลิขสิทธ์", "Licenses": "ลิขสิทธิ์", - "Light": "สว่าง", - "List": "รายการ", "Live command-line output": "เอาต์พุตบรรทัดคำสั่งแบบสด", - "Live output": "เอาต์พุตสด", "Loading UI components...": "กำลังโหลด UI คอมโพเนนต์...", "Loading WingetUI...": "กำลังโหลด UniGetUI...", - "Loading packages": "กำลังโหลดแพ็กเกจ", - "Loading packages, please wait...": "กำลังโหลดแพ็กเกจ โปรดรอสักครู่...", - "Loading...": "กำลังโหลด...", - "Local": "เฉพาะที่", - "Local PC": "พีซีเครื่องนี้", - "Local backup advanced options": "ตัวเลือกขั้นสูงของการสำรองข้อมูลภายในเครื่อง", "Local machine": "คอมพิวเตอร์เครื่องนี้", - "Local package backup": "การสำรองข้อมูลแพ็กเกจภายในเครื่อง", "Locating {pm}...": "กำลังค้นหา {pm}...", - "Log in": "ลงชื่อเข้าใช้", - "Log in failed: ": "ลงชื่อเข้าใช้ไม่สำเร็จ:", - "Log in to enable cloud backup": "ลงชื่อเข้าใช้เพื่อสำรองข้อมูลบนคลาวด์", - "Log in with GitHub": "ลงชื่อเข้าใช้ด้วย GitHub", - "Log in with GitHub to enable cloud package backup.": "ลงชื่อเข้าใช้ด้วย GitHub เพื่อสำรองข้อมูลแพ็กเกจบนคลาวด์", - "Log level:": "ระดับบันทึก:", - "Log out": "ออกจากระบบ", - "Log out failed: ": "ออกจากระบบไม่สำเร็จ:", - "Log out from GitHub": "ออกจากระบบ GitHub", "Looking for packages...": "กำลังค้นหาแพ็กเกจ...", "Machine | Global": "เครื่อง | ส่วนกลาง", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "อาร์กิวเมนต์บรรทัดคำสั่งที่ไม่ถูกต้องอาจทำให้แพ็กเกจเสียหาย หรือแม้แต่เปิดทางให้ผู้ไม่ประสงค์ดีได้รับสิทธิ์ยกระดับการทำงานได้ ดังนั้นการนำเข้าอาร์กิวเมนต์บรรทัดคำสั่งแบบกำหนดเองจึงถูกปิดใช้งานตามค่าเริ่มต้น", - "Manage": "จัดการ", - "Manage UniGetUI settings": "จัดการการตั้งค่า UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "จัดการตัวเลือกการเริ่มโดยอัตโนมัติของ UniGetUI จากแอปการตั้งค่า", "Manage ignored packages": "จัดการแพ็กเกจที่ถูกละเว้น", - "Manage ignored updates": "จัดการการอัปเดตที่ถูกละเว้น", - "Manage shortcuts": "จัดการทางลัด", - "Manage telemetry settings": "จัดการการตั้งค่า telemetry", - "Manage {0} sources": "จัดการ {0} แหล่งข้อมูล", - "Manifest": "แมนิเฟสต์", "Manifests": "แมนิเฟสต์", - "Manual scan": "สแกนด้วยตนเอง", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "ตัวจัดการแพ็กเกจอย่างเป็นทางการของ Microsoft ที่เต็มด้วยแพ็กเกจที่เป็นที่รู้จักกันดี และผ่านการตรวจสอบแล้ว
ประกอบด้วย: ซอฟต์แวร์ทั่วไป, แอปจาก Microsoft Store", - "Missing dependency": "Dependency ขาดหายไป", - "More": "เพิ่มเติม", - "More details": "รายละเอียดเพิ่มเติม", - "More details about the shared data and how it will be processed": "รายละเอียดเพิ่มเติมเกี่ยวกับข้อมูลที่ใช้ร่วมกันและวิธีการประมวลผล", - "More info": "ข้อมูลเพิ่มเติม", - "More than 1 package was selected": "มีการเลือกมากกว่า 1 แพ็กเกจ", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "หมายเหตุ: ตัวช่วยแก้ปัญหานี้สามารถปิดได้ที่การตั้งค่า UniGetUI ในส่วน WinGet", - "Name": "ชื่อ", - "New": "ใหม่", "New Version": "เวอร์ชันใหม่", - "New version": "เวอร์ชันใหม่", "New bundle": "สร้างบันเดิลใหม่", - "Nice! Backups will be uploaded to a private gist on your account": "ยอดเยี่ยม! ข้อมูลสำรองจะถูกอัปโหลดไปยัง gist ส่วนตัวในบัญชีของคุณ", - "No": "ไม่", - "No applicable installer was found for the package {0}": "ไม่พบตัวติดตั้งที่เหมาะสมสำหรับแพ็กเกจ {0}", - "No dependencies specified": "ไม่ได้ระบุการอ้างอิงไว้", - "No new shortcuts were found during the scan.": "ไม่พบทางลัดใหม่ระหว่างการสแกน", - "No package was selected": "ไม่มีแพ็กเกจที่ถูกเลือก", "No packages found": "ไม่พบแพ็กเกจ", "No packages found matching the input criteria": "ไม่พบแพ็กเกจที่ตรงกับเกณฑ์การค้นหา", "No packages have been added yet": "ยังไม่มีการเพิ่มแพ็กเกจ", "No packages selected": "ไม่มีแพ็กเกจที่ถูกเลือก", - "No packages were found": "ไม่พบแพ็กเกจ", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "ไม่มีการเก็บรวบรวมหรือส่งข้อมูลส่วนบุคคล และข้อมูลที่เก็บรวบรวมจะถูกทำให้ไม่ระบุตัวตน จึงไม่สามารถติดตามกลับไปถึงคุณได้", - "No results were found matching the input criteria": "ไม่พบผลลัพธ์ที่ตรงกับเกณฑ์การค้นหา", "No sources found": "ไม่พบแหล่งข้อมูล", "No sources were found": "ไม่พบแหล่งข้อมูล", "No updates are available": "ไม่มีการอัปเดต", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "ตัวจัดการแพ็กเกจ Node JS ที่เต็มไปด้วยไลบรารีและเครื่องมืออื่น ๆ ที่เกี่ยวข้องกับ JavaScript
ประกอบด้วย: ไลบรารี JavaScript และเครื่องมือที่เกี่ยวข้องอื่น ๆ", - "Not available": "ไม่มีข้อมูล", - "Not finding the file you are looking for? Make sure it has been added to path.": "ไม่พบไฟล์ที่คุณกำลังมองหาใช่ไหม ตรวจสอบให้แน่ใจว่าได้เพิ่มไฟล์นั้นลงใน path แล้ว", - "Not found": "ไม่พบ", - "Not right now": "ไม่ใช่ตอนนี้", "Notes:": "โน้ต:", - "Notification preferences": "การตั้งค่าการแจ้งเตือน", "Notification tray options": "การตั้งค่าการแจ้งเตือนในถาดระบบ", - "Notification types": "ประเภทการแจ้งเตือน", - "NuPkg (zipped manifest)": "NuPkg (ไฟล์ Manifest ที่บีบอัด)", - "OK": "โอเค", "Ok": "โอเค", - "Open": "เปิด", "Open GitHub": "เปิด GitHub", - "Open UniGetUI": "เปิด UniGetUI", - "Open UniGetUI security settings": "เปิดการตั้งค่าความปลอดภัยของ UniGetUI", "Open WingetUI": "เปิด UniGetUI", "Open backup location": "เปิดตำแหน่งที่เก็บข้อมูลสำรอง", "Open existing bundle": "เปิดบันเดิลที่มีอยู่", - "Open install location": "เปิด Path folder ที่ติดตั้งไป", "Open the welcome wizard": "เปิด welcome wizard", - "Operation canceled by user": "ผู้ใช้ยกเลิกการดำเนินการ", "Operation cancelled": "การดำเนินการถูกยกเลิก", - "Operation history": "ประวัติการดำเนินการ", - "Operation in progress": "กำลังดำเนินการ", - "Operation on queue (position {0})...": "การดำเนินการอยู่ในคิว (ลำดับที่ {0})...", - "Operation profile:": "โปรไฟล์การดำเนินการ:", "Options saved": "การตั้งค่าถูกบันทึกเรียบร้อย", - "Order by:": "เรียงลำดับโดย:", - "Other": "อื่น ๆ", - "Other settings": "การตั้งค่าอื่นๆ", - "Package": "แพ็กเกจ", - "Package Bundles": "แพ็กเกจบันเดิล", - "Package ID": "แพ็กเกจ ID", "Package Manager": "ตัวจัดการแพ็กเกจ", - "Package manager": "ตัวจัดการแพ็กเกจ", - "Package Manager logs": "บันทึกการทำงานของตัวจัดการแพ็กเกจ", - "Package Managers": "ตัวจัดการแพ็กเกจ", "Package managers": "ตัวจัดการแพ็กเกจ", - "Package Name": "ชื่อแพ็กเกจ", - "Package backup": "การสำรองข้อมูลแพ็กเกจ", - "Package backup settings": "การตั้งค่าการสำรองข้อมูลแพ็กเกจ", - "Package bundle": "แพ็กเกจบันเดิล", - "Package details": "รายละเอียดแพ็กเกจ", - "Package lists": "รายการแพ็กเกจ", - "Package management made easy": "จัดการแพ็กเกจได้อย่างง่ายดาย", - "Package manager preferences": "การตั้งค่าตัวจัดการแพ็กเกจ", - "Package not found": "ไม่พบแพ็กเกจ", - "Package operation preferences": "การตั้งค่าการดำเนินการแพ็กเกจ", - "Package update preferences": "การตั้งค่าการอัปเดตแพ็กเกจ", "Package {name} from {manager}": "แพ็กเกจ {name} จาก {manager}", - "Package's default": "ค่าเริ่มต้นของแพ็กเกจ", "Packages": "แพ็กเกจ", "Packages found: {0}": "แพ็กเกจที่พบ: {0}", - "Partially": "บางส่วน", - "Password": "รหัสผ่าน", "Paste a valid URL to the database": "วาง URL ที่ถูกต้องไปยังฐานข้อมูล", - "Pause updates for": "หยุดการอัปเดตชั่วคราวเป็นเวลา", "Perform a backup now": "สำรองข้อมูลเดี๋ยวนี้", - "Perform a cloud backup now": "สำรองข้อมูลบนคลาวด์เดี๋ยวนี้", - "Perform a local backup now": "สำรองข้อมูลในเครื่องเดี๋ยวนี้", - "Perform integrity checks at startup": "ดำเนินการตรวจสอบความสมบูรณ์เมื่อเริ่มต้นระบบ", - "Performing backup, please wait...": "กำลังสำรองข้อมูล โปรดรอสักครู่...", "Periodically perform a backup of the installed packages": "สำรองข้อมูลแพ็กเกจที่ติดตั้งแล้วเป็นระยะ", - "Periodically perform a cloud backup of the installed packages": "สำรองข้อมูลแพ็กเกจที่ติดตั้งแล้วบนคลาวด์เป็นระยะ", - "Periodically perform a local backup of the installed packages": "สำรองข้อมูลแพ็กเกจที่ติดตั้งแล้วในเครื่องเป็นระยะ", - "Please check the installation options for this package and try again": "โปรดตรวจสอบตัวเลือกการติดตั้งสำหรับแพ็กเกจนี้และลองอีกครั้ง", - "Please click on \"Continue\" to continue": "โปรดคลิกที่ \"ดำเนินการต่อ\" เพื่อดำเนินการต่อ", "Please enter at least 3 characters": "โปรดป้อนอย่างน้อย 3 ตัวอักษร", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "โปรดทราบว่าแพ็กเกจบางรายการอาจไม่สามารถติดตั้งได้เนื่องจากตัวจัดการแพ็กเกจที่เปิดใช้งานบนเครื่องนี้", - "Please note that not all package managers may fully support this feature": "โปรดทราบว่าอาจมีตัวจัดการแพ็กเกจบางตัวที่ไม่รองรับฟีเจอร์นี้อย่างสมบูรณ์", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "โปรดทราบว่าแพ็กเกจจากแหล่งข้อมูลบางแห่งอาจไม่สามารถส่งออกได้ แพ็กเกจเหล่านี้ถูกทำให้เป็นสีเทาและจะไม่ถูกส่งออก", - "Please run UniGetUI as a regular user and try again.": "โปรดรัน UniGetUI ในฐานะผู้ใช้ปกติแล้วลองอีกครั้ง", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "โปรดดูเอาต์พุตบรรทัดคำสั่งหรืออ้างอิงประวัติการดำเนินการสำหรับข้อมูลเพิ่มเติมเกี่ยวกับปัญหานี้", "Please select how you want to configure WingetUI": "โปรดเลือกวิธีการตั้งค่า UniGetUI ของคุณ", - "Please try again later": "กรุณาลองใหม่ในภายหลัง", "Please type at least two characters": "กรุณาพิมพ์อย่างน้อยสองตัวอักษร", - "Please wait": "โปรดรอ", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "กรุณารอสักครู่ขณะที่ {0} กำลังติดตั้ง หน้าต่างสีดำ (หรือสีน้ำเงิน) อาจปรากฏขึ้น กรุณารอจนกว่าจะปิดลง", - "Please wait...": "กรุณารอสักครู่...", "Portable": "พกพา", - "Portable mode": "โหมดพกพา\n", - "Post-install command:": "คำสั่งหลังการติดตั้ง:", - "Post-uninstall command:": "คำสั่งหลังการถอนการติดตั้ง:", - "Post-update command:": "คำสั่งหลังการอัปเดต:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "ตัวจัดการแพ็กเกจของ PowerShell ค้นหาไลบรารีและสคริปต์เพื่อเพิ่มขีดความสามารถของ PowerShell
ประกอบด้วย: โมดูล, สคริปต์, Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "คำสั่งก่อนและหลังการติดตั้งสามารถทำสิ่งที่เป็นอันตรายต่ออุปกรณ์ของคุณได้ หากถูกออกแบบมาเพื่อทำเช่นนั้น การนำเข้าคำสั่งจากบันเดิลอาจเป็นอันตรายมาก เว้นแต่คุณจะเชื่อถือแหล่งที่มาของบันเดิลแพ็กเกจนั้น", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "คำสั่งก่อนและหลังการติดตั้งจะถูกรันก่อนและหลังจากที่แพ็กเกจได้รับการติดตั้ง อัปเกรด หรือถอนการติดตั้ง โปรดทราบว่าคำสั่งเหล่านี้อาจทำให้ระบบเสียหายได้หากไม่ได้ใช้อย่างระมัดระวัง", - "Pre-install command:": "คำสั่งก่อนการติดตั้ง:", - "Pre-uninstall command:": "คำสั่งก่อนการถอนการติดตั้ง:", - "Pre-update command:": "คำสั่งก่อนการอัปเดต:", - "PreRelease": "ก่อนเผยแพร่", - "Preparing packages, please wait...": "กำลังเตรียมแพ็กเกจ โปรดรอสักครู่...", - "Proceed at your own risk.": "โปรดดำเนินการโดยยอมรับความเสี่ยงด้วยตนเอง", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "ห้ามการยกระดับสิทธิ์ทุกรูปแบบผ่าน UniGetUI Elevator หรือ GSudo", - "Proxy URL": "URL ของพร็อกซี", - "Proxy compatibility table": "ตารางความเข้ากันได้ของพร็อกซี", - "Proxy settings": "การตั้งค่าพร็อกซี", - "Proxy settings, etc.": "การตั้งค่าพร็อกซี และอื่น ๆ", "Publication date:": "วันที่เผยแพร่:", - "Publisher": "ผู้เผยแพร่", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "ตัวจัดการไลบรารีของ Python ที่เต็มไปด้วยไลบรารี Python และเครื่องมือที่เกี่ยวข้องกับ Python อื่น ๆ
ประกอบด้วย: ไลบรารี Python และเครื่องมือที่เกี่ยวข้องกับ Python", - "Quit": "ออก", "Quit WingetUI": "ออกจาก UniGetUI", - "Ready": "พร้อม", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "ลดการแจ้งเตือน UAC ยกระดับการติดตั้งตามค่าเริ่มต้น ปลดล็อกฟีเจอร์อันตรายบางอย่าง และอื่น ๆ", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "โปรดดูบันทึกของ UniGetUI เพื่อรับรายละเอียดเพิ่มเติมเกี่ยวกับไฟล์ที่ได้รับผลกระทบ", - "Reinstall": "ติดตั้งใหม่", - "Reinstall package": "ติดตั้งแพ็กเกจอีกรอบ", - "Related settings": "การตั้งค่าที่เกี่ยวข้อง", - "Release notes": "รายละเอียดการปรับปรุง", - "Release notes URL": "URL บันทึกประจำเวอร์ชัน", "Release notes URL:": "URL บันทึกการออกเวอร์ชัน:", "Release notes:": "บันทึกการออกเวอร์ชัน:", "Reload": "รีโหลด", - "Reload log": "รีโหลดบันทึก", "Removal failed": "การลบล้มเหลว", "Removal succeeded": "การลบสำเร็จ", - "Remove from list": "ลบออกจากรายการ", "Remove permanent data": "ลบข้อมูลถาวร", - "Remove selection from bundle": "ลบรายการที่เลือกออกจากบันเดิล", "Remove successful installs/uninstalls/updates from the installation list": "ลบการติดตั้ง/การถอนการติดตั้ง/การอัปเดตที่ประสบความสำเร็จ ออกจากรายการการติดตั้ง", - "Removing source {source}": "กำลังลบแหล่งที่มา {source}", - "Removing source {source} from {manager}": "กำลังลบซอร์ซ {source} ออกจาก {manager}", - "Repair UniGetUI": "ซ่อมแซม UniGetUI", - "Repair WinGet": "ซ่อมแซม WinGet", - "Report an issue or submit a feature request": "รายงานปัญหาหรือส่งคำขอคุณสมบัติใหม่", "Repository": "คลังข้อมูล", - "Reset": "รีเซ็ต", "Reset Scoop's global app cache": "รีเซ็ตแคชแอปส่วนกลางของ Scoop", - "Reset UniGetUI": "รีเซ็ต UniGetUI", - "Reset WinGet": "รีเซ็ต WinGet", "Reset Winget sources (might help if no packages are listed)": "รีเซ็ตแหล่งข้อมูลสำหรับ Winget (อาจช่วยในกรณีที่ไม่มีแพ็กเกจแสดงในรายการ)", - "Reset WingetUI": "รีเซ็ต UniGetUI", "Reset WingetUI and its preferences": "รีเซ็ต UniGetUI และการตั้งค่า", "Reset WingetUI icon and screenshot cache": "รีเซ็ตแคชไอคอนและภาพสกรีนช็อตของ UniGetUI", - "Reset list": "รีเซ็ตรายการ", "Resetting Winget sources - WingetUI": "กำลังรีเซ็ตแหล่งข้อมูลสำหรับ Winget - UniGetUI", - "Restart": "รีสตาร์ท", - "Restart UniGetUI": "รีสตาร์ท UniGetUI", - "Restart WingetUI": "รีสตาร์ท UniGetUI", - "Restart WingetUI to fully apply changes": "รีสตาร์ท UniGetUI เพื่อให้การเปลี่ยนแปลงทั้งหมดเป็นผลสมบูรณ์", - "Restart later": "รีสตาร์ททีหลัง", "Restart now": "รีสตาร์ทเดี๋ยวนี้", - "Restart required": "จำเป็นต้องรีสตาร์ท", "Restart your PC to finish installation": "รีสตาร์ทคอมพิวเตอร์ของคุณเพื่อสำเร็จกระบวนการติดตั้ง", "Restart your computer to finish the installation": "รีสตาร์ทคอมพิวเตอร์ของคุณเพื่อสำเร็จกระบวนการติดตั้ง", - "Restore a backup from the cloud": "กู้คืนข้อมูลสำรองจากคลาวด์", - "Restrictions on package managers": "ข้อจำกัดของตัวจัดการแพ็กเกจ", - "Restrictions on package operations": "ข้อจำกัดของการดำเนินการแพ็กเกจ", - "Restrictions when importing package bundles": "ข้อจำกัดเมื่อนำเข้าบันเดิลแพ็กเกจ", - "Retry": "ลองใหม่อีกครั้ง", - "Retry as administrator": "ทำซ้ำในฐานะผู้ดูแลระบบ", "Retry failed operations": "ลองการดำเนินการที่ล้มเหลวอีกครั้ง", - "Retry interactively": "ลองใหม่แบบโต้ตอบ", - "Retry skipping integrity checks": "ลองใหม่โดยข้ามการตรวจสอบความสมบูรณ์", "Retrying, please wait...": "กำลังลองใหม่ โปรดรอสักครู่...", "Return to top": "กลับไปข้างบน", - "Run": "เรียกใช้", - "Run as admin": "รันด้วยสิทธิ์ผู้ดูแลระบบ", - "Run cleanup and clear cache": "เรียกใช้การล้างข้อมูลและล้างแคช", - "Run last": "ดำเนินการรายการสุดท้าย", - "Run next": "ดำเนินการรายการต่อไป", - "Run now": "ดำเนินการทันที", "Running the installer...": "กำลังรันตัวติดตั้ง...", "Running the uninstaller...": "กำลังรันตัวถอนการติดตั้ง...", "Running the updater...": "กำลังรันตัวอัปเดต...", - "Save": "บันทึก", "Save File": "เซฟไฟล์", - "Save and close": "บันทึกและปิด", - "Save as": "บันทึกเป็น", - "Save bundle as": "บันทึกบันเดิลเป็น", - "Save now": "บันทึกเดี๋ยวนี้", - "Saving packages, please wait...": "กำลังบันทึกแพ็กเกจ โปรดรอสักครู่...", - "Scoop Installer - WingetUI": "ตัวติดตั้ง Scoop - UniGetUI", - "Scoop Uninstaller - WingetUI": "ตัวถอนการติดตั้ง Scoop - UniGetUI", - "Scoop package": "แพ็กเกจ Scoop", + "Save bundle as": "บันทึกบันเดิลเป็น", + "Save now": "บันทึกเดี๋ยวนี้", "Search": "ค้นหา", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "ค้นหาซอฟต์แวร์สำหรับเดสก์ท็อป แจ้งเตือนเมื่อมีอัปเดต และไม่ทำสิ่งที่ซับซ้อนเกินไป ฉันไม่อยากให้ UniGetUI มีความซับซ้อน แต่ต้องการให้ UniGetUI เป็นเพียง ซอฟต์แวร์สโตร์ ที่ใช้งานได้ง่าย", - "Search for packages": "ค้นหาแพ็กเกจ", - "Search for packages to start": "ค้นหาแพ็กเกจเพื่อเริ่มต้น", - "Search mode": "โหมดการค้นหา", "Search on available updates": "ค้นหาจากอัปเดต", "Search on your software": "ค้นหาจากซอฟต์แวร์ของคุณ", "Searching for installed packages...": "กำลังค้นหาแพ็กเกจที่ติดตั้งแล้ว...", "Searching for packages...": "กำลังค้นหาแพ็กเกจ...", "Searching for updates...": "กำลังค้นหาอัปเดต...", - "Select": "เลือก", "Select \"{item}\" to add your custom bucket": "เลือก \"{item}\" ไปยังบักเก็ตที่คุณกำหนดเอง", "Select a folder": "เลือกโฟลเดอร์", - "Select all": "เลือกทั้งหมด", "Select all packages": "เลือกแพ็กเกจทั้งหมด", - "Select backup": "เลือกข้อมูลสำรอง", "Select only if you know what you are doing.": "เลือกหากคุณรู้ว่าคุณกำลังทำอะไรเท่านั้น", "Select package file": "เลือกไฟล์แพ็กเกจ", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "เลือกข้อมูลสำรองที่คุณต้องการเปิด หลังจากนั้นคุณจะสามารถตรวจสอบได้ว่าต้องการติดตั้งแพ็กเกจใด", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "เลือกไฟล์ปฏิบัติการที่จะใช้ รายการต่อไปนี้แสดงไฟล์ปฏิบัติการที่ UniGetUI พบ", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "เลือกกระบวนการที่ควรถูกปิดก่อนติดตั้ง อัปเดต หรือถอนการติดตั้งแพ็กเกจนี้", - "Select the source you want to add:": "เลือกซอร์ซที่คุณต้องการเพิ่ม:", - "Select upgradable packages by default": "เลือกแพ็กเกจที่อัปเกรดได้ตามค่าเริ่มต้น", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "เลือกตัวจัดการแพ็กเกจที่ต้องการใช้ ({0}), กำหนดวิธีการติดตั้งแพ็กเกจ, จัดการวิธีการให้สิทธิ์ผู้ดูแลระบบ, และอื่น ๆ", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "ทำการส่ง handshake ไปแล้ว กำลังรอคำตอบจากอินสแตนซ์ลิสเทนเนอร์ (instance listener)... ({0}%)", - "Set a custom backup file name": "ตั้งชื่อไฟล์สำรองข้อมูลเอง", "Set custom backup file name": "ตั้งชื่อไฟล์สำรองข้อมูลเอง", - "Settings": "การตั้งค่า", - "Share": "แชร์", "Share WingetUI": "แบ่งปัน UniGetUI", - "Share anonymous usage data": "แชร์ข้อมูลการใช้งานแบบไม่ระบุตัวตน", - "Share this package": "แชร์แพ็กเกจนี้", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "หากคุณแก้ไขการตั้งค่าความปลอดภัย คุณจะต้องเปิดบันเดิลอีกครั้งเพื่อให้การเปลี่ยนแปลงมีผล", "Show UniGetUI on the system tray": "แสดง UniGetUI ในถาดระบบ", - "Show UniGetUI's version and build number on the titlebar.": "แสดงเวอร์ชันและหมายเลขบิลด์ของ UniGetUI บนแถบชื่อเรื่อง", - "Show WingetUI": "แสดง UniGetUI", "Show a notification when an installation fails": "แสดงการแจ้งเตือนเมื่อติดตั้งไม่สำเร็จ", "Show a notification when an installation finishes successfully": "แสดงการแจ้งเตือนเมื่อการติดตั้งเสร็จสมบูรณ์", - "Show a notification when an operation fails": "แสดงการแจ้งเตือนเมื่อการดำเนินการล้มเหลว", - "Show a notification when an operation finishes successfully": "แสดงการแจ้งเตือนเมื่อการดำเนินการเสร็จสิ้นสำเร็จ", - "Show a notification when there are available updates": "แสดงการแจ้งเตือนเมื่อพบอัปเดต", - "Show a silent notification when an operation is running": "แสดงการแจ้งเตือนแบบเงียบเมื่อมีการดำเนินการอยู่", "Show details": "แสดงรายละเอียด", - "Show in explorer": "แสดงใน Explorer", "Show info about the package on the Updates tab": "แสดงข้อมูลเกี่ยวกับแพ็กเกจบนแท็บอัปเดต", "Show missing translation strings": "แสดงสตริงการแปลที่ขาดหาย", - "Show notifications on different events": "แสดงการแจ้งเตือนเกี่ยวกับเหตุการณ์ต่าง ๆ", "Show package details": "แสดงรายละเอียดแพ็กเกจ", - "Show package icons on package lists": "แสดงแพ็คเกจไอค่อนในรายการแพ็คแกจ", - "Show similar packages": "แสดงแพ็กเกจที่คล้ายกัน", "Show the live output": "แสดง live output", - "Size": "ขนาด", "Skip": "ข้าม", - "Skip hash check": "ข้ามการตรวจสอบแฮช", - "Skip hash checks": "ข้ามการตรวจสอบแฮช", - "Skip integrity checks": "ข้ามการตรวจสอบความสมบูรณ์", - "Skip minor updates for this package": "ข้ามการอัปเดตย่อยสำหรับแพ็กเกจนี้", "Skip the hash check when installing the selected packages": "ข้ามการตรวจสอบแฮชเมื่อติดตั้งแพ็กเกจที่เลือก", "Skip the hash check when updating the selected packages": "ข้ามการตรวจสอบแฮชเมื่ออัปเดตแพ็กเกจที่เลือก", - "Skip this version": "ข้ามเวอร์ชันนี้", - "Software Updates": "การอัปเดต​ซอฟต์แวร์", - "Something went wrong": "มีบางอย่างผิดพลาด", - "Something went wrong while launching the updater.": "มีข้อผิดพลาดขณะเปิดตัวอัปเดต", - "Source": "ซอร์ซ", - "Source URL:": "URL ซอร์ซ:", - "Source added successfully": "เพิ่มแหล่งที่มาสำเร็จ", "Source addition failed": "การเพิ่มซอร์ซล้มเหลว", - "Source name:": "ชื่อซอร์ซ:", "Source removal failed": "การลบซอร์ซล้มเหลว", - "Source removed successfully": "ลบแหล่งที่มาสำเร็จ", "Source:": "ซอร์ซ:", - "Sources": "แหล่งข้อมูล", "Start": "เริ่ม", "Starting daemons...": "กำลังเริ่ม daemons...", - "Starting operation...": "กำลังเริ่มการดำเนินการ...", "Startup options": "การตั้งค่าการเริ่มโปรแกรม", "Status": "สถานะ", "Stuck here? Skip initialization": "ติดอยู่ที่นี่หรือเปล่า? ข้ามกระบวนการเริ่มต้น", - "Success!": "สำเร็จ!", "Suport the developer": "สนับสนุนผู้พัฒนา", "Support me": "สนับสนุนผู้พัฒนา", "Support the developer": "สนับสนุนผู้พัฒนา", "Systems are now ready to go!": "ระบบพร้อมที่จะใช้งานแล้ว!", - "Telemetry": "ข้อมูลการใช้งาน", - "Text": "ข้อความ", "Text file": "ไฟล์ข้อความ", - "Thank you ❤": "ขอบคุณ ❤", "Thank you 😉": "ขอบคุณ 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "ตัวจัดการแพ็กเกจ Rust
ประกอบด้วย: ไลบรารี Rust และโปรแกรมที่เขียนด้วย Rust", - "The backup will NOT include any binary file nor any program's saved data.": "การสำรองข้อมูลจะไม่รวมถึงไฟล์ที่เป็นไบนารีหรือข้อมูลที่บันทึกไว้ของโปรแกรมใด ๆ", - "The backup will be performed after login.": "การสำรองข้อมูลจะทำงานหลังจากเข้าสู่ระบบ", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "การสำรองข้อมูลจะรวมถึงรายการทั้งหมดของแพ็กเกจที่ติดตั้ง และการตั้งค่าการติดตั้งของแพ็กเกจนั้นทั้งหมด การอัปเดตที่ถูกละเว้น และเวอร์ชันที่ข้ามไปจะถูกบันทึกไว้ด้วย", - "The bundle was created successfully on {0}": "สร้างบันเดิลสำเร็จเมื่อ {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "บันเดิลที่คุณพยายามโหลดดูเหมือนจะไม่ถูกต้อง โปรดตรวจสอบไฟล์แล้วลองอีกครั้ง", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "ค่าแฮชของตัวติดตั้งไม่ตรงกับค่าที่คาดหวัง และไม่สามารถยืนยันความถูกต้องของตัวติดตั้งได้ หากคุณไว้วางใจผู้เผยแพร่ {0} แพ็กเกจอีกครั้งโดยข้ามการตรวจสอบแฮช", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "ตัวจัดการแพ็กเกจสุดคลาสสิกสำหรับ Windows คุณสามารถหาทุกอย่างได้ที่นี่
ประกอบด้วย: ซอฟต์แวร์ทั่วไป", - "The cloud backup completed successfully.": "สำรองข้อมูลบนคลาวด์สำเร็จ", - "The cloud backup has been loaded successfully.": "โหลดข้อมูลสำรองบนคลาวด์สำเร็จ", - "The current bundle has no packages. Add some packages to get started": "บันเดิลปัจจุบันไม่มีแพ็กเกจ เพิ่มแพ็กเกจบางรายการเพื่อเริ่มต้น", - "The executable file for {0} was not found": "ไม่พบไฟล์ปฏิบัติการสำหรับ {0}", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "การตั้งค่าต่อไปนี้จะถูกนำไปใช้ทุกครั้งที่ติดตั้ง อัปเดต หรือลบแพ็กเกจ {0}", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "แพ็กเกจต่อไปนี้จะถูกส่งออกไปยังไฟล์ JSON โดยจะไม่มีข้อมูลผู้ใช้หรือไบนารีถูกบันทึกไว้", "The following packages are going to be installed on your system.": "แพ็กเกจต่อไปนี้จะถูกติดตั้งบนระบบของคุณ", - "The following settings may pose a security risk, hence they are disabled by default.": "การตั้งค่าต่อไปนี้อาจก่อให้เกิดความเสี่ยงด้านความปลอดภัยจึงถูกปิดไว้โดยเริ่มต้น", - "The following settings will be applied each time this package is installed, updated or removed.": "การตั้งค่าต่อไปนี้จะถูกนำไปใช้ทุกครั้งที่ติดตั้ง อัปเดต หรือลบแพ็กเกจนี้", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "การตั้งค่าต่อไปนี้จะถูกนำไปใช้ทุกครั้งที่แพ็กเกจนี้ถูกติดตั้ง อัปเดต หรือถูกลบ และจะถูกบันทึกโดยอัตโนมัติ", "The icons and screenshots are maintained by users like you!": "ไอคอนและสกรีนช็อตถูกดูแลโดยผู้ใช้อย่างคุณ!", - "The installation script saved to {0}": "บันทึกสคริปต์การติดตั้งไปยัง {0}", - "The installer authenticity could not be verified.": "ไม่สามารถตรวจสอบความถูกต้องของตัวติดตั้งได้", "The installer has an invalid checksum": "ตัวติดตั้งมีผลรวมตรวจสอบที่ไม่ถูกต้อง", "The installer hash does not match the expected value.": "แฮชของตัวติดตั้งไม่ตรงกับค่าคาดหมาย", - "The local icon cache currently takes {0} MB": "แคชไอคอนภายในเครื่องปัจจุบันใช้พื้นที่ {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "วัตถุประสงค์หลักของโปรเจกต์นี้คือการสร้าง UI ที่ใช้งานง่ายเพื่อจัดการตัวจัดการแพ็กเกจ CLI ที่ใช้กันมากที่สุดสำหรับ Windows เช่น Winget และ Scoop", - "The package \"{0}\" was not found on the package manager \"{1}\"": "ไม่พบแพ็กเกจ \"{0}\" ในตัวจัดการแพ็กเกจ \"{1}\"", - "The package bundle could not be created due to an error.": "ไม่สามารถสร้างบันเดิลแพ็กเกจได้เนื่องจากเกิดข้อผิดพลาด", - "The package bundle is not valid": "บันเดิลแพ็กเกจไม่ถูกต้อง", - "The package manager \"{0}\" is disabled": "ตัวจัดการแพ็กเกจ \"{0}\" ถูกปิดใช้งาน", - "The package manager \"{0}\" was not found": "ไม่พบตัวจัดการแพ็กเกจ \"{0}\"", "The package {0} from {1} was not found.": "ไม่พบแพ็กเกจ {0} จาก {1}", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "แพ็กเกจที่มีรายชื่อดังต่อไปนี้จะไม่ถูกตรวจสอบการอัปเดต ดับเบิลคลิกที่รายชื่อหรือคลิกที่ปุ่มทางด้านขวาของรายชื่อเพื่อยกเลิกการละเว้นการอัปเดตรายการนั้น", "The selected packages have been blacklisted": "แพ็กเกจที่เลือกได้ถูกเพิกถอนสิทธิ์ให้ใช้งานแล้ว", - "The settings will list, in their descriptions, the potential security issues they may have.": "การตั้งค่าจะระบุปัญหาด้านความปลอดภัยที่อาจเกิดขึ้นไว้ในคำอธิบายของแต่ละรายการ", - "The size of the backup is estimated to be less than 1MB.": "ขนาดของไฟล์สำรองคาดว่าจะน้อยกว่า 1MB", - "The source {source} was added to {manager} successfully": "เพิ่มซอร์ซ {source} ไปยัง {manager} เสร็จสมบูรณ์", - "The source {source} was removed from {manager} successfully": "ลบซอร์ซ {source} ออกจาก {manager} เสร็จสมบูรณ์", - "The system tray icon must be enabled in order for notifications to work": "ต้องเปิดใช้งานไอคอนถาดระบบเพื่อให้การแจ้งเตือนทำงานได้", - "The update process has been aborted.": "กระบวนการอัปเดตถูกยกเลิกแล้ว", - "The update process will start after closing UniGetUI": "กระบวนการอัปเดตจะเริ่มหลังจากปิด UniGetUI", "The update will be installed upon closing WingetUI": "การอัปเดตจะได้รับการติดตั้งเมื่อปิด UniGetUI", "The update will not continue.": "การอัปเดตจะไม่ได้รับการดำเนินการต่อ", "The user has canceled {0}, that was a requirement for {1} to be run": "ผู้ใช้ได้ยกเลิก {0} ซึ่งเป็นข้อกำหนดสำหรับการรัน {1}", - "There are no new UniGetUI versions to be installed": "ไม่มี UniGetUI เวอร์ชันใหม่ให้ติดตั้ง", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "มีการดำเนินงานอยู่ในขณะนี้ การออกจาก UniGetUI อาจทำให้การทำงานล้มเหลว คุณต้องการดำเนินการต่อหรือไม่", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "มีวิดีโอที่ดีบน YouTube บางส่วนที่นำเสนอ UniGetUI และความสามารถของมัน คุณสามารถเรียนรู้เทคนิคและเคล็ดลับที่มีประโยชน์ได้!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "มีเหตุผลหลักสองข้อที่ไม่ควรรัน UniGetUI เป็นผู้ดูแลระบบ:\n ข้อแรกคือตัวจัดการแพ็กเกจ Scoop อาจเป็นสาเหตุของปัญหาบางรายการเมื่อรันด้วยสิทธิ์ผู้ดูแลระบบ\n ข้อสองคือการรัน UniGetUI ในฐานะผู้ดูแลระบบหมายความว่าแพ็กเกจที่คุณดาวน์โหลดจะถูกเรียกใช้ในฐานะผู้ดูแลระบบ และนี่ไม่ใช่วิธีการที่ปลอดภัย\n โปรดจำไว้ว่าหากคุณต้องการติดตั้งแพ็กเกจเฉพาะด้วยสิทธิ์ผู้ดูแลระบบ คุณสามารถคลิกขวาที่รายการ -> ติดตั้ง/อัปเดต/ถอนการติดตั้งเป็นผู้ดูแลระบบได้เสมอ", - "There is an error with the configuration of the package manager \"{0}\"": "เกิดข้อผิดพลาดในการกำหนดค่าของตัวจัดการแพ็กเกจ \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "มีการติดตั้งที่กำลังดำเนินการอยู่ หากคุณปิด UniGetUI การติดตั้งอาจล้มเหลว และส่งผลลัพธ์ที่ไม่คาดคิด คุณยังต้องการออกจาก UniGetUI หรือไม่?", "They are the programs in charge of installing, updating and removing packages.": "นั่นคือโปรแกรมที่รับผิดชอบในการติดตั้ง อัปเดต และถอนการติดตั้งแพ็กเกจ", - "Third-party licenses": "ใบอนุญาตของบุคคลภายนอก", "This could represent a security risk.": "นี่อาจทำให้เกิดความเสี่ยงด้านความปลอดภัย", - "This is not recommended.": "ไม่แนะนำให้ทำเช่นนี้", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "น่าจะเป็นเพราะแพ็กเกจที่คุณได้รับถูกนำออกหรือเผยแพร่ในตัวจัดการแพ็กเกจที่คุณไม่ได้เปิดการใช้งาน. ID ที่ได้รับคือ {0}", "This is the default choice.": "นี่คือตัวเลือกเริ่มต้น", - "This may help if WinGet packages are not shown": "สิ่งนี้อาจช่วยได้หากแพ็กเกจ WinGet ไม่แสดง", - "This may help if no packages are listed": "สิ่งนี้อาจช่วยได้หากไม่มีแพ็กเกจแสดงในรายการ", - "This may take a minute or two": "การดำเนินการนี้อาจใช้เวลาประมาณหนึ่งถึงสองนาที", - "This operation is running interactively.": "การดำเนินการนี้กำลังทำงานแบบโต้ตอบ", - "This operation is running with administrator privileges.": "การดำเนินการนี้กำลังทำงานด้วยสิทธิ์ผู้ดูแลระบบ", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "ตัวเลือกนี้จะก่อให้เกิดปัญหาอย่างแน่นอน การดำเนินการใดก็ตามที่ไม่สามารถยกระดับสิทธิ์ตัวเองได้จะล้มเหลว การติดตั้ง/อัปเดต/ถอนการติดตั้งแบบผู้ดูแลระบบจะไม่ทำงาน", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "บันเดิลแพ็กเกจนี้มีการตั้งค่าบางอย่างที่อาจเป็นอันตราย และอาจถูกละเว้นตามค่าเริ่มต้น", "This package can be updated": "แพ็กเกจนี้สามารถอัปเดตได้", "This package can be updated to version {0}": "แพ็กเกจนี้สามารถอัปเดตเป็นเวอร์ชัน {0} ได้", - "This package can be upgraded to version {0}": "แพ็กเกจนี้สามารถอัปเกรดเป็นเวอร์ชัน {0}", - "This package cannot be installed from an elevated context.": "ไม่สามารถติดตั้งแพ็กเกจนี้จากบริบทที่ยกระดับสิทธิ์ได้", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "แพ็กเกจนี้ไม่มีภาพหน้าจอหรือขาดไอคอนใช่ไหม ขอเชิญมีส่วนร่วมกับ UniGetUI โดยการเพิ่มไอคอนและภาพหน้าจอที่ขาดหายไปในฐานข้อมูลสาธารณะแบบเปิดของเรา", - "This package is already installed": "แพ็กเกจนี้ถูกติดตั้งแล้ว", - "This package is being processed": "แพ็กนี้กำลังถูกประมวลผล", - "This package is not available": "แพ็กเกจนี้ไม่พร้อมใช้งาน", - "This package is on the queue": "แพ็กเกจนี้อยู่ในคิว", "This process is running with administrator privileges": "Process นี้กำลังทำงานด้วยสิทธิ์ผู้ดูแลระบบ", - "This project has no connection with the official {0} project — it's completely unofficial.": "โพรเจกต์นี้ไม่มีส่วนเกี่ยวข้องกับโปรเจกต์ทางการ {0} — โพรเจกต์นี้ไม่เป็นทางการ", "This setting is disabled": "การตั้งค่านี้ถูกปิดใช้งาน", "This wizard will help you configure and customize WingetUI!": "ตัวช่วยนี้จะช่วยคุณตั้งค่า และปรับแต่ง UniGetUI!", "Toggle search filters pane": "เปิด/ปิด ตัวกรองการค้นหา", - "Translators": "ผู้แปล", - "Try to kill the processes that refuse to close when requested to": "พยายามปิดโปรเซสที่ปฏิเสธการปิดเมื่อมีการร้องขอ", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "การเปิดใช้สิ่งนี้จะทำให้สามารถเปลี่ยนไฟล์ปฏิบัติการที่ใช้โต้ตอบกับตัวจัดการแพ็กเกจได้ แม้ว่าจะช่วยให้ปรับแต่งกระบวนการติดตั้งได้ละเอียดขึ้น แต่อาจเป็นอันตรายได้เช่นกัน", "Type here the name and the URL of the source you want to add, separed by a space.": "พิมพ์ชื่อและ URL ของซอร์ซที่คุณต้องการเพิ่มที่นี่ คั่นด้วยช่องว่าง", "Unable to find package": "ไม่สามารถหาแพ็กเกจได้", "Unable to load informarion": "ไม่สามารถโหลดข้อมูลได้", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI เก็บรวบรวมข้อมูลการใช้งานแบบไม่ระบุตัวตนเพื่อปรับปรุงประสบการณ์ของผู้ใช้", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI เก็บรวบรวมข้อมูลการใช้งานแบบไม่ระบุตัวตนเพื่อจุดประสงค์เดียวในการทำความเข้าใจและปรับปรุงประสบการณ์ของผู้ใช้", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI ตรวจพบทางลัดบนเดสก์ท็อปใหม่ที่สามารถลบโดยอัตโนมัติได้", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI ตรวจพบทางลัดบนเดสก์ท็อปต่อไปนี้ซึ่งสามารถลบโดยอัตโนมัติได้ในการอัปเกรดครั้งถัดไป", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI ตรวจพบทางลัดบนเดสก์ท็อปใหม่ {0} รายการที่สามารถลบโดยอัตโนมัติได้", - "UniGetUI is being updated...": "UniGetUI กำลังอัปเดต...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI ไม่ได้มีส่วนเกี่ยวข้องกับตัวจัดการแพ็กเกจที่เข้ากันได้ใด ๆ UniGetUI เป็นโครงการอิสระ", - "UniGetUI on the background and system tray": "UniGetUI ในพื้นหลังและถาดระบบ", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI หรือส่วนประกอบบางอย่างสูญหายหรือเสียหาย", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI ต้องใช้ {0} ในการทำงาน แต่ไม่พบบนระบบของคุณ", - "UniGetUI startup page:": "หน้าเริ่มต้นของ UniGetUI:", - "UniGetUI updater": "ตัวอัปเดต UniGetUI", - "UniGetUI version {0} is being downloaded.": "กำลังดาวน์โหลด UniGetUI เวอร์ชัน {0}", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} พร้อมสำหรับการติดตั้ง", - "uninstall": "ถอนการติดตั้ง", - "Uninstall Scoop (and its packages)": "ถอนการติดตั้ง Scoop (และแพ็กเกจ)", "Uninstall and more": "ถอนการติดตั้งและอื่น ๆ", - "Uninstall and remove data": "ถอนการติดตั้งและลบข้อมูล", - "Uninstall as administrator": "ถอนการติดตั้งในฐานะผู้ดูแลระบบ", "Uninstall canceled by the user!": "การถอนการติดตั้งถูกยกเลิกโดยผู้ใช้", - "Uninstall failed": "ถอนการติดตั้งล้มเหลว", - "Uninstall": "ถอนการติดตั้ง", - "Uninstall options": "ตัวเลือกการถอนการติดตั้ง", - "Uninstall package": "ถอนการติดตั้งแพ็กเกจ", - "Uninstall package, then reinstall it": "ถอนการติดตั้งแพ็กเกจ แล้วติดตั้งใหม่", - "Uninstall package, then update it": "ถอนการติดตั้งแพ็กเกจ แล้วทำการอัปเดต", - "Uninstall previous versions when updated": "ถอนการติดตั้งเวอร์ชันก่อนหน้าเมื่อมีการอัปเดต", - "Uninstall selected packages": "ถอนการติดตั้งแพ็กเกจที่เลือก", - "Uninstall selection": "ถอนการติดตั้งรายการที่เลือก", - "Uninstall succeeded": "ถอนการติดตั้งสำเร็จ", "Uninstall the selected packages with administrator privileges": "ถอนการติดตั้งแพ็กเกจที่เลือกด้วยสิทธิ์ผู้ดูแลระบบ", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "แพ็กเกจที่ไม่สามารถถอนการติดตั้งได้ โดยมาจาก \"{0}\" ไม่ได้รับการเผยแพร่ในตัวจัดการแพ็กเกจใด ๆ ดังนั้นไม่มีข้อมูลให้แสดงเกี่ยวกับแพ็กเกจเหล่านั้น", - "Unknown": "ไม่ทราบ", - "Unknown size": "ไม่ทราบขนาด", - "Unset or unknown": "ยังไม่ได้ตั้งค่าหรือไม่ทราบ", - "Up to date": "อัพเดทล่าสุด", - "Update": "อัปเดต", - "Update WingetUI automatically": "อัปเดต UniGetUI โดยอัตโนมัติ", - "Update all": "อัปเดตทั้งหมด", "Update and more": "อัปเดตและอื่น ๆ", - "Update as administrator": "อัปเดตในฐานะผู้ดูแลระบบ", - "Update check frequency, automatically install updates, etc.": "ความถี่ในการตรวจสอบการอัปเดต ติดตั้งการอัปเดตอัตโนมัติ และอื่น ๆ", - "Update checking": "การตรวจสอบการอัปเดต", "Update date": "อัปเดตวันที่", - "Update failed": "การอัปเดตล้มเหลว", "Update found!": "พบอัปเดต!", - "Update now": "อัปเดตทันที", - "Update options": "ตัวเลือกการอัปเดต", "Update package indexes on launch": "อัปเดตดัชนีแพ็กเกจเมื่อเริ่มเปิดโปรแกรม", "Update packages automatically": "อัปเดตแพ็กเกจโดยอัตโนมัติ", "Update selected packages": "อัปเดตแพ็กเกจที่เลือก", "Update selected packages with administrator privileges": "อัปเดตแพ็กเกจที่เลือกด้วยสิทธิ์ผู้ดูแลระบบ", - "Update selection": "อัปเดตรายการที่เลือก", - "Update succeeded": "อัปเดตสำเร็จแล้ว", - "Update to version {0}": "อัปเดตเป็นเวอร์ชัน {0}", - "Update to {0} available": "มีอัปเดตสำหรับ {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "อัปเดตไฟล์พอร์ตของ vcpkg สำหรับ Git โดยอัตโนมัติ (ต้องติดตั้ง Git แล้ว)", "Updates": "อัปเดต", "Updates available!": "มีอัปเดตใหม่!", - "Updates for this package are ignored": "อัปเดตสำหรับแพ็กเกจนี้ถูกละเว้น", - "Updates found!": "พบอัปเดต!", "Updates preferences": "การตั้งค่าการอัปเดต", "Updating WingetUI": "กำลังอัปเดต UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "ใช้ WinGet บันเดิลแบบดั้งเดิมแทน PowerShell cmdlets", - "Use a custom icon and screenshot database URL": "ใช้ URL ของฐานข้อมูลไอคอนและสกรีนช็อตที่กำหนดเอง", "Use bundled WinGet instead of PowerShell CMDlets": "ใช้ WinGet ที่มากับโปรแกรมแทน PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "ใช้ WinGet ที่มากับโปรแกรมแทน WinGet ของระบบ", - "Use installed GSudo instead of UniGetUI Elevator": "ใช้ GSudo ที่ติดตั้งไว้แทน UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "ใช้ GSudo ที่ติดตั้งแทนที่ GSudo ที่มีให้ (ต้องรีสตาร์ทแอปพลิเคชัน)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "ใช้ UniGetUI Elevator รุ่นเก่า (อาจช่วยได้หากมีปัญหากับ UniGetUI Elevator)", - "Use system Chocolatey": "ใช้ Chocolatey ในระบบ", "Use system Chocolatey (Needs a restart)": "ใช้ Chocolatey ของระบบ (ต้องรีสตาร์ท)", "Use system Winget (Needs a restart)": "ใช้ Winget ของระบบ (จำเป็นต้องรีสตาร์ท)", "Use system Winget (System language must be set to english)": "ใช้ Winget ในระบบ (ต้องตั้งค่าภาษาของระบบเป็นภาษาอังกฤษ)", "Use the WinGet COM API to fetch packages": "ใช้ WinGet COM API เพื่อดึงข้อมูลแพ็กเกจ", "Use the WinGet PowerShell Module instead of the WinGet COM API": "ใช้ WinGet PowerShell Module แทน WinGet COM API", - "Useful links": "ลิงก์ที่เป็นประโยชน์", "User": "ผู้ใช้", - "User interface preferences": "การตั้งค่าอินเตอร์เฟซผู้ใช้", "User | Local": "ผู้ใช้ | เฉพาะที่", - "Username": "บัญชีผู้ใช้", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "การใช้ UniGetUI ถือว่าเป็นการยอมรับสัญญาอนุญาตสาธารณะทั่วไปแบบผ่อนปรนของกนู (GNU Lesser General Public License) v2.1", - "Using WingetUI implies the acceptation of the MIT License": "การใช้ UniGetUI ถือว่าเป็นการการยอมรับสัญญาอนุญาตเอ็มไอที (MIT License)", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "ไม่พบรูทของ Vcpkg โปรดกำหนดตัวแปรสภาพแวดล้อม %VCPKG_ROOT% หรือกำหนดจากการตั้งค่า UniGetUI", "Vcpkg was not found on your system.": "ไม่พบ Vcpkg ในระบบของคุณ", - "Verbose": "รายละเอียด", - "Version": "เวอร์ชัน", - "Version to install:": "เวอร์ชันที่จะทำการติดตั้ง:", - "Version:": "เวอร์ชัน:", - "View GitHub Profile": "ดูโปรไฟล์ GitHub", "View WingetUI on GitHub": "ดู UniGetUI บน GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "ดูซอร์สโค้ดของ UniGetUI จากตรงนั้นคุณสามารถรายงานบั๊กหรือแนะนำฟีเจอร์ หรือแม้แต่มีส่วนร่วมกับโปรเจกต์ UniGetUI ได้โดยตรง", - "View mode:": "มุมมองการแสดงผล", - "View on UniGetUI": "ดูบน UnigetUI", - "View page on browser": "ดูหน้านี้บนเบราว์เซอร์", - "View {0} logs": "ดูบันทึกของ {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "รอให้อุปกรณ์เชื่อมต่ออินเทอร์เน็ตก่อนที่จะพยายามทำงานที่ต้องใช้การเชื่อมต่ออินเทอร์เน็ต", "Waiting for other installations to finish...": "กำลังรอให้การติดตั้งอื่นเสร็จสิ้น", "Waiting for {0} to complete...": "กำลังรอให้ {0} เสร็จสิ้น...", - "Warning": "คำเตือน", - "Warning!": "คำเตือน!", - "We are checking for updates.": "อยู่ระหว่างการตรวจสอบอัปเดต", "We could not load detailed information about this package, because it was not found in any of your package sources": "เราไม่สามารถโหลดข้อมูลรายละเอียดเกี่ยวกับแพ็กเกจนี้ได้ เนื่องจากไม่พบในแหล่งข้อมูลใด ๆ สำหรับแพ็กเกจของคุณ", "We could not load detailed information about this package, because it was not installed from an available package manager.": "เราไม่สามารถโหลดข้อมูลรายละเอียดเกี่ยวกับแพ็กเกจนี้ได้ เนื่องจากไม่ได้ติดตั้งจากตัวจัดการแพ็กเกจที่มีอยู่", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "เราไม่สามารถ {action} {package} ได้ในขณะนี้ โปรดลองอีกครั้งในภายหลัง คลิกที่ \"{showDetails}\" เพื่อดูบันทึกจากตัวติดตั้ง", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "เราไม่สามารถ {action} {package} ได้ในขณะนี้ โปรดลองอีกครั้งในภายหลัง คลิกที่ \"{showDetails}\" เพื่อดูบันทึกจากตัวถอนการติดตั้ง", "We couldn't find any package": "เราไม่พบแพ็กเกจใด ๆ เลย", "Welcome to WingetUI": "ยินดีต้อนรับสู่ UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "เมื่อติดตั้งแพ็กเกจเป็นชุดจากบันเดิล ให้ติดตั้งแพ็กเกจที่ติดตั้งไว้แล้วด้วย", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "เมื่อตรวจพบทางลัดใหม่ ให้ลบโดยอัตโนมัติแทนการแสดงกล่องโต้ตอบนี้", - "Which backup do you want to open?": "คุณต้องการเปิดข้อมูลสำรองใด", "Which package managers do you want to use?": "คุณต้องการใช้ตัวจัดการแพ็กเกจตัวไหนบ้าง?", "Which source do you want to add?": "คุณต้องการจะเพิ่มซอร์ซอันไหน?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "แม้ว่าจะสามารถใช้ Winget ภายใน UniGetUI ได้ แต่ UniGetUI ก็สามารถใช้ร่วมกับตัวจัดการแพ็กเกจอื่นๆ ได้ ซึ่งอาจก่อให้เกิดความสับสน เดิมที UniGetUI ได้รับการออกแบบมาเพื่อทำงานกับ Winget เท่านั้น แต่ตอนนี้ไม่ได้เป็นเช่นนั้นแล้ว ดังนั้นชื่อ WingetUI จึงไม่ได้สื่อถึงเป้าหมายของโครงการนี้", - "WinGet could not be repaired": "ไม่สามารถซ่อมแซม WinGet ได้", - "WinGet malfunction detected": "ตรวจพบความผิดปกติของ WinGet", - "WinGet was repaired successfully": "ซ่อมแซม WinGet สำเร็จ", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - ทุกอย่างอัปเดตแล้ว", "WingetUI - {0} updates are available": "UniGetUI - พบ {0} อัปเดต", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "เว็บไซต์ UniGetUI", "WingetUI Homepage - Share this link!": "เว็บไซต์ UniGetUI - แชร์ลิงก์นี้!", - "WingetUI License": "ใบอนุญาต UniGetUI", - "WingetUI log": "บันทึก UniGetUI", - "WingetUI Repository": "คลังข้อมูล UniGetUI", - "WingetUI Settings": "การตั้งค่า UniGetUI", "WingetUI Settings File": "ไฟล์ตั้งค่า UniGetUI", - "WingetUI Log": "บันทึก UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ใช้ไลบรารีดังต่อไปนี้ UniGetUI คงไม่อาจเกิดขึ้นได้หากไม่มีไลบรารีเหล่านี้", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ใช้ไลบรารีดังต่อไปนี้ UniGetUI คงไม่อาจเกิดขึ้นได้หากไม่มีไลบรารีเหล่านี้", - "WingetUI Version {0}": "UniGetUI เวอร์ชัน {0}", "WingetUI autostart behaviour, application launch settings": "การเปิดทำงานโดยอัตโนมัติของ UniGetUI และการตั้งค่าการเปิดแอปพลิเคชัน", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI สามารถตรวจสอบว่าซอฟต์แวร์ของคุณมีการอัปเดตหรือไม่ และติดตั้งอัปเดตโดยอัตโนมัติหากคุณต้องการ", - "WingetUI display language:": "ภาษาที่แสดงใน UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI ถูกเรียกใช้ในฐานะผู้ดูแลระบบ ซึ่งไม่แนะนำให้ทำ เมื่อเรียกใช้ UniGetUI ในฐานะผู้ดูแลระบบ ทุกการดำเนินการที่เริ่มจาก UniGetUI จะได้รับสิทธิ์ผู้ดูแลระบบ คุณยังคงสามารถใช้โปรแกรมนี้ได้ แต่เราขอแนะนำอย่างยิ่งว่าอย่าใช้งาน UniGetUI ด้วยสิทธิ์ผู้ดูแลระบบ", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI ได้รับการแปลเป็นภาษาต่าง ๆ มากกว่า 40 ภาษา ต้องขอบคุณอาสาสมัครนักแปลทุกท่าน ขอบคุณ🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI ไม่ได้ถูกแปลด้วยเครื่องมือแปลภาษา แต่ถูกแปลโดย:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI เป็นแอปพลิเคชันที่ทำให้การจัดการซอฟต์แวร์ของคุณง่ายขึ้น โดยมอบอินเทอร์เฟซผู้ใช้แบบกราฟิกที่ครอบคลุมสำหรับตัวจัดการแพ็กเกจบรรทัดคำสั่งของคุณ", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI จะถูกเปลี่ยนชื่อเพื่อสร้างความแตกต่างอย่างชัดเจนระหว่าง UniGetUI (อินเทอร์เฟซที่คุณใช้อยู่ตอนนี้) และ WinGet (ตัวจัดการแพ็กเกจที่พัฒนาโดย Microsoft ซึ่งผมไม่ได้มีส่วนเกี่ยวข้อง)", "WingetUI is being updated. When finished, WingetUI will restart itself": "กำลังอัปเดต UniGetUI เมื่ออัปเดตเสร็จสิ้น UniGetUI จะรีสตาร์ทตัวเอง", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI นั้นใช้งานได้ฟรี และจะฟรีตลอดไป ไม่มีโฆษณา ไม่ต้องใช้บัตรเครดิต ไม่มีเวอร์ชันพรีเมียม ฟรี 100% ตลอดไป", + "WingetUI log": "บันทึก UniGetUI", "WingetUI tray application preferences": "การตั้งค่าถาดระบบของ UniGetUI ", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI ใช้ไลบรารีดังต่อไปนี้ UniGetUI คงไม่อาจเกิดขึ้นได้หากไม่มีไลบรารีเหล่านี้", "WingetUI version {0} is being downloaded.": "กำลังดาวน์โหลด UniGetUI เวอร์ชัน {0}", "WingetUI will become {newname} soon!": "WingetUI จะเปลี่ยนเป็น {newname} ในเร็ว ๆ นี้!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "UniGetUI จะไม่ตรวจสอบอัปเดตเป็นระยะ แต่จะยังคงตรวจสอบเมื่อเปิดใช้งานโปรแกรม โดยคุณจะไม่ได้รับการแจ้งเตือนเกี่ยวกับมัน", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI จะแสดงหน้าต่าง UAC ทุกครั้งเมื่อแพ็กเกจต้องการยกระดับสิทธิ์เพื่อติดตั้ง", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI จะได้รับการเปลี่ยนชื่อเป็น {newname} ในเร็วๆ นี้ ซึ่งไม่ได้สะท้อนถึงการเปลี่ยนแปลงใด ๆ ในแอปพลิเคชัน โดยผม (ผู้พัฒนา) จะดำเนินการพัฒนาโครงการนี้ต่อไปดังเช่นที่ทำอยู่ในตอนนี้ แต่ภายใต้ชื่ออื่น", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI จะเกิดขึ้นไม่ได้เลยหากไม่ได้รับความช่วยเหลือจากผู้มีส่วนช่วย ดู GitHub ของพวกเขาดูสิ UniGetUI จะเกิดขึ้นไม่ได้หากไม่มีพวกเขา!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI คงไม่เกิดขึ้นหากไม่ได้รับความช่วยเหลือจากผู้ที่มีส่วนช่วย ขอบคุณทุกท่าน 🥳", "WingetUI {0} is ready to be installed.": "UniGetUI {0} พร้อมสำหรับการติดตั้งแล้ว", - "Write here the process names here, separated by commas (,)": "เขียนชื่อโปรเซสที่นี่ โดยคั่นด้วยเครื่องหมายจุลภาค (,)", - "Yes": "ใช่", - "You are logged in as {0} (@{1})": "ลงชื่อเข้าใช้ในชื่อ {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "คุณสามารถเปลี่ยนพฤติกรรมนี้ได้ที่การตั้งค่าความปลอดภัยของ UniGetUI", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "คุณสามารถกำหนดคำสั่งที่จะรันก่อนหรือหลังจากติดตั้ง อัปเดต หรือถอนการติดตั้งแพ็กเกจนี้ได้ คำสั่งจะรันผ่าน command prompt ดังนั้นสคริปต์ CMD จึงใช้ได้ที่นี่", - "You have currently version {0} installed": "ขณะนี้คุณได้ติดตั้งเวอร์ชัน {0} แล้ว", - "You have installed WingetUI Version {0}": "คุณได้ติดตั้ง UniGetUI เวอร์ชัน {0} แล้ว", - "You may lose unsaved data": "คุณอาจสูญเสียข้อมูลที่ยังไม่ได้บันทึก", - "You may need to install {pm} in order to use it with WingetUI.": "คุณจำเป็นต้องติดตั้ง {pm} เพื่อใช้งานร่วมกับ UniGetUI", "You may restart your computer later if you wish": "คุณสามารถรีสตาร์ทคอมพิวเตอร์ของคุณในภายหลังหากคุณต้องการ", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "คุณจะได้รับคำขอสิทธิ์ผู้ดูแลระบบเพียงครั้งเดียวเท่านั้น และสิทธิ์ผู้ดูแลระบบจะถูกมอบให้แก่แพ็กเกจที่ขอใช้งานสิทธิ์นั้น", "You will be prompted only once, and every future installation will be elevated automatically.": "คุณจะได้รับคำขอสิทธิ์ผู้ดูแลระบบเพียงครั้งเดียวเท่านั้น และการติดตั้งในอนาคตทุก ๆ ครั้งจะถูกยกระดับสิทธิ์โดยอัตโนมัติ", - "You will likely need to interact with the installer.": "คุณอาจต้องโต้ตอบกับตัวติดตั้ง", - "[RAN AS ADMINISTRATOR]": "เรียกใช้ในฐานะผู้ดูแลระบบ", "buy me a coffee": "เลี้ยงขนมเราหน่อย", - "extracted": "แตกไฟล์แล้ว", - "feature": "คุณสมบัติ", "formerly WingetUI": "เดิมชื่อ WingetUI", + "homepage": "เว็บไซต์", + "install": "ติดตั้ง", "installation": "การติดตั้ง", - "installed": "ติดตั้งสำเร็จ", - "installing": "กำลังติดตั้ง", - "library": "ไลบรารี", - "mandatory": "บังคับ", - "option": "ตัวเลือก", - "optional": "ไม่บังคับ", + "uninstall": "ถอนการติดตั้ง", "uninstallation": "ถอนการติดตั้ง", "uninstalled": "ถอนการติดตั้ง", - "uninstalling": "กำลังถอนการติดตั้ง", "update(noun)": "อัปเดต", "update(verb)": "อัปเดต", "updated": "อัปเดตแล้ว", - "updating": "กำลังอัปเดต", - "version {0}": "เวอร์ชัน {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "ตัวเลือกการติดตั้งของ {0} ถูกล็อกอยู่ในขณะนี้ เพราะ {0} ใช้ตัวเลือกการติดตั้งเริ่มต้น", "{0} Uninstallation": "{0} การถอนการติดตั้ง", "{0} aborted": "{0} ยกเลิก", "{0} can be updated": "{0} สามารถอัปเดตได้", - "{0} can be updated to version {1}": "{0} สามารถอัปเดตเป็นเวอร์ชัน {1}", - "{0} days": "{0} วัน", - "{0} desktop shortcuts created": "{0} ทางลัดบนเดสก์ท็อป ถูกสร้างแล้ว", "{0} failed": "{0} ล้มเหลว", - "{0} has been installed successfully.": "{0} ถูกติดตั้งสำเร็จ", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "ติดตั้ง {0} สำเร็จแล้ว แนะนำให้รีสตาร์ท UniGetUI เพื่อให้การติดตั้งเสร็จสมบูรณ์", "{0} has failed, that was a requirement for {1} to be run": "{0} ล้มเหลว ซึ่งเป็นข้อกำหนดที่จำเป็นสำหรับการรัน {1}", - "{0} homepage": "เว็บไซต์ {0}", - "{0} hours": "{0} ชั่วโมง", "{0} installation": "{0} การติดตั้ง", - "{0} installation options": "{0} ตัวเลือกการติดตั้ง", - "{0} installer is being downloaded": "กำลังดาวน์โหลดตัวติดตั้ง {0}", - "{0} is being installed": "กำลังติดตั้ง {0}", - "{0} is being uninstalled": "กำลังถอนการติดตั้ง {0}", "{0} is being updated": "{0} กำลังถูกอัปเดต", - "{0} is being updated to version {1}": "{0} กำลังอัปเดตเป็นเวอร์ชัน {1}", - "{0} is disabled": "{0} ถูกปิดใช้งานอยู่", - "{0} minutes": "{0} นาที", "{0} months": "{0} เดือน", - "{0} packages are being updated": "{0} แพ็กเกจกำลังถูกอัปเดต", - "{0} packages can be updated": "{0} แพ็กเกจสามารถอัปเดตได้", "{0} packages found": "พบ {0} แพ็กเกจ", "{0} packages were found": "พบ {0} แพ็กเกจ", - "{0} packages were found, {1} of which match the specified filters.": "พบแพ็กเกจ {0} รายการ โดยแพ็กเกจ {1} รายการตรงกับตัวกรองที่ระบุไว้", - "{0} selected": "เลือกแล้ว {0}", - "{0} settings": "{0} การตั้งค่า", - "{0} status": "{0} สถานะ", "{0} succeeded": "{0} สำเร็จ", "{0} update": "อัปเดต {0}", - "{0} updates are available": "มีการอัปเดตที่พร้อมใช้งาน {0} รายการ", "{0} was {1} successfully!": "{1} {0} เสร็จสมบูรณ์", "{0} weeks": "{0} สัปดาห์", "{0} years": "{0} ปี", "{0} {1} failed": "{0} {1} ล้มเหลว", - "{package} Installation": "การติดตั้ง {package}", - "{package} Uninstall": "การถอนการติดตั้ง {package}", - "{package} Update": "อัปเดต {package}", - "{package} could not be installed": "ไม่สามารถติดตั้ง {package} ได้", - "{package} could not be uninstalled": "ไม่สามารถถอนการติดตั้ง {package} ได้", - "{package} could not be updated": "ไม่สามารถอัปเดต {package} ได้", "{package} installation failed": "การติดตั้ง {package} ล้มเหลว", - "{package} installer could not be downloaded": "ไม่สามารถดาวน์โหลดตัวติดตั้ง {package} ได้", - "{package} installer download": "ดาวน์โหลดตัวติดตั้ง {package}", - "{package} installer was downloaded successfully": "ดาวน์โหลดตัวติดตั้ง {package} สำเร็จแล้ว", "{package} uninstall failed": "การถอนการติดตั้ง {package} ล้มเหลว", "{package} update failed": "การอัปเดต {package} ล้มเหลว", "{package} update failed. Click here for more details.": "การอัปเดต {package} ล้มเหลว คลิกที่นี่เพื่อดูรายละเอียดเพิ่มเติม", - "{package} was installed successfully": "ติดตั้ง {package} เสร็จสมบูรณ์", - "{package} was uninstalled successfully": "ถอนการติดตั้ง {package} เสร็จสมบูรณ์", - "{package} was updated successfully": "การอัปเดต {package} เสร็จสมบูรณ์", - "{pcName} installed packages": "แพ็กเกจที่ติดตั้งใน {pcName} แล้ว", "{pm} could not be found": "ไม่พบ {pm}", "{pm} found: {state}": "{pm} พบ: {state}", - "{pm} is disabled": "{pm} ถูกปิดใช้งาน", - "{pm} is enabled and ready to go": "{pm} ถูกเปิดใช้งานและพร้อมใช้งานแล้ว", "{pm} package manager specific preferences": "การตั้งค่าเฉพาะของตัวจัดการแพ็กเกจ {pm}", "{pm} preferences": "การตั้งค่า {pm}", - "{pm} version:": "{pm} เวอร์ชัน:", - "{pm} was not found!": "ไม่พบ {pm}!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "สวัสดี ผมชื่อ Martí และผมเป็น ผู้พัฒนา UniGetUI ซึ่งถูกสร้างในเวลาว่างของผม!", + "Thank you ❤": "ขอบคุณ ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "โพรเจกต์นี้ไม่มีส่วนเกี่ยวข้องกับโปรเจกต์ทางการ {0} — โพรเจกต์นี้ไม่เป็นทางการ" } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tr.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tr.json index 0016a43c77..06a0b9ee70 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tr.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_tr.json @@ -1,155 +1,737 @@ { + "Operation in progress": "İşlem devam ediyor.", + "Please wait...": "Lütfen bekleyin...", + "Success!": "Başarılı!", + "Failed": "Başarısız", + "An error occurred while processing this package": "Bu paket işlenirken bir hata oluştu", + "Log in to enable cloud backup": "Bulut yedeklemesini etkinleştirmek için oturum açın", + "Backup Failed": "Yedekleme Başarısız Oldu", + "Downloading backup...": "Yedekleme indiriliyor...", + "An update was found!": "Bir güncelleme bulundu!", + "{0} can be updated to version {1}": "{0}, {1} sürümüne güncellenebilir", + "Updates found!": "Güncellemeler bulundu!", + "{0} packages can be updated": "{0} paket güncellenebilir", + "You have currently version {0} installed": "Şu anda {0} sürümünü yüklediniz", + "Desktop shortcut created": "Masaüstü kısayolu oluşturuldu", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI, otomatik olarak silinebilecek yeni bir masaüstü kısayolu algıladı.", + "{0} desktop shortcuts created": "Masaüstünde {0} kısayol oluşturuldu", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI, otomatik olarak silinebilecek {0} yeni masaüstü kısayolu algıladı.", + "Are you sure?": "Emin misiniz?", + "Do you really want to uninstall {0}?": "{0} uygulamasını gerçekten kaldırmak istiyor musunuz?", + "Do you really want to uninstall the following {0} packages?": "Aşağıdaki {0} paketleri gerçekten kaldırmak istiyor musunuz?", + "No": "Hayır", + "Yes": "Evet", + "View on UniGetUI": "UniGetUI'de göster", + "Update": "Güncelleme", + "Open UniGetUI": "UniGetUI'yi aç", + "Update all": "Tümünü güncelle", + "Update now": "Şimdi güncelle", + "This package is on the queue": "Bu paket sırada", + "installing": "Yükleniyor", + "updating": "Güncelleniyor", + "uninstalling": "kaldırılıyor", + "installed": "yüklü", + "Retry": "Yeniden dene", + "Install": "Yükle", + "Uninstall": "Kaldır", + "Open": "Aç", + "Operation profile:": "Çalışma profili:", + "Follow the default options when installing, upgrading or uninstalling this package": "Bu paketi yüklerken, yükseltirken veya kaldırırken varsayılan seçenekleri izleyin", + "The following settings will be applied each time this package is installed, updated or removed.": "Bu paket her yüklendiğinde, güncellendiğinde veya kaldırıldığında aşağıdaki ayarlar uygulanacaktır.", + "Version to install:": "Yüklenecek sürüm:", + "Architecture to install:": "Kurulacak mimari:", + "Installation scope:": "Scope yüklemesi:", + "Install location:": "Kurulum yeri:", + "Select": "Seç", + "Reset": "Sıfırla", + "Custom install arguments:": "Özel kurulum argümanları:", + "Custom update arguments:": "Özel güncelleme argümanları:", + "Custom uninstall arguments:": "Özel kaldırma argümanları:", + "Pre-install command:": "Yükleme öncesi komutu:", + "Post-install command:": "Yükleme sonrası komutu:", + "Abort install if pre-install command fails": "Ön kurulum komutu başarısız olursa kurulumu iptal et", + "Pre-update command:": "Güncelleme öncesi komutu:", + "Post-update command:": "Güncelleme sonrası komutu:", + "Abort update if pre-update command fails": "Ön güncelleme komutu başarısız olursa güncellemeyi iptal et", + "Pre-uninstall command:": "Kaldırma öncesi komutu:", + "Post-uninstall command:": "Kaldırma sonrası komutu:", + "Abort uninstall if pre-uninstall command fails": "Ön kaldırma komutu başarısız olursa kaldırmayı iptal et", + "Command-line to run:": "Çalıştırılacak komut satırı:", + "Save and close": "Kaydet ve Kapat", + "Run as admin": "Yönetici olarak çalıştır", + "Interactive installation": "İnteraktif kurulum", + "Skip hash check": "Hash kontrolünü atla", + "Uninstall previous versions when updated": "Güncellendiğinde önceki sürümleri kaldır", + "Skip minor updates for this package": "Bu paket için küçük güncellemeleri atla", + "Automatically update this package": "Bu paketi otomatik güncelle", + "{0} installation options": "{0} Kurulum Seçenekleri", + "Latest": "En son", + "PreRelease": "Önsürüm", + "Default": "Varsayılan", + "Manage ignored updates": "Yok sayılan güncellemeleri yönet", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Burada listelenen paketler güncellemeler kontrol edilirken dikkate alınmayacaktır. Güncellemelerini yok saymayı durdurmak için bunlara çift tıklayın veya sağlarındaki düğmeye tıklayın.", + "Reset list": "Listeyi sıfırla", + "Package Name": "Paket ismi", + "Package ID": "Paket kimliği (ID)", + "Ignored version": "Yok sayılan sürümler", + "New version": "Yeni sürüm", + "Source": "Kaynak", + "All versions": "Tüm sürümler", + "Unknown": "Bilinmeyen", + "Up to date": "Güncel", + "Cancel": "İptal", + "Administrator privileges": "Yönetici ayrıcalıkları", + "This operation is running with administrator privileges.": "Bu işlem yönetici ayrıcalıklarıyla çalışıyor.", + "Interactive operation": "Etkileşimli çalışma", + "This operation is running interactively.": "Bu işlem etkileşimli olarak çalışmaktadır.", + "You will likely need to interact with the installer.": "Muhtemelen yükleyiciyle etkileşime girmeniz gerekecektir.", + "Integrity checks skipped": "Bütünlük kontrolleri atlandı", + "Proceed at your own risk.": "Devam etmek kendi sorumluluğunuzda.", + "Close": "Kapat", + "Loading...": "Yükleniyor...", + "Installer SHA256": "SHA256 Yükleyici", + "Homepage": "Ana Sayfa", + "Author": "Yazar", + "Publisher": "Yayımcı", + "License": "Lisans", + "Manifest": "Manifesto", + "Installer Type": "Yükleyici Türü", + "Size": "Boyut", + "Installer URL": "Yükleyici URL'si", + "Last updated:": "Son güncelleme:", + "Release notes URL": "Sürüm notları", + "Package details": "Paket ayrıntıları", + "Dependencies:": "Bağımlılıklar:", + "Release notes": "Sürüm notları", + "Version": "Sürüm", + "Install as administrator": "Yönetici olarak yükle", + "Update to version {0}": "{0} sürümüne güncelleme", + "Installed Version": "Yüklü Sürüm", + "Update as administrator": "Yönetici olarak güncelle", + "Interactive update": "İnteraktif güncelleme", + "Uninstall as administrator": "Yönetici olarak kaldır", + "Interactive uninstall": "İnteraktif kaldırma", + "Uninstall and remove data": "Verileri kaldır", + "Not available": "Mevcut değil", + "Installer SHA512": "SHA512 Yükleyici", + "Unknown size": "Bilinmeyen boyut", + "No dependencies specified": "Bağımlılık belirtilmedi", + "mandatory": "zorunlu", + "optional": "isteğe bağlı", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} kurulmaya hazır.", + "The update process will start after closing UniGetUI": "UniGetUI kapatıldıktan sonra güncelleme işlemi başlayacak", + "Share anonymous usage data": "Anonim kullanım verilerini paylaşın", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI, kullanıcı deneyimini geliştirmek için anonim kullanım verileri toplar.", + "Accept": "Kabul", + "You have installed WingetUI Version {0}": "UniGetUI {0} Sürümünü yüklediniz", + "Disclaimer": "Feragatname", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI uyumlu paket yöneticilerinin hiçbiriyle ilişkili değildir. UniGetUI bağımsız bir projedir.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "Katkıda bulunanların yardımı olmadan UniGetUI mümkün olmazdı. Hepinize teşekkür ederim 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI aşağıdaki kütüphaneleri kullanır. Onlar olmasaydı, UniGetUI mümkün olmazdı.", + "{0} homepage": "{0} ana sayfa", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI, gönüllü çevirmenler sayesinde 40 'tan fazla dile çevrildi. Teşekkürler 🤝", + "Verbose": "Ayrıntılı", + "1 - Errors": "1 - Hatalar", + "2 - Warnings": "2 - Uyarılar", + "3 - Information (less)": "3 - Bilgilendirme (az)", + "4 - Information (more)": "4 - Bilgilendirme (Ek)", + "5 - information (debug)": "5 - Bilgilendirme (hata ayıklama)", + "Warning": "Uyarı", + "The following settings may pose a security risk, hence they are disabled by default.": "Aşağıdaki ayarlar güvenlik riski oluşturabileceğinden varsayılan olarak devre dışıdır.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aşağıdaki ayarları, YALNIZCA VE YALNIZCA bunların ne işe yaradığını, olası etkilerini ve tehlikelerini tam olarak anlıyorsanız etkinleştirin.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Ayarlar, açıklamalarında oluşabilecek güvenlik sorunlarını listeleyecektir.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Yedekleme, yüklü paketlerin tam listesini ve kurulum seçeneklerini içerecektir. Yok sayılan güncellemeler ve atlanan sürümler de kaydedilecektir.", + "The backup will NOT include any binary file nor any program's saved data.": "Yedekleme, herhangi bir ikili dosya veya herhangi bir programın kaydedilmiş verilerini içermeyecektir.", + "The size of the backup is estimated to be less than 1MB.": "Yedekleme boyutunun 1 MB'den küçük olduğu tahmin edilmektedir.", + "The backup will be performed after login.": "Yedekleme, giriş yapıldıktan sonra gerçekleştirilecektir.", + "{pcName} installed packages": "{pcName} yüklü paketler", + "Current status: Not logged in": "Mevcut durum: Giriş yapılmadı", + "You are logged in as {0} (@{1})": "{0} (@{1}) olarak giriş yaptınız", + "Nice! Backups will be uploaded to a private gist on your account": "Güzel! Yedekler hesabınızdaki özel bir github gist'e yüklenecek", + "Select backup": "Yedeklemeyi seçin", + "WingetUI Settings": "UniGetUI Ayarları", + "Allow pre-release versions": "Ön sürümlere izin ver", + "Apply": "Uygula", + "Go to UniGetUI security settings": "UniGetUI güvenlik ayarlarına gidin", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Bir {0} paket her kurulduğunda, yükseltildiğinde veya kaldırıldığında aşağıdaki seçenekler varsayılan olarak uygulanacaktır.", + "Package's default": "Paket varsayılanı", + "Install location can't be changed for {0} packages": "{0} paket için yükleme konumu değiştirilemez", + "The local icon cache currently takes {0} MB": "Yerel simge önbelleği şu anda {0} MB yer kaplıyor", + "Username": "Kullanıcı adı", + "Password": "Şifre", + "Credentials": "Kimlik Bilgileri", + "Partially": "Kısmen", + "Package manager": "Paket yöneticisi", + "Compatible with proxy": "Proxy ile uyumlu", + "Compatible with authentication": "Kimlik doğrulama ile uyumlu", + "Proxy compatibility table": "Proxy uyumluluk tablosu", + "{0} settings": "{0} ayarlar", + "{0} status": "{0} durum", + "Default installation options for {0} packages": "{0} paket için varsayılan kurulum seçenekleri", + "Expand version": "Sürümü genişlet", + "The executable file for {0} was not found": "Yürütülebilir dosya {0} için bulunamadı", + "{pm} is disabled": "{pm} devre dışı", + "Enable it to install packages from {pm}.": "Paketleri {pm} tarihinden itibaren yüklemek için etkinleştirin.", + "{pm} is enabled and ready to go": "{pm} etkinleştirildi ve kullanıma hazır", + "{pm} version:": "{pm} sürümü:", + "{pm} was not found!": "{pm} bulunamadı!", + "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI ile kullanmak için {pm} yüklemeniz gerekebilir.", + "Scoop Installer - WingetUI": "Kepçe Yükleyici - UniGetUI", + "Scoop Uninstaller - WingetUI": "Kepçe Kaldırma Programı - UniGetUI", + "Clearing Scoop cache - WingetUI": "Kepçe önbelleğini temizleme - UniGetUI", + "Restart UniGetUI": "UniGetUI'yi yeniden başlat", + "Manage {0} sources": "{0} kaynaklarını yönet", + "Add source": "Kaynak ekle", + "Add": "Ekle", + "Other": "Diğer", + "1 day": "1 gün", + "{0} days": "{0} gün", + "{0} minutes": "{0} dakika", + "1 hour": "1 saat", + "{0} hours": "{0} saat", + "1 week": "1 hafta", + "WingetUI Version {0}": "UniGetUI Sürüm {0}", + "Search for packages": "Paket ara", + "Local": "Yerel", + "OK": "TAMAM", + "{0} packages were found, {1} of which match the specified filters.": "{1} tanesi belirtilen filtrelerle eşleşen {0} paket bulundu.", + "{0} selected": "{0} seçildi", + "(Last checked: {0})": "(Son kontrol: {0})", + "Enabled": "Etkin", + "Disabled": "Devre dışı", + "More info": "Daha fazla bilgi", + "Log in with GitHub to enable cloud package backup.": "Bulut paketi yedeklemesini etkinleştirmek için GitHub ile oturum açın.", + "More details": "Daha fazla detay", + "Log in": "Oturum aç", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Bulut yedeklemesini etkinleştirdiyseniz, bu hesapta GitHub Gist olarak kaydedilecektir", + "Log out": "Çıkış yap", + "About": "Hakkında", + "Third-party licenses": "Üçüncü taraf lisansları", + "Contributors": "Katkıda Bulunanlar", + "Translators": "Çevirmenler", + "Manage shortcuts": "Kısayolları yönet", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI, gelecekteki yükseltmelerde otomatik olarak kaldırılabilecek aşağıdaki masaüstü kısayollarını algıladı", + "Do you really want to reset this list? This action cannot be reverted.": "Bu listeyi gerçekten sıfırlamak istiyor musunuz? Bu eylem geri alınamaz.", + "Remove from list": "Listeden sil", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Yeni kısayollar algılandığında, bu iletişim kutusunu göstermek yerine bunları otomatik olarak silin.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI, yalnızca kullanıcı deneyimini anlamak ve geliştirmek amacıyla anonim kullanım verileri toplar.", + "More details about the shared data and how it will be processed": "Paylaşılan veriler ve nasıl işleneceği hakkında daha fazla ayrıntı", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "UniGetui'nin yalnızca kullanıcı deneyimini anlamak ve geliştirmek amacıyla anonim kullanım istatistikleri topladığını ve gönderdiğini kabul ediyor musunuz?", + "Decline": "Reddet", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Kişisel bilgi toplanmaz veya gönderilmez ve toplanan veriler anonimize edilir, bu nedenle bulunamazsınız.", + "About WingetUI": "UniGetUI Hakkında", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI, komut satırı paket yöneticileriniz için hepsi bir arada grafik arayüzü sağlayarak yazılımınızı yönetmeyi kolaylaştıran bir uygulamadır.", + "Useful links": "Faydalı bağlantılar", + "Report an issue or submit a feature request": "Bir sorunu bildirin veya bir özellik isteği gönderin", + "View GitHub Profile": "GitHub Profili", + "WingetUI License": "UniGetUI Lisansı", + "Using WingetUI implies the acceptation of the MIT License": "UniGetUI'yi kullanmak MIT Lisansının kabul edildiğini ifade eder", + "Become a translator": "Çevirmen olun", + "View page on browser": "Sayfayı tarayıcıda görüntüle", + "Copy to clipboard": "Panoya kopyala", + "Export to a file": "Bir dosyaya aktar", + "Log level:": "Günlük düzeyi:", + "Reload log": "Günlüğü yeniden yükle", + "Text": "Metin", + "Change how operations request administrator rights": "İşlemlerin yönetici haklarını nasıl talep edeceğini değiştirin", + "Restrictions on package operations": "Paket işlemleriyle ilgili kısıtlamalar", + "Restrictions on package managers": "Paket yöneticilerine yönelik kısıtlamalar", + "Restrictions when importing package bundles": "Paket paketlerini içe aktarırken kısıtlamalar", + "Ask for administrator privileges once for each batch of operations": "Her bir işlem grubu için bir kez yönetici ayrıcalıkları isteyin", + "Ask only once for administrator privileges": "Yönetici ayrıcalıkları için yalnızca bir kez sor", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator veya GSudo aracılığıyla her türlü yükseltmeyi kaçın", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Bu seçenek SORUNLARA neden olacaktır. Kendini yükseltme yeteneği olmayan herhangi bir işlem BAŞARISIZ OLACAKTIR. Yönetici olarak yükle/güncelle/kaldır ÇALIŞMAYACAKTIR.", + "Allow custom command-line arguments": "Özel komut satırı argümanlarına izin ver", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Özel komut satırı bağımsız değişkenleri, UniGetUI'nin kontrol edemeyeceği bir şekilde programların yüklenme, yükseltilme veya kaldırılma şeklini değiştirebilir. Özel komut satırları kullanmak paketleri bozabilir. Dikkatli devam edin.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Paket grubundan içe aktarırken özel ön kurulum ve son kurulum komutlarının çalıştırılmasına izin ver", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Kurulum öncesi ve sonrası komutlar, bir paket kurulmasından, yükseltilmesinden veya kaldırılmasından önce ve sonra çalıştırılacaktır. Dikkatli kullanılmadıkça bir şeyleri bozabileceklerini unutmayın", + "Allow changing the paths for package manager executables": "Paket yöneticisi çalıştırılabilir dosyaları için yolların değiştirilmesine izin ver", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Bunu açmak, paket yöneticileriyle etkileşimde bulunmak için kullanılan yürütülebilir dosyanın değiştirilmesini sağlar. Bu, kurulum süreçlerinizin daha ayrıntılı özelleştirilmesine izin verirken, aynı zamanda tehlikeli de olabilir", + "Allow importing custom command-line arguments when importing packages from a bundle": "Bir paketten paketler içe aktarılırken özel komut satırı argümanlarının içe aktarılmasına izin ver", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Hatalı biçimlendirilmiş komut satırı argümanları paketleri kırabilir veya hatta kötü niyetli bir aktörün ayrıcalıklı yürütme elde etmesine izin verebilir. Bu nedenle, özel komut satırı bağımsız değişkenlerini içe aktarma varsayılan olarak devre dışıdır", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Paketleri bir paketten içe aktarırken özel ön yükleme ve yükleme sonrası komutlarının içe aktarılmasına izin ver", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Kurulum öncesi ve sonrası komutları, eğer bu şekilde tasarlanmışlarsa, cihazınıza çok kötü şeyler yapabilirler. Paketin kaynağına güvenmediğiniz sürece komutları bir paketten içe aktarmak çok tehlikeli olabilir", + "Administrator rights and other dangerous settings": "Yönetici ayrıcalıkları ve diğer tehlikeli ayarlar", + "Package backup": "Paket yedekleme", + "Cloud package backup": "Bulut paketi yedekleme", + "Local package backup": "Yerel paket yedekleme", + "Local backup advanced options": "Yerel yedekleme gelişmiş seçenekleri", + "Log in with GitHub": "GitHub ile giriş yap", + "Log out from GitHub": "GitHub'dan çıkış yap", + "Periodically perform a cloud backup of the installed packages": "Yüklü paketlerin bulut yedeklemesini periyodik olarak gerçekleştirin", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Bulut yedekleme, yüklü paketlerin listesini depolamak için özel bir GitHub Gist kullanır", + "Perform a cloud backup now": "Şimdi bir bulut yedeklemesi gerçekleştirin", + "Backup": "Yedekle", + "Restore a backup from the cloud": "Buluttan bir yedeklemeyi geri yükleyin", + "Begin the process to select a cloud backup and review which packages to restore": "Bir bulut yedeklemesi seçme sürecini başlatın ve hangi paketlerin geri yükleneceğini inceleyin", + "Periodically perform a local backup of the installed packages": "Yüklü paketlerin yerel yedeklemesini periyodik olarak gerçekleştirin", + "Perform a local backup now": "Şimdi yerel bir yedekleme gerçekleştirin", + "Change backup output directory": "Yedekleme çıktı dizinini değiştir", + "Set a custom backup file name": "Özel bir yedekleme dosyası adı belirleyin", + "Leave empty for default": "Varsayılan olarak boş bırakın", + "Add a timestamp to the backup file names": "Yedekleme dosyası adlarına bir zaman damgası ekleyin", + "Backup and Restore": "Yedekleme ve Geri Yükleme", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Arka plan api'sini etkinleştir (UniGetUI Widget'ları ve Paylaşımı, bağlantı noktası 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "İnternet bağlantısı gerektiren görevleri yapmaya başlamadan önce cihazın internete bağlanmasını bekleyin.", + "Disable the 1-minute timeout for package-related operations": "Paketle ilgili işlemler için 1 dakikalık zaman aşımını devre dışı bırakın", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator yerine kurulu GSudo'yu kullanın", + "Use a custom icon and screenshot database URL": "Özel bir simge ve ekran görüntüsü veritabanı URL'si kullanın", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Arka Plan CPU kullanım optimizasyonlarını etkinleştirin (Bkz. İstek #3278)", + "Perform integrity checks at startup": "Başlangıçta bütünlük kontrolleri gerçekleştirin", + "When batch installing packages from a bundle, install also packages that are already installed": "Paketleri bir paketten toplu olarak yüklerken, önceden yüklenmiş paketleri de yükleyin", + "Experimental settings and developer options": "Deneysel ayarlar ve geliştirici seçenekleri", + "Show UniGetUI's version and build number on the titlebar.": "UniGetUI'nin sürümünü başlık çubuğunda göster", + "Language": "Dil", + "UniGetUI updater": "UniGetUI güncelleyici", + "Telemetry": "Telemetri", + "Manage UniGetUI settings": "UniGetUI ayarlarını yönetin", + "Related settings": "İlgili ayarlar", + "Update WingetUI automatically": "UniGetUI'ı otomatik olarak güncelle", + "Check for updates": "Güncellemeleri kontrol et", + "Install prerelease versions of UniGetUI": "UniGetUI'nin yayın öncesi sürümlerini yükleyin", + "Manage telemetry settings": "Telemetri ayarlarını yönet", + "Manage": "Yönet", + "Import settings from a local file": "Ayarları yerel bir dosyadan içe aktar", + "Import": "İçe aktar", + "Export settings to a local file": "Ayarları yerel bir dosyaya aktar", + "Export": "Dışa Aktar", + "Reset WingetUI": "UniGetUI'yi Sıfırla", + "Reset UniGetUI": "UniGetUI'yi sıfırla", + "User interface preferences": "Kullanıcı arayüzü tercihleri", + "Application theme, startup page, package icons, clear successful installs automatically": "Uygulama teması, başlangıç sayfası, paket simgeleri, başarılı yüklemeleri otomatik olarak temizle", + "General preferences": "Genel tercihler", + "WingetUI display language:": "UniGetUI arayüz dili:", + "Is your language missing or incomplete?": "Diliniz eksik mi yoksa tam değil mi?", + "Appearance": "Dış görünüş", + "UniGetUI on the background and system tray": "Arka planda ve sistem tepsisinde UniGetUI", + "Package lists": "Paket listeleri", + "Close UniGetUI to the system tray": "UniGetUI'yi sistem tepsisine kapatın", + "Show package icons on package lists": "Paket listelerinde paket simgelerini göster", + "Clear cache": "Önbelleği temizle", + "Select upgradable packages by default": "Yükseltilebilir paketleri varsayılan olarak seç", + "Light": "Aydınlık", + "Dark": "Karanlık", + "Follow system color scheme": "Sistem temasını kullan", + "Application theme:": "Uygulama teması:", + "Discover Packages": "Paketleri Keşfet", + "Software Updates": "Yazılım Güncellemeleri", + "Installed Packages": "Yüklü Paketler", + "Package Bundles": "Paketleme Grupları", + "Settings": "Ayarlar", + "UniGetUI startup page:": "UniGetUI başlangıç ​​sayfası:", + "Proxy settings": "Proxy ayarları", + "Other settings": "Diğer ayarlar", + "Connect the internet using a custom proxy": "Özel bir proxy kullanarak internete bağlanın", + "Please note that not all package managers may fully support this feature": "Lütfen tüm paket yöneticilerinin bu özelliği tam olarak desteklemeyebileceğini unutmayın", + "Proxy URL": "Proxy URL'si", + "Enter proxy URL here": "Proxy URL'sini buraya girin", + "Package manager preferences": "Paket yöneticisi tercihleri", + "Ready": "Hazır", + "Not found": "Bulunamadı", + "Notification preferences": "Bildirim tercihleri", + "Notification types": "Bildirim türleri", + "The system tray icon must be enabled in order for notifications to work": "Bildirimlerin çalışması için sistem tepsisi simgesinin etkinleştirilmesi gerekir", + "Enable WingetUI notifications": "UniGetUI bildirimlerini etkinleştir", + "Show a notification when there are available updates": "Mevcut güncellemeler olduğunda bildirim göster", + "Show a silent notification when an operation is running": "Bir işlem çalışırken sessiz bildirim göster", + "Show a notification when an operation fails": "Bir işlem başarısız olduğunda bildirim göster", + "Show a notification when an operation finishes successfully": "Bir işlem başarıyla tamamlandığında bildirim göster", + "Concurrency and execution": "Eşzamanlılık ve yürütme", + "Automatic desktop shortcut remover": "Otomatik masaüstü kısayolu kaldırıcı", + "Clear successful operations from the operation list after a 5 second delay": "5 saniyelik bir gecikmenin ardından başarılı işlemleri işlem listesinden silin", + "Download operations are not affected by this setting": "İndirme işlemleri bu ayardan etkilenmez", + "Try to kill the processes that refuse to close when requested to": "Talep edildiğinde kapatmayı reddeden işlemleri kapatmaya çalışın", + "You may lose unsaved data": "Kaydedilmemiş verileri kaybedebilirsiniz", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Yükleme veya yükseltme sırasında oluşturulan masaüstü kısayollarının silinmesini sor.", + "Package update preferences": "Paket güncelleme tercihleri", + "Update check frequency, automatically install updates, etc.": "Güncelleme kontrol sıklığı, güncellemelerin otomatik olarak yüklenmesi vb.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC uyarılarını azaltın, kurulumları varsayılan olarak yükseltin, belirli tehlikeli özelliklerin kilidini açın, vb.", + "Package operation preferences": "Paket işlem tercihleri", + "Enable {pm}": "{pm} etkinleştirilsin", + "Not finding the file you are looking for? Make sure it has been added to path.": "Aradığınız dosyayı bulamıyor musunuz? Yola eklendiğinden emin olun.", + "For security reasons, changing the executable file is disabled by default": "Güvenlik nedenlerinden dolayı, yürütülebilir dosyayı değiştirme varsayılan olarak devre dışıdır", + "Change this": "Bunu değiştir", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Kullanılacak yürütülebilir dosyayı seçin. Aşağıdaki liste, UniGetUI tarafından bulunan yürütülebilir dosyaları göstermektedir", + "Current executable file:": "Geçerli yürütülebilir dosya:", + "Ignore packages from {pm} when showing a notification about updates": "Güncellemeler hakkında bir bildirim gösteren {pm} paketleri yoksay", + "View {0} logs": "{0} günlükleri görüntüle", + "Advanced options": "Gelişmiş seçenekler", + "Reset WinGet": "WinGet'i sıfırla", + "This may help if no packages are listed": "Hiçbir paket listelenmemişse bu yardımcı olabilir", + "Force install location parameter when updating packages with custom locations": "Özel konumlarla paketleri güncellerken konum parametresini zorla yükle", + "Use bundled WinGet instead of system WinGet": "Sistem WinGet yerine paketlenmiş WinGet'i kullanın", + "This may help if WinGet packages are not shown": "WinGet paketleri gösterilmiyorsa bu yardımcı olabilir", + "Install Scoop": "Scoop'u yükle", + "Uninstall Scoop (and its packages)": "Scoop'u (ve paketlerini) kaldırın", + "Run cleanup and clear cache": "Temizlemeyi çalıştır ve önbelleği temizle", + "Run": "Çalıştır", + "Enable Scoop cleanup on launch": "Başlangıçta Scoop temizlemeyi etkinleştir", + "Use system Chocolatey": "Chocolatey sistemini kullanın", + "Default vcpkg triplet": "Varsayılan vcpkg üçlüsü", + "Language, theme and other miscellaneous preferences": "Dil, tema ve diğer çeşitli tercihler", + "Show notifications on different events": "Farklı etkinliklere ilişkin bildirimleri göster", + "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI'nin paketleriniz için mevcut güncellemeleri kontrol etme ve yükleme şeklini değiştirin", + "Automatically save a list of all your installed packages to easily restore them.": "Kolayca geri yüklemek için yüklü tüm paketlerinizin bir listesini otomatik olarak kaydedin.", + "Enable and disable package managers, change default install options, etc.": "Paket yöneticilerini etkinleştirin ve devre dışı bırakın, varsayılan kurulum seçeneklerini değiştirin, vb.", + "Internet connection settings": "İnternet bağlantı ayarları", + "Proxy settings, etc.": "Proxy ayarları vb.", + "Beta features and other options that shouldn't be touched": "Beta özellikleri ve diğer dokunulmaması gereken seçenekler", + "Update checking": "Güncelleme denetimi", + "Automatic updates": "Otomatik güncellemeler", + "Check for package updates periodically": "Paket güncellemelerin düzenli olarak kontrol et", + "Check for updates every:": "Güncellemeleri şu aralıklarla kontrol et:", + "Install available updates automatically": "Mevcut güncellemeleri otomatik olarak yükle", + "Do not automatically install updates when the network connection is metered": "Ağ bağlantısı sınırlı olduğunda güncellemeleri otomatik olarak yükleme", + "Do not automatically install updates when the device runs on battery": "Cihaz pille çalışırken güncellemeleri otomatik olarak yüklemeyin", + "Do not automatically install updates when the battery saver is on": "Pil tasarrufu açıkken güncellemeleri otomatik olarak yükleme", + "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI'nin yükleme, güncelleme ve kaldırma işlemlerini nasıl işlediğini değiştirin.", + "Package Managers": "Paket Yöneticileri", + "More": "Daha çok", + "WingetUI Log": "UniGetUI Günlüğü", + "Package Manager logs": "Paket Yöneticisi günlükleri", + "Operation history": "İşlem geçmişi", + "Help": "Yardım", + "Order by:": "Sıralama:", + "Name": "İsim", + "Id": "İd", + "Ascendant": "Artan", + "Descendant": "Azalan", + "View mode:": "Görüntüleme modu:", + "Filters": "Filtreler", + "Sources": "Kaynaklar", + "Search for packages to start": "Başlamak için paket ara", + "Select all": "Tümünü seç", + "Clear selection": "Seçileni/Seçilenleri iptal et", + "Instant search": "Yazarken ara", + "Distinguish between uppercase and lowercase": "Büyük ve küçük\n harf arasında ayrım yapın", + "Ignore special characters": "Özel karakterleri yoksay", + "Search mode": "Arama modu", + "Both": "Her ikisi", + "Exact match": "Tam eşleşme", + "Show similar packages": "Benzer paketleri göster", + "No results were found matching the input criteria": "Giriş kriterlerine uygun sonuç bulunamadı", + "No packages were found": "Paket bulunamadı", + "Loading packages": "Paketler yükleniyor", + "Skip integrity checks": "Bütünlük kontrollerini atla", + "Download selected installers": "Seçilen yükleyicileri indir", + "Install selection": "Seçileni/Seçilenleri yükle", + "Install options": "Yükleme Ayarları", + "Share": "Paylaş", + "Add selection to bundle": "Seçileni/Seçilenleri paket grubuna ekle", + "Download installer": "Yükleyiciyi indir", + "Share this package": "Bu paketi paylaş", + "Uninstall selection": "Seçileni/Seçilenleri kaldır", + "Uninstall options": "Kaldırma seçenekleri", + "Ignore selected packages": "Seçilen paketleri yoksay", + "Open install location": "Kurulum konumunu aç", + "Reinstall package": "Paketi yeniden yükle", + "Uninstall package, then reinstall it": "Paketi kaldırın, ardından yeniden yükleyin", + "Ignore updates for this package": "Bu paket için güncellemeleri yok say", + "Do not ignore updates for this package anymore": "Artık bu pakete ilişkin güncellemeleri göz ardı etmeyin", + "Add packages or open an existing package bundle": "Paketler ekleyin veya mevcut bir paket grubunu açın", + "Add packages to start": "Başlamak için paketleri ekleyin", + "The current bundle has no packages. Add some packages to get started": "Mevcut paket grubunda paket yok. Başlamak için birkaç paket ekleyin.", + "New": "Yeni", + "Save as": "Farklı kaydet", + "Remove selection from bundle": "Seçileni/Seçilenleri paket grubundan kaldır", + "Skip hash checks": "Karma kontrollerini atla", + "The package bundle is not valid": "Paket grubu geçerli değil", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Yüklemeye çalıştığınız paket grubu geçersiz görünüyor. Lütfen dosyayı kontrol edip tekrar deneyin.", + "Package bundle": "Paketleme grubu", + "Could not create bundle": "Paket grubu oluşturulamadı", + "The package bundle could not be created due to an error.": "Bir hata nedeniyle paket grubu oluşturulamadı.", + "Bundle security report": "Paket güvenlik raporu", + "Hooray! No updates were found.": "Yaşasın! Her şey güncel!", + "Everything is up to date": "Her şey güncel", + "Uninstall selected packages": "Seçili paketleri kaldır\n", + "Update selection": "Seçileni/Seçilenleri Güncelle", + "Update options": "Güncelleme seçenekleri", + "Uninstall package, then update it": "Paketi kaldırın, ardından güncelleyin", + "Uninstall package": "Paketi kaldır", + "Skip this version": "Bu sürümü atla", + "Pause updates for": "Bunun için güncellemeleri duraklat", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust paket yöneticisi.
İçerir: Rust kitaplıkları ve Rust'ta yazılmış programlar", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows için klasik paket yöneticisi. Orada her şeyi bulacaksınız.
İçerir: Genel Yazılım", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft ile tasarlanmış araçlar ve yürütülebilir dosyalarla dolu bir depo.NET ekosistemini göz önünde bulundurun.
İçerikleri: .NET ile ilgili araçlar ve komut dosyaları", + "NuPkg (zipped manifest)": "NuPkg (sıkıştırılmış manifest)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "\"Node JS'in paket yöneticisi. Javascript dünyasının yörüngesinde dönen kütüphaneler ve diğer yardımcı programlarla dolu.
İçerik: Node JavaScript kütüphaneleri ve diğer ilgili yardımcı programlar\"", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python'un kütüphane yöneticisi. Python kitaplıkları ve diğer python ile ilgili yardımcı programlarla dolu
İçerik: Python kitaplıkları ve ilgili yardımcı programlar", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell'in paket yöneticisi. PowerShell özelliklerini genişletmek için kitaplıkları ve komut dosyalarını bulun
İçerir: Modüller, Komut Dosyaları, Cmdlet'ler", + "extracted": "Çıkarıldı", + "Scoop package": "Scoop paketi", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Bilinmeyen ama kullanışlı yardımcı programlar ve diğer ilginç paketlerden oluşan harika bir depo.
İçerik: Yardımcı Programlar, Komut Satırı Programları, Genel Yazılım (Ekstra olarak Bucket gerekir)", + "library": "kütüphane", + "feature": "özellik", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Popüler bir C/C++ kütüphane yöneticisi. C/C++ kitaplıkları ve diğer C/C++ ile ilgili yardımcı programlarla dolu
İçerikler: C/C++ kitaplıkları ve ilgili yardımcı programlar", + "option": "seçenek", + "This package cannot be installed from an elevated context.": "Bu paket yükseltilmiş bir bağlamdan yüklenemez.", + "Please run UniGetUI as a regular user and try again.": "Lütfen UniGetUI'yi normal kullanıcı olarak çalıştırın ve tekrar deneyin.", + "Please check the installation options for this package and try again": "Lütfen bu paketin yükleme seçeneklerini kontrol edip tekrar deneyin.", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft'un resmi paket yöneticisi. Tanınmış ve doğrulanmış paketlerle dolu
İçerik: Genel Yazılım, Microsoft Mağazası uygulamaları", + "Local PC": "Yerel bilgisayar", + "Android Subsystem": "Android Alt Sistemi", + "Operation on queue (position {0})...": "Kuyrukta işlem (konum {0})...", + "Click here for more details": "Daha fazla bilgi için buraya tıklayın", + "Operation canceled by user": "İşlem kullanıcı tarafından iptal edildi", + "Starting operation...": "Çalışmaya başlıyor...", + "{package} installer download": "{package} yükleyi̇ci̇ i̇ndi̇r", + "{0} installer is being downloaded": "{0} yükleyici indiriliyor", + "Download succeeded": "İndirme başarılı", + "{package} installer was downloaded successfully": "{package} yükleyici başarıyla indirildi", + "Download failed": "İndir başarısız", + "{package} installer could not be downloaded": "{package} yükleyici indirilemedi", + "{package} Installation": "{package} Yükleniyor", + "{0} is being installed": "{0} kuruluyor", + "Installation succeeded": "Kurulum başarılı", + "{package} was installed successfully": "{package} başarıyla yüklendi", + "Installation failed": "Yükleme başarısız", + "{package} could not be installed": "{package} yüklenemedi", + "{package} Update": "{package} Güncelleştir", + "{0} is being updated to version {1}": "{0}, {1} sürümüne güncelleniyor", + "Update succeeded": "Güncelleme başarılı", + "{package} was updated successfully": "{package} başarıyla güncellendi", + "Update failed": "Güncelleme işlemi başarısız", + "{package} could not be updated": "{package} güncellenemedi", + "{package} Uninstall": "{package} Kaldır", + "{0} is being uninstalled": "{0} kaldırılıyor", + "Uninstall succeeded": "Kaldırma başarılı", + "{package} was uninstalled successfully": "{package} başarıyla kaldırıldı", + "Uninstall failed": "Kaldırma başarısız", + "{package} could not be uninstalled": "{package} kaldırılamadı", + "Adding source {source}": "Kaynak ekleniyor {source}", + "Adding source {source} to {manager}": "Kaynak {source} {manager}' a ekleniyor", + "Source added successfully": "Kaynak başarıyla eklendi", + "The source {source} was added to {manager} successfully": "{source} kaynağı {manager} yöneticisine başarıyla eklendi", + "Could not add source": "Kaynak eklenilemedi", + "Could not add source {source} to {manager}": "{source} kaynağı {manager} yöneticisine eklenemedi", + "Removing source {source}": "{source} kaynağından kaldırılıyor", + "Removing source {source} from {manager}": "{source} kaynağı {manager} kaynağından kaldırılıyor", + "Source removed successfully": "Kaynak başarıyla kaldırıldı", + "The source {source} was removed from {manager} successfully": "{source} kaynağı {manager} tarafından başarıyla kaldırıldı", + "Could not remove source": "Kaynak kaldırılamadı", + "Could not remove source {source} from {manager}": "{source} kaynağı {manager} kaynağından kaldırılamadı", + "The package manager \"{0}\" was not found": "\"{0}\" paket yöneticisi bulunamadı", + "The package manager \"{0}\" is disabled": "\"{0}\" paket yöneticisi devre dışı", + "There is an error with the configuration of the package manager \"{0}\"": "\"{0}\" paket yöneticisinin yapılandırmasında bir hata var", + "The package \"{0}\" was not found on the package manager \"{1}\"": "\"{0}\" paketi \"{1}\" paket yöneticisinde bulunamadı", + "{0} is disabled": "{0} devre dışı", + "Something went wrong": "Bir sorun oluştu", + "An interal error occurred. Please view the log for further details.": "Bir hata oluştu. Daha fazla bilgi için lütfen günlüğe bakın.", + "No applicable installer was found for the package {0}": "Paket için geçerli bir yükleyici bulunamadı ({0})", + "We are checking for updates.": "Güncellemeleri kontrol ediyoruz.", + "Please wait": "Lütfen bekleyin", + "UniGetUI version {0} is being downloaded.": "UniGetUI {0} sürümü indiriliyor.", + "This may take a minute or two": "Bu işlem bir veya iki dakika sürebilir", + "The installer authenticity could not be verified.": "Yükleyicinin orijinalliği doğrulanamadı.", + "The update process has been aborted.": "Güncelleme işlemi iptal edildi.", + "Great! You are on the latest version.": "Harika! En son sürümdesiniz.", + "There are no new UniGetUI versions to be installed": "Yüklenecek yeni UniGetUI sürümü yok", + "An error occurred when checking for updates: ": "Güncellemeler kontrol edilirken bir hata oluştu:", + "UniGetUI is being updated...": "UniGetUI güncelleniyor...", + "Something went wrong while launching the updater.": "Güncelleyici başlatılırken bir şeyler ters gitti.", + "Please try again later": "Lütfen daha sonra tekrar deneyin", + "Integrity checks will not be performed during this operation": "Bu işlem sırasında bütünlük kontrolleri yapılmayacak", + "This is not recommended.": "Bu önerilmez.", + "Run now": "Şimdi başlat", + "Run next": "Sonra çalış", + "Run last": "Son çalış", + "Retry as administrator": "Yönetici olarak yeniden deneyin", + "Retry interactively": "Etkileşimli olarak yeniden deneyin", + "Retry skipping integrity checks": "Bütünlük kontrollerini atlayarak yeniden dene", + "Installation options": "Yükleme seçenekleri", + "Show in explorer": "Dosya gezgininde göster", + "This package is already installed": "Paket zaten kurulmuş", + "This package can be upgraded to version {0}": "Bu paket {0} sürümüne yükseltilebilir", + "Updates for this package are ignored": "Bu paketin güncellemeleri yoksayıldı", + "This package is being processed": "Bu paket işleniyor", + "This package is not available": "Bu paket mevcut değil", + "Select the source you want to add:": "Eklemek istediğiniz kaynağı seçin:", + "Source name:": "Kaynak adı:", + "Source URL:": "Kaynak URL'si:", + "An error occurred": "Bir hata oluştu", + "An error occurred when adding the source: ": "Kaynak eklenirken bir hata oluştu:", + "Package management made easy": "Paket yönetimi kolaylaştırıldı", + "version {0}": "sürüm {0}", + "[RAN AS ADMINISTRATOR]": "YÖNETİCİ OLARAK ÇALIŞTIR", + "Portable mode": "Taşınabilir Mod", + "DEBUG BUILD": "HATA AYIKLAMA YAPISI", + "Available Updates": "Mevcut Güncellemeler", + "Show WingetUI": "UniGetUI'ı göster\n", + "Quit": "Çıkış", + "Attention required": "Dikkat gerektirir", + "Restart required": "Yeniden başlatma gerekli", + "1 update is available": "1 güncelleme mevcut", + "{0} updates are available": "{0} güncellemeler mevcut", + "WingetUI Homepage": "UniGetUI Ana Sayfası", + "WingetUI Repository": "UniGetUI Paket Deposu", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Burada UniGetUI'nin aşağıdaki kısayollara ilişkin davranışını değiştirebilirsiniz. Bir kısayolun kontrol edilmesi, eğer gelecekteki bir yükseltmede oluşturulursa UniGetUI'nin onu silmesini sağlayacaktır. İşaretini kaldırmak kısayolu olduğu gibi koruyacaktır", + "Manual scan": "Manuel tarama", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Masaüstünüzde bulunan kısayollar taranacak ve hangilerini tutacağınızı, hangilerini kaldıracağınızı seçmeniz gerekecektir.", + "Continue": "Devam", + "Delete?": "Silinsin mi?", + "Missing dependency": "Eksik bağımlılık", + "Not right now": "Şimdi olmaz", + "Install {0}": "{0}'ı yükleyin", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI'nin çalışması için {0} gerekiyor ancak sisteminizde bulunamadı.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kurulum işlemine başlamak için Install'a tıklayın. Kurulumu atlarsanız UniGetUI beklendiği gibi çalışmayabilir.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatif olarak, Windows PowerShell isteminde aşağıdaki komutu çalıştırarak da {0}'ı yükleyebilirsiniz:", + "Do not show this dialog again for {0}": "{0} için bu iletişim kutusunu bir daha gösterme", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} yüklenirken lütfen bekleyin. Siyah bir pencere görünebilir. Lütfen kapanana kadar bekleyin.", + "{0} has been installed successfully.": "{0} başarıyla kuruldu.", + "Please click on \"Continue\" to continue": "Devam etmek için lütfen \"Devam\"a tıklayın", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} başarıyla kuruldu. Kurulumu tamamlamak için UniGetUI'nin yeniden başlatılması önerilir.", + "Restart later": "Daha sonra yeniden başlatacağım", + "An error occurred:": "Bir hata oluştu:", + "I understand": "Anladım", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI yönetici olarak çalıştırıldı, bu önerilmez. UniGetUI'yı yönetici olarak çalıştırırken, UniGetUI'dan başlatılan HER işlem yönetici ayrıcalıklarına sahip olacaktır. Programı yine de kullanabilirsiniz, ancak UniGetUI'yı yönetici ayrıcalıklarıyla çalıştırmamanızı şiddetle tavsiye ederiz.", + "WinGet was repaired successfully": "WinGet başarıyla onarıldı", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet onarıldıktan sonra UniGetUI'nin yeniden başlatılması önerilir", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOT: Bu sorun giderici, WinGet bölümündeki UniGetUI Ayarları'ndan devre dışı bırakılabilir", + "Restart": "Yeniden başlat", + "WinGet could not be repaired": "WinGet onarılamadı", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet onarılmaya çalışılırken beklenmeyen bir sorun oluştu. Lütfen daha sonra tekrar deneyin", + "Are you sure you want to delete all shortcuts?": "Tüm kısayolları silmek istediğinizden emin misiniz?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Bir yükleme veya güncelleme işlemi sırasında oluşturulan yeni kısayollar, ilk algılandıklarında bir onay istemi göstermek yerine otomatik olarak silinecektir.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI dışında oluşturulan veya değiştirilen herhangi bir kısayol göz ardı edilecektir. Bunları {0} düğme aracılığıyla ekleyebileceksiniz.", + "Are you really sure you want to enable this feature?": "Bu özelliği gerçekten etkinleştirmek istiyor musunuz?", + "No new shortcuts were found during the scan.": "Tarama sırasında yeni kısayol bulunmadı.", + "How to add packages to a bundle": "Bir paket grubuna paketler nasıl eklenir", + "In order to add packages to a bundle, you will need to: ": "Bir paket grubuna paket eklemek için şunları yapmanız gerekir:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" veya \"{1}\" sayfasına gidin.", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Paket grubuna eklemek istediğiniz paketi/paketleri bulun ve en soldaki onay kutusunu seçin.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Paket grubuna eklemek istediğiniz paketler seçiliyken araç çubuğunda \"{0}\" seçeneğini bulup tıklayın.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Paketleriniz paket grubuna eklenmiş olacak. Paket eklemeye devam edebilir veya paket grubunu dışa aktarabilirsiniz.", + "Which backup do you want to open?": "Hangi yedeği açmak istiyorsunuz?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Açmak istediğiniz yedeği seçin. Daha sonra, hangi paketleri yüklemek istediğinizi inceleyebileceksiniz.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Devam eden işlemler var. UniGetUI'den çıkmak başarısız olmalarına neden olabilir. Devam etmek ister misiniz?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI veya bazı bileşenleri eksik veya bozuk.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Durumu ele almak için UniGetUI'yi yeniden yüklemeniz şiddetle tavsiye edilir.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Etkilenen dosya(lar) hakkında daha fazla bilgi edinmek için UniGetUI Günlüklerine bakın", + "Integrity checks can be disabled from the Experimental Settings": "Bütünlük kontrolleri Deney Ayarlarından devre dışı bırakılabilir", + "Repair UniGetUI": "UniGetUI'yi onar", + "Live output": "Canlı çıkış", + "Package not found": "Paket bulunamadı", + "An error occurred when attempting to show the package with Id {0}": "{0} kimlikli paket gösterilmeye çalışılırken bir hata oluştu", + "Package": "Paket", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Bu paket paketinde potansiyel olarak tehlikeli olabilecek ve varsayılan olarak göz ardı edilebilecek bazı ayarlar vardı.", + "Entries that show in YELLOW will be IGNORED.": "SARI renkte gösterilen girdiler YOK SAYILACAKTIR.", + "Entries that show in RED will be IMPORTED.": "KIRMIZI renkte gösterilen girdiler ÖNEMLİDİR.", + "You can change this behavior on UniGetUI security settings.": "Bu davranışı UniGetUI güvenlik ayarlarından değiştirebilirsiniz.", + "Open UniGetUI security settings": "UniGetUI güvenlik ayarlarını açın", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Güvenlik ayarlarında değişiklik yapmanız durumunda, değişikliklerin geçerli olması için paketi tekrar açmanız gerekecektir.", + "Details of the report:": "Raporun detayları:", "\"{0}\" is a local package and can't be shared": "\"{0}\" yerel bir pakettir ve paylaşılamaz", + "Are you sure you want to create a new package bundle? ": "Yeni bir paket grubu oluşturmak istediğinizden emin misiniz?", + "Any unsaved changes will be lost": "Kaydedilmemiş değişiklikler kaybolacak", + "Warning!": "Uyarı!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Güvenlik nedeniyle, özel komut satırı argümanları varsayılan olarak devre dışıdır. Bunu değiştirmek için UniGetUI güvenlik ayarlarına gidin.", + "Change default options": "Varsayılan seçenekleri değiştir", + "Ignore future updates for this package": "Bu paket için gelecekteki güncellemeleri yoksay", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Güvenlik nedeniyle, işlem öncesi ve işlem sonrası komut dosyaları varsayılan olarak devre dışıdır. Bunu değiştirmek için UniGetUI güvenlik ayarlarına gidin.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Bu paketin yüklenmesinden, güncellenmesinden veya kaldırılmasından önce veya sonra çalıştırılacak komutları tanımlayabilirsiniz. Komut isteminde çalıştırılacaklardır, bu nedenle CMD komut dosyaları burada çalışacaktır.", + "Change this and unlock": "Bunu değiştir ve kilidini aç", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} varsayılan yükleme seçeneklerini takip ettiği için {0} yükleme seçenekleri şu anda kilitli.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Bu paket yüklenmeden, güncellenmeden veya kaldırılmadan önce kapatılması gereken işlemleri seçin.", + "Write here the process names here, separated by commas (,)": "Süreç adlarını buraya virgülle (,) ayırarak yazın", + "Unset or unknown": "Ayarlanmamış veya bilinmiyor", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Sorun hakkında daha fazla bilgi için lütfen Komut satırı Çıktısına veya İşlem Geçmişine bakın.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Bu paketin ekran görüntüsü yok veya simgesi eksik mi? Eksik simgeleri ve ekran görüntülerini herkese açık veritabanımıza ekleyerek UniGetUI'ye katkıda bulunun.", + "Become a contributor": "Katkıda bulunan olun", + "Save": "Kaydet", + "Update to {0} available": "{0} Güncelleme mevcut", + "Reinstall": "Yeniden yükle", + "Installer not available": "Yükleyici kullanılamıyor", + "Version:": "Versiyon:", + "Performing backup, please wait...": "Yedekleme gerçekleştiriliyor, lütfen bekleyin...", + "An error occurred while logging in: ": "Giriş yaparken bir hata oluştu:", + "Fetching available backups...": "Kullanılabilir yedekler getiriliyor...", + "Done!": "Tamam!", + "The cloud backup has been loaded successfully.": "Bulut yedeklemesi başarıyla yüklendi.", + "An error occurred while loading a backup: ": "Yedekleme yüklenirken bir hata oluştu:", + "Backing up packages to GitHub Gist...": "Paketler GitHub Gist'e yedekleniyor...", + "Backup Successful": "Yedekleme başarılı", + "The cloud backup completed successfully.": "Yedekleme başarılı şekilde tamamlandı.", + "Could not back up packages to GitHub Gist: ": "Paketler GitHub Gist'e yedeklenemedi:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Sağlanan kimlik bilgilerinin güvenli bir şekilde saklanacağı garanti edilmez, bu nedenle banka hesabınızın kimlik bilgilerini kullanmamanız daha iyi olur", + "Enable the automatic WinGet troubleshooter": "Otomatik WinGet sorun gidericisini etkinleştirin", + "Enable an [experimental] improved WinGet troubleshooter": "[Deneysel] olarak geliştirilmiş bir WinGet sorun gidericisini etkinleştirin", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'Uygulanabilir güncelleme bulunamadı' uyarısıyla başarısız olan güncellemeleri yoksayılan güncellemeler listesine ekleyin", + "Restart WingetUI to fully apply changes": "Değişiklikleri tamamıyla uygulamak için UniGetUI'yi yeniden başlatın", + "Restart WingetUI": "UniGetUI'ı yeniden başlat", + "Invalid selection": "Geçersiz seçim", + "No package was selected": "Hiçbir paket seçilmedi", + "More than 1 package was selected": "1'den fazla paket seçildi", + "List": "Liste", + "Grid": "Izgara", + "Icons": "Simgeler", "\"{0}\" is a local package and does not have available details": "\"{0}\" yerel bir pakettir ve kullanılabilir ayrıntılara sahip değildir", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" yerel bir pakettir ve bu özellik ile uyumlu değildir", - "(Last checked: {0})": "(Son kontrol: {0})", + "WinGet malfunction detected": "WinGet arızası tespit edildi", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Görünüşe göre WinGet düzgün çalışmıyor. WinGet'i onarmayı denemek istiyor musunuz?", + "Repair WinGet": "WinGet'i onar", + "Create .ps1 script": ".ps1 komut dosyası oluştur", + "Add packages to bundle": "Paketleri paket grubuna ekle", + "Preparing packages, please wait...": "Paketler hazırlanıyor, lütfen bekleyin...", + "Loading packages, please wait...": "Paketler yükleniyor, lütfen bekleyin...", + "Saving packages, please wait...": "Paketler kaydediliyor, lütfen bekleyin...", + "The bundle was created successfully on {0}": "Paket {0} tarihinde başarıyla oluşturuldu", + "Install script": "Komut dosyasını yükle", + "The installation script saved to {0}": "Kurulum komut dosyası {0} konumuna kaydedildi", + "An error occurred while attempting to create an installation script:": "Kurulum komut dosyası oluşturulmaya çalışılırken bir hata oluştu:", + "{0} packages are being updated": "{0} paket güncelleniyor", + "Error": "Hata", + "Log in failed: ": "Oturum açma başarısız: ", + "Log out failed: ": "Çıkış başarısız oldu: ", + "Package backup settings": "Paket yedekleme ayarları", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "({0} Numara kuyrukta)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@ahmetozmtn, @gokberkgs, @dogancanyr @anzeralp, @BerkeA111", "0 packages found": "Paket bulunamadı", "0 updates found": "Güncelleme bulunamadı", - "1 - Errors": "1 - Hatalar", - "1 day": "1 gün", - "1 hour": "1 saat", "1 month": "1 ay", "1 package was found": "1 paket bulundu", - "1 update is available": "1 güncelleme mevcut", - "1 week": "1 hafta", "1 year": "1 yıl", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" veya \"{1}\" sayfasına gidin.", - "2 - Warnings": "2 - Uyarılar", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Paket grubuna eklemek istediğiniz paketi/paketleri bulun ve en soldaki onay kutusunu seçin.", - "3 - Information (less)": "3 - Bilgilendirme (az)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Paket grubuna eklemek istediğiniz paketler seçiliyken araç çubuğunda \"{0}\" seçeneğini bulup tıklayın.", - "4 - Information (more)": "4 - Bilgilendirme (Ek)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Paketleriniz paket grubuna eklenmiş olacak. Paket eklemeye devam edebilir veya paket grubunu dışa aktarabilirsiniz.", - "5 - information (debug)": "5 - Bilgilendirme (hata ayıklama)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Popüler bir C/C++ kütüphane yöneticisi. C/C++ kitaplıkları ve diğer C/C++ ile ilgili yardımcı programlarla dolu
İçerikler: C/C++ kitaplıkları ve ilgili yardımcı programlar", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Microsoft ile tasarlanmış araçlar ve yürütülebilir dosyalarla dolu bir depo.NET ekosistemini göz önünde bulundurun.
İçerikleri: .NET ile ilgili araçlar ve komut dosyaları", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Microsoft ile tasarlanmış araçlar ve yürütülebilir dosyalarla dolu bir depo .NET ekosistemini göz önünde bulundurun.
İçerik: .NET ile ilgili Araçlar", "A restart is required": "Yeniden başlatma gerekli", - "Abort install if pre-install command fails": "Ön kurulum komutu başarısız olursa kurulumu iptal et", - "Abort uninstall if pre-uninstall command fails": "Ön kaldırma komutu başarısız olursa kaldırmayı iptal et", - "Abort update if pre-update command fails": "Ön güncelleme komutu başarısız olursa güncellemeyi iptal et", - "About": "Hakkında", "About Qt6": "Qt6 Hakkında", - "About WingetUI": "UniGetUI Hakkında", "About WingetUI version {0}": "UniGetUI {0} sürümü hakkında", "About the dev": "Geliştirici hakkında", - "Accept": "Kabul", "Action when double-clicking packages, hide successful installations": "Paketlere çift tıklandığında yapılacak eylem, başarılı kurulumları gizleyin", - "Add": "Ekle", "Add a source to {0}": "{0} öğesine bir kaynak ekle", - "Add a timestamp to the backup file names": "Yedekleme dosyası adlarına bir zaman damgası ekleyin", "Add a timestamp to the backup files": "Yedekleme dosyalarına bir zaman damgası ekleyin", "Add packages or open an existing bundle": "Paketler ekleyin veya mevcut bir paket grubunu açın", - "Add packages or open an existing package bundle": "Paketler ekleyin veya mevcut bir paket grubunu açın", - "Add packages to bundle": "Paketleri paket grubuna ekle", - "Add packages to start": "Başlamak için paketleri ekleyin", - "Add selection to bundle": "Seçileni/Seçilenleri paket grubuna ekle", - "Add source": "Kaynak ekle", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "'Uygulanabilir güncelleme bulunamadı' uyarısıyla başarısız olan güncellemeleri yoksayılan güncellemeler listesine ekleyin", - "Adding source {source}": "Kaynak ekleniyor {source}", - "Adding source {source} to {manager}": "Kaynak {source} {manager}' a ekleniyor", "Addition succeeded": "Ekleme başarılı", - "Administrator privileges": "Yönetici ayrıcalıkları", "Administrator privileges preferences": "Yönetici ayrıcalıkları tercihleri", "Administrator rights": "Yönetici yetkileri", - "Administrator rights and other dangerous settings": "Yönetici ayrıcalıkları ve diğer tehlikeli ayarlar", - "Advanced options": "Gelişmiş seçenekler", "All files": "Tüm dosyalar", - "All versions": "Tüm sürümler", - "Allow changing the paths for package manager executables": "Paket yöneticisi çalıştırılabilir dosyaları için yolların değiştirilmesine izin ver", - "Allow custom command-line arguments": "Özel komut satırı argümanlarına izin ver", - "Allow importing custom command-line arguments when importing packages from a bundle": "Bir paketten paketler içe aktarılırken özel komut satırı argümanlarının içe aktarılmasına izin ver", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Paketleri bir paketten içe aktarırken özel ön yükleme ve yükleme sonrası komutlarının içe aktarılmasına izin ver", "Allow package operations to be performed in parallel": "Paket işlemlerinin paralel olarak gerçekleştirilmesine izin ver", "Allow parallel installs (NOT RECOMMENDED)": "Paralel kurulumlara izin ver (ÖNERİLMEZ)", - "Allow pre-release versions": "Ön sürümlere izin ver", "Allow {pm} operations to be performed in parallel": "{pm} işlemlerinin paralel olarak gerçekleştirilmesine izin ver", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Alternatif olarak, Windows PowerShell isteminde aşağıdaki komutu çalıştırarak da {0}'ı yükleyebilirsiniz:", "Always elevate {pm} installations by default": "{pm} kurulumlarını her zaman varsayılan olarak yükselt.", "Always run {pm} operations with administrator rights": "Her zaman {pm} işlemlerini yönetici haklarıyla çalıştırın", - "An error occurred": "Bir hata oluştu", - "An error occurred when adding the source: ": "Kaynak eklenirken bir hata oluştu:", - "An error occurred when attempting to show the package with Id {0}": "{0} kimlikli paket gösterilmeye çalışılırken bir hata oluştu", - "An error occurred when checking for updates: ": "Güncellemeler kontrol edilirken bir hata oluştu:", - "An error occurred while attempting to create an installation script:": "Kurulum komut dosyası oluşturulmaya çalışılırken bir hata oluştu:", - "An error occurred while loading a backup: ": "Yedekleme yüklenirken bir hata oluştu:", - "An error occurred while logging in: ": "Giriş yaparken bir hata oluştu:", - "An error occurred while processing this package": "Bu paket işlenirken bir hata oluştu", - "An error occurred:": "Bir hata oluştu:", - "An interal error occurred. Please view the log for further details.": "Bir hata oluştu. Daha fazla bilgi için lütfen günlüğe bakın.", "An unexpected error occurred:": "Beklenmedik bir hata oluştu", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet onarılmaya çalışılırken beklenmeyen bir sorun oluştu. Lütfen daha sonra tekrar deneyin", - "An update was found!": "Bir güncelleme bulundu!", - "Android Subsystem": "Android Alt Sistemi", "Another source": "Başka Bir Kaynak", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Bir yükleme veya güncelleme işlemi sırasında oluşturulan yeni kısayollar, ilk algılandıklarında bir onay istemi göstermek yerine otomatik olarak silinecektir.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI dışında oluşturulan veya değiştirilen herhangi bir kısayol göz ardı edilecektir. Bunları {0} düğme aracılığıyla ekleyebileceksiniz.", - "Any unsaved changes will be lost": "Kaydedilmemiş değişiklikler kaybolacak", "App Name": "Uygulama Adı", - "Appearance": "Dış görünüş", - "Application theme, startup page, package icons, clear successful installs automatically": "Uygulama teması, başlangıç sayfası, paket simgeleri, başarılı yüklemeleri otomatik olarak temizle", - "Application theme:": "Uygulama teması:", - "Apply": "Uygula", - "Architecture to install:": "Kurulacak mimari:", "Are these screenshots wron or blurry?": "Bu ekran görüntüleri yanlış veya bulanık mı?", - "Are you really sure you want to enable this feature?": "Bu özelliği gerçekten etkinleştirmek istiyor musunuz?", - "Are you sure you want to create a new package bundle? ": "Yeni bir paket grubu oluşturmak istediğinizden emin misiniz?", - "Are you sure you want to delete all shortcuts?": "Tüm kısayolları silmek istediğinizden emin misiniz?", - "Are you sure?": "Emin misiniz?", - "Ascendant": "Artan", - "Ask for administrator privileges once for each batch of operations": "Her bir işlem grubu için bir kez yönetici ayrıcalıkları isteyin", "Ask for administrator rights when required": "Yönetici yetkileri gerektiğinde sor", "Ask once or always for administrator rights, elevate installations by default": "Yönetici izni için bir kez veya her zaman sor, kurulumları varsayılan olarak yükselt.", - "Ask only once for administrator privileges": "Yönetici ayrıcalıkları için yalnızca bir kez sor", "Ask only once for administrator privileges (not recommended)": "Yönetici ayrıcalıkları için yalnızca bir kez sor (önerilmez)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Yükleme veya yükseltme sırasında oluşturulan masaüstü kısayollarının silinmesini sor.", - "Attention required": "Dikkat gerektirir", "Authenticate to the proxy with an user and a password": "Proxy'ye bir kullanıcı ve parola ile kimlik doğrulama", - "Author": "Yazar", - "Automatic desktop shortcut remover": "Otomatik masaüstü kısayolu kaldırıcı", - "Automatic updates": "Otomatik güncellemeler", - "Automatically save a list of all your installed packages to easily restore them.": "Kolayca geri yüklemek için yüklü tüm paketlerinizin bir listesini otomatik olarak kaydedin.", "Automatically save a list of your installed packages on your computer.": "Yüklü paketlerinizin bir listesini otomatik olarak bilgisayarınıza kaydedin.", - "Automatically update this package": "Bu paketi otomatik güncelle", "Autostart WingetUI in the notifications area": "UniGetUI'yi bildirim alanında otomatik başlat", - "Available Updates": "Mevcut Güncellemeler", "Available updates: {0}": "Mevcut güncellemeler : {0}", "Available updates: {0}, not finished yet...": "Mevcut güncellemeler : {0}, henüz bitmedi...", - "Backing up packages to GitHub Gist...": "Paketler GitHub Gist'e yedekleniyor...", - "Backup": "Yedekle", - "Backup Failed": "Yedekleme Başarısız Oldu", - "Backup Successful": "Yedekleme başarılı", - "Backup and Restore": "Yedekleme ve Geri Yükleme", "Backup installed packages": "Yüklü paketleri yedekle", "Backup location": "Yedekleme konumu", - "Become a contributor": "Katkıda bulunan olun", - "Become a translator": "Çevirmen olun", - "Begin the process to select a cloud backup and review which packages to restore": "Bir bulut yedeklemesi seçme sürecini başlatın ve hangi paketlerin geri yükleneceğini inceleyin", - "Beta features and other options that shouldn't be touched": "Beta özellikleri ve diğer dokunulmaması gereken seçenekler", - "Both": "Her ikisi", - "Bundle security report": "Paket güvenlik raporu", "But here are other things you can do to learn about WingetUI even more:": "Ancak UniGetUI hakkında daha fazla bilgi edinmek için yapabileceğiniz başka şeyler de var:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Paket yöneticisini kapattığınızda artık paketlerini göremez veya güncelleyemezsiniz.", "Cache administrator rights and elevate installers by default": "Varsayılan olarak yönetici yetkilerini önbelleğe al ve yükleyicileri yükselt", "Cache administrator rights, but elevate installers only when required": "Yönetici yetkilerini önbelleğe al, ancak yükleyicileri yalnızca gerektiğinde yükselt", "Cache was reset successfully!": "Önbellek başarıyla sıfırlandı!", "Can't {0} {1}": "{0} {1} yapılamıyor", - "Cancel": "İptal", "Cancel all operations": "Tüm işlemleri iptal et", - "Change backup output directory": "Yedekleme çıktı dizinini değiştir", - "Change default options": "Varsayılan seçenekleri değiştir", - "Change how UniGetUI checks and installs available updates for your packages": "UniGetUI'nin paketleriniz için mevcut güncellemeleri kontrol etme ve yükleme şeklini değiştirin", - "Change how UniGetUI handles install, update and uninstall operations.": "UniGetUI'nin yükleme, güncelleme ve kaldırma işlemlerini nasıl işlediğini değiştirin.", "Change how UniGetUI installs packages, and checks and installs available updates": "UniGetUI'nin paketleri nasıl yükleyeceğini ve mevcut güncellemeleri nasıl kontrol edip yükleyeceğini değiştirin", - "Change how operations request administrator rights": "İşlemlerin yönetici haklarını nasıl talep edeceğini değiştirin", "Change install location": "Kurulum konumunu değiştir", - "Change this": "Bunu değiştir", - "Change this and unlock": "Bunu değiştir ve kilidini aç", - "Check for package updates periodically": "Paket güncellemelerin düzenli olarak kontrol et", - "Check for updates": "Güncellemeleri kontrol et", - "Check for updates every:": "Güncellemeleri şu aralıklarla kontrol et:", "Check for updates periodically": "Düzenli olarak güncellemeleri kontrol et", "Check for updates regularly, and ask me what to do when updates are found.": "Güncellemeleri düzenli olarak kontrol et ve güncellemeler bulunduğunda ne yapacağımı sor.", "Check for updates regularly, and automatically install available ones.": "Güncellemeleri düzenli olarak kontrol edin ve mevcut olanları otomatik olarak yükleyin.", @@ -159,805 +741,283 @@ "Checking for updates...": "Güncellemeler kontrol ediliyor...", "Checking found instace(s)...": "Bulunan örnek(ler) kontrol ediliyor...", "Choose how many operations shouls be performed in parallel": "Paralel olarak kaç işlem yapılması gerektiğini seç", - "Clear cache": "Önbelleği temizle", "Clear finished operations": "Tamamlanmış işlemleri temizle", - "Clear selection": "Seçileni/Seçilenleri iptal et", "Clear successful operations": "Başarılı operasyonları temizle", - "Clear successful operations from the operation list after a 5 second delay": "5 saniyelik bir gecikmenin ardından başarılı işlemleri işlem listesinden silin", "Clear the local icon cache": "Yerel simge önbelleğini temizleyin", - "Clearing Scoop cache - WingetUI": "Kepçe önbelleğini temizleme - UniGetUI", "Clearing Scoop cache...": "Scoop önbelleği temizleniyor...", - "Click here for more details": "Daha fazla bilgi için buraya tıklayın", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Kurulum işlemine başlamak için Install'a tıklayın. Kurulumu atlarsanız UniGetUI beklendiği gibi çalışmayabilir.", - "Close": "Kapat", - "Close UniGetUI to the system tray": "UniGetUI'yi sistem tepsisine kapatın", "Close WingetUI to the notification area": "UniGetUI kapandığında görev çubuğunda çalışsın", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Bulut yedekleme, yüklü paketlerin listesini depolamak için özel bir GitHub Gist kullanır", - "Cloud package backup": "Bulut paketi yedekleme", "Command-line Output": "Komut satırı Çıkışı", - "Command-line to run:": "Çalıştırılacak komut satırı:", "Compare query against": "Sorguyu şununla karşılaştır", - "Compatible with authentication": "Kimlik doğrulama ile uyumlu", - "Compatible with proxy": "Proxy ile uyumlu", "Component Information": "Bileşen Bilgileri\n", - "Concurrency and execution": "Eşzamanlılık ve yürütme", - "Connect the internet using a custom proxy": "Özel bir proxy kullanarak internete bağlanın", - "Continue": "Devam", "Contribute to the icon and screenshot repository": "Simge ve ekran görüntüsü deposuna katkıda bulunun", - "Contributors": "Katkıda Bulunanlar", "Copy": "Kopyala", - "Copy to clipboard": "Panoya kopyala", - "Could not add source": "Kaynak eklenilemedi", - "Could not add source {source} to {manager}": "{source} kaynağı {manager} yöneticisine eklenemedi", - "Could not back up packages to GitHub Gist: ": "Paketler GitHub Gist'e yedeklenemedi:", - "Could not create bundle": "Paket grubu oluşturulamadı", "Could not load announcements - ": "Duyurular yüklenemedi -", "Could not load announcements - HTTP status code is $CODE": "Duyurular yüklenemedi - HTTP hata kodu: $CODE", - "Could not remove source": "Kaynak kaldırılamadı", - "Could not remove source {source} from {manager}": "{source} kaynağı {manager} kaynağından kaldırılamadı", "Could not remove {source} from {manager}": "{source}, {manager}'dan kaldırılamadı", - "Create .ps1 script": ".ps1 komut dosyası oluştur", - "Credentials": "Kimlik Bilgileri", "Current Version": "Mevcut sürüm", - "Current executable file:": "Geçerli yürütülebilir dosya:", - "Current status: Not logged in": "Mevcut durum: Giriş yapılmadı", "Current user": "Mevcut kullanıcı", "Custom arguments:": "Özel argümanlar:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Özel komut satırı bağımsız değişkenleri, UniGetUI'nin kontrol edemeyeceği bir şekilde programların yüklenme, yükseltilme veya kaldırılma şeklini değiştirebilir. Özel komut satırları kullanmak paketleri bozabilir. Dikkatli devam edin.", "Custom command-line arguments:": "Özel komut satırı değişkenleri:", - "Custom install arguments:": "Özel kurulum argümanları:", - "Custom uninstall arguments:": "Özel kaldırma argümanları:", - "Custom update arguments:": "Özel güncelleme argümanları:", "Customize WingetUI - for hackers and advanced users only": "UniGetUI'yi özelleştir - yalnızca hackerlar ve ileri düzey kullanıcılar içindir", - "DEBUG BUILD": "HATA AYIKLAMA YAPISI", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "SORUMLULUK REDDİ: İNDİRİLEN PAKETLERDEN BİZ SORUMLU DEĞİLİZ. LÜTFEN YALNIZCA GÜVENİLİR YAZILIMLARI YÜKLEDİĞİNİZDEN EMİN OLUN.", - "Dark": "Karanlık", - "Decline": "Reddet", - "Default": "Varsayılan", - "Default installation options for {0} packages": "{0} paket için varsayılan kurulum seçenekleri", "Default preferences - suitable for regular users": "Varsayılan tercihler - normal kullanıcılar için uygundur", - "Default vcpkg triplet": "Varsayılan vcpkg üçlüsü", - "Delete?": "Silinsin mi?", - "Dependencies:": "Bağımlılıklar:", - "Descendant": "Azalan", "Description:": "Açıklama:", - "Desktop shortcut created": "Masaüstü kısayolu oluşturuldu", - "Details of the report:": "Raporun detayları:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Geliştirmek zordur ve bu uygulama ücretsizdir. Ama uygulamayı beğendiyseniz, her zaman bana bir kahve ısmarlayabilirsiniz :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" sekmesindeki bir öğeye çift tıkladığınızda doğrudan yükleyin (paket bilgilerini göstermek yerine)", "Disable new share API (port 7058)": "Yeni paylaşım API'sini devre dışı bırak (port 7058)", - "Disable the 1-minute timeout for package-related operations": "Paketle ilgili işlemler için 1 dakikalık zaman aşımını devre dışı bırakın", - "Disabled": "Devre dışı", - "Disclaimer": "Feragatname", - "Discover Packages": "Paketleri Keşfet", "Discover packages": "Paketleri keşfedin", "Distinguish between\nuppercase and lowercase": "Büyük ve küçük harf arasında ayrım yapın", - "Distinguish between uppercase and lowercase": "Büyük ve küçük\n harf arasında ayrım yapın", "Do NOT check for updates": "Güncellemeleri DENETLEME", "Do an interactive install for the selected packages": "Seçili paketler için etkileşimli kurulum yap", "Do an interactive uninstall for the selected packages": "Seçili paketler için etkileşimli olarak kaldır", "Do an interactive update for the selected packages": "Seçili paketleri etkileşimli olarak güncelle", - "Do not automatically install updates when the battery saver is on": "Pil tasarrufu açıkken güncellemeleri otomatik olarak yükleme", - "Do not automatically install updates when the device runs on battery": "Cihaz pille çalışırken güncellemeleri otomatik olarak yüklemeyin", - "Do not automatically install updates when the network connection is metered": "Ağ bağlantısı sınırlı olduğunda güncellemeleri otomatik olarak yükleme", "Do not download new app translations from GitHub automatically": "Yeni uygulama çevirileri GitHub'dan otomatik olarak indirilmesin", - "Do not ignore updates for this package anymore": "Artık bu pakete ilişkin güncellemeleri göz ardı etmeyin", "Do not remove successful operations from the list automatically": "Başarılı işlemleri listeden otomatik olarak kaldırma", - "Do not show this dialog again for {0}": "{0} için bu iletişim kutusunu bir daha gösterme", "Do not update package indexes on launch": "Açılışta paket dizinlerini güncellenmesin", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "UniGetui'nin yalnızca kullanıcı deneyimini anlamak ve geliştirmek amacıyla anonim kullanım istatistikleri topladığını ve gönderdiğini kabul ediyor musunuz?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "UniGetUI'yi faydalı buluyor musunuz? Yapabilirseniz, UniGetUI'yi nihai paket yönetim arayüzü yapmaya devam edebilmem için çalışmamı desteklemek isteyebilirsiniz.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "UniGetUI'yi faydalı buluyor musunuz? Geliştiriciyi desteklemek ister misiniz? Öyleyse, {0}yabilirsiniz, çok yardımcı olur!", - "Do you really want to reset this list? This action cannot be reverted.": "Bu listeyi gerçekten sıfırlamak istiyor musunuz? Bu eylem geri alınamaz.", - "Do you really want to uninstall the following {0} packages?": "Aşağıdaki {0} paketleri gerçekten kaldırmak istiyor musunuz?", "Do you really want to uninstall {0} packages?": "Gerçekten {0} paketi kaldırmak istiyor musunuz?", - "Do you really want to uninstall {0}?": "{0} uygulamasını gerçekten kaldırmak istiyor musunuz?", "Do you want to restart your computer now?": "Bilgisayarınızı şimdi yeniden başlatmak istiyor musunuz?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "UniGetUI yazılımını kendi dilinize çevirmek ister misiniz? Nasıl katkıda bulunacağınızı öğrenin HERE!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Bağış yapmak istemiyor musunuz? Endişelenme, UniGetUI'yi her zaman arkadaşlarınla paylaşabilirsin. UniGetUI'yi herkese duyurun.", "Donate": "Bağış Yap", - "Done!": "Tamam!", - "Download failed": "İndir başarısız", - "Download installer": "Yükleyiciyi indir", - "Download operations are not affected by this setting": "İndirme işlemleri bu ayardan etkilenmez", - "Download selected installers": "Seçilen yükleyicileri indir", - "Download succeeded": "İndirme başarılı", "Download updated language files from GitHub automatically": "Güncellenen dil dosyalarını GitHub'dan otomatik olarak indirin", - "Downloading": "İndiriliyor", - "Downloading backup...": "Yedekleme indiriliyor...", - "Downloading installer for {package}": "{package} için yükleyici indiriliyor", - "Downloading package metadata...": "Paket açıklamaları indiriliyor...", - "Enable Scoop cleanup on launch": "Başlangıçta Scoop temizlemeyi etkinleştir", - "Enable WingetUI notifications": "UniGetUI bildirimlerini etkinleştir", - "Enable an [experimental] improved WinGet troubleshooter": "[Deneysel] olarak geliştirilmiş bir WinGet sorun gidericisini etkinleştirin", - "Enable and disable package managers, change default install options, etc.": "Paket yöneticilerini etkinleştirin ve devre dışı bırakın, varsayılan kurulum seçeneklerini değiştirin, vb.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Arka Plan CPU kullanım optimizasyonlarını etkinleştirin (Bkz. İstek #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Arka plan api'sini etkinleştir (UniGetUI Widget'ları ve Paylaşımı, bağlantı noktası 7058)", - "Enable it to install packages from {pm}.": "Paketleri {pm} tarihinden itibaren yüklemek için etkinleştirin.", - "Enable the automatic WinGet troubleshooter": "Otomatik WinGet sorun gidericisini etkinleştirin", - "Enable the new UniGetUI-Branded UAC Elevator": "Yeni UniGetUI Markalı UAC Elevator etkinleştirin", - "Enable the new process input handler (StdIn automated closer)": "Yeni süreç giriş işleyicisini etkinleştir (StdIn otomatik kapatıcı)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Aşağıdaki ayarları, YALNIZCA VE YALNIZCA bunların ne işe yaradığını, olası etkilerini ve tehlikelerini tam olarak anlıyorsanız etkinleştirin.", - "Enable {pm}": "{pm} etkinleştirilsin", - "Enabled": "Etkin", - "Enter proxy URL here": "Proxy URL'sini buraya girin", - "Entries that show in RED will be IMPORTED.": "KIRMIZI renkte gösterilen girdiler ÖNEMLİDİR.", - "Entries that show in YELLOW will be IGNORED.": "SARI renkte gösterilen girdiler YOK SAYILACAKTIR.", - "Error": "Hata", - "Everything is up to date": "Her şey güncel", - "Exact match": "Tam eşleşme", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Masaüstünüzde bulunan kısayollar taranacak ve hangilerini tutacağınızı, hangilerini kaldıracağınızı seçmeniz gerekecektir.", - "Expand version": "Sürümü genişlet", - "Experimental settings and developer options": "Deneysel ayarlar ve geliştirici seçenekleri", - "Export": "Dışa Aktar", + "Downloading": "İndiriliyor", + "Downloading installer for {package}": "{package} için yükleyici indiriliyor", + "Downloading package metadata...": "Paket açıklamaları indiriliyor...", + "Enable the new UniGetUI-Branded UAC Elevator": "Yeni UniGetUI Markalı UAC Elevator etkinleştirin", + "Enable the new process input handler (StdIn automated closer)": "Yeni süreç giriş işleyicisini etkinleştir (StdIn otomatik kapatıcı)", "Export log as a file": "Günlüğü bir dosya olarak dışa aktar", "Export packages": "Paketleri dışa aktar", "Export selected packages to a file": "Seçili paketleri bir dosyaya aktar", - "Export settings to a local file": "Ayarları yerel bir dosyaya aktar", - "Export to a file": "Bir dosyaya aktar", - "Failed": "Başarısız", - "Fetching available backups...": "Kullanılabilir yedekler getiriliyor...", "Fetching latest announcements, please wait...": "En son duyurular alınıyor, lütfen bekleyin...", - "Filters": "Filtreler", "Finish": "Bitir", - "Follow system color scheme": "Sistem temasını kullan", - "Follow the default options when installing, upgrading or uninstalling this package": "Bu paketi yüklerken, yükseltirken veya kaldırırken varsayılan seçenekleri izleyin", - "For security reasons, changing the executable file is disabled by default": "Güvenlik nedenlerinden dolayı, yürütülebilir dosyayı değiştirme varsayılan olarak devre dışıdır", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Güvenlik nedeniyle, özel komut satırı argümanları varsayılan olarak devre dışıdır. Bunu değiştirmek için UniGetUI güvenlik ayarlarına gidin.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Güvenlik nedeniyle, işlem öncesi ve işlem sonrası komut dosyaları varsayılan olarak devre dışıdır. Bunu değiştirmek için UniGetUI güvenlik ayarlarına gidin.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Kuvvet KOLU derlenmiş winget versiyonu (SADECE ARM64 SİSTEMLERİ İÇİN)", - "Force install location parameter when updating packages with custom locations": "Özel konumlarla paketleri güncellerken konum parametresini zorla yükle", "Formerly known as WingetUI": "Eskiden WingetUI olarak biliniyordu", "Found": "Bulundu", "Found packages: ": "Bulunan paketler:", "Found packages: {0}": "Bulunan paketler : {0}", "Found packages: {0}, not finished yet...": "Bulunan paketler : {0}, henüz bitmedi...", - "General preferences": "Genel tercihler", "GitHub profile": "GitHub profili", "Global": "Küresel", - "Go to UniGetUI security settings": "UniGetUI güvenlik ayarlarına gidin", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Bilinmeyen ama kullanışlı yardımcı programlar ve diğer ilginç paketlerden oluşan harika bir depo.
İçerik: Yardımcı Programlar, Komut Satırı Programları, Genel Yazılım (Ekstra olarak Bucket gerekir)", - "Great! You are on the latest version.": "Harika! En son sürümdesiniz.", - "Grid": "Izgara", - "Help": "Yardım", "Help and documentation": "Yardım ve Dökümantasyon", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Burada UniGetUI'nin aşağıdaki kısayollara ilişkin davranışını değiştirebilirsiniz. Bir kısayolun kontrol edilmesi, eğer gelecekteki bir yükseltmede oluşturulursa UniGetUI'nin onu silmesini sağlayacaktır. İşaretini kaldırmak kısayolu olduğu gibi koruyacaktır", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Merhaba benim adım Martí ve ben UniGetUI'ın geliştircisiyim, UniGetUI tamamen boş zamanlarımda yapıldı!", "Hide details": "Ayrıntıları gizle", - "Homepage": "Ana Sayfa", - "Hooray! No updates were found.": "Yaşasın! Her şey güncel!", "How should installations that require administrator privileges be treated?": "Yönetici ayrıcalıkları gerektiren kurulumlar nasıl ele alınsın?", - "How to add packages to a bundle": "Bir paket grubuna paketler nasıl eklenir", - "I understand": "Anladım", - "Icons": "Simgeler", - "Id": "İd", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Bulut yedeklemesini etkinleştirdiyseniz, bu hesapta GitHub Gist olarak kaydedilecektir", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Paket grubundan içe aktarırken özel ön kurulum ve son kurulum komutlarının çalıştırılmasına izin ver", - "Ignore future updates for this package": "Bu paket için gelecekteki güncellemeleri yoksay", - "Ignore packages from {pm} when showing a notification about updates": "Güncellemeler hakkında bir bildirim gösteren {pm} paketleri yoksay", - "Ignore selected packages": "Seçilen paketleri yoksay", - "Ignore special characters": "Özel karakterleri yoksay", "Ignore updates for the selected packages": "Seçili paketler için güncellemeleri yok say ", - "Ignore updates for this package": "Bu paket için güncellemeleri yok say", "Ignored updates": "Yok sayılan güncellemeler", - "Ignored version": "Yok sayılan sürümler", - "Import": "İçe aktar", "Import packages": "Paketleri içe aktar", "Import packages from a file": "Paketleri bir dosyadan içe aktarın\n", - "Import settings from a local file": "Ayarları yerel bir dosyadan içe aktar", - "In order to add packages to a bundle, you will need to: ": "Bir paket grubuna paket eklemek için şunları yapmanız gerekir:", "Initializing WingetUI...": "UniGetUI başlatılıyor...", - "Install": "Yükle", - "Install Scoop": "Scoop'u yükle", "Install and more": "Yükle ve daha fazlası", "Install and update preferences": "Tercihleri yükleme ve güncelleme", - "Install as administrator": "Yönetici olarak yükle", - "Install available updates automatically": "Mevcut güncellemeleri otomatik olarak yükle", - "Install location can't be changed for {0} packages": "{0} paket için yükleme konumu değiştirilemez", - "Install location:": "Kurulum yeri:", - "Install options": "Yükleme Ayarları", "Install packages from a file": "Paketleri bir dosyadan yükle", - "Install prerelease versions of UniGetUI": "UniGetUI'nin yayın öncesi sürümlerini yükleyin", - "Install script": "Komut dosyasını yükle", "Install selected packages": "Seçili paketleri yükle", "Install selected packages with administrator privileges": "Seçili paketleri yönetici ayrıcalıklarıyla yükle", - "Install selection": "Seçileni/Seçilenleri yükle", "Install the latest prerelease version": "En son sürümü yükleyin.", "Install updates automatically": "Güncellemeleri otomatik olarak yükle", - "Install {0}": "{0}'ı yükleyin", "Installation canceled by the user!": "Kurulum kullanıcı tarafından iptal edildi!", - "Installation failed": "Yükleme başarısız", - "Installation options": "Yükleme seçenekleri", - "Installation scope:": "Scope yüklemesi:", - "Installation succeeded": "Kurulum başarılı", - "Installed Packages": "Yüklü Paketler", - "Installed Version": "Yüklü Sürüm", "Installed packages": "Yüklü Paketler", - "Installer SHA256": "SHA256 Yükleyici", - "Installer SHA512": "SHA512 Yükleyici", - "Installer Type": "Yükleyici Türü", - "Installer URL": "Yükleyici URL'si", - "Installer not available": "Yükleyici kullanılamıyor", "Instance {0} responded, quitting...": "Örnek {0} yanıt verdi, çıkılıyor...", - "Instant search": "Yazarken ara", - "Integrity checks can be disabled from the Experimental Settings": "Bütünlük kontrolleri Deney Ayarlarından devre dışı bırakılabilir", - "Integrity checks skipped": "Bütünlük kontrolleri atlandı", - "Integrity checks will not be performed during this operation": "Bu işlem sırasında bütünlük kontrolleri yapılmayacak", - "Interactive installation": "İnteraktif kurulum", - "Interactive operation": "Etkileşimli çalışma", - "Interactive uninstall": "İnteraktif kaldırma", - "Interactive update": "İnteraktif güncelleme", - "Internet connection settings": "İnternet bağlantı ayarları", - "Invalid selection": "Geçersiz seçim", "Is this package missing the icon?": "Bu paketin simgesi mi eksik?", - "Is your language missing or incomplete?": "Diliniz eksik mi yoksa tam değil mi?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Sağlanan kimlik bilgilerinin güvenli bir şekilde saklanacağı garanti edilmez, bu nedenle banka hesabınızın kimlik bilgilerini kullanmamanız daha iyi olur", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet onarıldıktan sonra UniGetUI'nin yeniden başlatılması önerilir", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Durumu ele almak için UniGetUI'yi yeniden yüklemeniz şiddetle tavsiye edilir.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Görünüşe göre WinGet düzgün çalışmıyor. WinGet'i onarmayı denemek istiyor musunuz?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Görünüşe göre UniGetUI'yi yönetici olarak çalıştırmışsınız, bu önerilmez. Programı yine de kullanabilirsiniz, ancak UniGetUI'yi yönetici ayrıcalıklarıyla çalıştırmamanızı önemle tavsiye ederiz. Nedenini görmek için \"{showDetails}\" seçeneğine tıklayın.", - "Language": "Dil", - "Language, theme and other miscellaneous preferences": "Dil, tema ve diğer çeşitli tercihler", - "Last updated:": "Son güncelleme:", - "Latest": "En son", "Latest Version": "En son sürüm", "Latest Version:": "En son sürüm:", "Latest details...": "Son ayrıntılar...", "Launching subprocess...": "Alt süreç başlatılıyor...", - "Leave empty for default": "Varsayılan olarak boş bırakın", - "License": "Lisans", "Licenses": "Lisanslar", - "Light": "Aydınlık", - "List": "Liste", "Live command-line output": "Canlı komut satırı çıktısı", - "Live output": "Canlı çıkış", "Loading UI components...": "Kullanıcı arayüzü bileşenleri yükleniyor...", "Loading WingetUI...": "UniGetUI yükleniyor...", - "Loading packages": "Paketler yükleniyor", - "Loading packages, please wait...": "Paketler yükleniyor, lütfen bekleyin...", - "Loading...": "Yükleniyor...", - "Local": "Yerel", - "Local PC": "Yerel bilgisayar", - "Local backup advanced options": "Yerel yedekleme gelişmiş seçenekleri", "Local machine": "Yerel makine", - "Local package backup": "Yerel paket yedekleme", "Locating {pm}...": "{pm} konumu belirleniyor...", - "Log in": "Oturum aç", - "Log in failed: ": "Oturum açma başarısız: ", - "Log in to enable cloud backup": "Bulut yedeklemesini etkinleştirmek için oturum açın", - "Log in with GitHub": "GitHub ile giriş yap", - "Log in with GitHub to enable cloud package backup.": "Bulut paketi yedeklemesini etkinleştirmek için GitHub ile oturum açın.", - "Log level:": "Günlük düzeyi:", - "Log out": "Çıkış yap", - "Log out failed: ": "Çıkış başarısız oldu: ", - "Log out from GitHub": "GitHub'dan çıkış yap", "Looking for packages...": "Paketler aranıyor...", "Machine | Global": "Makine | Küresel", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Hatalı biçimlendirilmiş komut satırı argümanları paketleri kırabilir veya hatta kötü niyetli bir aktörün ayrıcalıklı yürütme elde etmesine izin verebilir. Bu nedenle, özel komut satırı bağımsız değişkenlerini içe aktarma varsayılan olarak devre dışıdır", - "Manage": "Yönet", - "Manage UniGetUI settings": "UniGetUI ayarlarını yönetin", "Manage WingetUI autostart behaviour from the Settings app": "UniGetUI otomatik başlatma davranışını Ayarlar uygulamasından yönetin", "Manage ignored packages": "Yok sayılan paketleri yönet", - "Manage ignored updates": "Yok sayılan güncellemeleri yönet", - "Manage shortcuts": "Kısayolları yönet", - "Manage telemetry settings": "Telemetri ayarlarını yönet", - "Manage {0} sources": "{0} kaynaklarını yönet", - "Manifest": "Manifesto", "Manifests": "Manifestolar", - "Manual scan": "Manuel tarama", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft'un resmi paket yöneticisi. Tanınmış ve doğrulanmış paketlerle dolu
İçerik: Genel Yazılım, Microsoft Mağazası uygulamaları", - "Missing dependency": "Eksik bağımlılık", - "More": "Daha çok", - "More details": "Daha fazla detay", - "More details about the shared data and how it will be processed": "Paylaşılan veriler ve nasıl işleneceği hakkında daha fazla ayrıntı", - "More info": "Daha fazla bilgi", - "More than 1 package was selected": "1'den fazla paket seçildi", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "NOT: Bu sorun giderici, WinGet bölümündeki UniGetUI Ayarları'ndan devre dışı bırakılabilir", - "Name": "İsim", - "New": "Yeni", "New Version": "Yeni Sürüm", "New bundle": "Yeni paket grubu", - "New version": "Yeni sürüm", - "Nice! Backups will be uploaded to a private gist on your account": "Güzel! Yedekler hesabınızdaki özel bir github gist'e yüklenecek", - "No": "Hayır", - "No applicable installer was found for the package {0}": "Paket için geçerli bir yükleyici bulunamadı ({0})", - "No dependencies specified": "Bağımlılık belirtilmedi", - "No new shortcuts were found during the scan.": "Tarama sırasında yeni kısayol bulunmadı.", - "No package was selected": "Hiçbir paket seçilmedi", "No packages found": "Paket bulunamadı", "No packages found matching the input criteria": "Girilen kriterlere uygun paket bulunamadı", "No packages have been added yet": "Henüz hiçbir paket eklenmedi", "No packages selected": "Hiçbir paket seçilmedi", - "No packages were found": "Paket bulunamadı", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Kişisel bilgi toplanmaz veya gönderilmez ve toplanan veriler anonimize edilir, bu nedenle bulunamazsınız.", - "No results were found matching the input criteria": "Giriş kriterlerine uygun sonuç bulunamadı", "No sources found": "Kaynak Bulunamadı", "No sources were found": "Kaynak Bulunamadı", "No updates are available": "Güncelleme yok", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "\"Node JS'in paket yöneticisi. Javascript dünyasının yörüngesinde dönen kütüphaneler ve diğer yardımcı programlarla dolu.
İçerik: Node JavaScript kütüphaneleri ve diğer ilgili yardımcı programlar\"", - "Not available": "Mevcut değil", - "Not finding the file you are looking for? Make sure it has been added to path.": "Aradığınız dosyayı bulamıyor musunuz? Yola eklendiğinden emin olun.", - "Not found": "Bulunamadı", - "Not right now": "Şimdi olmaz", "Notes:": "Notlar:", - "Notification preferences": "Bildirim tercihleri", "Notification tray options": "Bildirim seçenekleri", - "Notification types": "Bildirim türleri", - "NuPkg (zipped manifest)": "NuPkg (sıkıştırılmış manifest)", - "OK": "TAMAM", "Ok": "Tamam", - "Open": "Aç", "Open GitHub": "GitHub'ı aç", - "Open UniGetUI": "UniGetUI'yi aç", - "Open UniGetUI security settings": "UniGetUI güvenlik ayarlarını açın", "Open WingetUI": "UniGetUI'yi aç", "Open backup location": "Yedekleme konumunu aç", "Open existing bundle": "Mevcut paket grubunu aç", - "Open install location": "Kurulum konumunu aç", "Open the welcome wizard": "Karşılama sihirbazını aç", - "Operation canceled by user": "İşlem kullanıcı tarafından iptal edildi", "Operation cancelled": "İşlem iptal edildi", - "Operation history": "İşlem geçmişi", - "Operation in progress": "İşlem devam ediyor.", - "Operation on queue (position {0})...": "Kuyrukta işlem (konum {0})...", - "Operation profile:": "Çalışma profili:", "Options saved": "Seçenekler kaydedildi", - "Order by:": "Sıralama:", - "Other": "Diğer", - "Other settings": "Diğer ayarlar", - "Package": "Paket", - "Package Bundles": "Paketleme Grupları", - "Package ID": "Paket kimliği (ID)", "Package Manager": "Paket Yöneticisi", - "Package Manager logs": "Paket Yöneticisi günlükleri", - "Package Managers": "Paket Yöneticileri", - "Package Name": "Paket ismi", - "Package backup": "Paket yedekleme", - "Package backup settings": "Paket yedekleme ayarları", - "Package bundle": "Paketleme grubu", - "Package details": "Paket ayrıntıları", - "Package lists": "Paket listeleri", - "Package management made easy": "Paket yönetimi kolaylaştırıldı", - "Package manager": "Paket yöneticisi", - "Package manager preferences": "Paket yöneticisi tercihleri", "Package managers": "Paket Yöneticileri", - "Package not found": "Paket bulunamadı", - "Package operation preferences": "Paket işlem tercihleri", - "Package update preferences": "Paket güncelleme tercihleri", "Package {name} from {manager}": "{manager}'dan {name} paketi", - "Package's default": "Paket varsayılanı", "Packages": "Paketler", "Packages found: {0}": "Bulunan paketler: {0}", - "Partially": "Kısmen", - "Password": "Şifre", "Paste a valid URL to the database": "Veritabanına geçerli bir URL yapıştırın", - "Pause updates for": "Bunun için güncellemeleri duraklat", "Perform a backup now": "Şimdi bir yedekleme yapın", - "Perform a cloud backup now": "Şimdi bir bulut yedeklemesi gerçekleştirin", - "Perform a local backup now": "Şimdi yerel bir yedekleme gerçekleştirin", - "Perform integrity checks at startup": "Başlangıçta bütünlük kontrolleri gerçekleştirin", - "Performing backup, please wait...": "Yedekleme gerçekleştiriliyor, lütfen bekleyin...", "Periodically perform a backup of the installed packages": "Yüklü paketlerin periyodik olarak yedeğini alın", - "Periodically perform a cloud backup of the installed packages": "Yüklü paketlerin bulut yedeklemesini periyodik olarak gerçekleştirin", - "Periodically perform a local backup of the installed packages": "Yüklü paketlerin yerel yedeklemesini periyodik olarak gerçekleştirin", - "Please check the installation options for this package and try again": "Lütfen bu paketin yükleme seçeneklerini kontrol edip tekrar deneyin.", - "Please click on \"Continue\" to continue": "Devam etmek için lütfen \"Devam\"a tıklayın", "Please enter at least 3 characters": "Lütfen en az 3 karakter girin.", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Bazı paketlerin, Bu makinede etkin olduğu için yüklenemeyebileceğini lütfen unutmayın.", - "Please note that not all package managers may fully support this feature": "Lütfen tüm paket yöneticilerinin bu özelliği tam olarak desteklemeyebileceğini unutmayın", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Belirli kaynaklardan gelen paketlerin dışa aktarılamayabileceğini lütfen unutmayın. Bunlar gri renktedir ve dışa aktarılmayacaktır.", - "Please run UniGetUI as a regular user and try again.": "Lütfen UniGetUI'yi normal kullanıcı olarak çalıştırın ve tekrar deneyin.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Sorun hakkında daha fazla bilgi için lütfen Komut satırı Çıktısına veya İşlem Geçmişine bakın.", "Please select how you want to configure WingetUI": "Lütfen UniGetUI'yi nasıl yapılandırmak istediğinizi seçin", - "Please try again later": "Lütfen daha sonra tekrar deneyin", "Please type at least two characters": "Lütfen en az iki karakter yazın", - "Please wait": "Lütfen bekleyin", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "{0} yüklenirken lütfen bekleyin. Siyah bir pencere görünebilir. Lütfen kapanana kadar bekleyin.", - "Please wait...": "Lütfen bekleyin...", "Portable": "Taşinabi̇li̇nir", - "Portable mode": "Taşınabilir Mod", - "Post-install command:": "Yükleme sonrası komutu:", - "Post-uninstall command:": "Kaldırma sonrası komutu:", - "Post-update command:": "Güncelleme sonrası komutu:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell'in paket yöneticisi. PowerShell özelliklerini genişletmek için kitaplıkları ve komut dosyalarını bulun
İçerir: Modüller, Komut Dosyaları, Cmdlet'ler", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Kurulum öncesi ve sonrası komutları, eğer bu şekilde tasarlanmışlarsa, cihazınıza çok kötü şeyler yapabilirler. Paketin kaynağına güvenmediğiniz sürece komutları bir paketten içe aktarmak çok tehlikeli olabilir", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Kurulum öncesi ve sonrası komutlar, bir paket kurulmasından, yükseltilmesinden veya kaldırılmasından önce ve sonra çalıştırılacaktır. Dikkatli kullanılmadıkça bir şeyleri bozabileceklerini unutmayın", - "Pre-install command:": "Yükleme öncesi komutu:", - "Pre-uninstall command:": "Kaldırma öncesi komutu:", - "Pre-update command:": "Güncelleme öncesi komutu:", - "PreRelease": "Önsürüm", - "Preparing packages, please wait...": "Paketler hazırlanıyor, lütfen bekleyin...", - "Proceed at your own risk.": "Devam etmek kendi sorumluluğunuzda.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator veya GSudo aracılığıyla her türlü yükseltmeyi kaçın", - "Proxy URL": "Proxy URL'si", - "Proxy compatibility table": "Proxy uyumluluk tablosu", - "Proxy settings": "Proxy ayarları", - "Proxy settings, etc.": "Proxy ayarları vb.", "Publication date:": "Yayınlanma tarihi:", - "Publisher": "Yayımcı", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python'un kütüphane yöneticisi. Python kitaplıkları ve diğer python ile ilgili yardımcı programlarla dolu
İçerik: Python kitaplıkları ve ilgili yardımcı programlar", - "Quit": "Çıkış", "Quit WingetUI": "UniGetUI'den çık", - "Ready": "Hazır", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC uyarılarını azaltın, kurulumları varsayılan olarak yükseltin, belirli tehlikeli özelliklerin kilidini açın, vb.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Etkilenen dosya(lar) hakkında daha fazla bilgi edinmek için UniGetUI Günlüklerine bakın", - "Reinstall": "Yeniden yükle", - "Reinstall package": "Paketi yeniden yükle", - "Related settings": "İlgili ayarlar", - "Release notes": "Sürüm notları", - "Release notes URL": "Sürüm notları", "Release notes URL:": "Sürüm notları URL: ", "Release notes:": "Sürüm notları: ", "Reload": "Yeniden yükle", - "Reload log": "Günlüğü yeniden yükle", "Removal failed": "Kaldırma başarısız", "Removal succeeded": "Kaldırma başarılı", - "Remove from list": "Listeden sil", "Remove permanent data": "Kalıcı verileri kaldır", - "Remove selection from bundle": "Seçileni/Seçilenleri paket grubundan kaldır", "Remove successful installs/uninstalls/updates from the installation list": "Başarılı yüklemeleri, kaldırmaları ve güncellemeleri yükleme listesinden kaldır", - "Removing source {source}": "{source} kaynağından kaldırılıyor", - "Removing source {source} from {manager}": "{source} kaynağı {manager} kaynağından kaldırılıyor", - "Repair UniGetUI": "UniGetUI'yi onar", - "Repair WinGet": "WinGet'i onar", - "Report an issue or submit a feature request": "Bir sorunu bildirin veya bir özellik isteği gönderin", "Repository": "Depo", - "Reset": "Sıfırla", "Reset Scoop's global app cache": "Scoop'un global uygulama önbelleğini sıfırla", - "Reset UniGetUI": "UniGetUI'yi sıfırla", - "Reset WinGet": "WinGet'i sıfırla", "Reset Winget sources (might help if no packages are listed)": "Winget kaynaklarını sıfırla (hiçbir paket listelenmemişse yardımcı olabilir)", - "Reset WingetUI": "UniGetUI'yi Sıfırla", "Reset WingetUI and its preferences": "UniGetUI ve tercihleri sıfırla", "Reset WingetUI icon and screenshot cache": "UniGetUI simge ve ekran görüntüsü önbelleğini sıfırla", - "Reset list": "Listeyi sıfırla", "Resetting Winget sources - WingetUI": "Winget kaynaklarını sıfırlama - UniGetUI", - "Restart": "Yeniden başlat", - "Restart UniGetUI": "UniGetUI'yi yeniden başlat", - "Restart WingetUI": "UniGetUI'ı yeniden başlat", - "Restart WingetUI to fully apply changes": "Değişiklikleri tamamıyla uygulamak için UniGetUI'yi yeniden başlatın", - "Restart later": "Daha sonra yeniden başlatacağım", "Restart now": "Şimdi yeniden başlat", - "Restart required": "Yeniden başlatma gerekli", - "Restart your PC to finish installation": "Kurulumu tamamlamak için PC'yi yeniden başlatın", - "Restart your computer to finish the installation": "Kurulumu tamamlamak için bilgisayarınızı yeniden başlatın", - "Restore a backup from the cloud": "Buluttan bir yedeklemeyi geri yükleyin", - "Restrictions on package managers": "Paket yöneticilerine yönelik kısıtlamalar", - "Restrictions on package operations": "Paket işlemleriyle ilgili kısıtlamalar", - "Restrictions when importing package bundles": "Paket paketlerini içe aktarırken kısıtlamalar", - "Retry": "Yeniden dene", - "Retry as administrator": "Yönetici olarak yeniden deneyin", - "Retry failed operations": "Başarısız operasyonları yeniden deneyin", - "Retry interactively": "Etkileşimli olarak yeniden deneyin", - "Retry skipping integrity checks": "Bütünlük kontrollerini atlayarak yeniden dene", - "Retrying, please wait...": "Yeniden deneniyor, lütfen bekleyin...", - "Return to top": "Başa dön", - "Run": "Çalıştır", - "Run as admin": "Yönetici olarak çalıştır", - "Run cleanup and clear cache": "Temizlemeyi çalıştır ve önbelleği temizle", - "Run last": "Son çalış", - "Run next": "Sonra çalış", - "Run now": "Şimdi başlat", + "Restart your PC to finish installation": "Kurulumu tamamlamak için PC'yi yeniden başlatın", + "Restart your computer to finish the installation": "Kurulumu tamamlamak için bilgisayarınızı yeniden başlatın", + "Retry failed operations": "Başarısız operasyonları yeniden deneyin", + "Retrying, please wait...": "Yeniden deneniyor, lütfen bekleyin...", + "Return to top": "Başa dön", "Running the installer...": "Yükleyici çalıştırılıyor...", "Running the uninstaller...": "Kaldırıcı çalıştırılıyor...", "Running the updater...": "Güncelleyici çalıştırılıyor...", - "Save": "Kaydet", "Save File": "Dosyayı kaydet", - "Save and close": "Kaydet ve Kapat", - "Save as": "Farklı kaydet", "Save bundle as": "Paket grubunu farklı kaydet", "Save now": "Şimdi kaydet", - "Saving packages, please wait...": "Paketler kaydediliyor, lütfen bekleyin...", - "Scoop Installer - WingetUI": "Kepçe Yükleyici - UniGetUI", - "Scoop Uninstaller - WingetUI": "Kepçe Kaldırma Programı - UniGetUI", - "Scoop package": "Scoop paketi", "Search": "Ara", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Masaüstü yazılımı ara, güncellemeler geldiğinde beni uyar ve karmaşık şeyler yapma. UniGetUI'nin aşırı karmaşık olmasını istemiyorum, sadece basit bir yazılım mağazası istiyorum", - "Search for packages": "Paket ara", - "Search for packages to start": "Başlamak için paket ara", - "Search mode": "Arama modu", "Search on available updates": "Mevcut güncellemeleri kontrol et", "Search on your software": "Kurulu yazılım ara", "Searching for installed packages...": "Kurulu paketler aranıyor...", "Searching for packages...": "Paketler aranıyor...", "Searching for updates...": "Güncellemeler aranıyor...", - "Select": "Seç", "Select \"{item}\" to add your custom bucket": "Özel paketinizi eklemek için \"{item}\" öğesini seçin.", "Select a folder": "Bir klasör seçin", - "Select all": "Tümünü seç", "Select all packages": "Tüm paketleri seç", - "Select backup": "Yedeklemeyi seçin", "Select only if you know what you are doing.": "Yalnızca ne yaptığınızı biliyorsanız seçin.", "Select package file": "paket dosyasını seçin", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Açmak istediğiniz yedeği seçin. Daha sonra, hangi paketleri yüklemek istediğinizi inceleyebileceksiniz.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Kullanılacak yürütülebilir dosyayı seçin. Aşağıdaki liste, UniGetUI tarafından bulunan yürütülebilir dosyaları göstermektedir", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Bu paket yüklenmeden, güncellenmeden veya kaldırılmadan önce kapatılması gereken işlemleri seçin.", - "Select the source you want to add:": "Eklemek istediğiniz kaynağı seçin:", - "Select upgradable packages by default": "Yükseltilebilir paketleri varsayılan olarak seç", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Hangi paket yöneticilerinin kullanılacağını seçin ({0}), paketlerin nasıl yükleneceğini yapılandırın, yönetici ayrıcalıklarının nasıl ele alınacağını yönetin, vb.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Handshake gönderildi. Örnek dinleyicinin yanıtı bekleniyor... ({0}%)", - "Set a custom backup file name": "Özel bir yedekleme dosyası adı belirleyin", "Set custom backup file name": "Özel yedekleme dosyası adı ayarla", - "Settings": "Ayarlar", - "Share": "Paylaş", "Share WingetUI": "UniGetUI'yi paylaş", - "Share anonymous usage data": "Anonim kullanım verilerini paylaşın", - "Share this package": "Bu paketi paylaş", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Güvenlik ayarlarında değişiklik yapmanız durumunda, değişikliklerin geçerli olması için paketi tekrar açmanız gerekecektir.", "Show UniGetUI on the system tray": "UniGetUI'yi sistem tepsisinde göster", - "Show UniGetUI's version and build number on the titlebar.": "UniGetUI'nin sürümünü başlık çubuğunda göster", - "Show WingetUI": "UniGetUI'ı göster\n", "Show a notification when an installation fails": "Bir yükleme başarısız olduğunda bildirim göster", "Show a notification when an installation finishes successfully": "Bir yükleme başarıyla tamamlandığında bildirim göster", - "Show a notification when an operation fails": "Bir işlem başarısız olduğunda bildirim göster", - "Show a notification when an operation finishes successfully": "Bir işlem başarıyla tamamlandığında bildirim göster", - "Show a notification when there are available updates": "Mevcut güncellemeler olduğunda bildirim göster", - "Show a silent notification when an operation is running": "Bir işlem çalışırken sessiz bildirim göster", "Show details": "Ayrıntıları göster", - "Show in explorer": "Dosya gezgininde göster", "Show info about the package on the Updates tab": "Güncellemeler sekmesinde paketle ilgili bilgileri göster", "Show missing translation strings": "Çeviri hatalarını göster", - "Show notifications on different events": "Farklı etkinliklere ilişkin bildirimleri göster", "Show package details": "Paket ayrıntılarını göster", - "Show package icons on package lists": "Paket listelerinde paket simgelerini göster", - "Show similar packages": "Benzer paketleri göster", "Show the live output": "canlı çıktıyı göster", - "Size": "Boyut", "Skip": "Atla", - "Skip hash check": "Hash kontrolünü atla", - "Skip hash checks": "Karma kontrollerini atla", - "Skip integrity checks": "Bütünlük kontrollerini atla", - "Skip minor updates for this package": "Bu paket için küçük güncellemeleri atla", "Skip the hash check when installing the selected packages": "Seçili paketleri yüklerken hash kontrolünü atla", "Skip the hash check when updating the selected packages": "Seçili paketleri güncellerken hash kontrolünü atla", - "Skip this version": "Bu sürümü atla", - "Software Updates": "Yazılım Güncellemeleri", - "Something went wrong": "Bir sorun oluştu", - "Something went wrong while launching the updater.": "Güncelleyici başlatılırken bir şeyler ters gitti.", - "Source": "Kaynak", - "Source URL:": "Kaynak URL'si:", - "Source added successfully": "Kaynak başarıyla eklendi", "Source addition failed": "Kaynak ekleme başarısız oldu", - "Source name:": "Kaynak adı:", "Source removal failed": "Kaynak kaldırılamadı", - "Source removed successfully": "Kaynak başarıyla kaldırıldı", "Source:": "Kaynak:", - "Sources": "Kaynaklar", "Start": "Başla", "Starting daemons...": "Arka plan uygulamaları başlatılıyor...", - "Starting operation...": "Çalışmaya başlıyor...", "Startup options": "Başlangıç seçenekleri", "Status": "Durum", "Stuck here? Skip initialization": "Takıldı mı? Başlatmayı atla", - "Success!": "Başarılı!", "Suport the developer": "Geliştiriciyi destekle", "Support me": "Beni destekle", "Support the developer": "Geliştiriciyi destekleyin", "Systems are now ready to go!": "Sistemler artık kullanıma hazır!", - "Telemetry": "Telemetri", - "Text": "Metin", "Text file": "Metin dosyası", - "Thank you ❤": "Teşekkürler ❤", - "Thank you \uD83D\uDE09": "Teşekkürler \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust paket yöneticisi.
İçerir: Rust kitaplıkları ve Rust'ta yazılmış programlar", - "The backup will NOT include any binary file nor any program's saved data.": "Yedekleme, herhangi bir ikili dosya veya herhangi bir programın kaydedilmiş verilerini içermeyecektir.", - "The backup will be performed after login.": "Yedekleme, giriş yapıldıktan sonra gerçekleştirilecektir.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Yedekleme, yüklü paketlerin tam listesini ve kurulum seçeneklerini içerecektir. Yok sayılan güncellemeler ve atlanan sürümler de kaydedilecektir.", - "The bundle was created successfully on {0}": "Paket {0} tarihinde başarıyla oluşturuldu", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Yüklemeye çalıştığınız paket grubu geçersiz görünüyor. Lütfen dosyayı kontrol edip tekrar deneyin.", + "Thank you 😉": "Teşekkürler 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Yazılımın Hash değeri orijinal değerle uyuşmuyor ve yükleyicinin güvenilirliği doğrulanamıyor. Yayıncıya güveniyorsanız, Hash kontrolünü atlayarak paketi yeniden {0}.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows için klasik paket yöneticisi. Orada her şeyi bulacaksınız.
İçerir: Genel Yazılım", - "The cloud backup completed successfully.": "Yedekleme başarılı şekilde tamamlandı.", - "The cloud backup has been loaded successfully.": "Bulut yedeklemesi başarıyla yüklendi.", - "The current bundle has no packages. Add some packages to get started": "Mevcut paket grubunda paket yok. Başlamak için birkaç paket ekleyin.", - "The executable file for {0} was not found": "Yürütülebilir dosya {0} için bulunamadı", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Bir {0} paket her kurulduğunda, yükseltildiğinde veya kaldırıldığında aşağıdaki seçenekler varsayılan olarak uygulanacaktır.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Aşağıdaki paketler bir JSON dosyasına aktarılacak. Kullanıcı verileri veya ikili dosyalar kaydedilmeyecek.", "The following packages are going to be installed on your system.": "Aşağıdaki paketler sisteminize yüklenecek.", - "The following settings may pose a security risk, hence they are disabled by default.": "Aşağıdaki ayarlar güvenlik riski oluşturabileceğinden varsayılan olarak devre dışıdır.", - "The following settings will be applied each time this package is installed, updated or removed.": "Bu paket her yüklendiğinde, güncellendiğinde veya kaldırıldığında aşağıdaki ayarlar uygulanacaktır.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Bu paket her yüklendiğinde, güncellendiğinde veya kaldırıldığında aşağıdaki ayarlar uygulanacaktır. Bunlar otomatik olarak kaydedilecektir.", "The icons and screenshots are maintained by users like you!": "Simgeler ve ekran görüntüleri sizin gibi kullanıcılar tarafından sağlanmaktadır!", - "The installation script saved to {0}": "Kurulum komut dosyası {0} konumuna kaydedildi", - "The installer authenticity could not be verified.": "Yükleyicinin orijinalliği doğrulanamadı.", "The installer has an invalid checksum": "Yazılım geçersiz Hash değerine sahip", "The installer hash does not match the expected value.": "Yükleyici karması beklenen değerle eşleşmiyor.", - "The local icon cache currently takes {0} MB": "Yerel simge önbelleği şu anda {0} MB yer kaplıyor", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Bu projenin ana amacı, Winget ve Scoop gibi Windows için en yaygın CLI paket yöneticilerini yönetmek için sezgisel bir kullanıcı arayüzü oluşturmaktır.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "\"{0}\" paketi \"{1}\" paket yöneticisinde bulunamadı", - "The package bundle could not be created due to an error.": "Bir hata nedeniyle paket grubu oluşturulamadı.", - "The package bundle is not valid": "Paket grubu geçerli değil", - "The package manager \"{0}\" is disabled": "\"{0}\" paket yöneticisi devre dışı", - "The package manager \"{0}\" was not found": "\"{0}\" paket yöneticisi bulunamadı", "The package {0} from {1} was not found.": "{1} kaynağından {0} paketi bulunamadı.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Burada listelenen paketler güncellemeler kontrol edilirken dikkate alınmayacaktır. Güncellemelerini yok saymayı durdurmak için bunlara çift tıklayın veya sağlarındaki düğmeye tıklayın.", "The selected packages have been blacklisted": "Seçilen paketler kara listeye alındı", - "The settings will list, in their descriptions, the potential security issues they may have.": "Ayarlar, açıklamalarında oluşabilecek güvenlik sorunlarını listeleyecektir.", - "The size of the backup is estimated to be less than 1MB.": "Yedekleme boyutunun 1 MB'den küçük olduğu tahmin edilmektedir.", - "The source {source} was added to {manager} successfully": "{source} kaynağı {manager} yöneticisine başarıyla eklendi", - "The source {source} was removed from {manager} successfully": "{source} kaynağı {manager} tarafından başarıyla kaldırıldı", - "The system tray icon must be enabled in order for notifications to work": "Bildirimlerin çalışması için sistem tepsisi simgesinin etkinleştirilmesi gerekir", - "The update process has been aborted.": "Güncelleme işlemi iptal edildi.", - "The update process will start after closing UniGetUI": "UniGetUI kapatıldıktan sonra güncelleme işlemi başlayacak", "The update will be installed upon closing WingetUI": "Güncelleme, UniGetUI kapatıldıktan sonra yüklenecektir", "The update will not continue.": "Güncelleme devam etmeyecek.", "The user has canceled {0}, that was a requirement for {1} to be run": "Kullanıcı iptal etti {0}, {1} çalıştırılması için bir gereklilikti.", - "There are no new UniGetUI versions to be installed": "Yüklenecek yeni UniGetUI sürümü yok", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Devam eden işlemler var. UniGetUI'den çıkmak başarısız olmalarına neden olabilir. Devam etmek ister misiniz?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube'da UniGetUI'yi ve yeteneklerini sergileyen harika videolar var. Faydalı ipuçları ve püf noktaları öğrenebilirsiniz!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "UniGetUI'yi yönetici olarak çalıştırmamanın iki ana nedeni vardır: Birincisi, Kepçe paket yöneticisinin yönetici haklarıyla çalıştırıldığında bazı komutlarda sorunlara neden olabilmesidir. İkincisi, UniGetUI'yi yönetici olarak çalıştırmak, indirdiğiniz herhangi bir paketin yönetici olarak çalıştırılacağı anlamına gelir (ve bu güvenli değildir). Belirli bir paketi yönetici olarak yüklemeniz gerekiyorsa, öğeyi her zaman sağ tıklatabileceğinizi unutmayın -> Yönetici olarak Yükle/Güncelle/Kaldır.", - "There is an error with the configuration of the package manager \"{0}\"": "\"{0}\" paket yöneticisinin yapılandırmasında bir hata var", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Devam eden bir kurulum var. UniGetUI'ı kapatırsanız, yükleme başarısız olabilir ve beklenmeyen sonuçlara yol açabilir. Hala UniGetUI'den çıkmak istiyor musunuz?", "They are the programs in charge of installing, updating and removing packages.": "Onlar Paketleri yüklemek, güncellemek ve kaldırmakla görevli programlardır.", - "Third-party licenses": "Üçüncü taraf lisansları", "This could represent a security risk.": "Bu bir güvenlik riski teşkil edebilir.", - "This is not recommended.": "Bu önerilmez.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Bunun nedeni muhtemelen size gönderilen paketin kaldırılmış olması veya etkinleştirmediğiniz bir paket yöneticisinde yayınlanmış olmasıdır. Alınan kimlik {0}", "This is the default choice.": "Bu, varsayılan seçilendir.", - "This may help if WinGet packages are not shown": "WinGet paketleri gösterilmiyorsa bu yardımcı olabilir", - "This may help if no packages are listed": "Hiçbir paket listelenmemişse bu yardımcı olabilir", - "This may take a minute or two": "Bu işlem bir veya iki dakika sürebilir", - "This operation is running interactively.": "Bu işlem etkileşimli olarak çalışmaktadır.", - "This operation is running with administrator privileges.": "Bu işlem yönetici ayrıcalıklarıyla çalışıyor.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Bu seçenek SORUNLARA neden olacaktır. Kendini yükseltme yeteneği olmayan herhangi bir işlem BAŞARISIZ OLACAKTIR. Yönetici olarak yükle/güncelle/kaldır ÇALIŞMAYACAKTIR.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Bu paket paketinde potansiyel olarak tehlikeli olabilecek ve varsayılan olarak göz ardı edilebilecek bazı ayarlar vardı.", "This package can be updated": "Bu paket güncellenebilir", "This package can be updated to version {0}": "Bu paket {0} sürümüne güncellenebilir", - "This package can be upgraded to version {0}": "Bu paket {0} sürümüne yükseltilebilir", - "This package cannot be installed from an elevated context.": "Bu paket yükseltilmiş bir bağlamdan yüklenemez.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Bu paketin ekran görüntüsü yok veya simgesi eksik mi? Eksik simgeleri ve ekran görüntülerini herkese açık veritabanımıza ekleyerek UniGetUI'ye katkıda bulunun.", - "This package is already installed": "Paket zaten kurulmuş", - "This package is being processed": "Bu paket işleniyor", - "This package is not available": "Bu paket mevcut değil", - "This package is on the queue": "Bu paket sırada", "This process is running with administrator privileges": "Bu işlem yönetici ayrıcalıklarıyla çalışıyor", - "This project has no connection with the official {0} project — it's completely unofficial.": "Bu projenin resmi {0} projesiyle hiçbir bağlantısı yoktur — tamamen gayri resmi.", "This setting is disabled": "Bu ayar devre dışı", "This wizard will help you configure and customize WingetUI!": "Bu sihirbaz, UniGetUI'yi yapılandırmanıza ve özelleştirmenize yardımcı olacak!", "Toggle search filters pane": "Arama filtreleri bölmesini aç/kapat", - "Translators": "Çevirmenler", - "Try to kill the processes that refuse to close when requested to": "Talep edildiğinde kapatmayı reddeden işlemleri kapatmaya çalışın", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Bunu açmak, paket yöneticileriyle etkileşimde bulunmak için kullanılan yürütülebilir dosyanın değiştirilmesini sağlar. Bu, kurulum süreçlerinizin daha ayrıntılı özelleştirilmesine izin verirken, aynı zamanda tehlikeli de olabilir", "Type here the name and the URL of the source you want to add, separed by a space.": "Buraya eklemek istediğiniz kaynağın adını ve URL'sini bir boşlukla ayırarak yazın.", "Unable to find package": "Paket bulunamadı", "Unable to load informarion": "Bilgi yüklenemedi", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI, kullanıcı deneyimini geliştirmek için anonim kullanım verileri toplar.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI, yalnızca kullanıcı deneyimini anlamak ve geliştirmek amacıyla anonim kullanım verileri toplar.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI, otomatik olarak silinebilecek yeni bir masaüstü kısayolu algıladı.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI, gelecekteki yükseltmelerde otomatik olarak kaldırılabilecek aşağıdaki masaüstü kısayollarını algıladı", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI, otomatik olarak silinebilecek {0} yeni masaüstü kısayolu algıladı.", - "UniGetUI is being updated...": "UniGetUI güncelleniyor...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI uyumlu paket yöneticilerinin hiçbiriyle ilişkili değildir. UniGetUI bağımsız bir projedir.", - "UniGetUI on the background and system tray": "Arka planda ve sistem tepsisinde UniGetUI", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI veya bazı bileşenleri eksik veya bozuk.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI'nin çalışması için {0} gerekiyor ancak sisteminizde bulunamadı.", - "UniGetUI startup page:": "UniGetUI başlangıç ​​sayfası:", - "UniGetUI updater": "UniGetUI güncelleyici", - "UniGetUI version {0} is being downloaded.": "UniGetUI {0} sürümü indiriliyor.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} kurulmaya hazır.", - "Uninstall": "Kaldır", - "Uninstall Scoop (and its packages)": "Scoop'u (ve paketlerini) kaldırın", "Uninstall and more": "Kaldırma ve daha fazlası", - "Uninstall and remove data": "Verileri kaldır", - "Uninstall as administrator": "Yönetici olarak kaldır", "Uninstall canceled by the user!": "Kaldırma işlemi kullanıcı tarafından iptal edildi!\n", - "Uninstall failed": "Kaldırma başarısız", - "Uninstall options": "Kaldırma seçenekleri", - "Uninstall package": "Paketi kaldır", - "Uninstall package, then reinstall it": "Paketi kaldırın, ardından yeniden yükleyin", - "Uninstall package, then update it": "Paketi kaldırın, ardından güncelleyin", - "Uninstall previous versions when updated": "Güncellendiğinde önceki sürümleri kaldır", - "Uninstall selected packages": "Seçili paketleri kaldır\n", - "Uninstall selection": "Seçileni/Seçilenleri kaldır", - "Uninstall succeeded": "Kaldırma başarılı", "Uninstall the selected packages with administrator privileges": "Seçili paketleri yönetici ayrıcalıklarıyla kaldır", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Kaynağı \"{0}\" olarak listelenen kaldırılabilir paketler herhangi bir paket yöneticisinde yayınlanmaz, bu nedenle bunlar hakkında gösterilebilecek hiçbir bilgi yoktur.", - "Unknown": "Bilinmeyen", - "Unknown size": "Bilinmeyen boyut", - "Unset or unknown": "Ayarlanmamış veya bilinmiyor", - "Up to date": "Güncel", - "Update": "Güncelleme", - "Update WingetUI automatically": "UniGetUI'ı otomatik olarak güncelle", - "Update all": "Tümünü güncelle", "Update and more": "Güncelleme ve daha fazlası", - "Update as administrator": "Yönetici olarak güncelle", - "Update check frequency, automatically install updates, etc.": "Güncelleme kontrol sıklığı, güncellemelerin otomatik olarak yüklenmesi vb.", - "Update checking": "Güncelleme denetimi", "Update date": "Güncelleme tarihi", - "Update failed": "Güncelleme işlemi başarısız", "Update found!": "Güncelleme bulundu!", - "Update now": "Şimdi güncelle", - "Update options": "Güncelleme seçenekleri", "Update package indexes on launch": "Girişte paket dizinlerini güncelle", "Update packages automatically": "Paketleri otomatik olarak güncelle", "Update selected packages": "Seçili paketleri güncelle", "Update selected packages with administrator privileges": "Seçili paketleri yönetici ayrıcalıklarıyla güncelle", - "Update selection": "Seçileni/Seçilenleri Güncelle", - "Update succeeded": "Güncelleme başarılı", - "Update to version {0}": "{0} sürümüne güncelleme", - "Update to {0} available": "{0} Güncelleme mevcut", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Vcpkg'ın Git portfiles dosyalarını otomatik olarak güncelleyin (Git'in kurulu olmasını gerektirir)", "Updates": "Güncellemeler", "Updates available!": "Güncellemeler mevcut!", - "Updates for this package are ignored": "Bu paketin güncellemeleri yoksayıldı", - "Updates found!": "Güncellemeler bulundu!", "Updates preferences": "Güncelleme tercihleri", "Updating WingetUI": "UniGetUI'ı güncelle", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDlet'ler yerine eski paketlenmiş WinGet'i kullanın", - "Use a custom icon and screenshot database URL": "Özel bir simge ve ekran görüntüsü veritabanı URL'si kullanın", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlet'leri yerine paketlenmiş WinGet'i kullanın", - "Use bundled WinGet instead of system WinGet": "Sistem WinGet yerine paketlenmiş WinGet'i kullanın", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator yerine kurulu GSudo'yu kullanın", "Use installed GSudo instead of the bundled one": "Paketlenmiş olan yerine yüklü GSudo'yu kullanın", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Eski UniGetUI Elevator kullanın (AdminByRequest desteğini devre dışı bırakın)", - "Use system Chocolatey": "Chocolatey sistemini kullanın", "Use system Chocolatey (Needs a restart)": "Sistem Chocolatey'ini kullan (Yeniden başlatma gerektirir)", "Use system Winget (Needs a restart)": "Sistem Winget'ini kullan (Yeniden başlatma gerektirir)", "Use system Winget (System language must be set to english)": "Winget sistemini kullanın (Sistem dili İngilizce olarak ayarlanmalıdır)", "Use the WinGet COM API to fetch packages": "Paketleri getirmek için WinGet COM API'sini kullanın", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API yerine WinGet PowerShell Modülünü kullanın", - "Useful links": "Faydalı bağlantılar", "User": "Kullanıcı", - "User interface preferences": "Kullanıcı arayüzü tercihleri", "User | Local": "Kullanıcı | Yerel", - "Username": "Kullanıcı adı", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "UniGetUI kullanmak, GNU Kısıtlı Genel Kamu Lisansı v2.1 Lisansının kabul edildiğini ifade eder", - "Using WingetUI implies the acceptation of the MIT License": "UniGetUI'yi kullanmak MIT Lisansının kabul edildiğini ifade eder", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg kökü bulunamadı. Lütfen %VCPKG_ROOT% ortam değişkenini tanımlayın veya bunu UniGetUI Ayarlarından tanımlayın", "Vcpkg was not found on your system.": "Vcpkg sisteminizde bulunamadı.", - "Verbose": "Ayrıntılı", - "Version": "Sürüm", - "Version to install:": "Yüklenecek sürüm:", - "Version:": "Versiyon:", - "View GitHub Profile": "GitHub Profili", "View WingetUI on GitHub": "UniGetUI'yi GitHub'da görüntüle", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "UniGetUI'nin kaynak kodunu görüntüle. Buradan, hataları bildirebilir veya özellikler önerebilir, hatta UniGetUI projesine doğrudan katkıda bulunabilirsiniz", - "View mode:": "Görüntüleme modu:", - "View on UniGetUI": "UniGetUI'de göster", - "View page on browser": "Sayfayı tarayıcıda görüntüle", - "View {0} logs": "{0} günlükleri görüntüle", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "İnternet bağlantısı gerektiren görevleri yapmaya başlamadan önce cihazın internete bağlanmasını bekleyin.", "Waiting for other installations to finish...": "Diğer yüklemelerin tamamlanması bekleniyor...", "Waiting for {0} to complete...": "{0} bitirilmek için bekleniliyor.", - "Warning": "Uyarı", - "Warning!": "Uyarı!", - "We are checking for updates.": "Güncellemeleri kontrol ediyoruz.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Paket kaynaklarınızda bulunmadığı için bu paket hakkında ayrıntılı bilgi yükleyemedik.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Mevcut bir paket yöneticisinden yüklenmediği için bu paket hakkında ayrıntılı bilgi yükleyemedik.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "{action} işlemi {package} için gerçekleştirilemedi. Lütfen daha sonra tekrar deneyin. Yükleyiciden günlükleri almak için \"{showDetails}\" seçeneğine tıklayın.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "{action} işlemi {package} için gerçekleştirilemedi. Lütfen daha sonra tekrar deneyin. Kaldırıcı günlüklerini almak için \"{showDetails}\" seçeneğine tıklayın.", "We couldn't find any package": "Herhangi bir paket bulamadık", "Welcome to WingetUI": "UniGetUI'a hoş geldiniz", - "When batch installing packages from a bundle, install also packages that are already installed": "Paketleri bir paketten toplu olarak yüklerken, önceden yüklenmiş paketleri de yükleyin", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Yeni kısayollar algılandığında, bu iletişim kutusunu göstermek yerine bunları otomatik olarak silin.", - "Which backup do you want to open?": "Hangi yedeği açmak istiyorsunuz?", "Which package managers do you want to use?": "Hangi paket yöneticilerini kullanmak istiyorsunuz?", "Which source do you want to add?": "Hangi kaynağı eklemek istiyorsunuz?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Winget UniGetUI içinde kullanılabilirken, UniGetUI diğer paket yöneticileriyle birlikte kullanılabilir, bu da kafa karıştırıcı olabilir. Geçmişte, UniGetUI yalnızca Winget ile çalışmak üzere tasarlandı, ancak bu artık doğru değil ve bu nedenle UniGetUI bu projenin olmayı hedeflediği şeyi temsil etmiyor.", - "WinGet could not be repaired": "WinGet onarılamadı", - "WinGet malfunction detected": "WinGet arızası tespit edildi", - "WinGet was repaired successfully": "WinGet başarıyla onarıldı", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - Her şey güncel", "WingetUI - {0} updates are available": "UniGetUI - {0} güncelleme mevcut", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "UniGetUI Ana Sayfası", "WingetUI Homepage - Share this link!": "UniGetUI Ana Sayfası - Bu bağlantıyı paylaşın!", - "WingetUI License": "UniGetUI Lisansı", - "WingetUI Log": "UniGetUI Günlüğü", - "WingetUI Repository": "UniGetUI Paket Deposu", - "WingetUI Settings": "UniGetUI Ayarları", "WingetUI Settings File": "UniGetUI Ayarlar Dosyası", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI aşağıdaki kütüphaneleri kullanır. Onlar olmasaydı, UniGetUI mümkün olmazdı.", - "WingetUI Version {0}": "UniGetUI Sürüm {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI otomatik başlatma seçenekleri ve uygulama başlatma ayarları", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI, yazılımınızda kullanılabilir güncellemeler olup olmadığını kontrol edebilir ve isterseniz bunları otomatik olarak yükleyebilir", - "WingetUI display language:": "UniGetUI arayüz dili:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI yönetici olarak çalıştırıldı, bu önerilmez. UniGetUI'yı yönetici olarak çalıştırırken, UniGetUI'dan başlatılan HER işlem yönetici ayrıcalıklarına sahip olacaktır. Programı yine de kullanabilirsiniz, ancak UniGetUI'yı yönetici ayrıcalıklarıyla çalıştırmamanızı şiddetle tavsiye ederiz.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI, gönüllü çevirmenler sayesinde 40 'tan fazla dile çevrildi. Teşekkürler \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI makine tarafından çevrilmemiştir. Çevirilerden aşağıdaki kullanıcılar sorumludur:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI, komut satırı paket yöneticileriniz için hepsi bir arada grafik arayüzü sağlayarak yazılımınızı yönetmeyi kolaylaştıran bir uygulamadır.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI (şu anda kullandığınız arayüz) ve Winget (Microsoft tarafından geliştirilen ve benim ilişkim olmayan bir paket yöneticisi) arasındaki farkı vurgulamak için UniGetUI yeniden adlandırılıyor", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI güncelleniyor. Bittiğinde, UniGetUI kendini yeniden başlatacak", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI ücretsizdir ve sonsuza kadar ücretsiz olacaktır. Reklam yok, kredi kartı yok, premium sürüm yok. %100 ücretsiz, sonsuza dek.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI, herhangi bir paketin yüklenmesi için UAC gerektirdiği durumlarda, her seferinde bir UAC istemi gösterecektir.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI yakında {newname} olarak adlandırılacak. Bu, uygulamada herhangi bir değişikliği temsil etmeyecektir. Ben (geliştirici) şu anda yaptığım gibi bu projenin geliştirilmesine farklı bir isimle devam edeceğim.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "UniGetUI, değerli katılımcılarımızın yardımıyla geliştirildi. GitHub profillerine göz atın, UniGetUI onlarsız mümkün olmazdı!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "Katkıda bulunanların yardımı olmadan UniGetUI mümkün olmazdı. Hepinize teşekkür ederim \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} yüklenmeye hazır.", - "Write here the process names here, separated by commas (,)": "Süreç adlarını buraya virgülle (,) ayırarak yazın", - "Yes": "Evet", - "You are logged in as {0} (@{1})": "{0} (@{1}) olarak giriş yaptınız", - "You can change this behavior on UniGetUI security settings.": "Bu davranışı UniGetUI güvenlik ayarlarından değiştirebilirsiniz.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Bu paketin yüklenmesinden, güncellenmesinden veya kaldırılmasından önce veya sonra çalıştırılacak komutları tanımlayabilirsiniz. Komut isteminde çalıştırılacaklardır, bu nedenle CMD komut dosyaları burada çalışacaktır.", - "You have currently version {0} installed": "Şu anda {0} sürümünü yüklediniz", - "You have installed WingetUI Version {0}": "UniGetUI {0} Sürümünü yüklediniz", - "You may lose unsaved data": "Kaydedilmemiş verileri kaybedebilirsiniz", - "You may need to install {pm} in order to use it with WingetUI.": "UniGetUI ile kullanmak için {pm} yüklemeniz gerekebilir.", "You may restart your computer later if you wish": "İsterseniz bilgisayarınızı daha sonra da yeniden başlatabilirsiniz", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Yalnızca bir kez uyarılacaksınız ve yönetici hakları talep eden tüm paketlere yönetici ayrıcalıkları verilecek.", "You will be prompted only once, and every future installation will be elevated automatically.": "Yalnızca bir kez uyarılacaksınız ve gelecekteki tüm yüklemeler yönetici ayrıcalıklarıyla gerçekleştirilecek.", - "You will likely need to interact with the installer.": "Muhtemelen yükleyiciyle etkileşime girmeniz gerekecektir.", - "[RAN AS ADMINISTRATOR]": "YÖNETİCİ OLARAK ÇALIŞTIR", "buy me a coffee": "Bir kahve ısmarla", - "extracted": "Çıkarıldı", - "feature": "özellik", "formerly WingetUI": "eski adıyla WingetUI", "homepage": "İnternet sitesi", "install": "yükle", "installation": "Kurulum", - "installed": "yüklü", - "installing": "Yükleniyor", - "library": "kütüphane", - "mandatory": "zorunlu", - "option": "seçenek", - "optional": "isteğe bağlı", "uninstall": "kaldır", "uninstallation": "kaldırma işlemi", "uninstalled": "kaldırıldı", - "uninstalling": "kaldırılıyor", "update(noun)": "Güncelleme", "update(verb)": "Güncelle", "updated": "Güncellendi", - "updating": "Güncelleniyor", - "version {0}": "sürüm {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} varsayılan yükleme seçeneklerini takip ettiği için {0} yükleme seçenekleri şu anda kilitli.", "{0} Uninstallation": "{0} Kaldırma İşlemi", "{0} aborted": "{0} iptal edildi", "{0} can be updated": "{0} güncellenebilir", - "{0} can be updated to version {1}": "{0}, {1} sürümüne güncellenebilir", - "{0} days": "{0} gün", - "{0} desktop shortcuts created": "Masaüstünde {0} kısayol oluşturuldu", "{0} failed": "{0} hatalı", - "{0} has been installed successfully.": "{0} başarıyla kuruldu.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} başarıyla kuruldu. Kurulumu tamamlamak için UniGetUI'nin yeniden başlatılması önerilir.", "{0} has failed, that was a requirement for {1} to be run": "{0} başarısız oldu ve {1} çalıştırılmak için bir gereklilikti", - "{0} homepage": "{0} ana sayfa", - "{0} hours": "{0} saat", "{0} installation": "{0} yükleniyor", - "{0} installation options": "{0} Kurulum Seçenekleri", - "{0} installer is being downloaded": "{0} yükleyici indiriliyor", - "{0} is being installed": "{0} kuruluyor", - "{0} is being uninstalled": "{0} kaldırılıyor", "{0} is being updated": "{0} güncelleniyor...", - "{0} is being updated to version {1}": "{0}, {1} sürümüne güncelleniyor", - "{0} is disabled": "{0} devre dışı", - "{0} minutes": "{0} dakika", "{0} months": "{0} ay", - "{0} packages are being updated": "{0} paket güncelleniyor", - "{0} packages can be updated": "{0} paket güncellenebilir", "{0} packages found": "{0} paket bulundu", "{0} packages were found": "{0} paket bulundu", - "{0} packages were found, {1} of which match the specified filters.": "{1} tanesi belirtilen filtrelerle eşleşen {0} paket bulundu.", - "{0} selected": "{0} seçildi", - "{0} settings": "{0} ayarlar", - "{0} status": "{0} durum", "{0} succeeded": "{0} başarılı", "{0} update": "{0} güncelleme", - "{0} updates are available": "{0} güncellemeler mevcut", "{0} was {1} successfully!": "{0} pakette {1} başarılı!", "{0} weeks": "{0} hafta", "{0} years": "{0} yıl", "{0} {1} failed": "{0} {1} başarısız", - "{package} Installation": "{package} Yükleniyor", - "{package} Uninstall": "{package} Kaldır", - "{package} Update": "{package} Güncelleştir", - "{package} could not be installed": "{package} yüklenemedi", - "{package} could not be uninstalled": "{package} kaldırılamadı", - "{package} could not be updated": "{package} güncellenemedi", "{package} installation failed": "{package} kurulumu başarısız oldu", - "{package} installer could not be downloaded": "{package} yükleyici indirilemedi", - "{package} installer download": "{package} yükleyi̇ci̇ i̇ndi̇r", - "{package} installer was downloaded successfully": "{package} yükleyici başarıyla indirildi", "{package} uninstall failed": "{package} kaldırılamadı", "{package} update failed": "{package} güncellemesi başarısız oldu", "{package} update failed. Click here for more details.": "{package} güncellemesi başarısız oldu. Daha fazla bilgi için buraya tıklayın.", - "{package} was installed successfully": "{package} başarıyla yüklendi", - "{package} was uninstalled successfully": "{package} başarıyla kaldırıldı", - "{package} was updated successfully": "{package} başarıyla güncellendi", - "{pcName} installed packages": "{pcName} yüklü paketler", "{pm} could not be found": "{pm} bulunamadı", "{pm} found: {state}": "{pm} şurada bulundu: {state}", - "{pm} is disabled": "{pm} devre dışı", - "{pm} is enabled and ready to go": "{pm} etkinleştirildi ve kullanıma hazır", "{pm} package manager specific preferences": "{pm} paket yöneticisine özel tercihler", "{pm} preferences": "{pm} tercihleri", - "{pm} version:": "{pm} sürümü:", - "{pm} was not found!": "{pm} bulunamadı!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Merhaba benim adım Martí ve ben UniGetUI'ın geliştircisiyim, UniGetUI tamamen boş zamanlarımda yapıldı!", + "Thank you ❤": "Teşekkürler ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Bu projenin resmi {0} projesiyle hiçbir bağlantısı yoktur — tamamen gayri resmi." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ua.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ua.json index aa096a29d5..f83b235447 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ua.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ua.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Операція виконується", + "Please wait...": "Будь ласка, зачекайте...", + "Success!": "Успіх!", + "Failed": "Не вдалося", + "An error occurred while processing this package": "Виникла помилка при обробці цього пакету", + "Log in to enable cloud backup": "Увійдіть, щоб увімкнути резервне копіювання в хмару", + "Backup Failed": "Резервне копіювання не вдалося", + "Downloading backup...": "Завантажуємо резервну копію…", + "An update was found!": "Знайдено оновлення!", + "{0} can be updated to version {1}": "{0} можна оновити до версії {1}", + "Updates found!": "Оновлення знайдено!", + "{0} packages can be updated": "{0} пакетів можна оновити", + "You have currently version {0} installed": "У вас встановлено версію {0} ", + "Desktop shortcut created": "Створено ярлик на робочому столі", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI виявив новий ярлик на робочому столі, який можна автоматично видалити.", + "{0} desktop shortcuts created": "Створено {0} ярликів на робочому столі.", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI виявив {0} нових ярликів на робочому столі, які можна автоматично видалити.", + "Are you sure?": "Ви впевнені?", + "Do you really want to uninstall {0}?": "Ви дійсно хочете видалити {0}?", + "Do you really want to uninstall the following {0} packages?": "Ви дійсно хочете видалити наступні {0} пакетів?", + "No": "Ні", + "Yes": "Да", + "View on UniGetUI": "Відкрити у UniGetUI", + "Update": "Оновити", + "Open UniGetUI": "Відкрити UniGetUI", + "Update all": "Оновити все", + "Update now": "Оновити зараз", + "This package is on the queue": "Цей пакет в черзі", + "installing": "встановлення", + "updating": "оновлення", + "uninstalling": "видалення", + "installed": "встановлено", + "Retry": "Повторити", + "Install": "Встановити", + "Uninstall": "Видалити", + "Open": "Відкрити", + "Operation profile:": "Профіль операції:", + "Follow the default options when installing, upgrading or uninstalling this package": "Дотримуватися налаштувань за замовченням при встановленні, оновленні й видаленні цього пакета ", + "The following settings will be applied each time this package is installed, updated or removed.": "Наступні налаштування будуть застосовані кожного разу коли цей пакет встановлюється, оновлюється чи видаляється.", + "Version to install:": "Версія для встановлення:", + "Architecture to install:": "Архітектура для встановлення:", + "Installation scope:": "Рівень встановлення:", + "Install location:": "Місце встановлення:", + "Select": "Вибрати", + "Reset": "Скинути", + "Custom install arguments:": "Користувацькі аргументи встановлення:", + "Custom update arguments:": "Користувацькі аргументи оновлення:", + "Custom uninstall arguments:": "Користувацькі аргументи видалення:", + "Pre-install command:": "Команда перед встановленням:", + "Post-install command:": "Команда після встановлення:", + "Abort install if pre-install command fails": "Відмінити встановлення, якщо команда перед встановленням завершиться невдало", + "Pre-update command:": "Команда перед оновленням:", + "Post-update command:": "Команда після оновлення:", + "Abort update if pre-update command fails": "Відмінити оновлення, якщо команда перед оновленням завершиться невдало", + "Pre-uninstall command:": "Команда перед видаленням:", + "Post-uninstall command:": "Команда після видалення:", + "Abort uninstall if pre-uninstall command fails": "Відмінити видалення, якщо команда перед видаленням завершиться невдало", + "Command-line to run:": "Команда для запуску:", + "Save and close": "Зберегти та закрити", + "Run as admin": "У режимі адміна", + "Interactive installation": "Інтерактивна інсталяція", + "Skip hash check": "Не перевіряти хеш", + "Uninstall previous versions when updated": "Видалити попередні версії при оновленні", + "Skip minor updates for this package": "Пропустити мінорні оновлення", + "Automatically update this package": "Автоматично оновлювати цей пакет", + "{0} installation options": "Варіанти встановлення {0}", + "Latest": "Остання", + "PreRelease": "Підготовча", + "Default": "За замовчуванням", + "Manage ignored updates": "Керування ігнорованими оновленнями", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Перераховані тут пакети не враховуватимуться під час перевірки оновлень. Двічі клацніть по них або натисніть кнопку праворуч, щоб перестати ігнорувати їхні оновлення.", + "Reset list": "Скинути список", + "Package Name": "Ім'я пакета", + "Package ID": "ID пакета", + "Ignored version": "Ігнорована версія", + "New version": "Нова версія", + "Source": "Джерело", + "All versions": "Всі версії", + "Unknown": "Невідомо", + "Up to date": "Найновіший", + "Cancel": "Скасувати", + "Administrator privileges": "Права адміністратора", + "This operation is running with administrator privileges.": "Ця операція запущена з правами адміністратора.", + "Interactive operation": "Інтерактивна операція", + "This operation is running interactively.": "Ця операція запущена інтерактивно.", + "You will likely need to interact with the installer.": "Вірогідно, вам доведеться взаємодіяти за інсталятором.", + "Integrity checks skipped": "Перевірка хешу пропущена", + "Proceed at your own risk.": "Продовжуйте на власний ризик.", + "Close": "Закрити", + "Loading...": "Завантаження...", + "Installer SHA256": "SHA256 інсталятора", + "Homepage": "Домашня сторінка", + "Author": "Автор", + "Publisher": "Видавець", + "License": "Ліцензія", + "Manifest": "Маніфест", + "Installer Type": "Тип інсталятора", + "Size": "Розмір", + "Installer URL": "URL інсталятора", + "Last updated:": "Останнє оновлення:", + "Release notes URL": "URL нотаток до випуску", + "Package details": "Інформація про пакет", + "Dependencies:": "Залежності:", + "Release notes": "Нотатки про випуск", + "Version": "Версія", + "Install as administrator": "Встановити від імені адміністратора", + "Update to version {0}": "Оновити до версії {0}", + "Installed Version": "Встановлена версія", + "Update as administrator": "Оновити від імені адміністратора", + "Interactive update": "Інтерактивне оновлення", + "Uninstall as administrator": "Видаліть як адміністратор", + "Interactive uninstall": "Інтерактивне видалення", + "Uninstall and remove data": "Видалити разом з даними", + "Not available": "Не доступно", + "Installer SHA512": "Хеш SHA512", + "Unknown size": "Розмір невідомий", + "No dependencies specified": "Жодних залежностей не вказано", + "mandatory": "обов'язкова", + "optional": "необов'язкова", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} готовий для встановлення.", + "The update process will start after closing UniGetUI": "Процес оновлення почнеться після закриття UniGetUI", + "Share anonymous usage data": "Збір анонімних даних про використання", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI збирає анонімні дані про використання, щоб покращити користувацький досвід.", + "Accept": "Погоджуюсь", + "You have installed WingetUI Version {0}": "У вас встановлена UniGetUI версії {0}", + "Disclaimer": "Відмова від відповідальності", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не має відношення до жодного з сумісних менеджерів пакетів. UniGetUI — це незалежний проект.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "UniGetUI було б неможливо створити без допомоги учасників. Дякую вам всім 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI використовує наступні бібліотеки. Без них UniGetUI було б неможливо створити.", + "{0} homepage": "Cторінка {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "UniGetUI був перекладений на більше ніж 40 мов дякуючи добровільним перекладачам. Дякую 🤝", + "Verbose": "Детальний", + "1 - Errors": "1 - Помилки", + "2 - Warnings": "2 - Застереження", + "3 - Information (less)": "3 - Інформація (менше)", + "4 - Information (more)": "4 - Інформація (більше)", + "5 - information (debug)": "5 - Інформація (налагодження)", + "Warning": "Увага", + "The following settings may pose a security risk, hence they are disabled by default.": "Наступні налаштування можуть становити загрозу безпеці, тож вони відключені за замовчуванням.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Вмикайте налаштування нижче ТОДІ Й ЛИШЕ ТОДІ, коли ви повністю розумієте що вони роблять і які наслідки та небезпеки вони можуть нести.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Кожне налаштування має опис потенційний ризиків, які воно може нести.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервна копія буде включати в себе повний список усіх встановлених пакетів та вибрані варіанти їх встановлення. Проігноровані оновлення та пропущені версії також будуть збережені.", + "The backup will NOT include any binary file nor any program's saved data.": "Резервна копія НЕ буде включати в собі жодних файлів програм або їх збережених даних.", + "The size of the backup is estimated to be less than 1MB.": "Очікуваний розмір резервної копії — менше 1 МБ.", + "The backup will be performed after login.": "Резервне копіювання буде виконано після входу у систему.", + "{pcName} installed packages": "Пакети, встановлені на {pcName}", + "Current status: Not logged in": "Статус: вхід не виконано", + "You are logged in as {0} (@{1})": "Ви увійшли як {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Славно! Резервні копії будуть завантажені у приватний Gist на вашому обліковому запису", + "Select backup": "Виберіть копію", + "WingetUI Settings": "Налаштування UniGetUI", + "Allow pre-release versions": "Дозволити підготовчі версії", + "Apply": "Застосувати", + "Go to UniGetUI security settings": "Перейти в налаштування безпеки UniGetUI", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Наступні налаштування будуть застосовані кожного разу коли пакет з {0} встановлюється, оновлюється чи видаляється.", + "Package's default": "За замовчуванням для пакета", + "Install location can't be changed for {0} packages": "Не можна змінювати місце встановлення для пакетів з {0}", + "The local icon cache currently takes {0} MB": "Локальний кеш піктограм займає {0} МБ", + "Username": "Ім'я користувача", + "Password": "Пароль", + "Credentials": "Облікові данні", + "Partially": "Частково", + "Package manager": "Менеджер пакетів", + "Compatible with proxy": "Сумісність з проксі", + "Compatible with authentication": "Сумісність з автентифікацією", + "Proxy compatibility table": "Таблиця сумісності з проксі", + "{0} settings": "Налаштування {0}", + "{0} status": "Статус {0}", + "Default installation options for {0} packages": "Варіанти встановлення за замовчуванням для пакетів з {0}", + "Expand version": "Розгорнути версію", + "The executable file for {0} was not found": "Виконуваний файл для {0} не знайдено", + "{pm} is disabled": "{pm} вимкнено", + "Enable it to install packages from {pm}.": "Увімкніть, щоб встановлювати пакети з {pm}.", + "{pm} is enabled and ready to go": "{pm} увімкнений та готовий до використання", + "{pm} version:": "Версія {pm}:", + "{pm} was not found!": "{pm} не знайдено!", + "You may need to install {pm} in order to use it with WingetUI.": "Можливо, вам необхідно встановити {pm}, щоб використовувати його з UniGetUI.", + "Scoop Installer - WingetUI": "Інсталятор Scoop — UniGetUI", + "Scoop Uninstaller - WingetUI": "Програма видалення Scoop – UniGetUI", + "Clearing Scoop cache - WingetUI": "Очищаємо кеш Scoop — UniGetUI", + "Restart UniGetUI": "Перезапустити UniGetUI", + "Manage {0} sources": "Керування джерелами для {0}", + "Add source": "Додати джерело", + "Add": "Додати", + "Other": "Інше", + "1 day": "1 день", + "{0} days": "{0} дня", + "{0} minutes": "{0} хвилини", + "1 hour": "1 година", + "{0} hours": "{0} години", + "1 week": "1 тиждень", + "WingetUI Version {0}": "UniGetUI версія {0}", + "Search for packages": "Пошук пакетів", + "Local": "Локально", + "OK": "ОК", + "{0} packages were found, {1} of which match the specified filters.": "Знайдено {0} пакетів, {1} з яких підходять під вибрані фільтри.", + "{0} selected": "{0} вибрано", + "(Last checked: {0})": "(Остання перевірка: {0})", + "Enabled": "Увімкнено", + "Disabled": "Вимкнений", + "More info": "Додаткова інформація", + "Log in with GitHub to enable cloud package backup.": "Увійдіть через GitHub, щоб увімкнути резервне копіювання в хмару", + "More details": "Більше деталей", + "Log in": "Увійти", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Якщо резервне копіювання в хмару увімкнуто, копія буде збережена як GitHub Gist в цей обліковий запис", + "Log out": "Вийти", + "About": "Про програму", + "Third-party licenses": "Сторонні ліцензії", + "Contributors": "Учасники", + "Translators": "Перекладачі", + "Manage shortcuts": "Керування ярликами", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI виявив наступні ярлики робочого стола, які можна автоматично видалити при наступних оновленнях пакетів.", + "Do you really want to reset this list? This action cannot be reverted.": "Ви дійсно хочете скинути цей список? Ці зміни буде неможливо відмінити.", + "Remove from list": "Видалити зі списку", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Коли виявлені нові ярлики, видаляти їх автоматично замість відображення цього діалогу.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI збирає анонімну статистику використання, єдина ціль якої - краще зрозуміти та покращити користувацький досвід.", + "More details about the shared data and how it will be processed": "Більше деталей про дані, які передаються, та як вони обробляються", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Чи ви погоджуєтесь з тим, що UniGetUI збиратиме та відправлятиме анонімну статистику використання, єдина ціль якої - краще зрозуміти та покращити користувацький досвід?", + "Decline": "Не погоджуюсь", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Жодна персональна інформація не збирається й не передається, зібрані данні анонімізуються, отже їх не можна зв'язати з вами.", + "About WingetUI": "Про UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI — це застосунок, який робить керування вашим програмним забезпеченням простіше: він надає графічний інтерфейс \"все в одному\" для ваших менеджерів пакетів.", + "Useful links": "Корисні посилання", + "Report an issue or submit a feature request": "Повідомити про проблему чи запропонувати покращення", + "View GitHub Profile": "Профіль на GitHub", + "WingetUI License": "Ліцензія UniGetUI", + "Using WingetUI implies the acceptation of the MIT License": "Використання UniGetUI означає згоду з ліцензією MIT.", + "Become a translator": "Станьте перекладачем", + "View page on browser": "Відкрити сторінку в браузері", + "Copy to clipboard": "Копіювати в буфер обміну", + "Export to a file": "Експорт у файл", + "Log level:": "Рівень журналу:", + "Reload log": "Перезавантажити журнал", + "Text": "Текст", + "Change how operations request administrator rights": "Змінити як операції запитають права адміністратора", + "Restrictions on package operations": "Обмеження для операцій з пакетами", + "Restrictions on package managers": "Обмеження для менеджерів пакетів", + "Restrictions when importing package bundles": "Обмеження при імпорті колекцій пакетів", + "Ask for administrator privileges once for each batch of operations": "Запитувати права адміністратора один раз для кожної групи операцій ", + "Ask only once for administrator privileges": "Одноразово запитувати права адміністратора", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Заборонити будь-яке підвищення прав через модуль підвищення UniGetUI або GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Вибір цієї опції СПРИЧИНЯТИМЕ проблеми. Будь які операції, що нездатні підвищити собі права, завершаться НЕВДАЛО. Встановлення/оновлення/видалення від імені адміністратора НЕ ПРАЦЮВАТИМЕ.", + "Allow custom command-line arguments": "Дозволити користувацькі аргументи командного рядка", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Аргументи командного рядка, задані користувачем, можуть змінювати як програми встановлюються, оновлюються чи видаляються. UniGetUI не має можливості це контролювати. Також такі аргументи можуть псувати пакети. Дійте обережно.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Дозволити виконання користувацьких команд до та після встановлення під час імпорту пакетів із колекції", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Перед- і після-операційні команди будуть запущені до та після встановлення, оновлення чи видалення пакету. Усвідомлюйте, що вони може щось зламати, якщо ви не будете обачні", + "Allow changing the paths for package manager executables": "Дозволити зміну шляхів до виконавчих файлів менеджерів пакетів", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Увімкнення цієї опції дозволить змінювати виконавчій файл, який використовується для взаємодії з менеджерами пакетами. Це дозволить точну кастомізацію вашого процесу встановлення, але може бути небезпечним", + "Allow importing custom command-line arguments when importing packages from a bundle": "Дозволити імпортувати користувацькі аргументи командного рядка при імпорті пакетів з колекції", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправильно сформовані аргументи командного рядка можуть псувати пакети, або навіть можуть дозволити зловмиснику запустити код з підвищеними привілеями. Саме тому імпортування користувацьких аргументів командного рядка відключено за замовчуванням", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дозволити імпортувати користувацькі перед- і після-операційні скрипти при імпорті пакетів з колекції", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Перед- і після-операційні команди можуть зробити кепсько вашому пристрою, якщо вони задумувались з цією метою. Імпортувати команди з колекції може бути дуже небезпечно, окрім випадків, коли ви довіряєте джерелу її походження", + "Administrator rights and other dangerous settings": "Права адміністратора та інші небезпечні налаштування", + "Package backup": "Резервне копіювання пакетів", + "Cloud package backup": "Резервне копіювання в хмару", + "Local package backup": "Локальне резервне копіювання пакетів", + "Local backup advanced options": "Розширені налаштування локального резервного копіювання", + "Log in with GitHub": "Увійти через GitHub", + "Log out from GitHub": "Вийти з GitHub аккаунту", + "Periodically perform a cloud backup of the installed packages": "Періодично виконувати резервне копіювання в хмару встановлених пакетів", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Резервне копіювання в хмару використовує GitHub Gist для зберігання списку встановлених пакетів", + "Perform a cloud backup now": "Виконати резервне копіювання в хмару зараз", + "Backup": "Зробити копію", + "Restore a backup from the cloud": "Відновити з резервної копії в хмарі", + "Begin the process to select a cloud backup and review which packages to restore": "Почніть процес з вибору резервної копії й пакетів для відновлення", + "Periodically perform a local backup of the installed packages": "Періодично виконувати локальне резервне копіювання встановлених пакетів", + "Perform a local backup now": "Виконати локальне резервне копіювання зараз", + "Change backup output directory": "Змінити вихідну теку для резервного копіювання", + "Set a custom backup file name": "Задати особливе ім'я для файла резервної копії", + "Leave empty for default": "Пусте за замовчуванням", + "Add a timestamp to the backup file names": "Додавати мітку часу до імен файлів резервної копії", + "Backup and Restore": "Резервне копіювання і відновлення", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Увімкнути фоновий API (Віджети UniGetUI та можливість ділитися, порт 7058).", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Зачекати наявності підключення до інтернету перед тим, як виконувати задачі, які потребують цього підключення.", + "Disable the 1-minute timeout for package-related operations": "Відключити 1-хвилинний тайм-аут для операцій, пов'язаних з пакетами", + "Use installed GSudo instead of UniGetUI Elevator": "Використовувати встановлений GSudo замість вбудованого модуля підвищення UniGetUI", + "Use a custom icon and screenshot database URL": "Вкажіть URL до користувацької бази даних значків та знімків екрану", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Увімкнути оптимізацію використання ЦП у фоновому режимі (див. Pull Request №3278)", + "Perform integrity checks at startup": "Проводити перевірку цілісності під час запуску", + "When batch installing packages from a bundle, install also packages that are already installed": "Встановлювати також вже встановлені пакети при пакетному встановленні з колекції", + "Experimental settings and developer options": "Експериментальні налаштування та опції розробника", + "Show UniGetUI's version and build number on the titlebar.": "Показувати версію UniGetUI на панелі заголовка", + "Language": "Мова", + "UniGetUI updater": "Оновлення UniGetUI", + "Telemetry": "Телеметрія", + "Manage UniGetUI settings": "Керування налаштуваннями UniGetUI", + "Related settings": "Пов'язані налаштування", + "Update WingetUI automatically": "Оновлювати UniGetUI автоматично", + "Check for updates": "Перевірити зараз", + "Install prerelease versions of UniGetUI": "Встановлювати підготовчі версії UniGetUI", + "Manage telemetry settings": "Керування налаштуваннями телеметрії", + "Manage": "Керувати", + "Import settings from a local file": "Імпортувати налаштування з локального файлу", + "Import": "Імпорт", + "Export settings to a local file": "Експортувати налаштування у локальний файл", + "Export": "Експорт", + "Reset WingetUI": "Скинути UniGetUI", + "Reset UniGetUI": "Скинути UniGetUI", + "User interface preferences": "Налаштування інтерфейсу користувача", + "Application theme, startup page, package icons, clear successful installs automatically": "Тема програми, початковий екран, піктограми пакетів, автоматичне прибирання успішних операцій", + "General preferences": "Загальні налаштування", + "WingetUI display language:": "Мова відображення UniGetUI:", + "Is your language missing or incomplete?": "Ваша мова відсутня чи неповна?", + "Appearance": "Зовнішній вигляд", + "UniGetUI on the background and system tray": "UniGetUI у фоні та системному лотку", + "Package lists": "Списки пакетів", + "Close UniGetUI to the system tray": "Закріпити UniGetUI в системному треї", + "Show package icons on package lists": "Відображати піктограми пакетів", + "Clear cache": "Очистити кеш", + "Select upgradable packages by default": "Вибирати пакети, що можна оновити, за замовчуванням", + "Light": "Світла", + "Dark": "Темна", + "Follow system color scheme": "Дотримуватися колірної схеми системи", + "Application theme:": "Тема програми:", + "Discover Packages": "Доступні пакети", + "Software Updates": "Оновлення програм", + "Installed Packages": "Встановлені пакети", + "Package Bundles": "Колекції пакетів", + "Settings": "Опції", + "UniGetUI startup page:": "Початковий екран UniGetUI:", + "Proxy settings": "Налаштування проксі", + "Other settings": "Інші налаштування", + "Connect the internet using a custom proxy": "Підключатися до інтернету, використовуючи вказаний проксі", + "Please note that not all package managers may fully support this feature": "Будь ласка, зауважте, що не всі менеджери пакетів повністю підтримують цю функціональність ", + "Proxy URL": "URL-адреса проксі", + "Enter proxy URL here": "Введіть URL проксі тут", + "Package manager preferences": "Налаштування менеджерів пакетів", + "Ready": "Готовий", + "Not found": "Не знайдено", + "Notification preferences": "Параметри сповіщень", + "Notification types": "Типи сповіщень", + "The system tray icon must be enabled in order for notifications to work": "Для функціонування сповіщень іконка у системному лотку має бути увімкнена", + "Enable WingetUI notifications": "Увімкнути сповіщення UniGetUI", + "Show a notification when there are available updates": "Показувати сповіщення, коли є доступні оновлення", + "Show a silent notification when an operation is running": "Показувати беззвучне сповіщення, поки операція проводиться", + "Show a notification when an operation fails": "Показувати сповіщення про неуспішні операції", + "Show a notification when an operation finishes successfully": "Показувати сповіщення про успішні операції", + "Concurrency and execution": "Паралелізм та виконання ", + "Automatic desktop shortcut remover": "Автоматичне видалення ярликів з робочого столу", + "Clear successful operations from the operation list after a 5 second delay": "Прибирати успішні операції зі списку операцій після 5 секунд очікування", + "Download operations are not affected by this setting": "Це налаштування не впливає на операції завантаження", + "Try to kill the processes that refuse to close when requested to": "Спробувати завершити процес, який відмовляється закритися за запитом", + "You may lose unsaved data": "Ви можете втратити незбережені данні", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Спробувати видалити ярлики з робочого стола, створені під час встановлення або оновлення.", + "Package update preferences": "Налаштування оновлень пакетів", + "Update check frequency, automatically install updates, etc.": "Частота перевірки, автоматичне встановлення оновлень та інше.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Зменшити кількість запитів UAC, підвищувати права установки за замовчуванням, розблокувати деякі небезпечні функції і т.д. ", + "Package operation preferences": "Налаштування операцій з пакетами", + "Enable {pm}": "Увімкнути {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Не бачите файл, який ви шукали? Впевнитесь, що він був доданий у змінну path.", + "For security reasons, changing the executable file is disabled by default": "З міркувань безпеки зміна виконавчого файлу відключена за замовчуванням.", + "Change this": "Змінити", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Виберіть виконавчій файл, який буде використовуватися. Наступний список містить файли, знайдені UniGetUI", + "Current executable file:": "Поточний виконавчій файл:", + "Ignore packages from {pm} when showing a notification about updates": "Ігнорувати пакети з {pm} при показі сповіщень про оновлення", + "View {0} logs": "Продивитися журнал {0}", + "Advanced options": "Розширені налаштування", + "Reset WinGet": "Скинути WinGet", + "This may help if no packages are listed": "Це може допомогти, якщо пакети не відображаються", + "Force install location parameter when updating packages with custom locations": "Примусово використовувати параметр розташування встановлення під час оновлення пакетів із користувацькими шляхами", + "Use bundled WinGet instead of system WinGet": "Використовувати вбудований WinGet замість системного", + "This may help if WinGet packages are not shown": "Це може допомогти, якщо пакети WinGet не відображаються", + "Install Scoop": "Встановити Scoop", + "Uninstall Scoop (and its packages)": "Видалити Scoop (і його пакети)", + "Run cleanup and clear cache": "Запустити очищення та видалити кеш", + "Run": "Запустити", + "Enable Scoop cleanup on launch": "Увімкнути очищення Scoop під час запуску", + "Use system Chocolatey": "Використовувати Chocolatey, встановлений у системі", + "Default vcpkg triplet": "Триплет vcpk за замовчуванням", + "Language, theme and other miscellaneous preferences": "Мова, тема та інші параметри", + "Show notifications on different events": "Показувати сповіщення про різні події", + "Change how UniGetUI checks and installs available updates for your packages": "Змінити як UniGetUI перевіряє та встановлює оновлення для ваших пакетів", + "Automatically save a list of all your installed packages to easily restore them.": "Автоматично зберігати список усіх встановлених вами пакетів, щоб мати змогу їх легко відновити.", + "Enable and disable package managers, change default install options, etc.": "Увімкнути та вимкнути менеджери пакетів, змінити налаштування встановлення за замовчуванням і т.д.", + "Internet connection settings": "Налаштування з'єднання з інтернетом", + "Proxy settings, etc.": "Налаштування проксі та іншого.", + "Beta features and other options that shouldn't be touched": "Бета-функції та інші параметри, які не варто чіпати", + "Update checking": "Перевірка оновлень", + "Automatic updates": "Автоматичні оновлення", + "Check for package updates periodically": "Періодично перевіряти оновлення пакетів", + "Check for updates every:": "Перевіряти наявність оновлень кожні:", + "Install available updates automatically": "Автоматично встановлювати доступні оновлення", + "Do not automatically install updates when the network connection is metered": "Не встановлювати оновлення автоматично, якщо підключення до мережі є лімітним", + "Do not automatically install updates when the device runs on battery": "Не встановлювати оновлення автоматично, якщо пристрій працює від батареї", + "Do not automatically install updates when the battery saver is on": "Не встановлювати оновлення автоматично, якщо увімкнутий режим економії енергії", + "Change how UniGetUI handles install, update and uninstall operations.": "Змінити як UniGetUI керує операціями встановлення, оновлення й видалення.", + "Package Managers": "Менеджери пакетів", + "More": "Ще", + "WingetUI Log": "Журнал UniGetUI", + "Package Manager logs": "Журнали пакетних менеджерів", + "Operation history": "Історія операцій", + "Help": "Допомога", + "Order by:": "Сортувати за:", + "Name": "Ім'я", + "Id": "Id", + "Ascendant": "Зростанням", + "Descendant": "Спаданням", + "View mode:": "Подання:", + "Filters": "Фільтри", + "Sources": "Джерела", + "Search for packages to start": "Для початку знайдіть пакети", + "Select all": "Вибрати все", + "Clear selection": "Зняти виділення", + "Instant search": "Миттєвий пошук", + "Distinguish between uppercase and lowercase": "Враховувати регістр", + "Ignore special characters": "Ігнорувати спеціальні символи", + "Search mode": "Метод пошуку", + "Both": "ІD або ім'я пакета", + "Exact match": "Точна відповідність", + "Show similar packages": "Показувати схожі пакети", + "No results were found matching the input criteria": "Не знайдено жодного результату, що відповідає введеним критеріям", + "No packages were found": "Жодного пакету не знайдено", + "Loading packages": "Завантаження пакетів", + "Skip integrity checks": "Пропустити перевірку хешу", + "Download selected installers": "Завантажити вибрані інсталятори", + "Install selection": "Встановити вибране", + "Install options": "Варіанти встановлення", + "Share": "Поділитися", + "Add selection to bundle": "Додати вибране в колекцію", + "Download installer": "Завантажити інсталятор", + "Share this package": "Поділитися пакетом", + "Uninstall selection": "Видалити вибране", + "Uninstall options": "Варіанти видалення", + "Ignore selected packages": "Ігнорувати обрані пакети", + "Open install location": "Відкрити теку установки", + "Reinstall package": "Перевстановити пакет", + "Uninstall package, then reinstall it": "Видалити пакет, потім встановити наново", + "Ignore updates for this package": "Ігнорувати оновлення цього пакета", + "Do not ignore updates for this package anymore": "Більше не ігнорувати оновлення цього пакету", + "Add packages or open an existing package bundle": "Додайте пакети чи відкрийте існуючу колекцію пакетів", + "Add packages to start": "Додайте пакети, щоби почати", + "The current bundle has no packages. Add some packages to get started": "У відкритій колекції немає жодного пакету. Додайте кілька, щоби почати.", + "New": "Створити", + "Save as": "Зберегти як", + "Remove selection from bundle": "Прибрати вибране з колекції", + "Skip hash checks": "Пропустити перевірки хешу", + "The package bundle is not valid": "Ця колекція пакетів сформована не коректно", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Колекція, яку ви намагаєтеся відкрити, сформована некоректно. Будь ласка, перевірте файл, та спробуйте знову.", + "Package bundle": "Колекція пакетів", + "Could not create bundle": "Неможливо створити колекцію", + "The package bundle could not be created due to an error.": "Колекцію пакетів неможливо створити через помилку.", + "Bundle security report": "Звіт про безпеку колекції", + "Hooray! No updates were found.": "Ура! Оновлення не знайдено.", + "Everything is up to date": "Все оновлено", + "Uninstall selected packages": "Видалити вибрані пакети", + "Update selection": "Оновити вибране", + "Update options": "Варіанти оновлення", + "Uninstall package, then update it": "Видалити пакет, потім оновити його", + "Uninstall package": "Видалити пакет", + "Skip this version": "Пропустити версію", + "Pause updates for": "Призупинити оновлення на", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Пакетний менеджер для Rust.
Містить: Бібліотеки та програми, написані мовою Rust ", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класичний менеджер пакетів для Windows. Тут ви знайдете все, що потрібно.
Містить: Загальне програмне забезпечення", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиторій повний утиліт та застосунків, спроектованих для екосистеми .NET від Microsoft.
Містить: Утиліти, зв'язані з .NET, та скрипти", + "NuPkg (zipped manifest)": "NuPkg (стиснутий маніфест)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Менеджер пакетів Node JS. Повний бібліотек та інших утиліт, які обертаються навколо світу javascript
Містить: Бібліотеки Node javascript та інші пов'язані з ними утиліти", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менеджер бібліотек Python. Повний набір бібліотек python та інших утиліт, пов'язаних з python
Містить: Бібліотеки python та пов'язані з ними утиліти", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Менеджер пакетів для PowerShell. Знайди бібліотеки та скрипти які розширяють можливості PowerShell
Містить: Модулі, Скрипти, Командлети", + "extracted": "видобуто", + "Scoop package": "Пакет Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Чудове сховище невідомих, але корисних утиліт та інших цікавих пакетів.
Містить: Утиліти, програми командного рядка, загальне програмне забезпечення (потрібно додатково bucket)", + "library": "бібліотека", + "feature": "функція", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популярний менеджер бібліотек для C/C++. Заповнений бібліотеками для C/C++ та зв'язаними утилітами.
Містить: C/C++ бібліотеки та зв'язані утиліти", + "option": "опція", + "This package cannot be installed from an elevated context.": "Цей пакет не можна встановити від імені адміністратора.", + "Please run UniGetUI as a regular user and try again.": "Будь ласка, перезапустіть UniGetUI від імені звичайного користувача, та спробуйте знову", + "Please check the installation options for this package and try again": "Будь ласка, перевірте вибраний варіант встановлення для цього пакету, та спробуйте знову", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Офіційний менеджер пакетів Microsoft. Повний відомих і перевірених пакетів
Містить: Загальне програмне забезпечення, програми Microsoft Store", + "Local PC": "Цей ПК", + "Android Subsystem": "Підсистема Android", + "Operation on queue (position {0})...": "Операція в черзі (позиція {0})…", + "Click here for more details": "Натисніть тут для подробиць", + "Operation canceled by user": "Операція відмінена користувачем", + "Starting operation...": "Починаємо операцію…", + "{package} installer download": "Завантаження інсталятора для {package}", + "{0} installer is being downloaded": "Інсталятор для {0} завантажується", + "Download succeeded": "Завантаження завершено успішно", + "{package} installer was downloaded successfully": "Інсталятор для {package} було успішно завантажено", + "Download failed": "Завантаження не вдалося", + "{package} installer could not be downloaded": "Інсталятор для {package} неможливо завантажити", + "{package} Installation": "Встановлення {package}", + "{0} is being installed": "Встановлюється {0}", + "Installation succeeded": "Встановлення завершено успішно", + "{package} was installed successfully": "{package} було успішно встановлено", + "Installation failed": "Встановлення не вдалося", + "{package} could not be installed": "Неможливо встановити {package}", + "{package} Update": "Оновлення {package}", + "{0} is being updated to version {1}": "{0} був оновлений до версії {1}", + "Update succeeded": "Оновлення виконано успішно", + "{package} was updated successfully": "{package} було успішно оновлено", + "Update failed": "Оновлення не вдалося", + "{package} could not be updated": "Неможливо оновити {package}", + "{package} Uninstall": "Видалення {package}", + "{0} is being uninstalled": "Видаляється {0}", + "Uninstall succeeded": "Видалення закінчилося вдало", + "{package} was uninstalled successfully": "{package} було успішно видалено", + "Uninstall failed": "Видалення не вдалося", + "{package} could not be uninstalled": "{package} неможливо видалити", + "Adding source {source}": "Додавання джерела {source}", + "Adding source {source} to {manager}": "Додаємо джерело {source} до {manager}", + "Source added successfully": "Джерело успішно додано", + "The source {source} was added to {manager} successfully": "Джерело {source} було успішно додано до {manager}", + "Could not add source": "Неможливо додати джерело", + "Could not add source {source} to {manager}": "Неможливо додати джерело {source} до {manager}", + "Removing source {source}": "Видалення джерела {source}", + "Removing source {source} from {manager}": "Видаляємо джерело {source} з {manager}", + "Source removed successfully": "Джерело успішно видалено", + "The source {source} was removed from {manager} successfully": "Джерело {source} було успішно видалено з {manager}", + "Could not remove source": "Неможливо видалити джерело", + "Could not remove source {source} from {manager}": "Неможливо видалити джерело {source} з {manager}", + "The package manager \"{0}\" was not found": "Пакетний менеджер \"{0}\" не знайдено", + "The package manager \"{0}\" is disabled": "Пакетний менеджер \"{0}\" відключено", + "There is an error with the configuration of the package manager \"{0}\"": "Сталася помилка зв'язана з конфігурацією менеджера пакетів \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" не знайдено в пакетному менеджері \"{1}\"", + "{0} is disabled": "{0} вимкнено", + "Something went wrong": "Щось пішло не так", + "An interal error occurred. Please view the log for further details.": "Виникла внутрішня помилка. Будь ласка, продивіться журнал для більш детальної інформації.", + "No applicable installer was found for the package {0}": "Підходящого інсталятора не знайдено для пакета {0}", + "We are checking for updates.": "Ми перевіряємо оновлення.", + "Please wait": "Будь ласка, зачекайте", + "UniGetUI version {0} is being downloaded.": "UniGetUI версії {0} завантажується.", + "This may take a minute or two": "Це може зайняти одну-дві хвилини.", + "The installer authenticity could not be verified.": "Автентичність інсталятора неможливо перевірити. ", + "The update process has been aborted.": "Процес оновлення був перерваний", + "Great! You are on the latest version.": "Чудово! У вас найновіша версія.", + "There are no new UniGetUI versions to be installed": "Немає більш нової версії UniGetUI для встановлення", + "An error occurred when checking for updates: ": "Виникла помилка при перевірці оновлень:", + "UniGetUI is being updated...": "UniGetUI оновлюється…", + "Something went wrong while launching the updater.": "Щось пішло не так при запуску програми оновлення.", + "Please try again later": "Будь ласка, спробуйте ще раз пізніше", + "Integrity checks will not be performed during this operation": "Перевірка хешу не буде виконана під час цієї операції", + "This is not recommended.": "Це не рекомендується.", + "Run now": "Запустити зараз", + "Run next": "Запустити наступним", + "Run last": "Запустити останнім", + "Retry as administrator": "Повторити від імені адміністратора", + "Retry interactively": "Спробувати знов у інтерактивному режимі", + "Retry skipping integrity checks": "Повторити без перевірки хешу", + "Installation options": "Варіанти встановлення", + "Show in explorer": "Показати в Провіднику", + "This package is already installed": "Цей пакет вже встановлено", + "This package can be upgraded to version {0}": "Пакет було оновлено до версії {0}", + "Updates for this package are ignored": "Оновлення для цього пакета ігноруються", + "This package is being processed": "Цей пакет обробляється", + "This package is not available": "Цей пакет не доступний", + "Select the source you want to add:": "Виберіть джерело для додавання:", + "Source name:": "Назва джерела:", + "Source URL:": "URL джерела:", + "An error occurred": "Виникла помилка", + "An error occurred when adding the source: ": "Сталася помилка при додаванні джерела:", + "Package management made easy": "Керування пакетами без зусиль", + "version {0}": "версії {0}", + "[RAN AS ADMINISTRATOR]": "ЗАПУЩЕНО ВІД ІМЕНІ АДМІНІСТРАТОРА", + "Portable mode": "Портативний режим", + "DEBUG BUILD": "ЗБІРКА ДЛЯ ВІДЛАДЖУВАННЯ", + "Available Updates": "Доступні оновлення", + "Show WingetUI": "Показати UniGetUI", + "Quit": "Вийти", + "Attention required": "Потрібна ваша увага", + "Restart required": "Потрібне перезавантаження", + "1 update is available": "1 оновлення доступне", + "{0} updates are available": "{0} доступні оновлення", + "WingetUI Homepage": "Домашня сторінка UniGetUI", + "WingetUI Repository": "Репозиторій UniGetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тут ви можете змінити поведінку UniGetUI стосовно наступних ярликів. Виділення ярлика призведе до його видалення програмою UniGetUI, якщо він буде створений при наступних оновленнях. Якщо прапорець зняти, ярлик залишиться неторкнутим.", + "Manual scan": "Ручне сканування", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Існуючи ярлики на вашому робочому столі будуть проскановані, вам буде необхідно вибрати які залишити, а які видалити.", + "Continue": "Продовжити", + "Delete?": "Видалити?", + "Missing dependency": "Відсутня залежність", + "Not right now": "Не зараз", + "Install {0}": "Встановити {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI потребує {0} для функціонування, але його не знайдено в вашій системі.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Натисніть \"Встановити\" щоби почати процес встановлення. Якщо ви пропустите цей крок, UniGetUI може працювати не правильно.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Також, ви можете встановити {0}, запустивши наступну команду у стрічці Windows PowerShell:", + "Do not show this dialog again for {0}": "Більше не показувати цей діалог для {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Будь ласка, зачекайте, поки {0} встановлюється. Ви можете побачити чорне (або блакитне) вікно. Дочекайтесь його закриття.", + "{0} has been installed successfully.": "{0} було успішно встановлено.", + "Please click on \"Continue\" to continue": "Будь ласка, натисніть на \"Продовжити\", щоб продовжити", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} було успішно встановлено. Рекомендовано перезапустити UniGetUI для завершення установки.", + "Restart later": "Перезавантажити пізніше", + "An error occurred:": "Виникла помилка:", + "I understand": "Я розумію", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI був запущений від імені адміністратора, що не рекомендується. Коли UniGetUI запущений таким чином, КОЖНА операція, яку запускає UniGetUI, буде мати права адміністратора. Ви все ще можете користуватися застосунком, але ми дуже радимо не запускати UniGetUI від імені адміністратора.", + "WinGet was repaired successfully": "WinGet був успішно відновлений", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Рекомендовано перезапустити UniGetUI після того, як WinGet буде відновлено", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ПРИМІТКА: Засіб усунення неполадок можна відключити у налаштуваннях UniGetUI, у секції WinGet", + "Restart": "Перезавантажити", + "WinGet could not be repaired": "Неможливо відновити WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Виникла неочікувана проблема при намаганні відновити WinGet. Будь ласка, спробуйте пізніше.", + "Are you sure you want to delete all shortcuts?": "Ви впевнені що хочете видаляти всі ярлики?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Для новий ярликів, створених під час операцій встановлення та оновлення, не буде показано діалогу підтвердження: замість цього вони будуть видалені автоматично.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Всі ярлики, створені або змінені не через UniGetUI, будуть проігноровані. Ви зможете додати їх за допомогою кнопки \"{0}\".", + "Are you really sure you want to enable this feature?": "Ви точно впевнені що хочете увімкнути цю функцію?", + "No new shortcuts were found during the scan.": "В ході сканування нових ярликів не виявлено.", + "How to add packages to a bundle": "Як додати пакети до колекції", + "In order to add packages to a bundle, you will need to: ": "Щоб додати пакети до колекції, вам необхідно:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Перейти на сторінку \"{0}\" чи \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Знайти пакети, які ви хочете додати до колекції, та позначити їх прапорцем у найлівішій колонці.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Коли пакети, які ви хочете додати, вибрані, знайдіть та натисніть \"{0}\" на панелі інструментів.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вибрані пакети будуть додані до колекції. Ви можете продовжити додавати пакети або експортувати колекцію.", + "Which backup do you want to open?": "Яку резервну копію ви бажаєте відкрити?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Виберіть резервну копію для відкриття. Пізніше ви зможете переглянути, які пакети/програми ви хочете відновити.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Деякі операції ще не завершені. Вихід з UniGetUI може призвести до їх невдалого завершення. Бажаєте продовжити?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI чи деякі з його компонентів відсутні або пошкоджені.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Дуже радимо перевстановити UniGetUI щоби виправити ситуацію.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Зверніться до журналів UniGetUI, щоб отримати більше деталей стосовно пошкоджених файлів", + "Integrity checks can be disabled from the Experimental Settings": "Перевірка цілісності може бути відключена в експериментальних налаштуваннях", + "Repair UniGetUI": "Відновити UniGetUI", + "Live output": "Вивід наживо", + "Package not found": "Пакет не знайдено", + "An error occurred when attempting to show the package with Id {0}": "Виникла помилка при намаганні відобразити пакет з Id {0}", + "Package": "Пакет", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ця колекція пакетів містить деякі потенційно небезпечні налаштування, що можуть ігноруватися за замовчуванням.", + "Entries that show in YELLOW will be IGNORED.": "Записи, які показані ЖОВТИМ, будуть ПРОІГНОРОВАНІ.", + "Entries that show in RED will be IMPORTED.": "Записи, які показані ЧЕРВОНИМ, будуть ІМПОРТОВАНІ.", + "You can change this behavior on UniGetUI security settings.": "Ви можете змінити цю поведінку в налаштуваннях безпеки UniGetUI.", + "Open UniGetUI security settings": "Відкрити налаштування безпеки UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Після зміни налаштувань безпеки вам буде необхідно перевідкрити колекцію, щоби зміни набули чинності.", + "Details of the report:": "Деталі звіту:", "\"{0}\" is a local package and can't be shared": "\"{0}\" є локальним пакетом: їм не можна поділитися", + "Are you sure you want to create a new package bundle? ": "Ви впевнені, що хочете створити нову колекцію?", + "Any unsaved changes will be lost": "Всі незбережені зміни буде втрачено", + "Warning!": "Увага!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "З міркувань безпеки, користувацькі аргументи командного рядка відключені за замовчуванням. Ви можете змінити це в налаштуваннях безпеки UniGetUI.", + "Change default options": "Змінити налаштування за замовченням", + "Ignore future updates for this package": "Ігнорувати оновлення цього пакета", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "З міркувань безпеки, перед- і після-операційні скрипти відключені за замовчуванням. Ви можете змінити це в налаштуваннях безпеки UniGetUI.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Ви можете задати команди, які будуть запущені до чи після встановлення, оновлення або видалення цього пакету. Вони будуть запущені з командного рядка, тож тут можна використовувати CMD скрипти.", + "Change this and unlock": "Змінити це й розблокувати", + "{0} Install options are currently locked because {0} follows the default install options.": "Варіанти встановлення для {0} заблоковані тому, що {0} дотримується налаштувань встановлення за замовчуванням.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Виберіть процеси, які мають бути закрити до того як цей пакет буде встановлено, оновлено чи видалено.", + "Write here the process names here, separated by commas (,)": "Введіть імена процесів тут, розділивши комами (,)", + "Unset or unknown": "Невідома або невстановлена", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Будь ласка, подивіться на вивід з командного рядка, або в історію операцій, щоб отримати більше інформації про проблему.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "В цьому пакеті не вистачає знімків екрану чи піктограми? Зробіть внесок у UniGetUI, додавши відсутні піктограми та знімки екрану в нашу відкриту та публічну базу даних.", + "Become a contributor": "Стати учасником", + "Save": "Зберегти", + "Update to {0} available": "Доступне оновлення до {0}", + "Reinstall": "Перевстановити", + "Installer not available": "Інсталятор не доступний", + "Version:": "Версія:", + "Performing backup, please wait...": "Створюється резервна копія, зачекайте, будь ласка…", + "An error occurred while logging in: ": "Виникла помилка при вході:", + "Fetching available backups...": "Завантажуємо список резервних копій…", + "Done!": "Виконано!", + "The cloud backup has been loaded successfully.": "Резервна копія з хмари була успішно завантажена.", + "An error occurred while loading a backup: ": "Виникла помилка при завантаженні резервної копії:", + "Backing up packages to GitHub Gist...": "Виконую резервне копіювання пакетів до GitHub Gist...", + "Backup Successful": "Резервне копіювання успішно виконано", + "The cloud backup completed successfully.": "Резервне копіювання в хмару завершено успішно.", + "Could not back up packages to GitHub Gist: ": "Не можу завантажити резервну копію пакетів до GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не має гарантій, що облікові данні зберігаються безпечно, тож, по можливості, не використовуйте тут облікові данні вашого банківського рахунку", + "Enable the automatic WinGet troubleshooter": "Увімкнути автоматичний засіб усунення неполадок для WinGet", + "Enable an [experimental] improved WinGet troubleshooter": "Увімкнути [експериментальний] покращений засіб усунення неполадок для WinGet", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Додати оновлення, що не вдалися з помилкою \"не знайдено оновлень, що можна застосувати\", до списку ігнорованих оновлень", + "Restart WingetUI to fully apply changes": "Перезапустіть UniGetUI, щоби повністю застосувати зміни", + "Restart WingetUI": "Перезапуск UniGetUI", + "Invalid selection": "Неприпустимий вибір", + "No package was selected": "Не було вибрано жодного пакета", + "More than 1 package was selected": "Було вибрано більше ніж один пакет", + "List": "Список", + "Grid": "Сітка", + "Icons": "Плитки", "\"{0}\" is a local package and does not have available details": "\"{0}\" є локальним пакетом: про нього немає доступної інформації", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" є локальним пакетом і несумісний з цією функціональністю", - "(Last checked: {0})": "(Остання перевірка: {0})", + "WinGet malfunction detected": "Виявлена проблема з WinGet ", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Схоже, WinGet несправний. Хочете спробувати відновити WinGet?", + "Repair WinGet": "Відновити WinGet", + "Create .ps1 script": "Створити .ps1 скрипт", + "Add packages to bundle": "Додати пакети до колекції", + "Preparing packages, please wait...": "Підготовка пакетів, будь ласка, зачекайте…", + "Loading packages, please wait...": "Завантаження пакетів, будь ласка, зачекайте…", + "Saving packages, please wait...": "Збереження пакетів, будь ласка, зачекайте…", + "The bundle was created successfully on {0}": "Колекція була збережена у файл {0}", + "Install script": "Скрипт для встановлення", + "The installation script saved to {0}": "Скрипт для встановлення був збережений як {0}", + "An error occurred while attempting to create an installation script:": "При спробі створити скрипт для встановлення виникла помилка:", + "{0} packages are being updated": "{0} пакетів оновлюється", + "Error": "Помилка", + "Log in failed: ": "Вхід не вдався:", + "Log out failed: ": "Вихід не вдався:", + "Package backup settings": "Налаштування резервного копіювання", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "({0} позиція в черзі)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@Vertuhai, Operator404, Artem Moldovanenko, @Taron-art, Alex Logvin", "0 packages found": "Знайдено 0 пакетів", "0 updates found": "Знайдено 0 оновлень", - "1 - Errors": "1 - Помилки", - "1 day": "1 день", - "1 hour": "1 година", "1 month": "1 місяць", "1 package was found": "Знайдено 1 пакет", - "1 update is available": "1 оновлення доступне", - "1 week": "1 тиждень", "1 year": "1 рік", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Перейти на сторінку \"{0}\" чи \"{1}\".", - "2 - Warnings": "2 - Застереження", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Знайти пакети, які ви хочете додати до колекції, та позначити їх прапорцем у найлівішій колонці.", - "3 - Information (less)": "3 - Інформація (менше)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Коли пакети, які ви хочете додати, вибрані, знайдіть та натисніть \"{0}\" на панелі інструментів.", - "4 - Information (more)": "4 - Інформація (більше)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Вибрані пакети будуть додані до колекції. Ви можете продовжити додавати пакети або експортувати колекцію.", - "5 - information (debug)": "5 - Інформація (налагодження)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Популярний менеджер бібліотек для C/C++. Заповнений бібліотеками для C/C++ та зв'язаними утилітами.
Містить: C/C++ бібліотеки та зв'язані утиліти", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Репозиторій повний утиліт та застосунків, спроектованих для екосистеми .NET від Microsoft.
Містить: Утиліти, зв'язані з .NET, та скрипти", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Репозиторій повний утиліт, спроектованих для екосистеми .NET від Microsoft.
Містить: Утиліти, пов'язані з .NET", "A restart is required": "Потрібен перезапуск", - "Abort install if pre-install command fails": "Відмінити встановлення, якщо команда перед встановленням завершиться невдало", - "Abort uninstall if pre-uninstall command fails": "Відмінити видалення, якщо команда перед видаленням завершиться невдало", - "Abort update if pre-update command fails": "Відмінити оновлення, якщо команда перед оновленням завершиться невдало", - "About": "Про програму", "About Qt6": "Про Qt6", - "About WingetUI": "Про UniGetUI", "About WingetUI version {0}": "Про UniGetUI версії {0}", "About the dev": "Про розробника", - "Accept": "Погоджуюсь", "Action when double-clicking packages, hide successful installations": "Дія при подвійному клацанні пакетів, приховати успішні інсталяції", - "Add": "Додати", "Add a source to {0}": "Додати джерело до {0}", - "Add a timestamp to the backup file names": "Додавати мітку часу до імен файлів резервної копії", "Add a timestamp to the backup files": "Додавати мітку часу до файлів резервної копії", "Add packages or open an existing bundle": "Додайте пакети чи відкрийте існуючу колекцію", - "Add packages or open an existing package bundle": "Додайте пакети чи відкрийте існуючу колекцію пакетів", - "Add packages to bundle": "Додати пакети до колекції", - "Add packages to start": "Додайте пакети, щоби почати", - "Add selection to bundle": "Додати вибране в колекцію", - "Add source": "Додати джерело", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Додати оновлення, що не вдалися з помилкою \"не знайдено оновлень, що можна застосувати\", до списку ігнорованих оновлень", - "Adding source {source}": "Додавання джерела {source}", - "Adding source {source} to {manager}": "Додаємо джерело {source} до {manager}", "Addition succeeded": "Додавання закінчилось успіхом", - "Administrator privileges": "Права адміністратора", "Administrator privileges preferences": "Параметри прав адміністратора", "Administrator rights": "Права адміністратора", - "Administrator rights and other dangerous settings": "Права адміністратора та інші небезпечні налаштування", - "Advanced options": "Розширені налаштування", "All files": "Всі файли", - "All versions": "Всі версії", - "Allow changing the paths for package manager executables": "Дозволити зміну шляхів до виконавчих файлів менеджерів пакетів", - "Allow custom command-line arguments": "Дозволити користувацькі аргументи командного рядка", - "Allow importing custom command-line arguments when importing packages from a bundle": "Дозволити імпортувати користувацькі аргументи командного рядка при імпорті пакетів з колекції", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Дозволити імпортувати користувацькі перед- і після-операційні скрипти при імпорті пакетів з колекції", "Allow package operations to be performed in parallel": "Дозволити виконувати операції з пакетами паралельно.", "Allow parallel installs (NOT RECOMMENDED)": "Дозволити паралельне встановлення (НЕ РЕКОМЕНДОВАНО)", - "Allow pre-release versions": "Дозволити підготовчі версії", "Allow {pm} operations to be performed in parallel": "Дозволити виконувати операції з {pm} паралельно", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Також, ви можете встановити {0}, запустивши наступну команду у стрічці Windows PowerShell:", "Always elevate {pm} installations by default": "Завжди підвищувати права установки {pm} за замовчуванням", "Always run {pm} operations with administrator rights": "Завжди запускати операції з {pm} від імені адміністратора.", - "An error occurred": "Виникла помилка", - "An error occurred when adding the source: ": "Сталася помилка при додаванні джерела:", - "An error occurred when attempting to show the package with Id {0}": "Виникла помилка при намаганні відобразити пакет з Id {0}", - "An error occurred when checking for updates: ": "Виникла помилка при перевірці оновлень:", - "An error occurred while attempting to create an installation script:": "При спробі створити скрипт для встановлення виникла помилка:", - "An error occurred while loading a backup: ": "Виникла помилка при завантаженні резервної копії:", - "An error occurred while logging in: ": "Виникла помилка при вході:", - "An error occurred while processing this package": "Виникла помилка при обробці цього пакету", - "An error occurred:": "Виникла помилка:", - "An interal error occurred. Please view the log for further details.": "Виникла внутрішня помилка. Будь ласка, продивіться журнал для більш детальної інформації.", "An unexpected error occurred:": "Сталася неочікувана помилка:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Виникла неочікувана проблема при намаганні відновити WinGet. Будь ласка, спробуйте пізніше.", - "An update was found!": "Знайдено оновлення!", - "Android Subsystem": "Підсистема Android", "Another source": "Інше джерело", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Для новий ярликів, створених під час операцій встановлення та оновлення, не буде показано діалогу підтвердження: замість цього вони будуть видалені автоматично.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Всі ярлики, створені або змінені не через UniGetUI, будуть проігноровані. Ви зможете додати їх за допомогою кнопки \"{0}\".", - "Any unsaved changes will be lost": "Всі незбережені зміни буде втрачено", "App Name": "Назва програми", - "Appearance": "Зовнішній вигляд", - "Application theme, startup page, package icons, clear successful installs automatically": "Тема програми, початковий екран, піктограми пакетів, автоматичне прибирання успішних операцій", - "Application theme:": "Тема програми:", - "Apply": "Застосувати", - "Architecture to install:": "Архітектура для встановлення:", "Are these screenshots wron or blurry?": "Ці скріншоти неправильні або розмиті?", - "Are you really sure you want to enable this feature?": "Ви точно впевнені що хочете увімкнути цю функцію?", - "Are you sure you want to create a new package bundle? ": "Ви впевнені, що хочете створити нову колекцію?", - "Are you sure you want to delete all shortcuts?": "Ви впевнені що хочете видаляти всі ярлики?", - "Are you sure?": "Ви впевнені?", - "Ascendant": "Зростанням", - "Ask for administrator privileges once for each batch of operations": "Запитувати права адміністратора один раз для кожної групи операцій ", "Ask for administrator rights when required": "Запитувати права адміністратора за необхідності", "Ask once or always for administrator rights, elevate installations by default": "Запитувати права адміністратора один раз або завжди, підвищувати права встановлення за замовчуванням", - "Ask only once for administrator privileges": "Одноразово запитувати права адміністратора", "Ask only once for administrator privileges (not recommended)": "Запитувати права адміністратора один раз (не рекомендується)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Спробувати видалити ярлики з робочого стола, створені під час встановлення або оновлення.", - "Attention required": "Потрібна ваша увага", "Authenticate to the proxy with an user and a password": "Автентифікуватися в проксі за допомогою користувача та пароля", - "Author": "Автор", - "Automatic desktop shortcut remover": "Автоматичне видалення ярликів з робочого столу", - "Automatic updates": "Автоматичні оновлення", - "Automatically save a list of all your installed packages to easily restore them.": "Автоматично зберігати список усіх встановлених вами пакетів, щоб мати змогу їх легко відновити.", "Automatically save a list of your installed packages on your computer.": "Автоматично зберігати список встановлених пакетів на вашому комп'ютері.", - "Automatically update this package": "Автоматично оновлювати цей пакет", "Autostart WingetUI in the notifications area": "Автозапуск WingetUI в області сповіщень", - "Available Updates": "Доступні оновлення", "Available updates: {0}": "Доступні оновлення: {0}", "Available updates: {0}, not finished yet...": "Доступні оновлення: {0}, ще не завершено...", - "Backing up packages to GitHub Gist...": "Виконую резервне копіювання пакетів до GitHub Gist...", - "Backup": "Зробити копію", - "Backup Failed": "Резервне копіювання не вдалося", - "Backup Successful": "Резервне копіювання успішно виконано", - "Backup and Restore": "Резервне копіювання і відновлення", "Backup installed packages": "Резервне копіювання встановлених пакетів", "Backup location": "Розташування резервної копії", - "Become a contributor": "Стати учасником", - "Become a translator": "Станьте перекладачем", - "Begin the process to select a cloud backup and review which packages to restore": "Почніть процес з вибору резервної копії й пакетів для відновлення", - "Beta features and other options that shouldn't be touched": "Бета-функції та інші параметри, які не варто чіпати", - "Both": "ІD або ім'я пакета", - "Bundle security report": "Звіт про безпеку колекції", "But here are other things you can do to learn about WingetUI even more:": "Але ось що ще можна зробити, щоб дізнатися про WingetUI ще більше:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Після відключення менеджера пакетів ви більше не зможете бачити чи оновлювати пакети з нього.", "Cache administrator rights and elevate installers by default": "Запам'ятовувати права адміністратора і підвищувати права установників за замовчуванням", "Cache administrator rights, but elevate installers only when required": "Запам'ятовувати права адміністратора, але підвищувати права установників тільки за необхідності", "Cache was reset successfully!": "Кеш успішно скинуто!", "Can't {0} {1}": "Не можу {0} {1}", - "Cancel": "Скасувати", "Cancel all operations": "Відмінити всі операції", - "Change backup output directory": "Змінити вихідну теку для резервного копіювання", - "Change default options": "Змінити налаштування за замовченням", - "Change how UniGetUI checks and installs available updates for your packages": "Змінити як UniGetUI перевіряє та встановлює оновлення для ваших пакетів", - "Change how UniGetUI handles install, update and uninstall operations.": "Змінити як UniGetUI керує операціями встановлення, оновлення й видалення.", "Change how UniGetUI installs packages, and checks and installs available updates": "Змінити як UniGetUI встановлює пакети, та як перевіряє і встановлює доступні оновлення", - "Change how operations request administrator rights": "Змінити як операції запитають права адміністратора", "Change install location": "Змінити місце встановлення", - "Change this": "Змінити", - "Change this and unlock": "Змінити це й розблокувати", - "Check for package updates periodically": "Періодично перевіряти оновлення пакетів", - "Check for updates": "Перевірити зараз", - "Check for updates every:": "Перевіряти наявність оновлень кожні:", "Check for updates periodically": "Перевіряти оновлення періодично", "Check for updates regularly, and ask me what to do when updates are found.": "Перевіряти оновлення регулярно і питати мене, що робити в разі їх виявлення.", "Check for updates regularly, and automatically install available ones.": "Регулярно перевіряйте наявність оновлень і автоматично встановлюйте доступні.", @@ -159,805 +741,283 @@ "Checking for updates...": "Перевірка оновлень...", "Checking found instace(s)...": "Перевірка знайдених екземплярів...", "Choose how many operations shouls be performed in parallel": "Виберіть кількість операцій, що можуть виконуватися одночасно", - "Clear cache": "Очистити кеш", "Clear finished operations": "Очистити завершені операції", - "Clear selection": "Зняти виділення", "Clear successful operations": "Прибрати успішні операції", - "Clear successful operations from the operation list after a 5 second delay": "Прибирати успішні операції зі списку операцій після 5 секунд очікування", "Clear the local icon cache": "Очистити кеш піктограм", - "Clearing Scoop cache - WingetUI": "Очищаємо кеш Scoop — UniGetUI", "Clearing Scoop cache...": "Очищення кешу Scoop...", - "Click here for more details": "Натисніть тут для подробиць", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Натисніть \"Встановити\" щоби почати процес встановлення. Якщо ви пропустите цей крок, UniGetUI може працювати не правильно.", - "Close": "Закрити", - "Close UniGetUI to the system tray": "Закріпити UniGetUI в системному треї", "Close WingetUI to the notification area": "Закріпити WingetUI в області сповіщень", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Резервне копіювання в хмару використовує GitHub Gist для зберігання списку встановлених пакетів", - "Cloud package backup": "Резервне копіювання в хмару", "Command-line Output": "Вивід з командного рядка", - "Command-line to run:": "Команда для запуску:", "Compare query against": "Порівняти запит з ", - "Compatible with authentication": "Сумісність з автентифікацією", - "Compatible with proxy": "Сумісність з проксі", "Component Information": "Інформація про компоненти", - "Concurrency and execution": "Паралелізм та виконання ", - "Connect the internet using a custom proxy": "Підключатися до інтернету, використовуючи вказаний проксі", - "Continue": "Продовжити", "Contribute to the icon and screenshot repository": "Додайте свій внесок у сховище значків і скріншотів", - "Contributors": "Учасники", "Copy": "Скопіювати", - "Copy to clipboard": "Копіювати в буфер обміну", - "Could not add source": "Неможливо додати джерело", - "Could not add source {source} to {manager}": "Неможливо додати джерело {source} до {manager}", - "Could not back up packages to GitHub Gist: ": "Не можу завантажити резервну копію пакетів до GitHub Gist:", - "Could not create bundle": "Неможливо створити колекцію", "Could not load announcements - ": "Неможливо завантажити анонсування - ", "Could not load announcements - HTTP status code is $CODE": "Неможливо завантажити анонсування: статус код HTTP — $CODE", - "Could not remove source": "Неможливо видалити джерело", - "Could not remove source {source} from {manager}": "Неможливо видалити джерело {source} з {manager}", "Could not remove {source} from {manager}": "Неможливо видалити {source} з {manager}", - "Create .ps1 script": "Створити .ps1 скрипт", - "Credentials": "Облікові данні", "Current Version": "Поточна версія", - "Current executable file:": "Поточний виконавчій файл:", - "Current status: Not logged in": "Статус: вхід не виконано", "Current user": "Для поточного користувача", "Custom arguments:": "Користувацькі аргументи:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Аргументи командного рядка, задані користувачем, можуть змінювати як програми встановлюються, оновлюються чи видаляються. UniGetUI не має можливості це контролювати. Також такі аргументи можуть псувати пакети. Дійте обережно.", "Custom command-line arguments:": "Користувацькі аргументи командного рядка:", - "Custom install arguments:": "Користувацькі аргументи встановлення:", - "Custom uninstall arguments:": "Користувацькі аргументи видалення:", - "Custom update arguments:": "Користувацькі аргументи оновлення:", "Customize WingetUI - for hackers and advanced users only": "Налаштування WingetUI - лише для хакерів та досвідчених користувачів", - "DEBUG BUILD": "ЗБІРКА ДЛЯ ВІДЛАДЖУВАННЯ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ВІДМОВА ВІД ВІДПОВІДАЛЬНОСТІ: МИ НЕ НЕСЕМО ВІДПОВІДАЛЬНОСТІ ЗА ЗАВАНТАЖЕНІ ПАКУНКИ. БУДЬ ЛАСКА, ВСТАНОВЛЮЙТЕ ТІЛЬКИ ПЕРЕВІРЕНЕ ПРОГРАМНЕ ЗАБЕЗПЕЧЕННЯ.", - "Dark": "Темна", - "Decline": "Не погоджуюсь", - "Default": "За замовчуванням", - "Default installation options for {0} packages": "Варіанти встановлення за замовчуванням для пакетів з {0}", "Default preferences - suitable for regular users": "Налаштування за замовчуванням - підходить для звичайних користувачів", - "Default vcpkg triplet": "Триплет vcpk за замовчуванням", - "Delete?": "Видалити?", - "Dependencies:": "Залежності:", - "Descendant": "Спаданням", "Description:": "Опис:", - "Desktop shortcut created": "Створено ярлик на робочому столі", - "Details of the report:": "Деталі звіту:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Розробка складна, і цей додаток безкоштовний. Але якщо вам сподобався застосунок, ви завжди можете купити мені кави :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Встановлювати пакет по подвійному клацанню на ньому на \"{discoveryTab}\" (замість демонстрації інформації про пакет)", "Disable new share API (port 7058)": "Вимкнути нове API для функції \"поділитися\" (порт 7058)", - "Disable the 1-minute timeout for package-related operations": "Відключити 1-хвилинний тайм-аут для операцій, пов'язаних з пакетами", - "Disabled": "Вимкнений", - "Disclaimer": "Відмова від відповідальності", - "Discover Packages": "Доступні пакети", "Discover packages": "Доступні пакети", "Distinguish between\nuppercase and lowercase": "Враховувати регістр", - "Distinguish between uppercase and lowercase": "Враховувати регістр", "Do NOT check for updates": "НЕ перевіряти наявність оновлень", "Do an interactive install for the selected packages": "Виконати інтерактивне встановлення для обраних пакетів", "Do an interactive uninstall for the selected packages": "Виконати інтерактивне видалення для обраних пакетів", "Do an interactive update for the selected packages": "Виконати інтерактивне оновлення для обраних пакетів", - "Do not automatically install updates when the battery saver is on": "Не встановлювати оновлення автоматично, якщо увімкнутий режим економії енергії", - "Do not automatically install updates when the device runs on battery": "Не встановлювати оновлення автоматично, якщо пристрій працює від батареї", - "Do not automatically install updates when the network connection is metered": "Не встановлювати оновлення автоматично, якщо підключення до мережі є лімітним", "Do not download new app translations from GitHub automatically": "Не завантажувати нові переклади з GitHub автоматично", - "Do not ignore updates for this package anymore": "Більше не ігнорувати оновлення цього пакету", "Do not remove successful operations from the list automatically": "Не видаляти успішні операції зі списку автоматично", - "Do not show this dialog again for {0}": "Більше не показувати цей діалог для {0}", "Do not update package indexes on launch": "Не оновлювати індекси пакетів при запуску", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Чи ви погоджуєтесь з тим, що UniGetUI збиратиме та відправлятиме анонімну статистику використання, єдина ціль якої - краще зрозуміти та покращити користувацький досвід?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Чи вважаєте ви UniGetUI корисним? Якщо так, то ви можете підтримати мою роботу, щоби я продовжив перетворювати UniGetUI на найкращій графічний інтерфейс для менеджерів пакетів.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Чи вважаєте ви WingetUI корисним? Бажаєте підтримати розробника? Якщо це так, ви можете {0}, це дуже допоможе!", - "Do you really want to reset this list? This action cannot be reverted.": "Ви дійсно хочете скинути цей список? Ці зміни буде неможливо відмінити.", - "Do you really want to uninstall the following {0} packages?": "Ви дійсно хочете видалити наступні {0} пакетів?", "Do you really want to uninstall {0} packages?": "Ви дійсно хочете видалити {0} пакетів?", - "Do you really want to uninstall {0}?": "Ви дійсно хочете видалити {0}?", "Do you want to restart your computer now?": "Ви хочете перезавантажити комп'ютер зараз?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Ви хочете перекласти UniGetUI своєю мовою? Дізнайтеся, як зробити свій внесок ТУТ!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Не маєте бажання жертвувати? Не переймайтеся, ви завжди можете показати UniGetUI своїм друзям. Поширте UniGetUI.", "Donate": "Пожертвувати", - "Done!": "Виконано!", - "Download failed": "Завантаження не вдалося", - "Download installer": "Завантажити інсталятор", - "Download operations are not affected by this setting": "Це налаштування не впливає на операції завантаження", - "Download selected installers": "Завантажити вибрані інсталятори", - "Download succeeded": "Завантаження завершено успішно", "Download updated language files from GitHub automatically": "Автоматично завантажувати оновлені файли перекладу з GitHub", - "Downloading": "Завантаження", - "Downloading backup...": "Завантажуємо резервну копію…", - "Downloading installer for {package}": "Завантаження інсталятора для {package}", - "Downloading package metadata...": "Завантаження метаданих пакета...", - "Enable Scoop cleanup on launch": "Увімкнути очищення Scoop під час запуску", - "Enable WingetUI notifications": "Увімкнути сповіщення UniGetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Увімкнути [експериментальний] покращений засіб усунення неполадок для WinGet", - "Enable and disable package managers, change default install options, etc.": "Увімкнути та вимкнути менеджери пакетів, змінити налаштування встановлення за замовчуванням і т.д.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Увімкнути оптимізацію використання ЦП у фоновому режимі (див. Pull Request №3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Увімкнути фоновий API (Віджети UniGetUI та можливість ділитися, порт 7058).", - "Enable it to install packages from {pm}.": "Увімкніть, щоб встановлювати пакети з {pm}.", - "Enable the automatic WinGet troubleshooter": "Увімкнути автоматичний засіб усунення неполадок для WinGet", - "Enable the new UniGetUI-Branded UAC Elevator": "Увімкнути новий модуль підвищення прав під брендом UniGetUI", - "Enable the new process input handler (StdIn automated closer)": "Увімкнути новий обробник вхідних даних з процесів (StdIn automated closer)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Вмикайте налаштування нижче ТОДІ Й ЛИШЕ ТОДІ, коли ви повністю розумієте що вони роблять і які наслідки та небезпеки вони можуть нести.", - "Enable {pm}": "Увімкнути {pm}", - "Enabled": "Увімкнено", - "Enter proxy URL here": "Введіть URL проксі тут", - "Entries that show in RED will be IMPORTED.": "Записи, які показані ЧЕРВОНИМ, будуть ІМПОРТОВАНІ.", - "Entries that show in YELLOW will be IGNORED.": "Записи, які показані ЖОВТИМ, будуть ПРОІГНОРОВАНІ.", - "Error": "Помилка", - "Everything is up to date": "Все оновлено", - "Exact match": "Точна відповідність", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Існуючи ярлики на вашому робочому столі будуть проскановані, вам буде необхідно вибрати які залишити, а які видалити.", - "Expand version": "Розгорнути версію", - "Experimental settings and developer options": "Експериментальні налаштування та опції розробника", - "Export": "Експорт", + "Downloading": "Завантаження", + "Downloading installer for {package}": "Завантаження інсталятора для {package}", + "Downloading package metadata...": "Завантаження метаданих пакета...", + "Enable the new UniGetUI-Branded UAC Elevator": "Увімкнути новий модуль підвищення прав під брендом UniGetUI", + "Enable the new process input handler (StdIn automated closer)": "Увімкнути новий обробник вхідних даних з процесів (StdIn automated closer)", "Export log as a file": "Експортувати журнал як файл", "Export packages": "Експортувати пакети", "Export selected packages to a file": "Експортувати вибрані пакети у файл", - "Export settings to a local file": "Експортувати налаштування у локальний файл", - "Export to a file": "Експорт у файл", - "Failed": "Не вдалося", - "Fetching available backups...": "Завантажуємо список резервних копій…", "Fetching latest announcements, please wait...": "Збираємо останні анонсування, будь ласка, зачекайте…", - "Filters": "Фільтри", "Finish": "Кінець", - "Follow system color scheme": "Дотримуватися колірної схеми системи", - "Follow the default options when installing, upgrading or uninstalling this package": "Дотримуватися налаштувань за замовченням при встановленні, оновленні й видаленні цього пакета ", - "For security reasons, changing the executable file is disabled by default": "З міркувань безпеки зміна виконавчого файлу відключена за замовчуванням.", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "З міркувань безпеки, користувацькі аргументи командного рядка відключені за замовчуванням. Ви можете змінити це в налаштуваннях безпеки UniGetUI.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "З міркувань безпеки, перед- і після-операційні скрипти відключені за замовчуванням. Ви можете змінити це в налаштуваннях безпеки UniGetUI.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Примусово використовувати winget, скомпільований під ARM (ТІЛЬКИ ДЛЯ СИСТЕМ НА ARM64)", - "Force install location parameter when updating packages with custom locations": "Примусово використовувати параметр розташування встановлення під час оновлення пакетів із користувацькими шляхами", "Formerly known as WingetUI": "Раніше відомий як WingetUI", "Found": "Знайдено", "Found packages: ": "Знайдено пакети:", "Found packages: {0}": "Знайдено пакетів: {0}", "Found packages: {0}, not finished yet...": "Знайдено пакети: {0}, ще не завершено...", - "General preferences": "Загальні налаштування", "GitHub profile": "Профіль GitHub", "Global": "Глобальний", - "Go to UniGetUI security settings": "Перейти в налаштування безпеки UniGetUI", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Чудове сховище невідомих, але корисних утиліт та інших цікавих пакетів.
Містить: Утиліти, програми командного рядка, загальне програмне забезпечення (потрібно додатково bucket)", - "Great! You are on the latest version.": "Чудово! У вас найновіша версія.", - "Grid": "Сітка", - "Help": "Допомога", "Help and documentation": "Допомога та документація", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Тут ви можете змінити поведінку UniGetUI стосовно наступних ярликів. Виділення ярлика призведе до його видалення програмою UniGetUI, якщо він буде створений при наступних оновленнях. Якщо прапорець зняти, ярлик залишиться неторкнутим.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Привіт, мене звуть Марті, і я розробник WingetUI. WingetUI був повністю зроблений у мій вільний час!", "Hide details": "Приховати деталі", - "Homepage": "Домашня сторінка", - "Hooray! No updates were found.": "Ура! Оновлення не знайдено.", "How should installations that require administrator privileges be treated?": "Як слід ставитися до установок, що вимагають прав адміністратора?", - "How to add packages to a bundle": "Як додати пакети до колекції", - "I understand": "Я розумію", - "Icons": "Плитки", - "Id": "Id", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Якщо резервне копіювання в хмару увімкнуто, копія буде збережена як GitHub Gist в цей обліковий запис", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Дозволити виконання користувацьких команд до та після встановлення під час імпорту пакетів із колекції", - "Ignore future updates for this package": "Ігнорувати оновлення цього пакета", - "Ignore packages from {pm} when showing a notification about updates": "Ігнорувати пакети з {pm} при показі сповіщень про оновлення", - "Ignore selected packages": "Ігнорувати обрані пакети", - "Ignore special characters": "Ігнорувати спеціальні символи", "Ignore updates for the selected packages": "Ігнорувати оновлення обраних пакетів", - "Ignore updates for this package": "Ігнорувати оновлення цього пакета", "Ignored updates": "Ігноровані оновлення", - "Ignored version": "Ігнорована версія", - "Import": "Імпорт", "Import packages": "Імпортувати пакети", "Import packages from a file": "Імпортувати пакети з файлу", - "Import settings from a local file": "Імпортувати налаштування з локального файлу", - "In order to add packages to a bundle, you will need to: ": "Щоб додати пакети до колекції, вам необхідно:", "Initializing WingetUI...": "Запуск UniGetUI...", - "Install": "Встановити", - "Install Scoop": "Встановити Scoop", "Install and more": "Встановлення й інше", "Install and update preferences": "Параметри встановлення й оновлення пакетів", - "Install as administrator": "Встановити від імені адміністратора", - "Install available updates automatically": "Автоматично встановлювати доступні оновлення", - "Install location can't be changed for {0} packages": "Не можна змінювати місце встановлення для пакетів з {0}", - "Install location:": "Місце встановлення:", - "Install options": "Варіанти встановлення", "Install packages from a file": "Встановити пакети з файлу", - "Install prerelease versions of UniGetUI": "Встановлювати підготовчі версії UniGetUI", - "Install script": "Скрипт для встановлення", "Install selected packages": "Встановити вибрані пакети", "Install selected packages with administrator privileges": "Встановіть вибрані пакети з правами адміністратора", - "Install selection": "Встановити вибране", "Install the latest prerelease version": "Встановити найновішу підготовчу версію", "Install updates automatically": "Встановлювати оновлення автоматично", - "Install {0}": "Встановити {0}", "Installation canceled by the user!": "Встановлення скасовано користувачем!", - "Installation failed": "Встановлення не вдалося", - "Installation options": "Варіанти встановлення", - "Installation scope:": "Рівень встановлення:", - "Installation succeeded": "Встановлення завершено успішно", - "Installed Packages": "Встановлені пакети", - "Installed Version": "Встановлена версія", "Installed packages": "Встановлені пакети", - "Installer SHA256": "SHA256 інсталятора", - "Installer SHA512": "Хеш SHA512", - "Installer Type": "Тип інсталятора", - "Installer URL": "URL інсталятора", - "Installer not available": "Інсталятор не доступний", "Instance {0} responded, quitting...": "Отримано відповідь від інстансу {0}, закриття...", - "Instant search": "Миттєвий пошук", - "Integrity checks can be disabled from the Experimental Settings": "Перевірка цілісності може бути відключена в експериментальних налаштуваннях", - "Integrity checks skipped": "Перевірка хешу пропущена", - "Integrity checks will not be performed during this operation": "Перевірка хешу не буде виконана під час цієї операції", - "Interactive installation": "Інтерактивна інсталяція", - "Interactive operation": "Інтерактивна операція", - "Interactive uninstall": "Інтерактивне видалення", - "Interactive update": "Інтерактивне оновлення", - "Internet connection settings": "Налаштування з'єднання з інтернетом", - "Invalid selection": "Неприпустимий вибір", "Is this package missing the icon?": "У цьому пакеті відсутній значок?", - "Is your language missing or incomplete?": "Ваша мова відсутня чи неповна?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Не має гарантій, що облікові данні зберігаються безпечно, тож, по можливості, не використовуйте тут облікові данні вашого банківського рахунку", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Рекомендовано перезапустити UniGetUI після того, як WinGet буде відновлено", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Дуже радимо перевстановити UniGetUI щоби виправити ситуацію.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Схоже, WinGet несправний. Хочете спробувати відновити WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Схоже, що ви запустили UniGetUI від імені адміністратора, що не рекомендується. Ви все ще можете використовувати програму, але ми наполегливо рекомендуємо не запускати UniGetUI з правами адміністратора. Натисніть на \"{showDetails}\", щоб дізнатися чому.", - "Language": "Мова", - "Language, theme and other miscellaneous preferences": "Мова, тема та інші параметри", - "Last updated:": "Останнє оновлення:", - "Latest": "Остання", "Latest Version": "Остання версія", "Latest Version:": "Остання версія:", "Latest details...": "Останні подробиці...", "Launching subprocess...": "Запускаємо підпроцес…", - "Leave empty for default": "Пусте за замовчуванням", - "License": "Ліцензія", "Licenses": "Ліцензії", - "Light": "Світла", - "List": "Список", "Live command-line output": "Виведення командного рядка", - "Live output": "Вивід наживо", "Loading UI components...": "Завантаження компонентів інтерфейсу...", "Loading WingetUI...": "Завантаження UniGetUI...", - "Loading packages": "Завантаження пакетів", - "Loading packages, please wait...": "Завантаження пакетів, будь ласка, зачекайте…", - "Loading...": "Завантаження...", - "Local": "Локально", - "Local PC": "Цей ПК", - "Local backup advanced options": "Розширені налаштування локального резервного копіювання", "Local machine": "Для всіх користувачів", - "Local package backup": "Локальне резервне копіювання пакетів", "Locating {pm}...": "Пошук {pm}...", - "Log in": "Увійти", - "Log in failed: ": "Вхід не вдався:", - "Log in to enable cloud backup": "Увійдіть, щоб увімкнути резервне копіювання в хмару", - "Log in with GitHub": "Увійти через GitHub", - "Log in with GitHub to enable cloud package backup.": "Увійдіть через GitHub, щоб увімкнути резервне копіювання в хмару", - "Log level:": "Рівень журналу:", - "Log out": "Вийти", - "Log out failed: ": "Вихід не вдався:", - "Log out from GitHub": "Вийти з GitHub аккаунту", "Looking for packages...": "Шукаю пакети…", "Machine | Global": "Пристрій | Глобально", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Неправильно сформовані аргументи командного рядка можуть псувати пакети, або навіть можуть дозволити зловмиснику запустити код з підвищеними привілеями. Саме тому імпортування користувацьких аргументів командного рядка відключено за замовчуванням", - "Manage": "Керувати", - "Manage UniGetUI settings": "Керування налаштуваннями UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Налаштувати автозавантаження UniGetUI у застосунку \"Налаштування\"", "Manage ignored packages": "Керування ігнорованими пакетами", - "Manage ignored updates": "Керування ігнорованими оновленнями", - "Manage shortcuts": "Керування ярликами", - "Manage telemetry settings": "Керування налаштуваннями телеметрії", - "Manage {0} sources": "Керування джерелами для {0}", - "Manifest": "Маніфест", "Manifests": "Маніфести", - "Manual scan": "Ручне сканування", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Офіційний менеджер пакетів Microsoft. Повний відомих і перевірених пакетів
Містить: Загальне програмне забезпечення, програми Microsoft Store", - "Missing dependency": "Відсутня залежність", - "More": "Ще", - "More details": "Більше деталей", - "More details about the shared data and how it will be processed": "Більше деталей про дані, які передаються, та як вони обробляються", - "More info": "Додаткова інформація", - "More than 1 package was selected": "Було вибрано більше ніж один пакет", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "ПРИМІТКА: Засіб усунення неполадок можна відключити у налаштуваннях UniGetUI, у секції WinGet", - "Name": "Ім'я", - "New": "Створити", "New Version": "Нова версія", "New bundle": "Нова колекція", - "New version": "Нова версія", - "Nice! Backups will be uploaded to a private gist on your account": "Славно! Резервні копії будуть завантажені у приватний Gist на вашому обліковому запису", - "No": "Ні", - "No applicable installer was found for the package {0}": "Підходящого інсталятора не знайдено для пакета {0}", - "No dependencies specified": "Жодних залежностей не вказано", - "No new shortcuts were found during the scan.": "В ході сканування нових ярликів не виявлено.", - "No package was selected": "Не було вибрано жодного пакета", "No packages found": "Пакети не знайдено", "No packages found matching the input criteria": "Не знайдено жодного результату, що відповідає введеним критеріям", "No packages have been added yet": "Жодного пакету ще не було додано", "No packages selected": "Не вибрано жодного пакету", - "No packages were found": "Жодного пакету не знайдено", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Жодна персональна інформація не збирається й не передається, зібрані данні анонімізуються, отже їх не можна зв'язати з вами.", - "No results were found matching the input criteria": "Не знайдено жодного результату, що відповідає введеним критеріям", "No sources found": "Джерел не знайдено", "No sources were found": "Жодного джерела не знайдено", "No updates are available": "Немає доступних оновлень", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Менеджер пакетів Node JS. Повний бібліотек та інших утиліт, які обертаються навколо світу javascript
Містить: Бібліотеки Node javascript та інші пов'язані з ними утиліти", - "Not available": "Не доступно", - "Not finding the file you are looking for? Make sure it has been added to path.": "Не бачите файл, який ви шукали? Впевнитесь, що він був доданий у змінну path.", - "Not found": "Не знайдено", - "Not right now": "Не зараз", "Notes:": "Примітки:", - "Notification preferences": "Параметри сповіщень", "Notification tray options": "Параметри панелі сповіщень", - "Notification types": "Типи сповіщень", - "NuPkg (zipped manifest)": "NuPkg (стиснутий маніфест)", - "OK": "ОК", "Ok": "Ок", - "Open": "Відкрити", "Open GitHub": "Відкрити GitHub", - "Open UniGetUI": "Відкрити UniGetUI", - "Open UniGetUI security settings": "Відкрити налаштування безпеки UniGetUI", "Open WingetUI": "Відкрити UniGetUI", "Open backup location": "Відкрити теку з резервними копіями", "Open existing bundle": "Відкрити колекцію", - "Open install location": "Відкрити теку установки", "Open the welcome wizard": "Відкрити майстра початкового налаштування", - "Operation canceled by user": "Операція відмінена користувачем", "Operation cancelled": "Операція була відмінена", - "Operation history": "Історія операцій", - "Operation in progress": "Операція виконується", - "Operation on queue (position {0})...": "Операція в черзі (позиція {0})…", - "Operation profile:": "Профіль операції:", "Options saved": "Опції збережено", - "Order by:": "Сортувати за:", - "Other": "Інше", - "Other settings": "Інші налаштування", - "Package": "Пакет", - "Package Bundles": "Колекції пакетів", - "Package ID": "ID пакета", "Package Manager": "Менеджер пакетів", - "Package Manager logs": "Журнали пакетних менеджерів", - "Package Managers": "Менеджери пакетів", - "Package Name": "Ім'я пакета", - "Package backup": "Резервне копіювання пакетів", - "Package backup settings": "Налаштування резервного копіювання", - "Package bundle": "Колекція пакетів", - "Package details": "Інформація про пакет", - "Package lists": "Списки пакетів", - "Package management made easy": "Керування пакетами без зусиль", - "Package manager": "Менеджер пакетів", - "Package manager preferences": "Налаштування менеджерів пакетів", "Package managers": "Менеджери пакетів", - "Package not found": "Пакет не знайдено", - "Package operation preferences": "Налаштування операцій з пакетами", - "Package update preferences": "Налаштування оновлень пакетів", "Package {name} from {manager}": "Пакет {name} з {manager}", - "Package's default": "За замовчуванням для пакета", "Packages": "Пакети", "Packages found: {0}": "Знайдено пакетів: {0}", - "Partially": "Частково", - "Password": "Пароль", "Paste a valid URL to the database": "Вставте дійсний URL до бази даних", - "Pause updates for": "Призупинити оновлення на", "Perform a backup now": "Виконати резервне копіювання зараз", - "Perform a cloud backup now": "Виконати резервне копіювання в хмару зараз", - "Perform a local backup now": "Виконати локальне резервне копіювання зараз", - "Perform integrity checks at startup": "Проводити перевірку цілісності під час запуску", - "Performing backup, please wait...": "Створюється резервна копія, зачекайте, будь ласка…", "Periodically perform a backup of the installed packages": "Періодично виконувати резервне копіювання встановлених пакетів", - "Periodically perform a cloud backup of the installed packages": "Періодично виконувати резервне копіювання в хмару встановлених пакетів", - "Periodically perform a local backup of the installed packages": "Періодично виконувати локальне резервне копіювання встановлених пакетів", - "Please check the installation options for this package and try again": "Будь ласка, перевірте вибраний варіант встановлення для цього пакету, та спробуйте знову", - "Please click on \"Continue\" to continue": "Будь ласка, натисніть на \"Продовжити\", щоб продовжити", "Please enter at least 3 characters": "Будь ласка, введіть хоча б 3 символи", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Зверніть увагу, що деякі пакети може бути неможливо встановити через увімкнені на цьому комп'ютері менеджери пакетів.", - "Please note that not all package managers may fully support this feature": "Будь ласка, зауважте, що не всі менеджери пакетів повністю підтримують цю функціональність ", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Зверніть увагу, що пакети з певних джерел можуть бути недоступні для експорту. Вони позначені сірим кольором і не будуть експортовані.", - "Please run UniGetUI as a regular user and try again.": "Будь ласка, перезапустіть UniGetUI від імені звичайного користувача, та спробуйте знову", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Будь ласка, подивіться на вивід з командного рядка, або в історію операцій, щоб отримати більше інформації про проблему.", "Please select how you want to configure WingetUI": "Будь ласка, виберіть, як ви хочете налаштувати WingetUI", - "Please try again later": "Будь ласка, спробуйте ще раз пізніше", "Please type at least two characters": "Будь ласка, введіть хоча б два символи", - "Please wait": "Будь ласка, зачекайте", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Будь ласка, зачекайте, поки {0} встановлюється. Ви можете побачити чорне (або блакитне) вікно. Дочекайтесь його закриття.", - "Please wait...": "Будь ласка, зачекайте...", "Portable": "Переносна", - "Portable mode": "Портативний режим", - "Post-install command:": "Команда після встановлення:", - "Post-uninstall command:": "Команда після видалення:", - "Post-update command:": "Команда після оновлення:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Менеджер пакетів для PowerShell. Знайди бібліотеки та скрипти які розширяють можливості PowerShell
Містить: Модулі, Скрипти, Командлети", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Перед- і після-операційні команди можуть зробити кепсько вашому пристрою, якщо вони задумувались з цією метою. Імпортувати команди з колекції може бути дуже небезпечно, окрім випадків, коли ви довіряєте джерелу її походження", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Перед- і після-операційні команди будуть запущені до та після встановлення, оновлення чи видалення пакету. Усвідомлюйте, що вони може щось зламати, якщо ви не будете обачні", - "Pre-install command:": "Команда перед встановленням:", - "Pre-uninstall command:": "Команда перед видаленням:", - "Pre-update command:": "Команда перед оновленням:", - "PreRelease": "Підготовча", - "Preparing packages, please wait...": "Підготовка пакетів, будь ласка, зачекайте…", - "Proceed at your own risk.": "Продовжуйте на власний ризик.", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Заборонити будь-яке підвищення прав через модуль підвищення UniGetUI або GSudo", - "Proxy URL": "URL-адреса проксі", - "Proxy compatibility table": "Таблиця сумісності з проксі", - "Proxy settings": "Налаштування проксі", - "Proxy settings, etc.": "Налаштування проксі та іншого.", "Publication date:": "Дата публікації:", - "Publisher": "Видавець", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Менеджер бібліотек Python. Повний набір бібліотек python та інших утиліт, пов'язаних з python
Містить: Бібліотеки python та пов'язані з ними утиліти", - "Quit": "Вийти", "Quit WingetUI": "Вийти з UniGetUI", - "Ready": "Готовий", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Зменшити кількість запитів UAC, підвищувати права установки за замовчуванням, розблокувати деякі небезпечні функції і т.д. ", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Зверніться до журналів UniGetUI, щоб отримати більше деталей стосовно пошкоджених файлів", - "Reinstall": "Перевстановити", - "Reinstall package": "Перевстановити пакет", - "Related settings": "Пов'язані налаштування", - "Release notes": "Нотатки про випуск", - "Release notes URL": "URL нотаток до випуску", "Release notes URL:": "URL нотаток до випуску:", "Release notes:": "Список змін:", "Reload": "Перезавантажити", - "Reload log": "Перезавантажити журнал", "Removal failed": "Видалення не вдалося", "Removal succeeded": "Видалення виконано успішно", - "Remove from list": "Видалити зі списку", "Remove permanent data": "Видалити постійні дані", - "Remove selection from bundle": "Прибрати вибране з колекції", "Remove successful installs/uninstalls/updates from the installation list": "Прибирати успішні встановлення/видалення/оновлення зі списку інсталяцій", - "Removing source {source}": "Видалення джерела {source}", - "Removing source {source} from {manager}": "Видаляємо джерело {source} з {manager}", - "Repair UniGetUI": "Відновити UniGetUI", - "Repair WinGet": "Відновити WinGet", - "Report an issue or submit a feature request": "Повідомити про проблему чи запропонувати покращення", "Repository": "Репозиторій", - "Reset": "Скинути", "Reset Scoop's global app cache": "Скинути кеш Scoop у системі", - "Reset UniGetUI": "Скинути UniGetUI", - "Reset WinGet": "Скинути WinGet", "Reset Winget sources (might help if no packages are listed)": "Скинути джерела Winget (може допомогти якщо в списку немає пакетів)", - "Reset WingetUI": "Скинути UniGetUI", "Reset WingetUI and its preferences": "Скинути UniGetUI та його налаштування", "Reset WingetUI icon and screenshot cache": "Скинути кеш знімків екрана та піктограм UniGetUI", - "Reset list": "Скинути список", "Resetting Winget sources - WingetUI": "Скидання джерел WinGet — UniGetUI", - "Restart": "Перезавантажити", - "Restart UniGetUI": "Перезапустити UniGetUI", - "Restart WingetUI": "Перезапуск UniGetUI", - "Restart WingetUI to fully apply changes": "Перезапустіть UniGetUI, щоби повністю застосувати зміни", - "Restart later": "Перезавантажити пізніше", "Restart now": "Перезавантажити зараз", - "Restart required": "Потрібне перезавантаження", - "Restart your PC to finish installation": "Перезавантажте комп'ютер, щоб завершити встановлення", - "Restart your computer to finish the installation": "Перезавантажте комп'ютер для завершення встановлення", - "Restore a backup from the cloud": "Відновити з резервної копії в хмарі", - "Restrictions on package managers": "Обмеження для менеджерів пакетів", - "Restrictions on package operations": "Обмеження для операцій з пакетами", - "Restrictions when importing package bundles": "Обмеження при імпорті колекцій пакетів", - "Retry": "Повторити", - "Retry as administrator": "Повторити від імені адміністратора", - "Retry failed operations": "Перезапустити невдалі операції", - "Retry interactively": "Спробувати знов у інтерактивному режимі", - "Retry skipping integrity checks": "Повторити без перевірки хешу", - "Retrying, please wait...": "Пробуємо знову, будь ласка, зачекайте…", - "Return to top": "Повернутися до початку", - "Run": "Запустити", - "Run as admin": "У режимі адміна", - "Run cleanup and clear cache": "Запустити очищення та видалити кеш", - "Run last": "Запустити останнім", - "Run next": "Запустити наступним", - "Run now": "Запустити зараз", + "Restart your PC to finish installation": "Перезавантажте комп'ютер, щоб завершити встановлення", + "Restart your computer to finish the installation": "Перезавантажте комп'ютер для завершення встановлення", + "Retry failed operations": "Перезапустити невдалі операції", + "Retrying, please wait...": "Пробуємо знову, будь ласка, зачекайте…", + "Return to top": "Повернутися до початку", "Running the installer...": "Запуск інсталятора...", "Running the uninstaller...": "Запуск деінсталятора...", "Running the updater...": "Запуск оновлення...", - "Save": "Зберегти", "Save File": "Зберегти файл", - "Save and close": "Зберегти та закрити", - "Save as": "Зберегти як", "Save bundle as": "Зберегти як", "Save now": "Зберегти зараз", - "Saving packages, please wait...": "Збереження пакетів, будь ласка, зачекайте…", - "Scoop Installer - WingetUI": "Інсталятор Scoop — UniGetUI", - "Scoop Uninstaller - WingetUI": "Програма видалення Scoop – UniGetUI", - "Scoop package": "Пакет Scoop", "Search": "Пошук", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Шукайте програмне забезпечення для настільних комп’ютерів, попереджайте мене, коли доступні оновлення, і не робіть дурниці. Я не хочу, щоб WingetUI був надто складним, я просто хочу мати простий магазин програмного забезпечення", - "Search for packages": "Пошук пакетів", - "Search for packages to start": "Для початку знайдіть пакети", - "Search mode": "Метод пошуку", "Search on available updates": "Пошук доступних оновлень", "Search on your software": "Пошук у ваших програмах", "Searching for installed packages...": "Пошук встановлених пакетів...", "Searching for packages...": "Пошук пакетів...", "Searching for updates...": "Пошук оновлень...", - "Select": "Вибрати", "Select \"{item}\" to add your custom bucket": "Виберіть \"{item}\" щоб додати користувацький bucket", "Select a folder": "Вибрати теку", - "Select all": "Вибрати все", "Select all packages": "Вибрати всі пакети", - "Select backup": "Виберіть копію", "Select only if you know what you are doing.": "Вибирайте, тільки якщо ви знаєте, що робите.", "Select package file": "Вибрати файл пакета", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Виберіть резервну копію для відкриття. Пізніше ви зможете переглянути, які пакети/програми ви хочете відновити.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Виберіть виконавчій файл, який буде використовуватися. Наступний список містить файли, знайдені UniGetUI", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Виберіть процеси, які мають бути закрити до того як цей пакет буде встановлено, оновлено чи видалено.", - "Select the source you want to add:": "Виберіть джерело для додавання:", - "Select upgradable packages by default": "Вибирати пакети, що можна оновити, за замовчуванням", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Виберіть, які менеджери пакетів використовувати ({0}), налаштуйте спосіб установлення пакетів, налаштуйте керування правами адміністратора тощо.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Відправлено рукостискання. Очікування відповіді слухаючого процесу... ({0}%)", - "Set a custom backup file name": "Задати особливе ім'я для файла резервної копії", "Set custom backup file name": "Задати особливе ім'я для файла резервної копії", - "Settings": "Опції", - "Share": "Поділитися", "Share WingetUI": "Пошир UniGetUI", - "Share anonymous usage data": "Збір анонімних даних про використання", - "Share this package": "Поділитися пакетом", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Після зміни налаштувань безпеки вам буде необхідно перевідкрити колекцію, щоби зміни набули чинності.", "Show UniGetUI on the system tray": "Показувати UniGetUI у системному лотку", - "Show UniGetUI's version and build number on the titlebar.": "Показувати версію UniGetUI на панелі заголовка", - "Show WingetUI": "Показати UniGetUI", "Show a notification when an installation fails": "Показувати повідомлення в разі збою встановлення", "Show a notification when an installation finishes successfully": "Показувати сповіщення про успішне завершення інсталяції", - "Show a notification when an operation fails": "Показувати сповіщення про неуспішні операції", - "Show a notification when an operation finishes successfully": "Показувати сповіщення про успішні операції", - "Show a notification when there are available updates": "Показувати сповіщення, коли є доступні оновлення", - "Show a silent notification when an operation is running": "Показувати беззвучне сповіщення, поки операція проводиться", "Show details": "Показати деталі", - "Show in explorer": "Показати в Провіднику", "Show info about the package on the Updates tab": "Показати інформацію про пакет на вкладці Оновлення", "Show missing translation strings": "Показати відсутні рядки перекладу", - "Show notifications on different events": "Показувати сповіщення про різні події", "Show package details": "Показати інформацію про пакет", - "Show package icons on package lists": "Відображати піктограми пакетів", - "Show similar packages": "Показувати схожі пакети", "Show the live output": "Показати виведення консолі", - "Size": "Розмір", "Skip": "Пропустити", - "Skip hash check": "Не перевіряти хеш", - "Skip hash checks": "Пропустити перевірки хешу", - "Skip integrity checks": "Пропустити перевірку хешу", - "Skip minor updates for this package": "Пропустити мінорні оновлення", "Skip the hash check when installing the selected packages": "Пропустити перевірку хешу під час встановлення вибраних пакетів", "Skip the hash check when updating the selected packages": "Пропустити перевірку хешу під час оновлення вибраних пакетів", - "Skip this version": "Пропустити версію", - "Software Updates": "Оновлення програм", - "Something went wrong": "Щось пішло не так", - "Something went wrong while launching the updater.": "Щось пішло не так при запуску програми оновлення.", - "Source": "Джерело", - "Source URL:": "URL джерела:", - "Source added successfully": "Джерело успішно додано", "Source addition failed": "Не вдалося додати джерело", - "Source name:": "Назва джерела:", "Source removal failed": "Не вдалося видалити джерело", - "Source removed successfully": "Джерело успішно видалено", "Source:": "Джерело:", - "Sources": "Джерела", "Start": "Почати", "Starting daemons...": "Запуск daemons...", - "Starting operation...": "Починаємо операцію…", "Startup options": "Параметри запуску", "Status": "Статус", "Stuck here? Skip initialization": "Застрягли тут? Пропустити ініціалізацію", - "Success!": "Успіх!", "Suport the developer": "Підтримати розробника", "Support me": "Підтримай мене", "Support the developer": "Підтримати розробника", "Systems are now ready to go!": "Тепер системи готові до роботи!", - "Telemetry": "Телеметрія", - "Text": "Текст", "Text file": "Текстовий файл", - "Thank you ❤": "Дякую ❤", - "Thank you \uD83D\uDE09": "Дякую \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Пакетний менеджер для Rust.
Містить: Бібліотеки та програми, написані мовою Rust ", - "The backup will NOT include any binary file nor any program's saved data.": "Резервна копія НЕ буде включати в собі жодних файлів програм або їх збережених даних.", - "The backup will be performed after login.": "Резервне копіювання буде виконано після входу у систему.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Резервна копія буде включати в себе повний список усіх встановлених пакетів та вибрані варіанти їх встановлення. Проігноровані оновлення та пропущені версії також будуть збережені.", - "The bundle was created successfully on {0}": "Колекція була збережена у файл {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Колекція, яку ви намагаєтеся відкрити, сформована некоректно. Будь ласка, перевірте файл, та спробуйте знову.", + "Thank you 😉": "Дякую 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Контрольна сума інсталятора не збігається з очікуваним значенням, і автентичність інсталятора не може бути перевірено. Якщо ви довіряєте видавцю, {0} пакет знову пропускає хеш-перевірку.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Класичний менеджер пакетів для Windows. Тут ви знайдете все, що потрібно.
Містить: Загальне програмне забезпечення", - "The cloud backup completed successfully.": "Резервне копіювання в хмару завершено успішно.", - "The cloud backup has been loaded successfully.": "Резервна копія з хмари була успішно завантажена.", - "The current bundle has no packages. Add some packages to get started": "У відкритій колекції немає жодного пакету. Додайте кілька, щоби почати.", - "The executable file for {0} was not found": "Виконуваний файл для {0} не знайдено", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Наступні налаштування будуть застосовані кожного разу коли пакет з {0} встановлюється, оновлюється чи видаляється.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Наступні пакети будуть експортовані у файл JSON. Жодні користувацькі дані або двійкові файли не буде збережено.", "The following packages are going to be installed on your system.": "Наступні пакети буде встановлено у вашій системі.", - "The following settings may pose a security risk, hence they are disabled by default.": "Наступні налаштування можуть становити загрозу безпеці, тож вони відключені за замовчуванням.", - "The following settings will be applied each time this package is installed, updated or removed.": "Наступні налаштування будуть застосовані кожного разу коли цей пакет встановлюється, оновлюється чи видаляється.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Наступні налаштування будуть застосовані кожного разу коли цей пакет встановлюється, оновлюється чи видаляється. Вони будуть збережені автоматично.", "The icons and screenshots are maintained by users like you!": "Іконки та скріншоти підтримуються такими ж користувачами, як і Ви!", - "The installation script saved to {0}": "Скрипт для встановлення був збережений як {0}", - "The installer authenticity could not be verified.": "Автентичність інсталятора неможливо перевірити. ", "The installer has an invalid checksum": "Інсталятор має недійсну контрольну суму", "The installer hash does not match the expected value.": "Хеш інсталятора не збігається з очікуваним значенням.", - "The local icon cache currently takes {0} MB": "Локальний кеш піктограм займає {0} МБ", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Основною метою цього проекту є створення інтуїтивно зрозумілого інтерфейсу для управління найпоширенішими CLI-менеджерами пакетів для Windows, такими як Winget та Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Пакет \"{0}\" не знайдено в пакетному менеджері \"{1}\"", - "The package bundle could not be created due to an error.": "Колекцію пакетів неможливо створити через помилку.", - "The package bundle is not valid": "Ця колекція пакетів сформована не коректно", - "The package manager \"{0}\" is disabled": "Пакетний менеджер \"{0}\" відключено", - "The package manager \"{0}\" was not found": "Пакетний менеджер \"{0}\" не знайдено", "The package {0} from {1} was not found.": "Пакет {0} з {1} не був знайдений", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Перераховані тут пакети не враховуватимуться під час перевірки оновлень. Двічі клацніть по них або натисніть кнопку праворуч, щоб перестати ігнорувати їхні оновлення.", "The selected packages have been blacklisted": "Вибраний пакет був доданий до чорного списку", - "The settings will list, in their descriptions, the potential security issues they may have.": "Кожне налаштування має опис потенційний ризиків, які воно може нести.", - "The size of the backup is estimated to be less than 1MB.": "Очікуваний розмір резервної копії — менше 1 МБ.", - "The source {source} was added to {manager} successfully": "Джерело {source} було успішно додано до {manager}", - "The source {source} was removed from {manager} successfully": "Джерело {source} було успішно видалено з {manager}", - "The system tray icon must be enabled in order for notifications to work": "Для функціонування сповіщень іконка у системному лотку має бути увімкнена", - "The update process has been aborted.": "Процес оновлення був перерваний", - "The update process will start after closing UniGetUI": "Процес оновлення почнеться після закриття UniGetUI", "The update will be installed upon closing WingetUI": "Оновлення буде встановлене після закриття UniGetUI", "The update will not continue.": "Оновлення не буде продовжено", "The user has canceled {0}, that was a requirement for {1} to be run": "Користувач відмінив{0}, що є передумовою для запуску {1}", - "There are no new UniGetUI versions to be installed": "Немає більш нової версії UniGetUI для встановлення", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Деякі операції ще не завершені. Вихід з UniGetUI може призвести до їх невдалого завершення. Бажаєте продовжити?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "На YouTube є кілька чудових відеороликів, що демонструють UniGetUI та його можливості. Ви можете дізнатися корисні трюки та поради!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Є дві основні причини не запускати UniGetUI від імені адміністратора:\n Перша полягає в тому, що менеджер пакетів Scoop може викликати проблеми з деякими командами при запуску з правами адміністратора.\n Друга причина полягає в тому, що запуск UniGetUI від імені адміністратора означає, що будь-який пакет, який ви завантажуєте, буде запущений від імені адміністратора (а це небезпечно).\n Пам'ятайте, що якщо вам потрібно встановити певний пакет від імені адміністратора, ви завжди можете натиснути правою кнопкою миші на пункт → Встановити/Оновити/Видалити від імені адміністратора.", - "There is an error with the configuration of the package manager \"{0}\"": "Сталася помилка зв'язана з конфігурацією менеджера пакетів \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Йде процес встановлення. Якщо ви закриєте UniGetUI, інсталяція може завершитися невдало і мати неочікувані результати. Ви все ще хочете вийти з UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "Це програми, що відповідають за встановлення, оновлення та видалення пакетів.", - "Third-party licenses": "Сторонні ліцензії", "This could represent a security risk.": "Це може становити ризик для безпеки.", - "This is not recommended.": "Це не рекомендується.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Ймовірно, це пов'язано з тим, що пакет, який вам було надіслано, було видалено або опубліковано у менеджері пакетів, який ви не ввімкнули. Отримано ідентифікатор {0}", "This is the default choice.": "Це вибір за замовчуванням.", - "This may help if WinGet packages are not shown": "Це може допомогти, якщо пакети WinGet не відображаються", - "This may help if no packages are listed": "Це може допомогти, якщо пакети не відображаються", - "This may take a minute or two": "Це може зайняти одну-дві хвилини.", - "This operation is running interactively.": "Ця операція запущена інтерактивно.", - "This operation is running with administrator privileges.": "Ця операція запущена з правами адміністратора.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Вибір цієї опції СПРИЧИНЯТИМЕ проблеми. Будь які операції, що нездатні підвищити собі права, завершаться НЕВДАЛО. Встановлення/оновлення/видалення від імені адміністратора НЕ ПРАЦЮВАТИМЕ.", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Ця колекція пакетів містить деякі потенційно небезпечні налаштування, що можуть ігноруватися за замовчуванням.", "This package can be updated": "Цей пакет можна оновити", "This package can be updated to version {0}": "Пакет було оновлено до версії {0}", - "This package can be upgraded to version {0}": "Пакет було оновлено до версії {0}", - "This package cannot be installed from an elevated context.": "Цей пакет не можна встановити від імені адміністратора.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "В цьому пакеті не вистачає знімків екрану чи піктограми? Зробіть внесок у UniGetUI, додавши відсутні піктограми та знімки екрану в нашу відкриту та публічну базу даних.", - "This package is already installed": "Цей пакет вже встановлено", - "This package is being processed": "Цей пакет обробляється", - "This package is not available": "Цей пакет не доступний", - "This package is on the queue": "Цей пакет в черзі", "This process is running with administrator privileges": "Процес запущено з правами адміністратора", - "This project has no connection with the official {0} project — it's completely unofficial.": "Цей проект не зв'язаний з офіційним проектом {0} — він повністю не офіційний.", "This setting is disabled": "Ця опція не доступна", "This wizard will help you configure and customize WingetUI!": "Цей майстер допоможе вам налаштувати WingetUI!", "Toggle search filters pane": "Показати або сховати панель фільтрів", - "Translators": "Перекладачі", - "Try to kill the processes that refuse to close when requested to": "Спробувати завершити процес, який відмовляється закритися за запитом", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Увімкнення цієї опції дозволить змінювати виконавчій файл, який використовується для взаємодії з менеджерами пакетами. Це дозволить точну кастомізацію вашого процесу встановлення, але може бути небезпечним", "Type here the name and the URL of the source you want to add, separed by a space.": "Введіть тут ім'я та URL джерела, яке ви хочете додати, розділені пробілом", "Unable to find package": "Неможливо знайти пакет", "Unable to load informarion": "Не вдалося завантажити інформацію", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI збирає анонімні дані про використання, щоб покращити користувацький досвід.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI збирає анонімну статистику використання, єдина ціль якої - краще зрозуміти та покращити користувацький досвід.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI виявив новий ярлик на робочому столі, який можна автоматично видалити.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI виявив наступні ярлики робочого стола, які можна автоматично видалити при наступних оновленнях пакетів.", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI виявив {0} нових ярликів на робочому столі, які можна автоматично видалити.", - "UniGetUI is being updated...": "UniGetUI оновлюється…", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI не має відношення до жодного з сумісних менеджерів пакетів. UniGetUI — це незалежний проект.", - "UniGetUI on the background and system tray": "UniGetUI у фоні та системному лотку", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI чи деякі з його компонентів відсутні або пошкоджені.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI потребує {0} для функціонування, але його не знайдено в вашій системі.", - "UniGetUI startup page:": "Початковий екран UniGetUI:", - "UniGetUI updater": "Оновлення UniGetUI", - "UniGetUI version {0} is being downloaded.": "UniGetUI версії {0} завантажується.", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} готовий для встановлення.", - "Uninstall": "Видалити", - "Uninstall Scoop (and its packages)": "Видалити Scoop (і його пакети)", "Uninstall and more": "Видалення й інше", - "Uninstall and remove data": "Видалити разом з даними", - "Uninstall as administrator": "Видаліть як адміністратор", "Uninstall canceled by the user!": "Деінсталяцію скасовано користувачем!", - "Uninstall failed": "Видалення не вдалося", - "Uninstall options": "Варіанти видалення", - "Uninstall package": "Видалити пакет", - "Uninstall package, then reinstall it": "Видалити пакет, потім встановити наново", - "Uninstall package, then update it": "Видалити пакет, потім оновити його", - "Uninstall previous versions when updated": "Видалити попередні версії при оновленні", - "Uninstall selected packages": "Видалити вибрані пакети", - "Uninstall selection": "Видалити вибране", - "Uninstall succeeded": "Видалення закінчилося вдало", "Uninstall the selected packages with administrator privileges": "Видалити вибрані пакети з правами адміністратора", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Пакети з можливістю видалення від джерела \"{0}\" не були опубліковані в жодному з доступних менеджерів пакетів, тому інформація про них відсутня.", - "Unknown": "Невідомо", - "Unknown size": "Розмір невідомий", - "Unset or unknown": "Невідома або невстановлена", - "Up to date": "Найновіший", - "Update": "Оновити", - "Update WingetUI automatically": "Оновлювати UniGetUI автоматично", - "Update all": "Оновити все", "Update and more": "Оновлення й інше", - "Update as administrator": "Оновити від імені адміністратора", - "Update check frequency, automatically install updates, etc.": "Частота перевірки, автоматичне встановлення оновлень та інше.", - "Update checking": "Перевірка оновлень", "Update date": "Дата оновлення", - "Update failed": "Оновлення не вдалося", "Update found!": "Оновлення знайдено!", - "Update now": "Оновити зараз", - "Update options": "Варіанти оновлення", "Update package indexes on launch": "Оновлювати індекс пакетів при запуску", "Update packages automatically": "Оновлювати пакети автоматично", "Update selected packages": "Оновити вибрані пакети", "Update selected packages with administrator privileges": "Оновити вибрані пакети з правами адміністратора", - "Update selection": "Оновити вибране", - "Update succeeded": "Оновлення виконано успішно", - "Update to version {0}": "Оновити до версії {0}", - "Update to {0} available": "Доступне оновлення до {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Оновлювати профілі Git для vcpkg автоматично (потребує встановленого Git)", "Updates": "Оновлення", "Updates available!": "Є оновлення!", - "Updates for this package are ignored": "Оновлення для цього пакета ігноруються", - "Updates found!": "Оновлення знайдено!", "Updates preferences": "Налаштування оновлень", "Updating WingetUI": "UniGetUI оновлюється", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Використовувати старий вбудований WinGet замість командлетів на PowerShell", - "Use a custom icon and screenshot database URL": "Вкажіть URL до користувацької бази даних значків та знімків екрану", "Use bundled WinGet instead of PowerShell CMDlets": "Використовувати вбудований WinGet замість командлетів на PowerShell", - "Use bundled WinGet instead of system WinGet": "Використовувати вбудований WinGet замість системного", - "Use installed GSudo instead of UniGetUI Elevator": "Використовувати встановлений GSudo замість вбудованого модуля підвищення UniGetUI", "Use installed GSudo instead of the bundled one": "Використовувати встановлений GSudo замість комплектного (потребує перезапуску програми)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Використовувати старий модуль підвищення UniGetUI (може бути корисно при виникненні проблем з вбудованим модулем підвищення UniGetUI)", - "Use system Chocolatey": "Використовувати Chocolatey, встановлений у системі", "Use system Chocolatey (Needs a restart)": "Використовувати системний Chocolatey (потрібен перезапуск)", "Use system Winget (Needs a restart)": "Використовувати системний Winget (потрібен перезапуск)", "Use system Winget (System language must be set to english)": "Використовувати системний Winget (мова системи має бути встановлена на англійську)", "Use the WinGet COM API to fetch packages": "Використовувати WinGet COM API для отримання пакетів", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Використовувати модуль на PowerShell для WinGet замість WinGet COM API", - "Useful links": "Корисні посилання", "User": "Користувач", - "User interface preferences": "Налаштування інтерфейсу користувача", "User | Local": "Користувач | Локально", - "Username": "Ім'я користувача", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Використання UniGetUI означає що ви приймаєте GNU Lesser General Public License v2.1 License", - "Using WingetUI implies the acceptation of the MIT License": "Використання UniGetUI означає згоду з ліцензією MIT.", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Корнева тека для Vcpkg не знайдена. Будь ласка, встановить змінну середовища %VCPKG_ROOT% чи вкажіть її у налаштуваннях UniGetUI.", "Vcpkg was not found on your system.": "Vcpkg не знайдено в вашій системі", - "Verbose": "Детальний", - "Version": "Версія", - "Version to install:": "Версія для встановлення:", - "Version:": "Версія:", - "View GitHub Profile": "Профіль на GitHub", "View WingetUI on GitHub": "Відкрити UniGetUI на GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Перегляньте вихідний код UniGetUI. Звідти ви можете повідомляти про помилки, пропонувати функції або, навіть, безпосередньо внести свій внесок у проект UniGetUI", - "View mode:": "Подання:", - "View on UniGetUI": "Відкрити у UniGetUI", - "View page on browser": "Відкрити сторінку в браузері", - "View {0} logs": "Продивитися журнал {0}", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Зачекати наявності підключення до інтернету перед тим, як виконувати задачі, які потребують цього підключення.", "Waiting for other installations to finish...": "Чекаємо, коли закінчаться інші інсталяції...", "Waiting for {0} to complete...": "Очікуємо завершення {0}…", - "Warning": "Увага", - "Warning!": "Увага!", - "We are checking for updates.": "Ми перевіряємо оновлення.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Не вдалося завантажити детальну інформацію про цей пакет, оскільки його не було знайдено в жодному з ваших джерел пакетів.", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Не вдалося завантажити детальну інформацію про цей пакет, оскільки його не було встановлено з доступного менеджера пакетів.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Ми не змогли {action} {package}. Будь ласка, спробуйте ще раз пізніше. Натисніть \"{showDetails}\", щоб отримати журнали інсталятора.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Ми не змогли {action} {package}. Будь ласка, спробуйте ще раз пізніше. Натисніть \"{showDetails}\", щоб отримати журнали інсталятора.", "We couldn't find any package": "Ми не змогли знайти жодного пакету", "Welcome to WingetUI": "Ласкаво просимо до UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Встановлювати також вже встановлені пакети при пакетному встановленні з колекції", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Коли виявлені нові ярлики, видаляти їх автоматично замість відображення цього діалогу.", - "Which backup do you want to open?": "Яку резервну копію ви бажаєте відкрити?", "Which package managers do you want to use?": "Які менеджери пакетів ви хочете використовувати?", "Which source do you want to add?": "Яке джерело ви бажаєте додати?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Хоча Winget можна використовувати з UniGetUI, UniGetUI можна використовувати з іншими пакетними менеджерами, що може збивати з пантелику. В минулому, UniGetUI був спроектований для роботи тільки з Winget, але це більше не так, і тому WingetUI більше не представляє те, що це проект бажає досягти.", - "WinGet could not be repaired": "Неможливо відновити WinGet", - "WinGet malfunction detected": "Виявлена проблема з WinGet ", - "WinGet was repaired successfully": "WinGet був успішно відновлений", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI — Все оновлено", "WingetUI - {0} updates are available": "UniGetUI — доступні оновлення {0}", "WingetUI - {0} {1}": "UniGetUI - {0} {1}", - "WingetUI Homepage": "Домашня сторінка UniGetUI", "WingetUI Homepage - Share this link!": "Домашня сторінка UniGetUI - поширте це посилання!", - "WingetUI License": "Ліцензія UniGetUI", - "WingetUI Log": "Журнал UniGetUI", - "WingetUI Repository": "Репозиторій UniGetUI", - "WingetUI Settings": "Налаштування UniGetUI", "WingetUI Settings File": "Файл налаштувань UniGetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI використовує наступні бібліотеки. Без них UniGetUI було б неможливо створити.", - "WingetUI Version {0}": "UniGetUI версія {0}", "WingetUI autostart behaviour, application launch settings": "Поведінка автозапуску UniGetUI, налаштування запуску програми", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI може перевіряти, чи є оновлення для вашим програм, та встановлювати їх автоматично (за вашим бажанням)", - "WingetUI display language:": "Мова відображення UniGetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI був запущений від імені адміністратора, що не рекомендується. Коли UniGetUI запущений таким чином, КОЖНА операція, яку запускає UniGetUI, буде мати права адміністратора. Ви все ще можете користуватися застосунком, але ми дуже радимо не запускати UniGetUI від імені адміністратора.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "UniGetUI був перекладений на більше ніж 40 мов дякуючи добровільним перекладачам. Дякую \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI не перекладено машинним способом! Наступні користувачі брали участь у перекладах:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI — це застосунок, який робить керування вашим програмним забезпеченням простіше: він надає графічний інтерфейс \"все в одному\" для ваших менеджерів пакетів.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "UniGetUI буде перейменовано, щоб відкреслити різницю між UniGetUI (інтерфейс, який ви використовуєте) та WinGet (менеджер пакетів від Microsoft, з яким я не зв'язаний).", "WingetUI is being updated. When finished, WingetUI will restart itself": "UniGetUI оновлюється. Після закінчення UniGetUI перезапуститься самостійно", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI безкоштовний, і він буде безкоштовним завжди. Жодної реклами чи кредитних карт, ніяких преміальних версій. 100% безкоштовний, назавжди. ", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "UniGetUI відображатиме запит UAC щоразу, коли для встановлення пакета потрібне підвищення прав.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI скоро стане {newname}. Це відповідає змінам в застосунку. Я (розробник) продовжу розробку проекта (як я роблю зараз), але під іншою назвою.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI був би неможливим без допомоги наших дорогих учасників. Подивіться їхній профіль на GitHub, без них WingetUI не існував би!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "UniGetUI було б неможливо створити без допомоги учасників. Дякую вам всім \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} готовий до встановлення.", - "Write here the process names here, separated by commas (,)": "Введіть імена процесів тут, розділивши комами (,)", - "Yes": "Да", - "You are logged in as {0} (@{1})": "Ви увійшли як {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Ви можете змінити цю поведінку в налаштуваннях безпеки UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Ви можете задати команди, які будуть запущені до чи після встановлення, оновлення або видалення цього пакету. Вони будуть запущені з командного рядка, тож тут можна використовувати CMD скрипти.", - "You have currently version {0} installed": "У вас встановлено версію {0} ", - "You have installed WingetUI Version {0}": "У вас встановлена UniGetUI версії {0}", - "You may lose unsaved data": "Ви можете втратити незбережені данні", - "You may need to install {pm} in order to use it with WingetUI.": "Можливо, вам необхідно встановити {pm}, щоб використовувати його з UniGetUI.", "You may restart your computer later if you wish": "Ви можете перезавантажити комп'ютер пізніше, якщо хочете", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Права адміністратора будуть запитані тільки один раз, потім вони будуть надані пакетам, які їх запитують.", "You will be prompted only once, and every future installation will be elevated automatically.": "Права адміністратора будуть запитані тільки один раз, і права кожної майбутньої установки будуть підвищені автоматично.", - "You will likely need to interact with the installer.": "Вірогідно, вам доведеться взаємодіяти за інсталятором.", - "[RAN AS ADMINISTRATOR]": "ЗАПУЩЕНО ВІД ІМЕНІ АДМІНІСТРАТОРА", "buy me a coffee": "купити мені каву", - "extracted": "видобуто", - "feature": "функція", "formerly WingetUI": "колись WingetUI", "homepage": "Домашня сторінка", "install": "встановити", "installation": "встановлення", - "installed": "встановлено", - "installing": "встановлення", - "library": "бібліотека", - "mandatory": "обов'язкова", - "option": "опція", - "optional": "необов'язкова", "uninstall": "видалити", "uninstallation": "видалення", "uninstalled": "видалено", - "uninstalling": "видалення", "update(noun)": "оновлення", "update(verb)": "оновити", "updated": "оновлено", - "updating": "оновлення", - "version {0}": "версії {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Варіанти встановлення для {0} заблоковані тому, що {0} дотримується налаштувань встановлення за замовчуванням.", "{0} Uninstallation": "{0} Видалення", "{0} aborted": "{0} перервано", "{0} can be updated": "{0} Можна оновити", - "{0} can be updated to version {1}": "{0} можна оновити до версії {1}", - "{0} days": "{0} дня", - "{0} desktop shortcuts created": "Створено {0} ярликів на робочому столі.", "{0} failed": "{0} не вдалося", - "{0} has been installed successfully.": "{0} було успішно встановлено.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} було успішно встановлено. Рекомендовано перезапустити UniGetUI для завершення установки.", "{0} has failed, that was a requirement for {1} to be run": "{0} завершилося невдало, що було передумовою для запуску {1}", - "{0} homepage": "Cторінка {0}", - "{0} hours": "{0} години", "{0} installation": "встановлення {0}", - "{0} installation options": "Варіанти встановлення {0}", - "{0} installer is being downloaded": "Інсталятор для {0} завантажується", - "{0} is being installed": "Встановлюється {0}", - "{0} is being uninstalled": "Видаляється {0}", "{0} is being updated": "{0} оновлюється", - "{0} is being updated to version {1}": "{0} був оновлений до версії {1}", - "{0} is disabled": "{0} вимкнено", - "{0} minutes": "{0} хвилини", "{0} months": "{0} місяців", - "{0} packages are being updated": "{0} пакетів оновлюється", - "{0} packages can be updated": "{0} пакетів можна оновити", "{0} packages found": "{0} знайдено пакетів", "{0} packages were found": "{0} було знайдено пакетів", - "{0} packages were found, {1} of which match the specified filters.": "Знайдено {0} пакетів, {1} з яких підходять під вибрані фільтри.", - "{0} selected": "{0} вибрано", - "{0} settings": "Налаштування {0}", - "{0} status": "Статус {0}", "{0} succeeded": "{0} виконано успішно", "{0} update": "{0} Оновлення", - "{0} updates are available": "{0} доступні оновлення", "{0} was {1} successfully!": "{0} було {1} успішно!", "{0} weeks": "{0} тижня", "{0} years": "{0} років", "{0} {1} failed": "{0} {1} не вдалося", - "{package} Installation": "Встановлення {package}", - "{package} Uninstall": "Видалення {package}", - "{package} Update": "Оновлення {package}", - "{package} could not be installed": "Неможливо встановити {package}", - "{package} could not be uninstalled": "{package} неможливо видалити", - "{package} could not be updated": "Неможливо оновити {package}", "{package} installation failed": "Не вдалося встановити {package}", - "{package} installer could not be downloaded": "Інсталятор для {package} неможливо завантажити", - "{package} installer download": "Завантаження інсталятора для {package}", - "{package} installer was downloaded successfully": "Інсталятор для {package} було успішно завантажено", "{package} uninstall failed": "Не вдалося видалити {package}", "{package} update failed": "Не вдалося оновити {package}", "{package} update failed. Click here for more details.": "Не вдалося оновити {package}. Натисніть тут для подробиць.", - "{package} was installed successfully": "{package} було успішно встановлено", - "{package} was uninstalled successfully": "{package} було успішно видалено", - "{package} was updated successfully": "{package} було успішно оновлено", - "{pcName} installed packages": "Пакети, встановлені на {pcName}", "{pm} could not be found": "{pm} не знайдено", "{pm} found: {state}": "{pm} знайдено: {state}", - "{pm} is disabled": "{pm} вимкнено", - "{pm} is enabled and ready to go": "{pm} увімкнений та готовий до використання", "{pm} package manager specific preferences": "Особливі налаштування менеджера пакетів {pm}", "{pm} preferences": "Налаштування {pm}", - "{pm} version:": "Версія {pm}:", - "{pm} was not found!": "{pm} не знайдено!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Привіт, мене звуть Марті, і я розробник WingetUI. WingetUI був повністю зроблений у мій вільний час!", + "Thank you ❤": "Дякую ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Цей проект не зв'язаний з офіційним проектом {0} — він повністю не офіційний." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ur.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ur.json index e43524732a..def6c69164 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ur.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_ur.json @@ -1,166 +1,737 @@ { + "Operation in progress": "آپریشن جاری ہے", + "Please wait...": "برائے مہربانی انتظار کریں...", + "Success!": "کامیابی!", + "Failed": "ناکام", + "An error occurred while processing this package": "اس پیکیج کو پروسیس کرتے وقت ایک خرابی پیش آئی", + "Log in to enable cloud backup": "کلاؤڈ بیک اپ فعال کرنے کے لیے لاگ ان کریں", + "Backup Failed": "بیک اپ ناکام ہو گیا", + "Downloading backup...": "بیک اپ ڈاؤن لوڈ ہو رہا ہے...", + "An update was found!": "ایک اپ ڈیٹ ملا!", + "{0} can be updated to version {1}": "{0} کو ورژن {1} میں اپ ڈیٹ کیا جا سکتا ہے", + "Updates found!": "اپ ڈیٹس مل گئیں!", + "{0} packages can be updated": "{0} پیکیجز کو اپ ڈیٹ کیا جا سکتا ہے", + "You have currently version {0} installed": "آپ کے پاس فی الحال ورژن {0} انسٹال ہے۔", + "Desktop shortcut created": "ڈیسک ٹاپ شارٹ کٹ بنایا گیا۔", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI نے ایک نئے ڈیسک ٹاپ شارٹ کٹ کا پتہ لگایا ہے جسے خود بخود حذف کیا جا سکتا ہے۔", + "{0} desktop shortcuts created": "{0} ڈیسک ٹاپ شارٹ کٹس بنائے گئے۔", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI نے {0} نئے ڈیسک ٹاپ شارٹ کٹس کا پتہ لگایا ہے جو خود بخود حذف ہو سکتے ہیں۔", + "Are you sure?": "کیا آپ یقین رکھتے ہیں؟", + "Do you really want to uninstall {0}?": "کیا آپ واقعی {0} کو اَن انسٹال کرنا چاہتے ہیں؟", + "Do you really want to uninstall the following {0} packages?": "کیا آپ واقعی درج ذیل {0} پیکجوں کو اَن انسٹال کرنا چاہتے ہیں؟", + "No": "نہیں", + "Yes": "جی ہاں", + "View on UniGetUI": "UniGetUI پر دیکھیں", + "Update": "اپ ڈیٹ", + "Open UniGetUI": "UniGetUI کھولیں۔", + "Update all": "سب کو اپ ڈیٹ کریں", + "Update now": "ابھی اپ ڈیٹ کریں", + "This package is on the queue": "یہ پیکج قطار میں ہے۔", + "installing": "انسٹال ہو رہا ہے", + "updating": "اپ ڈیٹ ہو رہا ہے", + "uninstalling": "ان انسٹال ہو رہا ہے", + "installed": "انسٹال ہو چکا ہے", + "Retry": "دوبارہ کوشش کریں", + "Install": "انسٹال کریں", + "Uninstall": "ان انسٹال کریں", + "Open": "کھولیں", + "Operation profile:": "آپریشن پروفائل:", + "Follow the default options when installing, upgrading or uninstalling this package": "اس پیکیج کو انسٹال، اپ گریڈ یا ان انسٹال کرتے وقت ڈیفالٹ اختیارات پر عمل کریں", + "The following settings will be applied each time this package is installed, updated or removed.": "ہر بار جب یہ پیکیج انسٹال، اپ ڈیٹ یا ہٹایا جائے گا تو درج ذیل ترتیبات لاگو ہوں گی۔", + "Version to install:": "انسٹال کرنے کے لئے ورژن:", + "Architecture to install:": "تنصیب کے لئے فن تعمیر:", + "Installation scope:": "انسٹالیشن کا دائرہ:", + "Install location:": "انسٹال مقام:", + "Select": "منتخب کریں", + "Reset": "ری سیٹ کریں", + "Custom install arguments:": "حسب ضرورت انسٹال دلائل:", + "Custom update arguments:": "حسب ضرورت اپ ڈیٹ دلائل:", + "Custom uninstall arguments:": "حسب ضرورت ان انسٹال دلائل:", + "Pre-install command:": "پری انسٹال کمانڈ:", + "Post-install command:": "پوسٹ انسٹال کمانڈ:", + "Abort install if pre-install command fails": "اگر پری انسٹال کمانڈ ناکام ہو تو انسٹالیشن منسوخ کریں", + "Pre-update command:": "پری اپ ڈیٹ کمانڈ:", + "Post-update command:": "پوسٹ اپ ڈیٹ کمانڈ:", + "Abort update if pre-update command fails": "اگر پری اپ ڈیٹ کمانڈ ناکام ہو تو اپ ڈیٹ منسوخ کریں", + "Pre-uninstall command:": "پری ان انسٹال کمانڈ:", + "Post-uninstall command:": "پوسٹ ان انسٹال کمانڈ:", + "Abort uninstall if pre-uninstall command fails": "اگر پری ان انسٹال کمانڈ ناکام ہو تو ان انسٹالیشن منسوخ کریں", + "Command-line to run:": "چلانے کے لیے کمانڈ لائن:", + "Save and close": "محفوظ کریں اور بند کریں", + "Run as admin": "ایڈمن کے طور پر چلائیں", + "Interactive installation": "انٹرایکٹو تنصیب", + "Skip hash check": "ہیش چیک چھوڑیں", + "Uninstall previous versions when updated": "اپ ڈیٹ ہونے پر پچھلے ورژنز کو ان انسٹال کریں", + "Skip minor updates for this package": "اس پیکیج کے لیے معمولی اپ ڈیٹس کو چھوڑ دیں۔", + "Automatically update this package": "اس پیکیج کو خود بخود اپ ڈیٹ کریں", + "{0} installation options": "{0} انسٹالیشن کے اختیارات", + "Latest": "تازہ ترین", + "PreRelease": "پری ریلیز", + "Default": "طے شدہ", + "Manage ignored updates": "نظرانداز کردہ اپ ڈیٹس کو منظم کریں", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "اپ ڈیٹس کی جانچ کرتے وقت یہاں درج پیکیجز کو مدنظر نہیں رکھا جائے گا۔ ان پر ڈبل کلک کریں یا ان کے دائیں جانب کے بٹن پر کلک کریں تاکہ ان کی اپ ڈیٹس کو نظر انداز کرنا بند کر دیں۔", + "Reset list": "فہرست کو دوبارہ ترتیب دیں۔", + "Package Name": "پیکیج کا نام", + "Package ID": "پیکیج آئی ڈی", + "Ignored version": "نظرانداز کردہ ورژن", + "New version": "نیا ورژن", + "Source": "ذریعہ", + "All versions": "تمام ورژنز", + "Unknown": "نامعلوم", + "Up to date": "تازہ ترین", + "Cancel": "منسوخ کریں", + "Administrator privileges": "ایڈمنسٹریٹر کی مراعات", + "This operation is running with administrator privileges.": "یہ آپریشن ایڈمنسٹریٹر کی مراعات کے ساتھ چل رہا ہے۔", + "Interactive operation": "انٹرایکٹو آپریشن", + "This operation is running interactively.": "یہ آپریشن انٹرایکٹو چل رہا ہے۔", + "You will likely need to interact with the installer.": "آپ کو ممکنہ طور پر انسٹالر کے ساتھ بات چیت کرنے کی ضرورت ہوگی۔", + "Integrity checks skipped": "سالمیت کی جانچ کو چھوڑ دیا گیا۔", + "Proceed at your own risk.": "اپنی ذمہ داری پر آگے بڑھیں۔", + "Close": "بند کریں", + "Loading...": "لوڈ ہو رہا ہے...", + "Installer SHA256": "انسٹالر SHA256", + "Homepage": "ہوم پیج", + "Author": "مصنف", + "Publisher": "پبلشر", + "License": "لائسنس", + "Manifest": "منصوبہ", + "Installer Type": "انسٹالر کی قسم", + "Size": "سائز", + "Installer URL": "انسٹالر یو آر ایل", + "Last updated:": "آخری بار اپ ڈیٹ کیا گیا:", + "Release notes URL": "ریلیز نوٹس یو آر ایل", + "Package details": "پیکیج کی تفصیلات", + "Dependencies:": "انحصارات:", + "Release notes": "ریلیز نوٹس", + "Version": "ورژن", + "Install as administrator": "ایڈمنسٹریٹر کے طور پر انسٹال کریں", + "Update to version {0}": "ورژن {0} میں اپ ڈیٹ کریں", + "Installed Version": "انسٹال شدہ ورژن", + "Update as administrator": "ایڈمنسٹریٹر کے طور پر اپ ڈیٹ کریں", + "Interactive update": "انٹرایکٹو اپ ڈیٹ", + "Uninstall as administrator": "بطور ایڈمنسٹریٹر ان انسٹال کریں۔", + "Interactive uninstall": "انٹرایکٹو ان انسٹال", + "Uninstall and remove data": "ان انسٹال کریں اور ڈیٹا کو ہٹا دیں۔", + "Not available": "دستیاب نہیں", + "Installer SHA512": "انسٹالر SHA512", + "Unknown size": "نامعلوم سائز", + "No dependencies specified": "کوئی انحصارات متعین نہیں", + "mandatory": "لازمی", + "optional": "اختیاری", + "UniGetUI {0} is ready to be installed.": "UniGetUI {0} انسٹال ہونے کے لیے تیار ہے۔", + "The update process will start after closing UniGetUI": "اپ ڈیٹ کا عمل UniGetUI کو بند کرنے کے بعد شروع ہوگا۔", + "Share anonymous usage data": "گمنام استعمال کا ڈیٹا شیئر کریں۔", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI صارف کے تجربے کو بہتر بنانے کے لیے گمنام استعمال کا ڈیٹا اکٹھا کرتا ہے۔", + "Accept": "قبول کریں۔", + "You have installed WingetUI Version {0}": "آپ نے WingetUI ورژن {0} انسٹال کیا ہے", + "Disclaimer": "دستبرداری", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI کا تعلق کسی بھی مطابقت پذیر پیکیج مینیجرز سے نہیں ہے۔ UniGetUI ایک آزاد منصوبہ ہے۔", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI تعاون کرنے والوں کی مدد کے بغیر ممکن نہیں تھا۔ آپ سب کا شکریہ 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI درج ذیل لائبریریوں کا استعمال کرتا ہے۔ ان کے بغیر، WingetUI ممکن نہیں ہوتا۔", + "{0} homepage": "{0} ہوم پیج", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "رضاکار مترجمین کی بدولت WingetUI کا 40 سے زیادہ زبانوں میں ترجمہ ہو چکا ہے۔ شکریہ 🤝", + "Verbose": "تفصیل سے", + "1 - Errors": "۱ - غلطیاں", + "2 - Warnings": "۲ - انتباہات", + "3 - Information (less)": "۳ - معلومات (کم)", + "4 - Information (more)": "۴ - معلومات (زیادہ)", + "5 - information (debug)": "۵ - معلومات (ڈی بگ)", + "Warning": "انتباہ", + "The following settings may pose a security risk, hence they are disabled by default.": "درج ذیل ترتیبات سیکیورٹی کا خطرہ پیدا کر سکتی ہیں، اس لیے وہ ڈیفالٹ طور پر غیر فعال ہیں۔", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "درج ذیل ترتیبات کو صرف اسی صورت فعال کریں جب آپ مکمل طور پر سمجھتے ہوں کہ وہ کیا کرتی ہیں اور ان کے ممکنہ اثرات کیا ہو سکتے ہیں۔", + "The settings will list, in their descriptions, the potential security issues they may have.": "ترتیبات اپنی وضاحتوں میں ان ممکنہ سیکیورٹی مسائل کی فہرست دیں گی جو ان میں ہو سکتے ہیں۔", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "بیک اپ میں انسٹال شدہ پیکجوں کی مکمل فہرست اور ان کی تنصیب کے اختیارات شامل ہوں گے۔ نظر انداز کیے گئے اپ ڈیٹس اور چھوڑے گئے ورژن بھی محفوظ کیے جائیں گے۔", + "The backup will NOT include any binary file nor any program's saved data.": "بیک اپ میں کوئی بائنری فائل شامل نہیں ہوگی اور نہ ہی کسی پروگرام کا محفوظ کردہ ڈیٹا۔", + "The size of the backup is estimated to be less than 1MB.": "بیک اپ کے سائز کا تخمینہ 1MB سے کم ہے۔", + "The backup will be performed after login.": "لاگ ان کے بعد بیک اپ لیا جائے گا۔", + "{pcName} installed packages": "{pcName} پر انسٹال شدہ پیکیجز", + "Current status: Not logged in": "موجودہ حالت: لاگ ان نہیں ہے", + "You are logged in as {0} (@{1})": "آپ {0} (@{1}) کے طور پر لاگ ان ہیں", + "Nice! Backups will be uploaded to a private gist on your account": "بہترین! بیک اپس آپ کے اکاؤنٹ پر نجی gist میں اپ لوڈ کیے جائیں گے", + "Select backup": "بیک اپ منتخب کریں", + "WingetUI Settings": "WingetUI سیٹنگز", + "Allow pre-release versions": "پری ریلیز ورژنز کی اجازت دیں", + "Apply": "لاگو کریں", + "Go to UniGetUI security settings": "UniGetUI سیکیورٹی کی ترتیبات پر جائیں", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "درج ذیل اختیارات ہر بار {0} پیکیج کے انسٹال، اپ گریڈ یا ان انسٹال ہونے پر ڈیفالٹ کے طور پر لاگو کیے جائیں گے۔", + "Package's default": "پیکیج کا ڈیفالٹ", + "Install location can't be changed for {0} packages": "{0} پیکجز کے لیے انسٹال مقام تبدیل نہیں کیا جا سکتا", + "The local icon cache currently takes {0} MB": "مقامی آئیکن کیش فی الحال {0} MB لیتا ہے۔", + "Username": "صارف کا نام", + "Password": "پاس ورڈ", + "Credentials": "اسناد", + "Partially": "جزوی طور پر", + "Package manager": "پیکیج منیجر", + "Compatible with proxy": "پروکسی کے ساتھ مطابقت رکھتا ہے", + "Compatible with authentication": "تصدیق کے ساتھ مطابقت رکھتا ہے", + "Proxy compatibility table": "پروکسی مطابقت ٹیبل", + "{0} settings": "{0} ترتیبات", + "{0} status": "{0} حالت", + "Default installation options for {0} packages": "{0} پیکجز کے لیے ڈیفالٹ انسٹالیشن اختیارات", + "Expand version": "ورژن کو پھیلائیں۔", + "The executable file for {0} was not found": "{0} کے لیے قابل عمل فائل نہیں ملی", + "{pm} is disabled": "{pm} غیر فعال ہے", + "Enable it to install packages from {pm}.": "{pm} سے پیکجز انسٹال کرنے کے لیے اسے فعال کریں۔", + "{pm} is enabled and ready to go": "{pm} فعال ہے اور تیار ہے", + "{pm} version:": "{pm} ورژن:", + "{pm} was not found!": "{pm} نہیں ملا!", + "You may need to install {pm} in order to use it with WingetUI.": "WingetUI کے ساتھ استعمال کرنے کے لیے آپ کو {pm} انسٹال کرنے کی ضرورت پڑ سکتی ہے۔", + "Scoop Installer - WingetUI": "Scoop انسٹالر - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop ان انسٹالر - WingetUI", + "Clearing Scoop cache - WingetUI": "اسکوپ کیشے کو صاف کرنا - WingetUI", + "Restart UniGetUI": "UniGetUI دوبارہ شروع کریں", + "Manage {0} sources": "{0} ماخذ کو منظم کریں", + "Add source": "ذریعہ شامل کریں", + "Add": "شامل کریں", + "Other": "دیگر", + "1 day": "۱ دن", + "{0} days": "{0} دن", + "{0} minutes": "{0} منٹ", + "1 hour": "۱ گھنٹہ", + "{0} hours": "{0} گھنٹے", + "1 week": "۱ ہفتہ", + "WingetUI Version {0}": "WingetUI ورژن {0}", + "Search for packages": "پیکیجز تلاش کریں", + "Local": "مقامی", + "OK": "ٹھیک ہے", + "{0} packages were found, {1} of which match the specified filters.": "{0} پیکیجز ملے، جن میں سے {1} مخصوص فلٹرز کے مطابق ہیں", + "{0} selected": "{0} منتخب ہے", + "(Last checked: {0})": "(آخری چیک: {0})", + "Enabled": "فعال", + "Disabled": "غیر فعال", + "More info": "مزید معلومات", + "Log in with GitHub to enable cloud package backup.": "کلاؤڈ پیکیج بیک اپ فعال کرنے کے لیے GitHub کے ساتھ لاگ ان کریں۔", + "More details": "مزید تفصیلات", + "Log in": "لاگ ان کریں", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "اگر کلاؤڈ بیک اپ فعال ہے تو یہ اس اکاؤنٹ پر GitHub Gist کے طور پر محفوظ ہوگا", + "Log out": "لاگ آؤٹ کریں", + "About": "کے بارے میں", + "Third-party licenses": "تیسری پارٹی کے لائسنس", + "Contributors": "تعاون کرنے والے", + "Translators": "مترجم", + "Manage shortcuts": "شارٹ کٹس کا نظم کریں۔", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI نے مندرجہ ذیل ڈیسک ٹاپ شارٹ کٹس کا پتہ لگایا ہے جنہیں مستقبل کے اپ گریڈ پر خود بخود ہٹایا جا سکتا ہے۔", + "Do you really want to reset this list? This action cannot be reverted.": "کیا آپ واقعی اس فہرست کو دوبارہ ترتیب دینا چاہتے ہیں؟ اس کارروائی کو واپس نہیں لیا جا سکتا۔", + "Remove from list": "فہرست سے ہٹائیں", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "جب نئے شارٹ کٹس دریافت ہوں تو اس ڈائیلاگ کو دکھانے کے بجائے انہیں خود بخود حذف کریں۔", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI صارف کے تجربے کو سمجھنے اور بہتر بنانے کے واحد مقصد کے ساتھ گمنام استعمال کا ڈیٹا اکٹھا کرتا ہے۔", + "More details about the shared data and how it will be processed": "مشترکہ ڈیٹا کے بارے میں مزید تفصیلات اور اس پر کارروائی کیسے کی جائے گی۔", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "کیا آپ قبول کرتے ہیں کہ UniGetUI استعمال کے گمنام اعدادوشمار جمع اور بھیجتا ہے، جس کا واحد مقصد صارف کے تجربے کو سمجھنا اور بہتر بنانا ہے؟", + "Decline": "رد کرنا", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "کوئی ذاتی معلومات اکٹھی نہیں کی جاتی اور نہ ہی بھیجی جاتی ہے، اور جمع کردہ ڈیٹا کو گمنام کر دیا جاتا ہے، اس لیے اسے آپ کو بیک ٹریک نہیں کیا جا سکتا۔", + "About WingetUI": "WingetUI کے بارے میں", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI ایک ایسی ایپلی کیشن ہے جو آپ کے کمانڈ لائن پیکج مینیجرز کے لیے ایک آل ان ون گرافیکل انٹرفیس فراہم کر کے آپ کے سافٹ ویئر کا انتظام آسان بناتی ہے۔", + "Useful links": "مفید لنکس", + "Report an issue or submit a feature request": "مسئلہ رپورٹ کریں یا فیچر کی درخواست جمع کروائیں", + "View GitHub Profile": "GitHub پروفائل دیکھیں", + "WingetUI License": "WingetUI لائسنس", + "Using WingetUI implies the acceptation of the MIT License": "WingetUI کا استعمال کرنے کا مطلب ہے کہ آپ نے MIT لائسنس کو قبول کر لیا ہے", + "Become a translator": "مترجم بنیں", + "View page on browser": "براؤزر میں صفحہ دیکھیں", + "Copy to clipboard": "کلپ بورڈ پر کاپی کریں۔", + "Export to a file": "فائل میں ایکسپورٹ کریں", + "Log level:": "لاگ کی سطح:", + "Reload log": "لاگ دوبارہ لوڈ کریں", + "Text": "متن", + "Change how operations request administrator rights": "آپریشنز کے ایڈمنسٹریٹر حقوق کی درخواست کرنے کا طریقہ تبدیل کریں", + "Restrictions on package operations": "پیکیج آپریشنز پر پابندیاں", + "Restrictions on package managers": "پیکیج مینیجرز پر پابندیاں", + "Restrictions when importing package bundles": "پیکیج بنڈلز درآمد کرتے وقت پابندیاں", + "Ask for administrator privileges once for each batch of operations": "ہر بیچ کے آپریشنز کے لئے ایک بار ایڈمنسٹریٹر مراعات طلب کریں", + "Ask only once for administrator privileges": "صرف ایک بار ایڈمنسٹریٹر مراعات طلب کریں", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator یا GSudo کے ذریعے کسی بھی قسم کی بلندی کو ممنوع قرار دیں", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "یہ اختیار یقیناً مسائل پیدا کرے گا۔ کوئی بھی آپریشن جو خود کو بلند کرنے کے قابل نہیں ہوگا ناکام ہو جائے گا۔ ایڈمنسٹریٹر کے طور پر انسٹال/اپ ڈیٹ/ان انسٹال کام نہیں کرے گا۔", + "Allow custom command-line arguments": "حسب ضرورت کمانڈ لائن دلائل کی اجازت دیں", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "حسب ضرورت کمانڈ لائن دلائل اس طریقے کو بدل سکتے ہیں جس سے پروگرام انسٹال، اپ گریڈ یا ان انسٹال ہوتے ہیں، اور اس پر UniGetUI قابو نہیں رکھتا۔ حسب ضرورت کمانڈ لائنوں کا استعمال پیکجز کو خراب کر سکتا ہے۔ احتیاط سے آگے بڑھیں۔", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "حسب ضرورت پری انسٹال اور پوسٹ انسٹال کمانڈز کو چلانے کی اجازت دیں", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "پری اور پوسٹ انسٹال کمانڈز پیکیج کے انسٹال، اپ گریڈ یا ان انسٹال ہونے سے پہلے اور بعد میں چلائی جائیں گی۔ خیال رکھیں کہ اگر احتیاط سے استعمال نہ کیا جائے تو یہ چیزوں کو خراب کر سکتی ہیں", + "Allow changing the paths for package manager executables": "پیکیج منیجر کے ایگزیکیوبلز کے راستے تبدیل کرنے کی اجازت دیں", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "اسے آن کرنے سے پیکیج مینیجرز کے ساتھ تعامل کے لیے استعمال ہونے والی ایگزیکیوبل فائل کو تبدیل کرنا ممکن ہو جاتا ہے۔ اگرچہ یہ آپ کے انسٹالیشن عمل کو زیادہ باریک سطح پر حسب ضرورت بنانے دیتا ہے، لیکن یہ خطرناک بھی ہو سکتا ہے", + "Allow importing custom command-line arguments when importing packages from a bundle": "بنڈل سے پیکجز درآمد کرتے وقت حسب ضرورت کمانڈ لائن دلائل درآمد کرنے کی اجازت دیں", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "خراب کمانڈ لائن دلائل پیکجز کو خراب کر سکتے ہیں، یا حتیٰ کہ کسی بدنیت عنصر کو خصوصی اجرا حاصل کرنے دے سکتے ہیں۔ اس لیے، حسب ضرورت کمانڈ لائن دلائل درآمد کرنا ڈیفالٹ طور پر غیر فعال ہے۔", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "بنڈل سے پیکجز درآمد کرتے وقت حسب ضرورت پری انسٹال اور پوسٹ انسٹال کمانڈز درآمد کرنے کی اجازت دیں", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "پری اور پوسٹ انسٹال کمانڈز آپ کے ڈیوائس پر بہت نقصان دہ کام کر سکتی ہیں، اگر انہیں ایسا کرنے کے لیے ڈیزائن کیا گیا ہو۔ بنڈل سے کمانڈز درآمد کرنا بہت خطرناک ہو سکتا ہے، جب تک آپ اس پیکیج بنڈل کے ماخذ پر اعتماد نہ کریں", + "Administrator rights and other dangerous settings": "ایڈمنسٹریٹر کے حقوق اور دیگر خطرناک ترتیبات", + "Package backup": "پیکیج بیک اپ", + "Cloud package backup": "کلاؤڈ پیکیج بیک اپ", + "Local package backup": "مقامی پیکیج بیک اپ", + "Local backup advanced options": "مقامی بیک اپ کے اعلیٰ اختیارات", + "Log in with GitHub": "GitHub کے ساتھ لاگ ان کریں", + "Log out from GitHub": "GitHub سے لاگ آؤٹ کریں", + "Periodically perform a cloud backup of the installed packages": "وقتاً فوقتاً انسٹال شدہ پیکجز کا کلاؤڈ بیک اپ کریں", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "کلاؤڈ بیک اپ انسٹال شدہ پیکجز کی فہرست محفوظ کرنے کے لیے ایک نجی GitHub Gist استعمال کرتا ہے", + "Perform a cloud backup now": "ابھی کلاؤڈ بیک اپ کریں", + "Backup": "بیک اپ", + "Restore a backup from the cloud": "کلاؤڈ سے بیک اپ بحال کریں", + "Begin the process to select a cloud backup and review which packages to restore": "کلاؤڈ بیک اپ منتخب کرنے اور بحال کیے جانے والے پیکجز کا جائزہ لینے کا عمل شروع کریں", + "Periodically perform a local backup of the installed packages": "وقتاً فوقتاً انسٹال شدہ پیکجز کا مقامی بیک اپ کریں", + "Perform a local backup now": "ابھی مقامی بیک اپ کریں", + "Change backup output directory": "بیک اپ آؤٹ پٹ ڈائریکٹری تبدیل کریں", + "Set a custom backup file name": "اپنی مرضی کا بیک اپ فائل نام سیٹ کریں", + "Leave empty for default": "ڈیفالٹ کے لئے خالی چھوڑ دیں", + "Add a timestamp to the backup file names": "بیک اپ فائل کے ناموں میں ٹائم اسٹیمپ شامل کریں", + "Backup and Restore": "بیک اپ اور بحالی", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "بیک گراؤنڈ API کو فعال کریں (WingetUI وجیٹس اور شیئرنگ، پورٹ 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "انٹرنیٹ کنیکٹیویٹی کی ضرورت کے کاموں کو کرنے کی کوشش کرنے سے پہلے ڈیوائس کے انٹرنیٹ سے منسلک ہونے کا انتظار کریں۔", + "Disable the 1-minute timeout for package-related operations": "پیکیج سے متعلق کارروائیوں کے لیے 1 منٹ کا ٹائم آؤٹ غیر فعال کریں۔", + "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator کی بجائے انسٹال شدہ GSudo استعمال کریں", + "Use a custom icon and screenshot database URL": "ایک حسب ضرورت آئیکن اور اسکرین شاٹ ڈیٹا بیس یو آر ایل کا استعمال کریں", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "پس منظر CPU کے استعمال کی اصلاح کو فعال کریں (دیکھیں پل کی درخواست #3278)", + "Perform integrity checks at startup": "آغاز پر سالمیت کی جانچ کریں", + "When batch installing packages from a bundle, install also packages that are already installed": "جب بنڈل سے بیچ میں پیکجز انسٹال کیے جائیں تو وہ پیکجز بھی انسٹال کریں جو پہلے سے انسٹال ہیں", + "Experimental settings and developer options": "تجرباتی ترتیبات اور ڈویلپر کے اختیارات", + "Show UniGetUI's version and build number on the titlebar.": "ٹائٹل بار پر UniGetUI کا ورژن اور بلڈ نمبر دکھائیں۔", + "Language": "زبان", + "UniGetUI updater": "UniGetUI اپ ڈیٹر", + "Telemetry": "ٹیلیمیٹری", + "Manage UniGetUI settings": "UniGetUI کی ترتیبات کا انتظام کریں", + "Related settings": "متعلقہ ترتیبات", + "Update WingetUI automatically": "WingetUI کو خود بخود اپ ڈیٹ کریں", + "Check for updates": "اپ ڈیٹس کے لیے چیک کریں۔", + "Install prerelease versions of UniGetUI": "UniGetUI کے پری ریلیز ورژن انسٹال کریں۔", + "Manage telemetry settings": "ٹیلی میٹری کی ترتیبات کا نظم کریں۔", + "Manage": "انتظام کریں۔", + "Import settings from a local file": "مقامی فائل سے ترتیبات درآمد کریں", + "Import": "درآمد کریں", + "Export settings to a local file": "ترتیبات کو مقامی فائل میں ایکسپورٹ کریں", + "Export": "برآمد کریں", + "Reset WingetUI": "WingetUI کو ری سیٹ کریں", + "Reset UniGetUI": "UniGetUI کو دوبارہ ترتیب دیں۔", + "User interface preferences": "صارف انٹرفیس کی ترجیحات", + "Application theme, startup page, package icons, clear successful installs automatically": "ایپلیکیشن تھیم، سٹارٹ اپ پیج، پیکج آئیکنز، خود بخود کامیاب انسٹال صاف ہو جاتے ہیں۔", + "General preferences": "عمومی ترجیحات", + "WingetUI display language:": "WingetUI ڈسپلے زبان:", + "Is your language missing or incomplete?": "کیا آپ کی زبان غائب ہے یا نامکمل؟", + "Appearance": "ظاہری شکل", + "UniGetUI on the background and system tray": "UniGetUI پس منظر اور سسٹم ٹرے میں", + "Package lists": "پیکیج کی فہرستیں", + "Close UniGetUI to the system tray": "UniGetUI کو سسٹم ٹرے میں بند کریں۔", + "Show package icons on package lists": "پیکیج کی فہرستوں پر پیکیج کی شبیہیں دکھائیں۔", + "Clear cache": "کیشے صاف کریں۔", + "Select upgradable packages by default": "ڈیفالٹ کے لحاظ سے اپ گریڈ ایبل پیکجز کو منتخب کریں۔", + "Light": "ہلکا", + "Dark": "اندھیرا", + "Follow system color scheme": "سسٹم کلر سکیم پر عمل کریں۔", + "Application theme:": "ایپلیکیشن تھیم:", + "Discover Packages": "پیکیجز دریافت کریں۔", + "Software Updates": "سافٹ ویئر اپ ڈیٹس", + "Installed Packages": "انسٹال شدہ پیکجز", + "Package Bundles": "پیکیج بنڈلز", + "Settings": "ترتیبات", + "UniGetUI startup page:": "UniGetUI آغاز صفحہ:", + "Proxy settings": "پروکسی کی ترتیبات", + "Other settings": "دیگر ترتیبات", + "Connect the internet using a custom proxy": "حسب ضرورت پروکسی استعمال کرتے ہوئے انٹرنیٹ سے جڑیں", + "Please note that not all package managers may fully support this feature": "براہ کرم نوٹ کریں کہ تمام پیکیج مینیجرز اس خصوصیت کو مکمل طور پر سپورٹ نہیں کر سکتے", + "Proxy URL": "پروکسی URL", + "Enter proxy URL here": "یہاں پروکسی URL درج کریں", + "Package manager preferences": "پیکیج منیجر کی ترجیحات", + "Ready": "تیار", + "Not found": "نہیں ملا", + "Notification preferences": "اطلاع کی ترجیحات", + "Notification types": "اطلاع کی اقسام", + "The system tray icon must be enabled in order for notifications to work": "اطلاعات کے کام کرنے کے لیے سسٹم ٹرے آئیکن کا فعال ہونا ضروری ہے۔", + "Enable WingetUI notifications": "WingetUI اطلاعات کو فعال کریں۔", + "Show a notification when there are available updates": "جب اپ ڈیٹس دستیاب ہوں تو نوٹیفکیشن دکھائیں", + "Show a silent notification when an operation is running": "جب کوئی آپریشن چل رہا ہو تو خاموش اطلاع دکھائیں۔", + "Show a notification when an operation fails": "آپریشن ناکام ہونے پر اطلاع دکھائیں۔", + "Show a notification when an operation finishes successfully": "جب آپریشن کامیابی سے ختم ہو جائے تو اطلاع دکھائیں۔", + "Concurrency and execution": "بیک وقت عمل اور اجرا", + "Automatic desktop shortcut remover": "خودکار ڈیسک ٹاپ شارٹ کٹ ہٹانے والا", + "Clear successful operations from the operation list after a 5 second delay": "5 سیکنڈ کی تاخیر کے بعد آپریشن لسٹ سے کامیاب آپریشنز کو صاف کریں۔", + "Download operations are not affected by this setting": "ڈاؤن لوڈ آپریشنز اس ترتیب سے متاثر نہیں ہوتے", + "Try to kill the processes that refuse to close when requested to": "ان پروسیسز کو ختم کرنے کی کوشش کریں جو درخواست کرنے پر بند ہونے سے انکار کرتے ہیں", + "You may lose unsaved data": "آپ محفوظ نہ کیا گیا ڈیٹا کھو سکتے ہیں", + "Ask to delete desktop shortcuts created during an install or upgrade.": "انسٹال یا اپ گریڈ کے دوران بنائے گئے ڈیسک ٹاپ شارٹ کٹس کو حذف کرنے کو کہیں۔", + "Package update preferences": "پیکیج اپ ڈیٹ کی ترجیحات", + "Update check frequency, automatically install updates, etc.": "اپ ڈیٹ کی جانچ کی تعدد، اپ ڈیٹس خود بخود انسٹال کریں، وغیرہ", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC اشاروں کو کم کریں، ڈیفالٹ کے طور پر انسٹالیشنز کو بلند کریں، کچھ خطرناک خصوصیات کو غیر مقفل کریں، وغیرہ", + "Package operation preferences": "پیکیج آپریشن کی ترجیحات", + "Enable {pm}": "{pm} کو فعال کریں", + "Not finding the file you are looking for? Make sure it has been added to path.": "جو فائل آپ تلاش کر رہے ہیں وہ نہیں مل رہی؟ یقینی بنائیں کہ اسے path میں شامل کیا گیا ہے۔", + "For security reasons, changing the executable file is disabled by default": "سیکیورٹی کی وجوہات کی بنا پر، ایگزیکیوبل فائل تبدیل کرنا ڈیفالٹ طور پر غیر فعال ہے", + "Change this": "یہ تبدیل کریں", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "استعمال کیے جانے والے ایگزیکیوبل کو منتخب کریں۔ درج ذیل فہرست UniGetUI کی طرف سے ملنے والے ایگزیکیوبلز دکھاتی ہے", + "Current executable file:": "موجودہ ایگزیکیوبل فائل:", + "Ignore packages from {pm} when showing a notification about updates": "اپ ڈیٹس کے بارے میں اطلاع دکھاتے وقت {pm} کے پیکجز کو نظر انداز کریں۔", + "View {0} logs": "{0} لاگز دیکھیں", + "Advanced options": "اعلیٰ ترین اختیارات", + "Reset WinGet": "WinGet کو دوبارہ ترتیب دیں۔", + "This may help if no packages are listed": "اس سے مدد مل سکتی ہے اگر کوئی پیکیج درج نہ ہو۔", + "Force install location parameter when updating packages with custom locations": "حسب ضرورت مقامات والے پیکیجز کو اپ ڈیٹ کرتے وقت انسٹال مقام کا پیرامیٹر لازمی کریں", + "Use bundled WinGet instead of system WinGet": "سسٹم WinGet کے بجائے بنڈل WinGet استعمال کریں۔", + "This may help if WinGet packages are not shown": "اگر WinGet پیکجز نہیں دکھائے گئے ہیں تو اس سے مدد مل سکتی ہے۔", + "Install Scoop": "سکوپ انسٹال کریں۔", + "Uninstall Scoop (and its packages)": "اسکوپ کو ان انسٹال کریں (اور اس کے پیکجز)", + "Run cleanup and clear cache": "صفائی کریں اور کیشے صاف کریں", + "Run": "چلائیں", + "Enable Scoop cleanup on launch": "لانچ پر اسکوپ کلین اپ کو فعال کریں۔", + "Use system Chocolatey": "سسٹم Chocolatey کا استعمال کریں", + "Default vcpkg triplet": "ڈیفالٹ vcpkg ٹرپلٹ", + "Language, theme and other miscellaneous preferences": "زبان، تھیم اور دیگر متفرق ترجیحات", + "Show notifications on different events": "مختلف واقعات پر نوٹیفکیشن دکھائیں", + "Change how UniGetUI checks and installs available updates for your packages": "یہ تبدیل کریں کہ UniGetUI آپ کے پیکیجز کے لئے دستیاب اپ ڈیٹس کو کیسے چیک اور انسٹال کرتا ہے", + "Automatically save a list of all your installed packages to easily restore them.": "تمام تنصیب شدہ پیکیجز کی فہرست خودکار طور پر محفوظ کریں تاکہ انہیں آسانی سے بحال کیا جا سکے۔", + "Enable and disable package managers, change default install options, etc.": "پیکیج مینیجرز کو فعال اور غیر فعال کریں، ڈیفالٹ انسٹالیشن اختیارات تبدیل کریں، وغیرہ", + "Internet connection settings": "انٹرنیٹ کنکشن کی ترتیبات", + "Proxy settings, etc.": "پروکسی کی ترتیبات، وغیرہ", + "Beta features and other options that shouldn't be touched": "بیٹا فیچرز اور دیگر اختیارات جنہیں نہیں چھیڑنا چاہئے", + "Update checking": "اپ ڈیٹ کی جانچ", + "Automatic updates": "خودکار اپ ڈیٹس", + "Check for package updates periodically": "پیکیج اپ ڈیٹس کو وقتاً فوقتاً چیک کریں", + "Check for updates every:": "ہر ایک کے لئے اپ ڈیٹس چیک کریں:", + "Install available updates automatically": "دستیاب اپ ڈیٹس خود بخود انسٹال کریں", + "Do not automatically install updates when the network connection is metered": "جب نیٹ ورک کنکشن میٹرڈ ہو تو اپ ڈیٹس خود بخود انسٹال نہ کریں", + "Do not automatically install updates when the device runs on battery": "جب ڈیوائس بیٹری پر چل رہی ہو تو اپ ڈیٹس خود بخود انسٹال نہ کریں", + "Do not automatically install updates when the battery saver is on": "جب بیٹری سیور آن ہو تو اپ ڈیٹس خود بخود انسٹال نہ کریں", + "Change how UniGetUI handles install, update and uninstall operations.": "یہ تبدیل کریں کہ UniGetUI انسٹال، اپ ڈیٹ اور ان انسٹال آپریشنز کو کیسے ہینڈل کرتا ہے۔", + "Package Managers": "پیکیج مینیجرز", + "More": "مزید", + "WingetUI Log": "WingetUI لاگ", + "Package Manager logs": "پیکیج منیجر لاگز", + "Operation history": "آپریشن کی تاریخ", + "Help": "مدد", + "Order by:": "ترتیب کے لحاظ سے:", + "Name": "نام", + "Id": "شناخت", + "Ascendant": "صعودی", + "Descendant": "نزولی", + "View mode:": "دیکھنے کا انداز:", + "Filters": "فلٹرز", + "Sources": "ذرائع", + "Search for packages to start": "شروع کرنے کے لئے پیکیجز تلاش کریں", + "Select all": "سب منتخب کریں", + "Clear selection": "انتخاب صاف کریں", + "Instant search": "فوری تلاش", + "Distinguish between uppercase and lowercase": "بڑے اور چھوٹے کے درمیان فرق کریں۔", + "Ignore special characters": "خاص کریکٹرز کو نظرانداز کریں", + "Search mode": "تلاش کا موڈ", + "Both": "دونوں", + "Exact match": "عین مطابق میچ", + "Show similar packages": "مشابہ پیکیجز دکھائیں", + "No results were found matching the input criteria": "ان پٹ معیار کے مطابق کوئی نتائج نہیں ملے", + "No packages were found": "کوئی پیکجز نہیں ملے", + "Loading packages": "پیکیجز لوڈ ہو رہے ہیں", + "Skip integrity checks": "سالمیت کی جانچ چھوڑیں", + "Download selected installers": "منتخب انسٹالرز ڈاؤن لوڈ کریں", + "Install selection": "انتخاب انسٹال کریں", + "Install options": "انسٹالیشن کے اختیارات", + "Share": "شیئر کریں", + "Add selection to bundle": "انتخاب کو بنڈل میں شامل کریں", + "Download installer": "انسٹالر ڈاؤن لوڈ کریں", + "Share this package": "اس پیکیج کو شیئر کریں", + "Uninstall selection": "منتخب کردہ کو ان انسٹال کریں", + "Uninstall options": "ان انسٹال کے اختیارات", + "Ignore selected packages": "منتخب کردہ پیکیجز کو نظرانداز کریں", + "Open install location": "انسٹال لوکیشن کھولیں۔", + "Reinstall package": "پیکیج دوبارہ انسٹال کریں", + "Uninstall package, then reinstall it": "پیکیج کو ان انسٹال کریں، پھر اسے دوبارہ انسٹال کریں۔", + "Ignore updates for this package": "اس پیکیج کے اپ ڈیٹس کو نظرانداز کریں", + "Do not ignore updates for this package anymore": "اس پیکج کے لیے اپ ڈیٹس کو مزید نظر انداز نہ کریں۔", + "Add packages or open an existing package bundle": "پیکیجز شامل کریں یا موجودہ پیکیج بنڈل کھولیں۔", + "Add packages to start": "شروع کرنے کے لیے پیکجز شامل کریں۔", + "The current bundle has no packages. Add some packages to get started": "موجودہ بنڈل میں کوئی پیکیج نہیں ہے۔ شروع کرنے کے لیے کچھ پیکجز شامل کریں۔", + "New": "نیا", + "Save as": "اس نام سے محفوظ کریں", + "Remove selection from bundle": "بُنڈل سے انتخاب ہٹائیں", + "Skip hash checks": "ہیش چیکس کو چھوڑ دیں۔", + "The package bundle is not valid": "پیکیج بنڈل درست نہیں ہے۔", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "آپ جس بنڈل کو لوڈ کرنے کی کوشش کر رہے ہیں وہ غلط معلوم ہوتا ہے۔ براہ کرم فائل چیک کریں اور دوبارہ کوشش کریں۔", + "Package bundle": "پیکیج بنڈل", + "Could not create bundle": "بنڈل نہیں بنایا جا سکا", + "The package bundle could not be created due to an error.": "ایک خرابی کی وجہ سے پیکیج بنڈل نہیں بنایا جا سکا۔", + "Bundle security report": "بنڈل کی سیکیورٹی رپورٹ", + "Hooray! No updates were found.": "واہ! کوئی اپ ڈیٹس نہیں ملی۔", + "Everything is up to date": "سب کچھ تازہ ترین ہے", + "Uninstall selected packages": "منتخب پیکجز کو ان انسٹال کریں۔", + "Update selection": "منتخب کردہ کو اپ ڈیٹ کریں", + "Update options": "اپ ڈیٹ کے اختیارات", + "Uninstall package, then update it": "پیکیج کو ان انسٹال کریں، پھر اسے اپ ڈیٹ کریں۔", + "Uninstall package": "پیکیج کو ان انسٹال کریں۔", + "Skip this version": "اس ورژن کو چھوڑیں", + "Pause updates for": "اتنے وقت کے لیے اپ ڈیٹس موقوف کریں:", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "رسٹ پیکیج مینیجر۔
پر مشتمل ہے: رسٹ لائبریریز اور پروگرامز جو زنگ میں لکھے گئے ہیں", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "ونڈوز کے لیے کلاسیکل پیکیج مینیجر۔ آپ کو وہاں سب کچھ مل جائے گا۔
پر مشتمل ہے: جنرل سافٹ ویئر", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "مائیکروسافٹ کے .NET ایکو سسٹم کے لئے تیار کردہ ٹولز اور ایگزیکیوشن فائلز سے بھرا ہوا ریپوزیٹری۔
اس میں شامل ہے: .NET سے متعلق ٹولز اور سکرپٹس", + "NuPkg (zipped manifest)": "NuPkg (زپ شدہ منیفیسٹ)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "نوڈ جے ایس کا پیکیج مینیجر۔ لائبریریوں اور دیگر افادیت سے بھری ہوئی ہے جو جاوا اسکرپٹ کی دنیا کا چکر لگاتی ہے
پر مشتمل ہے: نوڈ جاوا اسکرپٹ لائبریریاں اور دیگر متعلقہ یوٹیلیٹیز", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "ازگر کی لائبریری مینیجر۔ ازگر کی لائبریریوں اور ازگر سے متعلق دیگر یوٹیلیٹیز سے بھرا ہوا
مشتمل ہے: پائیتھن لائبریریز اور متعلقہ یوٹیلیٹیز", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "پاور شیل کا پیکیج مینیجر۔ PowerShell کی صلاحیتوں کو بڑھانے کے لیے لائبریریاں اور اسکرپٹ تلاش کریں
مشتمل ہیں: ماڈیولز، اسکرپٹس، Cmdlets", + "extracted": "نکالا گیا", + "Scoop package": "Scoop پیکیج", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "نامعلوم لیکن کارآمد یوٹیلیٹیز اور دیگر دلچسپ پیکجز کا زبردست ذخیرہ۔
مشتمل ہے: یوٹیلٹیز، کمانڈ لائن پروگرام، جنرل سافٹ ویئر (اضافی بالٹی درکار)", + "library": "لائبریری", + "feature": "خصوصیت", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ایک مشہور C/C++ لائبریری مینیجر۔ C/C++ لائبریریوں اور دیگر C/C++ سے متعلقہ یوٹیلیٹیز
پر مشتمل ہے: C/C++ لائبریریاں اور متعلقہ یوٹیلیٹیز", + "option": "اختیار", + "This package cannot be installed from an elevated context.": "اس پیکج کو بلند سیاق و سباق سے انسٹال نہیں کیا جا سکتا۔", + "Please run UniGetUI as a regular user and try again.": "براہ کرم UniGetUI کو باقاعدہ صارف کے طور پر چلائیں اور دوبارہ کوشش کریں۔", + "Please check the installation options for this package and try again": "براہ کرم اس پیکیج کے لیے انسٹالیشن کے اختیارات چیک کریں اور دوبارہ کوشش کریں۔", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "مائیکروسافٹ کا آفیشل پیکیج مینیجر۔ معروف اور تصدیق شدہ پیکجوں سے بھرا
مشتمل ہے: جنرل سافٹ ویئر، مائیکروسافٹ اسٹور ایپس", + "Local PC": "مقامی پی سی", + "Android Subsystem": "اینڈرائیڈ سب سسٹم", + "Operation on queue (position {0})...": "قطار میں آپریشن (پوزیشن {0}...)", + "Click here for more details": "مزید تفصیلات کے لیے یہاں کلک کریں۔", + "Operation canceled by user": "صارف کے ذریعے آپریشن منسوخ کر دیا گیا۔", + "Starting operation...": "آپریشن شروع ہو رہا ہے...", + "{package} installer download": "{package} انسٹالر ڈاؤن لوڈ", + "{0} installer is being downloaded": "{0} انسٹالر ڈاؤن لوڈ ہو رہا ہے۔", + "Download succeeded": "ڈاؤن لوڈ کامیاب ہو گیا۔", + "{package} installer was downloaded successfully": "{package} انسٹالر کامیابی سے ڈاؤن لوڈ ہو گیا۔", + "Download failed": "ڈاؤن لوڈ ناکام ہو گیا۔", + "{package} installer could not be downloaded": "{package} انسٹالر ڈاؤن لوڈ نہیں ہو سکا", + "{package} Installation": "{package} انسٹالیشن", + "{0} is being installed": "{0} انسٹال ہو رہا ہے۔", + "Installation succeeded": "انسٹالیشن کامیاب ہوگئی", + "{package} was installed successfully": "{package} کامیابی سے انسٹال ہو گیا", + "Installation failed": "انسٹالیشن ناکام ہوگئی", + "{package} could not be installed": "{package} انسٹال نہیں ہو سکا", + "{package} Update": "{package} اپ ڈیٹ", + "{0} is being updated to version {1}": "{0} ورژن {1} میں اپ ڈیٹ ہو رہا ہے", + "Update succeeded": "اپ ڈیٹ کامیاب ہو گیا", + "{package} was updated successfully": "{package} کامیابی سے اپ ڈیٹ ہو گیا", + "Update failed": "اپ ڈیٹ ناکام ہو گیا", + "{package} could not be updated": "{package} اپ ڈیٹ نہیں ہو سکا", + "{package} Uninstall": "{package} ان انسٹال", + "{0} is being uninstalled": "{0} کو اَن انسٹال کیا جا رہا ہے۔", + "Uninstall succeeded": "اَن انسٹال کرنا کامیاب ہو گیا۔", + "{package} was uninstalled successfully": "{package} کامیابی سے ان انسٹال ہو گیا", + "Uninstall failed": "اَن انسٹال ناکام ہو گیا۔", + "{package} could not be uninstalled": "{package} ان انسٹال نہیں ہو سکا", + "Adding source {source}": "ماخذ شامل کرنا {source}", + "Adding source {source} to {manager}": "ذریعہ {source} کو {manager} میں شامل کیا جا رہا ہے", + "Source added successfully": "ماخذ کامیابی کے ساتھ شامل ہو گیا۔", + "The source {source} was added to {manager} successfully": "ماخذ {source} کو کامیابی کے ساتھ {manager} میں شامل کر دیا گیا۔", + "Could not add source": "ماخذ شامل نہیں کیا جا سکا", + "Could not add source {source} to {manager}": "ماخذ {source} کو {manager} میں شامل نہیں کیا جا سکا", + "Removing source {source}": "ماخذ کو ہٹایا جا رہا ہے {source}", + "Removing source {source} from {manager}": "{source} کو {manager} سے ہٹایا جا رہا ہے", + "Source removed successfully": "ماخذ کامیابی کے ساتھ ہٹا دیا گیا۔", + "The source {source} was removed from {manager} successfully": "ماخذ {source} کو {manager} سے کامیابی کے ساتھ ہٹا دیا گیا تھا۔", + "Could not remove source": "ماخذ کو ہٹایا نہیں جا سکا", + "Could not remove source {source} from {manager}": "{manager} سے ماخذ {source} کو ہٹایا نہیں جا سکا", + "The package manager \"{0}\" was not found": "پیکیج مینیجر \"{0}\" نہیں ملا", + "The package manager \"{0}\" is disabled": "پیکیج مینیجر \"{0}\" غیر فعال ہے۔", + "There is an error with the configuration of the package manager \"{0}\"": "پیکیج مینیجر \"{0}\" کی ترتیب میں ایک خرابی ہے۔", + "The package \"{0}\" was not found on the package manager \"{1}\"": "پیکیج مینیجر \"{1}\" پر پیکیج \"{0}\" نہیں ملا", + "{0} is disabled": "{0} غیر فعال ہے", + "Something went wrong": "کچھ غلط ہو گیا", + "An interal error occurred. Please view the log for further details.": "ایک اندرونی خرابی پیش آگئی۔ مزید تفصیلات کے لیے براہ کرم لاگ دیکھیں۔", + "No applicable installer was found for the package {0}": "پیکیج {0} کے لیے کوئی قابل اطلاق انسٹالر نہیں ملا", + "We are checking for updates.": "ہم اپ ڈیٹس کی جانچ کر رہے ہیں۔", + "Please wait": "برائے مہربانی انتظار کریں۔", + "UniGetUI version {0} is being downloaded.": "UniGetUI ورژن {0} ڈاؤن لوڈ کیا جا رہا ہے۔", + "This may take a minute or two": "اس میں ایک یا دو منٹ لگ سکتے ہیں۔", + "The installer authenticity could not be verified.": "انسٹالر کی صداقت کی تصدیق نہیں ہو سکی۔", + "The update process has been aborted.": "اپ ڈیٹ کا عمل روک دیا گیا ہے۔", + "Great! You are on the latest version.": "بہت اچھا! آپ تازہ ترین ورژن پر ہیں۔", + "There are no new UniGetUI versions to be installed": "انسٹال کرنے کے لیے کوئی نیا UniGetUI ورژن نہیں ہے۔", + "An error occurred when checking for updates: ": "اپ ڈیٹس کی جانچ کرتے وقت ایک خرابی پیش آئی: ", + "UniGetUI is being updated...": "UniGetUI کو اپ ڈیٹ کیا جا رہا ہے...", + "Something went wrong while launching the updater.": "اپڈیٹر لانچ کرتے وقت کچھ غلط ہو گیا۔", + "Please try again later": "براہ کرم بعد میں دوبارہ کوشش کریں۔", + "Integrity checks will not be performed during this operation": "اس آپریشن کے دوران سالمیت کی جانچ نہیں کی جائے گی۔", + "This is not recommended.": "اس کی سفارش نہیں کی جاتی ہے۔", + "Run now": "اب دوڑو", + "Run next": "اگلا چلائیں۔", + "Run last": "آخری چلائیں۔", + "Retry as administrator": "بطور منتظم دوبارہ کوشش کریں۔", + "Retry interactively": "انٹرایکٹو دوبارہ کوشش کریں۔", + "Retry skipping integrity checks": "سالمیت کی جانچ کو چھوڑنے کی دوبارہ کوشش کریں۔", + "Installation options": "انسٹالیشن کے اختیارات", + "Show in explorer": "ایکسپلورر میں دکھائیں۔", + "This package is already installed": "یہ پیکیج پہلے سے انسٹال ہے۔", + "This package can be upgraded to version {0}": "اس پیکیج کو ورژن {0} میں اپ گریڈ کیا جا سکتا ہے", + "Updates for this package are ignored": "اس پیکیج کے لئے اپ ڈیٹس کو نظر انداز کیا گیا ہے", + "This package is being processed": "اس پیکج پر کارروائی ہو رہی ہے۔", + "This package is not available": "یہ پیکیج دستیاب نہیں ہے۔", + "Select the source you want to add:": "جس ماخذ کو آپ شامل کرنا چاہتے ہیں اسے منتخب کریں:", + "Source name:": "ذریعہ کا نام:", + "Source URL:": "ذریعہ یو آر ایل:", + "An error occurred": "ایک خرابی پیش آگئی", + "An error occurred when adding the source: ": "ماخذ شامل کرتے وقت ایک خرابی پیش آئی: ", + "Package management made easy": "پیکیج مینجمنٹ آسان بنائی گئی", + "version {0}": "ورژن {0}", + "[RAN AS ADMINISTRATOR]": "[ایڈمنسٹریٹر کے طور پر چلایا گیا]", + "Portable mode": "پورٹ ایبل موڈ", + "DEBUG BUILD": "ڈیبگ بلڈ", + "Available Updates": "دستیاب اپ ڈیٹس", + "Show WingetUI": "WingetUI دکھائیں", + "Quit": "بند کریں", + "Attention required": "توجہ درکار ہے", + "Restart required": "دوبارہ شروع کرنا ضروری ہے", + "1 update is available": "۱ اپ ڈیٹ دستیاب ہے", + "{0} updates are available": "{0} اپ ڈیٹس دستیاب ہیں", + "WingetUI Homepage": "WingetUI ہوم پیج", + "WingetUI Repository": "WingetUI ریپوزیٹری", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "یہاں آپ درج ذیل شارٹ کٹس کے حوالے سے UniGetUI کے رویے کو تبدیل کر سکتے ہیں۔ شارٹ کٹ چیک کرنے سے UniGetUI اسے حذف کر دے گا اگر مستقبل میں اپ گریڈ بنایا جاتا ہے۔ اسے غیر چیک کرنے سے شارٹ کٹ برقرار رہے گا۔", + "Manual scan": "دستی اسکین", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "آپ کے ڈیسک ٹاپ پر موجودہ شارٹ کٹس کو اسکین کیا جائے گا، اور آپ کو یہ منتخب کرنے کی ضرورت ہوگی کہ کن کو رکھنا ہے اور کون سے ہٹانا ہے۔", + "Continue": "جاری رکھیں", + "Delete?": "حذف کریں؟", + "Missing dependency": "ضروریات غائب ہیں", + "Not right now": "ابھی نہیں", + "Install {0}": "انسٹال کریں {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI کو آپریٹ کرنے کے لیے {0} کی ضرورت ہے، لیکن یہ آپ کے سسٹم پر نہیں ملا۔", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "تنصیب کا عمل شروع کرنے کے لیے انسٹال پر کلک کریں۔ اگر آپ انسٹالیشن کو چھوڑ دیتے ہیں تو ہو سکتا ہے UniGetUI توقع کے مطابق کام نہ کرے۔", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "متبادل طور پر، آپ Windows PowerShell پرامپٹ میں درج ذیل کمانڈ کو چلا کر بھی {0} کو انسٹال کر سکتے ہیں:", + "Do not show this dialog again for {0}": "{0} کے لیے یہ ڈائیلاگ دوبارہ مت دکھائیں", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "براہ کرم {0} کے انسٹال ہونے تک انتظار کریں۔ ایک سیاہ ونڈو ظاہر ہوسکتی ہے۔ براہ کرم اس کے بند ہونے تک انتظار کریں۔", + "{0} has been installed successfully.": "{0} کامیابی سے انسٹال ہو گیا ہے۔", + "Please click on \"Continue\" to continue": "جاری رکھنے کے لئے براہ کرم \"Continue\" پر کلک کریں", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} کامیابی سے انسٹال ہو گیا ہے۔ تنصیب کو مکمل کرنے کے لیے UniGetUI کو دوبارہ شروع کرنے کی سفارش کی جاتی ہے۔", + "Restart later": "بعد میں دوبارہ شروع کریں", + "An error occurred:": "ایک خرابی پیش آئی:", + "I understand": "مجھے سمجھ آگیا", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI کو بطور ایڈمنسٹریٹر چلایا گیا ہے، جس کی سفارش نہیں کی جاتی ہے۔ WingetUI کو بطور ایڈمنسٹریٹر چلاتے وقت، WingetUI سے شروع کیے گئے ہر آپریشن میں ایڈمنسٹریٹر کی مراعات ہوں گی۔ آپ اب بھی پروگرام استعمال کر سکتے ہیں، لیکن ہم ایڈمنسٹریٹر کی مراعات کے ساتھ WingetUI نہ چلانے کی انتہائی سفارش کرتے ہیں۔", + "WinGet was repaired successfully": "WinGet کو کامیابی کے ساتھ ٹھیک کیا گیا۔", + "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet کی مرمت کے بعد UniGetUI کو دوبارہ شروع کرنے کی سفارش کی جاتی ہے۔", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "نوٹ: اس ٹربل شوٹر کو WinGet سیکشن پر UniGetUI سیٹنگز سے غیر فعال کیا جا سکتا ہے۔", + "Restart": "دوبارہ شروع کریں۔", + "WinGet could not be repaired": "WinGet کی مرمت نہیں ہو سکی", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet کو ٹھیک کرنے کی کوشش کے دوران ایک غیر متوقع مسئلہ پیش آیا۔ براہ کرم بعد میں دوبارہ کوشش کریں۔", + "Are you sure you want to delete all shortcuts?": "کیا آپ واقعی تمام شارٹ کٹس کو حذف کرنا چاہتے ہیں؟", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "کسی انسٹال یا اپ ڈیٹ آپریشن کے دوران بنائے گئے کوئی بھی نئے شارٹ کٹس کو پہلی بار پتہ چلنے پر تصدیقی اشارہ دکھانے کے بجائے خود بخود حذف کر دیا جائے گا۔", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI کے باہر تخلیق یا ترمیم شدہ کسی بھی شارٹ کو نظر انداز کر دیا جائے گا۔ آپ انہیں {0} بٹن کے ذریعے شامل کر سکیں گے۔", + "Are you really sure you want to enable this feature?": "کیا آپ واقعی اس خصوصیت کو فعال کرنا چاہتے ہیں؟", + "No new shortcuts were found during the scan.": "اسکین کے دوران کوئی نیا شارٹ کٹ نہیں ملا۔", + "How to add packages to a bundle": "پیکجوں کو بنڈل میں کیسے شامل کریں۔", + "In order to add packages to a bundle, you will need to: ": "پیکجوں کو بنڈل میں شامل کرنے کے لیے، آپ کو یہ کرنے کی ضرورت ہوگی: ", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" یا \"{1}\" صفحہ پر جائیں۔", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. وہ پیکج (پیکیجز) تلاش کریں جسے آپ بنڈل میں شامل کرنا چاہتے ہیں، اور ان کا سب سے بائیں چیک باکس منتخب کریں۔", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. جب پیکجز جو آپ بنڈل میں شامل کرنا چاہتے ہیں منتخب ہو جائیں، تو ٹول بار پر \"{0}\" آپشن تلاش کریں اور کلک کریں۔", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. آپ کے پیکجز کو بنڈل میں شامل کر دیا جائے گا۔ آپ پیکجز شامل کرنا جاری رکھ سکتے ہیں، یا بنڈل برآمد کر سکتے ہیں۔", + "Which backup do you want to open?": "آپ کون سا بیک اپ کھولنا چاہتے ہیں؟", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "وہ بیک اپ منتخب کریں جو آپ کھولنا چاہتے ہیں۔ بعد میں، آپ یہ جائزہ لے سکیں گے کہ آپ کون سے پیکجز/پروگرام بحال کرنا چاہتے ہیں۔", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "آپریشنز جاری ہیں۔ WingetUI کو چھوڑنا ان کے ناکام ہونے کا سبب بن سکتا ہے۔ کیا آپ جاری رکھنا چاہتے ہیں؟", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI یا اس کے کچھ اجزاء غائب یا خراب ہیں۔", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "اس صورتحال کو درست کرنے کے لیے UniGetUI کو دوبارہ انسٹال کرنے کی سخت سفارش کی جاتی ہے۔", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "متاثرہ فائلوں کے بارے میں مزید تفصیلات حاصل کرنے کے لیے UniGetUI لاگز دیکھیں", + "Integrity checks can be disabled from the Experimental Settings": "سالمیت کی جانچ کو تجرباتی ترتیبات سے غیر فعال کیا جا سکتا ہے", + "Repair UniGetUI": "UniGetUI کی مرمت کریں", + "Live output": "براہ راست آؤٹ پٹ", + "Package not found": "پیکیج نہیں ملا", + "An error occurred when attempting to show the package with Id {0}": "Id {0} کے ساتھ پیکیج کو دکھانے کی کوشش کرتے وقت ایک خرابی پیش آگئی", + "Package": "پیکیج", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "اس پیکیج بنڈل میں کچھ ترتیبات تھیں جو ممکنہ طور پر خطرناک ہیں، اور انہیں ڈیفالٹ طور پر نظر انداز کیا جا سکتا ہے۔", + "Entries that show in YELLOW will be IGNORED.": "زرد رنگ میں دکھائی دینے والی اندراجات نظر انداز کی جائیں گی۔", + "Entries that show in RED will be IMPORTED.": "سرخ رنگ میں دکھائی دینے والی اندراجات درآمد کی جائیں گی۔", + "You can change this behavior on UniGetUI security settings.": "آپ اس رویے کو UniGetUI سیکیورٹی کی ترتیبات میں تبدیل کر سکتے ہیں۔", + "Open UniGetUI security settings": "UniGetUI سیکیورٹی کی ترتیبات کھولیں", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "اگر آپ سیکیورٹی کی ترتیبات میں تبدیلی کرتے ہیں، تو تبدیلیوں کے اثر میں آنے کے لیے آپ کو بنڈل دوبارہ کھولنا ہوگا۔", + "Details of the report:": "رپورٹ کی تفصیلات:", "\"{0}\" is a local package and can't be shared": "\"{0}\" ایک مقامی پیکیج ہے اور اسے شیئر نہیں کیا جا سکتا", + "Are you sure you want to create a new package bundle? ": "کیا آپ واقعی ایک نیا پیکج بنڈل بنانا چاہتے ہیں؟ ", + "Any unsaved changes will be lost": "کوئی بھی غیر محفوظ شدہ تبدیلیاں ضائع ہو جائیں گی۔", + "Warning!": "وارننگ!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "سیکیورٹی کی وجوہات کی بنا پر، حسب ضرورت کمانڈ لائن دلائل ڈیفالٹ طور پر غیر فعال ہیں۔ یہ تبدیل کرنے کے لیے UniGetUI سیکیورٹی کی ترتیبات پر جائیں۔ ", + "Change default options": "ڈیفالٹ اختیارات تبدیل کریں", + "Ignore future updates for this package": "اس پیکیج کے مستقبل کے اپ ڈیٹس کو نظرانداز کریں", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "سیکیورٹی کی وجوہات کی بنا پر، پری آپریشن اور پوسٹ آپریشن سکرپٹس ڈیفالٹ طور پر غیر فعال ہیں۔ یہ تبدیل کرنے کے لیے UniGetUI سیکیورٹی کی ترتیبات پر جائیں۔ ", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "آپ وہ کمانڈز متعین کر سکتے ہیں جو اس پیکیج کے انسٹال، اپ ڈیٹ یا ان انسٹال ہونے سے پہلے یا بعد میں چلائی جائیں گی۔ وہ کمانڈ پرامپٹ پر چلیں گی، اس لیے CMD سکرپٹس یہاں کام کریں گی۔", + "Change this and unlock": "یہ تبدیل کریں اور غیر مقفل کریں", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} انسٹالیشن کے اختیارات فی الوقت مقفل ہیں کیونکہ {0} ڈیفالٹ انسٹالیشن کے اختیارات پر عمل کرتا ہے۔", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "وہ پروسیس منتخب کریں جو اس پیکیج کے انسٹال، اپ ڈیٹ یا ان انسٹال ہونے سے پہلے بند ہونے چاہئیں۔", + "Write here the process names here, separated by commas (,)": "یہاں پروسیسز کے نام لکھیں، کوما (,) سے الگ کریں", + "Unset or unknown": "غیر سیٹ یا نامعلوم", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "براہ کرم کمانڈ لائن آؤٹ پٹ دیکھیں یا مسئلے کے بارے میں مزید معلومات کے لیے آپریشن کی تاریخ دیکھیں۔", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "اس پیکیج میں کوئی اسکرین شاٹس نہیں ہیں یا آئیکن غائب ہے؟ ہمارے کھلے، عوامی ڈیٹا بیس میں گمشدہ آئیکنز اور اسکرین شاٹس کو شامل کرکے WingetUI سے تعاون کریں۔", + "Become a contributor": "شراکت دار بنیں", + "Save": "محفوظ کریں", + "Update to {0} available": "{0} کے لئے اپ ڈیٹ دستیاب ہے", + "Reinstall": "دوبارہ انسٹال کریں۔", + "Installer not available": "انسٹالر دستیاب نہیں ہے۔", + "Version:": "ورژن:", + "Performing backup, please wait...": "بیک اپ ہو رہا ہے، براہ کرم انتظار کریں...", + "An error occurred while logging in: ": "لاگ ان کرتے وقت خرابی پیش آئی: ", + "Fetching available backups...": "دستیاب بیک اپس حاصل کیے جا رہے ہیں...", + "Done!": "مکمل!", + "The cloud backup has been loaded successfully.": "کلاؤڈ بیک اپ کامیابی سے لوڈ ہو گیا ہے۔", + "An error occurred while loading a backup: ": "بیک اپ لوڈ کرتے وقت خرابی پیش آئی: ", + "Backing up packages to GitHub Gist...": "GitHub Gist میں پیکجز کا بیک اپ ہو رہا ہے...", + "Backup Successful": "بیک اپ کامیاب ہو گیا", + "The cloud backup completed successfully.": "کلاؤڈ بیک اپ کامیابی سے مکمل ہو گیا۔", + "Could not back up packages to GitHub Gist: ": "پیکجز کا GitHub Gist میں بیک اپ نہیں ہو سکا: ", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "یہ ضمانت نہیں دی جا سکتی کہ فراہم کردہ اسناد محفوظ طریقے سے رکھی جائیں گی، لہٰذا بہتر ہے کہ اپنے بینک اکاؤنٹ کی اسناد استعمال نہ کریں", + "Enable the automatic WinGet troubleshooter": "خودکار WinGet ٹربل شوٹر کو فعال کریں۔", + "Enable an [experimental] improved WinGet troubleshooter": "ایک [تجرباتی] بہتر WinGet ٹربل شوٹر کو فعال کریں۔", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "نظر انداز کردہ اپ ڈیٹس کی فہرست میں 'کوئی قابل اطلاق اپ ڈیٹ نہیں ملا' کے ساتھ ناکام ہونے والی اپ ڈیٹس شامل کریں۔", + "Restart WingetUI to fully apply changes": "تبدیلیوں کو مکمل طور پر نافذ کرنے کے لیے WingetUI دوبارہ شروع کریں", + "Restart WingetUI": "WingetUI دوبارہ شروع کریں", + "Invalid selection": "غلط انتخاب", + "No package was selected": "کوئی پیکیج منتخب نہیں کیا گیا", + "More than 1 package was selected": "1 سے زیادہ پیکیج منتخب کیے گئے", + "List": "فہرست", + "Grid": "گرڈ", + "Icons": "آئیکنز", "\"{0}\" is a local package and does not have available details": "\"{0}\" ایک مقامی پیکیج ہے اور اس میں دستیاب تفصیلات نہیں ہیں", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" ایک مقامی پیکیج ہے اور یہ اس خصوصیت کے ساتھ مطابقت نہیں رکھتا", - "(Last checked: {0})": "(آخری چیک: {0})", + "WinGet malfunction detected": "WinGet کی خرابی کا پتہ چلا", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "ایسا لگتا ہے کہ WinGet ٹھیک سے کام نہیں کر رہا ہے۔ کیا آپ WinGet کو ٹھیک کرنے کی کوشش کرنا چاہتے ہیں؟", + "Repair WinGet": "WinGet کی مرمت کریں۔", + "Create .ps1 script": ".ps1 سکرپٹ بنائیں", + "Add packages to bundle": "بنڈل میں پیکجز شامل کریں۔", + "Preparing packages, please wait...": "پیکجز تیار ہو رہے ہیں، براہ کرم انتظار کریں...", + "Loading packages, please wait...": "پیکیجز لوڈ ہو رہے ہیں، براہ کرم انتظار کریں...", + "Saving packages, please wait...": "پیکیجز محفوظ کیے جا رہے ہیں، براہ کرم انتظار کریں...", + "The bundle was created successfully on {0}": "بنڈل کامیابی سے {0} پر بنایا گیا", + "Install script": "انسٹالیشن سکرپٹ", + "The installation script saved to {0}": "انسٹالیشن سکرپٹ {0} میں محفوظ کیا گیا", + "An error occurred while attempting to create an installation script:": "انسٹالیشن سکرپٹ بنانے کی کوشش میں خرابی پیش آئی:", + "{0} packages are being updated": "{0} پیکیجز اپ ڈیٹ ہو رہے ہیں", + "Error": "خرابی", + "Log in failed: ": "لاگ ان ناکام ہو گیا: ", + "Log out failed: ": "لاگ آؤٹ ناکام ہو گیا: ", + "Package backup settings": "پیکیج بیک اپ کی ترتیبات", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(قطار میں {0} نمبر)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@hamzaharoon1314, @digitpk, @digitio", "0 packages found": "0 پیکجز ملے", "0 updates found": "0 اپ ڈیٹس ملے", - "1 - Errors": "۱ - غلطیاں", - "1 day": "۱ دن", - "Discover Packages": "پیکیجز دریافت کریں۔", - "1 hour": "۱ گھنٹہ", "1 month": "1 مہینہ", "1 package was found": "۱ پیکج ملا", - "1 update is available": "۱ اپ ڈیٹ دستیاب ہے", - "1 week": "۱ ہفتہ", - "Homepage": "ہوم پیج", "1 year": "1 سال", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. \"{0}\" یا \"{1}\" صفحہ پر جائیں۔", - "2 - Warnings": "۲ - انتباہات", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. وہ پیکج (پیکیجز) تلاش کریں جسے آپ بنڈل میں شامل کرنا چاہتے ہیں، اور ان کا سب سے بائیں چیک باکس منتخب کریں۔", - "3 - Information (less)": "۳ - معلومات (کم)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. جب پیکجز جو آپ بنڈل میں شامل کرنا چاہتے ہیں منتخب ہو جائیں، تو ٹول بار پر \"{0}\" آپشن تلاش کریں اور کلک کریں۔", - "Install": "انسٹال کریں", - "4 - Information (more)": "۴ - معلومات (زیادہ)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. آپ کے پیکجز کو بنڈل میں شامل کر دیا جائے گا۔ آپ پیکجز شامل کرنا جاری رکھ سکتے ہیں، یا بنڈل برآمد کر سکتے ہیں۔", - "5 - information (debug)": "۵ - معلومات (ڈی بگ)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "ایک مشہور C/C++ لائبریری مینیجر۔ C/C++ لائبریریوں اور دیگر C/C++ سے متعلقہ یوٹیلیٹیز
پر مشتمل ہے: C/C++ لائبریریاں اور متعلقہ یوٹیلیٹیز", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "مائیکروسافٹ کے .NET ایکو سسٹم کے لئے تیار کردہ ٹولز اور ایگزیکیوشن فائلز سے بھرا ہوا ریپوزیٹری۔
اس میں شامل ہے: .NET سے متعلق ٹولز اور سکرپٹس", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "مائیکروسافٹ کے .NET ایکو سسٹم کے لئے تیار کردہ ٹولز سے بھرا ہوا ریپوزیٹری۔
اس میں شامل ہے: b>.NET>سے متعلق ٹولز
", - "Installed Packages": "انسٹال شدہ پیکجز", "A restart is required": "دوبارہ شروع کرنا ضروری ہے", - "Abort install if pre-install command fails": "اگر پری انسٹال کمانڈ ناکام ہو تو انسٹالیشن منسوخ کریں", - "Abort uninstall if pre-uninstall command fails": "اگر پری ان انسٹال کمانڈ ناکام ہو تو ان انسٹالیشن منسوخ کریں", - "Abort update if pre-update command fails": "اگر پری اپ ڈیٹ کمانڈ ناکام ہو تو اپ ڈیٹ منسوخ کریں", - "About": "کے بارے میں", "About Qt6": "Qt6 کے بارے میں", - "New Version": "نیا ورژن", - "About WingetUI": "WingetUI کے بارے میں", "About WingetUI version {0}": "WingetUI ورژن {0} کے بارے میں", "About the dev": "ڈویلپر کے بارے میں", - "Accept": "قبول کریں۔", "Action when double-clicking packages, hide successful installations": "پیکجز پر ڈبل کلک کرنے پر کارروائی، کامیاب انسٹالیشنز کو چھپائیں", - "Add": "شامل کریں", - "OK": "ٹھیک ہے", "Add a source to {0}": "{0} میں ایک ذریعہ شامل کریں", - "Add a timestamp to the backup file names": "بیک اپ فائل کے ناموں میں ٹائم اسٹیمپ شامل کریں", "Add a timestamp to the backup files": "بیک اپ فائلوں میں ٹائم اسٹیمپ شامل کریں", "Add packages or open an existing bundle": "پیکجز شامل کریں یا موجودہ بنڈل کھولیں", - "Add packages or open an existing package bundle": "پیکیجز شامل کریں یا موجودہ پیکیج بنڈل کھولیں۔", - "Package Manager": "پیکیج منیجر", - "Add packages to bundle": "بنڈل میں پیکجز شامل کریں۔", - "Add packages to start": "شروع کرنے کے لیے پیکجز شامل کریں۔", - "Package Managers": "پیکیج مینیجرز", - "Add selection to bundle": "انتخاب کو بنڈل میں شامل کریں", - "Add source": "ذریعہ شامل کریں", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "نظر انداز کردہ اپ ڈیٹس کی فہرست میں 'کوئی قابل اطلاق اپ ڈیٹ نہیں ملا' کے ساتھ ناکام ہونے والی اپ ڈیٹس شامل کریں۔", - "Adding source {source}": "ماخذ شامل کرنا {source}", - "Adding source {source} to {manager}": "ذریعہ {source} کو {manager} میں شامل کیا جا رہا ہے", "Addition succeeded": "شمولیت کامیاب ہوگئی", - "Uninstall": "ان انسٹال کریں", - "Administrator privileges": "ایڈمنسٹریٹر کی مراعات", "Administrator privileges preferences": "ایڈمنسٹریٹر کی مراعات کی ترجیحات", "Administrator rights": "ایڈمنسٹریٹر کے حقوق", - "Administrator rights and other dangerous settings": "ایڈمنسٹریٹر کے حقوق اور دیگر خطرناک ترتیبات", - "Advanced options": "اعلیٰ ترین اختیارات", "All files": "تمام فائلیں", - "WingetUI Log": "WingetUI لاگ", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI درج ذیل لائبریریوں کا استعمال کرتا ہے۔ ان کے بغیر، WingetUI ممکن نہیں ہوتا۔", - "All versions": "تمام ورژنز", - "Allow changing the paths for package manager executables": "پیکیج منیجر کے ایگزیکیوبلز کے راستے تبدیل کرنے کی اجازت دیں", - "Allow custom command-line arguments": "حسب ضرورت کمانڈ لائن دلائل کی اجازت دیں", - "Allow importing custom command-line arguments when importing packages from a bundle": "بنڈل سے پیکجز درآمد کرتے وقت حسب ضرورت کمانڈ لائن دلائل درآمد کرنے کی اجازت دیں", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "بنڈل سے پیکجز درآمد کرتے وقت حسب ضرورت پری انسٹال اور پوسٹ انسٹال کمانڈز درآمد کرنے کی اجازت دیں", "Allow package operations to be performed in parallel": "پیکیج آپریشنز کو متوازی انجام دینے کی اجازت دیں", "Allow parallel installs (NOT RECOMMENDED)": "متوازی تنصیب کی اجازت دیں (سفارش نہیں کی جاتی)", - "Allow pre-release versions": "پری ریلیز ورژنز کی اجازت دیں", "Allow {pm} operations to be performed in parallel": "{pm} آپریشنز کو متوازی انجام دینے کی اجازت دیں", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "متبادل طور پر، آپ Windows PowerShell پرامپٹ میں درج ذیل کمانڈ کو چلا کر بھی {0} کو انسٹال کر سکتے ہیں:", "Always elevate {pm} installations by default": "ڈیفالٹ کے طور پر ہمیشہ {pm} تنصیبات کو بلند کریں", "Always run {pm} operations with administrator rights": "ہمیشہ {pm} آپریشنز کو ایڈمنسٹریٹر حقوق کے ساتھ چلائیں", - "An error occurred": "ایک خرابی پیش آگئی", - "An error occurred when adding the source: ": "ماخذ شامل کرتے وقت ایک خرابی پیش آئی: ", - "An error occurred when attempting to show the package with Id {0}": "Id {0} کے ساتھ پیکیج کو دکھانے کی کوشش کرتے وقت ایک خرابی پیش آگئی", - "An error occurred when checking for updates: ": "اپ ڈیٹس کی جانچ کرتے وقت ایک خرابی پیش آئی: ", - "An error occurred while attempting to create an installation script:": "انسٹالیشن سکرپٹ بنانے کی کوشش میں خرابی پیش آئی:", - "An error occurred while loading a backup: ": "بیک اپ لوڈ کرتے وقت خرابی پیش آئی: ", - "An error occurred while logging in: ": "لاگ ان کرتے وقت خرابی پیش آئی: ", - "An error occurred while processing this package": "اس پیکیج کو پروسیس کرتے وقت ایک خرابی پیش آئی", - "An error occurred:": "ایک خرابی پیش آئی:", - "An interal error occurred. Please view the log for further details.": "ایک اندرونی خرابی پیش آگئی۔ مزید تفصیلات کے لیے براہ کرم لاگ دیکھیں۔", "An unexpected error occurred:": "ایک غیر متوقع خرابی پیش آئی:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "WinGet کو ٹھیک کرنے کی کوشش کے دوران ایک غیر متوقع مسئلہ پیش آیا۔ براہ کرم بعد میں دوبارہ کوشش کریں۔", - "An update was found!": "ایک اپ ڈیٹ ملا!", - "Android Subsystem": "اینڈرائیڈ سب سسٹم", "Another source": "ایک اور ماخذ", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "کسی انسٹال یا اپ ڈیٹ آپریشن کے دوران بنائے گئے کوئی بھی نئے شارٹ کٹس کو پہلی بار پتہ چلنے پر تصدیقی اشارہ دکھانے کے بجائے خود بخود حذف کر دیا جائے گا۔", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "UniGetUI کے باہر تخلیق یا ترمیم شدہ کسی بھی شارٹ کو نظر انداز کر دیا جائے گا۔ آپ انہیں {0} بٹن کے ذریعے شامل کر سکیں گے۔", - "Any unsaved changes will be lost": "کوئی بھی غیر محفوظ شدہ تبدیلیاں ضائع ہو جائیں گی۔", "App Name": "ایپ کا نام", - "Appearance": "ظاہری شکل", - "Application theme, startup page, package icons, clear successful installs automatically": "ایپلیکیشن تھیم، سٹارٹ اپ پیج، پیکج آئیکنز، خود بخود کامیاب انسٹال صاف ہو جاتے ہیں۔", - "Application theme:": "ایپلیکیشن تھیم:", - "Apply": "لاگو کریں", - "Architecture to install:": "تنصیب کے لئے فن تعمیر:", "Are these screenshots wron or blurry?": "کیا یہ اسکرین شاٹس غلط ہیں یا دھندلے؟", - "Are you really sure you want to enable this feature?": "کیا آپ واقعی اس خصوصیت کو فعال کرنا چاہتے ہیں؟", - "Are you sure you want to create a new package bundle? ": "کیا آپ واقعی ایک نیا پیکج بنڈل بنانا چاہتے ہیں؟ ", - "Are you sure you want to delete all shortcuts?": "کیا آپ واقعی تمام شارٹ کٹس کو حذف کرنا چاہتے ہیں؟", - "Are you sure?": "کیا آپ یقین رکھتے ہیں؟", - "Ascendant": "صعودی", - "Ask for administrator privileges once for each batch of operations": "ہر بیچ کے آپریشنز کے لئے ایک بار ایڈمنسٹریٹر مراعات طلب کریں", "Ask for administrator rights when required": "جب ضرورت ہو ایڈمنسٹریٹر حقوق طلب کریں", "Ask once or always for administrator rights, elevate installations by default": "ایک بار یا ہمیشہ ایڈمنسٹریٹر حقوق طلب کریں، ڈیفالٹ کے طور پر تنصیبات کو بلند کریں", - "Ask only once for administrator privileges": "صرف ایک بار ایڈمنسٹریٹر مراعات طلب کریں", "Ask only once for administrator privileges (not recommended)": "صرف ایک بار ایڈمنسٹریٹر مراعات طلب کریں (سفارش نہیں کی جاتی)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "انسٹال یا اپ گریڈ کے دوران بنائے گئے ڈیسک ٹاپ شارٹ کٹس کو حذف کرنے کو کہیں۔", - "Attention required": "توجہ درکار ہے", "Authenticate to the proxy with an user and a password": "صارف اور پاس ورڈ کے ذریعے پروکسی کی تصدیق کریں", - "Author": "مصنف", - "Automatic desktop shortcut remover": "خودکار ڈیسک ٹاپ شارٹ کٹ ہٹانے والا", - "Automatic updates": "خودکار اپ ڈیٹس", - "Automatically save a list of all your installed packages to easily restore them.": "تمام تنصیب شدہ پیکیجز کی فہرست خودکار طور پر محفوظ کریں تاکہ انہیں آسانی سے بحال کیا جا سکے۔", "Automatically save a list of your installed packages on your computer.": "اپنے کمپیوٹر پر اپنے تنصیب شدہ پیکیجز کی فہرست خودکار طور پر محفوظ کریں۔", - "Automatically update this package": "اس پیکیج کو خود بخود اپ ڈیٹ کریں", "Autostart WingetUI in the notifications area": "نوٹیفیکیشن علاقے میں WingetUI کو خودکار طور پر شروع کریں", - "Available Updates": "دستیاب اپ ڈیٹس", "Available updates: {0}": "دستیاب اپ ڈیٹس: {0}", "Available updates: {0}, not finished yet...": "دستیاب اپ ڈیٹس: {0}, ابھی ختم نہیں ہوئی...", - "Backing up packages to GitHub Gist...": "GitHub Gist میں پیکجز کا بیک اپ ہو رہا ہے...", - "Backup": "بیک اپ", - "Backup Failed": "بیک اپ ناکام ہو گیا", - "Backup Successful": "بیک اپ کامیاب ہو گیا", - "Backup and Restore": "بیک اپ اور بحالی", "Backup installed packages": "تنصیب شدہ پیکیجز کا بیک اپ", "Backup location": "بیک اپ کی جگہ", - "Become a contributor": "شراکت دار بنیں", - "Become a translator": "مترجم بنیں", - "Begin the process to select a cloud backup and review which packages to restore": "کلاؤڈ بیک اپ منتخب کرنے اور بحال کیے جانے والے پیکجز کا جائزہ لینے کا عمل شروع کریں", - "Beta features and other options that shouldn't be touched": "بیٹا فیچرز اور دیگر اختیارات جنہیں نہیں چھیڑنا چاہئے", - "Both": "دونوں", - "Bundle security report": "بنڈل کی سیکیورٹی رپورٹ", "But here are other things you can do to learn about WingetUI even more:": "لیکن یہاں کچھ اور چیزیں ہیں جو آپ WingetUI کے بارے میں مزید جاننے کے لئے کر سکتے ہیں:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "پیکیج مینیجر کو بند کرنے سے، آپ اس کے پیکیجز دیکھنے یا اپ ڈیٹ کرنے کے قابل نہیں ہوں گے۔", "Cache administrator rights and elevate installers by default": "ایڈمنسٹریٹر حقوق کو کیش کریں اور انسٹالرز کو ڈیفالٹ کے طور پر بلند کریں", "Cache administrator rights, but elevate installers only when required": "ایڈمنسٹریٹر حقوق کو کیش کریں، لیکن انسٹالرز کو صرف ضرورت کے وقت بلند کریں", "Cache was reset successfully!": "کیش کامیابی سے ری سیٹ ہو گیا!", "Can't {0} {1}": "{0} {1} نہیں کر سکتے", - "Cancel": "منسوخ کریں", "Cancel all operations": "تمام آپریشنز منسوخ کریں۔", - "Change backup output directory": "بیک اپ آؤٹ پٹ ڈائریکٹری تبدیل کریں", - "Change default options": "ڈیفالٹ اختیارات تبدیل کریں", - "Change how UniGetUI checks and installs available updates for your packages": "یہ تبدیل کریں کہ UniGetUI آپ کے پیکیجز کے لئے دستیاب اپ ڈیٹس کو کیسے چیک اور انسٹال کرتا ہے", - "Change how UniGetUI handles install, update and uninstall operations.": "یہ تبدیل کریں کہ UniGetUI انسٹال، اپ ڈیٹ اور ان انسٹال آپریشنز کو کیسے ہینڈل کرتا ہے۔", "Change how UniGetUI installs packages, and checks and installs available updates": "تبدیل کریں کہ UniGetUI کس طرح پیکجز کو انسٹال کرتا ہے، اور دستیاب اپ ڈیٹس کو چیک اور انسٹال کرتا ہے۔", - "Change how operations request administrator rights": "آپریشنز کے ایڈمنسٹریٹر حقوق کی درخواست کرنے کا طریقہ تبدیل کریں", "Change install location": "تنصیب کی جگہ تبدیل کریں", - "Change this": "یہ تبدیل کریں", - "Change this and unlock": "یہ تبدیل کریں اور غیر مقفل کریں", - "Check for package updates periodically": "پیکیج اپ ڈیٹس کو وقتاً فوقتاً چیک کریں", - "Check for updates": "اپ ڈیٹس کے لیے چیک کریں۔", - "Check for updates every:": "ہر ایک کے لئے اپ ڈیٹس چیک کریں:", "Check for updates periodically": "وقتاً فوقتاً اپ ڈیٹس چیک کریں", "Check for updates regularly, and ask me what to do when updates are found.": "باقاعدگی سے اپ ڈیٹس چیک کریں، اور اپ ڈیٹس ملنے پر مجھ سے پوچھیں کہ کیا کرنا ہے۔", "Check for updates regularly, and automatically install available ones.": "باقاعدگی سے اپ ڈیٹس چیک کریں، اور دستیاب اپ ڈیٹس کو خود بخود انسٹال کریں۔", @@ -170,905 +741,335 @@ "Checking for updates...": "اپ ڈیٹس کی جانچ ہو رہی ہے...", "Checking found instace(s)...": "ملنے والی مثالوں کی جانچ ہو رہی ہے...", "Choose how many operations shouls be performed in parallel": "منتخب کریں کہ متوازی طور پر کتنے آپریشن کیے جائیں۔", - "Clear cache": "کیشے صاف کریں۔", "Clear finished operations": "مکمل شدہ آپریشنز صاف کریں", - "Clear selection": "انتخاب صاف کریں", "Clear successful operations": "کلین کامیاب آپریشنز", - "Clear successful operations from the operation list after a 5 second delay": "5 سیکنڈ کی تاخیر کے بعد آپریشن لسٹ سے کامیاب آپریشنز کو صاف کریں۔", "Clear the local icon cache": "مقامی آئیکن کیشے کو صاف کریں۔", - "Clearing Scoop cache - WingetUI": "اسکوپ کیشے کو صاف کرنا - WingetUI", "Clearing Scoop cache...": "سکوپ کیشے کو صاف کیا جا رہا ہے...", - "Click here for more details": "مزید تفصیلات کے لیے یہاں کلک کریں۔", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "تنصیب کا عمل شروع کرنے کے لیے انسٹال پر کلک کریں۔ اگر آپ انسٹالیشن کو چھوڑ دیتے ہیں تو ہو سکتا ہے UniGetUI توقع کے مطابق کام نہ کرے۔", - "Close": "بند کریں", - "Close UniGetUI to the system tray": "UniGetUI کو سسٹم ٹرے میں بند کریں۔", "Close WingetUI to the notification area": "نوٹیفکیشن کے علاقے میں WingetUI کو بند کریں۔", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "کلاؤڈ بیک اپ انسٹال شدہ پیکجز کی فہرست محفوظ کرنے کے لیے ایک نجی GitHub Gist استعمال کرتا ہے", - "Cloud package backup": "کلاؤڈ پیکیج بیک اپ", "Command-line Output": "کمانڈ لائن آؤٹ پٹ", - "Command-line to run:": "چلانے کے لیے کمانڈ لائن:", "Compare query against": "استفسار کے خلاف موازنہ کریں۔", - "Compatible with authentication": "تصدیق کے ساتھ مطابقت رکھتا ہے", - "Compatible with proxy": "پروکسی کے ساتھ مطابقت رکھتا ہے", "Component Information": "اجزاء کی معلومات", - "Concurrency and execution": "بیک وقت عمل اور اجرا", - "Connect the internet using a custom proxy": "حسب ضرورت پروکسی استعمال کرتے ہوئے انٹرنیٹ سے جڑیں", - "Continue": "جاری رکھیں", "Contribute to the icon and screenshot repository": "آئیکن اور اسکرین شاٹ ریپوزٹری میں تعاون کریں۔", - "Contributors": "تعاون کرنے والے", "Copy": "کاپی کریں", - "Copy to clipboard": "کلپ بورڈ پر کاپی کریں۔", - "Could not add source": "ماخذ شامل نہیں کیا جا سکا", - "Could not add source {source} to {manager}": "ماخذ {source} کو {manager} میں شامل نہیں کیا جا سکا", - "Could not back up packages to GitHub Gist: ": "پیکجز کا GitHub Gist میں بیک اپ نہیں ہو سکا: ", - "Could not create bundle": "بنڈل نہیں بنایا جا سکا", "Could not load announcements - ": "اعلانات کو لوڈ نہیں کیا جا سکا - ", "Could not load announcements - HTTP status code is $CODE": "اعلانات کو لوڈ نہیں کیا جا سکا - HTTP اسٹیٹس کوڈ $CODE ہے۔", - "Could not remove source": "ماخذ کو ہٹایا نہیں جا سکا", - "Could not remove source {source} from {manager}": "{manager} سے ماخذ {source} کو ہٹایا نہیں جا سکا", "Could not remove {source} from {manager}": "{manager} سے {source} کو ہٹایا نہیں جا سکا", - "Create .ps1 script": ".ps1 سکرپٹ بنائیں", - "Credentials": "اسناد", "Current Version": "موجودہ ورژن", - "Current executable file:": "موجودہ ایگزیکیوبل فائل:", - "Current status: Not logged in": "موجودہ حالت: لاگ ان نہیں ہے", "Current user": "موجودہ صارف", "Custom arguments:": "حسب ضرورت دلائل:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "حسب ضرورت کمانڈ لائن دلائل اس طریقے کو بدل سکتے ہیں جس سے پروگرام انسٹال، اپ گریڈ یا ان انسٹال ہوتے ہیں، اور اس پر UniGetUI قابو نہیں رکھتا۔ حسب ضرورت کمانڈ لائنوں کا استعمال پیکجز کو خراب کر سکتا ہے۔ احتیاط سے آگے بڑھیں۔", "Custom command-line arguments:": "حسب ضرورت کمانڈ لائن دلائل:", - "Custom install arguments:": "حسب ضرورت انسٹال دلائل:", - "Custom uninstall arguments:": "حسب ضرورت ان انسٹال دلائل:", - "Custom update arguments:": "حسب ضرورت اپ ڈیٹ دلائل:", "Customize WingetUI - for hackers and advanced users only": "WingetUI کو حسب ضرورت بنائیں - صرف ہیکرز اور جدید صارفین کے لیے", - "DEBUG BUILD": "ڈیبگ بلڈ", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "ڈس کلیمر: ہم ڈاؤن لوڈ کردہ پیکجز کے لیے ذمہ دار نہیں ہیں۔ براہ کرم صرف قابل بھروسہ سافٹ ویئر انسٹال کرنا یقینی بنائیں۔", - "Dark": "اندھیرا", - "Decline": "رد کرنا", - "Default": "طے شدہ", - "Default installation options for {0} packages": "{0} پیکجز کے لیے ڈیفالٹ انسٹالیشن اختیارات", "Default preferences - suitable for regular users": "پہلے سے طے شدہ ترجیحات - باقاعدہ صارفین کے لیے موزوں", - "Default vcpkg triplet": "ڈیفالٹ vcpkg ٹرپلٹ", - "Delete?": "حذف کریں؟", - "Dependencies:": "انحصارات:", - "Descendant": "نزولی", "Description:": "تفصیل:", - "Desktop shortcut created": "ڈیسک ٹاپ شارٹ کٹ بنایا گیا۔", - "Details of the report:": "رپورٹ کی تفصیلات:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "تیار کرنا مشکل ہے، اور یہ ایپلیکیشن مفت ہے۔ لیکن اگر آپ کو ایپلی کیشن پسند آئی تو آپ ہمیشہ مجھے ایک کافی خرید سکتے ہیں :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "\"{discoveryTab}\" ٹیب پر کسی آئٹم پر ڈبل کلک کرنے پر براہ راست انسٹال کریں (پیکج کی معلومات دکھانے کے بجائے)", "Disable new share API (port 7058)": "نیا شیئر API (پورٹ 7058) کو غیر فعال کریں", - "Disable the 1-minute timeout for package-related operations": "پیکیج سے متعلق کارروائیوں کے لیے 1 منٹ کا ٹائم آؤٹ غیر فعال کریں۔", - "Disabled": "غیر فعال", - "Disclaimer": "دستبرداری", "Discover packages": "پیکیجز دریافت کریں۔", "Distinguish between\nuppercase and lowercase": "بڑے حروف اور چھوٹے حروف میں فرق کریں۔", - "Distinguish between uppercase and lowercase": "بڑے اور چھوٹے کے درمیان فرق کریں۔", "Do NOT check for updates": "اپ ڈیٹس کی جانچ نہ کریں۔", "Do an interactive install for the selected packages": "منتخب پیکجوں کے لیے ایک انٹرایکٹو انسٹال کریں۔", "Do an interactive uninstall for the selected packages": "منتخب پیکجوں کے لیے ایک انٹرایکٹو ان انسٹال کریں۔", "Do an interactive update for the selected packages": "منتخب پیکجوں کے لیے ایک انٹرایکٹو اپ ڈیٹ کریں۔", - "Do not automatically install updates when the battery saver is on": "جب بیٹری سیور آن ہو تو اپ ڈیٹس خود بخود انسٹال نہ کریں", - "Do not automatically install updates when the device runs on battery": "جب ڈیوائس بیٹری پر چل رہی ہو تو اپ ڈیٹس خود بخود انسٹال نہ کریں", - "Do not automatically install updates when the network connection is metered": "جب نیٹ ورک کنکشن میٹرڈ ہو تو اپ ڈیٹس خود بخود انسٹال نہ کریں", "Do not download new app translations from GitHub automatically": "GitHub سے نئے ایپ کے ترجمے خود بخود ڈاؤن لوڈ نہ کریں۔", - "Do not ignore updates for this package anymore": "اس پیکج کے لیے اپ ڈیٹس کو مزید نظر انداز نہ کریں۔", "Do not remove successful operations from the list automatically": "فہرست سے کامیاب آپریشنز کو خود بخود نہ ہٹائیں۔", - "Do not show this dialog again for {0}": "{0} کے لیے یہ ڈائیلاگ دوبارہ مت دکھائیں", "Do not update package indexes on launch": "لانچ ہونے پر پیکیج انڈیکس کو اپ ڈیٹ نہ کریں۔", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "کیا آپ قبول کرتے ہیں کہ UniGetUI استعمال کے گمنام اعدادوشمار جمع اور بھیجتا ہے، جس کا واحد مقصد صارف کے تجربے کو سمجھنا اور بہتر بنانا ہے؟", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "کیا آپ کو WingetUI مفید لگتا ہے؟ اگر آپ کر سکتے ہیں تو، آپ میرے کام کی حمایت کرنا چاہیں گے، اس لیے میں WingetUI کو حتمی پیکیج مینیجنگ انٹرفیس بنانا جاری رکھ سکتا ہوں۔", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "کیا آپ کو WingetUI مفید لگتا ہے؟ آپ ڈویلپر کو سپورٹ کرنا چاہیں گے؟ اگر ایسا ہے تو، آپ {0} کر سکتے ہیں، یہ بہت مدد کرتا ہے!", - "Do you really want to reset this list? This action cannot be reverted.": "کیا آپ واقعی اس فہرست کو دوبارہ ترتیب دینا چاہتے ہیں؟ اس کارروائی کو واپس نہیں لیا جا سکتا۔", - "Do you really want to uninstall the following {0} packages?": "کیا آپ واقعی درج ذیل {0} پیکجوں کو اَن انسٹال کرنا چاہتے ہیں؟", "Do you really want to uninstall {0} packages?": "کیا آپ واقعی {0} پیکجوں کو اَن انسٹال کرنا چاہتے ہیں؟", - "Do you really want to uninstall {0}?": "کیا آپ واقعی {0} کو اَن انسٹال کرنا چاہتے ہیں؟", "Do you want to restart your computer now?": "کیا آپ ابھی اپنا کمپیوٹر دوبارہ شروع کرنا چاہتے ہیں؟", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "کیا آپ WingetUI کا اپنی زبان میں ترجمہ کرنا چاہتے ہیں؟ یہاں! تعاون کرنے کا طریقہ دیکھیں", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "عطیہ کرنے کی طرح محسوس نہیں کرتے؟ پریشان نہ ہوں، آپ ہمیشہ اپنے دوستوں کے ساتھ WingetUI کا اشتراک کر سکتے ہیں۔ WingetUI کے بارے میں بات پھیلائیں۔", - "Donate": "عطیہ کریں۔", - "Done!": "مکمل!", - "Download failed": "ڈاؤن لوڈ ناکام ہو گیا۔", - "Download installer": "انسٹالر ڈاؤن لوڈ کریں", - "Download operations are not affected by this setting": "ڈاؤن لوڈ آپریشنز اس ترتیب سے متاثر نہیں ہوتے", - "Download selected installers": "منتخب انسٹالرز ڈاؤن لوڈ کریں", - "Download succeeded": "ڈاؤن لوڈ کامیاب ہو گیا۔", - "Download updated language files from GitHub automatically": "GitHub سے اپ ڈیٹ شدہ زبان کی فائلیں خود بخود ڈاؤن لوڈ کریں۔", - "Downloading": "ڈاؤن لوڈ ہو رہا ہے۔", - "Downloading backup...": "بیک اپ ڈاؤن لوڈ ہو رہا ہے...", - "Downloading installer for {package}": "{package} کے لیے انسٹالر ڈاؤن لوڈ ہو رہا ہے", - "Downloading package metadata...": "پیکیج میٹا ڈیٹا ڈاؤن لوڈ ہو رہا ہے...", - "Enable Scoop cleanup on launch": "لانچ پر اسکوپ کلین اپ کو فعال کریں۔", - "Enable WingetUI notifications": "WingetUI اطلاعات کو فعال کریں۔", - "Enable an [experimental] improved WinGet troubleshooter": "ایک [تجرباتی] بہتر WinGet ٹربل شوٹر کو فعال کریں۔", - "Enable and disable package managers, change default install options, etc.": "پیکیج مینیجرز کو فعال اور غیر فعال کریں، ڈیفالٹ انسٹالیشن اختیارات تبدیل کریں، وغیرہ", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "پس منظر CPU کے استعمال کی اصلاح کو فعال کریں (دیکھیں پل کی درخواست #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "بیک گراؤنڈ API کو فعال کریں (WingetUI وجیٹس اور شیئرنگ، پورٹ 7058)", - "Enable it to install packages from {pm}.": "{pm} سے پیکجز انسٹال کرنے کے لیے اسے فعال کریں۔", - "Enable the automatic WinGet troubleshooter": "خودکار WinGet ٹربل شوٹر کو فعال کریں۔", - "Enable the new UniGetUI-Branded UAC Elevator": "نئے UniGetUI-Branded UAC ایلیویٹر کو فعال کریں۔", - "Enable the new process input handler (StdIn automated closer)": "نیا پروسیس ان پٹ ہینڈلر فعال کریں (StdIn خودکار بند کرنے والا)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "درج ذیل ترتیبات کو صرف اسی صورت فعال کریں جب آپ مکمل طور پر سمجھتے ہوں کہ وہ کیا کرتی ہیں اور ان کے ممکنہ اثرات کیا ہو سکتے ہیں۔", - "Enable {pm}": "{pm} کو فعال کریں", - "Enabled": "فعال", - "Enter proxy URL here": "یہاں پروکسی URL درج کریں", - "Entries that show in RED will be IMPORTED.": "سرخ رنگ میں دکھائی دینے والی اندراجات درآمد کی جائیں گی۔", - "Entries that show in YELLOW will be IGNORED.": "زرد رنگ میں دکھائی دینے والی اندراجات نظر انداز کی جائیں گی۔", - "Error": "خرابی", - "Everything is up to date": "سب کچھ تازہ ترین ہے", - "Exact match": "عین مطابق میچ", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "آپ کے ڈیسک ٹاپ پر موجودہ شارٹ کٹس کو اسکین کیا جائے گا، اور آپ کو یہ منتخب کرنے کی ضرورت ہوگی کہ کن کو رکھنا ہے اور کون سے ہٹانا ہے۔", - "Expand version": "ورژن کو پھیلائیں۔", - "Experimental settings and developer options": "تجرباتی ترتیبات اور ڈویلپر کے اختیارات", - "Export": "برآمد کریں", + "Donate": "عطیہ کریں۔", + "Download updated language files from GitHub automatically": "GitHub سے اپ ڈیٹ شدہ زبان کی فائلیں خود بخود ڈاؤن لوڈ کریں۔", + "Downloading": "ڈاؤن لوڈ ہو رہا ہے۔", + "Downloading installer for {package}": "{package} کے لیے انسٹالر ڈاؤن لوڈ ہو رہا ہے", + "Downloading package metadata...": "پیکیج میٹا ڈیٹا ڈاؤن لوڈ ہو رہا ہے...", + "Enable the new UniGetUI-Branded UAC Elevator": "نئے UniGetUI-Branded UAC ایلیویٹر کو فعال کریں۔", + "Enable the new process input handler (StdIn automated closer)": "نیا پروسیس ان پٹ ہینڈلر فعال کریں (StdIn خودکار بند کرنے والا)", "Export log as a file": "لاگ کو فائل کے طور پر ایکسپورٹ کریں", "Export packages": "پیکجز کو ایکسپورٹ کریں", "Export selected packages to a file": "منتخب کردہ پیکجز کو فائل میں ایکسپورٹ کریں", - "Export settings to a local file": "ترتیبات کو مقامی فائل میں ایکسپورٹ کریں", - "Export to a file": "فائل میں ایکسپورٹ کریں", - "Failed": "ناکام", - "Fetching available backups...": "دستیاب بیک اپس حاصل کیے جا رہے ہیں...", "Fetching latest announcements, please wait...": "تازہ ترین اعلانات حاصل کیے جا رہے ہیں، براہ کرم انتظار کریں...", - "Filters": "فلٹرز", "Finish": "ختم کریں", - "Follow system color scheme": "سسٹم کلر سکیم پر عمل کریں۔", - "Follow the default options when installing, upgrading or uninstalling this package": "اس پیکیج کو انسٹال، اپ گریڈ یا ان انسٹال کرتے وقت ڈیفالٹ اختیارات پر عمل کریں", - "For security reasons, changing the executable file is disabled by default": "سیکیورٹی کی وجوہات کی بنا پر، ایگزیکیوبل فائل تبدیل کرنا ڈیفالٹ طور پر غیر فعال ہے", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "سیکیورٹی کی وجوہات کی بنا پر، حسب ضرورت کمانڈ لائن دلائل ڈیفالٹ طور پر غیر فعال ہیں۔ یہ تبدیل کرنے کے لیے UniGetUI سیکیورٹی کی ترتیبات پر جائیں۔ ", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "سیکیورٹی کی وجوہات کی بنا پر، پری آپریشن اور پوسٹ آپریشن سکرپٹس ڈیفالٹ طور پر غیر فعال ہیں۔ یہ تبدیل کرنے کے لیے UniGetUI سیکیورٹی کی ترتیبات پر جائیں۔ ", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "زبردستی ARM مرتب شدہ ونگٹ ورژن (صرف ARM64 سسٹمز کے لیے)", - "Force install location parameter when updating packages with custom locations": "حسب ضرورت مقامات والے پیکیجز کو اپ ڈیٹ کرتے وقت انسٹال مقام کا پیرامیٹر لازمی کریں", "Formerly known as WingetUI": "پہلے WingetUI کے نام سے جانا جاتا تھا۔", "Found": "مل گیا", "Found packages: ": "ملے پیکجز: ", "Found packages: {0}": "ملے پیکجز: {0}", "Found packages: {0}, not finished yet...": "ملے پیکجز: {0}, ابھی ختم نہیں ہوا...", - "General preferences": "عمومی ترجیحات", "GitHub profile": "گٹ ہب پروفائل", "Global": "عالمی", - "Go to UniGetUI security settings": "UniGetUI سیکیورٹی کی ترتیبات پر جائیں", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "نامعلوم لیکن کارآمد یوٹیلیٹیز اور دیگر دلچسپ پیکجز کا زبردست ذخیرہ۔
مشتمل ہے: یوٹیلٹیز، کمانڈ لائن پروگرام، جنرل سافٹ ویئر (اضافی بالٹی درکار)", - "Great! You are on the latest version.": "بہت اچھا! آپ تازہ ترین ورژن پر ہیں۔", - "Grid": "گرڈ", - "Help": "مدد", "Help and documentation": "مدد اور دستاویزات", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "یہاں آپ درج ذیل شارٹ کٹس کے حوالے سے UniGetUI کے رویے کو تبدیل کر سکتے ہیں۔ شارٹ کٹ چیک کرنے سے UniGetUI اسے حذف کر دے گا اگر مستقبل میں اپ گریڈ بنایا جاتا ہے۔ اسے غیر چیک کرنے سے شارٹ کٹ برقرار رہے گا۔", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "ہائے، میرا نام مارٹی ہے، اور میں WingetUI کا ڈویلپر ہوں۔ WingetUI مکمل طور پر میرے فارغ وقت پر بنایا گیا ہے!", "Hide details": "تفصیلات چھپائیں", - "homepage": "ہوم پیج", - "Hooray! No updates were found.": "واہ! کوئی اپ ڈیٹس نہیں ملی۔", "How should installations that require administrator privileges be treated?": "ایڈمنسٹریٹر کے حقوق کی ضرورت والے انسٹالیشنز کو کیسے ہینڈل کیا جائے؟", - "How to add packages to a bundle": "پیکجوں کو بنڈل میں کیسے شامل کریں۔", - "I understand": "مجھے سمجھ آگیا", - "Icons": "آئیکنز", - "Id": "شناخت", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "اگر کلاؤڈ بیک اپ فعال ہے تو یہ اس اکاؤنٹ پر GitHub Gist کے طور پر محفوظ ہوگا", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "حسب ضرورت پری انسٹال اور پوسٹ انسٹال کمانڈز کو چلانے کی اجازت دیں", - "Ignore future updates for this package": "اس پیکیج کے مستقبل کے اپ ڈیٹس کو نظرانداز کریں", - "Ignore packages from {pm} when showing a notification about updates": "اپ ڈیٹس کے بارے میں اطلاع دکھاتے وقت {pm} کے پیکجز کو نظر انداز کریں۔", - "Ignore selected packages": "منتخب کردہ پیکیجز کو نظرانداز کریں", - "Ignore special characters": "خاص کریکٹرز کو نظرانداز کریں", "Ignore updates for the selected packages": "منتخب کردہ پیکیجز کے اپ ڈیٹس کو نظرانداز کریں", - "Ignore updates for this package": "اس پیکیج کے اپ ڈیٹس کو نظرانداز کریں", "Ignored updates": "نظرانداز کردہ اپ ڈیٹس", - "Ignored version": "نظرانداز کردہ ورژن", - "Import": "درآمد کریں", "Import packages": "پیکیجز درآمد کریں", "Import packages from a file": "فائل سے پیکیجز درآمد کریں", - "Import settings from a local file": "مقامی فائل سے ترتیبات درآمد کریں", - "In order to add packages to a bundle, you will need to: ": "پیکجوں کو بنڈل میں شامل کرنے کے لیے، آپ کو یہ کرنے کی ضرورت ہوگی: ", "Initializing WingetUI...": "WingetUI کو ابتدائی شکل دی جا رہی ہے...", - "install": "انسٹال کریں", - "Install Scoop": "سکوپ انسٹال کریں۔", "Install and more": "انسٹال اور مزید", "Install and update preferences": "ترجیحات کو انسٹال اور اپ ڈیٹ کریں۔", - "Install as administrator": "ایڈمنسٹریٹر کے طور پر انسٹال کریں", - "Install available updates automatically": "دستیاب اپ ڈیٹس خود بخود انسٹال کریں", - "Install location can't be changed for {0} packages": "{0} پیکجز کے لیے انسٹال مقام تبدیل نہیں کیا جا سکتا", - "Install location:": "انسٹال مقام:", - "Install options": "انسٹالیشن کے اختیارات", "Install packages from a file": "فائل سے پیکجز انسٹال کریں", - "Install prerelease versions of UniGetUI": "UniGetUI کے پری ریلیز ورژن انسٹال کریں۔", - "Install script": "انسٹالیشن سکرپٹ", "Install selected packages": "منتخب کردہ پیکجز انسٹال کریں", "Install selected packages with administrator privileges": "منتخب کردہ پیکجز ایڈمنسٹریٹر کی مراعات کے ساتھ انسٹال کریں", - "Install selection": "انتخاب انسٹال کریں", "Install the latest prerelease version": "تازہ ترین پری ریلیز ورژن انسٹال کریں", "Install updates automatically": "خود بخود اپ ڈیٹس انسٹال کریں", - "Install {0}": "انسٹال کریں {0}", "Installation canceled by the user!": "انسٹالیشن صارف نے منسوخ کر دی!", - "Installation failed": "انسٹالیشن ناکام ہوگئی", - "Installation options": "انسٹالیشن کے اختیارات", - "Installation scope:": "انسٹالیشن کا دائرہ:", - "Installation succeeded": "انسٹالیشن کامیاب ہوگئی", "Installed packages": "انسٹال شدہ پیکجز", - "Installed Version": "انسٹال شدہ ورژن", - "Installer SHA256": "انسٹالر SHA256", - "Installer SHA512": "انسٹالر SHA512", - "Installer Type": "انسٹالر کی قسم", - "Installer URL": "انسٹالر یو آر ایل", - "Installer not available": "انسٹالر دستیاب نہیں ہے۔", "Instance {0} responded, quitting...": "مثال {0} نے جواب دیا، چھوڑ رہا ہے...", - "Instant search": "فوری تلاش", - "Integrity checks can be disabled from the Experimental Settings": "سالمیت کی جانچ کو تجرباتی ترتیبات سے غیر فعال کیا جا سکتا ہے", - "Integrity checks skipped": "سالمیت کی جانچ کو چھوڑ دیا گیا۔", - "Integrity checks will not be performed during this operation": "اس آپریشن کے دوران سالمیت کی جانچ نہیں کی جائے گی۔", - "Interactive installation": "انٹرایکٹو تنصیب", - "Interactive operation": "انٹرایکٹو آپریشن", - "Interactive uninstall": "انٹرایکٹو ان انسٹال", - "Interactive update": "انٹرایکٹو اپ ڈیٹ", - "Internet connection settings": "انٹرنیٹ کنکشن کی ترتیبات", - "Invalid selection": "غلط انتخاب", "Is this package missing the icon?": "کیا اس پیکیج میں آئیکن غائب ہے؟", - "Is your language missing or incomplete?": "کیا آپ کی زبان غائب ہے یا نامکمل؟", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "یہ ضمانت نہیں دی جا سکتی کہ فراہم کردہ اسناد محفوظ طریقے سے رکھی جائیں گی، لہٰذا بہتر ہے کہ اپنے بینک اکاؤنٹ کی اسناد استعمال نہ کریں", - "It is recommended to restart UniGetUI after WinGet has been repaired": "WinGet کی مرمت کے بعد UniGetUI کو دوبارہ شروع کرنے کی سفارش کی جاتی ہے۔", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "اس صورتحال کو درست کرنے کے لیے UniGetUI کو دوبارہ انسٹال کرنے کی سخت سفارش کی جاتی ہے۔", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "ایسا لگتا ہے کہ WinGet ٹھیک سے کام نہیں کر رہا ہے۔ کیا آپ WinGet کو ٹھیک کرنے کی کوشش کرنا چاہتے ہیں؟", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "ایسا لگتا ہے کہ آپ نے بطور ایڈمنسٹریٹر WingetUI چلایا، جس کی سفارش نہیں کی جاتی ہے۔ آپ اب بھی پروگرام استعمال کر سکتے ہیں، لیکن ہم ایڈمنسٹریٹر کی مراعات کے ساتھ WingetUI نہ چلانے کی انتہائی سفارش کرتے ہیں۔ وجہ دیکھنے کے لیے \"{showDetails}\" پر کلک کریں۔", - "Language": "زبان", - "Language, theme and other miscellaneous preferences": "زبان، تھیم اور دیگر متفرق ترجیحات", - "Last updated:": "آخری بار اپ ڈیٹ کیا گیا:", - "Latest": "تازہ ترین", "Latest Version": "تازہ ترین ورژن", "Latest Version:": ":تازہ ترین ورژن", "Latest details...": "تازہ ترین تفصیلات...", "Launching subprocess...": "ذیلی عمل شروع کیا جا رہا ہے...", - "Leave empty for default": "ڈیفالٹ کے لئے خالی چھوڑ دیں", - "License": "لائسنس", "Licenses": "لائسنسز", - "Light": "ہلکا", - "List": "فہرست", "Live command-line output": "براہ راست کمانڈ لائن آؤٹ پٹ", - "Live output": "براہ راست آؤٹ پٹ", "Loading UI components...": "UI اجزاء لوڈ ہو رہے ہیں...", "Loading WingetUI...": "WingetUI لوڈ ہو رہا ہے...", - "Loading packages": "پیکیجز لوڈ ہو رہے ہیں", - "Loading packages, please wait...": "پیکیجز لوڈ ہو رہے ہیں، براہ کرم انتظار کریں...", - "Loading...": "لوڈ ہو رہا ہے...", - "Local": "مقامی", - "Local PC": "مقامی پی سی", - "Local backup advanced options": "مقامی بیک اپ کے اعلیٰ اختیارات", "Local machine": "مقامی مشین", - "Local package backup": "مقامی پیکیج بیک اپ", "Locating {pm}...": "{pm} کی تلاش جاری ہے...", - "Log in": "لاگ ان کریں", - "Log in failed: ": "لاگ ان ناکام ہو گیا: ", - "Log in to enable cloud backup": "کلاؤڈ بیک اپ فعال کرنے کے لیے لاگ ان کریں", - "Log in with GitHub": "GitHub کے ساتھ لاگ ان کریں", - "Log in with GitHub to enable cloud package backup.": "کلاؤڈ پیکیج بیک اپ فعال کرنے کے لیے GitHub کے ساتھ لاگ ان کریں۔", - "Log level:": "لاگ کی سطح:", - "Log out": "لاگ آؤٹ کریں", - "Log out failed: ": "لاگ آؤٹ ناکام ہو گیا: ", - "Log out from GitHub": "GitHub سے لاگ آؤٹ کریں", "Looking for packages...": "پیکیجز کی تلاش جاری ہے...", "Machine | Global": "مشین | عالمی", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "خراب کمانڈ لائن دلائل پیکجز کو خراب کر سکتے ہیں، یا حتیٰ کہ کسی بدنیت عنصر کو خصوصی اجرا حاصل کرنے دے سکتے ہیں۔ اس لیے، حسب ضرورت کمانڈ لائن دلائل درآمد کرنا ڈیفالٹ طور پر غیر فعال ہے۔", - "Manage": "انتظام کریں۔", - "Manage UniGetUI settings": "UniGetUI کی ترتیبات کا انتظام کریں", "Manage WingetUI autostart behaviour from the Settings app": "سیٹنگز ایپ سے WingetUI آٹو اسٹارٹ کے رویے کو منظم کریں", "Manage ignored packages": "نظرانداز کردہ پیکیجز کو منظم کریں", - "Manage ignored updates": "نظرانداز کردہ اپ ڈیٹس کو منظم کریں", - "Manage shortcuts": "شارٹ کٹس کا نظم کریں۔", - "Manage telemetry settings": "ٹیلی میٹری کی ترتیبات کا نظم کریں۔", - "Manage {0} sources": "{0} ماخذ کو منظم کریں", - "Manifest": "منصوبہ", "Manifests": "منصوبے", - "Manual scan": "دستی اسکین", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "مائیکروسافٹ کا آفیشل پیکیج مینیجر۔ معروف اور تصدیق شدہ پیکجوں سے بھرا
مشتمل ہے: جنرل سافٹ ویئر، مائیکروسافٹ اسٹور ایپس", - "Missing dependency": "ضروریات غائب ہیں", - "More": "مزید", - "More details": "مزید تفصیلات", - "More details about the shared data and how it will be processed": "مشترکہ ڈیٹا کے بارے میں مزید تفصیلات اور اس پر کارروائی کیسے کی جائے گی۔", - "More info": "مزید معلومات", - "More than 1 package was selected": "1 سے زیادہ پیکیج منتخب کیے گئے", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "نوٹ: اس ٹربل شوٹر کو WinGet سیکشن پر UniGetUI سیٹنگز سے غیر فعال کیا جا سکتا ہے۔", - "Name": "نام", - "New": "نیا", - "New version": "نیا ورژن", + "New Version": "نیا ورژن", "New bundle": "نیا بنڈل", - "Nice! Backups will be uploaded to a private gist on your account": "بہترین! بیک اپس آپ کے اکاؤنٹ پر نجی gist میں اپ لوڈ کیے جائیں گے", - "No": "نہیں", - "No applicable installer was found for the package {0}": "پیکیج {0} کے لیے کوئی قابل اطلاق انسٹالر نہیں ملا", - "No dependencies specified": "کوئی انحصارات متعین نہیں", - "No new shortcuts were found during the scan.": "اسکین کے دوران کوئی نیا شارٹ کٹ نہیں ملا۔", - "No package was selected": "کوئی پیکیج منتخب نہیں کیا گیا", "No packages found": "کوئی پیکجز نہیں ملے", "No packages found matching the input criteria": "ان پٹ معیار کے مطابق کوئی پیکجز نہیں ملے", "No packages have been added yet": "ابھی تک کوئی پیکجز شامل نہیں کیے گئے ہیں", "No packages selected": "کوئی پیکجز منتخب نہیں کیے گئے", - "No packages were found": "کوئی پیکجز نہیں ملے", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "کوئی ذاتی معلومات اکٹھی نہیں کی جاتی اور نہ ہی بھیجی جاتی ہے، اور جمع کردہ ڈیٹا کو گمنام کر دیا جاتا ہے، اس لیے اسے آپ کو بیک ٹریک نہیں کیا جا سکتا۔", - "No results were found matching the input criteria": "ان پٹ معیار کے مطابق کوئی نتائج نہیں ملے", "No sources found": "کوئی ذرائع نہیں ملے", "No sources were found": "کوئی ذرائع نہیں ملے", "No updates are available": "کوئی اپ ڈیٹس دستیاب نہیں ہیں", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "نوڈ جے ایس کا پیکیج مینیجر۔ لائبریریوں اور دیگر افادیت سے بھری ہوئی ہے جو جاوا اسکرپٹ کی دنیا کا چکر لگاتی ہے
پر مشتمل ہے: نوڈ جاوا اسکرپٹ لائبریریاں اور دیگر متعلقہ یوٹیلیٹیز", - "Not available": "دستیاب نہیں", - "Not finding the file you are looking for? Make sure it has been added to path.": "جو فائل آپ تلاش کر رہے ہیں وہ نہیں مل رہی؟ یقینی بنائیں کہ اسے path میں شامل کیا گیا ہے۔", - "Not found": "نہیں ملا", - "Not right now": "ابھی نہیں", "Notes:": "نوٹس:", - "Notification preferences": "اطلاع کی ترجیحات", "Notification tray options": "نوٹیفکیشن ٹرے کے اختیارات", - "Notification types": "اطلاع کی اقسام", - "NuPkg (zipped manifest)": "NuPkg (زپ شدہ منیفیسٹ)", "Ok": "ٹھیک ہے", - "Open": "کھولیں", "Open GitHub": "GitHub کھولیں", - "Open UniGetUI": "UniGetUI کھولیں۔", - "Open UniGetUI security settings": "UniGetUI سیکیورٹی کی ترتیبات کھولیں", "Open WingetUI": "WingetUI کھولیں", "Open backup location": "بیک اپ مقام کھولیں", "Open existing bundle": "موجودہ بنڈل کھولیں", - "Open install location": "انسٹال لوکیشن کھولیں۔", "Open the welcome wizard": "خوش آمدید وزرڈ کھولیں", - "Operation canceled by user": "صارف کے ذریعے آپریشن منسوخ کر دیا گیا۔", "Operation cancelled": "آپریشن منسوخ", - "Operation history": "آپریشن کی تاریخ", - "Operation in progress": "آپریشن جاری ہے", - "Operation on queue (position {0})...": "قطار میں آپریشن (پوزیشن {0}...)", - "Operation profile:": "آپریشن پروفائل:", "Options saved": "اختیارات محفوظ ہوگئے", - "Order by:": "ترتیب کے لحاظ سے:", - "Other": "دیگر", - "Other settings": "دیگر ترتیبات", - "Package": "پیکیج", - "Package Bundles": "پیکیج بنڈلز", - "Package ID": "پیکیج آئی ڈی", - "Package manager": "پیکیج منیجر", - "Package Manager logs": "پیکیج منیجر لاگز", + "Package Manager": "پیکیج منیجر", "Package managers": "پیکیج مینیجرز", - "Package Name": "پیکیج کا نام", - "Package backup": "پیکیج بیک اپ", - "Package backup settings": "پیکیج بیک اپ کی ترتیبات", - "Package bundle": "پیکیج بنڈل", - "Package details": "پیکیج کی تفصیلات", - "Package lists": "پیکیج کی فہرستیں", - "Package management made easy": "پیکیج مینجمنٹ آسان بنائی گئی", - "Package manager preferences": "پیکیج منیجر کی ترجیحات", - "Package not found": "پیکیج نہیں ملا", - "Package operation preferences": "پیکیج آپریشن کی ترجیحات", - "Package update preferences": "پیکیج اپ ڈیٹ کی ترجیحات", "Package {name} from {manager}": "{manager} سے پیکیج {name}", - "Package's default": "پیکیج کا ڈیفالٹ", "Packages": "پیکیجز", "Packages found: {0}": "پیکیجز ملے: {0}", - "Partially": "جزوی طور پر", - "Password": "پاس ورڈ", "Paste a valid URL to the database": "ڈیٹا بیس میں ایک درست یو آر ایل چسپاں کریں", - "Pause updates for": "اتنے وقت کے لیے اپ ڈیٹس موقوف کریں:", "Perform a backup now": "ابھی بیک اپ کریں", - "Perform a cloud backup now": "ابھی کلاؤڈ بیک اپ کریں", - "Perform a local backup now": "ابھی مقامی بیک اپ کریں", - "Perform integrity checks at startup": "آغاز پر سالمیت کی جانچ کریں", - "Performing backup, please wait...": "بیک اپ ہو رہا ہے، براہ کرم انتظار کریں...", "Periodically perform a backup of the installed packages": "وقتاً فوقتاً انسٹال شدہ پیکیجز کا بیک اپ کریں", - "Periodically perform a cloud backup of the installed packages": "وقتاً فوقتاً انسٹال شدہ پیکجز کا کلاؤڈ بیک اپ کریں", - "Periodically perform a local backup of the installed packages": "وقتاً فوقتاً انسٹال شدہ پیکجز کا مقامی بیک اپ کریں", - "Please check the installation options for this package and try again": "براہ کرم اس پیکیج کے لیے انسٹالیشن کے اختیارات چیک کریں اور دوبارہ کوشش کریں۔", - "Please click on \"Continue\" to continue": "جاری رکھنے کے لئے براہ کرم \"Continue\" پر کلک کریں", "Please enter at least 3 characters": "براہ کرم کم از کم 3 حروف درج کریں", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "براہ کرم نوٹ کریں کہ اس مشین پر فعال پیکیج مینیجرز کی وجہ سے کچھ پیکجز انسٹال نہیں ہوسکتے ہیں۔", - "Please note that not all package managers may fully support this feature": "براہ کرم نوٹ کریں کہ تمام پیکیج مینیجرز اس خصوصیت کو مکمل طور پر سپورٹ نہیں کر سکتے", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "براہ کرم نوٹ کریں کہ کچھ ذرائع سے پیکج برآمد نہیں ہوسکتے ہیں۔ انہیں خاکستر کر دیا گیا ہے اور برآمد نہیں کیا جائے گا۔", - "Please run UniGetUI as a regular user and try again.": "براہ کرم UniGetUI کو باقاعدہ صارف کے طور پر چلائیں اور دوبارہ کوشش کریں۔", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "براہ کرم کمانڈ لائن آؤٹ پٹ دیکھیں یا مسئلے کے بارے میں مزید معلومات کے لیے آپریشن کی تاریخ دیکھیں۔", "Please select how you want to configure WingetUI": "براہ کرم منتخب کریں کہ آپ WingetUI کو کس طرح ترتیب دینا چاہتے ہیں۔", - "Please try again later": "براہ کرم بعد میں دوبارہ کوشش کریں۔", "Please type at least two characters": "براہ کرم کم از کم دو حروف ٹائپ کریں۔", - "Please wait": "برائے مہربانی انتظار کریں۔", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "براہ کرم {0} کے انسٹال ہونے تک انتظار کریں۔ ایک سیاہ ونڈو ظاہر ہوسکتی ہے۔ براہ کرم اس کے بند ہونے تک انتظار کریں۔", - "Please wait...": "برائے مہربانی انتظار کریں...", "Portable": "پورٹیبل", - "Portable mode": "پورٹ ایبل موڈ", - "Post-install command:": "پوسٹ انسٹال کمانڈ:", - "Post-uninstall command:": "پوسٹ ان انسٹال کمانڈ:", - "Post-update command:": "پوسٹ اپ ڈیٹ کمانڈ:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "پاور شیل کا پیکیج مینیجر۔ PowerShell کی صلاحیتوں کو بڑھانے کے لیے لائبریریاں اور اسکرپٹ تلاش کریں
مشتمل ہیں: ماڈیولز، اسکرپٹس، Cmdlets", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "پری اور پوسٹ انسٹال کمانڈز آپ کے ڈیوائس پر بہت نقصان دہ کام کر سکتی ہیں، اگر انہیں ایسا کرنے کے لیے ڈیزائن کیا گیا ہو۔ بنڈل سے کمانڈز درآمد کرنا بہت خطرناک ہو سکتا ہے، جب تک آپ اس پیکیج بنڈل کے ماخذ پر اعتماد نہ کریں", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "پری اور پوسٹ انسٹال کمانڈز پیکیج کے انسٹال، اپ گریڈ یا ان انسٹال ہونے سے پہلے اور بعد میں چلائی جائیں گی۔ خیال رکھیں کہ اگر احتیاط سے استعمال نہ کیا جائے تو یہ چیزوں کو خراب کر سکتی ہیں", - "Pre-install command:": "پری انسٹال کمانڈ:", - "Pre-uninstall command:": "پری ان انسٹال کمانڈ:", - "Pre-update command:": "پری اپ ڈیٹ کمانڈ:", - "PreRelease": "پری ریلیز", - "Preparing packages, please wait...": "پیکجز تیار ہو رہے ہیں، براہ کرم انتظار کریں...", - "Proceed at your own risk.": "اپنی ذمہ داری پر آگے بڑھیں۔", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "UniGetUI Elevator یا GSudo کے ذریعے کسی بھی قسم کی بلندی کو ممنوع قرار دیں", - "Proxy URL": "پروکسی URL", - "Proxy compatibility table": "پروکسی مطابقت ٹیبل", - "Proxy settings": "پروکسی کی ترتیبات", - "Proxy settings, etc.": "پروکسی کی ترتیبات، وغیرہ", "Publication date:": "اشاعت کی تاریخ:", - "Publisher": "پبلشر", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "ازگر کی لائبریری مینیجر۔ ازگر کی لائبریریوں اور ازگر سے متعلق دیگر یوٹیلیٹیز سے بھرا ہوا
مشتمل ہے: پائیتھن لائبریریز اور متعلقہ یوٹیلیٹیز", - "Quit": "بند کریں", "Quit WingetUI": "WingetUI بند کریں", - "Ready": "تیار", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "UAC اشاروں کو کم کریں، ڈیفالٹ کے طور پر انسٹالیشنز کو بلند کریں، کچھ خطرناک خصوصیات کو غیر مقفل کریں، وغیرہ", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "متاثرہ فائلوں کے بارے میں مزید تفصیلات حاصل کرنے کے لیے UniGetUI لاگز دیکھیں", - "Reinstall": "دوبارہ انسٹال کریں۔", - "Reinstall package": "پیکیج دوبارہ انسٹال کریں", - "Related settings": "متعلقہ ترتیبات", - "Release notes": "ریلیز نوٹس", - "Release notes URL": "ریلیز نوٹس یو آر ایل", "Release notes URL:": "ریلیز نوٹس یو آر ایل:", "Release notes:": "ریلیز نوٹس:", "Reload": "دوبارہ لوڈ کریں", - "Reload log": "لاگ دوبارہ لوڈ کریں", "Removal failed": "ہٹانا ناکام ہو گیا", "Removal succeeded": "ہٹانا کامیاب ہو گیا", - "Remove from list": "فہرست سے ہٹائیں", "Remove permanent data": "مستقل ڈیٹا ہٹائیں", - "Remove selection from bundle": "بُنڈل سے انتخاب ہٹائیں", "Remove successful installs/uninstalls/updates from the installation list": "انسٹالیشن لسٹ سے کامیاب انسٹال/ان انسٹال/اپ ڈیٹس کو ہٹا دیں۔", - "Removing source {source}": "ماخذ کو ہٹایا جا رہا ہے {source}", - "Removing source {source} from {manager}": "{source} کو {manager} سے ہٹایا جا رہا ہے", - "Repair UniGetUI": "UniGetUI کی مرمت کریں", - "Repair WinGet": "WinGet کی مرمت کریں۔", - "Report an issue or submit a feature request": "مسئلہ رپورٹ کریں یا فیچر کی درخواست جمع کروائیں", "Repository": "ریپوزیٹری", - "Reset": "ری سیٹ کریں", "Reset Scoop's global app cache": "Scoop کے عالمی ایپ کیشے کو ری سیٹ کریں", - "Reset UniGetUI": "UniGetUI کو دوبارہ ترتیب دیں۔", - "Reset WinGet": "WinGet کو دوبارہ ترتیب دیں۔", "Reset Winget sources (might help if no packages are listed)": "Winget ذرائع کو ری سیٹ کریں (اگر کوئی پیکیجز نہیں دکھائی دیتے تو یہ مدد کر سکتا ہے)", - "Reset WingetUI": "WingetUI کو ری سیٹ کریں", "Reset WingetUI and its preferences": "WingetUI اور اس کی ترجیحات کو ری سیٹ کریں", "Reset WingetUI icon and screenshot cache": "WingetUI آئیکن اور اسکرین شاٹ کیشے کو ری سیٹ کریں", - "Reset list": "فہرست کو دوبارہ ترتیب دیں۔", "Resetting Winget sources - WingetUI": "Winget ذرائع کو ری سیٹ کیا جا رہا ہے - WingetUI", - "Restart": "دوبارہ شروع کریں۔", - "Restart UniGetUI": "UniGetUI دوبارہ شروع کریں", - "Restart WingetUI": "WingetUI دوبارہ شروع کریں", - "Restart WingetUI to fully apply changes": "تبدیلیوں کو مکمل طور پر نافذ کرنے کے لیے WingetUI دوبارہ شروع کریں", - "Restart later": "بعد میں دوبارہ شروع کریں", "Restart now": "ابھی دوبارہ شروع کریں", - "Restart required": "دوبارہ شروع کرنا ضروری ہے", "Restart your PC to finish installation": "انسٹالیشن مکمل کرنے کے لیے اپنے پی سی کو دوبارہ شروع کریں", "Restart your computer to finish the installation": "انسٹالیشن مکمل کرنے کے لیے اپنے کمپیوٹر کو دوبارہ شروع کریں", - "Restore a backup from the cloud": "کلاؤڈ سے بیک اپ بحال کریں", - "Restrictions on package managers": "پیکیج مینیجرز پر پابندیاں", - "Restrictions on package operations": "پیکیج آپریشنز پر پابندیاں", - "Restrictions when importing package bundles": "پیکیج بنڈلز درآمد کرتے وقت پابندیاں", - "Retry": "دوبارہ کوشش کریں", - "Retry as administrator": "بطور منتظم دوبارہ کوشش کریں۔", "Retry failed operations": "ناکام آپریشنز کی دوبارہ کوشش کریں۔", - "Retry interactively": "انٹرایکٹو دوبارہ کوشش کریں۔", - "Retry skipping integrity checks": "سالمیت کی جانچ کو چھوڑنے کی دوبارہ کوشش کریں۔", "Retrying, please wait...": "دوبارہ کوشش کی جا رہی ہے، براہ کرم انتظار کریں...", "Return to top": "اوپر واپس جائیں", - "Run": "چلائیں", - "Run as admin": "ایڈمن کے طور پر چلائیں", - "Run cleanup and clear cache": "صفائی کریں اور کیشے صاف کریں", - "Run last": "آخری چلائیں۔", - "Run next": "اگلا چلائیں۔", - "Run now": "اب دوڑو", "Running the installer...": "انسٹالر چل رہا ہے...", "Running the uninstaller...": "ان انسٹالر چل رہا ہے...", "Running the updater...": "اپ ڈیٹر چل رہا ہے...", - "Save": "محفوظ کریں", - "Save File": "فائل محفوظ کریں", - "Save and close": "محفوظ کریں اور بند کریں", - "Save as": "اس نام سے محفوظ کریں", + "Save File": "فائل محفوظ کریں", "Save bundle as": "بُنڈل کو اس طور پر محفوظ کریں", "Save now": "ابھی محفوظ کریں", - "Saving packages, please wait...": "پیکیجز محفوظ کیے جا رہے ہیں، براہ کرم انتظار کریں...", - "Scoop Installer - WingetUI": "Scoop انسٹالر - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop ان انسٹالر - WingetUI", - "Scoop package": "Scoop پیکیج", "Search": "تلاش کریں", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "ڈیسک ٹاپ سافٹ ویئر تلاش کریں، اپ ڈیٹس دستیاب ہونے پر مجھے تنبیہ کریں اور بیہودہ کام نہ کریں۔ میں نہیں چاہتا کہ WingetUI زیادہ پیچیدہ ہو، مجھے صرف ایک سادہ سافٹ ویئر اسٹور چاہیے", - "Search for packages": "پیکیجز تلاش کریں", - "Search for packages to start": "شروع کرنے کے لئے پیکیجز تلاش کریں", - "Search mode": "تلاش کا موڈ", "Search on available updates": "دستیاب اپ ڈیٹس پر تلاش کریں", "Search on your software": "اپنے سافٹ ویئر پر تلاش کریں", "Searching for installed packages...": "نصب شدہ پیکیجز کی تلاش...", "Searching for packages...": "پیکیجز کی تلاش...", "Searching for updates...": "اپ ڈیٹس کی تلاش...", - "Select": "منتخب کریں", "Select \"{item}\" to add your custom bucket": "اپنی حسب ضرورت بالٹی شامل کرنے کے لئے \"{item}\" منتخب کریں", "Select a folder": "ایک فولڈر منتخب کریں", - "Select all": "سب منتخب کریں", "Select all packages": "سب پیکیجز منتخب کریں", - "Select backup": "بیک اپ منتخب کریں", "Select only if you know what you are doing.": "صرف منتخب کریں اگر آپ کو معلوم ہے کہ آپ کیا کر رہے ہیں.", "Select package file": "پیکیج فائل منتخب کریں", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "وہ بیک اپ منتخب کریں جو آپ کھولنا چاہتے ہیں۔ بعد میں، آپ یہ جائزہ لے سکیں گے کہ آپ کون سے پیکجز/پروگرام بحال کرنا چاہتے ہیں۔", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "استعمال کیے جانے والے ایگزیکیوبل کو منتخب کریں۔ درج ذیل فہرست UniGetUI کی طرف سے ملنے والے ایگزیکیوبلز دکھاتی ہے", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "وہ پروسیس منتخب کریں جو اس پیکیج کے انسٹال، اپ ڈیٹ یا ان انسٹال ہونے سے پہلے بند ہونے چاہئیں۔", - "Select the source you want to add:": "جس ماخذ کو آپ شامل کرنا چاہتے ہیں اسے منتخب کریں:", - "Select upgradable packages by default": "ڈیفالٹ کے لحاظ سے اپ گریڈ ایبل پیکجز کو منتخب کریں۔", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "منتخب کریں کہ کون سے پیکیج مینیجرز کو استعمال کرنا ہے ({0})، ترتیب دیں کہ پیکجز کیسے انسٹال ہوتے ہیں، منتظم کے حقوق کو کیسے ہینڈل کیا جاتا ہے، وغیرہ۔", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "مصافحہ بھیجا۔ مثال کے سامعین کے جواب کا انتظار ہے... ({0}%)", - "Set a custom backup file name": "اپنی مرضی کا بیک اپ فائل نام سیٹ کریں", "Set custom backup file name": "اپنی مرضی کا بیک اپ فائل نام سیٹ کریں", - "Settings": "ترتیبات", - "Share": "شیئر کریں", "Share WingetUI": "WingetUI شیئر کریں", - "Share anonymous usage data": "گمنام استعمال کا ڈیٹا شیئر کریں۔", - "Share this package": "اس پیکیج کو شیئر کریں", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "اگر آپ سیکیورٹی کی ترتیبات میں تبدیلی کرتے ہیں، تو تبدیلیوں کے اثر میں آنے کے لیے آپ کو بنڈل دوبارہ کھولنا ہوگا۔", "Show UniGetUI on the system tray": "یونی گیٹ یوآئی کو سسٹم ٹرے پر دکھائیں", - "Show UniGetUI's version and build number on the titlebar.": "ٹائٹل بار پر UniGetUI کا ورژن اور بلڈ نمبر دکھائیں۔", - "Show WingetUI": "WingetUI دکھائیں", "Show a notification when an installation fails": "جب انسٹالیشن ناکام ہو تو نوٹیفکیشن دکھائیں", "Show a notification when an installation finishes successfully": "جب انسٹالیشن کامیابی سے مکمل ہو تو نوٹیفکیشن دکھائیں", - "Show a notification when an operation fails": "آپریشن ناکام ہونے پر اطلاع دکھائیں۔", - "Show a notification when an operation finishes successfully": "جب آپریشن کامیابی سے ختم ہو جائے تو اطلاع دکھائیں۔", - "Show a notification when there are available updates": "جب اپ ڈیٹس دستیاب ہوں تو نوٹیفکیشن دکھائیں", - "Show a silent notification when an operation is running": "جب کوئی آپریشن چل رہا ہو تو خاموش اطلاع دکھائیں۔", "Show details": "تفصیلات دکھائیں", - "Show in explorer": "ایکسپلورر میں دکھائیں۔", "Show info about the package on the Updates tab": "اپ ڈیٹس ٹیب پر پیکیج کے بارے میں معلومات دکھائیں", "Show missing translation strings": "غیر موجود ترجمہ کی سٹرنگز دکھائیں", - "Show notifications on different events": "مختلف واقعات پر نوٹیفکیشن دکھائیں", "Show package details": "پیکیج کی تفصیلات دکھائیں", - "Show package icons on package lists": "پیکیج کی فہرستوں پر پیکیج کی شبیہیں دکھائیں۔", - "Show similar packages": "مشابہ پیکیجز دکھائیں", "Show the live output": "براہ راست آؤٹ پٹ دکھائیں", - "Size": "سائز", "Skip": "چھوڑیں", - "Skip hash check": "ہیش چیک چھوڑیں", - "Skip hash checks": "ہیش چیکس کو چھوڑ دیں۔", - "Skip integrity checks": "سالمیت کی جانچ چھوڑیں", - "Skip minor updates for this package": "اس پیکیج کے لیے معمولی اپ ڈیٹس کو چھوڑ دیں۔", "Skip the hash check when installing the selected packages": "منتخب پیکیجز کو انسٹال کرتے وقت ہیش چیک چھوڑیں", "Skip the hash check when updating the selected packages": "منتخب پیکیجز کو اپ ڈیٹ کرتے وقت ہیش چیک چھوڑیں", - "Skip this version": "اس ورژن کو چھوڑیں", - "Software Updates": "سافٹ ویئر اپ ڈیٹس", - "Something went wrong": "کچھ غلط ہو گیا", - "Something went wrong while launching the updater.": "اپڈیٹر لانچ کرتے وقت کچھ غلط ہو گیا۔", - "Source": "ذریعہ", - "Source URL:": "ذریعہ یو آر ایل:", - "Source added successfully": "ماخذ کامیابی کے ساتھ شامل ہو گیا۔", "Source addition failed": "ذریعہ شامل کرنا ناکام ہو گیا", - "Source name:": "ذریعہ کا نام:", "Source removal failed": "ذریعہ ہٹانا ناکام ہو گیا", - "Source removed successfully": "ماخذ کامیابی کے ساتھ ہٹا دیا گیا۔", "Source:": "ذریعہ:", - "Sources": "ذرائع", "Start": "شروع کریں", "Starting daemons...": "ڈیمونز شروع ہو رہے ہیں...", - "Starting operation...": "آپریشن شروع ہو رہا ہے...", "Startup options": "اسٹارٹ اپ اختیارات", "Status": "حالت", "Stuck here? Skip initialization": "یہاں پھنس گئے؟ ابتدائی سازی چھوڑ دیں", - "Success!": "کامیابی!", "Suport the developer": "ڈویلپر کی مدد کریں", "Support me": "میری مدد کریں", "Support the developer": "ڈویلپر کی مدد کریں", "Systems are now ready to go!": "سسٹمز اب تیار ہیں!", - "Telemetry": "ٹیلیمیٹری", - "Text": "متن", "Text file": "متن کی فائل", - "Thank you ❤": "شکریہ ❤", "Thank you 😉": "شکریہ 😉", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "رسٹ پیکیج مینیجر۔
پر مشتمل ہے: رسٹ لائبریریز اور پروگرامز جو زنگ میں لکھے گئے ہیں", - "The backup will NOT include any binary file nor any program's saved data.": "بیک اپ میں کوئی بائنری فائل شامل نہیں ہوگی اور نہ ہی کسی پروگرام کا محفوظ کردہ ڈیٹا۔", - "The backup will be performed after login.": "لاگ ان کے بعد بیک اپ لیا جائے گا۔", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "بیک اپ میں انسٹال شدہ پیکجوں کی مکمل فہرست اور ان کی تنصیب کے اختیارات شامل ہوں گے۔ نظر انداز کیے گئے اپ ڈیٹس اور چھوڑے گئے ورژن بھی محفوظ کیے جائیں گے۔", - "The bundle was created successfully on {0}": "بنڈل کامیابی سے {0} پر بنایا گیا", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "آپ جس بنڈل کو لوڈ کرنے کی کوشش کر رہے ہیں وہ غلط معلوم ہوتا ہے۔ براہ کرم فائل چیک کریں اور دوبارہ کوشش کریں۔", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "انسٹالر کا چیک سم متوقع قیمت سے میل نہیں کھاتا، اور انسٹالر کی صداقت کی تصدیق نہیں کی جا سکتی۔ اگر آپ پبلشر پر بھروسہ کرتے ہیں تو، {0} پیکیج دوبارہ ہیش چیک کو چھوڑ رہا ہے۔", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "ونڈوز کے لیے کلاسیکل پیکیج مینیجر۔ آپ کو وہاں سب کچھ مل جائے گا۔
پر مشتمل ہے: جنرل سافٹ ویئر", - "The cloud backup completed successfully.": "کلاؤڈ بیک اپ کامیابی سے مکمل ہو گیا۔", - "The cloud backup has been loaded successfully.": "کلاؤڈ بیک اپ کامیابی سے لوڈ ہو گیا ہے۔", - "The current bundle has no packages. Add some packages to get started": "موجودہ بنڈل میں کوئی پیکیج نہیں ہے۔ شروع کرنے کے لیے کچھ پیکجز شامل کریں۔", - "The executable file for {0} was not found": "{0} کے لیے قابل عمل فائل نہیں ملی", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "درج ذیل اختیارات ہر بار {0} پیکیج کے انسٹال، اپ گریڈ یا ان انسٹال ہونے پر ڈیفالٹ کے طور پر لاگو کیے جائیں گے۔", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "مندرجہ ذیل پیکیجز JSON فائل میں ایکسپورٹ کیے جائیں گے۔ صارف کا کوئی ڈیٹا یا بائنریز محفوظ نہیں کیا جائے گا۔", "The following packages are going to be installed on your system.": "درج ذیل پیکیجز آپ کے سسٹم پر انسٹال ہونے جا رہے ہیں۔", - "The following settings may pose a security risk, hence they are disabled by default.": "درج ذیل ترتیبات سیکیورٹی کا خطرہ پیدا کر سکتی ہیں، اس لیے وہ ڈیفالٹ طور پر غیر فعال ہیں۔", - "The following settings will be applied each time this package is installed, updated or removed.": "ہر بار جب یہ پیکیج انسٹال، اپ ڈیٹ یا ہٹایا جائے گا تو درج ذیل ترتیبات لاگو ہوں گی۔", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "ہر بار جب یہ پیکیج انسٹال، اپ ڈیٹ یا ہٹایا جائے گا تو درج ذیل ترتیبات لاگو ہوں گی۔ وہ خود بخود محفوظ ہو جائیں گے۔", "The icons and screenshots are maintained by users like you!": "شبیہیں اور اسکرین شاٹس آپ جیسے صارفین کے ذریعہ برقرار رکھے جاتے ہیں!", - "The installation script saved to {0}": "انسٹالیشن سکرپٹ {0} میں محفوظ کیا گیا", - "The installer authenticity could not be verified.": "انسٹالر کی صداقت کی تصدیق نہیں ہو سکی۔", "The installer has an invalid checksum": "انسٹالر کے پاس ایک غلط چیکسم ہے۔", "The installer hash does not match the expected value.": "انسٹالر ہیش متوقع قدر سے مماثل نہیں ہے۔", - "The local icon cache currently takes {0} MB": "مقامی آئیکن کیش فی الحال {0} MB لیتا ہے۔", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "اس پروجیکٹ کا بنیادی ہدف ونڈوز کے لیے سب سے عام CLI پیکیج مینیجرز جیسے ونگیٹ اور اسکوپ کو منظم کرنے کے لیے ایک بدیہی UI بنانا ہے۔", - "The package \"{0}\" was not found on the package manager \"{1}\"": "پیکیج مینیجر \"{1}\" پر پیکیج \"{0}\" نہیں ملا", - "The package bundle could not be created due to an error.": "ایک خرابی کی وجہ سے پیکیج بنڈل نہیں بنایا جا سکا۔", - "The package bundle is not valid": "پیکیج بنڈل درست نہیں ہے۔", - "The package manager \"{0}\" is disabled": "پیکیج مینیجر \"{0}\" غیر فعال ہے۔", - "The package manager \"{0}\" was not found": "پیکیج مینیجر \"{0}\" نہیں ملا", "The package {0} from {1} was not found.": "{1} سے {0} پیکیج نہیں ملا۔", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "اپ ڈیٹس کی جانچ کرتے وقت یہاں درج پیکیجز کو مدنظر نہیں رکھا جائے گا۔ ان پر ڈبل کلک کریں یا ان کے دائیں جانب کے بٹن پر کلک کریں تاکہ ان کی اپ ڈیٹس کو نظر انداز کرنا بند کر دیں۔", "The selected packages have been blacklisted": "منتخب پیکجز کو بلیک لسٹ کر دیا گیا ہے۔", - "The settings will list, in their descriptions, the potential security issues they may have.": "ترتیبات اپنی وضاحتوں میں ان ممکنہ سیکیورٹی مسائل کی فہرست دیں گی جو ان میں ہو سکتے ہیں۔", - "The size of the backup is estimated to be less than 1MB.": "بیک اپ کے سائز کا تخمینہ 1MB سے کم ہے۔", - "The source {source} was added to {manager} successfully": "ماخذ {source} کو کامیابی کے ساتھ {manager} میں شامل کر دیا گیا۔", - "The source {source} was removed from {manager} successfully": "ماخذ {source} کو {manager} سے کامیابی کے ساتھ ہٹا دیا گیا تھا۔", - "The system tray icon must be enabled in order for notifications to work": "اطلاعات کے کام کرنے کے لیے سسٹم ٹرے آئیکن کا فعال ہونا ضروری ہے۔", - "The update process has been aborted.": "اپ ڈیٹ کا عمل روک دیا گیا ہے۔", - "The update process will start after closing UniGetUI": "اپ ڈیٹ کا عمل UniGetUI کو بند کرنے کے بعد شروع ہوگا۔", "The update will be installed upon closing WingetUI": "WingetUI کو بند کرنے پر اپ ڈیٹ انسٹال ہو جائے گا۔", "The update will not continue.": "اپ ڈیٹ جاری نہیں رہے گا۔", "The user has canceled {0}, that was a requirement for {1} to be run": "صارف نے {0} کو منسوخ کر دیا ہے، جو کہ {1} کو چلانے کی ضرورت تھی۔", - "There are no new UniGetUI versions to be installed": "انسٹال کرنے کے لیے کوئی نیا UniGetUI ورژن نہیں ہے۔", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "آپریشنز جاری ہیں۔ WingetUI کو چھوڑنا ان کے ناکام ہونے کا سبب بن سکتا ہے۔ کیا آپ جاری رکھنا چاہتے ہیں؟", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "یوٹیوب پر کچھ بہترین ویڈیوز ہیں جو ونگیٹ یو آئی اور اس کی صلاحیتوں کو ظاہر کرتی ہیں۔ آپ مفید چالیں اور تجاویز سیکھ سکتے ہیں!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "بطور ایڈمنسٹریٹر ونگیٹ یو آئی کو نہ چلانے کی دو اہم وجوہات ہیں۔ پہلا یہ کہ Scoop پیکیج مینیجر منتظم کے حقوق کے ساتھ چلنے پر کچھ کمانڈز کے ساتھ مسائل پیدا کر سکتا ہے۔ دوسرا یہ کہ WingetUI کو بطور ایڈمنسٹریٹر چلانے کا مطلب یہ ہے کہ آپ جو بھی پیکیج ڈاؤن لوڈ کرتے ہیں وہ بطور ایڈمنسٹریٹر چلایا جائے گا (جو محفوظ نہیں ہے)۔ یاد رکھیں کہ اگر آپ کو بطور ایڈمنسٹریٹر ایک مخصوص پیکج انسٹال کرنے کی ضرورت ہے، تو آپ ہمیشہ آئٹم پر دائیں کلک کر سکتے ہیں -> انسٹال/اپ ڈیٹ/این انسٹال بطور ایڈمنسٹریٹر۔", - "There is an error with the configuration of the package manager \"{0}\"": "پیکیج مینیجر \"{0}\" کی ترتیب میں ایک خرابی ہے۔", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "ایک تنصیب جاری ہے۔ اگر آپ WingetUI کو بند کرتے ہیں، تو انسٹالیشن ناکام ہو سکتی ہے اور اس کے غیر متوقع نتائج نکل سکتے ہیں۔ کیا آپ اب بھی WingetUI چھوڑنا چاہتے ہیں؟", "They are the programs in charge of installing, updating and removing packages.": "وہ پیکیجز کو انسٹال کرنے، اپ ڈیٹ کرنے اور ہٹانے کے انچارج پروگرام ہیں۔", - "Third-party licenses": "تیسری پارٹی کے لائسنس", "This could represent a security risk.": "یہ ایک سیکیورٹی رسک کی نمائندگی کر سکتا ہے۔", - "This is not recommended.": "اس کی سفارش نہیں کی جاتی ہے۔", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "یہ شاید اس حقیقت کی وجہ سے ہے کہ آپ کو جو پیکیج بھیجا گیا تھا اسے ہٹا دیا گیا تھا، یا کسی ایسے پیکیج مینیجر پر شائع کیا گیا تھا جسے آپ نے فعال نہیں کیا تھا۔ موصولہ ID ہے {0}", "This is the default choice.": "یہ پہلے سے طے شدہ انتخاب ہے۔", - "This may help if WinGet packages are not shown": "اگر WinGet پیکجز نہیں دکھائے گئے ہیں تو اس سے مدد مل سکتی ہے۔", - "This may help if no packages are listed": "اس سے مدد مل سکتی ہے اگر کوئی پیکیج درج نہ ہو۔", - "This may take a minute or two": "اس میں ایک یا دو منٹ لگ سکتے ہیں۔", - "This operation is running interactively.": "یہ آپریشن انٹرایکٹو چل رہا ہے۔", - "This operation is running with administrator privileges.": "یہ آپریشن ایڈمنسٹریٹر کی مراعات کے ساتھ چل رہا ہے۔", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "یہ اختیار یقیناً مسائل پیدا کرے گا۔ کوئی بھی آپریشن جو خود کو بلند کرنے کے قابل نہیں ہوگا ناکام ہو جائے گا۔ ایڈمنسٹریٹر کے طور پر انسٹال/اپ ڈیٹ/ان انسٹال کام نہیں کرے گا۔", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "اس پیکیج بنڈل میں کچھ ترتیبات تھیں جو ممکنہ طور پر خطرناک ہیں، اور انہیں ڈیفالٹ طور پر نظر انداز کیا جا سکتا ہے۔", "This package can be updated": "اس پیکج کو اپ ڈیٹ کیا جا سکتا ہے۔", "This package can be updated to version {0}": "اس پیکیج کو ورژن {0} میں اپ ڈیٹ کیا جا سکتا ہے", - "This package can be upgraded to version {0}": "اس پیکیج کو ورژن {0} میں اپ گریڈ کیا جا سکتا ہے", - "This package cannot be installed from an elevated context.": "اس پیکج کو بلند سیاق و سباق سے انسٹال نہیں کیا جا سکتا۔", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "اس پیکیج میں کوئی اسکرین شاٹس نہیں ہیں یا آئیکن غائب ہے؟ ہمارے کھلے، عوامی ڈیٹا بیس میں گمشدہ آئیکنز اور اسکرین شاٹس کو شامل کرکے WingetUI سے تعاون کریں۔", - "This package is already installed": "یہ پیکیج پہلے سے انسٹال ہے۔", - "This package is being processed": "اس پیکج پر کارروائی ہو رہی ہے۔", - "This package is not available": "یہ پیکیج دستیاب نہیں ہے۔", - "This package is on the queue": "یہ پیکج قطار میں ہے۔", "This process is running with administrator privileges": "یہ عمل منتظم کے استحقاق کے ساتھ چل رہا ہے۔", - "This project has no connection with the official {0} project — it's completely unofficial.": "اس پروجیکٹ کا آفیشل {0} پروجیکٹ سے کوئی تعلق نہیں ہے — یہ مکمل طور پر غیر سرکاری ہے۔", "This setting is disabled": "یہ ترتیب غیر فعال ہے۔", "This wizard will help you configure and customize WingetUI!": "یہ وزرڈ آپ کو WingetUI کو ترتیب دینے اور اپنی مرضی کے مطابق بنانے میں مدد کرے گا!", "Toggle search filters pane": "تلاش کے فلٹرز پین کو ٹوگل کریں۔", - "Translators": "مترجم", - "Try to kill the processes that refuse to close when requested to": "ان پروسیسز کو ختم کرنے کی کوشش کریں جو درخواست کرنے پر بند ہونے سے انکار کرتے ہیں", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "اسے آن کرنے سے پیکیج مینیجرز کے ساتھ تعامل کے لیے استعمال ہونے والی ایگزیکیوبل فائل کو تبدیل کرنا ممکن ہو جاتا ہے۔ اگرچہ یہ آپ کے انسٹالیشن عمل کو زیادہ باریک سطح پر حسب ضرورت بنانے دیتا ہے، لیکن یہ خطرناک بھی ہو سکتا ہے", "Type here the name and the URL of the source you want to add, separed by a space.": "یہاں نام اور اس سورس کا URL ٹائپ کریں جسے آپ شامل کرنا چاہتے ہیں، اسپیس سے الگ کر کے۔", "Unable to find package": "پیکیج تلاش کرنے سے قاصر", "Unable to load informarion": "معلومات لوڈ کرنے سے قاصر", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI صارف کے تجربے کو بہتر بنانے کے لیے گمنام استعمال کا ڈیٹا اکٹھا کرتا ہے۔", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI صارف کے تجربے کو سمجھنے اور بہتر بنانے کے واحد مقصد کے ساتھ گمنام استعمال کا ڈیٹا اکٹھا کرتا ہے۔", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI نے ایک نئے ڈیسک ٹاپ شارٹ کٹ کا پتہ لگایا ہے جسے خود بخود حذف کیا جا سکتا ہے۔", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI نے مندرجہ ذیل ڈیسک ٹاپ شارٹ کٹس کا پتہ لگایا ہے جنہیں مستقبل کے اپ گریڈ پر خود بخود ہٹایا جا سکتا ہے۔", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI نے {0} نئے ڈیسک ٹاپ شارٹ کٹس کا پتہ لگایا ہے جو خود بخود حذف ہو سکتے ہیں۔", - "UniGetUI is being updated...": "UniGetUI کو اپ ڈیٹ کیا جا رہا ہے...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI کا تعلق کسی بھی مطابقت پذیر پیکیج مینیجرز سے نہیں ہے۔ UniGetUI ایک آزاد منصوبہ ہے۔", - "UniGetUI on the background and system tray": "UniGetUI پس منظر اور سسٹم ٹرے میں", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI یا اس کے کچھ اجزاء غائب یا خراب ہیں۔", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI کو آپریٹ کرنے کے لیے {0} کی ضرورت ہے، لیکن یہ آپ کے سسٹم پر نہیں ملا۔", - "UniGetUI startup page:": "UniGetUI آغاز صفحہ:", - "UniGetUI updater": "UniGetUI اپ ڈیٹر", - "UniGetUI version {0} is being downloaded.": "UniGetUI ورژن {0} ڈاؤن لوڈ کیا جا رہا ہے۔", - "UniGetUI {0} is ready to be installed.": "UniGetUI {0} انسٹال ہونے کے لیے تیار ہے۔", - "uninstall": "ان انسٹال کریں", - "Uninstall Scoop (and its packages)": "اسکوپ کو ان انسٹال کریں (اور اس کے پیکجز)", "Uninstall and more": "ان انسٹال اور مزید", - "Uninstall and remove data": "ان انسٹال کریں اور ڈیٹا کو ہٹا دیں۔", - "Uninstall as administrator": "بطور ایڈمنسٹریٹر ان انسٹال کریں۔", "Uninstall canceled by the user!": "ان انسٹال کو صارف نے منسوخ کر دیا!", - "Uninstall failed": "اَن انسٹال ناکام ہو گیا۔", - "Uninstall options": "ان انسٹال کے اختیارات", - "Uninstall package": "پیکیج کو ان انسٹال کریں۔", - "Uninstall package, then reinstall it": "پیکیج کو ان انسٹال کریں، پھر اسے دوبارہ انسٹال کریں۔", - "Uninstall package, then update it": "پیکیج کو ان انسٹال کریں، پھر اسے اپ ڈیٹ کریں۔", - "Uninstall previous versions when updated": "اپ ڈیٹ ہونے پر پچھلے ورژنز کو ان انسٹال کریں", - "Uninstall selected packages": "منتخب پیکجز کو ان انسٹال کریں۔", - "Uninstall selection": "منتخب کردہ کو ان انسٹال کریں", - "Uninstall succeeded": "اَن انسٹال کرنا کامیاب ہو گیا۔", "Uninstall the selected packages with administrator privileges": "ایڈمنسٹریٹر کی مراعات کے ساتھ منتخب پیکجز کو ان انسٹال کریں۔", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "\"{0}\" کے طور پر درج اصل کے ساتھ اَن انسٹال کیے جانے والے پیکیجز کسی بھی پیکیج مینیجر پر شائع نہیں کیے گئے ہیں، اس لیے ان کے بارے میں دکھانے کے لیے کوئی معلومات دستیاب نہیں ہے۔", - "Unknown": "نامعلوم", - "Unknown size": "نامعلوم سائز", - "Unset or unknown": "غیر سیٹ یا نامعلوم", - "Up to date": "تازہ ترین", - "Update": "اپ ڈیٹ", - "Update WingetUI automatically": "WingetUI کو خود بخود اپ ڈیٹ کریں", - "Update all": "سب کو اپ ڈیٹ کریں", "Update and more": "اپ ڈیٹ اور مزید", - "Update as administrator": "ایڈمنسٹریٹر کے طور پر اپ ڈیٹ کریں", - "Update check frequency, automatically install updates, etc.": "اپ ڈیٹ کی جانچ کی تعدد، اپ ڈیٹس خود بخود انسٹال کریں، وغیرہ", - "Update checking": "اپ ڈیٹ کی جانچ", "Update date": "اپ ڈیٹ کی تاریخ", - "Update failed": "اپ ڈیٹ ناکام ہو گیا", "Update found!": "اپ ڈیٹ مل گیا!", - "Update now": "ابھی اپ ڈیٹ کریں", - "Update options": "اپ ڈیٹ کے اختیارات", "Update package indexes on launch": "لانچ پر پیکیج انڈیکسز کو اپ ڈیٹ کریں", "Update packages automatically": "پیکیجز کو خود بخود اپ ڈیٹ کریں", "Update selected packages": "منتخب پیکیجز کو اپ ڈیٹ کریں", "Update selected packages with administrator privileges": "منتخب پیکیجز کو ایڈمنسٹریٹر کے حقوق کے ساتھ اپ ڈیٹ کریں", - "Update selection": "منتخب کردہ کو اپ ڈیٹ کریں", - "Update succeeded": "اپ ڈیٹ کامیاب ہو گیا", - "Update to version {0}": "ورژن {0} میں اپ ڈیٹ کریں", - "Update to {0} available": "{0} کے لئے اپ ڈیٹ دستیاب ہے", "Update vcpkg's Git portfiles automatically (requires Git installed)": "vcpkg کی Git پورٹ فائلز کو خود بخود اپ ڈیٹ کریں (Git انسٹال کرنے کی ضرورت ہے)", "Updates": "اپ ڈیٹس", "Updates available!": "اپ ڈیٹس دستیاب ہیں!", - "Updates for this package are ignored": "اس پیکیج کے لئے اپ ڈیٹس کو نظر انداز کیا گیا ہے", - "Updates found!": "اپ ڈیٹس مل گئیں!", "Updates preferences": "اپ ڈیٹس کی ترجیحات", "Updating WingetUI": "WingetUI کو اپ ڈیٹ کیا جا رہا ہے", "Url": "یو آر ایل", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "PowerShell CMDLets کی بجائے پرانی بندھی ہوئی WinGet کا استعمال کریں", - "Use a custom icon and screenshot database URL": "ایک حسب ضرورت آئیکن اور اسکرین شاٹ ڈیٹا بیس یو آر ایل کا استعمال کریں", "Use bundled WinGet instead of PowerShell CMDlets": "PowerShell CMDlets کی بجائے بندھی ہوئی WinGet کا استعمال کریں", - "Use bundled WinGet instead of system WinGet": "سسٹم WinGet کے بجائے بنڈل WinGet استعمال کریں۔", - "Use installed GSudo instead of UniGetUI Elevator": "UniGetUI Elevator کی بجائے انسٹال شدہ GSudo استعمال کریں", "Use installed GSudo instead of the bundled one": "بندھی ہوئی کی بجائے نصب شدہ GSudo کا استعمال کریں", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "پرانی طرز کا UniGetUI Elevator استعمال کریں (اگر UniGetUI Elevator کے ساتھ مسائل ہوں تو یہ مددگار ہو سکتا ہے)", - "Use system Chocolatey": "سسٹم Chocolatey کا استعمال کریں", "Use system Chocolatey (Needs a restart)": "سسٹم Chocolatey کا استعمال کریں (دوبارہ شروع کرنے کی ضرورت ہے)", "Use system Winget (Needs a restart)": "سسٹم Winget کا استعمال کریں (دوبارہ شروع کرنے کی ضرورت ہے)", "Use system Winget (System language must be set to english)": "سسٹم Winget کا استعمال کریں (سسٹم کی زبان انگریزی پر سیٹ ہونی چاہیے)", "Use the WinGet COM API to fetch packages": "پیکیجز کو حاصل کرنے کے لئے WinGet COM API کا استعمال کریں", "Use the WinGet PowerShell Module instead of the WinGet COM API": "WinGet COM API کے بجائے WinGet PowerShell ماڈیول استعمال کریں۔", - "Useful links": "مفید لنکس", "User": "صارف", - "User interface preferences": "صارف انٹرفیس کی ترجیحات", "User | Local": "صارف | مقامی", - "Username": "صارف کا نام", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "WingetUI کا استعمال کرنے کا مطلب ہے کہ آپ نے GNU Lesser General Public License v2.1 لائسنس کو قبول کر لیا ہے", - "Using WingetUI implies the acceptation of the MIT License": "WingetUI کا استعمال کرنے کا مطلب ہے کہ آپ نے MIT لائسنس کو قبول کر لیا ہے", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Vcpkg جڑ نہیں ملی۔ براہ کرم %VCPKG_ROOT% ماحولیاتی متغیر کی وضاحت کریں یا UniGetUI ترتیبات سے اس کی وضاحت کریں", "Vcpkg was not found on your system.": "آپ کے سسٹم پر Vcpkg نہیں ملا۔", - "Verbose": "تفصیل سے", - "Version": "ورژن", - "Version to install:": "انسٹال کرنے کے لئے ورژن:", - "Version:": "ورژن:", - "View GitHub Profile": "GitHub پروفائل دیکھیں", "View WingetUI on GitHub": "GitHub پر WingetUI دیکھیں", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "WingetUI کا سورس کوڈ دیکھیں۔ یہاں سے، آپ بگز رپورٹ کر سکتے ہیں، فیچرز تجویز کر سکتے ہیں، یا WingetUI پروجیکٹ میں براہ راست حصہ ڈال سکتے ہیں", - "View mode:": "دیکھنے کا انداز:", - "View on UniGetUI": "UniGetUI پر دیکھیں", - "View page on browser": "براؤزر میں صفحہ دیکھیں", - "View {0} logs": "{0} لاگز دیکھیں", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "انٹرنیٹ کنیکٹیویٹی کی ضرورت کے کاموں کو کرنے کی کوشش کرنے سے پہلے ڈیوائس کے انٹرنیٹ سے منسلک ہونے کا انتظار کریں۔", "Waiting for other installations to finish...": "دوسری انسٹالیشنز کے ختم ہونے کا انتظار کر رہے ہیں...", "Waiting for {0} to complete...": "{0} کے مکمل ہونے کا انتظار ہے...", - "Warning": "انتباہ", - "Warning!": "وارننگ!", - "We are checking for updates.": "ہم اپ ڈیٹس کی جانچ کر رہے ہیں۔", "We could not load detailed information about this package, because it was not found in any of your package sources": "ہم اس پیکیج کے بارے میں تفصیلی معلومات لوڈ نہیں کر سکے، کیونکہ یہ آپ کے پیکیج کے کسی بھی ذرائع میں نہیں ملی", "We could not load detailed information about this package, because it was not installed from an available package manager.": "ہم اس پیکیج کے بارے میں تفصیلی معلومات لوڈ نہیں کر سکے، کیونکہ یہ دستیاب پیکیج مینیجر سے انسٹال نہیں ہوا تھا۔", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "ہم {action} {package} نہیں کر سکے۔ براہ کرم بعد میں دوبارہ کوشش کریں۔ انسٹالر سے لاگز حاصل کرنے کے لیے \"{showDetails}\" پر کلک کریں۔", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "ہم {action} {package} نہیں کر سکے۔ براہ کرم بعد میں دوبارہ کوشش کریں۔ ان انسٹالر سے لاگز حاصل کرنے کے لیے \"{showDetails}\" پر کلک کریں۔", "We couldn't find any package": "ہمیں کوئی پیکج نہیں مل سکا", "Welcome to WingetUI": "WingetUI میں خوش آمدید", - "When batch installing packages from a bundle, install also packages that are already installed": "جب بنڈل سے بیچ میں پیکجز انسٹال کیے جائیں تو وہ پیکجز بھی انسٹال کریں جو پہلے سے انسٹال ہیں", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "جب نئے شارٹ کٹس دریافت ہوں تو اس ڈائیلاگ کو دکھانے کے بجائے انہیں خود بخود حذف کریں۔", - "Which backup do you want to open?": "آپ کون سا بیک اپ کھولنا چاہتے ہیں؟", "Which package managers do you want to use?": "آپ کون سے پیکیج مینیجرز کو استعمال کرنا چاہتے ہیں؟", "Which source do you want to add?": "آپ کون سا ذریعہ شامل کرنا چاہتے ہیں؟", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "جب کہ Winget کو WingetUI کے اندر استعمال کیا جا سکتا ہے، WingetUI کو دوسرے پیکیج مینیجرز کے ساتھ استعمال کیا جا سکتا ہے، جو مبہم ہو سکتا ہے۔ ماضی میں، ونگیٹ یو آئی کو صرف وِنگٹ کے ساتھ کام کرنے کے لیے ڈیزائن کیا گیا تھا، لیکن اب یہ سچ نہیں ہے، اور اس لیے وِنگیٹ یو آئی اس بات کی نمائندگی نہیں کرتا ہے کہ یہ پروجیکٹ کیا بننا چاہتا ہے۔", - "WinGet could not be repaired": "WinGet کی مرمت نہیں ہو سکی", - "WinGet malfunction detected": "WinGet کی خرابی کا پتہ چلا", - "WinGet was repaired successfully": "WinGet کو کامیابی کے ساتھ ٹھیک کیا گیا۔", "WingetUI": "ونگیٹ یو آئی", "WingetUI - Everything is up to date": "WingetUI - سب کچھ تازہ ترین ہے", "WingetUI - {0} updates are available": "WingetUI - {0} اپ ڈیٹس دستیاب ہیں", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "WingetUI ہوم پیج", "WingetUI Homepage - Share this link!": "WingetUI ہوم پیج - اس لنک کو شیئر کریں!", - "WingetUI License": "WingetUI لائسنس", - "WingetUI log": "WingetUI لاگ", - "WingetUI Repository": "WingetUI ریپوزیٹری", - "WingetUI Settings": "WingetUI سیٹنگز", "WingetUI Settings File": "WingetUI سیٹنگز فائل", - "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI درج ذیل لائبریریوں کا استعمال کرتا ہے۔ ان کے بغیر، WingetUI ممکن نہیں ہوتا۔", - "WingetUI Version {0}": "WingetUI ورژن {0}", "WingetUI autostart behaviour, application launch settings": "WingetUI آٹو اسٹارٹ رویہ، ایپلیکیشن لانچ کی ترتیبات", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI چیک کر سکتا ہے کہ آیا آپ کے سافٹ ویئر میں اپ ڈیٹس دستیاب ہیں، اور اگر آپ چاہیں تو انہیں خود بخود انسٹال کر سکتے ہیں۔", - "WingetUI display language:": "WingetUI ڈسپلے زبان:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI کو بطور ایڈمنسٹریٹر چلایا گیا ہے، جس کی سفارش نہیں کی جاتی ہے۔ WingetUI کو بطور ایڈمنسٹریٹر چلاتے وقت، WingetUI سے شروع کیے گئے ہر آپریشن میں ایڈمنسٹریٹر کی مراعات ہوں گی۔ آپ اب بھی پروگرام استعمال کر سکتے ہیں، لیکن ہم ایڈمنسٹریٹر کی مراعات کے ساتھ WingetUI نہ چلانے کی انتہائی سفارش کرتے ہیں۔", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "رضاکار مترجمین کی بدولت WingetUI کا 40 سے زیادہ زبانوں میں ترجمہ ہو چکا ہے۔ شکریہ 🤝", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI کا مشینی ترجمہ نہیں کیا گیا ہے۔ درج ذیل صارفین ترجمے کے ذمہ دار رہے ہیں:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI ایک ایسی ایپلی کیشن ہے جو آپ کے کمانڈ لائن پیکج مینیجرز کے لیے ایک آل ان ون گرافیکل انٹرفیس فراہم کر کے آپ کے سافٹ ویئر کا انتظام آسان بناتی ہے۔", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI (جو انٹرفیس آپ ابھی استعمال کر رہے ہیں) اور وِنگیٹ (مائیکروسافٹ کے ذریعہ تیار کردہ ایک پیکیج مینیجر جس سے میرا کوئی تعلق نہیں ہے) کے درمیان فرق پر زور دینے کے لیے WingetUI کا نام تبدیل کیا جا رہا ہے۔", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI کو اپ ڈیٹ کیا جا رہا ہے۔ ختم ہونے پر، WingetUI خود کو دوبارہ شروع کر دے گا۔", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI مفت ہے، اور یہ ہمیشہ کے لیے مفت رہے گا۔ کوئی اشتہار نہیں، کوئی کریڈٹ کارڈ نہیں، کوئی پریمیم ورژن نہیں۔ 100% مفت، ہمیشہ کے لیے۔", + "WingetUI log": "WingetUI لاگ", "WingetUI tray application preferences": "WingetUI ٹرے ایپلیکیشن کی ترجیحات", + "WingetUI uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI درج ذیل لائبریریوں کا استعمال کرتا ہے۔ ان کے بغیر، WingetUI ممکن نہیں ہوتا۔", "WingetUI version {0} is being downloaded.": "WingetUI ورژن {0} ڈاؤن لوڈ ہو رہا ہے۔", "WingetUI will become {newname} soon!": "WingetUI جلد ہی {newname} بن جائے گا!", "WingetUI will not check for updates periodically. They will still be checked at launch, but you won't be warned about them.": "WingetUI وقتا فوقتا اپ ڈیٹس کی جانچ نہیں کرے گا۔ لانچ کے وقت بھی ان کی جانچ پڑتال کی جائے گی، لیکن آپ کو ان کے بارے میں خبردار نہیں کیا جائے گا۔", "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "ہر بار جب پیکج کو انسٹال کرنے کے لیے بلندی کی ضرورت ہوتی ہے تو WingetUI UAC پرامپٹ دکھائے گا۔", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI کو جلد ہی {newname} کا نام دیا جائے گا۔ یہ درخواست میں کسی تبدیلی کی نمائندگی نہیں کرے گا۔ میں (ڈیولپر) اس پروجیکٹ کی ترقی جاری رکھوں گا جیسا کہ میں ابھی کر رہا ہوں، لیکن ایک مختلف نام سے۔", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "ونگیٹ یو آئی ہمارے پیارے شراکت داروں کی مدد سے ممکن نہیں تھا۔ ان کا GitHub پروفائل دیکھیں، WingetUI ان کے بغیر ممکن نہیں ہوگا!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI تعاون کرنے والوں کی مدد کے بغیر ممکن نہیں تھا۔ آپ سب کا شکریہ 🥳", "WingetUI {0} is ready to be installed.": "WingetUI {0} انسٹال ہونے کے لیے تیار ہے۔", - "Write here the process names here, separated by commas (,)": "یہاں پروسیسز کے نام لکھیں، کوما (,) سے الگ کریں", - "Yes": "جی ہاں", - "You are logged in as {0} (@{1})": "آپ {0} (@{1}) کے طور پر لاگ ان ہیں", - "You can change this behavior on UniGetUI security settings.": "آپ اس رویے کو UniGetUI سیکیورٹی کی ترتیبات میں تبدیل کر سکتے ہیں۔", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "آپ وہ کمانڈز متعین کر سکتے ہیں جو اس پیکیج کے انسٹال، اپ ڈیٹ یا ان انسٹال ہونے سے پہلے یا بعد میں چلائی جائیں گی۔ وہ کمانڈ پرامپٹ پر چلیں گی، اس لیے CMD سکرپٹس یہاں کام کریں گی۔", - "You have currently version {0} installed": "آپ کے پاس فی الحال ورژن {0} انسٹال ہے۔", - "You have installed WingetUI Version {0}": "آپ نے WingetUI ورژن {0} انسٹال کیا ہے", - "You may lose unsaved data": "آپ محفوظ نہ کیا گیا ڈیٹا کھو سکتے ہیں", - "You may need to install {pm} in order to use it with WingetUI.": "WingetUI کے ساتھ استعمال کرنے کے لیے آپ کو {pm} انسٹال کرنے کی ضرورت پڑ سکتی ہے۔", "You may restart your computer later if you wish": "اگر آپ چاہیں تو آپ اپنے کمپیوٹر کو بعد میں دوبارہ شروع کر سکتے ہیں۔", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "آپ کو صرف ایک بار اشارہ کیا جائے گا، اور ایڈمنسٹریٹر کے حقوق ان پیکجوں کو دیے جائیں گے جو ان کی درخواست کرتے ہیں۔", "You will be prompted only once, and every future installation will be elevated automatically.": "آپ کو صرف ایک بار اشارہ کیا جائے گا، اور ہر مستقبل کی تنصیب خود بخود بلند ہو جائے گی۔", - "You will likely need to interact with the installer.": "آپ کو ممکنہ طور پر انسٹالر کے ساتھ بات چیت کرنے کی ضرورت ہوگی۔", - "[RAN AS ADMINISTRATOR]": "[ایڈمنسٹریٹر کے طور پر چلایا گیا]", "buy me a coffee": "مجھے کافی خریدیں", - "extracted": "نکالا گیا", - "feature": "خصوصیت", "formerly WingetUI": "پہلے WingetUI", + "homepage": "ہوم پیج", + "install": "انسٹال کریں", "installation": "انسٹالیشن", - "installed": "انسٹال ہو چکا ہے", - "installing": "انسٹال ہو رہا ہے", - "library": "لائبریری", - "mandatory": "لازمی", - "option": "اختیار", - "optional": "اختیاری", + "uninstall": "ان انسٹال کریں", "uninstallation": "ان انسٹالیشن", "uninstalled": "ان انسٹال ہو چکا ہے", - "uninstalling": "ان انسٹال ہو رہا ہے", "update(noun)": "اپ ڈیٹ (اسم)", "update(verb)": "اپ ڈیٹ (فعل)", "updated": "اپ ڈیٹ ہو چکا ہے", - "updating": "اپ ڈیٹ ہو رہا ہے", - "version {0}": "ورژن {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} انسٹالیشن کے اختیارات فی الوقت مقفل ہیں کیونکہ {0} ڈیفالٹ انسٹالیشن کے اختیارات پر عمل کرتا ہے۔", "{0} Uninstallation": "{0} ان انسٹالیشن", "{0} aborted": "{0} منسوخ ہو گیا", "{0} can be updated": "{0} کو اپ ڈیٹ کیا جا سکتا ہے", - "{0} can be updated to version {1}": "{0} کو ورژن {1} میں اپ ڈیٹ کیا جا سکتا ہے", - "{0} days": "{0} دن", - "{0} desktop shortcuts created": "{0} ڈیسک ٹاپ شارٹ کٹس بنائے گئے۔", "{0} failed": "{0} ناکام ہو گیا", - "{0} has been installed successfully.": "{0} کامیابی سے انسٹال ہو گیا ہے۔", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} کامیابی سے انسٹال ہو گیا ہے۔ تنصیب کو مکمل کرنے کے لیے UniGetUI کو دوبارہ شروع کرنے کی سفارش کی جاتی ہے۔", "{0} has failed, that was a requirement for {1} to be run": "{0} ناکام ہو گیا ہے، یہ {1} کو چلانے کی ضرورت تھی۔", - "{0} homepage": "{0} ہوم پیج", - "{0} hours": "{0} گھنٹے", "{0} installation": "{0} انسٹالیشن", - "{0} installation options": "{0} انسٹالیشن کے اختیارات", - "{0} installer is being downloaded": "{0} انسٹالر ڈاؤن لوڈ ہو رہا ہے۔", - "{0} is being installed": "{0} انسٹال ہو رہا ہے۔", - "{0} is being uninstalled": "{0} کو اَن انسٹال کیا جا رہا ہے۔", "{0} is being updated": "{0} اپ ڈیٹ ہو رہا ہے", - "{0} is being updated to version {1}": "{0} ورژن {1} میں اپ ڈیٹ ہو رہا ہے", - "{0} is disabled": "{0} غیر فعال ہے", - "{0} minutes": "{0} منٹ", "{0} months": "{0} مہینے", - "{0} packages are being updated": "{0} پیکیجز اپ ڈیٹ ہو رہے ہیں", - "{0} packages can be updated": "{0} پیکیجز کو اپ ڈیٹ کیا جا سکتا ہے", "{0} packages found": "{0} پیکیجز ملے", "{0} packages were found": "{0} پیکیجز ملے", - "{0} packages were found, {1} of which match the specified filters.": "{0} پیکیجز ملے، جن میں سے {1} مخصوص فلٹرز کے مطابق ہیں", - "{0} selected": "{0} منتخب ہے", - "{0} settings": "{0} ترتیبات", - "{0} status": "{0} حالت", "{0} succeeded": "{0} کامیاب ہو گیا", "{0} update": "{0} اپ ڈیٹ", - "{0} updates are available": "{0} اپ ڈیٹس دستیاب ہیں", "{0} was {1} successfully!": "{0} {1} کامیابی سے ہوا!", "{0} weeks": "{0} ہفتے", "{0} years": "{0} سال", "{0} {1} failed": "{0} {1} ناکام ہو گیا", - "{package} Installation": "{package} انسٹالیشن", - "{package} Uninstall": "{package} ان انسٹال", - "{package} Update": "{package} اپ ڈیٹ", - "{package} could not be installed": "{package} انسٹال نہیں ہو سکا", - "{package} could not be uninstalled": "{package} ان انسٹال نہیں ہو سکا", - "{package} could not be updated": "{package} اپ ڈیٹ نہیں ہو سکا", "{package} installation failed": "{package} انسٹالیشن ناکام ہو گئی", - "{package} installer could not be downloaded": "{package} انسٹالر ڈاؤن لوڈ نہیں ہو سکا", - "{package} installer download": "{package} انسٹالر ڈاؤن لوڈ", - "{package} installer was downloaded successfully": "{package} انسٹالر کامیابی سے ڈاؤن لوڈ ہو گیا۔", "{package} uninstall failed": "{package} ان انسٹال ناکام ہو گیا", "{package} update failed": "{package} اپ ڈیٹ ناکام ہو گیا", "{package} update failed. Click here for more details.": "{package} اپ ڈیٹ ناکام ہو گیا۔ مزید تفصیلات کے لیے یہاں کلک کریں۔", - "{package} was installed successfully": "{package} کامیابی سے انسٹال ہو گیا", - "{package} was uninstalled successfully": "{package} کامیابی سے ان انسٹال ہو گیا", - "{package} was updated successfully": "{package} کامیابی سے اپ ڈیٹ ہو گیا", - "{pcName} installed packages": "{pcName} پر انسٹال شدہ پیکیجز", "{pm} could not be found": "{pm} نہیں ملا", "{pm} found: {state}": "{pm} ملا: {state}", - "{pm} is disabled": "{pm} غیر فعال ہے", - "{pm} is enabled and ready to go": "{pm} فعال ہے اور تیار ہے", "{pm} package manager specific preferences": "{pm} پیکیج منیجر کی مخصوص ترجیحات", "{pm} preferences": "{pm} کی ترجیحات", - "{pm} version:": "{pm} ورژن:", - "{pm} was not found!": "{pm} نہیں ملا!" + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "ہائے، میرا نام مارٹی ہے، اور میں WingetUI کا ڈویلپر ہوں۔ WingetUI مکمل طور پر میرے فارغ وقت پر بنایا گیا ہے!", + "Thank you ❤": "شکریہ ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "اس پروجیکٹ کا آفیشل {0} پروجیکٹ سے کوئی تعلق نہیں ہے — یہ مکمل طور پر غیر سرکاری ہے۔" } diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_vi.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_vi.json index ebf26dafb5..34ea238884 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_vi.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_vi.json @@ -1,155 +1,737 @@ { + "Operation in progress": "Hoạt động đang tiến hành", + "Please wait...": "Vui lòng chờ.....", + "Success!": "Thành công!", + "Failed": "Thất bại", + "An error occurred while processing this package": "Có lỗi xảy ra khi xử lý gói này", + "Log in to enable cloud backup": "Đăng nhập để bật tính năng sao lưu lên đám mây", + "Backup Failed": "Sao lưu thất bại", + "Downloading backup...": "Đang tải bản sao lưu...", + "An update was found!": "Một bản cập nhật đã được tìm thấy!", + "{0} can be updated to version {1}": "{0} có thể được cập nhật lên phiên bản {1}", + "Updates found!": "Đã tìm thấy bản cập nhật!", + "{0} packages can be updated": "{0} gói có thể cập nhật", + "You have currently version {0} installed": "Hiện tại bạn đã cài đặt phiên bản {0}", + "Desktop shortcut created": "Lối tắt trên màn hình đã được tạo", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI đã phát hiện một phím tắt trên màn hình mới có thể được xóa tự động.", + "{0} desktop shortcuts created": "{0} lối tắt màn hình đã tạo", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI đã phát hiện {0} lối tắt trên màn hình mới có thể được xóa tự động.", + "Are you sure?": "Bạn có chắc không?", + "Do you really want to uninstall {0}?": "Bạn thực sự muốn gỡ bỏ {0} chứ?", + "Do you really want to uninstall the following {0} packages?": "Bạn có thực sự muốn gỡ cài đặt các gói {0} sau không?", + "No": "Không", + "Yes": "Có", + "View on UniGetUI": "Xem trên UniGetUI", + "Update": "Cập nhật", + "Open UniGetUI": "Mở UniGetUI", + "Update all": "Cập nhật toàn bộ", + "Update now": "Cập nhật bây giờ", + "This package is on the queue": "Gói này đang trong hàng đợi", + "installing": "đang cài", + "updating": "đang cập nhật", + "uninstalling": "đang gỡ", + "installed": "Đã cài đặt", + "Retry": "Thử lại", + "Install": "Cài đặt", + "Uninstall": "Gỡ cài đặt", + "Open": "Mở", + "Operation profile:": "Hồ sơ thao tác:", + "Follow the default options when installing, upgrading or uninstalling this package": "Làm theo tùy chọn mặc định khi cài đặt, nâng cấp hoặc gỡ bỏ gói này", + "The following settings will be applied each time this package is installed, updated or removed.": "Các cài đặt sau sẽ được áp dụng mỗi khi gói này được cài đặt, cập nhật hoặc gỡ bỏ.", + "Version to install:": "Phiên bản để cài đặt:", + "Architecture to install:": "Kiến trúc cài đặt: ", + "Installation scope:": "Phạm vi cài đặt:", + "Install location:": "Vị trí cài đặt:", + "Select": "Chọn", + "Reset": "Đặt lại", + "Custom install arguments:": "Tham số cài đặt tùy chỉnh:", + "Custom update arguments:": "Tham số cập nhật tùy chỉnh:", + "Custom uninstall arguments:": "Tham số gỡ cài đặt tùy chỉnh:", + "Pre-install command:": "Lệnh trước khi cài đặt:", + "Post-install command:": "Lệnh sau khi cài đặt:", + "Abort install if pre-install command fails": "Hủy cài đặt nếu lệnh tiền cài đặt thất bại", + "Pre-update command:": "Lệnh trước khi cập nhật:", + "Post-update command:": "Lệnh sau khi cập nhật:", + "Abort update if pre-update command fails": "Hủy cập nhật nếu lệnh tiền cập nhật thất bại", + "Pre-uninstall command:": "Lệnh trước khi gỡ cài đặt:", + "Post-uninstall command:": "Lệnh sau khi gỡ cài đặt:", + "Abort uninstall if pre-uninstall command fails": "Hủy gỡ cài đặt nếu lệnh tiền gỡ cài đặt thất bại", + "Command-line to run:": "Dòng lệnh để chạy:", + "Save and close": "Lưu và đóng", + "Run as admin": "Chạy với quyền quản trị", + "Interactive installation": "Cài đặt tương tác", + "Skip hash check": "Bỏ qua kiểm tra hash", + "Uninstall previous versions when updated": "Gỡ bỏ các phiên bản trước đó khi cập nhật", + "Skip minor updates for this package": "Bỏ qua các cập nhật nhỏ cho gói này", + "Automatically update this package": "Tự động cập nhật gói này", + "{0} installation options": "Tùy chọn cài đặt {0}", + "Latest": "Mới nhất", + "PreRelease": "Trước khi phát hành", + "Default": "Mặc định", + "Manage ignored updates": "Quản lý các cập nhật bị bỏ qua", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Các gói được liệt kê ở đây sẽ không được tính đến khi kiểm tra các bản cập nhật. Nhấp đúp vào chúng hoặc nhấp vào nút ở bên phải của chúng để ngừng bỏ qua các cập nhật của chúng.", + "Reset list": "Đặt lại danh sách", + "Package Name": "Tên gói", + "Package ID": "ID gói", + "Ignored version": "Phiên bản bị bỏ qua", + "New version": "Phiên bản mới", + "Source": "Nguồn", + "All versions": "Tất cả phiên bản", + "Unknown": "Không biết", + "Up to date": "Đã cập nhật", + "Cancel": "Hủy", + "Administrator privileges": "Quyền quản trị viên", + "This operation is running with administrator privileges.": "Hoạt động này đang chạy với quyền quản trị.", + "Interactive operation": "Hoạt động tương tác", + "This operation is running interactively.": "Hoạt động này đang chạy tương tác.", + "You will likely need to interact with the installer.": "Bạn có khả năng sẽ cần tương tác với trình cài đặt.", + "Integrity checks skipped": "Bỏ qua kiểm tra tính hoàn hảo", + "Proceed at your own risk.": "Tiến hành tự chịu rủi ro", + "Close": "Đóng", + "Loading...": "Đang tải....", + "Installer SHA256": "Trình cài đặt SHA256", + "Homepage": "Trang chủ", + "Author": "Tác giả", + "Publisher": "Người xuất bản", + "License": "Giấy phép", + "Manifest": "Tệp cấu hình", + "Installer Type": "Loại cài đặt", + "Size": "Kích thước", + "Installer URL": "URL trình cài đặt", + "Last updated:": "Lần cuối cập nhật: ", + "Release notes URL": "URL ghi chú phát hành", + "Package details": "Chi tiết gói", + "Dependencies:": "Các thành phần phụ thuộc:", + "Release notes": "Ghi chú phát hành", + "Version": "Phiên bản", + "Install as administrator": "Cài đặt với quyền quản trị viên", + "Update to version {0}": "Cập nhật lên phiên bản {0}", + "Installed Version": "Phiên bản đã cài", + "Update as administrator": "Cập nhật với tư cách quản trị viên", + "Interactive update": "Cập nhật tương tác", + "Uninstall as administrator": "Gỡ cài đặt với tư cách quản trị viên", + "Interactive uninstall": "Gỡ cài đặt tương tác", + "Uninstall and remove data": "Gỡ cài đặt và xóa dữ liệu", + "Not available": "Không khả dụng", + "Installer SHA512": "Trình cài đặt SHA512", + "Unknown size": "Kích thước không xác định", + "No dependencies specified": "Không có thành phần phụ thuộc nào được chỉ định", + "mandatory": "bắt buộc", + "optional": "tùy chọn", + "UniGetUI {0} is ready to be installed.": "UniGetUI phiên bản {0} đã sẵn sàng để cài đặt", + "The update process will start after closing UniGetUI": "Quá trình cập nhật sẽ bắt đầu sau khi đóng UniGetUI.", + "Share anonymous usage data": "Chia sẻ dữ liệu sử dụng ẩn danh", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI thu thập dữ liệu sử dụng ẩn danh để cải thiện trải nghiệm người dùng.", + "Accept": "Chấp nhận", + "You have installed WingetUI Version {0}": "Bạn đã cài đặt Phiên bản WingetUI {0}", + "Disclaimer": "Tuyên bố miễn trừ trách nhiệm", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI không liên quan đến bất kỳ trình quản lý gói tương thích nào. UniGetUI là một dự án độc lập.", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "WingetUI sẽ không thể thực hiện được nếu không có sự giúp đỡ của những người đóng góp. Cảm ơn tất cả các bạn 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI Sử dụng các thư viện sau. Nếu không có họ, WingetUI sẽ không thể tồn tại được", + "{0} homepage": "Trang chủ {0}", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI đã được dịch sang hơn 40 ngôn ngữ nhờ các dịch giả tình nguyện. Cảm ơn bạn 🤝", + "Verbose": "Chi tiết", + "1 - Errors": "1 - Lỗi", + "2 - Warnings": "2 - Cảnh báo", + "3 - Information (less)": "3 - Thông tin (ít hơn)", + "4 - Information (more)": "4 - Thông tin (thêm)", + "5 - information (debug)": "5 - Thông tin (gỡ lỗi)", + "Warning": "Cảnh báo", + "The following settings may pose a security risk, hence they are disabled by default.": "Các thiết lập sau có thể gây rủi ro bảo mật, do đó chúng bị vô hiệu hóa theo mặc định.", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Chỉ bật các thiết lập bên dưới NẾU VÀ CHỈ NẾU bạn thực sự hiểu rõ chức năng của chúng, cũng như các hệ quả và rủi ro tiềm ẩn.", + "The settings will list, in their descriptions, the potential security issues they may have.": "Các thiết lập sẽ liệt kê trong phần mô tả của chúng các vấn đề bảo mật tiềm ẩn.", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Bản sao lưu sẽ bao gồm danh sách đầy đủ các gói đã cài đặt và các tùy chọn cài đặt của chúng. Các bản cập nhật bị bỏ qua và các phiên bản bị bỏ qua cũng sẽ được lưu lại.", + "The backup will NOT include any binary file nor any program's saved data.": "Bản sao lưu sẽ KHÔNG bao gồm bất kỳ tệp nhị phân nào hoặc bất kỳ dữ liệu đã lưu của chương trình nào.", + "The size of the backup is estimated to be less than 1MB.": "Kích thước của bản sao lưu được ước tính nhỏ hơn 1MB.", + "The backup will be performed after login.": "Bản sao lưu sẽ được thực hiện sau khi đăng nhập.", + "{pcName} installed packages": "Gói {pcName} đã cài đặt", + "Current status: Not logged in": "Trạng thái hiện tại: Chưa đăng nhập", + "You are logged in as {0} (@{1})": "Bạn đang đăng nhập với tài khoản {0} (@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "Tuyệt! Các bản sao lưu sẽ được tải lên một Gist riêng tư trong tài khoản của bạn", + "Select backup": "Chọn bản sao lưu", + "WingetUI Settings": "Cài đặt WingetUI", + "Allow pre-release versions": "Cho phép phiên bản phát hành trước", + "Apply": "Áp dụng", + "Go to UniGetUI security settings": "Đi tới cài đặt bảo mật của UniGetUI.", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Các tùy chọn sau sẽ được áp dụng theo mặc định mỗi khi một gói {0} được cài đặt, nâng cấp hoặc gỡ bỏ.", + "Package's default": "Gói phần mềm mặc định", + "Install location can't be changed for {0} packages": "Không thể thay đổi vị trí cài đặt cho {0} gói.", + "The local icon cache currently takes {0} MB": "Bộ nhớ đệm biểu tượng cục bộ hiện tại chiếm {0} MB", + "Username": "Tên người dùng", + "Password": "Mật khẩu", + "Credentials": "Thông tin xác thực", + "Partially": "Một phần", + "Package manager": "Trình quản lý gói", + "Compatible with proxy": "Tương thích với proxy", + "Compatible with authentication": "Tương thích với xác thực", + "Proxy compatibility table": "Bảng tương thích proxy", + "{0} settings": "{0} cài đặt", + "{0} status": "Trạng thái {0}", + "Default installation options for {0} packages": "Tùy chọn cài đặt mặc định cho {0} gói", + "Expand version": "Phiên bản mở rộng", + "The executable file for {0} was not found": "Tệp thực thi cho {0} không được tìm thấy.", + "{pm} is disabled": "{pm} đã bị vô hiệu hóa", + "Enable it to install packages from {pm}.": "Kích hoạt nó để cài đặt các gói từ {pm}.", + "{pm} is enabled and ready to go": "{pm} đã được bật và sẵn sàng hoạt động", + "{pm} version:": "{pm} phiên bản:", + "{pm} was not found!": "{pm} không tìm thấy!", + "You may need to install {pm} in order to use it with WingetUI.": "Bạn có thể cần cài đặt {pm} để sử dụng nó với WingetUI.", + "Scoop Installer - WingetUI": "Trình cài đặt Scoop - WingetUI", + "Scoop Uninstaller - WingetUI": "Trình gỡ cài đặt Scoop - WingetUI", + "Clearing Scoop cache - WingetUI": "Dọn dẹp bộ nhớ đệm Scoop - WingetU", + "Restart UniGetUI": "Khởi động lại UniGetUI", + "Manage {0} sources": "Quản lý {0} nguồn", + "Add source": "Thêm nguồn", + "Add": "Thêm", + "Other": "Khác", + "1 day": "1 ngày", + "{0} days": "{0} ngày", + "{0} minutes": "{0} phút", + "1 hour": "1 giờ", + "{0} hours": "{0} giờ", + "1 week": "1 tuần", + "WingetUI Version {0}": "UniGetUI Phiên bản {0}", + "Search for packages": "Tìm kiếm gói", + "Local": "Cục bộ", + "OK": "OK ", + "{0} packages were found, {1} of which match the specified filters.": "Đã tìm thấy {0} gói, {1} trong số đó phù hợp với các bộ lọc được chỉ định.", + "{0} selected": "Đã chọn {0} mục", + "(Last checked: {0})": "(Lần kiểm tra cuối: {0})", + "Enabled": "Đã bật", + "Disabled": "Đã tắt", + "More info": "Thêm thông tin", + "Log in with GitHub to enable cloud package backup.": "Đăng nhập bằng GitHub để bật tính năng sao lưu gói lên đám mây.", + "More details": "Chi tiết hơn", + "Log in": "Đăng nhập", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Nếu bạn đã bật tính năng sao lưu đám mây, bản sao lưu sẽ được lưu dưới dạng GitHub Gist trong tài khoản này.", + "Log out": "Đăng xuất", + "About": "Giới thiệu", + "Third-party licenses": "Giấy phép bên thứ ba", + "Contributors": "Người đóng góp", + "Translators": "Người dịch", + "Manage shortcuts": "Quản lý lối tắt", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI đã phát hiện các phím tắt trên màn hình sau đây có thể được xóa tự động trong các bản nâng cấp tương lai.", + "Do you really want to reset this list? This action cannot be reverted.": "Bạn có thật sự muốn đặt lại danh sách này không? Hành động này không thể hoàn tác.", + "Remove from list": "Xóa khỏi danh sách", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Khi phát hiện các phím tắt mới, hãy tự động xóa chúng thay vì hiển thị hộp thoại này.", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI thu thập dữ liệu sử dụng ẩn danh với mục đích duy nhất là hiểu và cải thiện trải nghiệm người dùng.", + "More details about the shared data and how it will be processed": "Thông tin chi tiết hơn về dữ liệu được chia sẻ và cách nó sẽ được xử lý", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Bạn có chấp nhận rằng UniGetUI thu thập và gửi các số liệu thống kê sử dụng ẩn danh, với mục đích duy nhất là hiểu và cải thiện trải nghiệm người dùng không?", + "Decline": "Từ chối", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Không có thông tin cá nhân nào được thu thập hoặc gửi đi, và dữ liệu thu thập được là ẩn danh, vì vậy không thể truy ngược lại bạn.", + "About WingetUI": "Giới thiệu về UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI là một ứng dụng giúp việc quản lý phần mềm của bạn dễ dàng hơn bằng cách cung cấp giao diện đồ họa tất cả trong một cho trình quản lý gói dòng lệnh của bạn.", + "Useful links": "Liên kết hữu ích", + "Report an issue or submit a feature request": "Báo cáo một vấn đề hoặc yêu cầu tính năng nào đó", + "View GitHub Profile": "Xem hồ sơ GitHub", + "WingetUI License": "Giấy phép WingetU", + "Using WingetUI implies the acceptation of the MIT License": "Sử dụng WingetUI ngụ ý việc chấp nhận Giấy phép MIT", + "Become a translator": "Trở thành người phiên dịch", + "View page on browser": "Xem trang trên trình duyệt", + "Copy to clipboard": "Sao chép vào bảng nhớ tạm", + "Export to a file": "Xuất thành tệp", + "Log level:": "Mức độ ghi log:", + "Reload log": "Tải lại nhật ký", + "Text": "Văn bản", + "Change how operations request administrator rights": "Thay đổi cách các thao tác yêu cầu quyền quản trị viên", + "Restrictions on package operations": "Các giới hạn áp dụng cho thao tác xử lý gói", + "Restrictions on package managers": "Các giới hạn áp dụng cho trình quản lý gói", + "Restrictions when importing package bundles": "Hạn chế khi nhập các gói phần mềm theo bộ", + "Ask for administrator privileges once for each batch of operations": "Yêu cầu đặc quyền của quản trị viên một lần cho mỗi nhóm hành động", + "Ask only once for administrator privileges": "Chỉ yêu cầu quyền quản trị một lần", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Cấm mọi hình thức nâng quyền thông qua UniGetUI Elevator hoặc GSudo", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Tùy chọn này SẼ gây sự cố. Mọi thao tác không thể tự nâng quyền SẼ THẤT BẠI. Việc cài đặt/cập nhật/gỡ bỏ với quyền quản trị SẼ KHÔNG HOẠT ĐỘNG", + "Allow custom command-line arguments": "Cho phép sử dụng đối số dòng lệnh tùy chỉnh", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Các đối số dòng lệnh tùy chỉnh có thể thay đổi cách chương trình được cài đặt, nâng cấp hoặc gỡ bỏ, theo cách mà UniGetUI không thể kiểm soát. Việc sử dụng dòng lệnh tùy chỉnh có thể làm hỏng các gói phần mềm. Hãy tiến hành thận trọng.", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Cho phép chạy các lệnh tùy chỉnh trước và sau khi cài đặt", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Các lệnh trước và sau khi cài đặt sẽ được thực thi trước và sau khi một gói phần mềm được cài đặt, nâng cấp hoặc gỡ bỏ. Hãy lưu ý rằng chúng có thể gây hỏng hóc nếu không được sử dụng cẩn thận", + "Allow changing the paths for package manager executables": "Cho phép thay đổi đường dẫn của các tệp thực thi trình quản lý gói", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Bật tùy chọn này cho phép thay đổi tệp thực thi được dùng để tương tác với trình quản lý gói. Mặc dù điều này giúp bạn tùy chỉnh quá trình cài đặt một cách chi tiết hơn, nhưng nó cũng có thể gây nguy hiểm", + "Allow importing custom command-line arguments when importing packages from a bundle": "Cho phép nhập các đối số dòng lệnh tùy chỉnh khi nhập gói từ một gói tổng hợp", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Các đối số dòng lệnh sai định dạng có thể làm hỏng các gói phần mềm, hoặc thậm chí tạo điều kiện cho kẻ tấn công xấu chiếm quyền thực thi đặc biệt. Vì vậy, việc nhập các đối số dòng lệnh tùy chỉnh bị vô hiệu hóa theo mặc định", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Cho phép nhập các lệnh tùy chỉnh trước và sau khi cài đặt khi nhập gói phần mềm từ một bộ", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Các lệnh trước và sau khi cài đặt có thể gây hại nghiêm trọng cho thiết bị của bạn nếu được thiết kế với mục đích xấu. Việc nhập các lệnh này từ một gói tổng hợp có thể rất nguy hiểm, trừ khi bạn tin tưởng nguồn của gói phần mềm đó", + "Administrator rights and other dangerous settings": "Quyền quản trị và các thiết lập nguy hiểm khác", + "Package backup": "Sao lưu gói", + "Cloud package backup": "Sao lưu gói lên đám mây", + "Local package backup": "Sao lưu gói cục bộ", + "Local backup advanced options": "Tùy chọn nâng cao cho sao lưu cục bộ.", + "Log in with GitHub": "Đăng nhập bằng GitHub", + "Log out from GitHub": "Đăng xuất khỏi GitHub", + "Periodically perform a cloud backup of the installed packages": "Thực hiện sao lưu định kỳ lên đám mây cho các gói đã cài đặt", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Sao lưu đám mây sử dụng một GitHub Gist riêng tư để lưu trữ danh sách các gói đã cài đặt", + "Perform a cloud backup now": "Thực hiện sao lưu lên đám mây ngay bây giờ", + "Backup": "Sao lưu", + "Restore a backup from the cloud": "Khôi phục bản sao lưu từ đám mây", + "Begin the process to select a cloud backup and review which packages to restore": "Bắt đầu quá trình chọn bản sao lưu trên đám mây và xem xét các gói cần khôi phục", + "Periodically perform a local backup of the installed packages": "Thực hiện sao lưu cục bộ định kỳ cho các gói đã cài đặt", + "Perform a local backup now": "Thực hiện sao lưu cục bộ ngay bây giờ", + "Change backup output directory": "Thay đổi thư mục sao lưu", + "Set a custom backup file name": "Đặt tên tệp sao lưu tùy chỉnh", + "Leave empty for default": "Để trống theo mặc định", + "Add a timestamp to the backup file names": "Thêm dấu thời gian vào tên tệp sao lưu", + "Backup and Restore": "Sao lưu và Khôi phục", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Kích hoạt api nền (Tiện ích và chia sẻ WingetUI, cổng 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Chờ cho thiết bị kết nối internet trước khi thực hiện các tác vụ yêu cầu kết nối internet.", + "Disable the 1-minute timeout for package-related operations": "Vô hiệu hóa thời gian chờ 1 phút cho các hoạt động liên quan đến gói", + "Use installed GSudo instead of UniGetUI Elevator": "Sử dụng GSudo đã cài thay cho UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "Sử dụng URL cơ sở dữ liệu biểu tượng và ảnh chụp màn hình tùy chỉnh", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "Bật các tối ưu hóa sử dụng CPU nền (xem Yêu cầu Kéo #3278)", + "Perform integrity checks at startup": "Thực hiện kiểm tra tính toàn vẹn khi khởi động", + "When batch installing packages from a bundle, install also packages that are already installed": "Khi cài đặt hàng loạt các gói từ một bộ, hãy cài cả những gói đã được cài đặt trước đó", + "Experimental settings and developer options": "Cài đặt thử nghiệm và tùy chọn nhà phát triển", + "Show UniGetUI's version and build number on the titlebar.": "Hiển thị phiên bản UniGetUI trên thanh tiêu đề", + "Language": "Ngôn ngữ", + "UniGetUI updater": "Trình cập nhật UniGetUI", + "Telemetry": "Thu thập dữ liệu từ xa", + "Manage UniGetUI settings": "Quản lý cài đặt UniGetUI", + "Related settings": "Cài đặt liên quan", + "Update WingetUI automatically": "Tự động cập nhật WingetUI", + "Check for updates": "Kiểm tra bản cập nhật", + "Install prerelease versions of UniGetUI": "Cài đặt các phiên bản phát hành trước của UniGetUI", + "Manage telemetry settings": "Quản lý cài đặt thu thập thông tin", + "Manage": "Quản lý", + "Import settings from a local file": "Nhập cài đặt từ tệp tin cục bộ", + "Import": "Nhập", + "Export settings to a local file": "Xuất cài đặt ra tệp tin cục bộ", + "Export": "Xuất", + "Reset WingetUI": "Đặt lại WingetUI", + "Reset UniGetUI": "Đặt lại UniGetUI", + "User interface preferences": "Tùy chọn giao diện người dùng", + "Application theme, startup page, package icons, clear successful installs automatically": "Chủ đề ứng dụng, trang khởi động, biểu tượng gói, tự động xóa các cài đặt thành công", + "General preferences": "Tùy chỉnh chung", + "WingetUI display language:": "Ngôn ngữ hiển thị WingetUI:", + "Is your language missing or incomplete?": "Ngôn ngữ của bạn bị thiếu hoặc không đầy đủ?", + "Appearance": "Giao diện", + "UniGetUI on the background and system tray": "UniGetUI chạy trong nền và khay hệ thống", + "Package lists": "Danh sách gói", + "Close UniGetUI to the system tray": "Đóng UniGetUI vào khay hệ thống.", + "Show package icons on package lists": "Hiển thị biểu tượng gói trên danh sách gói", + "Clear cache": "Xóa bộ nhớ đệm", + "Select upgradable packages by default": "Chọn các gói có thể nâng cấp theo mặc định", + "Light": "Sáng", + "Dark": "Tối", + "Follow system color scheme": "Theo dõi bảng màu hệ thống", + "Application theme:": "Giao diện ứng dụng", + "Discover Packages": "Khám phá các gói", + "Software Updates": "Cập nhật phần mềm", + "Installed Packages": "Gói đã cài đặt", + "Package Bundles": "Nhóm gói", + "Settings": "Cài đặt", + "UniGetUI startup page:": "Trang khởi động UniGetUI:", + "Proxy settings": "Cài đặt proxy", + "Other settings": "Cài đặt khác", + "Connect the internet using a custom proxy": "Kết nối internet bằng proxy tùy chỉnh", + "Please note that not all package managers may fully support this feature": "Xin lưu ý rằng không phải tất cả các trình quản lý gói đều có thể hỗ trợ đầy đủ tính năng này", + "Proxy URL": "URL proxy", + "Enter proxy URL here": "Nhập URL proxy vào đây", + "Package manager preferences": "Tùy chọn trình quản lý gói", + "Ready": "Sẵn sàng", + "Not found": "Không tìm thấy", + "Notification preferences": "Tùy chọn thông báo", + "Notification types": "Các loại thông báo", + "The system tray icon must be enabled in order for notifications to work": "Biểu tượng khay hệ thống phải được bật để các thông báo hoạt động", + "Enable WingetUI notifications": "Bật thông báo của WingetUI", + "Show a notification when there are available updates": "Hiển thị thông báo ngay khi có bản cập nhật", + "Show a silent notification when an operation is running": "Hiển thị thông báo im lặng khi một thao tác đang chạy", + "Show a notification when an operation fails": "Hiển thị thông báo khi thao tác thất bại", + "Show a notification when an operation finishes successfully": "Hiển thị thông báo khi một thao tác kết thúc thành công", + "Concurrency and execution": "Đồng thời và thực thi", + "Automatic desktop shortcut remover": "Trình gỡ lối tắt trên màn hình tự động", + "Clear successful operations from the operation list after a 5 second delay": "Xóa các thao tác thành công khỏi danh sách thao tác sau khi trễ 5 giây", + "Download operations are not affected by this setting": "Các thao tác tải xuống không bị ảnh hưởng bởi thiết lập này", + "Try to kill the processes that refuse to close when requested to": "Cố gắng kết thúc các tiến trình không chịu đóng khi được yêu cầu", + "You may lose unsaved data": "Bạn có thể mất dữ liệu chưa được lưu", + "Ask to delete desktop shortcuts created during an install or upgrade.": "Yêu cầu xóa các lối tắt trên màn hình được tạo ra trong quá trình cài đặt hoặc nâng cấp.", + "Package update preferences": "Tùy chọn cập nhật gói", + "Update check frequency, automatically install updates, etc.": "Tần suất kiểm tra cập nhật, tự động cài đặt cập nhật, v.v.", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Giảm số lần hiển thị thông báo UAC, tự động nâng quyền khi cài đặt, mở khóa một số tính năng nguy hiểm, v.v.", + "Package operation preferences": "Tùy chọn thao tác gói", + "Enable {pm}": "Bật {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "Không tìm thấy tệp bạn cần? Hãy đảm bảo rằng nó đã được thêm vào biến đường dẫn.", + "For security reasons, changing the executable file is disabled by default": "Vì lý do bảo mật, việc thay đổi tệp thực thi bị vô hiệu hóa theo mặc định", + "Change this": "Thay đổi mục này", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "Chọn tệp thực thi cần sử dụng. Danh sách sau đây hiển thị các tệp thực thi được UniGetUI tìm thấy.", + "Current executable file:": "Tệp thực thi hiện tại:", + "Ignore packages from {pm} when showing a notification about updates": "Bỏ qua các gói từ {pm} khi hiển thị thông báo về các bản cập nhật", + "View {0} logs": "Xem {0} nhật ký", + "Advanced options": "Tùy chọn nâng cao", + "Reset WinGet": "Đặt lại WinGet", + "This may help if no packages are listed": "Điều này có thể hữu ích nếu không có gói nào được liệt kê", + "Force install location parameter when updating packages with custom locations": "Buộc tham số vị trí cài đặt khi cập nhật các gói có vị trí tùy chỉnh", + "Use bundled WinGet instead of system WinGet": "Sử dụng WinGet đi kèm thay vì WinGet hệ thống", + "This may help if WinGet packages are not shown": "Điều này có thể hữu ích nếu các gói WinGet không được hiển thị", + "Install Scoop": "Cài đặt Scoop", + "Uninstall Scoop (and its packages)": "Gỡ cài đặt Scoop (và các gói của nó)", + "Run cleanup and clear cache": "Dọn dẹp và xóa bộ nhớ tạm", + "Run": "Chạy", + "Enable Scoop cleanup on launch": "Bật tính năng dọn dẹp Scoop khi khởi chạy", + "Use system Chocolatey": "Sử dụng hệ thống Chocolatey", + "Default vcpkg triplet": "Bộ ba vcpkg mặc định", + "Language, theme and other miscellaneous preferences": "Ngôn ngữ, chủ đề và các cài đặt khác", + "Show notifications on different events": "Hiển thị thông báo về các sự kiện khác nhau", + "Change how UniGetUI checks and installs available updates for your packages": "Thay đổi cách UniGetUI kiểm tra và cài đặt các bản cập nhật có sẵn cho gói của bạn", + "Automatically save a list of all your installed packages to easily restore them.": "Tự động lưu một danh sách tất cả các gói bạn đã cài đặt để dễ dàng khôi phục chúng sau này.", + "Enable and disable package managers, change default install options, etc.": "Bật và tắt trình quản lý gói, thay đổi tùy chọn cài đặt mặc định, v.v.", + "Internet connection settings": "Cài đặt kết nối Internet", + "Proxy settings, etc.": "Cài đặt proxy, v.v.", + "Beta features and other options that shouldn't be touched": "Các tính năng beta và lựa chọn khác không nên điều chỉnh", + "Update checking": "Kiểm tra cập nhật", + "Automatic updates": "Cập nhật tự động", + "Check for package updates periodically": "Kiểm tra cập nhật gói định kỳ", + "Check for updates every:": "Kiểm tra cập nhật mỗi: ", + "Install available updates automatically": "Tự động cài đặt các bản cập nhật có sẵn", + "Do not automatically install updates when the network connection is metered": "Không tự động cài đặt cập nhật khi kết nối mạng được đo lường", + "Do not automatically install updates when the device runs on battery": "Không tự động cài đặt bản cập nhật khi thiết bị đang chạy bằng pin", + "Do not automatically install updates when the battery saver is on": "Không tự động cài đặt cập nhật khi chế độ tiết kiệm pin đang bật", + "Change how UniGetUI handles install, update and uninstall operations.": "Thay đổi cách UniGetUI xử lý các thao tác cài đặt, cập nhật và gỡ cài đặt.", + "Package Managers": "Các trình quản lý gói", + "More": "Thêm", + "WingetUI Log": "Nhật ký WingetUI", + "Package Manager logs": "Nhật ký Trình quản lý gói", + "Operation history": "Lịch sử hoạt động", + "Help": "Trợ giúp", + "Order by:": "Sắp xếp theo:", + "Name": "Tên", + "Id": "Mã định danh", + "Ascendant": "Thăng tiến", + "Descendant": "Phần tử con", + "View mode:": "Chế độ xem:", + "Filters": "Bộ lọc", + "Sources": "Nguồn", + "Search for packages to start": "Tìm kiếm các gói để bắt đầu", + "Select all": "Chọn tất cả", + "Clear selection": "Xóa lựa chọn", + "Instant search": "Tìm kiếm tức thì", + "Distinguish between uppercase and lowercase": "Phân biệt chữ hoa và chữ thường", + "Ignore special characters": "Bỏ qua các ký tự đặc biệt", + "Search mode": "Chế độ tìm kiếm", + "Both": "Cả hai", + "Exact match": "Khớp chính xác", + "Show similar packages": "Hiện các gói liên quan", + "No results were found matching the input criteria": "Không tìm thấy kết quả nào phù hợp với tiêu chí đầu vào", + "No packages were found": "Không tìm thấy gói nào", + "Loading packages": "Đang tải gói", + "Skip integrity checks": "Bỏ qua kiểm tra tính toàn vẹn", + "Download selected installers": "Tải xuống các trình cài đặt đã chọn", + "Install selection": "Cài đặt những lựa chọn", + "Install options": "Tùy chọn cài đặt", + "Share": "Chia sẻ", + "Add selection to bundle": "Thêm gói lựa chọn vào nhóm", + "Download installer": "Tải xuống trình cài đặt", + "Share this package": "Chia sẻ gói", + "Uninstall selection": "Gỡ bỏ các mục đã chọn", + "Uninstall options": "Tùy chọn gỡ cài đặt", + "Ignore selected packages": "Bỏ qua các gói đã chọn", + "Open install location": "Mở vị trí cài đặt", + "Reinstall package": "Cài đặt lại gói", + "Uninstall package, then reinstall it": "Gỡ rồi cài đặt lại gói", + "Ignore updates for this package": "Bỏ qua các bản cập nhật cho gói này", + "Do not ignore updates for this package anymore": "Không bỏ qua các cập nhật cho gói này nữa", + "Add packages or open an existing package bundle": "Thêm gói hoặc mở một nhóm có sẵn", + "Add packages to start": "Thêm gói để bắt đầu", + "The current bundle has no packages. Add some packages to get started": "Nhóm hiện tại không có gói nào. Thêm một số gói để bắt đầu", + "New": "Mới", + "Save as": "Lưu thành...", + "Remove selection from bundle": "Xóa lựa chọn khỏi nhóm", + "Skip hash checks": "Bỏ qua kiểm tra hàm băm", + "The package bundle is not valid": "Nhóm gói không hợp lệ", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Nhóm bạn đang cố tải có vẻ không hợp lệ. Vui lòng kiểm tra tập tin và thử lại.", + "Package bundle": "Nhóm gói", + "Could not create bundle": "Không thể tạo gói", + "The package bundle could not be created due to an error.": "Không thể tạo nhóm gói do có lỗi.", + "Bundle security report": "Tập hợp báo cáo bảo mật", + "Hooray! No updates were found.": "Yeah! Không có bản cập nhật nào được tìm thấy!", + "Everything is up to date": "Mọi thứ đều được cập nhật", + "Uninstall selected packages": "Gỡ cài đặt các gói đã chọn", + "Update selection": "Cập nhật các mục đã chọn", + "Update options": "Tùy chọn cập nhật", + "Uninstall package, then update it": "Gỡ rồi cập nhật gói", + "Uninstall package": "Gỡ cài đặt gói", + "Skip this version": "Bỏ qua phiên bản này", + "Pause updates for": "Tạm dừng cập nhật trong vòng", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Trình quản lý gói của Rust.
Bao gồm: Các thư viện Rust và các chương trình được viết bằng Rust", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Trình quản lý gói cổ điển cho Windows. Bạn sẽ tìm thấy mọi thứ ở đó.
Bao gồm: Phần mềm chung", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Một kho chứa đầy đủ các công cụ và tệp thực thi được thiết kế với hệ sinh thái .NET của Microsoft.
Bao gồm: Các công cụ và tập lệnh liên quan đến .NET", + "NuPkg (zipped manifest)": "NuPkg (tệp cấu hình nén)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Trình quản lý gói của Node JS. Đầy đủ các thư viện và các tiện ích khác xoay quanh thế giới JavaScript
Bao gồm: Các thư viện JavaScript của Node và các tiện ích liên quan khác", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Trình quản lý thư viện của Python. Đầy đủ các thư viện Python và các tiện ích liên quan đến Python khác
Bao gồm: Các thư viện Python và các tiện ích liên quan", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Trình quản lý gói của PowerShell. Tìm thư viện và tập lệnh để mở rộng khả năng của PowerShell
Bao gồm: Mô-đun, Tập lệnh, Lệnh ghép ngắn", + "extracted": "đã giải nén", + "Scoop package": "Gói Scoop", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Kho lưu trữ lớn chưa biết nhưng có các tiện ích hữu ích và các gói thú vị khác.
Bao gồm: Tiện ích, Chương trình dòng lệnh, Phần mềm chung (yêu cầu bộ chứa bổ sung)", + "library": "thư viện", + "feature": "tính năng", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Một trình quản lý thư viện C/C++ phổ biến. Đầy đủ các thư viện C/C++ và các tiện ích liên quan đến C/C++ khác.
Bao gồm: Các thư viện C/C++ và các tiện ích liên quan.", + "option": "lựa chọn", + "This package cannot be installed from an elevated context.": "Gói này không thể được cài đặt từ một ngữ cảnh nâng cao.", + "Please run UniGetUI as a regular user and try again.": "Vui lòng chạy UniGetUI với quyền người dùng thông thường và thử lại.", + "Please check the installation options for this package and try again": "Vui lòng kiểm tra các tùy chọn cài đặt cho gói này và thử lại", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Trình quản lý gói chính thức của Microsoft. Đầy đủ các gói nổi tiếng và đã được xác minh
Bao gồm: Phần mềm chung, ứng dụng Microsoft Store", + "Local PC": "PC cục bộ", + "Android Subsystem": "Hệ thống Android", + "Operation on queue (position {0})...": "Hoạt động trên hàng đợi (vị trí {0})...", + "Click here for more details": "Bấm vào đây để biết thêm chi tiết", + "Operation canceled by user": "Người dùng đã hủy thao tác", + "Starting operation...": "Bắt đầu hoạt động...", + "{package} installer download": "{package} trình cài đặt tải xuống", + "{0} installer is being downloaded": "Trình cài đặt {0} đang được tải xuống", + "Download succeeded": "Tải xuống thành công", + "{package} installer was downloaded successfully": "Trình cài đặt {package} đã được tải xuống thành công", + "Download failed": "Tải xuống thất bại", + "{package} installer could not be downloaded": "Trình cài đặt {package} không thể tải xuống", + "{package} Installation": "Cài đặt {package}", + "{0} is being installed": "{0} đang được cài đặt", + "Installation succeeded": "Cài đặt thành công", + "{package} was installed successfully": "\n{package} đã được cài đặt thành công", + "Installation failed": "Cài đặt thất bại", + "{package} could not be installed": "{package} không thể cài đặt", + "{package} Update": "Bản cập nhật {package}", + "{0} is being updated to version {1}": "{0} đang được cập nhật lên phiên bản {1}", + "Update succeeded": "Cập nhật thành công", + "{package} was updated successfully": "{package} đã được cập nhật thành công", + "Update failed": "Cập nhật không thành công", + "{package} could not be updated": "{package} không thể cập nhật", + "{package} Uninstall": "Gỡ cài đặt {package}", + "{0} is being uninstalled": "{0} đang được gỡ cài đặt", + "Uninstall succeeded": "Gỡ cài đặt thành công", + "{package} was uninstalled successfully": "\n{package} đã được gỡ thành công", + "Uninstall failed": "Gỡ cài đặt không thành công", + "{package} could not be uninstalled": "{package} không thể gỡ", + "Adding source {source}": "Đang thêm nguồn {source}", + "Adding source {source} to {manager}": "Thêm nguồn {source} vào {manager}", + "Source added successfully": "Thêm nguồn thành công", + "The source {source} was added to {manager} successfully": "Nguồn {source} đã được thêm vào {manager} thành công", + "Could not add source": "Không thể thêm nguồn", + "Could not add source {source} to {manager}": "Không thể thêm nguồn {source} vào {manager}", + "Removing source {source}": "Đang gỡ bỏ nguồn {source}", + "Removing source {source} from {manager}": "Đang xóa nguồn {source} khỏi {manager}", + "Source removed successfully": "Gỡ bỏ nguồn thành công", + "The source {source} was removed from {manager} successfully": "Nguồn {source} đã được xóa khỏi {manager} thành công", + "Could not remove source": "Không thể xóa nguồn", + "Could not remove source {source} from {manager}": "Không thể xóa nguồn {source} khỏi {manager}", + "The package manager \"{0}\" was not found": "Không tìm thấy trình quản lý gói \"{0}\"", + "The package manager \"{0}\" is disabled": "Trình quản lý gói \"{0}\" bị tắt", + "There is an error with the configuration of the package manager \"{0}\"": "Đã xảy ra lỗi với cấu hình của trình quản lý gói \"{0}\"", + "The package \"{0}\" was not found on the package manager \"{1}\"": "Không tìm thấy gói \"{0}\" trên trình quản lý gói \"{1}\"", + "{0} is disabled": "{0} đã bị vô hiệu hóa", + "Something went wrong": "Điều gì đó không ổn", + "An interal error occurred. Please view the log for further details.": "Đã xảy ra lỗi nội bộ. Vui lòng xem nhật ký để biết thêm chi tiết.", + "No applicable installer was found for the package {0}": "Không tìm thấy trình cài đặt phù hợp cho gói {0}", + "We are checking for updates.": "Chúng tôi đang kiểm tra các bản cập nhật.", + "Please wait": "Vui lòng chờ", + "UniGetUI version {0} is being downloaded.": "Đang tải xuống UniGetUI phiên bản {0}", + "This may take a minute or two": "Việc này có thể mất một hoặc hai phút", + "The installer authenticity could not be verified.": "Không thể xác minh tính xác thực của trình cài đặt.", + "The update process has been aborted.": "Quá trình cập nhật đã bị hủy bỏ.", + "Great! You are on the latest version.": "Tuyệt vời! Bạn đang sử dụng phiên bản mới nhất.", + "There are no new UniGetUI versions to be installed": "Không có phiên bản UniGetUI mới nào để cài đặt", + "An error occurred when checking for updates: ": "Có lỗi khi kiểm tra cập nhật", + "UniGetUI is being updated...": "UniGetUI đang được cập nhật...", + "Something went wrong while launching the updater.": "Đã xảy ra sự cố khi khởi động trình cập nhật.", + "Please try again later": "Vui lòng thử lại sau", + "Integrity checks will not be performed during this operation": "Kiểm tra tính hoàn hảo sẽ không được thực hiện trong quá trình hoạt động này", + "This is not recommended.": "Điều này không được khuyến nghị.", + "Run now": "Chạy ngay bây giờ", + "Run next": "Chạy tiếp theo", + "Run last": "Chạy cuối cùng", + "Retry as administrator": "Thử lại với quyền quản trị viên", + "Retry interactively": "Thử lại một cách tương tác", + "Retry skipping integrity checks": "Thử lại bỏ qua các kiểm tra tính toàn vẹn", + "Installation options": "Lựa chọn cài đặt", + "Show in explorer": "Hiển thị trong trình duyệt", + "This package is already installed": "Gói này đã được cài đặt", + "This package can be upgraded to version {0}": "Gói này có thể được nâng cấp lên phiên bản {0}", + "Updates for this package are ignored": "Các bản cập nhật cho gói này bị bỏ qua", + "This package is being processed": "Gói này đang được xử lý", + "This package is not available": "Gói này không có sẵn", + "Select the source you want to add:": "Chọn nguồn bạn muốn thêm", + "Source name:": "Tên nguồn:", + "Source URL:": "URL nguồn:", + "An error occurred": "Oops! Có lỗi xảy ra", + "An error occurred when adding the source: ": "Có lỗi khi thêm nguồn", + "Package management made easy": "Quản lý gói trở nên dễ dàng", + "version {0}": "phiên bản {0}", + "[RAN AS ADMINISTRATOR]": "CHẠY DƯỚI QUYỀN QUẢN TRỊ VIÊN", + "Portable mode": "Chế độ di động", + "DEBUG BUILD": "BẢN DỰNG GỠ LỖI", + "Available Updates": "Cập nhật có sẵn", + "Show WingetUI": "Hiển thị WingetUI", + "Quit": "Thoát", + "Attention required": "Cần chú ý", + "Restart required": "Yêu cầu khởi động lại", + "1 update is available": "Có 1 bản cập nhật có sẵn", + "{0} updates are available": "Có {0} bản cập nhật", + "WingetUI Homepage": "Trang chủ WingetUI", + "WingetUI Repository": "Kho lưu trữ WingetUI", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tại đây, bạn có thể thay đổi hành vi của UniGetUI liên quan đến các phím tắt sau. Kiểm tra một phím tắt sẽ làm cho UniGetUI xóa nó nếu nó được tạo ra trong lần nâng cấp tương lai. Bỏ chọn nó sẽ giữ nguyên phím tắt.", + "Manual scan": "Quét thủ công", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Các lối tắt hiện có trên màn hình của bạn sẽ được quét, và bạn sẽ cần chọn những lối tắt nào để giữ lại và những lối tắt nào để xóa.", + "Continue": "Tiếp tục", + "Delete?": "Xóa?", + "Missing dependency": "Thiếu phần phụ thuộc", + "Not right now": "Không phải bây giờ", + "Install {0}": "Cài đặt {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI yêu cầu {0} hoạt động nhưng không tìm thấy nó trên hệ thống của bạn.", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Bấm vào Cài đặt để bắt đầu quá trình cài đặt. Nếu bạn bỏ qua quá trình cài đặt, UniGetUI có thể không hoạt động như mong đợi.", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Ngoài ra, bạn cũng có thể cài đặt {0} bằng cách chạy lệnh sau trong lời nhắc Windows PowerShell:", + "Do not show this dialog again for {0}": "Không hiển thị lại hộp thoại này cho {0}", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vui lòng đợi trong khi {0} đang được cài đặt. Một cửa sổ màu đen có thể xuất hiện. Vui lòng đợi cho đến khi nó đóng lại.", + "{0} has been installed successfully.": "{0} đã được cài đặt thành công.", + "Please click on \"Continue\" to continue": "Vui lòng click vào \"Tiếp tục\" để tiếp tục", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} đã được cài đặt thành công. Nên khởi động lại UniGetUI để hoàn tất quá trình cài đặt", + "Restart later": "Khởi động lại sau ", + "An error occurred:": "Đã xảy ra lỗi:", + "I understand": "Tôi hiểu", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI đã được chạy với tư cách quản trị viên, điều này không được khuyến khích. Khi chạy WingetUI với tư cách quản trị viên, MỌI thao tác được khởi chạy từ WingetUI sẽ có đặc quyền của quản trị viên. Bạn vẫn có thể sử dụng chương trình nhưng chúng tôi khuyên bạn không nên chạy WingetUI với đặc quyền của quản trị viên.", + "WinGet was repaired successfully": "WinGet đã được sửa chữa thành công", + "It is recommended to restart UniGetUI after WinGet has been repaired": "Nên khởi động lại UniGetUI sau khi WinGet đã được sửa chữa", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "LƯU Ý: Trình khắc phục sự cố này có thể bị tắt từ Cài đặt UniGetUI, trên phần WinGet", + "Restart": "Khởi động lại", + "WinGet could not be repaired": "WinGet không thể sửa chữa được", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Đã xảy ra sự cố không mong muốn khi cố gắng sửa chữa WinGet. Vui lòng thử lại sau", + "Are you sure you want to delete all shortcuts?": "Bạn có chắc chắn muốn xóa tất cả các lối tắt không?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Bất kỳ lối tắt mới nào được tạo trong quá trình cài đặt hoặc cập nhật sẽ tự động bị xóa, thay vì hiển thị lời nhắc xác nhận lần đầu tiên chúng được phát hiện.", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Bất kỳ lối tắt nào được tạo hoặc chỉnh sửa ngoài UniGetUI sẽ bị bỏ qua. Bạn có thể thêm chúng thông qua nút {0}.", + "Are you really sure you want to enable this feature?": "Bạn có thật sự chắc chắn muốn bật tính năng này không?", + "No new shortcuts were found during the scan.": "Không tìm thấy lối tắt mới nào trong quá trình quét.", + "How to add packages to a bundle": "Cách thêm các gói vào bộ sản phẩm", + "In order to add packages to a bundle, you will need to: ": "Để thêm các gói vào bộ sản phẩm, bạn cần:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Điều hướng đến trang \"{0}\" hoặc \"{1}\".", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Xác định gói hàng bạn muốn thêm vào bộ sản phẩm và chọn hộp kiểm ở vị trí ngoài cùng bên trái của chúng.", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Khi các gói hàng bạn muốn thêm vào bộ sản phẩm đã được chọn, hãy tìm và nhấp vào tùy chọn \"{0}\" trên thanh công cụ.", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Các gói hàng của bạn sẽ được thêm vào bộ sản phẩm. Bạn có thể tiếp tục thêm các gói hàng khác hoặc xuất bộ sản phẩm.", + "Which backup do you want to open?": "Bạn muốn mở bản sao lưu nào?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Chọn bản sao lưu bạn muốn mở. Sau đó, bạn sẽ có thể xem lại và chọn các gói/chương trình muốn khôi phục.", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Có các hoạt động đang diễn ra. Thoát UniGetUI có thể khiến chúng bị thất bại. Bạn có muốn tiếp tục không?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI hoặc một số thành phần của nó đang bị thiếu hoặc bị hỏng.", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Rất khuyến nghị bạn nên cài đặt lại UniGetUI để xử lý tình huống hiện tại.", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Tham khảo nhật ký UniGetUI để biết thêm chi tiết về (các) tệp bị ảnh hưởng", + "Integrity checks can be disabled from the Experimental Settings": "Kiểm tra tính toàn vẹn có thể được vô hiệu hóa từ phần Cài đặt Thử nghiệm", + "Repair UniGetUI": "Sửa chữa UniGetUI", + "Live output": "Đầu ra trực tiếp", + "Package not found": "Không tìm thấy gói", + "An error occurred when attempting to show the package with Id {0}": "Có lỗi khi cố gắng hiển thị gói có Id {0}", + "Package": "Gói phần mềm", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Bộ gói này có một số thiết lập tiềm ẩn nguy hiểm và có thể bị bỏ qua theo mặc định.", + "Entries that show in YELLOW will be IGNORED.": "Các mục hiển thị bằng màu VÀNG sẽ bị BỎ QUA.", + "Entries that show in RED will be IMPORTED.": "Các mục hiển thị bằng màu ĐỎ sẽ được NHẬP vào.", + "You can change this behavior on UniGetUI security settings.": "Bạn có thể thay đổi hành vi này trong phần cài đặt bảo mật của UniGetUI.", + "Open UniGetUI security settings": "Mở cài đặt bảo mật của UniGetUI", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Nếu bạn thay đổi cài đặt bảo mật, bạn sẽ cần mở lại bộ gói để các thay đổi có hiệu lực.", + "Details of the report:": "Chi tiết của báo cáo:", "\"{0}\" is a local package and can't be shared": "\"{0}\" là một gói cục bộ và không thể chia sẻ", + "Are you sure you want to create a new package bundle? ": "Bạn có chắc chắn muốn tạo một nhóm gói mới không?", + "Any unsaved changes will be lost": "Mọi thay đổi chưa lưu sẽ bị mất", + "Warning!": "Cảnh báo!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Vì lý do bảo mật, các tham số dòng lệnh tùy chỉnh bị vô hiệu hóa theo mặc định. Hãy vào cài đặt bảo mật của UniGetUI để thay đổi.", + "Change default options": "Thay đổi tùy chọn mặc định", + "Ignore future updates for this package": "Bỏ qua các bản cập nhật tương lai cho gói này", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Vì lý do bảo mật, các tập lệnh trước và sau thao tác bị vô hiệu hóa theo mặc định. Hãy vào cài đặt bảo mật của UniGetUI để thay đổi.", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Bạn có thể xác định các lệnh sẽ được thực thi trước hoặc sau khi gói phần mềm này được cài đặt, cập nhật hoặc gỡ bỏ. Các lệnh này sẽ chạy trong cửa sổ dòng lệnh, vì vậy các script CMD đều hoạt động được ở đây.", + "Change this and unlock": "Thay đổi mục này và mở khóa", + "{0} Install options are currently locked because {0} follows the default install options.": "Các tùy chọn cài đặt của {0} hiện đang bị khóa vì {0} đang tuân theo thiết lập cài đặt mặc định.", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Chọn các tiến trình cần đóng trước khi gói phần mềm này được cài đặt, cập nhật hoặc gỡ bỏ.", + "Write here the process names here, separated by commas (,)": "Viết tên các tiến trình vào đây, cách nhau bằng dấu phẩy (,)", + "Unset or unknown": "Chưa thiết lập hoặc không xác định", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Vui lòng xem Đầu ra dòng lệnh hoặc tham khảo Lịch sử hoạt động để biết thêm thông tin về sự cố.", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Gói này không có ảnh chụp màn hình hoặc bị thiếu biểu tượng? Hãy đóng góp cho UniGetUI bằng cách thêm các biểu tượng và ảnh chụp màn hình bị thiếu vào cơ sở dữ liệu mở và công cộng của chúng tôi.", + "Become a contributor": "Trở thành người đóng góp", + "Save": "Lưu", + "Update to {0} available": "Đã có bản cập nhật lên {0}", + "Reinstall": "Cài đặt lại", + "Installer not available": "Trình cài đặt không có sẵn", + "Version:": "Phiên bản:", + "Performing backup, please wait...": "Đang thực hiện sao lưu, vui lòng đợi...", + "An error occurred while logging in: ": "Đã xảy ra lỗi khi đăng nhập: ", + "Fetching available backups...": "Đang tìm các bản sao lưu có sẵn...", + "Done!": "Xong!", + "The cloud backup has been loaded successfully.": "Bản sao lưu trên đám mây đã được tải thành công.", + "An error occurred while loading a backup: ": "Đã xảy ra lỗi khi tải bản sao lưu: ", + "Backing up packages to GitHub Gist...": "Đang sao lưu các gói lên GitHub Gist...", + "Backup Successful": "Sao lưu thành công", + "The cloud backup completed successfully.": "Sao lưu lên đám mây đã hoàn tất thành công.", + "Could not back up packages to GitHub Gist: ": "Không thể sao lưu các gói lên GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Không đảm bảo rằng thông tin xác thực được cung cấp sẽ được lưu trữ an toàn, vì vậy bạn không nên sử dụng thông tin xác thực của tài khoản ngân hàng của mình", + "Enable the automatic WinGet troubleshooter": "Kích hoạt trình khắc phục sự cố WinGet tự động", + "Enable an [experimental] improved WinGet troubleshooter": "Bật trình khắc phục sự cố WinGet được cải tiến [thử nghiệm]", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Thêm các bản cập nhật bị lỗi với thông báo \"không tìm thấy bản cập nhật phù hợp\" vào danh sách cập nhật bị bỏ qua", + "Restart WingetUI to fully apply changes": "Khởi động lại WingetUI để áp dụng đầy đủ tất cả các thay đổi", + "Restart WingetUI": "Khởi động lại WingetUI", + "Invalid selection": "Lựa chọn không hợp lệ", + "No package was selected": "Không có gói nào được chọn", + "More than 1 package was selected": "Đã chọn nhiều hơn 1 gói", + "List": "Danh sách", + "Grid": "Lưới", + "Icons": "Các biểu tượng", "\"{0}\" is a local package and does not have available details": "\"{0}\" là một gói cục bộ và không có chi tiết sẵn có", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\" là một gói cục bộ và không tương thích với tính năng này", - "(Last checked: {0})": "(Lần kiểm tra cuối: {0})", + "WinGet malfunction detected": "Đã phát hiện sự cố WinGet", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Có vẻ như WinGet không hoạt động bình thường. Bạn có muốn thử sửa chữa WinGet không?", + "Repair WinGet": "Sửa chữa WinGet", + "Create .ps1 script": "Tạo tập lệnh .ps1", + "Add packages to bundle": "Thêm gói hàng vào bộ sản phẩm", + "Preparing packages, please wait...": "Đang chuẩn bị gói, vui lòng đợi...", + "Loading packages, please wait...": "Đang tải gói, vui lòng đợi...", + "Saving packages, please wait...": "Đang lưu gói, vui lòng đợi...", + "The bundle was created successfully on {0}": "Gói tổng hợp đã được tạo thành công tại {0}", + "Install script": "Tập lệnh cài đặt", + "The installation script saved to {0}": "Tập lệnh cài đặt đã được lưu tại {0}", + "An error occurred while attempting to create an installation script:": "Đã xảy ra lỗi khi cố gắng tạo tập lệnh cài đặt:", + "{0} packages are being updated": "{0} gói tài nguyên đang được cập nhật", + "Error": "Lỗi", + "Log in failed: ": "Đăng nhập thất bại:", + "Log out failed: ": "Đăng xuất thất bại:", + "Package backup settings": "Cài đặt sao lưu gói", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(Số {0} trong hàng đợi)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@txavlog, @legendsjoon, @vanlongluuly, @aethervn2309", "0 packages found": "Không tìm thấy gói nào", "0 updates found": "Không tìm thấy bản cập nhật nào", - "1 - Errors": "1 - Lỗi", - "1 day": "1 ngày", - "1 hour": "1 giờ", "1 month": "1 tháng", "1 package was found": "Đã tìm thấy 1 gói", - "1 update is available": "Có 1 bản cập nhật có sẵn", - "1 week": "1 tuần", "1 year": "1 năm", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. Điều hướng đến trang \"{0}\" hoặc \"{1}\".", - "2 - Warnings": "2 - Cảnh báo", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. Xác định gói hàng bạn muốn thêm vào bộ sản phẩm và chọn hộp kiểm ở vị trí ngoài cùng bên trái của chúng.", - "3 - Information (less)": "3 - Thông tin (ít hơn)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. Khi các gói hàng bạn muốn thêm vào bộ sản phẩm đã được chọn, hãy tìm và nhấp vào tùy chọn \"{0}\" trên thanh công cụ.", - "4 - Information (more)": "4 - Thông tin (thêm)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. Các gói hàng của bạn sẽ được thêm vào bộ sản phẩm. Bạn có thể tiếp tục thêm các gói hàng khác hoặc xuất bộ sản phẩm.", - "5 - information (debug)": "5 - Thông tin (gỡ lỗi)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "Một trình quản lý thư viện C/C++ phổ biến. Đầy đủ các thư viện C/C++ và các tiện ích liên quan đến C/C++ khác.
Bao gồm: Các thư viện C/C++ và các tiện ích liên quan.", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "Một kho chứa đầy đủ các công cụ và tệp thực thi được thiết kế với hệ sinh thái .NET của Microsoft.
Bao gồm: Các công cụ và tập lệnh liên quan đến .NET", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "Một kho lưu trữ gồm đầy đủ các công cụ được thiết kế dành cho hệ sinh thái .NET của Microsoft.
Bao gồm: .NET related Tools", "A restart is required": "Yêu cầu khởi động lại", - "Abort install if pre-install command fails": "Hủy cài đặt nếu lệnh tiền cài đặt thất bại", - "Abort uninstall if pre-uninstall command fails": "Hủy gỡ cài đặt nếu lệnh tiền gỡ cài đặt thất bại", - "Abort update if pre-update command fails": "Hủy cập nhật nếu lệnh tiền cập nhật thất bại", - "About": "Giới thiệu", "About Qt6": "Giới thiệu về Qt6", - "About WingetUI": "Giới thiệu về UniGetUI", "About WingetUI version {0}": "Giới thiệu về UniGetUI phiên bản {0}", "About the dev": "Giới thiệu về nhà phát triển", - "Accept": "Chấp nhận", "Action when double-clicking packages, hide successful installations": "Hành động khi nhấn đúp vào các gói, ẩn các cài đặt thành công", - "Add": "Thêm", "Add a source to {0}": "Thêm nguồn vào {0}", - "Add a timestamp to the backup file names": "Thêm dấu thời gian vào tên tệp sao lưu", "Add a timestamp to the backup files": "Thêm dấu thời gian vào các tệp sao lưu", "Add packages or open an existing bundle": "Thêm các gói hoặc mở một gói đã tồn tại", - "Add packages or open an existing package bundle": "Thêm gói hoặc mở một nhóm có sẵn", - "Add packages to bundle": "Thêm gói hàng vào bộ sản phẩm", - "Add packages to start": "Thêm gói để bắt đầu", - "Add selection to bundle": "Thêm gói lựa chọn vào nhóm", - "Add source": "Thêm nguồn", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "Thêm các bản cập nhật bị lỗi với thông báo \"không tìm thấy bản cập nhật phù hợp\" vào danh sách cập nhật bị bỏ qua", - "Adding source {source}": "Đang thêm nguồn {source}", - "Adding source {source} to {manager}": "Thêm nguồn {source} vào {manager}", "Addition succeeded": "Thêm thành công", - "Administrator privileges": "Quyền quản trị viên", "Administrator privileges preferences": "Tùy chọn quyền quản trị viên", "Administrator rights": "Quyền quản trị viên", - "Administrator rights and other dangerous settings": "Quyền quản trị và các thiết lập nguy hiểm khác", - "Advanced options": "Tùy chọn nâng cao", "All files": "Tất cả tệp tin", - "All versions": "Tất cả phiên bản", - "Allow changing the paths for package manager executables": "Cho phép thay đổi đường dẫn của các tệp thực thi trình quản lý gói", - "Allow custom command-line arguments": "Cho phép sử dụng đối số dòng lệnh tùy chỉnh", - "Allow importing custom command-line arguments when importing packages from a bundle": "Cho phép nhập các đối số dòng lệnh tùy chỉnh khi nhập gói từ một gói tổng hợp", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "Cho phép nhập các lệnh tùy chỉnh trước và sau khi cài đặt khi nhập gói phần mềm từ một bộ", "Allow package operations to be performed in parallel": "Cho phép thực hiện các hoạt động gói song song", "Allow parallel installs (NOT RECOMMENDED)": "Cho phép cài đặt song song (KHÔNG KHUYẾN KHÍCH)", - "Allow pre-release versions": "Cho phép phiên bản phát hành trước", "Allow {pm} operations to be performed in parallel": "Cho phép {pm} thao tác được thực hiện song song", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "Ngoài ra, bạn cũng có thể cài đặt {0} bằng cách chạy lệnh sau trong lời nhắc Windows PowerShell:", "Always elevate {pm} installations by default": "Luôn sử dụng trình cài đặt {pm} nâng cao theo mặc định", "Always run {pm} operations with administrator rights": "Luôn chạy {pm} thao tác dưới quyền quản trị viên", - "An error occurred": "Oops! Có lỗi xảy ra", - "An error occurred when adding the source: ": "Có lỗi khi thêm nguồn", - "An error occurred when attempting to show the package with Id {0}": "Có lỗi khi cố gắng hiển thị gói có Id {0}", - "An error occurred when checking for updates: ": "Có lỗi khi kiểm tra cập nhật", - "An error occurred while attempting to create an installation script:": "Đã xảy ra lỗi khi cố gắng tạo tập lệnh cài đặt:", - "An error occurred while loading a backup: ": "Đã xảy ra lỗi khi tải bản sao lưu: ", - "An error occurred while logging in: ": "Đã xảy ra lỗi khi đăng nhập: ", - "An error occurred while processing this package": "Có lỗi xảy ra khi xử lý gói này", - "An error occurred:": "Đã xảy ra lỗi:", - "An interal error occurred. Please view the log for further details.": "Đã xảy ra lỗi nội bộ. Vui lòng xem nhật ký để biết thêm chi tiết.", "An unexpected error occurred:": "Đã xảy ra lỗi không mong muốn:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "Đã xảy ra sự cố không mong muốn khi cố gắng sửa chữa WinGet. Vui lòng thử lại sau", - "An update was found!": "Một bản cập nhật đã được tìm thấy!", - "Android Subsystem": "Hệ thống Android", "Another source": "Một nguồn khác", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "Bất kỳ lối tắt mới nào được tạo trong quá trình cài đặt hoặc cập nhật sẽ tự động bị xóa, thay vì hiển thị lời nhắc xác nhận lần đầu tiên chúng được phát hiện.", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "Bất kỳ lối tắt nào được tạo hoặc chỉnh sửa ngoài UniGetUI sẽ bị bỏ qua. Bạn có thể thêm chúng thông qua nút {0}.", - "Any unsaved changes will be lost": "Mọi thay đổi chưa lưu sẽ bị mất", "App Name": "Tên ứng dụng", - "Appearance": "Giao diện", - "Application theme, startup page, package icons, clear successful installs automatically": "Chủ đề ứng dụng, trang khởi động, biểu tượng gói, tự động xóa các cài đặt thành công", - "Application theme:": "Giao diện ứng dụng", - "Apply": "Áp dụng", - "Architecture to install:": "Kiến trúc cài đặt: ", "Are these screenshots wron or blurry?": "Các ảnh chụp màn hình này có sai hoặc mờ không?", - "Are you really sure you want to enable this feature?": "Bạn có thật sự chắc chắn muốn bật tính năng này không?", - "Are you sure you want to create a new package bundle? ": "Bạn có chắc chắn muốn tạo một nhóm gói mới không?", - "Are you sure you want to delete all shortcuts?": "Bạn có chắc chắn muốn xóa tất cả các lối tắt không?", - "Are you sure?": "Bạn có chắc không?", - "Ascendant": "Thăng tiến", - "Ask for administrator privileges once for each batch of operations": "Yêu cầu đặc quyền của quản trị viên một lần cho mỗi nhóm hành động", "Ask for administrator rights when required": "Yêu cầu quyền quản trị viên khi cần thiết", "Ask once or always for administrator rights, elevate installations by default": "Yêu cầu một lần hoặc luôn luôn quyền quản trị viên, cài đặt nâng cao theo mặc định", - "Ask only once for administrator privileges": "Chỉ yêu cầu quyền quản trị một lần", "Ask only once for administrator privileges (not recommended)": "Chỉ yêu cầu một lần đối với các đặc quyền của quản trị viên (không được khuyến nghị)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "Yêu cầu xóa các lối tắt trên màn hình được tạo ra trong quá trình cài đặt hoặc nâng cấp.", - "Attention required": "Cần chú ý", "Authenticate to the proxy with an user and a password": "Xác thực với proxy bằng tên người dùng và mật khẩu", - "Author": "Tác giả", - "Automatic desktop shortcut remover": "Trình gỡ lối tắt trên màn hình tự động", - "Automatic updates": "Cập nhật tự động", - "Automatically save a list of all your installed packages to easily restore them.": "Tự động lưu một danh sách tất cả các gói bạn đã cài đặt để dễ dàng khôi phục chúng sau này.", "Automatically save a list of your installed packages on your computer.": "Tự động lưu danh sách những gói đã cài đặt trên máy tính của bạn.", - "Automatically update this package": "Tự động cập nhật gói này", "Autostart WingetUI in the notifications area": "Tự động chạy WingetUI trong khu vực thông báo", - "Available Updates": "Cập nhật có sẵn", "Available updates: {0}": "Cập nhật khả dụng: {0}", "Available updates: {0}, not finished yet...": "Cập nhật khả dụng: {0}, chưa hoàn tất...", - "Backing up packages to GitHub Gist...": "Đang sao lưu các gói lên GitHub Gist...", - "Backup": "Sao lưu", - "Backup Failed": "Sao lưu thất bại", - "Backup Successful": "Sao lưu thành công", - "Backup and Restore": "Sao lưu và Khôi phục", "Backup installed packages": "Sao lưu các gói đã cài đặt", "Backup location": "Vị trí sao lưu", - "Become a contributor": "Trở thành người đóng góp", - "Become a translator": "Trở thành người phiên dịch", - "Begin the process to select a cloud backup and review which packages to restore": "Bắt đầu quá trình chọn bản sao lưu trên đám mây và xem xét các gói cần khôi phục", - "Beta features and other options that shouldn't be touched": "Các tính năng beta và lựa chọn khác không nên điều chỉnh", - "Both": "Cả hai", - "Bundle security report": "Tập hợp báo cáo bảo mật", "But here are other things you can do to learn about WingetUI even more:": "Tuy nhiên đây là những điều khác bạn có thể làm để tìm hiểu thêm về WingetUI: ", "By toggling a package manager off, you will no longer be able to see or update its packages.": "Bằng cách tắt trình quản lý gói, bạn sẽ không thể xem hoặc cập nhật các gói của nó nữa.", "Cache administrator rights and elevate installers by default": "Lưu trữ quyền quản trị viên và trình cài đặt nâng cao theo mặc định", "Cache administrator rights, but elevate installers only when required": "Lưu trữ quyền quản trị viên, nhưng chỉ cấp quyền cho trình cài đặt nâng cao khi được yêu cầu", "Cache was reset successfully!": "Cache đã được xóa thành công!", "Can't {0} {1}": "Không thể {0} {1}", - "Cancel": "Hủy", "Cancel all operations": "Hủy tất cả các hoạt động", - "Change backup output directory": "Thay đổi thư mục sao lưu", - "Change default options": "Thay đổi tùy chọn mặc định", - "Change how UniGetUI checks and installs available updates for your packages": "Thay đổi cách UniGetUI kiểm tra và cài đặt các bản cập nhật có sẵn cho gói của bạn", - "Change how UniGetUI handles install, update and uninstall operations.": "Thay đổi cách UniGetUI xử lý các thao tác cài đặt, cập nhật và gỡ cài đặt.", "Change how UniGetUI installs packages, and checks and installs available updates": "Thay đổi cách UniGetUI cài đặt các gói và kiểm tra, cài đặt các bản cập nhật có sẵn.", - "Change how operations request administrator rights": "Thay đổi cách các thao tác yêu cầu quyền quản trị viên", "Change install location": "Thay đổi vị trí cài đặt", - "Change this": "Thay đổi mục này", - "Change this and unlock": "Thay đổi mục này và mở khóa", - "Check for package updates periodically": "Kiểm tra cập nhật gói định kỳ", - "Check for updates": "Kiểm tra bản cập nhật", - "Check for updates every:": "Kiểm tra cập nhật mỗi: ", "Check for updates periodically": "Kiểm tra cập nhật định kỳ", "Check for updates regularly, and ask me what to do when updates are found.": "Thường xuyên kiểm tra các bản cập nhật, và hỏi tôi làm gì với từng bản cập nhật", "Check for updates regularly, and automatically install available ones.": "Thường xuyên kiểm tra cập nhật và tự động cài đặt những bản có sẵn!", @@ -159,805 +741,283 @@ "Checking for updates...": "Đang kiểm tra cập nhật...", "Checking found instace(s)...": "Đang kiểm tra (các) phiên bản được tìm thấy....", "Choose how many operations shouls be performed in parallel": "Chọn số lượng hoạt động cần được thực hiện song song", - "Clear cache": "Xóa bộ nhớ đệm", "Clear finished operations": "Xóa các thao tác đã hoàn tất", - "Clear selection": "Xóa lựa chọn", "Clear successful operations": "Dọn dẹp các hoạt động thành công", - "Clear successful operations from the operation list after a 5 second delay": "Xóa các thao tác thành công khỏi danh sách thao tác sau khi trễ 5 giây", "Clear the local icon cache": "Xóa bộ đệm biểu tượng cục bộ", - "Clearing Scoop cache - WingetUI": "Dọn dẹp bộ nhớ đệm Scoop - WingetU", "Clearing Scoop cache...": "Đang xóa bộ nhớ Scoop....", - "Click here for more details": "Bấm vào đây để biết thêm chi tiết", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "Bấm vào Cài đặt để bắt đầu quá trình cài đặt. Nếu bạn bỏ qua quá trình cài đặt, UniGetUI có thể không hoạt động như mong đợi.", - "Close": "Đóng", - "Close UniGetUI to the system tray": "Đóng UniGetUI vào khay hệ thống.", "Close WingetUI to the notification area": "Đóng UniGetUI vào khu vực thông báo", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "Sao lưu đám mây sử dụng một GitHub Gist riêng tư để lưu trữ danh sách các gói đã cài đặt", - "Cloud package backup": "Sao lưu gói lên đám mây", "Command-line Output": "Đầu ra dòng lệnh", - "Command-line to run:": "Dòng lệnh để chạy:", "Compare query against": "So sánh truy vấn với", - "Compatible with authentication": "Tương thích với xác thực", - "Compatible with proxy": "Tương thích với proxy", "Component Information": "Thông tin thành phần", - "Concurrency and execution": "Đồng thời và thực thi", - "Connect the internet using a custom proxy": "Kết nối internet bằng proxy tùy chỉnh", - "Continue": "Tiếp tục", "Contribute to the icon and screenshot repository": "Đóng góp vào kho biểu tượng và ảnh chụp màn hình", - "Contributors": "Người đóng góp", "Copy": "Sao chép", - "Copy to clipboard": "Sao chép vào bảng nhớ tạm", - "Could not add source": "Không thể thêm nguồn", - "Could not add source {source} to {manager}": "Không thể thêm nguồn {source} vào {manager}", - "Could not back up packages to GitHub Gist: ": "Không thể sao lưu các gói lên GitHub Gist:", - "Could not create bundle": "Không thể tạo gói", "Could not load announcements - ": "Không thể tải thông báo -", "Could not load announcements - HTTP status code is $CODE": "Không thể tải thông báo - mã trạng thái HTTP là $CODE", - "Could not remove source": "Không thể xóa nguồn", - "Could not remove source {source} from {manager}": "Không thể xóa nguồn {source} khỏi {manager}", "Could not remove {source} from {manager}": "Không thể xóa {source} khỏi {manager}", - "Create .ps1 script": "Tạo tập lệnh .ps1", - "Credentials": "Thông tin xác thực", "Current Version": "Phiên bản hiện tại", - "Current executable file:": "Tệp thực thi hiện tại:", - "Current status: Not logged in": "Trạng thái hiện tại: Chưa đăng nhập", "Current user": "Người dùng hiện tại", "Custom arguments:": "Đối số tùy chỉnh:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "Các đối số dòng lệnh tùy chỉnh có thể thay đổi cách chương trình được cài đặt, nâng cấp hoặc gỡ bỏ, theo cách mà UniGetUI không thể kiểm soát. Việc sử dụng dòng lệnh tùy chỉnh có thể làm hỏng các gói phần mềm. Hãy tiến hành thận trọng.", "Custom command-line arguments:": "Tham số dòng lệnh tùy chỉnh:", - "Custom install arguments:": "Tham số cài đặt tùy chỉnh:", - "Custom uninstall arguments:": "Tham số gỡ cài đặt tùy chỉnh:", - "Custom update arguments:": "Tham số cập nhật tùy chỉnh:", "Customize WingetUI - for hackers and advanced users only": "Tùy chỉnh WingetUI - chỉ dành cho hacker và người dùng nâng cao", - "DEBUG BUILD": "BẢN DỰNG GỠ LỖI", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "TUYÊN BỐ TỪ CHỐI: CHÚNG TÔI KHÔNG CHỊU TRÁCH NHIỆM VỀ CÁC GÓI ĐÃ TẢI XUỐNG. VUI LÒNG ĐẢM BẢO CHỈ CÀI ĐẶT PHẦN MỀM ĐÁNG TIN CẬY.", - "Dark": "Tối", - "Decline": "Từ chối", - "Default": "Mặc định", - "Default installation options for {0} packages": "Tùy chọn cài đặt mặc định cho {0} gói", "Default preferences - suitable for regular users": "Tùy chọn mặc định - phù hợp với người dùng bình thường", - "Default vcpkg triplet": "Bộ ba vcpkg mặc định", - "Delete?": "Xóa?", - "Dependencies:": "Các thành phần phụ thuộc:", - "Descendant": "Phần tử con", "Description:": "Mô tả: ", - "Desktop shortcut created": "Lối tắt trên màn hình đã được tạo", - "Details of the report:": "Chi tiết của báo cáo:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "Lập trình rất khó và ứng dụng này miễn phí. Nhưng nếu bạn thích ứng dụng này, bạn luôn có thể mua cà phê cho tôi :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "Cài đặt trực tiếp khi nhấp đúp vào một mục trên \"{discoveryTab}\" (thay vì hiển thị thông tin gói)", "Disable new share API (port 7058)": "Vô hiệu hóa API chia sẻ(cổng 7058)", - "Disable the 1-minute timeout for package-related operations": "Vô hiệu hóa thời gian chờ 1 phút cho các hoạt động liên quan đến gói", - "Disabled": "Đã tắt", - "Disclaimer": "Tuyên bố miễn trừ trách nhiệm", - "Discover Packages": "Khám phá các gói", "Discover packages": "Khám phá các gói", "Distinguish between\nuppercase and lowercase": "Phân biệt giữa chữ hoa và chữ thường", - "Distinguish between uppercase and lowercase": "Phân biệt chữ hoa và chữ thường", "Do NOT check for updates": "ĐỪNG kiểm tra cập nhật", "Do an interactive install for the selected packages": "Thực hiện cài đặt tương tác cho các gói đã chọn", "Do an interactive uninstall for the selected packages": "Thực hiện gỡ cài đặt tương tác cho các gói đã chọn", "Do an interactive update for the selected packages": "Thực hiện cập nhật tương tác cho các gói đã chọn", - "Do not automatically install updates when the battery saver is on": "Không tự động cài đặt cập nhật khi chế độ tiết kiệm pin đang bật", - "Do not automatically install updates when the device runs on battery": "Không tự động cài đặt bản cập nhật khi thiết bị đang chạy bằng pin", - "Do not automatically install updates when the network connection is metered": "Không tự động cài đặt cập nhật khi kết nối mạng được đo lường", "Do not download new app translations from GitHub automatically": "Không tự động tải xuống bản dịch ứng dụng mới từ GitHub", - "Do not ignore updates for this package anymore": "Không bỏ qua các cập nhật cho gói này nữa", "Do not remove successful operations from the list automatically": "Không tự động xóa các thao tác thành công khỏi danh sách", - "Do not show this dialog again for {0}": "Không hiển thị lại hộp thoại này cho {0}", "Do not update package indexes on launch": "Không cập nhật chỉ mục gói khi khởi chạy", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "Bạn có chấp nhận rằng UniGetUI thu thập và gửi các số liệu thống kê sử dụng ẩn danh, với mục đích duy nhất là hiểu và cải thiện trải nghiệm người dùng không?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "Bạn có thấy UniGetUI hữu ích không? Nếu có thể, bạn có thể muốn hỗ trợ công việc của tôi, để tôi có thể tiếp tục làm cho UniGetUI trở thành giao diện quản lý gói tối ưu.", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "Bạn có thấy WingetUI hữu ích không? Bạn muốn hỗ trợ nhà phát triển? Nếu vậy, bạn có thể {0}, nó sẽ giúp ích rất nhiều!", - "Do you really want to reset this list? This action cannot be reverted.": "Bạn có thật sự muốn đặt lại danh sách này không? Hành động này không thể hoàn tác.", - "Do you really want to uninstall the following {0} packages?": "Bạn có thực sự muốn gỡ cài đặt các gói {0} sau không?", "Do you really want to uninstall {0} packages?": "Bạn có thực sự muốn gỡ cài đặt gói {0} không?", - "Do you really want to uninstall {0}?": "Bạn thực sự muốn gỡ bỏ {0} chứ?", "Do you want to restart your computer now?": "Bạn muốn khởi động lại máy ngay giờ không?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "Bạn có muốn dịch WingetUI sang ngôn ngữ của mình không? Xem cách đóng góp TẠI ĐÂY!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "Không cảm thấy muốn quyên góp? Đừng lo lắng, bạn luôn có thể chia sẻ UniGetUI với bạn bè của mình. Hãy lan truyền thông tin về UniGetUI.", "Donate": "Ủng hộ", - "Done!": "Xong!", - "Download failed": "Tải xuống thất bại", - "Download installer": "Tải xuống trình cài đặt", - "Download operations are not affected by this setting": "Các thao tác tải xuống không bị ảnh hưởng bởi thiết lập này", - "Download selected installers": "Tải xuống các trình cài đặt đã chọn", - "Download succeeded": "Tải xuống thành công", "Download updated language files from GitHub automatically": "Tự động tải xuống các tệp ngôn ngữ cập nhật từ GitHub", - "Downloading": "Đang tải xuống", - "Downloading backup...": "Đang tải bản sao lưu...", - "Downloading installer for {package}": "Đang tải xuống trình cài đặt cho {package}", - "Downloading package metadata...": "Đang tải xuống siêu tài nguyên....", - "Enable Scoop cleanup on launch": "Bật tính năng dọn dẹp Scoop khi khởi chạy", - "Enable WingetUI notifications": "Bật thông báo của WingetUI", - "Enable an [experimental] improved WinGet troubleshooter": "Bật trình khắc phục sự cố WinGet được cải tiến [thử nghiệm]", - "Enable and disable package managers, change default install options, etc.": "Bật và tắt trình quản lý gói, thay đổi tùy chọn cài đặt mặc định, v.v.", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "Bật các tối ưu hóa sử dụng CPU nền (xem Yêu cầu Kéo #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "Kích hoạt api nền (Tiện ích và chia sẻ WingetUI, cổng 7058)", - "Enable it to install packages from {pm}.": "Kích hoạt nó để cài đặt các gói từ {pm}.", - "Enable the automatic WinGet troubleshooter": "Kích hoạt trình khắc phục sự cố WinGet tự động", - "Enable the new UniGetUI-Branded UAC Elevator": "Bật UAC Elevator được thương hiệu hóa của UniGetUI mới.", - "Enable the new process input handler (StdIn automated closer)": "Bật trình xử lý đầu vào tiến trình mới (tự động đóng StdIn)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "Chỉ bật các thiết lập bên dưới NẾU VÀ CHỈ NẾU bạn thực sự hiểu rõ chức năng của chúng, cũng như các hệ quả và rủi ro tiềm ẩn.", - "Enable {pm}": "Bật {pm}", - "Enabled": "Đã bật", - "Enter proxy URL here": "Nhập URL proxy vào đây", - "Entries that show in RED will be IMPORTED.": "Các mục hiển thị bằng màu ĐỎ sẽ được NHẬP vào.", - "Entries that show in YELLOW will be IGNORED.": "Các mục hiển thị bằng màu VÀNG sẽ bị BỎ QUA.", - "Error": "Lỗi", - "Everything is up to date": "Mọi thứ đều được cập nhật", - "Exact match": "Khớp chính xác", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "Các lối tắt hiện có trên màn hình của bạn sẽ được quét, và bạn sẽ cần chọn những lối tắt nào để giữ lại và những lối tắt nào để xóa.", - "Expand version": "Phiên bản mở rộng", - "Experimental settings and developer options": "Cài đặt thử nghiệm và tùy chọn nhà phát triển", - "Export": "Xuất", + "Downloading": "Đang tải xuống", + "Downloading installer for {package}": "Đang tải xuống trình cài đặt cho {package}", + "Downloading package metadata...": "Đang tải xuống siêu tài nguyên....", + "Enable the new UniGetUI-Branded UAC Elevator": "Bật UAC Elevator được thương hiệu hóa của UniGetUI mới.", + "Enable the new process input handler (StdIn automated closer)": "Bật trình xử lý đầu vào tiến trình mới (tự động đóng StdIn)", "Export log as a file": "Xuất nhật ký ra một tệp tin", "Export packages": "Xuất gói", "Export selected packages to a file": "Xuất các gói đã lựa chọn thành một tập tin", - "Export settings to a local file": "Xuất cài đặt ra tệp tin cục bộ", - "Export to a file": "Xuất thành tệp", - "Failed": "Thất bại", - "Fetching available backups...": "Đang tìm các bản sao lưu có sẵn...", "Fetching latest announcements, please wait...": "Đang tải thông báo mới nhất, vui lòng đợi...", - "Filters": "Bộ lọc", "Finish": "Hoàn thành", - "Follow system color scheme": "Theo dõi bảng màu hệ thống", - "Follow the default options when installing, upgrading or uninstalling this package": "Làm theo tùy chọn mặc định khi cài đặt, nâng cấp hoặc gỡ bỏ gói này", - "For security reasons, changing the executable file is disabled by default": "Vì lý do bảo mật, việc thay đổi tệp thực thi bị vô hiệu hóa theo mặc định", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "Vì lý do bảo mật, các tham số dòng lệnh tùy chỉnh bị vô hiệu hóa theo mặc định. Hãy vào cài đặt bảo mật của UniGetUI để thay đổi.", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "Vì lý do bảo mật, các tập lệnh trước và sau thao tác bị vô hiệu hóa theo mặc định. Hãy vào cài đặt bảo mật của UniGetUI để thay đổi.", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "Sử dụng phiên bản winget do ARM biên dịch (CHỈ DÀNH CHO HỆ THỐNG ARM64)", - "Force install location parameter when updating packages with custom locations": "Buộc tham số vị trí cài đặt khi cập nhật các gói có vị trí tùy chỉnh", "Formerly known as WingetUI": "Trước đây là WingetUI", "Found": "Đã tìm thấy", "Found packages: ": "Các gói được tìm thấy:", "Found packages: {0}": "Gói tìm thấy: {0} ", "Found packages: {0}, not finished yet...": "Gói tìm thấy: {0}, chưa hoàn thành...", - "General preferences": "Tùy chỉnh chung", "GitHub profile": "Hồ sơ GitHub", "Global": "Toàn cầu", - "Go to UniGetUI security settings": "Đi tới cài đặt bảo mật của UniGetUI.", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "Kho lưu trữ lớn chưa biết nhưng có các tiện ích hữu ích và các gói thú vị khác.
Bao gồm: Tiện ích, Chương trình dòng lệnh, Phần mềm chung (yêu cầu bộ chứa bổ sung)", - "Great! You are on the latest version.": "Tuyệt vời! Bạn đang sử dụng phiên bản mới nhất.", - "Grid": "Lưới", - "Help": "Trợ giúp", "Help and documentation": "Trợ giúp và tài liệu", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "Tại đây, bạn có thể thay đổi hành vi của UniGetUI liên quan đến các phím tắt sau. Kiểm tra một phím tắt sẽ làm cho UniGetUI xóa nó nếu nó được tạo ra trong lần nâng cấp tương lai. Bỏ chọn nó sẽ giữ nguyên phím tắt.", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Xin chào, tôi là Martí, và tôi là nhà phát triểncủa UniGetUI. UniGetUI đã được tạo ra hoàn toàn trong thời gian rảnh của tôi!", "Hide details": "Ẩn chi tiết", - "Homepage": "Trang chủ", - "Hooray! No updates were found.": "Yeah! Không có bản cập nhật nào được tìm thấy!", "How should installations that require administrator privileges be treated?": "Các cài đặt yêu cầu quyền quản trị viên nên được xử lý như thế nào?", - "How to add packages to a bundle": "Cách thêm các gói vào bộ sản phẩm", - "I understand": "Tôi hiểu", - "Icons": "Các biểu tượng", - "Id": "Mã định danh", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "Nếu bạn đã bật tính năng sao lưu đám mây, bản sao lưu sẽ được lưu dưới dạng GitHub Gist trong tài khoản này.", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "Cho phép chạy các lệnh tùy chỉnh trước và sau khi cài đặt", - "Ignore future updates for this package": "Bỏ qua các bản cập nhật tương lai cho gói này", - "Ignore packages from {pm} when showing a notification about updates": "Bỏ qua các gói từ {pm} khi hiển thị thông báo về các bản cập nhật", - "Ignore selected packages": "Bỏ qua các gói đã chọn", - "Ignore special characters": "Bỏ qua các ký tự đặc biệt", "Ignore updates for the selected packages": "Bỏ qua các bản cập nhật cho các gói đã chọn", - "Ignore updates for this package": "Bỏ qua các bản cập nhật cho gói này", "Ignored updates": "Các bản cập nhật bị bỏ qua", - "Ignored version": "Phiên bản bị bỏ qua", - "Import": "Nhập", "Import packages": "Nhập gói", "Import packages from a file": "Nhập gói từ tệp tin", - "Import settings from a local file": "Nhập cài đặt từ tệp tin cục bộ", - "In order to add packages to a bundle, you will need to: ": "Để thêm các gói vào bộ sản phẩm, bạn cần:", "Initializing WingetUI...": "Đang khởi tạo WingetUI...", - "Install": "Cài đặt", - "Install Scoop": "Cài đặt Scoop", "Install and more": "Cài đặt và các tùy chọn khác", "Install and update preferences": "Cài đặt và cập nhật các tùy chọn", - "Install as administrator": "Cài đặt với quyền quản trị viên", - "Install available updates automatically": "Tự động cài đặt các bản cập nhật có sẵn", - "Install location can't be changed for {0} packages": "Không thể thay đổi vị trí cài đặt cho {0} gói.", - "Install location:": "Vị trí cài đặt:", - "Install options": "Tùy chọn cài đặt", "Install packages from a file": "Cài đặt gói từ tệp tin", - "Install prerelease versions of UniGetUI": "Cài đặt các phiên bản phát hành trước của UniGetUI", - "Install script": "Tập lệnh cài đặt", "Install selected packages": "Cài đặt các gói đã chọn", "Install selected packages with administrator privileges": "Cài đặt các gói đã chọn với quyền quản trị viên", - "Install selection": "Cài đặt những lựa chọn", "Install the latest prerelease version": "Cài đặt phiên bản phát hành trước mới nhất", "Install updates automatically": "Cài đặt bản cập nhật tự động", - "Install {0}": "Cài đặt {0}", "Installation canceled by the user!": "Cài đặt bị hủy bởi người dùng!", - "Installation failed": "Cài đặt thất bại", - "Installation options": "Lựa chọn cài đặt", - "Installation scope:": "Phạm vi cài đặt:", - "Installation succeeded": "Cài đặt thành công", - "Installed Packages": "Gói đã cài đặt", - "Installed Version": "Phiên bản đã cài", "Installed packages": "Các gói đã được cài đặt", - "Installer SHA256": "Trình cài đặt SHA256", - "Installer SHA512": "Trình cài đặt SHA512", - "Installer Type": "Loại cài đặt", - "Installer URL": "URL trình cài đặt", - "Installer not available": "Trình cài đặt không có sẵn", "Instance {0} responded, quitting...": "Trường hợp {0} đã phản hồi, đang thoát...", - "Instant search": "Tìm kiếm tức thì", - "Integrity checks can be disabled from the Experimental Settings": "Kiểm tra tính toàn vẹn có thể được vô hiệu hóa từ phần Cài đặt Thử nghiệm", - "Integrity checks skipped": "Bỏ qua kiểm tra tính hoàn hảo", - "Integrity checks will not be performed during this operation": "Kiểm tra tính hoàn hảo sẽ không được thực hiện trong quá trình hoạt động này", - "Interactive installation": "Cài đặt tương tác", - "Interactive operation": "Hoạt động tương tác", - "Interactive uninstall": "Gỡ cài đặt tương tác", - "Interactive update": "Cập nhật tương tác", - "Internet connection settings": "Cài đặt kết nối Internet", - "Invalid selection": "Lựa chọn không hợp lệ", "Is this package missing the icon?": "Gói này có bị thiếu biểu tượng không?", - "Is your language missing or incomplete?": "Ngôn ngữ của bạn bị thiếu hoặc không đầy đủ?", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "Không đảm bảo rằng thông tin xác thực được cung cấp sẽ được lưu trữ an toàn, vì vậy bạn không nên sử dụng thông tin xác thực của tài khoản ngân hàng của mình", - "It is recommended to restart UniGetUI after WinGet has been repaired": "Nên khởi động lại UniGetUI sau khi WinGet đã được sửa chữa", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "Rất khuyến nghị bạn nên cài đặt lại UniGetUI để xử lý tình huống hiện tại.", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "Có vẻ như WinGet không hoạt động bình thường. Bạn có muốn thử sửa chữa WinGet không?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "Có vẻ như bạn đã chạy WingetUI với tư cách quản trị viên, điều này không được khuyến khích. Bạn vẫn có thể sử dụng chương trình nhưng chúng tôi khuyên bạn không nên chạy WingetUI với quyền quản trị viên. Nhấp vào \"{showDetails}\" để xem lý do.", - "Language": "Ngôn ngữ", - "Language, theme and other miscellaneous preferences": "Ngôn ngữ, chủ đề và các cài đặt khác", - "Last updated:": "Lần cuối cập nhật: ", - "Latest": "Mới nhất", "Latest Version": "Phiên bản mới nhất", "Latest Version:": "Phiên bản mới nhất: ", "Latest details...": "Chi tiết mới nhất...", "Launching subprocess...": "Đang khởi chạy quy trình con...", - "Leave empty for default": "Để trống theo mặc định", - "License": "Giấy phép", "Licenses": "Giấy phép(s)", - "Light": "Sáng", - "List": "Danh sách", "Live command-line output": "Đầu ra dòng lệnh trực tiếp", - "Live output": "Đầu ra trực tiếp", "Loading UI components...": "Đang tải các thành phần của giao diện người dùng...", "Loading WingetUI...": "WingetUI đang được tải....", - "Loading packages": "Đang tải gói", - "Loading packages, please wait...": "Đang tải gói, vui lòng đợi...", - "Loading...": "Đang tải....", - "Local": "Cục bộ", - "Local PC": "PC cục bộ", - "Local backup advanced options": "Tùy chọn nâng cao cho sao lưu cục bộ.", "Local machine": "Máy chủ cục bộ", - "Local package backup": "Sao lưu gói cục bộ", "Locating {pm}...": "Đang định vị {pm}...", - "Log in": "Đăng nhập", - "Log in failed: ": "Đăng nhập thất bại:", - "Log in to enable cloud backup": "Đăng nhập để bật tính năng sao lưu lên đám mây", - "Log in with GitHub": "Đăng nhập bằng GitHub", - "Log in with GitHub to enable cloud package backup.": "Đăng nhập bằng GitHub để bật tính năng sao lưu gói lên đám mây.", - "Log level:": "Mức độ ghi log:", - "Log out": "Đăng xuất", - "Log out failed: ": "Đăng xuất thất bại:", - "Log out from GitHub": "Đăng xuất khỏi GitHub", "Looking for packages...": "Đang tìm gói...", "Machine | Global": "Máy | Toàn cầu", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "Các đối số dòng lệnh sai định dạng có thể làm hỏng các gói phần mềm, hoặc thậm chí tạo điều kiện cho kẻ tấn công xấu chiếm quyền thực thi đặc biệt. Vì vậy, việc nhập các đối số dòng lệnh tùy chỉnh bị vô hiệu hóa theo mặc định", - "Manage": "Quản lý", - "Manage UniGetUI settings": "Quản lý cài đặt UniGetUI", "Manage WingetUI autostart behaviour from the Settings app": "Quản lý hành vi tự khởi động WingetUI từ ứng dụng Cài đặt", "Manage ignored packages": "Quản lý các gói bị bỏ qua", - "Manage ignored updates": "Quản lý các cập nhật bị bỏ qua", - "Manage shortcuts": "Quản lý lối tắt", - "Manage telemetry settings": "Quản lý cài đặt thu thập thông tin", - "Manage {0} sources": "Quản lý {0} nguồn", - "Manifest": "Tệp cấu hình", "Manifests": "Các tệp cấu hình", - "Manual scan": "Quét thủ công", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Trình quản lý gói chính thức của Microsoft. Đầy đủ các gói nổi tiếng và đã được xác minh
Bao gồm: Phần mềm chung, ứng dụng Microsoft Store", - "Missing dependency": "Thiếu phần phụ thuộc", - "More": "Thêm", - "More details": "Chi tiết hơn", - "More details about the shared data and how it will be processed": "Thông tin chi tiết hơn về dữ liệu được chia sẻ và cách nó sẽ được xử lý", - "More info": "Thêm thông tin", - "More than 1 package was selected": "Đã chọn nhiều hơn 1 gói", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "LƯU Ý: Trình khắc phục sự cố này có thể bị tắt từ Cài đặt UniGetUI, trên phần WinGet", - "Name": "Tên", - "New": "Mới", "New Version": "Phiên bản mới", "New bundle": "Nhóm mới", - "New version": "Phiên bản mới", - "Nice! Backups will be uploaded to a private gist on your account": "Tuyệt! Các bản sao lưu sẽ được tải lên một Gist riêng tư trong tài khoản của bạn", - "No": "Không", - "No applicable installer was found for the package {0}": "Không tìm thấy trình cài đặt phù hợp cho gói {0}", - "No dependencies specified": "Không có thành phần phụ thuộc nào được chỉ định", - "No new shortcuts were found during the scan.": "Không tìm thấy lối tắt mới nào trong quá trình quét.", - "No package was selected": "Không có gói nào được chọn", "No packages found": "Không có gói nào được tìm thấy", "No packages found matching the input criteria": "Không tìm thấy gói nào phù hợp với yêu cầu nhập vào", "No packages have been added yet": "Chưa có gói nào được thêm", "No packages selected": "Không có gói nào được chọn", - "No packages were found": "Không tìm thấy gói nào", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "Không có thông tin cá nhân nào được thu thập hoặc gửi đi, và dữ liệu thu thập được là ẩn danh, vì vậy không thể truy ngược lại bạn.", - "No results were found matching the input criteria": "Không tìm thấy kết quả nào phù hợp với tiêu chí đầu vào", "No sources found": "Không tìm thấy nguồn nào", "No sources were found": "Không có nguồn nào được tìm thấy", "No updates are available": "Không có bản cập nhật nào khả dụng vào lúc này", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Trình quản lý gói của Node JS. Đầy đủ các thư viện và các tiện ích khác xoay quanh thế giới JavaScript
Bao gồm: Các thư viện JavaScript của Node và các tiện ích liên quan khác", - "Not available": "Không khả dụng", - "Not finding the file you are looking for? Make sure it has been added to path.": "Không tìm thấy tệp bạn cần? Hãy đảm bảo rằng nó đã được thêm vào biến đường dẫn.", - "Not found": "Không tìm thấy", - "Not right now": "Không phải bây giờ", "Notes:": "Ghi chú: ", - "Notification preferences": "Tùy chọn thông báo", "Notification tray options": "Tùy chọn khay thông báo", - "Notification types": "Các loại thông báo", - "NuPkg (zipped manifest)": "NuPkg (tệp cấu hình nén)", - "OK": "OK ", "Ok": "Đồng ý", - "Open": "Mở", "Open GitHub": "Mở GitHub", - "Open UniGetUI": "Mở UniGetUI", - "Open UniGetUI security settings": "Mở cài đặt bảo mật của UniGetUI", "Open WingetUI": "Mở UniGetUI", "Open backup location": "Mở vị trí sao lưu", "Open existing bundle": "Mở nhóm hiện có", - "Open install location": "Mở vị trí cài đặt", "Open the welcome wizard": "Mở trình hướng dẫn chào mừng", - "Operation canceled by user": "Người dùng đã hủy thao tác", "Operation cancelled": "Đã hủy thao tác", - "Operation history": "Lịch sử hoạt động", - "Operation in progress": "Hoạt động đang tiến hành", - "Operation on queue (position {0})...": "Hoạt động trên hàng đợi (vị trí {0})...", - "Operation profile:": "Hồ sơ thao tác:", "Options saved": "Tùy chọn đã được lưu", - "Order by:": "Sắp xếp theo:", - "Other": "Khác", - "Other settings": "Cài đặt khác", - "Package": "Gói phần mềm", - "Package Bundles": "Nhóm gói", - "Package ID": "ID gói", "Package Manager": "Trình quản lý gói", - "Package Manager logs": "Nhật ký Trình quản lý gói", - "Package Managers": "Các trình quản lý gói", - "Package Name": "Tên gói", - "Package backup": "Sao lưu gói", - "Package backup settings": "Cài đặt sao lưu gói", - "Package bundle": "Nhóm gói", - "Package details": "Chi tiết gói", - "Package lists": "Danh sách gói", - "Package management made easy": "Quản lý gói trở nên dễ dàng", - "Package manager": "Trình quản lý gói", - "Package manager preferences": "Tùy chọn trình quản lý gói", "Package managers": "Trình quản lý gói", - "Package not found": "Không tìm thấy gói", - "Package operation preferences": "Tùy chọn thao tác gói", - "Package update preferences": "Tùy chọn cập nhật gói", "Package {name} from {manager}": "Gói {name} từ {manager}", - "Package's default": "Gói phần mềm mặc định", "Packages": "Các gói", "Packages found: {0}": "Các gói tìm thấy: {0}", - "Partially": "Một phần", - "Password": "Mật khẩu", "Paste a valid URL to the database": "Dán URL hợp lệ vào cơ sở dữ liệu", - "Pause updates for": "Tạm dừng cập nhật trong vòng", "Perform a backup now": "Thực hiện sao lưu ngay bây giờ", - "Perform a cloud backup now": "Thực hiện sao lưu lên đám mây ngay bây giờ", - "Perform a local backup now": "Thực hiện sao lưu cục bộ ngay bây giờ", - "Perform integrity checks at startup": "Thực hiện kiểm tra tính toàn vẹn khi khởi động", - "Performing backup, please wait...": "Đang thực hiện sao lưu, vui lòng đợi...", "Periodically perform a backup of the installed packages": "Thực hiện sao lưu định kỳ các gói đã cài đặt", - "Periodically perform a cloud backup of the installed packages": "Thực hiện sao lưu định kỳ lên đám mây cho các gói đã cài đặt", - "Periodically perform a local backup of the installed packages": "Thực hiện sao lưu cục bộ định kỳ cho các gói đã cài đặt", - "Please check the installation options for this package and try again": "Vui lòng kiểm tra các tùy chọn cài đặt cho gói này và thử lại", - "Please click on \"Continue\" to continue": "Vui lòng click vào \"Tiếp tục\" để tiếp tục", "Please enter at least 3 characters": "Vui lòng nhập ít nhất 3 ký tự", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "Xin lưu ý rằng một số gói nhất định có thể không cài đặt được do trình quản lý gói được bật trên thiết bị này.", - "Please note that not all package managers may fully support this feature": "Xin lưu ý rằng không phải tất cả các trình quản lý gói đều có thể hỗ trợ đầy đủ tính năng này", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "Xin lưu ý rằng các gói từ một số nguồn nhất định có thể không xuất được. Chúng đã chuyển sang màu xám và sẽ không được xuất.", - "Please run UniGetUI as a regular user and try again.": "Vui lòng chạy UniGetUI với quyền người dùng thông thường và thử lại.", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "Vui lòng xem Đầu ra dòng lệnh hoặc tham khảo Lịch sử hoạt động để biết thêm thông tin về sự cố.", "Please select how you want to configure WingetUI": "Vui lòng chọn cách bạn muốn thiết lập WingetUI", - "Please try again later": "Vui lòng thử lại sau", "Please type at least two characters": "Vui lòng nhập ít nhất hai kí tự", - "Please wait": "Vui lòng chờ", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "Vui lòng đợi trong khi {0} đang được cài đặt. Một cửa sổ màu đen có thể xuất hiện. Vui lòng đợi cho đến khi nó đóng lại.", - "Please wait...": "Vui lòng chờ.....", "Portable": "Di động", - "Portable mode": "Chế độ di động", - "Post-install command:": "Lệnh sau khi cài đặt:", - "Post-uninstall command:": "Lệnh sau khi gỡ cài đặt:", - "Post-update command:": "Lệnh sau khi cập nhật:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "Trình quản lý gói của PowerShell. Tìm thư viện và tập lệnh để mở rộng khả năng của PowerShell
Bao gồm: Mô-đun, Tập lệnh, Lệnh ghép ngắn", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "Các lệnh trước và sau khi cài đặt có thể gây hại nghiêm trọng cho thiết bị của bạn nếu được thiết kế với mục đích xấu. Việc nhập các lệnh này từ một gói tổng hợp có thể rất nguy hiểm, trừ khi bạn tin tưởng nguồn của gói phần mềm đó", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "Các lệnh trước và sau khi cài đặt sẽ được thực thi trước và sau khi một gói phần mềm được cài đặt, nâng cấp hoặc gỡ bỏ. Hãy lưu ý rằng chúng có thể gây hỏng hóc nếu không được sử dụng cẩn thận", - "Pre-install command:": "Lệnh trước khi cài đặt:", - "Pre-uninstall command:": "Lệnh trước khi gỡ cài đặt:", - "Pre-update command:": "Lệnh trước khi cập nhật:", - "PreRelease": "Trước khi phát hành", - "Preparing packages, please wait...": "Đang chuẩn bị gói, vui lòng đợi...", - "Proceed at your own risk.": "Tiến hành tự chịu rủi ro", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "Cấm mọi hình thức nâng quyền thông qua UniGetUI Elevator hoặc GSudo", - "Proxy URL": "URL proxy", - "Proxy compatibility table": "Bảng tương thích proxy", - "Proxy settings": "Cài đặt proxy", - "Proxy settings, etc.": "Cài đặt proxy, v.v.", "Publication date:": "Ngày công khai: ", - "Publisher": "Người xuất bản", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Trình quản lý thư viện của Python. Đầy đủ các thư viện Python và các tiện ích liên quan đến Python khác
Bao gồm: Các thư viện Python và các tiện ích liên quan", - "Quit": "Thoát", "Quit WingetUI": "Thoát WingetUI", - "Ready": "Sẵn sàng", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "Giảm số lần hiển thị thông báo UAC, tự động nâng quyền khi cài đặt, mở khóa một số tính năng nguy hiểm, v.v.", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "Tham khảo nhật ký UniGetUI để biết thêm chi tiết về (các) tệp bị ảnh hưởng", - "Reinstall": "Cài đặt lại", - "Reinstall package": "Cài đặt lại gói", - "Related settings": "Cài đặt liên quan", - "Release notes": "Ghi chú phát hành", - "Release notes URL": "URL ghi chú phát hành", "Release notes URL:": "URL ghi chú phát hành:", "Release notes:": "Ghi chú phát hành:", "Reload": "Tải lại", - "Reload log": "Tải lại nhật ký", "Removal failed": "Xóa không thành công", "Removal succeeded": "Xóa thành công", - "Remove from list": "Xóa khỏi danh sách", "Remove permanent data": "Xóa dữ liệu vĩnh viễn", - "Remove selection from bundle": "Xóa lựa chọn khỏi nhóm", "Remove successful installs/uninstalls/updates from the installation list": "Xóa các cài đặt/gỡ cài đặt/cập nhật thành công khỏi danh sách cài đặt", - "Removing source {source}": "Đang gỡ bỏ nguồn {source}", - "Removing source {source} from {manager}": "Đang xóa nguồn {source} khỏi {manager}", - "Repair UniGetUI": "Sửa chữa UniGetUI", - "Repair WinGet": "Sửa chữa WinGet", - "Report an issue or submit a feature request": "Báo cáo một vấn đề hoặc yêu cầu tính năng nào đó", "Repository": "Kho", - "Reset": "Đặt lại", "Reset Scoop's global app cache": "Đặt lại cache của Scoop cục bộ", - "Reset UniGetUI": "Đặt lại UniGetUI", - "Reset WinGet": "Đặt lại WinGet", "Reset Winget sources (might help if no packages are listed)": "Đặt lại nguồn Winget (có thể hữu ích nếu không có gói nào được liệt kê)", - "Reset WingetUI": "Đặt lại WingetUI", "Reset WingetUI and its preferences": "Đặt lại WingetUI và các tùy chọn của nó", "Reset WingetUI icon and screenshot cache": "Đặt lại biểu tượng WingetUI và bộ đệm ảnh chụp màn hình", - "Reset list": "Đặt lại danh sách", "Resetting Winget sources - WingetUI": "Đặt lại nguồn Winget - WingetUI", - "Restart": "Khởi động lại", - "Restart UniGetUI": "Khởi động lại UniGetUI", - "Restart WingetUI": "Khởi động lại WingetUI", - "Restart WingetUI to fully apply changes": "Khởi động lại WingetUI để áp dụng đầy đủ tất cả các thay đổi", - "Restart later": "Khởi động lại sau ", "Restart now": "Khởi động lại ngay", - "Restart required": "Yêu cầu khởi động lại", - "Restart your PC to finish installation": "Khởi động lại PC của bạn để hoàn tất cài đặt", - "Restart your computer to finish the installation": "Khởi động lại máy tính của bạn để hoàn tất cài đặt", - "Restore a backup from the cloud": "Khôi phục bản sao lưu từ đám mây", - "Restrictions on package managers": "Các giới hạn áp dụng cho trình quản lý gói", - "Restrictions on package operations": "Các giới hạn áp dụng cho thao tác xử lý gói", - "Restrictions when importing package bundles": "Hạn chế khi nhập các gói phần mềm theo bộ", - "Retry": "Thử lại", - "Retry as administrator": "Thử lại với quyền quản trị viên", - "Retry failed operations": "Thử lại các thao tác đã thất bại", - "Retry interactively": "Thử lại một cách tương tác", - "Retry skipping integrity checks": "Thử lại bỏ qua các kiểm tra tính toàn vẹn", - "Retrying, please wait...": "Đang thử lại, vui lòng đợi...", - "Return to top": "Quay lại đầu trang", - "Run": "Chạy", - "Run as admin": "Chạy với quyền quản trị", - "Run cleanup and clear cache": "Dọn dẹp và xóa bộ nhớ tạm", - "Run last": "Chạy cuối cùng", - "Run next": "Chạy tiếp theo", - "Run now": "Chạy ngay bây giờ", + "Restart your PC to finish installation": "Khởi động lại PC của bạn để hoàn tất cài đặt", + "Restart your computer to finish the installation": "Khởi động lại máy tính của bạn để hoàn tất cài đặt", + "Retry failed operations": "Thử lại các thao tác đã thất bại", + "Retrying, please wait...": "Đang thử lại, vui lòng đợi...", + "Return to top": "Quay lại đầu trang", "Running the installer...": "Đang chạy trình cài đặt...", "Running the uninstaller...": "Đang chạy trình gỡ cài đặt...", "Running the updater...": "Đang chạy trình cập nhật...", - "Save": "Lưu", "Save File": "Lưu tệp tin", - "Save and close": "Lưu và đóng", - "Save as": "Lưu thành...", "Save bundle as": "Lưu nhóm với", "Save now": "Lưu ngay", - "Saving packages, please wait...": "Đang lưu gói, vui lòng đợi...", - "Scoop Installer - WingetUI": "Trình cài đặt Scoop - WingetUI", - "Scoop Uninstaller - WingetUI": "Trình gỡ cài đặt Scoop - WingetUI", - "Scoop package": "Gói Scoop", "Search": "Tìm kiếm", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "Tìm kiếm phần mềm dành cho máy tính để bàn, thông báo cho tôi khi có bản cập nhật và không làm những việc ngớ ngẩn. Tôi không muốn WingetUI quá phức tạp, tôi chỉ muốn một cửa hàng phần mềm đơn giản thôi", - "Search for packages": "Tìm kiếm gói", - "Search for packages to start": "Tìm kiếm các gói để bắt đầu", - "Search mode": "Chế độ tìm kiếm", "Search on available updates": "Tìm kiếm trên các bản cập nhật có sẵn", "Search on your software": "Tìm kiếm trên phần mềm của bạn", "Searching for installed packages...": "Đang tìm kiếm các gói đã cài đặt...", "Searching for packages...": "Đang tìm các gói...", "Searching for updates...": "Đang tìm kiếm các bản cập nhật...", - "Select": "Chọn", "Select \"{item}\" to add your custom bucket": "Chọn \"{item}\" để thêm nhóm tùy chỉnh của bạn", "Select a folder": "Chọn một thư mục", - "Select all": "Chọn tất cả", "Select all packages": "Chọn tất cả các gói", - "Select backup": "Chọn bản sao lưu", "Select only if you know what you are doing.": "Chỉ chọn nó nếu như bạn biết mình đang làm gì.", "Select package file": "Chọn tập tin gói", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "Chọn bản sao lưu bạn muốn mở. Sau đó, bạn sẽ có thể xem lại và chọn các gói/chương trình muốn khôi phục.", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "Chọn tệp thực thi cần sử dụng. Danh sách sau đây hiển thị các tệp thực thi được UniGetUI tìm thấy.", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "Chọn các tiến trình cần đóng trước khi gói phần mềm này được cài đặt, cập nhật hoặc gỡ bỏ.", - "Select the source you want to add:": "Chọn nguồn bạn muốn thêm", - "Select upgradable packages by default": "Chọn các gói có thể nâng cấp theo mặc định", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "Chọn trình quản lý gói nào để sử dụng ({0}), định cấu hình cách cài đặt gói, quản lý cách xử lý quyền quản trị viên, v.v.", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "Gửi bắt tay. Đang chờ câu trả lời của người nghe... ({0}%)", - "Set a custom backup file name": "Đặt tên tệp sao lưu tùy chỉnh", "Set custom backup file name": "Đặt tên tệp tin sao lưu tùy chỉnh", - "Settings": "Cài đặt", - "Share": "Chia sẻ", "Share WingetUI": "Chia sẻ WingetUI", - "Share anonymous usage data": "Chia sẻ dữ liệu sử dụng ẩn danh", - "Share this package": "Chia sẻ gói", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "Nếu bạn thay đổi cài đặt bảo mật, bạn sẽ cần mở lại bộ gói để các thay đổi có hiệu lực.", "Show UniGetUI on the system tray": "Hiển thị UniGetUI trên khay hệ thống", - "Show UniGetUI's version and build number on the titlebar.": "Hiển thị phiên bản UniGetUI trên thanh tiêu đề", - "Show WingetUI": "Hiển thị WingetUI", "Show a notification when an installation fails": "Hiển thị thông báo khi cài đặt không thành công", "Show a notification when an installation finishes successfully": "Hiển thị thông báo khi quá trình cài đặt thành công", - "Show a notification when an operation fails": "Hiển thị thông báo khi thao tác thất bại", - "Show a notification when an operation finishes successfully": "Hiển thị thông báo khi một thao tác kết thúc thành công", - "Show a notification when there are available updates": "Hiển thị thông báo ngay khi có bản cập nhật", - "Show a silent notification when an operation is running": "Hiển thị thông báo im lặng khi một thao tác đang chạy", "Show details": "Hiển thị chi tiết", - "Show in explorer": "Hiển thị trong trình duyệt", "Show info about the package on the Updates tab": "Hiển thị thông tin về gói trên bảng Cập nhật", "Show missing translation strings": "Hiển thị các chuỗi dịch bị thiếu", - "Show notifications on different events": "Hiển thị thông báo về các sự kiện khác nhau", "Show package details": "Hiển thị chi tiết gói", - "Show package icons on package lists": "Hiển thị biểu tượng gói trên danh sách gói", - "Show similar packages": "Hiện các gói liên quan", "Show the live output": "Hiển thị đầu ra trực tiếp", - "Size": "Kích thước", "Skip": "Bỏ qua", - "Skip hash check": "Bỏ qua kiểm tra hash", - "Skip hash checks": "Bỏ qua kiểm tra hàm băm", - "Skip integrity checks": "Bỏ qua kiểm tra tính toàn vẹn", - "Skip minor updates for this package": "Bỏ qua các cập nhật nhỏ cho gói này", "Skip the hash check when installing the selected packages": "Bỏ qua kiểm tra hash khi cài đặt các gói đã chọn", "Skip the hash check when updating the selected packages": "Bỏ qua việc kiểm tra hash khi cập nhật các gói đã chọn", - "Skip this version": "Bỏ qua phiên bản này", - "Software Updates": "Cập nhật phần mềm", - "Something went wrong": "Điều gì đó không ổn", - "Something went wrong while launching the updater.": "Đã xảy ra sự cố khi khởi động trình cập nhật.", - "Source": "Nguồn", - "Source URL:": "URL nguồn:", - "Source added successfully": "Thêm nguồn thành công", "Source addition failed": "Thêm nguồn không thành công", - "Source name:": "Tên nguồn:", "Source removal failed": "Xóa nguồn không thành công", - "Source removed successfully": "Gỡ bỏ nguồn thành công", "Source:": "Nguồn: ", - "Sources": "Nguồn", "Start": "Bắt đầu", "Starting daemons...": "Bắt đầu daemons...", - "Starting operation...": "Bắt đầu hoạt động...", "Startup options": "Lựa chọn khởi động", "Status": "Trạng thái", "Stuck here? Skip initialization": "Bạn bị mắc kẹt ở đây? Bỏ qua việc khởi tạo", - "Success!": "Thành công!", "Suport the developer": "Hỗ trợ nhà phát triển", "Support me": "Hỗ trợ tôi", "Support the developer": "Hỗ trợ nhà phát triển", "Systems are now ready to go!": "Các hệ thống hiện đã sẵn sàng hoạt động!", - "Telemetry": "Thu thập dữ liệu từ xa", - "Text": "Văn bản", "Text file": "Tệp tin văn bản", - "Thank you ❤": "Cảm ơn bạn ❤", - "Thank you \uD83D\uDE09": "Cảm ơn bạn\uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Trình quản lý gói của Rust.
Bao gồm: Các thư viện Rust và các chương trình được viết bằng Rust", - "The backup will NOT include any binary file nor any program's saved data.": "Bản sao lưu sẽ KHÔNG bao gồm bất kỳ tệp nhị phân nào hoặc bất kỳ dữ liệu đã lưu của chương trình nào.", - "The backup will be performed after login.": "Bản sao lưu sẽ được thực hiện sau khi đăng nhập.", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "Bản sao lưu sẽ bao gồm danh sách đầy đủ các gói đã cài đặt và các tùy chọn cài đặt của chúng. Các bản cập nhật bị bỏ qua và các phiên bản bị bỏ qua cũng sẽ được lưu lại.", - "The bundle was created successfully on {0}": "Gói tổng hợp đã được tạo thành công tại {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "Nhóm bạn đang cố tải có vẻ không hợp lệ. Vui lòng kiểm tra tập tin và thử lại.", + "Thank you 😉": "Cảm ơn bạn😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "Tổng kiểm tra của quy trình cài đặt không trùng với giá trị dự kiến và không thể xác minh tính xác thực của trình cài đặt. Nếu bạn tin tưởng nhà xuất bản, {0} gói sẽ bỏ qua kiểm tra hàm băm một lần nữa.", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Trình quản lý gói cổ điển cho Windows. Bạn sẽ tìm thấy mọi thứ ở đó.
Bao gồm: Phần mềm chung", - "The cloud backup completed successfully.": "Sao lưu lên đám mây đã hoàn tất thành công.", - "The cloud backup has been loaded successfully.": "Bản sao lưu trên đám mây đã được tải thành công.", - "The current bundle has no packages. Add some packages to get started": "Nhóm hiện tại không có gói nào. Thêm một số gói để bắt đầu", - "The executable file for {0} was not found": "Tệp thực thi cho {0} không được tìm thấy.", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "Các tùy chọn sau sẽ được áp dụng theo mặc định mỗi khi một gói {0} được cài đặt, nâng cấp hoặc gỡ bỏ.", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "Các gói sau sẽ được xuất ra tệp JSON. Không có dữ liệu người dùng hoặc tệp nhị phân nào sẽ được lưu lại.", "The following packages are going to be installed on your system.": "Các gói sau sẽ được cài đặt vào hệ thống của bạn.", - "The following settings may pose a security risk, hence they are disabled by default.": "Các thiết lập sau có thể gây rủi ro bảo mật, do đó chúng bị vô hiệu hóa theo mặc định.", - "The following settings will be applied each time this package is installed, updated or removed.": "Các cài đặt sau sẽ được áp dụng mỗi khi gói này được cài đặt, cập nhật hoặc gỡ bỏ.", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "Các cài đặt sau sẽ được áp dụng mỗi khi gói này được cài đặt, cập nhật hoặc gỡ bỏ. Chúng sẽ được lưu tự động.", "The icons and screenshots are maintained by users like you!": "Các biểu tượng và ảnh chụp màn hình được bảo trì bởi những người dùng như bạn!", - "The installation script saved to {0}": "Tập lệnh cài đặt đã được lưu tại {0}", - "The installer authenticity could not be verified.": "Không thể xác minh tính xác thực của trình cài đặt.", "The installer has an invalid checksum": "Trình cài đặt có tổng kiểm tra không hợp lệ", "The installer hash does not match the expected value.": "Hàm của trình cài đặt không khớp với giá trị mong đợi.", - "The local icon cache currently takes {0} MB": "Bộ nhớ đệm biểu tượng cục bộ hiện tại chiếm {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "Mục tiêu chính của dự án này là tạo ra một giao diện người dùng trực quan cho các trình quản lý gói dòng lệnh (CLI) phổ biến nhất dành cho Windows, chẳng hạn như Winget và Scoop.", - "The package \"{0}\" was not found on the package manager \"{1}\"": "Không tìm thấy gói \"{0}\" trên trình quản lý gói \"{1}\"", - "The package bundle could not be created due to an error.": "Không thể tạo nhóm gói do có lỗi.", - "The package bundle is not valid": "Nhóm gói không hợp lệ", - "The package manager \"{0}\" is disabled": "Trình quản lý gói \"{0}\" bị tắt", - "The package manager \"{0}\" was not found": "Không tìm thấy trình quản lý gói \"{0}\"", "The package {0} from {1} was not found.": "Không tìm thấy gói {0} từ {1}.", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "Các gói được liệt kê ở đây sẽ không được tính đến khi kiểm tra các bản cập nhật. Nhấp đúp vào chúng hoặc nhấp vào nút ở bên phải của chúng để ngừng bỏ qua các cập nhật của chúng.", "The selected packages have been blacklisted": "Các gói đã chọn đã được đưa vào danh sách đen", - "The settings will list, in their descriptions, the potential security issues they may have.": "Các thiết lập sẽ liệt kê trong phần mô tả của chúng các vấn đề bảo mật tiềm ẩn.", - "The size of the backup is estimated to be less than 1MB.": "Kích thước của bản sao lưu được ước tính nhỏ hơn 1MB.", - "The source {source} was added to {manager} successfully": "Nguồn {source} đã được thêm vào {manager} thành công", - "The source {source} was removed from {manager} successfully": "Nguồn {source} đã được xóa khỏi {manager} thành công", - "The system tray icon must be enabled in order for notifications to work": "Biểu tượng khay hệ thống phải được bật để các thông báo hoạt động", - "The update process has been aborted.": "Quá trình cập nhật đã bị hủy bỏ.", - "The update process will start after closing UniGetUI": "Quá trình cập nhật sẽ bắt đầu sau khi đóng UniGetUI.", "The update will be installed upon closing WingetUI": "Bản cập nhật sẽ được cài đặt khi đóng WingetUI", "The update will not continue.": "Việc cập nhật sẽ không tiếp tục.", "The user has canceled {0}, that was a requirement for {1} to be run": "Người dùng đã hủy bỏ{0}, đó là yêu cầu để chạy {1}", - "There are no new UniGetUI versions to be installed": "Không có phiên bản UniGetUI mới nào để cài đặt", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "Có các hoạt động đang diễn ra. Thoát UniGetUI có thể khiến chúng bị thất bại. Bạn có muốn tiếp tục không?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "Có một số video tuyệt vời trên YouTube giới thiệu về UniGetUI và các khả năng của nó. Bạn có thể học được những thủ thuật và mẹo hữu ích!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "Có hai lý do chính để không chạy WingetUI với tư cách quản trị viên: Lý do đầu tiên là trình quản lý gói Scoop có thể gây ra sự cố với một số lệnh khi chạy với quyền quản trị viên. Điều thứ hai là việc chạy WingetUI với tư cách quản trị viên có nghĩa là bất kỳ gói nào bạn tải xuống sẽ được chạy với tư cách quản trị viên (và điều này không an toàn). Hãy nhớ rằng nếu bạn cần cài đặt một gói cụ thể với tư cách quản trị viên, bạn luôn có thể nhấp chuột phải vào mục đó -> Cài đặt/Cập nhật/Gỡ cài đặt với tư cách quản trị viên.", - "There is an error with the configuration of the package manager \"{0}\"": "Đã xảy ra lỗi với cấu hình của trình quản lý gói \"{0}\"", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "Có một quá trình cài đặt đang diễn ra. Nếu bạn đóng WingetUI, quá trình cài đặt có thể không thành công và có kết quả không mong muốn. Bạn vẫn muốn thoát khỏi WingetUI?", "They are the programs in charge of installing, updating and removing packages.": "Chúng là những chương trình chịu trách nhiệm cài đặt, cập nhật và gỡ bỏ các gói.", - "Third-party licenses": "Giấy phép bên thứ ba", "This could represent a security risk.": "Điều này có thể biểu thị một rủi ro bảo mật.", - "This is not recommended.": "Điều này không được khuyến nghị.", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "Điều này có thể là do gói bạn được gửi đã bị xóa hoặc được xuất bản trên trình quản lý gói mà bạn chưa bật. ID nhận được là {0}", "This is the default choice.": "Đây là lựa chọn mặc định.", - "This may help if WinGet packages are not shown": "Điều này có thể hữu ích nếu các gói WinGet không được hiển thị", - "This may help if no packages are listed": "Điều này có thể hữu ích nếu không có gói nào được liệt kê", - "This may take a minute or two": "Việc này có thể mất một hoặc hai phút", - "This operation is running interactively.": "Hoạt động này đang chạy tương tác.", - "This operation is running with administrator privileges.": "Hoạt động này đang chạy với quyền quản trị.", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "Tùy chọn này SẼ gây sự cố. Mọi thao tác không thể tự nâng quyền SẼ THẤT BẠI. Việc cài đặt/cập nhật/gỡ bỏ với quyền quản trị SẼ KHÔNG HOẠT ĐỘNG", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "Bộ gói này có một số thiết lập tiềm ẩn nguy hiểm và có thể bị bỏ qua theo mặc định.", "This package can be updated": "Gói này có thể cập nhật", "This package can be updated to version {0}": "Gói này có thể được cập nhật lên phiên bản {0}", - "This package can be upgraded to version {0}": "Gói này có thể được nâng cấp lên phiên bản {0}", - "This package cannot be installed from an elevated context.": "Gói này không thể được cài đặt từ một ngữ cảnh nâng cao.", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "Gói này không có ảnh chụp màn hình hoặc bị thiếu biểu tượng? Hãy đóng góp cho UniGetUI bằng cách thêm các biểu tượng và ảnh chụp màn hình bị thiếu vào cơ sở dữ liệu mở và công cộng của chúng tôi.", - "This package is already installed": "Gói này đã được cài đặt", - "This package is being processed": "Gói này đang được xử lý", - "This package is not available": "Gói này không có sẵn", - "This package is on the queue": "Gói này đang trong hàng đợi", "This process is running with administrator privileges": "Quá trình này đang chạy với quyền quản trị viên", - "This project has no connection with the official {0} project — it's completely unofficial.": "Dự án này không liên quan gì đến dự án {0} chính thức — nó hoàn toàn không chính thức.", "This setting is disabled": "Cài đặt này bị vô hiệu hóa", "This wizard will help you configure and customize WingetUI!": "Trình hướng dẫn này sẽ giúp bạn định cấu hình và tùy chỉnh WingetUI!", "Toggle search filters pane": "Chuyển đổi bảng bộ lọc tìm kiếm", - "Translators": "Người dịch", - "Try to kill the processes that refuse to close when requested to": "Cố gắng kết thúc các tiến trình không chịu đóng khi được yêu cầu", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "Bật tùy chọn này cho phép thay đổi tệp thực thi được dùng để tương tác với trình quản lý gói. Mặc dù điều này giúp bạn tùy chỉnh quá trình cài đặt một cách chi tiết hơn, nhưng nó cũng có thể gây nguy hiểm", "Type here the name and the URL of the source you want to add, separed by a space.": "Nhập tên và đường dẫn nguồn bạn muốn thêm vào đây, cách nhau bởi khoảng trắng", "Unable to find package": "Không thể tìm thấy gói", "Unable to load informarion": "Không thể tải thông tin", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI thu thập dữ liệu sử dụng ẩn danh để cải thiện trải nghiệm người dùng.", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI thu thập dữ liệu sử dụng ẩn danh với mục đích duy nhất là hiểu và cải thiện trải nghiệm người dùng.", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI đã phát hiện một phím tắt trên màn hình mới có thể được xóa tự động.", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI đã phát hiện các phím tắt trên màn hình sau đây có thể được xóa tự động trong các bản nâng cấp tương lai.", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI đã phát hiện {0} lối tắt trên màn hình mới có thể được xóa tự động.", - "UniGetUI is being updated...": "UniGetUI đang được cập nhật...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI không liên quan đến bất kỳ trình quản lý gói tương thích nào. UniGetUI là một dự án độc lập.", - "UniGetUI on the background and system tray": "UniGetUI chạy trong nền và khay hệ thống", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI hoặc một số thành phần của nó đang bị thiếu hoặc bị hỏng.", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI yêu cầu {0} hoạt động nhưng không tìm thấy nó trên hệ thống của bạn.", - "UniGetUI startup page:": "Trang khởi động UniGetUI:", - "UniGetUI updater": "Trình cập nhật UniGetUI", - "UniGetUI version {0} is being downloaded.": "Đang tải xuống UniGetUI phiên bản {0}", - "UniGetUI {0} is ready to be installed.": "UniGetUI phiên bản {0} đã sẵn sàng để cài đặt", - "Uninstall": "Gỡ cài đặt", - "Uninstall Scoop (and its packages)": "Gỡ cài đặt Scoop (và các gói của nó)", "Uninstall and more": "Gỡ cài đặt và các tùy chọn khác", - "Uninstall and remove data": "Gỡ cài đặt và xóa dữ liệu", - "Uninstall as administrator": "Gỡ cài đặt với tư cách quản trị viên", "Uninstall canceled by the user!": "Người dùng đã hủy việc gỡ cài đặt!", - "Uninstall failed": "Gỡ cài đặt không thành công", - "Uninstall options": "Tùy chọn gỡ cài đặt", - "Uninstall package": "Gỡ cài đặt gói", - "Uninstall package, then reinstall it": "Gỡ rồi cài đặt lại gói", - "Uninstall package, then update it": "Gỡ rồi cập nhật gói", - "Uninstall previous versions when updated": "Gỡ bỏ các phiên bản trước đó khi cập nhật", - "Uninstall selected packages": "Gỡ cài đặt các gói đã chọn", - "Uninstall selection": "Gỡ bỏ các mục đã chọn", - "Uninstall succeeded": "Gỡ cài đặt thành công", "Uninstall the selected packages with administrator privileges": "Gỡ cài đặt các gói đã chọn với quyền quản trị viên", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "Các gói không thể cài đặt có nguồn gốc được liệt kê là \"{0}\" không được xuất bản trên bất kỳ trình quản lý gói nào nên không có sẵn thông tin để hiển thị về chúng.", - "Unknown": "Không biết", - "Unknown size": "Kích thước không xác định", - "Unset or unknown": "Chưa thiết lập hoặc không xác định", - "Up to date": "Đã cập nhật", - "Update": "Cập nhật", - "Update WingetUI automatically": "Tự động cập nhật WingetUI", - "Update all": "Cập nhật toàn bộ", "Update and more": "Cập nhật và các tùy chọn khác", - "Update as administrator": "Cập nhật với tư cách quản trị viên", - "Update check frequency, automatically install updates, etc.": "Tần suất kiểm tra cập nhật, tự động cài đặt cập nhật, v.v.", - "Update checking": "Kiểm tra cập nhật", "Update date": "Ngày cập nhật", - "Update failed": "Cập nhật không thành công", "Update found!": "Bản cập nhật được tìm thấy!", - "Update now": "Cập nhật bây giờ", - "Update options": "Tùy chọn cập nhật", "Update package indexes on launch": "Cập nhật chỉ mục gói khi khởi chạy", "Update packages automatically": "Cập nhật các gói tự động", "Update selected packages": "Cập nhật các gói đã chọn", "Update selected packages with administrator privileges": "Cập nhật các gói đã chọn với quyền qtv", - "Update selection": "Cập nhật các mục đã chọn", - "Update succeeded": "Cập nhật thành công", - "Update to version {0}": "Cập nhật lên phiên bản {0}", - "Update to {0} available": "Đã có bản cập nhật lên {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "Cập nhật tệp port Git của vcpkg tự động (yêu cầu Git được cài đặt).", "Updates": "Cập nhật", "Updates available!": "Cập nhật khả dụng!", - "Updates for this package are ignored": "Các bản cập nhật cho gói này bị bỏ qua", - "Updates found!": "Đã tìm thấy bản cập nhật!", "Updates preferences": "Cập nhật tùy chọn", "Updating WingetUI": "Đang cập nhật WingetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "Sử dụng WinGet đi kèm gói kế thừa thay vì PowerShell CMDlets", - "Use a custom icon and screenshot database URL": "Sử dụng URL cơ sở dữ liệu biểu tượng và ảnh chụp màn hình tùy chỉnh", "Use bundled WinGet instead of PowerShell CMDlets": "Sử dụng WinGet đi kèm thay vì PowerShell CMDlets", - "Use bundled WinGet instead of system WinGet": "Sử dụng WinGet đi kèm thay vì WinGet hệ thống", - "Use installed GSudo instead of UniGetUI Elevator": "Sử dụng GSudo đã cài thay cho UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "Sử dụng GSudo đã cài đặt thay vì gói đi kèm (yêu cầu khởi động lại ứng dụng)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "Sử dụng UniGetUI Elevator phiên bản cũ (có thể hữu ích nếu gặp sự cố với UniGetUI Elevator hiện tại)", - "Use system Chocolatey": "Sử dụng hệ thống Chocolatey", "Use system Chocolatey (Needs a restart)": "Sử dụng hệ thống Chocolatey (Cần khởi động lại)", "Use system Winget (Needs a restart)": "Sử dụng hệ thống Winget (Cần khởi động lại)", "Use system Winget (System language must be set to english)": "Sử dụng hệ thống Winget (Ngôn ngữ hệ thống phải được đặt thành tiếng Anh)", "Use the WinGet COM API to fetch packages": "Sử dụng API WinGet COM để tìm nạp gói", "Use the WinGet PowerShell Module instead of the WinGet COM API": "Sử dụng Module WinGet PowerShell thay vì WinGet COM API", - "Useful links": "Liên kết hữu ích", "User": "Người dùng", - "User interface preferences": "Tùy chọn giao diện người dùng", "User | Local": "Người dùng | Địa phương", - "Username": "Tên người dùng", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "Việc sử dụng WingetUI ngụ ý việc chấp nhận Giấy phép Công cộng Chung v2.1 GNU Ít hơn", - "Using WingetUI implies the acceptation of the MIT License": "Sử dụng WingetUI ngụ ý việc chấp nhận Giấy phép MIT", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "Không tìm thấy gốc vcpkg. Vui lòng xác định biến môi trường %VCPKG_ROOT% hoặc xác định nó từ Cài đặt UniGetUI.", "Vcpkg was not found on your system.": "Không tìm thấy vcpkg trên hệ thống của bạn.", - "Verbose": "Chi tiết", - "Version": "Phiên bản", - "Version to install:": "Phiên bản để cài đặt:", - "Version:": "Phiên bản:", - "View GitHub Profile": "Xem hồ sơ GitHub", "View WingetUI on GitHub": "Xem WingetUI trên GitHub", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "Xem mã nguồn của WingetUI. Từ đó, bạn có thể báo cáo lỗi hoặc đề xuất các tính năng hoặc thậm chí đóng góp trực tiếp cho Dự án WingetUI", - "View mode:": "Chế độ xem:", - "View on UniGetUI": "Xem trên UniGetUI", - "View page on browser": "Xem trang trên trình duyệt", - "View {0} logs": "Xem {0} nhật ký", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "Chờ cho thiết bị kết nối internet trước khi thực hiện các tác vụ yêu cầu kết nối internet.", "Waiting for other installations to finish...": "Đang đợi các cài đặt khác hoàn tất...", "Waiting for {0} to complete...": "Đang chờ {0} hoàn thành...", - "Warning": "Cảnh báo", - "Warning!": "Cảnh báo!", - "We are checking for updates.": "Chúng tôi đang kiểm tra các bản cập nhật.", "We could not load detailed information about this package, because it was not found in any of your package sources": "Chúng tôi không thể tải thông tin chi tiết về gói này vì nó không được tìm thấy trong bất kỳ nguồn gói nào của bạn", "We could not load detailed information about this package, because it was not installed from an available package manager.": "Chúng tôi không thể tải thông tin chi tiết về gói này vì nó không được cài đặt từ trình quản lý gói có sẵn.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "Chúng tôi không thể {action} {package}. Vui lòng thử lại sau. Nhấp vào \"{showDetails}\" để lấy nhật ký từ trình cài đặt.", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "Chúng tôi không thể {action} {package}. Vui lòng thử lại sau. Nhấp vào \"{showDetails}\" để lấy nhật ký từ trình gỡ cài đặt.", "We couldn't find any package": "Chúng tôi không thể tìm thấy bất kỳ gói nào", "Welcome to WingetUI": "Chào mừng tới WingetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "Khi cài đặt hàng loạt các gói từ một bộ, hãy cài cả những gói đã được cài đặt trước đó", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "Khi phát hiện các phím tắt mới, hãy tự động xóa chúng thay vì hiển thị hộp thoại này.", - "Which backup do you want to open?": "Bạn muốn mở bản sao lưu nào?", "Which package managers do you want to use?": "Bạn muốn sử dụng trình quản lý gói nào?", "Which source do you want to add?": "Bạn muốn thêm nguồn nào?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "Mặc dù Winget có thể được sử dụng trong WingetUI nhưng WingetUI có thể được sử dụng với các trình quản lý gói khác, điều này có thể gây nhầm lẫn. Trước đây, WingetUI được thiết kế để chỉ hoạt động với Winget, nhưng điều này không còn đúng nữa và do đó WingetUI không đại diện cho mục tiêu mà dự án này hướng tới.", - "WinGet could not be repaired": "WinGet không thể sửa chữa được", - "WinGet malfunction detected": "Đã phát hiện sự cố WinGet", - "WinGet was repaired successfully": "WinGet đã được sửa chữa thành công", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - Mọi thứ đều được cập nhật", "WingetUI - {0} updates are available": "WingetUI - Có sẵn {0} bản cập nhật", "WingetUI - {0} {1}": "WingetUI - {0} {1}", - "WingetUI Homepage": "Trang chủ WingetUI", "WingetUI Homepage - Share this link!": "Trang chủ WingetUI - Chia sẻ liên kết này!", - "WingetUI License": "Giấy phép WingetU", - "WingetUI Log": "Nhật ký WingetUI", - "WingetUI Repository": "Kho lưu trữ WingetUI", - "WingetUI Settings": "Cài đặt WingetUI", "WingetUI Settings File": "Tệp cài đặt WingetUI", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI Sử dụng các thư viện sau. Nếu không có họ, WingetUI sẽ không thể tồn tại được", - "WingetUI Version {0}": "UniGetUI Phiên bản {0}", "WingetUI autostart behaviour, application launch settings": "Hành vi tự khởi động của WingetUI, cài đặt khởi chạy ứng dụng", "WingetUI can check if your software has available updates, and install them automatically if you want to": "WingetUI có thể kiểm tra xem phần mềm của bạn có sẵn các bản cập nhật hay không và tự động cài đặt chúng nếu bạn muốn nó", - "WingetUI display language:": "Ngôn ngữ hiển thị WingetUI:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI đã được chạy với tư cách quản trị viên, điều này không được khuyến khích. Khi chạy WingetUI với tư cách quản trị viên, MỌI thao tác được khởi chạy từ WingetUI sẽ có đặc quyền của quản trị viên. Bạn vẫn có thể sử dụng chương trình nhưng chúng tôi khuyên bạn không nên chạy WingetUI với đặc quyền của quản trị viên.", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI đã được dịch sang hơn 40 ngôn ngữ nhờ các dịch giả tình nguyện. Cảm ơn bạn \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "WingetUI chưa được máy dịch. Những người dùng sau đây đã chịu trách nhiệm về các bản dịch:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI là một ứng dụng giúp việc quản lý phần mềm của bạn dễ dàng hơn bằng cách cung cấp giao diện đồ họa tất cả trong một cho trình quản lý gói dòng lệnh của bạn.", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI đang được đổi tên để nhấn mạnh sự khác biệt giữa WingetUI (giao diện bạn đang sử dụng) và Winget (trình quản lý gói do Microsoft phát triển mà tôi không liên quan)", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI đang được cập nhật. Khi hoàn tất, WingetUI sẽ tự khởi động lại", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI là miễn phí và sẽ miễn phí mãi mãi. Không có quảng cáo, không có thẻ tín dụng, không có phiên bản cao cấp. Miễn phí 100%, mãi mãi.", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "WingetUI sẽ hiển thị lời nhắc UAC mỗi khi gói yêu cầu cài đặt nâng cao.", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI sẽ sớm được đặt tên là {newname}. Điều này sẽ không đại diện cho bất kỳ thay đổi nào trong ứng dụng. Tôi (nhà phát triển) sẽ tiếp tục phát triển dự án này như tôi đang làm hiện tại, nhưng dưới một cái tên khác.", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI sẽ không thể thực hiện được nếu không có sự giúp đỡ của những người đóng góp thân yêu của chúng tôi. Hãy xem hồ sơ GitHub của họ, WingetUI sẽ không thể thực hiện được nếu không có họ!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "WingetUI sẽ không thể thực hiện được nếu không có sự giúp đỡ của những người đóng góp. Cảm ơn tất cả các bạn \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "WingetUI {0} đã sẵn sàng để cài đặt.", - "Write here the process names here, separated by commas (,)": "Viết tên các tiến trình vào đây, cách nhau bằng dấu phẩy (,)", - "Yes": "Có", - "You are logged in as {0} (@{1})": "Bạn đang đăng nhập với tài khoản {0} (@{1})", - "You can change this behavior on UniGetUI security settings.": "Bạn có thể thay đổi hành vi này trong phần cài đặt bảo mật của UniGetUI.", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "Bạn có thể xác định các lệnh sẽ được thực thi trước hoặc sau khi gói phần mềm này được cài đặt, cập nhật hoặc gỡ bỏ. Các lệnh này sẽ chạy trong cửa sổ dòng lệnh, vì vậy các script CMD đều hoạt động được ở đây.", - "You have currently version {0} installed": "Hiện tại bạn đã cài đặt phiên bản {0}", - "You have installed WingetUI Version {0}": "Bạn đã cài đặt Phiên bản WingetUI {0}", - "You may lose unsaved data": "Bạn có thể mất dữ liệu chưa được lưu", - "You may need to install {pm} in order to use it with WingetUI.": "Bạn có thể cần cài đặt {pm} để sử dụng nó với WingetUI.", "You may restart your computer later if you wish": "Bạn có thể khởi động lại máy tính của mình sau nếu muốn", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "Bạn sẽ chỉ được nhắc một lần và quyền quản trị viên sẽ được cấp cho các gói yêu cầu chúng.", "You will be prompted only once, and every future installation will be elevated automatically.": "Bạn sẽ chỉ được nhắc một lần và mọi cài đặt trong tương lai sẽ tự động chuyển thành cài đặt nâng cao", - "You will likely need to interact with the installer.": "Bạn có khả năng sẽ cần tương tác với trình cài đặt.", - "[RAN AS ADMINISTRATOR]": "CHẠY DƯỚI QUYỀN QUẢN TRỊ VIÊN", "buy me a coffee": "Mua tôi một cốc cafe", - "extracted": "đã giải nén", - "feature": "tính năng", "formerly WingetUI": "trước đây là WingetUI", "homepage": "trang chủ", "install": "cài đặt", "installation": "sự cài đặt ", - "installed": "Đã cài đặt", - "installing": "đang cài", - "library": "thư viện", - "mandatory": "bắt buộc", - "option": "lựa chọn", - "optional": "tùy chọn", "uninstall": "gỡ cài đặt", "uninstallation": "Sự gỡ cài đặt", "uninstalled": "đã gỡ thành công", - "uninstalling": "đang gỡ", "update(noun)": "cập nhật", "update(verb)": "cập nhật", "updated": "đã cập nhật", - "updating": "đang cập nhật", - "version {0}": "phiên bản {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "Các tùy chọn cài đặt của {0} hiện đang bị khóa vì {0} đang tuân theo thiết lập cài đặt mặc định.", "{0} Uninstallation": "Gỡ cài đặt {0}", "{0} aborted": "{0} đã hủy bỏ", "{0} can be updated": "{0} có thể cập nhật", - "{0} can be updated to version {1}": "{0} có thể được cập nhật lên phiên bản {1}", - "{0} days": "{0} ngày", - "{0} desktop shortcuts created": "{0} lối tắt màn hình đã tạo", "{0} failed": "{0} đã thất bại", - "{0} has been installed successfully.": "{0} đã được cài đặt thành công.", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} đã được cài đặt thành công. Nên khởi động lại UniGetUI để hoàn tất quá trình cài đặt", "{0} has failed, that was a requirement for {1} to be run": "{0} đã thất bại, đó là một yêu cầu cho {1} được chạy", - "{0} homepage": "Trang chủ {0}", - "{0} hours": "{0} giờ", "{0} installation": "Cài đặt {0}", - "{0} installation options": "Tùy chọn cài đặt {0}", - "{0} installer is being downloaded": "Trình cài đặt {0} đang được tải xuống", - "{0} is being installed": "{0} đang được cài đặt", - "{0} is being uninstalled": "{0} đang được gỡ cài đặt", "{0} is being updated": "{0} đang được cập nhật", - "{0} is being updated to version {1}": "{0} đang được cập nhật lên phiên bản {1}", - "{0} is disabled": "{0} đã bị vô hiệu hóa", - "{0} minutes": "{0} phút", "{0} months": "{0} tháng", - "{0} packages are being updated": "{0} gói tài nguyên đang được cập nhật", - "{0} packages can be updated": "{0} gói có thể cập nhật", "{0} packages found": "Đã tìm thấy {0} tài nguyên!", "{0} packages were found": "{0} gói tài nguyên đã được tìm thấy", - "{0} packages were found, {1} of which match the specified filters.": "Đã tìm thấy {0} gói, {1} trong số đó phù hợp với các bộ lọc được chỉ định.", - "{0} selected": "Đã chọn {0} mục", - "{0} settings": "{0} cài đặt", - "{0} status": "Trạng thái {0}", "{0} succeeded": "{0} đã thành công", "{0} update": "{0} cập nhật", - "{0} updates are available": "Có {0} bản cập nhật", "{0} was {1} successfully!": "{0}/{1} đã thành công", "{0} weeks": "{0} tuần", "{0} years": "{0} năm", "{0} {1} failed": "{0} {1} thất bại", - "{package} Installation": "Cài đặt {package}", - "{package} Uninstall": "Gỡ cài đặt {package}", - "{package} Update": "Bản cập nhật {package}", - "{package} could not be installed": "{package} không thể cài đặt", - "{package} could not be uninstalled": "{package} không thể gỡ", - "{package} could not be updated": "{package} không thể cập nhật", "{package} installation failed": "Cài đặt {package} thất bại", - "{package} installer could not be downloaded": "Trình cài đặt {package} không thể tải xuống", - "{package} installer download": "{package} trình cài đặt tải xuống", - "{package} installer was downloaded successfully": "Trình cài đặt {package} đã được tải xuống thành công", "{package} uninstall failed": "Gỡ cài đặt {package} thất bại", "{package} update failed": "Cập nhật {package} thất bại", "{package} update failed. Click here for more details.": "Cập nhật {package} không thành công. Bấm vào đây để biết thêm chi tiết.", - "{package} was installed successfully": "\n{package} đã được cài đặt thành công", - "{package} was uninstalled successfully": "\n{package} đã được gỡ thành công", - "{package} was updated successfully": "{package} đã được cập nhật thành công", - "{pcName} installed packages": "Gói {pcName} đã cài đặt", "{pm} could not be found": "{pm} không thể tìm thấy", "{pm} found: {state}": "{pm} được tìm thấy: {state}", - "{pm} is disabled": "{pm} đã bị vô hiệu hóa", - "{pm} is enabled and ready to go": "{pm} đã được bật và sẵn sàng hoạt động", "{pm} package manager specific preferences": "{pm} tùy chọn cụ thể của trình quản lý gói", "{pm} preferences": "Tùy chọn {pm}", - "{pm} version:": "{pm} phiên bản:", - "{pm} was not found!": "{pm} không tìm thấy!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "Xin chào, tôi là Martí, và tôi là nhà phát triểncủa UniGetUI. UniGetUI đã được tạo ra hoàn toàn trong thời gian rảnh của tôi!", + "Thank you ❤": "Cảm ơn bạn ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "Dự án này không liên quan gì đến dự án {0} chính thức — nó hoàn toàn không chính thức." +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_CN.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_CN.json index c2997eb139..4798fc3154 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_CN.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_CN.json @@ -1,155 +1,737 @@ { + "Operation in progress": "操作正在进行中", + "Please wait...": "请稍候……", + "Success!": "成功 !", + "Failed": "失败", + "An error occurred while processing this package": "处理此软件包时出现错误", + "Log in to enable cloud backup": "登录以启用云备份", + "Backup Failed": "备份失败", + "Downloading backup...": "正在下载备份...", + "An update was found!": "发现更新!", + "{0} can be updated to version {1}": "{0} 可更新至版本 {1}", + "Updates found!": "发现更新!", + "{0} packages can be updated": "可以更新 {0} 个软件包", + "You have currently version {0} installed": "您当前已安装版本 {0}", + "Desktop shortcut created": "已创建桌面快捷方式", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI 检测到可以自动删除的新桌面快捷方式。", + "{0} desktop shortcuts created": "已创建 {0} 个桌面快捷方式", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI 已检测到有 {0} 个新的桌面快捷方式可被自动删除。", + "Are you sure?": "您确定要进行吗?", + "Do you really want to uninstall {0}?": "您确定要卸载 {0} 吗?", + "Do you really want to uninstall the following {0} packages?": "您确定要卸载以下 {0} 个软件包吗?", + "No": "否", + "Yes": "是", + "View on UniGetUI": "在 UniGetUI 中查看", + "Update": "更新", + "Open UniGetUI": "打开 UniGetUI", + "Update all": "全部更新", + "Update now": "立刻更新", + "This package is on the queue": "此软件包正在排队", + "installing": "正在安装", + "updating": "正在更新", + "uninstalling": "正在卸载", + "installed": "已安装", + "Retry": "重试", + "Install": "安装", + "Uninstall": "卸载", + "Open": "打开", + "Operation profile:": "操作配置文件:", + "Follow the default options when installing, upgrading or uninstalling this package": "安装、升级或卸载此软件包时,请遵循默认选项", + "The following settings will be applied each time this package is installed, updated or removed.": "每次安装、更新或移除此软件包时都会应用以下设置。", + "Version to install:": "安装版本:", + "Architecture to install:": "安装架构:", + "Installation scope:": "安装范围:", + "Install location:": "安装位置:", + "Select": "选择", + "Reset": "重置", + "Custom install arguments:": "自定义安装参数:", + "Custom update arguments:": "自定义更新参数:", + "Custom uninstall arguments:": "自定义卸载参数:", + "Pre-install command:": "安装前命令:", + "Post-install command:": "安装后命令:", + "Abort install if pre-install command fails": "如果安装前命令失败则中止安装操作", + "Pre-update command:": "更新前命令:", + "Post-update command:": "更新后命令:", + "Abort update if pre-update command fails": "如果更新前命令失败则中止更新操作", + "Pre-uninstall command:": "卸载前命令:", + "Post-uninstall command:": "卸载后命令:", + "Abort uninstall if pre-uninstall command fails": "如果卸载前命令失败则中止卸载操作", + "Command-line to run:": "运行命令行:", + "Save and close": "保存并关闭", + "Run as admin": "以管理员身份运行", + "Interactive installation": "交互式安装", + "Skip hash check": "跳过哈希校验", + "Uninstall previous versions when updated": "更新时卸载旧版本", + "Skip minor updates for this package": "忽略此软件包的小幅更新", + "Automatically update this package": "自动更新此软件包", + "{0} installation options": "{0} 安装选项", + "Latest": "最新", + "PreRelease": "预发布", + "Default": "默认", + "Manage ignored updates": "管理已忽略更新", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "检查更新时,此处列出的软件包将会被忽略。双击它们或点击它们右侧的按钮可不再忽略其更新。", + "Reset list": "重置列表", + "Package Name": "软件包名称", + "Package ID": "软件包 ID", + "Ignored version": "已忽略版本", + "New version": "新版本", + "Source": "来源", + "All versions": "所有版本", + "Unknown": "未知", + "Up to date": "已是最新", + "Cancel": "取消", + "Administrator privileges": "管理员权限", + "This operation is running with administrator privileges.": "此操作正以管理员权限运行。", + "Interactive operation": "交互式操作", + "This operation is running interactively.": "此操作正处于交互式运行。", + "You will likely need to interact with the installer.": "您可能需要与安装程序交互。", + "Integrity checks skipped": "已跳过完整性检查", + "Proceed at your own risk.": "继续进行,风险自负。", + "Close": "关闭", + "Loading...": "正在加载……", + "Installer SHA256": "安装程序 SHA256 值", + "Homepage": "主页", + "Author": "制作者", + "Publisher": "发布者", + "License": "许可证", + "Manifest": "清单", + "Installer Type": "安装类型", + "Size": "尺寸", + "Installer URL": "安装程序网址", + "Last updated:": "最近更新:", + "Release notes URL": "发布说明网址", + "Package details": "软件包详情", + "Dependencies:": "依赖项:", + "Release notes": "发布说明", + "Version": "版本", + "Install as administrator": "以管理员身份安装", + "Update to version {0}": "更新至版本 {0}", + "Installed Version": "已安装版本", + "Update as administrator": "以管理员身份更新", + "Interactive update": "交互式更新", + "Uninstall as administrator": "以管理员身份卸载", + "Interactive uninstall": "交互式卸载", + "Uninstall and remove data": "卸载并移除数据", + "Not available": "无法获取", + "Installer SHA512": "安装程序 SHA512 值", + "Unknown size": "未知大小", + "No dependencies specified": "未指定依赖项", + "mandatory": "强制", + "optional": "可选", + "UniGetUI {0} is ready to be installed.": "已准备安装 UniGetUI {0}", + "The update process will start after closing UniGetUI": "更新过程将在 UniGetUI 关闭后开始", + "Share anonymous usage data": "共享匿名使用数据", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI 收集匿名使用数据,以改善用户体验。", + "Accept": "接受", + "You have installed WingetUI Version {0}": "您已安装 WingetUI 版本 {0} ", + "Disclaimer": "免责声明", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI 与任何兼容的软件包管理器均无关。UniGetUI 是一个独立项目。", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "如果没有众多贡献者的帮助,WingetUI 是不可能实现的。感谢大家 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI 使用以下库。如果没有它们,就没有 WingetUI。", + "{0} homepage": "{0} 主页", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "WingetUI 已经由志愿翻译人员翻译成了 40 多种语言,感谢他们的辛勤工作!🤝", + "Verbose": "详情", + "1 - Errors": "1 - 错误", + "2 - Warnings": "2 - 警告", + "3 - Information (less)": "3 - 信息(简要)", + "4 - Information (more)": "4 - 信息(详情)", + "5 - information (debug)": "5 - 信息(调试)", + "Warning": "警告", + "The following settings may pose a security risk, hence they are disabled by default.": "以下设置可能存在安全风险,因此默认处于禁用状态。", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "只有在您完全了解以下设置的作用及其可能产生的影响时,才启用这些设置。", + "The settings will list, in their descriptions, the potential security issues they may have.": "这些设置将在其描述中列出可能存在的潜在安全问题。", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "备份将包含已安装软件包及其安装选项的完整列表。已忽略更新和跳过版本也将被保存。", + "The backup will NOT include any binary file nor any program's saved data.": "备份将不包含任何二进制文件或任何程序的已保存数据。", + "The size of the backup is estimated to be less than 1MB.": "备份的大小预计小于 1MB 。", + "The backup will be performed after login.": "备份将在登录后执行", + "{pcName} installed packages": "{pcName} 已安装软件包", + "Current status: Not logged in": "当前状态:未登录", + "You are logged in as {0} (@{1})": "你以 {0}(@{1})的身份登录", + "Nice! Backups will be uploaded to a private gist on your account": "很好!备份将上传到您账户上的一个私有代码片段。", + "Select backup": "选择备份", + "WingetUI Settings": "WingetUI 设置", + "Allow pre-release versions": "允许预发布版本", + "Apply": "应用", + "Go to UniGetUI security settings": "前往 UniGetUI 安全设置", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "每次安装、升级或卸载{0}软件包时,将默认应用以下选项。", + "Package's default": "软件包默认", + "Install location can't be changed for {0} packages": "{0} 软件包的安装位置无法更改", + "The local icon cache currently takes {0} MB": "本地图标缓存当前占用了 {0} MB", + "Username": "用户名", + "Password": "密码", + "Credentials": "凭据", + "Partially": "部分", + "Package manager": "软件包管理器", + "Compatible with proxy": "兼容代理", + "Compatible with authentication": "兼容身份验证", + "Proxy compatibility table": "代理兼容表", + "{0} settings": "{0} 设置", + "{0} status": "{0} 状态", + "Default installation options for {0} packages": "{0} 程序包的默认安装选项", + "Expand version": "查看版本", + "The executable file for {0} was not found": "找不到 {0} 的可执行文件", + "{pm} is disabled": "{pm} 已禁用", + "Enable it to install packages from {pm}.": "启用它可从 {pm} 安装软件包。", + "{pm} is enabled and ready to go": "{pm} 已启用且准备就绪", + "{pm} version:": "{pm} 版本:", + "{pm} was not found!": "找不到 {pm} !", + "You may need to install {pm} in order to use it with WingetUI.": "您可能需要安装 {pm} 才能将其与 WingetUI 一起使用。 ", + "Scoop Installer - WingetUI": "Scoop 安装程序 - WingetUI", + "Scoop Uninstaller - WingetUI": "Scoop 卸载程序 - WingetUI", + "Clearing Scoop cache - WingetUI": "清理 Scoop 缓存 - WingetUI", + "Restart UniGetUI": "重启 UniGetUI", + "Manage {0} sources": "管理 {0} 安装源", + "Add source": "添加安装源", + "Add": "添加", + "Other": "其它", + "1 day": "1 天", + "{0} days": "{0} 天", + "{0} minutes": "{0} 分钟", + "1 hour": "1 小时", + "{0} hours": "{0} 小时", + "1 week": "1 周", + "WingetUI Version {0}": "WingetUI 版本 {0}", + "Search for packages": "搜索软件包", + "Local": "本地", + "OK": "确定", + "{0} packages were found, {1} of which match the specified filters.": "已找到 {0} 个软件包,其中 {1} 个与指定的筛选器匹配。", + "{0} selected": "{0} 选中", + "(Last checked: {0})": "(上一次检查的时间:{0})", + "Enabled": "已启用", + "Disabled": "已禁用", + "More info": "更多信息", + "Log in with GitHub to enable cloud package backup.": "用 GitHub 登录以启用云软件包备份。", + "More details": "更多详情", + "Log in": "登录", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "如果你启用了云备份,它将作为 GitHub Gist 保存到该账户中", + "Log out": "注销", + "About": "关于", + "Third-party licenses": "第三方许可证", + "Contributors": "贡献者", + "Translators": "翻译人员", + "Manage shortcuts": "管理快捷方式", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI 检测到以下桌面快捷方式,这些快捷方式会在未来升级时自动删除", + "Do you really want to reset this list? This action cannot be reverted.": "你确实想重置此列表吗 ?此操作无法撤销。", + "Remove from list": "从列表中删除", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "当检测到新的快捷方式时,自动删除它们,而不是显示此对话框。", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI 收集匿名使用数据的唯一目的是了解和改善用户体验。", + "More details about the shared data and how it will be processed": "有关共享数据及其处理方式的更多详细信息", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "您是否允许 UniGetUI 收集和发送匿名使用统计数据 ?其唯一目的是了解和改善用户体验", + "Decline": "拒绝", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "个人信息不会被收集也不会被发送,且收集的数据都已被匿名化,因此无法通过它们回溯到您。", + "About WingetUI": "关于 UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI 应用程序为您基于命令行的软件包管理器提供了一体化图形界面,使得管理软件变得更容易。", + "Useful links": "帮助链接", + "Report an issue or submit a feature request": "报告问题或者提交功能请求", + "View GitHub Profile": "查看 GitHub 个人资料", + "WingetUI License": "WingetUI 许可证", + "Using WingetUI implies the acceptation of the MIT License": "使用 WingetUI 意味着接受 MIT 许可证 ", + "Become a translator": "成为翻译人员", + "View page on browser": "在浏览器中查看页面", + "Copy to clipboard": "复制到剪贴板", + "Export to a file": "导出到文件", + "Log level:": "日志级别:", + "Reload log": "重载日志", + "Text": "文本", + "Change how operations request administrator rights": "更改操作请求管理员权限的方式", + "Restrictions on package operations": "对包操作的限制", + "Restrictions on package managers": "对包管理器的限制", + "Restrictions when importing package bundles": "导入软件捆绑包时的限制", + "Ask for administrator privileges once for each batch of operations": "每批操作请求一次管理员权限", + "Ask only once for administrator privileges": "仅请求一次管理员权限", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "禁止通过 UniGetUI Elevator 或 GSudo 进行任何形式的提权操作", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "此选项会导致一些问题。任何无法自行提升权限的操作都将失败。以管理员身份进行安装/更新/卸载将不起作用。", + "Allow custom command-line arguments": "允许自定义命令行参数", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "自定义命令行参数会改变程序的安装、升级或卸载方式,而 UniGetUI 无法控制这种改变。使用自定义命令行可能会损坏软件包。请谨慎操作。", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "允许运行自定义预安装和安装后命令", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "安装前和安装后命令将在软件包安装、升级或卸载之前和之后运行。请谨慎使用,这些命令可能会导致问题。", + "Allow changing the paths for package manager executables": "允许更改包管理器执行文件的路径", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "启用此功能后,可更改用于与软件包管理器交互的可执行文件。虽然这能让您对安装过程进行更细致的自定义,但也可能存在风险。 ", + "Allow importing custom command-line arguments when importing packages from a bundle": "从捆绑包导入软件包时允许导入自定义命令行参数", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "格式错误的命令行参数可能导致软件包受损,甚至使恶意攻击者获得特权执行权限。因此,默认情况下禁止导入自定义命令行参数。", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "从捆绑包导入软件包时,允许导入自定义的安装前和安装后命令", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "预安装与安装后命令可被设计用于执行恶意行为,从而严重危害您的设备。导入来自未知软件包的此类命令极度危险,请务必确保其来源可信。", + "Administrator rights and other dangerous settings": "管理员权限和其它危险设置", + "Package backup": "软件包备份", + "Cloud package backup": "云软件包备份", + "Local package backup": "本地软件包备份", + "Local backup advanced options": "本地备份高级选项", + "Log in with GitHub": "用 GitHub 登录", + "Log out from GitHub": "从 GitHub 注销", + "Periodically perform a cloud backup of the installed packages": "定期对已安装的软件包执行云备份", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "云备份使用私有 GitHub Gist 来存储已安装软件包的列表", + "Perform a cloud backup now": "立即执行云备份", + "Backup": "备份", + "Restore a backup from the cloud": "从云端还原备份", + "Begin the process to select a cloud backup and review which packages to restore": "启动选择云备份并查看要还原哪些软件包的流程", + "Periodically perform a local backup of the installed packages": "定期对已安装的软件包执行本地备份", + "Perform a local backup now": "立即执行本地备份", + "Change backup output directory": "更改备份输出文件夹", + "Set a custom backup file name": "设置一个自定义备份文件名", + "Leave empty for default": "选择默认路径请留空", + "Add a timestamp to the backup file names": "在备份文件名中添加时间戳", + "Backup and Restore": "备份和还原", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "启用后台 API(用于 WingetUI 小组件与分享,端口 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "在尝试执行需要互联网连接的任务之前,请等待设备连接到互联网。", + "Disable the 1-minute timeout for package-related operations": "禁用包相关操作的 1 分钟超时", + "Use installed GSudo instead of UniGetUI Elevator": "使用已安装的 GSudo ,而不是 UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "使用自定义图标和截图数据库网址", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "启用后台 CPU 使用优化(查看 Pull Request #3278)", + "Perform integrity checks at startup": "启动时执行完整性检查", + "When batch installing packages from a bundle, install also packages that are already installed": "从捆绑包中批量安装软件包时,也安装已安装的软件包", + "Experimental settings and developer options": "实验性设置和开发者选项", + "Show UniGetUI's version and build number on the titlebar.": "在标题栏上显示 UniGetUI 的版本和构建编号", + "Language": "语言", + "UniGetUI updater": "UniGetUI 更新程序", + "Telemetry": "遥测", + "Manage UniGetUI settings": "管理 UniGetUI 设置", + "Related settings": "相关设置", + "Update WingetUI automatically": "自动更新 UniGetUI", + "Check for updates": "检查更新", + "Install prerelease versions of UniGetUI": "安装 UniGetUI 的预发布版本", + "Manage telemetry settings": "管理遥测设置", + "Manage": "管理", + "Import settings from a local file": "从本地文件导入设置", + "Import": "导入", + "Export settings to a local file": "导出设置到本地文件", + "Export": "导出", + "Reset WingetUI": "重置 WingetUI", + "Reset UniGetUI": "重置 UniGetUI", + "User interface preferences": "用户界面首选项", + "Application theme, startup page, package icons, clear successful installs automatically": "应用程序主题、起始页、软件包图标、自动清除安装成功的记录", + "General preferences": "通用首选项", + "WingetUI display language:": "UniGetUI 显示语言:", + "Is your language missing or incomplete?": "您的语言翻译是否缺失或不完整? ", + "Appearance": "外观", + "UniGetUI on the background and system tray": "UniGetUI 位于后台和系统托盘", + "Package lists": "软件包列表", + "Close UniGetUI to the system tray": "关闭 UniGetUI 时将它隐藏到系统托盘", + "Show package icons on package lists": "在软件包列表中显示软件包图标", + "Clear cache": "清除缓存", + "Select upgradable packages by default": "默认选择可升级软件包", + "Light": "浅色", + "Dark": "深色", + "Follow system color scheme": "跟随系统颜色方案", + "Application theme:": "应用程序主题:", + "Discover Packages": "发现软件包", + "Software Updates": "软件更新", + "Installed Packages": "已安装软件包", + "Package Bundles": "软件捆绑包", + "Settings": "设置", + "UniGetUI startup page:": "UniGetUI 启动页面:", + "Proxy settings": "代理设置", + "Other settings": "其它设置", + "Connect the internet using a custom proxy": "使用自定义代理连接互联网", + "Please note that not all package managers may fully support this feature": "请注意,并非所有的软件包管理器都能完全支持此功能", + "Proxy URL": "代理网址", + "Enter proxy URL here": "在此输入代理网址", + "Package manager preferences": "软件包管理器首选项", + "Ready": "就绪", + "Not found": "未找到", + "Notification preferences": "通知首选项", + "Notification types": "通知类型", + "The system tray icon must be enabled in order for notifications to work": "必须启用系统托盘图标才能让通知生效", + "Enable WingetUI notifications": "启用 WingetUI 的通知", + "Show a notification when there are available updates": "有可用更新时推送通知", + "Show a silent notification when an operation is running": "当操作正在运行时显示一个静默通知", + "Show a notification when an operation fails": "当操作失败时显示通知", + "Show a notification when an operation finishes successfully": "当操作成功完成时显示通知", + "Concurrency and execution": "并发与执行", + "Automatic desktop shortcut remover": "桌面快捷方式自动删除程序", + "Clear successful operations from the operation list after a 5 second delay": "延迟 5 秒后从操作列表中清除成功的操作", + "Download operations are not affected by this setting": "此设置不影响下载操作", + "Try to kill the processes that refuse to close when requested to": "尝试终止那些在收到关闭请求时拒绝关闭的进程", + "You may lose unsaved data": "你可能会丢失未保存的数据", + "Ask to delete desktop shortcuts created during an install or upgrade.": "安装或升级期间询问是否要删除创建的桌面快捷方式。", + "Package update preferences": "软件包更新首选项", + "Update check frequency, automatically install updates, etc.": "更新检查频率、自动安装更新等", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "减少用户账户控制(UAC)提示,默认提升安装权限,解锁某些危险功能等。", + "Package operation preferences": "软件包操作首选项", + "Enable {pm}": "启用 {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "找不到您要找的文件?请确保已将其添加到路径中。", + "For security reasons, changing the executable file is disabled by default": "出于安全原因,默认禁用更改可执行文件", + "Change this": "更改", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "选择要使用的可执行文件。以下列表显示了 UniGetUI 找到的可执行文件", + "Current executable file:": "当前可执行文件:", + "Ignore packages from {pm} when showing a notification about updates": "在显示更新通知时忽略来自 {pm} 的软件包", + "View {0} logs": "查看 {0} 日志", + "Advanced options": "高级选项", + "Reset WinGet": "重置 WinGet", + "This may help if no packages are listed": "未列出任何软件包时此选项可能有帮助", + "Force install location parameter when updating packages with custom locations": "更新软件包时强制安装位置参数使用自定义位置", + "Use bundled WinGet instead of system WinGet": "使用内置 WinGet 而不是系统 WinGet", + "This may help if WinGet packages are not shown": "不显示 WinGet 软件包时此选项可能有帮助", + "Install Scoop": "安装 Scoop", + "Uninstall Scoop (and its packages)": "卸载 Scoop(及其软件包)", + "Run cleanup and clear cache": "运行清理并清除缓存", + "Run": "运行", + "Enable Scoop cleanup on launch": "打开程序时清理 Scoop", + "Use system Chocolatey": "使用系统 Chocolatey", + "Default vcpkg triplet": "默认 vcpkg triplet", + "Language, theme and other miscellaneous preferences": "语言、主题和其它首选项", + "Show notifications on different events": "显示各种事件的通知", + "Change how UniGetUI checks and installs available updates for your packages": "更改 UniGetUI 检查和安装软件包可用更新的方式", + "Automatically save a list of all your installed packages to easily restore them.": "自动保存所有已安装软件的列表以便于恢复它们。", + "Enable and disable package managers, change default install options, etc.": "启用和禁用软件包管理器、更改默认安装选项等。", + "Internet connection settings": "互联网连接设置", + "Proxy settings, etc.": "代理设置等", + "Beta features and other options that shouldn't be touched": "测试版功能和其它不建议更改的选项", + "Update checking": "更新检查", + "Automatic updates": "自动更新", + "Check for package updates periodically": "定期检查软件包更新", + "Check for updates every:": "更新检查间隔:", + "Install available updates automatically": "自动安装可用更新", + "Do not automatically install updates when the network connection is metered": "网络连接为按流量计费时,请勿自动安装更新", + "Do not automatically install updates when the device runs on battery": "设备使用电池供电时不自动安装更新", + "Do not automatically install updates when the battery saver is on": "开启省电模式时,请勿自动安装更新", + "Change how UniGetUI handles install, update and uninstall operations.": "更改 UniGetUI 处理安装、更新和卸载操作的方式。", + "Package Managers": "包管理器", + "More": "更多", + "WingetUI Log": "WingetUI 日志", + "Package Manager logs": "软件包管理器日志", + "Operation history": "操作历史", + "Help": "帮助", + "Order by:": "排序", + "Name": "名称", + "Id": "ID", + "Ascendant": "升序", + "Descendant": "降序", + "View mode:": "视图模式", + "Filters": "筛选器", + "Sources": "来源", + "Search for packages to start": "从搜索软件包开始", + "Select all": "全选", + "Clear selection": "清除已选", + "Instant search": "实时搜索", + "Distinguish between uppercase and lowercase": "区分大小写", + "Ignore special characters": "忽略特殊字符", + "Search mode": "搜索模式", + "Both": "软件包名称或 ID", + "Exact match": "精确匹配", + "Show similar packages": "显示相似软件包", + "No results were found matching the input criteria": "未找到与输入条件匹配的结果", + "No packages were found": "未找到软件包", + "Loading packages": "正在加载软件包", + "Skip integrity checks": "跳过完整性检查", + "Download selected installers": "下载选定的安装程序", + "Install selection": "安装所选项", + "Install options": "安装选项", + "Share": "分享", + "Add selection to bundle": "添加所选项进捆绑包", + "Download installer": "下载安装程序", + "Share this package": "分享此软件包", + "Uninstall selection": "卸载所选项", + "Uninstall options": "卸载选项", + "Ignore selected packages": "忽略所选软件包", + "Open install location": "打开安装位置", + "Reinstall package": "重新安装软件包", + "Uninstall package, then reinstall it": "卸载并重新安装软件包", + "Ignore updates for this package": "忽略此软件包的更新", + "Do not ignore updates for this package anymore": "不再忽略此软件包的更新", + "Add packages or open an existing package bundle": "添加软件包或打开一个已有的捆绑包", + "Add packages to start": "从添加软件包开始", + "The current bundle has no packages. Add some packages to get started": "当前捆绑包中还没有软件包。先添加一些软件包吧", + "New": "新建", + "Save as": "另存为", + "Remove selection from bundle": "移除捆绑包中所选项", + "Skip hash checks": "跳过哈希检验", + "The package bundle is not valid": "软件捆绑包无效", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "您尝试载入的捆绑包似乎无效。请检查此文件然后再试。", + "Package bundle": "软件捆绑包", + "Could not create bundle": "无法创建捆绑包", + "The package bundle could not be created due to an error.": "无法创建软件捆绑包,发生了错误。", + "Bundle security report": "捆绑包安全报告", + "Hooray! No updates were found.": "好极了!没有待更新的软件!", + "Everything is up to date": "所有软件包均已为最新版", + "Uninstall selected packages": "卸载所选软件包", + "Update selection": "更新所选项", + "Update options": "更新选项", + "Uninstall package, then update it": "卸载并更新软件包", + "Uninstall package": "卸载软件包", + "Skip this version": "跳过此版本", + "Pause updates for": "暂停更新:", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust 的软件包管理器。
包含:Rust 库和用 Rust 编写的程序", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows 的经典软件包管理器。您可以在其中找到所有需要的东西。
包括:通用软件", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "一个含有所有为微软 .NET 生态设计的工具和可执行程序的存储库。
包括:与 .NET 相关的工具和脚本\n", + "NuPkg (zipped manifest)": "NuPkg(压缩清单)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS 的软件包管理器。其中包含大量库和其它实用程序,为 JavaScript 世界增添色彩
包括:Node JavaScript 库和其他相关实用程序。", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python 的软件包管理器。包含所有 Python 的库以及其它与 Python 相关的实用工具。
包括:Python 包和相关实用工具", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell 的软件包管理器。可用于寻找扩展 PowerShell 功能的库和脚本。
包括:模块、脚本、Cmdlets\n", + "extracted": "已提取", + "Scoop package": "Scoop 软件包", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "包含不知名但有用的实用程序和其它有趣软件包的重要存储库。
包括:实用工具、命令行程序、通用软件(需要 extras bucket)", + "library": "库", + "feature": "功能", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "一个流行的 C/C++ 库管理器。包含 C/C++ 库和其它与 C/C++ 相关的实用程序
包括:C/C++ 库和相关的实用程序", + "option": "选项", + "This package cannot be installed from an elevated context.": "无法在提升的上下文中安装此软件包。", + "Please run UniGetUI as a regular user and try again.": "请以普通用户身份运行 UniGetUI ,然后重试。", + "Please check the installation options for this package and try again": "请检查此软件包的安装选项,然后重试", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "微软的官方软件包管理器。拥有知名的、经过验证的众多软件包。
包括:通用软件、微软商店应用\n", + "Local PC": "本地电脑", + "Android Subsystem": "安卓子系统", + "Operation on queue (position {0})...": "操作正在排队中(位置 {0})……", + "Click here for more details": "单击此处可获取更多详情", + "Operation canceled by user": "用户取消了操作", + "Starting operation...": "开始操作...", + "{package} installer download": "{package} 安装程序下载", + "{0} installer is being downloaded": "正在下载 {0} 安装程序", + "Download succeeded": "下载成功", + "{package} installer was downloaded successfully": "已成功下载 {package} 安装程序", + "Download failed": "下载失败", + "{package} installer could not be downloaded": "无法下载 {package} 安装程序", + "{package} Installation": "{package} 安装", + "{0} is being installed": "正在安装 {0}", + "Installation succeeded": "安装成功", + "{package} was installed successfully": "{package} 已成功安装", + "Installation failed": "安装失败", + "{package} could not be installed": "无法安装 {package}", + "{package} Update": "{package} 更新", + "{0} is being updated to version {1}": "正在更新 {0} 至版本 {1}", + "Update succeeded": "更新成功", + "{package} was updated successfully": "{package} 已成功更新", + "Update failed": "更新失败", + "{package} could not be updated": "无法更新 {package}", + "{package} Uninstall": "{package} 卸载", + "{0} is being uninstalled": "正在卸载 {0}", + "Uninstall succeeded": "卸载成功", + "{package} was uninstalled successfully": "{package} 已成功卸载", + "Uninstall failed": "卸载失败", + "{package} could not be uninstalled": "无法卸载 {package}", + "Adding source {source}": "添加源 {source}", + "Adding source {source} to {manager}": "添加安装源 {source} 至软件包管理器 {manager}", + "Source added successfully": "已成功添加源", + "The source {source} was added to {manager} successfully": "安装源 {source} 已成功添加到 {manager}", + "Could not add source": "无法添加源", + "Could not add source {source} to {manager}": "无法添加安装源 {source} 至 {manager}", + "Removing source {source}": "正在移除源 {source}", + "Removing source {source} from {manager}": "正在从 {manager} 中移除安装源 {source}", + "Source removed successfully": "已成功移除源", + "The source {source} was removed from {manager} successfully": "安装源 {source} 已成功从 {manager} 中移除", + "Could not remove source": "无法移除源", + "Could not remove source {source} from {manager}": "无法从 {manager} 移除安装源 {source}", + "The package manager \"{0}\" was not found": "软件管理器 \"{0}\" 找不到", + "The package manager \"{0}\" is disabled": "软件管理器 \"{0}\" 已禁用", + "There is an error with the configuration of the package manager \"{0}\"": "软件包管理器 \"{0}\" 的配置中有错误", + "The package \"{0}\" was not found on the package manager \"{1}\"": "在软件包管理器 \"{1}\" 中找不到软件包 \"{0}\"", + "{0} is disabled": "已禁用 {0}", + "Something went wrong": "出现了一些问题", + "An interal error occurred. Please view the log for further details.": "程序出现内部错误,请查看日志文件获取详情。", + "No applicable installer was found for the package {0}": "未找到适用于包 {0} 的安装程序", + "We are checking for updates.": "正在检查更新", + "Please wait": "请稍候", + "UniGetUI version {0} is being downloaded.": "正在下载 UniGetUI 版本 {0}", + "This may take a minute or two": "这可能需要一两分钟的时间", + "The installer authenticity could not be verified.": "无法验证安装程序的真实性。", + "The update process has been aborted.": "更新过程已中止。", + "Great! You are on the latest version.": "很好!您有最新版本。", + "There are no new UniGetUI versions to be installed": "没有可安装的新 UniGetUI 版本", + "An error occurred when checking for updates: ": "检查更新时出现错误:", + "UniGetUI is being updated...": "正在更新 UniGetUI ...", + "Something went wrong while launching the updater.": "在启动更新程序是出错。", + "Please try again later": "请稍后再试", + "Integrity checks will not be performed during this operation": "此操作期间将不执行完整性检查", + "This is not recommended.": "不建议。", + "Run now": "立即运行", + "Run next": "下个运行", + "Run last": "最后运行", + "Retry as administrator": "以管理员身份重试", + "Retry interactively": "交互式重试", + "Retry skipping integrity checks": "尝试跳过完整性检查", + "Installation options": "安装选项", + "Show in explorer": "在浏览器中显示", + "This package is already installed": "此软件包已安装", + "This package can be upgraded to version {0}": "此软件包可以升级到版本 {0}", + "Updates for this package are ignored": "已忽略该软件包的所有更新", + "This package is being processed": "正在处理此软件包", + "This package is not available": "此软件包不存在", + "Select the source you want to add:": "请选择您想添加的安装源:", + "Source name:": "安装源名称:", + "Source URL:": "安装源网址:", + "An error occurred": "出现错误", + "An error occurred when adding the source: ": "添加源时出现错误:", + "Package management made easy": "让软件包管理更简单", + "version {0}": "版本 {0}", + "[RAN AS ADMINISTRATOR]": "以管理员身份运行", + "Portable mode": "便携模式", + "DEBUG BUILD": "调试构建", + "Available Updates": "可用更新", + "Show WingetUI": "显示 WingetUI", + "Quit": "退出", + "Attention required": "请注意", + "Restart required": "需要重启", + "1 update is available": "有 1 个可用更新", + "{0} updates are available": "{0} 个可用更新", + "WingetUI Homepage": "WingetUI 主页", + "WingetUI Repository": "WingetUI 存储库", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "在这里,您可以更改 UniGetUI 针对以下快捷方式的行为。勾选则 UniGetUI 会删除未来升级时创建的快捷方式。取消勾选将保持快捷方式不变", + "Manual scan": "手动扫描", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "将扫描你桌面上现有的快捷方式,请选择你要保留和删除的内容。", + "Continue": "继续", + "Delete?": "要删除吗 ?", + "Missing dependency": "缺少依赖项", + "Not right now": "不是现在", + "Install {0}": "安装 {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI 需要 {0} 才能运行,但在您的系统中找不到它。", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "点击安装可开始安装进程。如果您跳过安装步骤,UniGetUI 可能不会正常工作。", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "另外,您也可以在 Windows PowerShell 提示符中运行以下命令来安装 {0}:", + "Do not show this dialog again for {0}": "不再为 {0} 显示此对话框", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "在安装 {0} 时请等待。可能会显示一个黑色窗口。请等待它自己关闭。", + "{0} has been installed successfully.": "已成功安装 {0} 。", + "Please click on \"Continue\" to continue": "请点击“继续”执行后续操作", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "已成功安装 {0} 。建议重启 UniGetUI 以便完成此次安装", + "Restart later": "稍后重启", + "An error occurred:": "出现错误:", + "I understand": "我明白", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI 已使用管理员身份运行,但不建议这样做。当以管理员身份运行 WingetUI 时,WingetUI 执行的所有操作都将具有管理员权限。您仍然可以使用此程序,但我们强烈建议您不要用管理员权限运行 WingetUI 。", + "WinGet was repaired successfully": "已成功修复 WinGet", + "It is recommended to restart UniGetUI after WinGet has been repaired": "建议在 WinGet 完成修复之后重新启动 UniGetUI", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "注意:可在 UniGetUI 设置的 WinGet 部分中,禁用此故障排除程序", + "Restart": "重新启动", + "WinGet could not be repaired": "无法修复 WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "尝试修复 WinGet 时出现意外错误。请稍后再试", + "Are you sure you want to delete all shortcuts?": "您确实想要删除所有快捷方式吗 ?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "将自动删除在安装或更新操作期间创建的任何新快捷方式,不会在首次检测到它们时显示确认提示。", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "将忽略在 UniGetUI 之外创建或修改的任何快捷方式。您可以通过 {0} 按钮来添加它们。", + "Are you really sure you want to enable this feature?": "您确实想要启用此功能吗 ?", + "No new shortcuts were found during the scan.": "扫描期间未发现新的快捷方式。", + "How to add packages to a bundle": "如何添加软件包进捆绑包", + "In order to add packages to a bundle, you will need to: ": "要添加软件包进捆绑包,您需要:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. 导航至 “{0}” 或 “{1}” 页面。", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. 找到要添加进捆绑包的软件包,然后选中它们最左侧的复选框。", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. 当你选择好要添加进捆绑包的软件包时,找到并点击工具栏上的选项 “{0}” 。", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. 你的软件包将被添加进捆绑包。你可以继续添加软件包,或者导出捆绑包。", + "Which backup do you want to open?": "你想要打开哪个备份?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "选择你要打开的备份。稍后你将能看到要安装哪些软件包。", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "有正在进行的操作。退出 WingetUI 可能会导致它们失败。您确定要继续吗 ?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI 或它的某些组件缺失或已损坏。", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "强烈建议重新安装 UniGetUI 以解决该情况。", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "参考 UniGetUI 日志可获取有关受影响文件的更多详细信息。", + "Integrity checks can be disabled from the Experimental Settings": "可以在“实验设置”中禁用完整性检查", + "Repair UniGetUI": "修复 UniGetUI", + "Live output": "实时输出", + "Package not found": "软件包未找到", + "An error occurred when attempting to show the package with Id {0}": "尝试显示 ID 为 {0} 的软件包时出现错误", + "Package": "软件包", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "此软件包有一些设置可能存在潜在危险,默认情况下可能会被忽略。", + "Entries that show in YELLOW will be IGNORED.": "将忽略以黄色显示的项目。", + "Entries that show in RED will be IMPORTED.": "将导入以红色显示的项目。", + "You can change this behavior on UniGetUI security settings.": "你可以在 UniGetUI 安全设置中更改此行为。", + "Open UniGetUI security settings": "打开 UniGetUI 安全设置", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "如果您修改了安全设置,则需要再次打开该软件包,以使更改生效。", + "Details of the report:": "报告详情:", "\"{0}\" is a local package and can't be shared": "“{0}”是本地软件包,无法共享", + "Are you sure you want to create a new package bundle? ": "您确定要创建一个新的软件捆绑包吗 ?", + "Any unsaved changes will be lost": "未保存的更改将会丢失", + "Warning!": "警告!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "出于安全原因,自定义命令行参数默认处于禁用状态。可前往 UniGetUI 安全设置更改此设置。", + "Change default options": "更改默认选项", + "Ignore future updates for this package": "忽略此软件包的后续更新", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "出于安全原因,操作前和操作后脚本默认处于禁用状态。可前往 UniGetUI 安全设置更改此设置。", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "你可以定义在安装、更新或卸载此软件包之前或之后运行的命令。这些命令将在命令提示符下运行,所以可在此处使用 CMD 脚本。", + "Change this and unlock": "更改并解锁", + "{0} Install options are currently locked because {0} follows the default install options.": "已锁定 {0} 安装选项,因为 {0} 遵循默认安装选项。", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "选择在安装、更新或卸载此软件包之前应关闭的进程。", + "Write here the process names here, separated by commas (,)": "在此处写入进程名称,以英文逗号 (,) 分隔", + "Unset or unknown": "未设置或未知", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "有关此问题的更多信息,请查看命令行输出或参考操作历史记录。", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "此软件包缺少截图或图标吗?可以向我们的开放公共数据库添加缺失的图标或截图,为 WingetUI 做出贡献。", + "Become a contributor": "成为贡献者", + "Save": "保存", + "Update to {0} available": "可更新至 {0}", + "Reinstall": "重新安装", + "Installer not available": "安装程序不可用", + "Version:": "版本:", + "Performing backup, please wait...": "正在备份中,请稍候...", + "An error occurred while logging in: ": "登录时出错:", + "Fetching available backups...": "正在获取可用的备份...", + "Done!": "完成!", + "The cloud backup has been loaded successfully.": "已成功加载云备份。", + "An error occurred while loading a backup: ": "载入备份时出错:", + "Backing up packages to GitHub Gist...": "正在将软件包备份到 GitHub Gist...", + "Backup Successful": "备份成功", + "The cloud backup completed successfully.": "云备份已成功完成。", + "Could not back up packages to GitHub Gist: ": "无法将软件包备份至 GitHub Gist :", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "无法保证所提供的凭据会被安全存储,你最好不要使用银行账户的凭据", + "Enable the automatic WinGet troubleshooter": "启用自动 WinGet 故障排除程序", + "Enable an [experimental] improved WinGet troubleshooter": "启用【实验性】改进版 Winget 疑难解答程序。", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "将“未找到适用更新”错误而失败的更新添加进“已忽略更新”列表中。", + "Restart WingetUI to fully apply changes": "重启 UniGetUI 以应用所有更改", + "Restart WingetUI": "重启 UniGetUI", + "Invalid selection": "无效选择", + "No package was selected": "未选择任何软件包", + "More than 1 package was selected": "选择了多个软件包", + "List": "列表", + "Grid": "网格", + "Icons": "图标", "\"{0}\" is a local package and does not have available details": "“{0}”是缺乏详细信息的本地软件包", "\"{0}\" is a local package and is not compatible with this feature": "“{0}”是本地软件包,与此功能不兼容", - "(Last checked: {0})": "(上一次检查的时间:{0})", + "WinGet malfunction detected": "检测到 WinGet 发生故障", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "看来 WinGet 工作不正常。您想尝试修复 WinGet 吗 ?", + "Repair WinGet": "修复 WinGet", + "Create .ps1 script": "创建 .ps1 脚本", + "Add packages to bundle": "添加软件包进捆绑包", + "Preparing packages, please wait...": "正在准备软件包,请稍候……", + "Loading packages, please wait...": "正在加载软件包,请稍候……", + "Saving packages, please wait...": "正在保存软件包,请稍候……", + "The bundle was created successfully on {0}": "已成功于 {0} 创建了捆绑包", + "Install script": "安装脚本", + "The installation script saved to {0}": "安装脚本已保存至 {0}", + "An error occurred while attempting to create an installation script:": "尝试创建安装脚本时出错:", + "{0} packages are being updated": "正在更新 {0} 个软件包", + "Error": "错误", + "Log in failed: ": "登录失败:", + "Log out failed: ": "登录失败:", + "Package backup settings": "软件包备份设置", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(队伍中的第{0}个)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "Aaron Liu, BUGP Association, ciaran, Cololi, CnYeSheng, adfnekc, @Ardenet, @arthurfsy2, @bai0012, @SpaceTimee, Yisme, @dongfengweixiao, @seanyu0, @Sigechaishijie, @enKl03B, @xiaopangju", "0 packages found": "未找到软件包", "0 updates found": "未找到更新", - "1 - Errors": "1 - 错误", - "1 day": "1 天", - "1 hour": "1 小时", "1 month": "1 月", "1 package was found": "找到 1 个软件包", - "1 update is available": "有 1 个可用更新", - "1 week": "1 周", "1 year": "1 年", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. 导航至 “{0}” 或 “{1}” 页面。", - "2 - Warnings": "2 - 警告", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. 找到要添加进捆绑包的软件包,然后选中它们最左侧的复选框。", - "3 - Information (less)": "3 - 信息(简要)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. 当你选择好要添加进捆绑包的软件包时,找到并点击工具栏上的选项 “{0}” 。", - "4 - Information (more)": "4 - 信息(详情)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. 你的软件包将被添加进捆绑包。你可以继续添加软件包,或者导出捆绑包。", - "5 - information (debug)": "5 - 信息(调试)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "一个流行的 C/C++ 库管理器。包含 C/C++ 库和其它与 C/C++ 相关的实用程序
包括:C/C++ 库和相关的实用程序", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "一个含有所有为微软 .NET 生态设计的工具和可执行程序的存储库。
包括:与 .NET 相关的工具和脚本\n", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "一个含有所有为微软 .NET 生态设计的工具的存储库。
包括:与 .NET 相关的工具", "A restart is required": "需要重启", - "Abort install if pre-install command fails": "如果安装前命令失败则中止安装操作", - "Abort uninstall if pre-uninstall command fails": "如果卸载前命令失败则中止卸载操作", - "Abort update if pre-update command fails": "如果更新前命令失败则中止更新操作", - "About": "关于", "About Qt6": "关于 Qt6", - "About WingetUI": "关于 UniGetUI", "About WingetUI version {0}": "关于 UniGetUI 版本 {0}", "About the dev": "关于开发者们", - "Accept": "接受", "Action when double-clicking packages, hide successful installations": "双击软件包后的行为、隐藏已成功安装项目", - "Add": "添加", "Add a source to {0}": "添加安装源至 {0}", - "Add a timestamp to the backup file names": "在备份文件名中添加时间戳", "Add a timestamp to the backup files": "在备份文件中添加时间戳", "Add packages or open an existing bundle": "添加软件包或打开一个已有的捆绑包", - "Add packages or open an existing package bundle": "添加软件包或打开一个已有的捆绑包", - "Add packages to bundle": "添加软件包进捆绑包", - "Add packages to start": "从添加软件包开始", - "Add selection to bundle": "添加所选项进捆绑包", - "Add source": "添加安装源", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "将“未找到适用更新”错误而失败的更新添加进“已忽略更新”列表中。", - "Adding source {source}": "添加源 {source}", - "Adding source {source} to {manager}": "添加安装源 {source} 至软件包管理器 {manager}", "Addition succeeded": "添加成功", - "Administrator privileges": "管理员权限", "Administrator privileges preferences": "管理员权限首选项", "Administrator rights": "管理员权限", - "Administrator rights and other dangerous settings": "管理员权限和其它危险设置", - "Advanced options": "高级选项", "All files": "所有文件", - "All versions": "所有版本", - "Allow changing the paths for package manager executables": "允许更改包管理器执行文件的路径", - "Allow custom command-line arguments": "允许自定义命令行参数", - "Allow importing custom command-line arguments when importing packages from a bundle": "从捆绑包导入软件包时允许导入自定义命令行参数", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "从捆绑包导入软件包时,允许导入自定义的安装前和安装后命令", "Allow package operations to be performed in parallel": "允许并行执行软件包操作", "Allow parallel installs (NOT RECOMMENDED)": "允许多个软件包并行安装(不推荐)", - "Allow pre-release versions": "允许预发布版本", "Allow {pm} operations to be performed in parallel": "允许并行执行 {pm} 的操作", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "另外,您也可以在 Windows PowerShell 提示符中运行以下命令来安装 {0}:", "Always elevate {pm} installations by default": "默认始终以管理员身份进行 {pm} 的安装", "Always run {pm} operations with administrator rights": "始终以管理员权限执行 {pm} 的操作", - "An error occurred": "出现错误", - "An error occurred when adding the source: ": "添加源时出现错误:", - "An error occurred when attempting to show the package with Id {0}": "尝试显示 ID 为 {0} 的软件包时出现错误", - "An error occurred when checking for updates: ": "检查更新时出现错误:", - "An error occurred while attempting to create an installation script:": "尝试创建安装脚本时出错:", - "An error occurred while loading a backup: ": "载入备份时出错:", - "An error occurred while logging in: ": "登录时出错:", - "An error occurred while processing this package": "处理此软件包时出现错误", - "An error occurred:": "出现错误:", - "An interal error occurred. Please view the log for further details.": "程序出现内部错误,请查看日志文件获取详情。", "An unexpected error occurred:": "出现意外错误:", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "尝试修复 WinGet 时出现意外错误。请稍后再试", - "An update was found!": "发现更新!", - "Android Subsystem": "安卓子系统", "Another source": "其它源", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "将自动删除在安装或更新操作期间创建的任何新快捷方式,不会在首次检测到它们时显示确认提示。", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "将忽略在 UniGetUI 之外创建或修改的任何快捷方式。您可以通过 {0} 按钮来添加它们。", - "Any unsaved changes will be lost": "未保存的更改将会丢失", "App Name": "应用名称", - "Appearance": "外观", - "Application theme, startup page, package icons, clear successful installs automatically": "应用程序主题、起始页、软件包图标、自动清除安装成功的记录", - "Application theme:": "应用程序主题:", - "Apply": "应用", - "Architecture to install:": "安装架构:", "Are these screenshots wron or blurry?": "这些屏幕截图有错误或者模糊不清吗?", - "Are you really sure you want to enable this feature?": "您确实想要启用此功能吗 ?", - "Are you sure you want to create a new package bundle? ": "您确定要创建一个新的软件捆绑包吗 ?", - "Are you sure you want to delete all shortcuts?": "您确实想要删除所有快捷方式吗 ?", - "Are you sure?": "您确定要进行吗?", - "Ascendant": "升序", - "Ask for administrator privileges once for each batch of operations": "每批操作请求一次管理员权限", "Ask for administrator rights when required": "需要时请求管理员权限", "Ask once or always for administrator rights, elevate installations by default": "请求一次或始终请求管理员权限,默认情况下以管理员权限安装", - "Ask only once for administrator privileges": "仅请求一次管理员权限", "Ask only once for administrator privileges (not recommended)": "仅请求一次管理员权限(不推荐)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "安装或升级期间询问是否要删除创建的桌面快捷方式。", - "Attention required": "请注意", "Authenticate to the proxy with an user and a password": "使用用户名和密码向代理进行身份验证", - "Author": "制作者", - "Automatic desktop shortcut remover": "桌面快捷方式自动删除程序", - "Automatic updates": "自动更新", - "Automatically save a list of all your installed packages to easily restore them.": "自动保存所有已安装软件的列表以便于恢复它们。", "Automatically save a list of your installed packages on your computer.": "在您的计算机上自动保存所有已安装软件包的列表。", - "Automatically update this package": "自动更新此软件包", "Autostart WingetUI in the notifications area": "开机自动启动 UniGetUI 到系统托盘", - "Available Updates": "可用更新", "Available updates: {0}": "可用更新:{0}", "Available updates: {0}, not finished yet...": "可用更新:{0},仍在进行中……", - "Backing up packages to GitHub Gist...": "正在将软件包备份到 GitHub Gist...", - "Backup": "备份", - "Backup Failed": "备份失败", - "Backup Successful": "备份成功", - "Backup and Restore": "备份和还原", "Backup installed packages": "备份已安装软件包", "Backup location": "备份位置", - "Become a contributor": "成为贡献者", - "Become a translator": "成为翻译人员", - "Begin the process to select a cloud backup and review which packages to restore": "启动选择云备份并查看要还原哪些软件包的流程", - "Beta features and other options that shouldn't be touched": "测试版功能和其它不建议更改的选项", - "Both": "软件包名称或 ID", - "Bundle security report": "捆绑包安全报告", "But here are other things you can do to learn about WingetUI even more:": "但是您可以通过以下方式更多了解 WingetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "关闭软件包管理器,您将无法再查看或更新其软件包。 ", "Cache administrator rights and elevate installers by default": "缓存管理员权限,并总是以管理员权限安装", "Cache administrator rights, but elevate installers only when required": "缓存管理员权限,但仅在需要时以管理员权限安装", "Cache was reset successfully!": "缓存已成功重置!", "Can't {0} {1}": "无法 {0} {1}", - "Cancel": "取消", "Cancel all operations": "取消全部操作", - "Change backup output directory": "更改备份输出文件夹", - "Change default options": "更改默认选项", - "Change how UniGetUI checks and installs available updates for your packages": "更改 UniGetUI 检查和安装软件包可用更新的方式", - "Change how UniGetUI handles install, update and uninstall operations.": "更改 UniGetUI 处理安装、更新和卸载操作的方式。", "Change how UniGetUI installs packages, and checks and installs available updates": "更改 UniGetUI 安装软件包的方式,并检查和安装可用的更新", - "Change how operations request administrator rights": "更改操作请求管理员权限的方式", "Change install location": "更改安装位置", - "Change this": "更改", - "Change this and unlock": "更改并解锁", - "Check for package updates periodically": "定期检查软件包更新", - "Check for updates": "检查更新", - "Check for updates every:": "更新检查间隔:", "Check for updates periodically": "定期检查更新", "Check for updates regularly, and ask me what to do when updates are found.": "定期检查更新,并在发现更新时询问如何处理。", "Check for updates regularly, and automatically install available ones.": "定期检查更新并自动安装可用更新。", @@ -159,805 +741,283 @@ "Checking for updates...": "正在检查更新……", "Checking found instace(s)...": "正在检查已找到实例……", "Choose how many operations shouls be performed in parallel": "选择可并行执行多少操作", - "Clear cache": "清除缓存", "Clear finished operations": "清除已完成操作", - "Clear selection": "清除已选", "Clear successful operations": "清除成功操作", - "Clear successful operations from the operation list after a 5 second delay": "延迟 5 秒后从操作列表中清除成功的操作", "Clear the local icon cache": "清除本地图标缓存", - "Clearing Scoop cache - WingetUI": "清理 Scoop 缓存 - WingetUI", "Clearing Scoop cache...": "正在清理 Scoop 缓存……", - "Click here for more details": "单击此处可获取更多详情", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "点击安装可开始安装进程。如果您跳过安装步骤,UniGetUI 可能不会正常工作。", - "Close": "关闭", - "Close UniGetUI to the system tray": "关闭 UniGetUI 时将它隐藏到系统托盘", "Close WingetUI to the notification area": "将 UniGetUI 隐藏到系统托盘", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "云备份使用私有 GitHub Gist 来存储已安装软件包的列表", - "Cloud package backup": "云软件包备份", "Command-line Output": "命令行输出", - "Command-line to run:": "运行命令行:", "Compare query against": "比较的查询字段", - "Compatible with authentication": "兼容身份验证", - "Compatible with proxy": "兼容代理", "Component Information": "组件信息", - "Concurrency and execution": "并发与执行", - "Connect the internet using a custom proxy": "使用自定义代理连接互联网", - "Continue": "继续", "Contribute to the icon and screenshot repository": "为图标和屏幕截图存储库做出贡献", - "Contributors": "贡献者", "Copy": "复制", - "Copy to clipboard": "复制到剪贴板", - "Could not add source": "无法添加源", - "Could not add source {source} to {manager}": "无法添加安装源 {source} 至 {manager}", - "Could not back up packages to GitHub Gist: ": "无法将软件包备份至 GitHub Gist :", - "Could not create bundle": "无法创建捆绑包", "Could not load announcements - ": "无法载入公告 - ", "Could not load announcements - HTTP status code is $CODE": "无法载入公告 - HTTP 状态码为 $CODE", - "Could not remove source": "无法移除源", - "Could not remove source {source} from {manager}": "无法从 {manager} 移除安装源 {source}", "Could not remove {source} from {manager}": "无法从 {manager} 移除 {source}", - "Create .ps1 script": "创建 .ps1 脚本", - "Credentials": "凭据", "Current Version": "当前版本", - "Current executable file:": "当前可执行文件:", - "Current status: Not logged in": "当前状态:未登录", "Current user": "当前用户", "Custom arguments:": "自定义参数:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "自定义命令行参数会改变程序的安装、升级或卸载方式,而 UniGetUI 无法控制这种改变。使用自定义命令行可能会损坏软件包。请谨慎操作。", "Custom command-line arguments:": "自定义命令行参数:", - "Custom install arguments:": "自定义安装参数:", - "Custom uninstall arguments:": "自定义卸载参数:", - "Custom update arguments:": "自定义更新参数:", "Customize WingetUI - for hackers and advanced users only": "定制 UniGetUI – 仅供极客与高级用户", - "DEBUG BUILD": "调试构建", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "免责声明:我们并不为您下载的软件包负责。请确保您安装的软件可被信任。", - "Dark": "深色", - "Decline": "拒绝", - "Default": "默认", - "Default installation options for {0} packages": "{0} 程序包的默认安装选项", "Default preferences - suitable for regular users": "默认首选项 – 适用于普通用户", - "Default vcpkg triplet": "默认 vcpkg triplet", - "Delete?": "要删除吗 ?", - "Dependencies:": "依赖项:", - "Descendant": "降序", "Description:": "介绍:", - "Desktop shortcut created": "已创建桌面快捷方式", - "Details of the report:": "报告详情:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "开发免费软件并非易事,如果您喜欢此软件,您可以请我喝杯咖啡 :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "双击“{discoveryTab}”选项卡中的项目将会直接进行安装(而不只是显示软件包信息)", "Disable new share API (port 7058)": "禁用新的分享 API(端口 7058)", - "Disable the 1-minute timeout for package-related operations": "禁用包相关操作的 1 分钟超时", - "Disabled": "已禁用", - "Disclaimer": "免责声明", - "Discover Packages": "发现软件包", "Discover packages": "发现软件包", "Distinguish between\nuppercase and lowercase": "区分大小写", - "Distinguish between uppercase and lowercase": "区分大小写", "Do NOT check for updates": "不检查更新", "Do an interactive install for the selected packages": "交互式安装所选软件包", "Do an interactive uninstall for the selected packages": "交互式卸载所选软件包", "Do an interactive update for the selected packages": "交互式更新所选软件包", - "Do not automatically install updates when the battery saver is on": "开启省电模式时,请勿自动安装更新", - "Do not automatically install updates when the device runs on battery": "设备使用电池供电时不自动安装更新", - "Do not automatically install updates when the network connection is metered": "网络连接为按流量计费时,请勿自动安装更新", "Do not download new app translations from GitHub automatically": "不自动下载 GitHub 中的新应用翻译", - "Do not ignore updates for this package anymore": "不再忽略此软件包的更新", "Do not remove successful operations from the list automatically": "不自动删除列表中的成功操作", - "Do not show this dialog again for {0}": "不再为 {0} 显示此对话框", "Do not update package indexes on launch": "启动时不更新软件包的索引", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "您是否允许 UniGetUI 收集和发送匿名使用统计数据 ?其唯一目的是了解和改善用户体验", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "您觉得 WingetUI 对您有帮助吗?或许您可以支持我的工作,这样我便可以继续使 WingetUI 成为一个终极包管理工具。", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "您觉得 UniGetUI 对您有帮助吗?您想支持开发人员吗?如果您这样想,您可以 {0},这将对我大有帮助!", - "Do you really want to reset this list? This action cannot be reverted.": "你确实想重置此列表吗 ?此操作无法撤销。", - "Do you really want to uninstall the following {0} packages?": "您确定要卸载以下 {0} 个软件包吗?", "Do you really want to uninstall {0} packages?": "您确定要卸载 {0} 个软件包吗?", - "Do you really want to uninstall {0}?": "您确定要卸载 {0} 吗?", "Do you want to restart your computer now?": "您想要立刻重启您的计算机吗?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "想把 UniGetUI 翻译成您的语言吗?看看这里了解如何贡献吧!", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "不想捐款吗?别担心,您可以随时与朋友分享 WingetUI。传播关于 WingetUI 的信息。 ", "Donate": "赞助", - "Done!": "完成!", - "Download failed": "下载失败", - "Download installer": "下载安装程序", - "Download operations are not affected by this setting": "此设置不影响下载操作", - "Download selected installers": "下载选定的安装程序", - "Download succeeded": "下载成功", "Download updated language files from GitHub automatically": "自动下载 GitHub 中的更新语言文件", - "Downloading": "下载中", - "Downloading backup...": "正在下载备份...", - "Downloading installer for {package}": "为 {package} 下载安装程序", - "Downloading package metadata...": "正在下载软件包元数据……", - "Enable Scoop cleanup on launch": "打开程序时清理 Scoop", - "Enable WingetUI notifications": "启用 WingetUI 的通知", - "Enable an [experimental] improved WinGet troubleshooter": "启用【实验性】改进版 Winget 疑难解答程序。", - "Enable and disable package managers, change default install options, etc.": "启用和禁用软件包管理器、更改默认安装选项等。", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "启用后台 CPU 使用优化(查看 Pull Request #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "启用后台 API(用于 WingetUI 小组件与分享,端口 7058)", - "Enable it to install packages from {pm}.": "启用它可从 {pm} 安装软件包。", - "Enable the automatic WinGet troubleshooter": "启用自动 WinGet 故障排除程序", - "Enable the new UniGetUI-Branded UAC Elevator": "启用新的 UniGetUI UAC 提升程序", - "Enable the new process input handler (StdIn automated closer)": "启用新的进程输入处理程序(标准输入自动关闭器)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "只有在您完全了解以下设置的作用及其可能产生的影响时,才启用这些设置。", - "Enable {pm}": "启用 {pm}", - "Enabled": "已启用", - "Enter proxy URL here": "在此输入代理网址", - "Entries that show in RED will be IMPORTED.": "将导入以红色显示的项目。", - "Entries that show in YELLOW will be IGNORED.": "将忽略以黄色显示的项目。", - "Error": "错误", - "Everything is up to date": "所有软件包均已为最新版", - "Exact match": "精确匹配", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "将扫描你桌面上现有的快捷方式,请选择你要保留和删除的内容。", - "Expand version": "查看版本", - "Experimental settings and developer options": "实验性设置和开发者选项", - "Export": "导出", + "Downloading": "下载中", + "Downloading installer for {package}": "为 {package} 下载安装程序", + "Downloading package metadata...": "正在下载软件包元数据……", + "Enable the new UniGetUI-Branded UAC Elevator": "启用新的 UniGetUI UAC 提升程序", + "Enable the new process input handler (StdIn automated closer)": "启用新的进程输入处理程序(标准输入自动关闭器)", "Export log as a file": "导出日志到文件", "Export packages": "导出软件包列表", "Export selected packages to a file": "导出所选软件包到文件", - "Export settings to a local file": "导出设置到本地文件", - "Export to a file": "导出到文件", - "Failed": "失败", - "Fetching available backups...": "正在获取可用的备份...", "Fetching latest announcements, please wait...": "正在获取最新公告,请稍候……", - "Filters": "筛选器", "Finish": "完成", - "Follow system color scheme": "跟随系统颜色方案", - "Follow the default options when installing, upgrading or uninstalling this package": "安装、升级或卸载此软件包时,请遵循默认选项", - "For security reasons, changing the executable file is disabled by default": "出于安全原因,默认禁用更改可执行文件", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "出于安全原因,自定义命令行参数默认处于禁用状态。可前往 UniGetUI 安全设置更改此设置。", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "出于安全原因,操作前和操作后脚本默认处于禁用状态。可前往 UniGetUI 安全设置更改此设置。", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "使用 ARM 架构的 Winget 版本(仅适用于 ARM64 系统)", - "Force install location parameter when updating packages with custom locations": "更新软件包时强制安装位置参数使用自定义位置", "Formerly known as WingetUI": "原名 WingetUI", "Found": "已找到", "Found packages: ": "已找到软件包:", "Found packages: {0}": "已找到软件包:{0}", "Found packages: {0}, not finished yet...": "已找到 {0} 个软件包,仍在查找中……", - "General preferences": "通用首选项", "GitHub profile": "GitHub 个人资料", "Global": "全局", - "Go to UniGetUI security settings": "前往 UniGetUI 安全设置", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "包含不知名但有用的实用程序和其它有趣软件包的重要存储库。
包括:实用工具、命令行程序、通用软件(需要 extras bucket)", - "Great! You are on the latest version.": "很好!您有最新版本。", - "Grid": "网格", - "Help": "帮助", "Help and documentation": "帮助和文档", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "在这里,您可以更改 UniGetUI 针对以下快捷方式的行为。勾选则 UniGetUI 会删除未来升级时创建的快捷方式。取消勾选将保持快捷方式不变", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "嗨,我是 Martí ,WingetUI 的开发者。WingetUI 都是我在空闲时间完成的!", "Hide details": "隐藏详情", - "Homepage": "主页", - "Hooray! No updates were found.": "好极了!没有待更新的软件!", "How should installations that require administrator privileges be treated?": "该怎么处理需要管理员权限的安装操作?", - "How to add packages to a bundle": "如何添加软件包进捆绑包", - "I understand": "我明白", - "Icons": "图标", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "如果你启用了云备份,它将作为 GitHub Gist 保存到该账户中", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "允许运行自定义预安装和安装后命令", - "Ignore future updates for this package": "忽略此软件包的后续更新", - "Ignore packages from {pm} when showing a notification about updates": "在显示更新通知时忽略来自 {pm} 的软件包", - "Ignore selected packages": "忽略所选软件包", - "Ignore special characters": "忽略特殊字符", "Ignore updates for the selected packages": "忽略所选软件包的更新", - "Ignore updates for this package": "忽略此软件包的更新", "Ignored updates": "已忽略的更新", - "Ignored version": "已忽略版本", - "Import": "导入", "Import packages": "导入软件包", "Import packages from a file": "从文件导入软件包", - "Import settings from a local file": "从本地文件导入设置", - "In order to add packages to a bundle, you will need to: ": "要添加软件包进捆绑包,您需要:", "Initializing WingetUI...": "正在初始化 UniGetUI……", - "Install": "安装", - "Install Scoop": "安装 Scoop", "Install and more": "安装及其它", "Install and update preferences": "安装和更新首选项", - "Install as administrator": "以管理员身份安装", - "Install available updates automatically": "自动安装可用更新", - "Install location can't be changed for {0} packages": "{0} 软件包的安装位置无法更改", - "Install location:": "安装位置:", - "Install options": "安装选项", "Install packages from a file": "从文件安装软件包", - "Install prerelease versions of UniGetUI": "安装 UniGetUI 的预发布版本", - "Install script": "安装脚本", "Install selected packages": "安装所选软件包", "Install selected packages with administrator privileges": "使用管理员权限安装所选包", - "Install selection": "安装所选项", "Install the latest prerelease version": "安装最新的预发布版本", "Install updates automatically": "自动安装更新", - "Install {0}": "安装 {0}", "Installation canceled by the user!": "用户已取消安装!", - "Installation failed": "安装失败", - "Installation options": "安装选项", - "Installation scope:": "安装范围:", - "Installation succeeded": "安装成功", - "Installed Packages": "已安装软件包", - "Installed Version": "已安装版本", "Installed packages": "已安装软件包", - "Installer SHA256": "安装程序 SHA256 值", - "Installer SHA512": "安装程序 SHA512 值", - "Installer Type": "安装类型", - "Installer URL": "安装程序网址", - "Installer not available": "安装程序不可用", "Instance {0} responded, quitting...": " 实例 {0} 已回应,正在退出……", - "Instant search": "实时搜索", - "Integrity checks can be disabled from the Experimental Settings": "可以在“实验设置”中禁用完整性检查", - "Integrity checks skipped": "已跳过完整性检查", - "Integrity checks will not be performed during this operation": "此操作期间将不执行完整性检查", - "Interactive installation": "交互式安装", - "Interactive operation": "交互式操作", - "Interactive uninstall": "交互式卸载", - "Interactive update": "交互式更新", - "Internet connection settings": "互联网连接设置", - "Invalid selection": "无效选择", "Is this package missing the icon?": "此软件包是否缺少图标?", - "Is your language missing or incomplete?": "您的语言翻译是否缺失或不完整? ", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "无法保证所提供的凭据会被安全存储,你最好不要使用银行账户的凭据", - "It is recommended to restart UniGetUI after WinGet has been repaired": "建议在 WinGet 完成修复之后重新启动 UniGetUI", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "强烈建议重新安装 UniGetUI 以解决该情况。", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "看来 WinGet 工作不正常。您想尝试修复 WinGet 吗 ?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "您似乎在以管理员身份运行 UniGetetUI,但不建议这样做。 您仍然可以使用此程序,但是我们强烈建议不要使用管理员权限运行 UniGetUI 。 点击“{showDetails}”可了解原因。", - "Language": "语言", - "Language, theme and other miscellaneous preferences": "语言、主题和其它首选项", - "Last updated:": "最近更新:", - "Latest": "最新", "Latest Version": "最新版本", "Latest Version:": "最新版本:", "Latest details...": "最新详情……", "Launching subprocess...": "正在启动子进程……", - "Leave empty for default": "选择默认路径请留空", - "License": "许可证", "Licenses": "所有许可证", - "Light": "浅色", - "List": "列表", "Live command-line output": "实时命令行输出", - "Live output": "实时输出", "Loading UI components...": "正在加载用户界面组件……", "Loading WingetUI...": "正在加载 WingetUI……", - "Loading packages": "正在加载软件包", - "Loading packages, please wait...": "正在加载软件包,请稍候……", - "Loading...": "正在加载……", - "Local": "本地", - "Local PC": "本地电脑", - "Local backup advanced options": "本地备份高级选项", "Local machine": "本地机器", - "Local package backup": "本地软件包备份", "Locating {pm}...": "正在定位 {pm} ……", - "Log in": "登录", - "Log in failed: ": "登录失败:", - "Log in to enable cloud backup": "登录以启用云备份", - "Log in with GitHub": "用 GitHub 登录", - "Log in with GitHub to enable cloud package backup.": "用 GitHub 登录以启用云软件包备份。", - "Log level:": "日志级别:", - "Log out": "注销", - "Log out failed: ": "登录失败:", - "Log out from GitHub": "从 GitHub 注销", "Looking for packages...": "正在搜索软件包……", "Machine | Global": "本机 | 全局", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "格式错误的命令行参数可能导致软件包受损,甚至使恶意攻击者获得特权执行权限。因此,默认情况下禁止导入自定义命令行参数。", - "Manage": "管理", - "Manage UniGetUI settings": "管理 UniGetUI 设置", "Manage WingetUI autostart behaviour from the Settings app": "通过系统设置管理 WingetUI 开机自动启动", "Manage ignored packages": "管理已忽略软件包", - "Manage ignored updates": "管理已忽略更新", - "Manage shortcuts": "管理快捷方式", - "Manage telemetry settings": "管理遥测设置", - "Manage {0} sources": "管理 {0} 安装源", - "Manifest": "清单", "Manifests": "清单", - "Manual scan": "手动扫描", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "微软的官方软件包管理器。拥有知名的、经过验证的众多软件包。
包括:通用软件、微软商店应用\n", - "Missing dependency": "缺少依赖项", - "More": "更多", - "More details": "更多详情", - "More details about the shared data and how it will be processed": "有关共享数据及其处理方式的更多详细信息", - "More info": "更多信息", - "More than 1 package was selected": "选择了多个软件包", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "注意:可在 UniGetUI 设置的 WinGet 部分中,禁用此故障排除程序", - "Name": "名称", - "New": "新建", "New Version": "新版本", "New bundle": "新建捆绑包", - "New version": "新版本", - "Nice! Backups will be uploaded to a private gist on your account": "很好!备份将上传到您账户上的一个私有代码片段。", - "No": "否", - "No applicable installer was found for the package {0}": "未找到适用于包 {0} 的安装程序", - "No dependencies specified": "未指定依赖项", - "No new shortcuts were found during the scan.": "扫描期间未发现新的快捷方式。", - "No package was selected": "未选择任何软件包", "No packages found": "未找到软件包", "No packages found matching the input criteria": "未找到与输入条件匹配的软件包", "No packages have been added yet": "尚未添加任何软件包", "No packages selected": "未选择软件包", - "No packages were found": "未找到软件包", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "个人信息不会被收集也不会被发送,且收集的数据都已被匿名化,因此无法通过它们回溯到您。", - "No results were found matching the input criteria": "未找到与输入条件匹配的结果", "No sources found": "未找到源", "No sources were found": "未找到源", "No updates are available": "没有可用更新", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS 的软件包管理器。其中包含大量库和其它实用程序,为 JavaScript 世界增添色彩
包括:Node JavaScript 库和其他相关实用程序。", - "Not available": "无法获取", - "Not finding the file you are looking for? Make sure it has been added to path.": "找不到您要找的文件?请确保已将其添加到路径中。", - "Not found": "未找到", - "Not right now": "不是现在", "Notes:": "注意:", - "Notification preferences": "通知首选项", "Notification tray options": "托盘通知设置", - "Notification types": "通知类型", - "NuPkg (zipped manifest)": "NuPkg(压缩清单)", - "OK": "确定", "Ok": "确定", - "Open": "打开", "Open GitHub": "打开 GitHub", - "Open UniGetUI": "打开 UniGetUI", - "Open UniGetUI security settings": "打开 UniGetUI 安全设置", "Open WingetUI": "打开 WingetUI", "Open backup location": "打开备份位置", "Open existing bundle": "打开现有捆绑包", - "Open install location": "打开安装位置", "Open the welcome wizard": "打开欢迎向导", - "Operation canceled by user": "用户取消了操作", "Operation cancelled": "操作已取消", - "Operation history": "操作历史", - "Operation in progress": "操作正在进行中", - "Operation on queue (position {0})...": "操作正在排队中(位置 {0})……", - "Operation profile:": "操作配置文件:", "Options saved": "选项已保存", - "Order by:": "排序", - "Other": "其它", - "Other settings": "其它设置", - "Package": "软件包", - "Package Bundles": "软件捆绑包", - "Package ID": "软件包 ID", "Package Manager": "软件包管理器", - "Package Manager logs": "软件包管理器日志", - "Package Managers": "包管理器", - "Package Name": "软件包名称", - "Package backup": "软件包备份", - "Package backup settings": "软件包备份设置", - "Package bundle": "软件捆绑包", - "Package details": "软件包详情", - "Package lists": "软件包列表", - "Package management made easy": "让软件包管理更简单", - "Package manager": "软件包管理器", - "Package manager preferences": "软件包管理器首选项", "Package managers": "软件包管理器", - "Package not found": "软件包未找到", - "Package operation preferences": "软件包操作首选项", - "Package update preferences": "软件包更新首选项", "Package {name} from {manager}": "来自 {manager} 的软件包 {name}", - "Package's default": "软件包默认", "Packages": "软件包", "Packages found: {0}": "已找到软件包:{0}", - "Partially": "部分", - "Password": "密码", "Paste a valid URL to the database": "粘贴有效网址到数据库", - "Pause updates for": "暂停更新:", "Perform a backup now": "立刻执行一次备份", - "Perform a cloud backup now": "立即执行云备份", - "Perform a local backup now": "立即执行本地备份", - "Perform integrity checks at startup": "启动时执行完整性检查", - "Performing backup, please wait...": "正在备份中,请稍候...", "Periodically perform a backup of the installed packages": "定期对已安装软件包进行备份 ", - "Periodically perform a cloud backup of the installed packages": "定期对已安装的软件包执行云备份", - "Periodically perform a local backup of the installed packages": "定期对已安装的软件包执行本地备份", - "Please check the installation options for this package and try again": "请检查此软件包的安装选项,然后重试", - "Please click on \"Continue\" to continue": "请点击“继续”执行后续操作", "Please enter at least 3 characters": "请至少输入 3 个字符", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "请注意,由于系统中已启用了软件包管理器,某些软件包可能无法安装。", - "Please note that not all package managers may fully support this feature": "请注意,并非所有的软件包管理器都能完全支持此功能", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "请注意,来自某些来源的包可能无法导出。它们已标记为灰色。", - "Please run UniGetUI as a regular user and try again.": "请以普通用户身份运行 UniGetUI ,然后重试。", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "有关此问题的更多信息,请查看命令行输出或参考操作历史记录。", "Please select how you want to configure WingetUI": "请选择您想要如何配置 UniGetUI", - "Please try again later": "请稍后再试", "Please type at least two characters": "请至少输入两个字符", - "Please wait": "请稍候", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "在安装 {0} 时请等待。可能会显示一个黑色窗口。请等待它自己关闭。", - "Please wait...": "请稍候……", "Portable": "可移植", - "Portable mode": "便携模式", - "Post-install command:": "安装后命令:", - "Post-uninstall command:": "卸载后命令:", - "Post-update command:": "更新后命令:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell 的软件包管理器。可用于寻找扩展 PowerShell 功能的库和脚本。
包括:模块、脚本、Cmdlets\n", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "预安装与安装后命令可被设计用于执行恶意行为,从而严重危害您的设备。导入来自未知软件包的此类命令极度危险,请务必确保其来源可信。", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "安装前和安装后命令将在软件包安装、升级或卸载之前和之后运行。请谨慎使用,这些命令可能会导致问题。", - "Pre-install command:": "安装前命令:", - "Pre-uninstall command:": "卸载前命令:", - "Pre-update command:": "更新前命令:", - "PreRelease": "预发布", - "Preparing packages, please wait...": "正在准备软件包,请稍候……", - "Proceed at your own risk.": "继续进行,风险自负。", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "禁止通过 UniGetUI Elevator 或 GSudo 进行任何形式的提权操作", - "Proxy URL": "代理网址", - "Proxy compatibility table": "代理兼容表", - "Proxy settings": "代理设置", - "Proxy settings, etc.": "代理设置等", "Publication date:": "发布日期:", - "Publisher": "发布者", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python 的软件包管理器。包含所有 Python 的库以及其它与 Python 相关的实用工具。
包括:Python 包和相关实用工具", - "Quit": "退出", "Quit WingetUI": "退出 WingetUI", - "Ready": "就绪", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "减少用户账户控制(UAC)提示,默认提升安装权限,解锁某些危险功能等。", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "参考 UniGetUI 日志可获取有关受影响文件的更多详细信息。", - "Reinstall": "重新安装", - "Reinstall package": "重新安装软件包", - "Related settings": "相关设置", - "Release notes": "发布说明", - "Release notes URL": "发布说明网址", "Release notes URL:": "发布说明网址:", "Release notes:": "发布说明:", "Reload": "重载", - "Reload log": "重载日志", "Removal failed": "删除失败", "Removal succeeded": "删除成功", - "Remove from list": "从列表中删除", "Remove permanent data": "清除常驻的永久数据", - "Remove selection from bundle": "移除捆绑包中所选项", "Remove successful installs/uninstalls/updates from the installation list": "移除安装列表中成功的安装 / 卸载 / 更新项目", - "Removing source {source}": "正在移除源 {source}", - "Removing source {source} from {manager}": "正在从 {manager} 中移除安装源 {source}", - "Repair UniGetUI": "修复 UniGetUI", - "Repair WinGet": "修复 WinGet", - "Report an issue or submit a feature request": "报告问题或者提交功能请求", "Repository": "存储库", - "Reset": "重置", "Reset Scoop's global app cache": "重置 Scoop 的全局应用缓存", - "Reset UniGetUI": "重置 UniGetUI", - "Reset WinGet": "重置 WinGet", "Reset Winget sources (might help if no packages are listed)": "重置 WinGet 安装源(如果未列出任何软件包时,可尝试此操作)", - "Reset WingetUI": "重置 WingetUI", "Reset WingetUI and its preferences": "重置 WingetUI 及其首选项", "Reset WingetUI icon and screenshot cache": "重置 WingetUI 图标和屏幕截图缓存", - "Reset list": "重置列表", "Resetting Winget sources - WingetUI": "正在重置 Winget 安装源 - WingetUI", - "Restart": "重新启动", - "Restart UniGetUI": "重启 UniGetUI", - "Restart WingetUI": "重启 UniGetUI", - "Restart WingetUI to fully apply changes": "重启 UniGetUI 以应用所有更改", - "Restart later": "稍后重启", "Restart now": "立刻重启", - "Restart required": "需要重启", - "Restart your PC to finish installation": "重启您的电脑以便完成安装", - "Restart your computer to finish the installation": "重启您的电脑以便完成安装\n", - "Restore a backup from the cloud": "从云端还原备份", - "Restrictions on package managers": "对包管理器的限制", - "Restrictions on package operations": "对包操作的限制", - "Restrictions when importing package bundles": "导入软件捆绑包时的限制", - "Retry": "重试", - "Retry as administrator": "以管理员身份重试", - "Retry failed operations": "重试失败的操作", - "Retry interactively": "交互式重试", - "Retry skipping integrity checks": "尝试跳过完整性检查", - "Retrying, please wait...": "正在重试,请稍候……", - "Return to top": "回到顶部", - "Run": "运行", - "Run as admin": "以管理员身份运行", - "Run cleanup and clear cache": "运行清理并清除缓存", - "Run last": "最后运行", - "Run next": "下个运行", - "Run now": "立即运行", + "Restart your PC to finish installation": "重启您的电脑以便完成安装", + "Restart your computer to finish the installation": "重启您的电脑以便完成安装\n", + "Retry failed operations": "重试失败的操作", + "Retrying, please wait...": "正在重试,请稍候……", + "Return to top": "回到顶部", "Running the installer...": "正在运行安装程序……", "Running the uninstaller...": "正在运行卸载程序……", "Running the updater...": "正在运行更新程序……", - "Save": "保存", "Save File": "保存文件", - "Save and close": "保存并关闭", - "Save as": "另存为", "Save bundle as": "另存为捆绑包\n\n", "Save now": "立刻保存", - "Saving packages, please wait...": "正在保存软件包,请稍候……", - "Scoop Installer - WingetUI": "Scoop 安装程序 - WingetUI", - "Scoop Uninstaller - WingetUI": "Scoop 卸载程序 - WingetUI", - "Scoop package": "Scoop 软件包", "Search": "搜索", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "搜索桌面端软件,有可用更新时通知我,可别做其它傻事。我可不想 UniGetUI 太复杂了,我只想要一个简单的软件商店。", - "Search for packages": "搜索软件包", - "Search for packages to start": "从搜索软件包开始", - "Search mode": "搜索模式", "Search on available updates": "搜索可用更新", "Search on your software": "搜索已安装软件", "Searching for installed packages...": "正在搜索已安装软件包……", "Searching for packages...": "正在搜索软件包……", "Searching for updates...": "正在搜索更新……", - "Select": "选择", "Select \"{item}\" to add your custom bucket": "选择“{item}”添加到您的自定义存储区", "Select a folder": "选择文件夹", - "Select all": "全选", "Select all packages": "全选软件包", - "Select backup": "选择备份", "Select only if you know what you are doing.": "请明白您在做什么再选择。", "Select package file": "选择软件包文件", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "选择你要打开的备份。稍后你将能看到要安装哪些软件包。", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "选择要使用的可执行文件。以下列表显示了 UniGetUI 找到的可执行文件", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "选择在安装、更新或卸载此软件包之前应关闭的进程。", - "Select the source you want to add:": "请选择您想添加的安装源:", - "Select upgradable packages by default": "默认选择可升级软件包", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "选择想用({0})的包管理器、配置软件包的安装方式、管理管理员权限的处理方式等等。", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "已发送握手消息。正在等待实例监听程序的应答……({0}%)", - "Set a custom backup file name": "设置一个自定义备份文件名", "Set custom backup file name": "设置自定义备份文件名", - "Settings": "设置", - "Share": "分享", "Share WingetUI": "分享 WingetUI", - "Share anonymous usage data": "共享匿名使用数据", - "Share this package": "分享此软件包", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "如果您修改了安全设置,则需要再次打开该软件包,以使更改生效。", "Show UniGetUI on the system tray": "在系统托盘中显示 UniGetUI", - "Show UniGetUI's version and build number on the titlebar.": "在标题栏上显示 UniGetUI 的版本和构建编号", - "Show WingetUI": "显示 WingetUI", "Show a notification when an installation fails": "安装失败时推送通知", "Show a notification when an installation finishes successfully": "安装成功时推送通知", - "Show a notification when an operation fails": "当操作失败时显示通知", - "Show a notification when an operation finishes successfully": "当操作成功完成时显示通知", - "Show a notification when there are available updates": "有可用更新时推送通知", - "Show a silent notification when an operation is running": "当操作正在运行时显示一个静默通知", "Show details": "显示详情", - "Show in explorer": "在浏览器中显示", "Show info about the package on the Updates tab": "在“更新”标签页上显示软件包信息", "Show missing translation strings": "显示未翻译的字符串", - "Show notifications on different events": "显示各种事件的通知", "Show package details": "显示软件包详情", - "Show package icons on package lists": "在软件包列表中显示软件包图标", - "Show similar packages": "显示相似软件包", "Show the live output": "显示实时输出", - "Size": "尺寸", "Skip": "跳过", - "Skip hash check": "跳过哈希校验", - "Skip hash checks": "跳过哈希检验", - "Skip integrity checks": "跳过完整性检查", - "Skip minor updates for this package": "忽略此软件包的小幅更新", "Skip the hash check when installing the selected packages": "安装所选包时跳过哈希校验", "Skip the hash check when updating the selected packages": "更新所选软件包时跳过哈希校验", - "Skip this version": "跳过此版本", - "Software Updates": "软件更新", - "Something went wrong": "出现了一些问题", - "Something went wrong while launching the updater.": "在启动更新程序是出错。", - "Source": "来源", - "Source URL:": "安装源网址:", - "Source added successfully": "已成功添加源", "Source addition failed": "添加源失败", - "Source name:": "安装源名称:", "Source removal failed": "移除源失败", - "Source removed successfully": "已成功移除源", "Source:": "来源:", - "Sources": "来源", "Start": "开始", "Starting daemons...": "正在启动守护程序……", - "Starting operation...": "开始操作...", "Startup options": "启动选项", "Status": "状态", "Stuck here? Skip initialization": "在这里卡住了?跳过初始化", - "Success!": "成功 !", "Suport the developer": "支持开发者", "Support me": "支持我", "Support the developer": "支持开发者", "Systems are now ready to go!": "系统已准备就绪!", - "Telemetry": "遥测", - "Text": "文本", "Text file": "文本文件", - "Thank you ❤": "谢谢 ❤", - "Thank you \uD83D\uDE09": "谢谢 \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust 的软件包管理器。
包含:Rust 库和用 Rust 编写的程序", - "The backup will NOT include any binary file nor any program's saved data.": "备份将不包含任何二进制文件或任何程序的已保存数据。", - "The backup will be performed after login.": "备份将在登录后执行", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "备份将包含已安装软件包及其安装选项的完整列表。已忽略更新和跳过版本也将被保存。", - "The bundle was created successfully on {0}": "已成功于 {0} 创建了捆绑包", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "您尝试载入的捆绑包似乎无效。请检查此文件然后再试。", + "Thank you 😉": "谢谢 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "安装程序的校验和值与预期不一致,无法验证安装程序的真实性。如果您信任发布者,再次{0}软件包将会跳过哈希校验。", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "Windows 的经典软件包管理器。您可以在其中找到所有需要的东西。
包括:通用软件", - "The cloud backup completed successfully.": "云备份已成功完成。", - "The cloud backup has been loaded successfully.": "已成功加载云备份。", - "The current bundle has no packages. Add some packages to get started": "当前捆绑包中还没有软件包。先添加一些软件包吧", - "The executable file for {0} was not found": "找不到 {0} 的可执行文件", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "每次安装、升级或卸载{0}软件包时,将默认应用以下选项。", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "以下软件包将会导出到 JSON 文件中。不会保存任何用户数据或二进制文件。", "The following packages are going to be installed on your system.": "以下软件包会安装在您的系统上。", - "The following settings may pose a security risk, hence they are disabled by default.": "以下设置可能存在安全风险,因此默认处于禁用状态。", - "The following settings will be applied each time this package is installed, updated or removed.": "每次安装、更新或移除此软件包时都会应用以下设置。", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "每次安装、更新或删除此软件包时都会应用以下设置。 它们将会自动保存。", "The icons and screenshots are maintained by users like you!": "这些图标和屏幕截图都是由和您一样的用户维护的!", - "The installation script saved to {0}": "安装脚本已保存至 {0}", - "The installer authenticity could not be verified.": "无法验证安装程序的真实性。", "The installer has an invalid checksum": "安装程序的校验和无效", "The installer hash does not match the expected value.": "安装程序的哈希值与预期值不匹配", - "The local icon cache currently takes {0} MB": "本地图标缓存当前占用了 {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "本项目的主要目标是为 Windows 最常见的命令行包管理器(例如 Winget 和 Scoop)创建直观的用户界面。", - "The package \"{0}\" was not found on the package manager \"{1}\"": "在软件包管理器 \"{1}\" 中找不到软件包 \"{0}\"", - "The package bundle could not be created due to an error.": "无法创建软件捆绑包,发生了错误。", - "The package bundle is not valid": "软件捆绑包无效", - "The package manager \"{0}\" is disabled": "软件管理器 \"{0}\" 已禁用", - "The package manager \"{0}\" was not found": "软件管理器 \"{0}\" 找不到", "The package {0} from {1} was not found.": "未找到来自 {1} 的软件包 {0}", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "检查更新时,此处列出的软件包将会被忽略。双击它们或点击它们右侧的按钮可不再忽略其更新。", "The selected packages have been blacklisted": "选定的软件包已被列入黑名单", - "The settings will list, in their descriptions, the potential security issues they may have.": "这些设置将在其描述中列出可能存在的潜在安全问题。", - "The size of the backup is estimated to be less than 1MB.": "备份的大小预计小于 1MB 。", - "The source {source} was added to {manager} successfully": "安装源 {source} 已成功添加到 {manager}", - "The source {source} was removed from {manager} successfully": "安装源 {source} 已成功从 {manager} 中移除", - "The system tray icon must be enabled in order for notifications to work": "必须启用系统托盘图标才能让通知生效", - "The update process has been aborted.": "更新过程已中止。", - "The update process will start after closing UniGetUI": "更新过程将在 UniGetUI 关闭后开始", "The update will be installed upon closing WingetUI": "在关闭 WingetUI 后将安装更新", "The update will not continue.": "更新将不会继续。", "The user has canceled {0}, that was a requirement for {1} to be run": "用户已取消 {0},但这是运行 {1} 的必要条件", - "There are no new UniGetUI versions to be installed": "没有可安装的新 UniGetUI 版本", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "有正在进行的操作。退出 WingetUI 可能会导致它们失败。您确定要继续吗 ?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube 上有一些很棒的视频展示了 UniGetUI 及其功能。您可以学到有用的技巧和窍门!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "不建议以管理员身份运行 UniGetUI 有两个重要原因:\n首先, Scoop 包管理器在管理员权限下运行一些命令可能会出现问题。\n其次,以管理员身份运行 UniGetUI 意味着您下载的任何软件将会以管理员身份运行(这很不安全)。\n提示:如果您需要以管理员身份安装一个特定软件,您可以右键点击此项目 -> 以管理员身份安装 / 更新 / 卸载。", - "There is an error with the configuration of the package manager \"{0}\"": "软件包管理器 \"{0}\" 的配置中有错误", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "有安装正在进行中。如果您关闭 UniGetUI,安装可能会失败并产生意外结果。是否仍要退出 UniGetUI ?", "They are the programs in charge of installing, updating and removing packages.": "它们是负责安装、更新和移除软件包的程序。", - "Third-party licenses": "第三方许可证", "This could represent a security risk.": "这可能存在安全风险。", - "This is not recommended.": "不建议。", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "这可能是因为您收到的包已被移除,或者发布在您尚未启用的软件包管理器上。得到的 ID 是 {0}", "This is the default choice.": "这是默认选项", - "This may help if WinGet packages are not shown": "不显示 WinGet 软件包时此选项可能有帮助", - "This may help if no packages are listed": "未列出任何软件包时此选项可能有帮助", - "This may take a minute or two": "这可能需要一两分钟的时间", - "This operation is running interactively.": "此操作正处于交互式运行。", - "This operation is running with administrator privileges.": "此操作正以管理员权限运行。", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "此选项会导致一些问题。任何无法自行提升权限的操作都将失败。以管理员身份进行安装/更新/卸载将不起作用。", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "此软件包有一些设置可能存在潜在危险,默认情况下可能会被忽略。", "This package can be updated": "此软件包可以更新", "This package can be updated to version {0}": "此软件包可以更新到版本 {0}", - "This package can be upgraded to version {0}": "此软件包可以升级到版本 {0}", - "This package cannot be installed from an elevated context.": "无法在提升的上下文中安装此软件包。", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "此软件包缺少截图或图标吗?可以向我们的开放公共数据库添加缺失的图标或截图,为 WingetUI 做出贡献。", - "This package is already installed": "此软件包已安装", - "This package is being processed": "正在处理此软件包", - "This package is not available": "此软件包不存在", - "This package is on the queue": "此软件包正在排队", "This process is running with administrator privileges": "此进程正以管理员权限运行", - "This project has no connection with the official {0} project — it's completely unofficial.": "此项目与官方的 {0} 项目没有关联 —— 它完全是非官方的。", "This setting is disabled": "此设置已禁用", "This wizard will help you configure and customize WingetUI!": "此向导将帮助您配置和自定义 WingetUI !", "Toggle search filters pane": "切换搜索筛选器窗格", - "Translators": "翻译人员", - "Try to kill the processes that refuse to close when requested to": "尝试终止那些在收到关闭请求时拒绝关闭的进程", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "启用此功能后,可更改用于与软件包管理器交互的可执行文件。虽然这能让您对安装过程进行更细致的自定义,但也可能存在风险。 ", "Type here the name and the URL of the source you want to add, separed by a space.": "请输入您想添加源的名称和网址,以空格分割。", "Unable to find package": "无法找到软件包", "Unable to load informarion": "无法加载信息", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI 收集匿名使用数据,以改善用户体验。", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI 收集匿名使用数据的唯一目的是了解和改善用户体验。", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI 检测到可以自动删除的新桌面快捷方式。", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI 检测到以下桌面快捷方式,这些快捷方式会在未来升级时自动删除", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI 已检测到有 {0} 个新的桌面快捷方式可被自动删除。", - "UniGetUI is being updated...": "正在更新 UniGetUI ...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI 与任何兼容的软件包管理器均无关。UniGetUI 是一个独立项目。", - "UniGetUI on the background and system tray": "UniGetUI 位于后台和系统托盘", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI 或它的某些组件缺失或已损坏。", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI 需要 {0} 才能运行,但在您的系统中找不到它。", - "UniGetUI startup page:": "UniGetUI 启动页面:", - "UniGetUI updater": "UniGetUI 更新程序", - "UniGetUI version {0} is being downloaded.": "正在下载 UniGetUI 版本 {0}", - "UniGetUI {0} is ready to be installed.": "已准备安装 UniGetUI {0}", - "Uninstall": "卸载", - "Uninstall Scoop (and its packages)": "卸载 Scoop(及其软件包)", "Uninstall and more": "卸载及其它", - "Uninstall and remove data": "卸载并移除数据", - "Uninstall as administrator": "以管理员身份卸载", "Uninstall canceled by the user!": "用户取消了卸载!", - "Uninstall failed": "卸载失败", - "Uninstall options": "卸载选项", - "Uninstall package": "卸载软件包", - "Uninstall package, then reinstall it": "卸载并重新安装软件包", - "Uninstall package, then update it": "卸载并更新软件包", - "Uninstall previous versions when updated": "更新时卸载旧版本", - "Uninstall selected packages": "卸载所选软件包", - "Uninstall selection": "卸载所选项", - "Uninstall succeeded": "卸载成功", "Uninstall the selected packages with administrator privileges": "使用管理员权限卸载所选包", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "原先列为“{0}”的可卸载软件包未在任何包管理器中发布,因此无法显示它们的信息。", - "Unknown": "未知", - "Unknown size": "未知大小", - "Unset or unknown": "未设置或未知", - "Up to date": "已是最新", - "Update": "更新", - "Update WingetUI automatically": "自动更新 UniGetUI", - "Update all": "全部更新", "Update and more": "更新及其它", - "Update as administrator": "以管理员身份更新", - "Update check frequency, automatically install updates, etc.": "更新检查频率、自动安装更新等", - "Update checking": "更新检查", "Update date": "更新日期", - "Update failed": "更新失败", "Update found!": "发现更新!", - "Update now": "立刻更新", - "Update options": "更新选项", "Update package indexes on launch": "启动时更新软件包索引", "Update packages automatically": "自动更新软件包", "Update selected packages": "更新所选软件包", "Update selected packages with administrator privileges": "使用管理员权限更新所选包", - "Update selection": "更新所选项", - "Update succeeded": "更新成功", - "Update to version {0}": "更新至版本 {0}", - "Update to {0} available": "可更新至 {0}", "Update vcpkg's Git portfiles automatically (requires Git installed)": "自动更新 vcpkg 的 Git 配置文件(需要已安装 Git)", "Updates": "更新", "Updates available!": "有可用更新!", - "Updates for this package are ignored": "已忽略该软件包的所有更新", - "Updates found!": "发现更新!", "Updates preferences": "更新首选项", "Updating WingetUI": "正在更新 UniGetUI", "Url": "Url", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "使用旧版内置的 WinGet 而非 PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "使用自定义图标和截图数据库网址", "Use bundled WinGet instead of PowerShell CMDlets": "使用内置的 WinGet 而非 PowerShell CMDLets", - "Use bundled WinGet instead of system WinGet": "使用内置 WinGet 而不是系统 WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "使用已安装的 GSudo ,而不是 UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "使用已安装的 GSudo 而非内置的 GSudo", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "使用旧版 UniGetUI Elevator(禁用 AdminByRequest 支持)", - "Use system Chocolatey": "使用系统 Chocolatey", "Use system Chocolatey (Needs a restart)": "使用系统中的 Chocolatey(需要重启)", "Use system Winget (Needs a restart)": "使用系统中的 Winget(需要重启)", "Use system Winget (System language must be set to english)": "使用系统 Winget(系统语言必须设置为英文)", "Use the WinGet COM API to fetch packages": "使用 WinGet COM API 获取软件包", "Use the WinGet PowerShell Module instead of the WinGet COM API": "使用 WinGet PowerShell 模块而不是 WinGet COM API", - "Useful links": "帮助链接", "User": "用户", - "User interface preferences": "用户界面首选项", "User | Local": "用户 | 本地", - "Username": "用户名", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "使用 WingetUI 意味着接受 GNU 宽通用公共许可证(LGPL v2.1)", - "Using WingetUI implies the acceptation of the MIT License": "使用 WingetUI 意味着接受 MIT 许可证 ", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "找不到 Vcpkg 根。请定义 %CVPKG_ROOT% 环境变量或者在 UniGetUI 设置中定义 Vcpkg 根", "Vcpkg was not found on your system.": "您系统中未找到 Vcpkg", - "Verbose": "详情", - "Version": "版本", - "Version to install:": "安装版本:", - "Version:": "版本:", - "View GitHub Profile": "查看 GitHub 个人资料", "View WingetUI on GitHub": "查看 GitHub 上的 WingetUI", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "查看 UniGetUI 的源代码。您可以在那里报告缺陷或建议功能,甚至直接为 UniGetUI 项目做出贡献", - "View mode:": "视图模式", - "View on UniGetUI": "在 UniGetUI 中查看", - "View page on browser": "在浏览器中查看页面", - "View {0} logs": "查看 {0} 日志", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "在尝试执行需要互联网连接的任务之前,请等待设备连接到互联网。", "Waiting for other installations to finish...": "正在等待其它安装完成……", "Waiting for {0} to complete...": "等待 {0} 完成...", - "Warning": "警告", - "Warning!": "警告!", - "We are checking for updates.": "正在检查更新", "We could not load detailed information about this package, because it was not found in any of your package sources": "我们无法加载此软件包的详细信息,因为在您的任何软件包安装源中都找不到它", "We could not load detailed information about this package, because it was not installed from an available package manager.": "我们无法加载此软件包的详细信息,因为它未从任何可用软件包管理器中安装。", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "我们无法{action} {package},请稍后再试。点击“{showDetails}”可获取安装程序的日志。", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "我们无法{action} {package},请稍后再试。点击“{showDetails}”可获取卸载程序的日志。", "We couldn't find any package": "我们找不到任何软件包", "Welcome to WingetUI": "欢迎使用 UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "从捆绑包中批量安装软件包时,也安装已安装的软件包", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "当检测到新的快捷方式时,自动删除它们,而不是显示此对话框。", - "Which backup do you want to open?": "你想要打开哪个备份?", "Which package managers do you want to use?": "您想使用哪个包管理器?", "Which source do you want to add?": "您想要添加哪个源?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "WingetUI 原本只设计为与 Winget 配合使用,但现在已支持其它软件包管理器,继续使用 WingetUI 的名称可能会让人感到困惑。由于 WingetUI 的发展已经超出了最初的定位,该名称不再准确地反映此项目的目标。", - "WinGet could not be repaired": "无法修复 WinGet", - "WinGet malfunction detected": "检测到 WinGet 发生故障", - "WinGet was repaired successfully": "已成功修复 WinGet", "WingetUI": "WingetUI", "WingetUI - Everything is up to date": "WingetUI - 全部都是最新的", "WingetUI - {0} updates are available": "UniGetUI - {0} 个可用更新", "WingetUI - {0} {1}": "WingetUI - {0}{1}", - "WingetUI Homepage": "WingetUI 主页", "WingetUI Homepage - Share this link!": "WingetUI 主页 - 分享此链接!", - "WingetUI License": "WingetUI 许可证", - "WingetUI Log": "WingetUI 日志", - "WingetUI Repository": "WingetUI 存储库", - "WingetUI Settings": "WingetUI 设置", "WingetUI Settings File": "WingetUI 设置文件", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "WingetUI 使用以下库。如果没有它们,就没有 WingetUI。", - "WingetUI Version {0}": "WingetUI 版本 {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI 开机自动启动行为、应用程序启动设置", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI 可以检查您的软件是否有可用更新,并且可按您的意愿自动安装它们", - "WingetUI display language:": "UniGetUI 显示语言:", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "WingetUI 已使用管理员身份运行,但不建议这样做。当以管理员身份运行 WingetUI 时,WingetUI 执行的所有操作都将具有管理员权限。您仍然可以使用此程序,但我们强烈建议您不要用管理员权限运行 WingetUI 。", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "WingetUI 已经由志愿翻译人员翻译成了 40 多种语言,感谢他们的辛勤工作!\uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI 不是机翻的!以下用户承担了翻译工作:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "WingetUI 应用程序为您基于命令行的软件包管理器提供了一体化图形界面,使得管理软件变得更容易。", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "重新命名 WingetUI 是为了强调 WingetUI(您正在使用的界面)和 Winget(由微软开发的与我们无关的包管理器)之间的区别\n", "WingetUI is being updated. When finished, WingetUI will restart itself": "WingetUI 正在更新中。完成后 WingetUI 将自动重启", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "WingetUI 是免费的并将永远免费。无广告,无需信用卡,无高级版本。永远 100% 免费。 ", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "每当某个软件包需要提升权限才能安装时,UniGetUI 都将会显示 UAC 提示。", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI 不久将会重命名为 {newname} 。这并不代表该应用会发生任何变动。我(开发者)将继续项目的开发工作,只是使用不同的名称。 \n", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "WingetUI 的诞生离不开我们亲爱的贡献者的帮助。请查看他们的 GitHub 个人页面,没有他们就无法成就 WingetUI!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "如果没有众多贡献者的帮助,WingetUI 是不可能实现的。感谢大家 \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "WingetUI {0} 已准备好安装。 ", - "Write here the process names here, separated by commas (,)": "在此处写入进程名称,以英文逗号 (,) 分隔", - "Yes": "是", - "You are logged in as {0} (@{1})": "你以 {0}(@{1})的身份登录", - "You can change this behavior on UniGetUI security settings.": "你可以在 UniGetUI 安全设置中更改此行为。", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "你可以定义在安装、更新或卸载此软件包之前或之后运行的命令。这些命令将在命令提示符下运行,所以可在此处使用 CMD 脚本。", - "You have currently version {0} installed": "您当前已安装版本 {0}", - "You have installed WingetUI Version {0}": "您已安装 WingetUI 版本 {0} ", - "You may lose unsaved data": "你可能会丢失未保存的数据", - "You may need to install {pm} in order to use it with WingetUI.": "您可能需要安装 {pm} 才能将其与 WingetUI 一起使用。 ", "You may restart your computer later if you wish": "如果需要,您可以稍后重启您的电脑", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "系统只会提示您一次,且仅向要求权限的软件包授予管理员权限。", "You will be prompted only once, and every future installation will be elevated automatically.": "系统只会提示您一次,以后的每次安装都会自动以特权执行。", - "You will likely need to interact with the installer.": "您可能需要与安装程序交互。", - "[RAN AS ADMINISTRATOR]": "以管理员身份运行", "buy me a coffee": "赞助我一杯熬夜用的咖啡", - "extracted": "已提取", - "feature": "功能", "formerly WingetUI": "原 WingetUI", "homepage": "主页", "install": "安装", "installation": "安装", - "installed": "已安装", - "installing": "正在安装", - "library": "库", - "mandatory": "强制", - "option": "选项", - "optional": "可选", "uninstall": "卸载", "uninstallation": "卸载", "uninstalled": "已卸载", - "uninstalling": "正在卸载", "update(noun)": "更新", "update(verb)": "更新", "updated": "已更新", - "updating": "正在更新", - "version {0}": "版本 {0}", - "{0} Install options are currently locked because {0} follows the default install options.": "已锁定 {0} 安装选项,因为 {0} 遵循默认安装选项。", "{0} Uninstallation": "{0} 卸载", "{0} aborted": "{0} 已中止", "{0} can be updated": "{0} 个可更新", - "{0} can be updated to version {1}": "{0} 可更新至版本 {1}", - "{0} days": "{0} 天", - "{0} desktop shortcuts created": "已创建 {0} 个桌面快捷方式", "{0} failed": "{0} 失败", - "{0} has been installed successfully.": "已成功安装 {0} 。", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "已成功安装 {0} 。建议重启 UniGetUI 以便完成此次安装", "{0} has failed, that was a requirement for {1} to be run": "{0} 失败了,但这是运行 {1} 的必要条件", - "{0} homepage": "{0} 主页", - "{0} hours": "{0} 小时", "{0} installation": "{0} 安装", - "{0} installation options": "{0} 安装选项", - "{0} installer is being downloaded": "正在下载 {0} 安装程序", - "{0} is being installed": "正在安装 {0}", - "{0} is being uninstalled": "正在卸载 {0}", "{0} is being updated": "正在更新 {0}", - "{0} is being updated to version {1}": "正在更新 {0} 至版本 {1}", - "{0} is disabled": "已禁用 {0}", - "{0} minutes": "{0} 分钟", "{0} months": "{0} 月", - "{0} packages are being updated": "正在更新 {0} 个软件包", - "{0} packages can be updated": "可以更新 {0} 个软件包", "{0} packages found": "找到 {0} 个软件包", "{0} packages were found": "已找到 {0} 个软件包", - "{0} packages were found, {1} of which match the specified filters.": "已找到 {0} 个软件包,其中 {1} 个与指定的筛选器匹配。", - "{0} selected": "{0} 选中", - "{0} settings": "{0} 设置", - "{0} status": "{0} 状态", "{0} succeeded": "{0} 成功", "{0} update": "{0} 更新", - "{0} updates are available": "{0} 个可用更新", "{0} was {1} successfully!": "{0} {1}成功", "{0} weeks": "{0} 周", "{0} years": "{0} 年", "{0} {1} failed": "{0} {1}失败", - "{package} Installation": "{package} 安装", - "{package} Uninstall": "{package} 卸载", - "{package} Update": "{package} 更新", - "{package} could not be installed": "无法安装 {package}", - "{package} could not be uninstalled": "无法卸载 {package}", - "{package} could not be updated": "无法更新 {package}", "{package} installation failed": "{package} 安装失败", - "{package} installer could not be downloaded": "无法下载 {package} 安装程序", - "{package} installer download": "{package} 安装程序下载", - "{package} installer was downloaded successfully": "已成功下载 {package} 安装程序", "{package} uninstall failed": "{package} 卸载失败", "{package} update failed": "{package} 更新失败", "{package} update failed. Click here for more details.": "{package} 更新失败。请点击此处查看详情。", - "{package} was installed successfully": "{package} 已成功安装", - "{package} was uninstalled successfully": "{package} 已成功卸载", - "{package} was updated successfully": "{package} 已成功更新", - "{pcName} installed packages": "{pcName} 已安装软件包", "{pm} could not be found": "找不到 {pm}", "{pm} found: {state}": "已找到 {pm}:{state}", - "{pm} is disabled": "{pm} 已禁用", - "{pm} is enabled and ready to go": "{pm} 已启用且准备就绪", "{pm} package manager specific preferences": "{pm} 包管理特定首选项", "{pm} preferences": "{pm} 首选项", - "{pm} version:": "{pm} 版本:", - "{pm} was not found!": "找不到 {pm} !" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "嗨,我是 Martí ,WingetUI 的开发者。WingetUI 都是我在空闲时间完成的!", + "Thank you ❤": "谢谢 ❤", + "This project has no connection with the official {0} project — it's completely unofficial.": "此项目与官方的 {0} 项目没有关联 —— 它完全是非官方的。" +} diff --git a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_TW.json b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_TW.json index 230fb49a56..a94583273f 100644 --- a/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_TW.json +++ b/src/UniGetUI.Core.LanguageEngine/Assets/Languages/lang_zh_TW.json @@ -1,155 +1,737 @@ { + "Operation in progress": "正在執行操作", + "Please wait...": "請稍候...", + "Success!": "完成!", + "Failed": "失敗", + "An error occurred while processing this package": "處理這個套件的時候發生錯誤", + "Log in to enable cloud backup": "登入以啟用雲端備份", + "Backup Failed": "備份失敗", + "Downloading backup...": "下載備份...", + "An update was found!": "找到一個更新!", + "{0} can be updated to version {1}": "{0} 可以更新到版本 {1}", + "Updates found!": "發現更新!", + "{0} packages can be updated": "有 {0} 個套件可供更新", + "You have currently version {0} installed": "您已安裝版本 {0}", + "Desktop shortcut created": "已建立桌面捷徑", + "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI 已偵測到一個新的桌面捷徑,可以自動刪除。", + "{0} desktop shortcuts created": "已在桌面建立{0}個捷徑。", + "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI 已偵測到 {0} 個新的桌面捷徑,不需要自動刪除。", + "Are you sure?": "您確定嗎?", + "Do you really want to uninstall {0}?": "您是否確定要解除安裝 {0}?", + "Do you really want to uninstall the following {0} packages?": "您確定要解除安裝以下 {0} 套件嗎?", + "No": "否", + "Yes": "是", + "View on UniGetUI": "在 UniGetUI 上檢視", + "Update": "更新", + "Open UniGetUI": "啟動 UniGetUI", + "Update all": "更新全部", + "Update now": "現在更新", + "This package is on the queue": "此套件已排入佇列", + "installing": "正在安裝", + "updating": "正在更新", + "uninstalling": "正在解除安裝", + "installed": "已安裝", + "Retry": "重試", + "Install": "安裝", + "Uninstall": "解除安裝", + "Open": "開啟", + "Operation profile:": "操作狀況:", + "Follow the default options when installing, upgrading or uninstalling this package": "安裝、升級或解除安裝此套件時,請遵循預設選項", + "The following settings will be applied each time this package is installed, updated or removed.": "以下的設定會被套用到這個套件安裝、更新或移除", + "Version to install:": "即將安裝的版本:", + "Architecture to install:": "安裝架構:", + "Installation scope:": "安裝範圍:", + "Install location:": "安裝位置:", + "Select": "選擇", + "Reset": "重設", + "Custom install arguments:": "自訂安裝參數:", + "Custom update arguments:": "自訂更新參數:", + "Custom uninstall arguments:": "自訂解除安裝參數:", + "Pre-install command:": "預安裝指令:", + "Post-install command:": "安裝後指令:", + "Abort install if pre-install command fails": "如果預安裝指令失敗,則中止安裝", + "Pre-update command:": "更新前指令:", + "Post-update command:": "更新後指令:", + "Abort update if pre-update command fails": "如果更新前指令失敗,則中止更新", + "Pre-uninstall command:": "預解除安裝前指令:", + "Post-uninstall command:": "解除安裝後指令:", + "Abort uninstall if pre-uninstall command fails": "如果解除安裝前指令失敗,則中止解除安裝", + "Command-line to run:": "命令列執行:", + "Save and close": "儲存並關閉", + "Run as admin": "以系統管理員身分執行", + "Interactive installation": "互動式安裝", + "Skip hash check": "略過雜湊值檢查", + "Uninstall previous versions when updated": "更新時解除安裝先前版本", + "Skip minor updates for this package": "跳過此套件的次要更新", + "Automatically update this package": "自動更新此套件", + "{0} installation options": "{0} 安裝選項", + "Latest": "最新", + "PreRelease": "預先發行", + "Default": "預設", + "Manage ignored updates": "管理已略過的更新", + "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "檢查更新時將不會考慮此處列出的套件。按兩下它們或按右鍵來停止略過它們的更新。", + "Reset list": "重設清單", + "Package Name": "套件名稱", + "Package ID": "套件識別碼", + "Ignored version": "已略過的版本", + "New version": "新版本", + "Source": "來源", + "All versions": "所有版本", + "Unknown": "未知", + "Up to date": "為最新版本", + "Cancel": "取消", + "Administrator privileges": "系統管理員權限", + "This operation is running with administrator privileges.": "此操作是以管理員權限執行。", + "Interactive operation": "互動式操作", + "This operation is running interactively.": "此操作以互動方式執行。", + "You will likely need to interact with the installer.": "您可能需要與安裝程式進行互動。", + "Integrity checks skipped": "跳過完整性檢查", + "Proceed at your own risk.": "請自行承擔風險。", + "Close": "關閉", + "Loading...": "正在載入...", + "Installer SHA256": "安裝程式 SHA256 值", + "Homepage": "首頁", + "Author": "作者", + "Publisher": "發行者", + "License": "授權", + "Manifest": "清單", + "Installer Type": "安裝類型", + "Size": "大小", + "Installer URL": "安裝來源網址", + "Last updated:": "最近更新:", + "Release notes URL": "版本更新說明連結", + "Package details": "套件詳細資料", + "Dependencies:": "依賴性:", + "Release notes": "版本更新說明", + "Version": "版本", + "Install as administrator": "以系統管理員身分安裝", + "Update to version {0}": "更新版本至 {0}", + "Installed Version": "已安裝的版本", + "Update as administrator": "以系統管理員身分更新", + "Interactive update": "互動式更新", + "Uninstall as administrator": "以系統管理員身分解除安裝", + "Interactive uninstall": "互動式解除安裝", + "Uninstall and remove data": "解除安裝和移除資料", + "Not available": "無法使用", + "Installer SHA512": "安裝程式 SHA512 雜湊值", + "Unknown size": "大小未知", + "No dependencies specified": "未指定依賴", + "mandatory": "指定", + "optional": "可選", + "UniGetUI {0} is ready to be installed.": "UniGetUI 版本 {0} 已準備好安裝", + "The update process will start after closing UniGetUI": "更新過程將在關閉 UniGetUI 後開始", + "Share anonymous usage data": "分享匿名使用資料", + "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI 收集匿名使用資料,以改善使用者體驗。", + "Accept": "同意", + "You have installed WingetUI Version {0}": "您已經安裝 UniGetUI 版本 {0}", + "Disclaimer": "免責聲明", + "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI 與任何相容的套件管理器無關。UniGetUI 是一個獨立的專案。", + "WingetUI wouldn't have been possible without the help of the contributors. Thank you all 🥳": "如果沒有貢獻者的幫助,UniGetUI 就沒辦法實現。感謝各位 🥳", + "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI 使用了以下函式庫。沒有它們,UniGetUI 是沒有辦法實現的。", + "{0} homepage": "{0} 首頁", + "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you 🤝": "感謝貢獻翻譯人員的幫助,UniGetUI 已被翻譯成 40 多種語言。謝謝 🤝", + "Verbose": "詳細資料", + "1 - Errors": "1 - 錯誤", + "2 - Warnings": "2 - 警告", + "3 - Information (less)": "3 - 資訊 (簡易)", + "4 - Information (more)": "4 - 資訊 (詳細)", + "5 - information (debug)": "5 - 資訊 (除錯)", + "Warning": "警告", + "The following settings may pose a security risk, hence they are disabled by default.": "下列設定可能會造成安全風險,因此預設為停用。", + "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "只有在您完全瞭解下列設定的作用及其可能涉及的影響和危險後,才能啟用這些設定。", + "The settings will list, in their descriptions, the potential security issues they may have.": "這些設定會在說明中列出其可能具有的潛在安全問題。", + "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "備份檔將包含完整的已安裝套件清單與它們的安裝設定,已忽略的版本與更新也將會被儲存。", + "The backup will NOT include any binary file nor any program's saved data.": "備份檔「不會」包含任何執行檔與任何程式儲存的資料", + "The size of the backup is estimated to be less than 1MB.": "備份檔案預計不會超過 1MB。", + "The backup will be performed after login.": "備份將在登入後進行", + "{pcName} installed packages": "{pcName} 已安裝的套件", + "Current status: Not logged in": "目前狀態: 尚未登入", + "You are logged in as {0} (@{1})": "您的登入帳號是{0}(@{1})", + "Nice! Backups will be uploaded to a private gist on your account": "非常好!備份會上傳到您帳戶的私人 gist 中", + "Select backup": "選擇備份", + "WingetUI Settings": "UniGetUI 設定", + "Allow pre-release versions": "允許預發行版本", + "Apply": "套用", + "Go to UniGetUI security settings": "前往 UniGetUI 安全設定", + "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "每次安裝、升級或解除安裝{0}套件時,預設會套用下列選項。", + "Package's default": "套件的預設值", + "Install location can't be changed for {0} packages": "{0}套件安裝的位置無法變更", + "The local icon cache currently takes {0} MB": "此本機圖示快取使用容量為 {0} MB", + "Username": "使用者名稱", + "Password": "密碼", + "Credentials": "證書", + "Partially": "部分", + "Package manager": "套件管理員", + "Compatible with proxy": "與 Proxy 相容", + "Compatible with authentication": "與認證相容", + "Proxy compatibility table": "Proxy 相容性列表", + "{0} settings": "{0} 設定", + "{0} status": "狀態{0}", + "Default installation options for {0} packages": "{0}套件安裝的預設選項", + "Expand version": "更多版本", + "The executable file for {0} was not found": "未找到 {0} 的可執行檔案", + "{pm} is disabled": "{pm} 已停用", + "Enable it to install packages from {pm}.": "從{pm}啟用安裝套件", + "{pm} is enabled and ready to go": "{pm} 已啟用並準備好", + "{pm} version:": "{pm} 版本:", + "{pm} was not found!": "沒有找到 {pm}!", + "You may need to install {pm} in order to use it with WingetUI.": "您可能需要安裝 {pm} 來與 UniGetUI 一起使用。", + "Scoop Installer - WingetUI": "Scoop 安裝程式 - UniGetUI", + "Scoop Uninstaller - WingetUI": "解除安裝 Scoop - UniGetUI", + "Clearing Scoop cache - WingetUI": "清理 Scoop 快取 - UniGetUI", + "Restart UniGetUI": "重新啟動 UniGetUI", + "Manage {0} sources": "管理 {0} 個來源", + "Add source": "新增來源", + "Add": "新增", + "Other": "其他", + "1 day": "1 天", + "{0} days": "{0} 天", + "{0} minutes": "{0} 分鐘", + "1 hour": "1 小時", + "{0} hours": "{0} 小時", + "1 week": "1 週", + "WingetUI Version {0}": "UniGetUI 版本 {0}", + "Search for packages": "搜尋套件", + "Local": "本機", + "OK": "確定", + "{0} packages were found, {1} of which match the specified filters.": "{0} 個套件已找到,{1} 個項目符合過濾條件。", + "{0} selected": "已選取 {0}", + "(Last checked: {0})": "(最後更新於:{0})", + "Enabled": "啟用", + "Disabled": "禁用", + "More info": "詳細資訊", + "Log in with GitHub to enable cloud package backup.": "使用 GitHub 登入,以啟用雲端套件備份。", + "More details": "詳細資料", + "Log in": "登入", + "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "如果您已啟用雲端備份,則會以 GitHub Gist 的形式儲存於此帳戶中", + "Log out": "登出", + "About": "關於", + "Third-party licenses": "第三方授權", + "Contributors": "貢獻者", + "Translators": "翻譯人員", + "Manage shortcuts": "桌面捷徑管理", + "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI 已偵測到以下桌面捷徑,這些捷徑可以在未來的更新中自動刪除。", + "Do you really want to reset this list? This action cannot be reverted.": "您確定要重置此清單嗎?此操作無法撤銷", + "Remove from list": "從清單中移除", + "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "偵測到新的捷徑時,會自動刪除它們,而不是顯示此對話框。", + "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI 收集匿名使用資料的唯一目的是瞭解並改善使用者體驗。", + "More details about the shared data and how it will be processed": "有關共用資料的更多詳細資訊,以及如何處理這些資料", + "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "您是否接受 UniGetUI 收集並傳送匿名使用統計資料,其唯一目的在於了解並改善使用者體驗?", + "Decline": "拒絕", + "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "我們不會收集或傳送任何個人資訊,而且所收集的資料都是匿名的,因此無法追溯到您。", + "About WingetUI": "關於 UniGetUI", + "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI 是一款應用程式,透過為命令列套件管理程式提供一體化圖形介面,讓您的套件管理變得更加輕鬆。", + "Useful links": "分享連結", + "Report an issue or submit a feature request": "回報問題或提交功能需求", + "View GitHub Profile": "檢視 GitHub 個人檔案", + "WingetUI License": "UniGetUI 授權", + "Using WingetUI implies the acceptation of the MIT License": "使用 UniGetUI 代表著您已接受 MIT 許可證", + "Become a translator": "成為一位翻譯人員", + "View page on browser": "在瀏覽器中顯示頁面", + "Copy to clipboard": "複製到剪貼簿", + "Export to a file": "匯出為檔案", + "Log level:": "紀錄等級:", + "Reload log": "重新載入記錄", + "Text": "文字", + "Change how operations request administrator rights": "變更操作要求管理員權限的方式", + "Restrictions on package operations": "套件操作的限制", + "Restrictions on package managers": "套件管理員的限制", + "Restrictions when importing package bundles": "匯入套件包時的限制", + "Ask for administrator privileges once for each batch of operations": "需要系統管理員權限來執行每一個批次檔的操作", + "Ask only once for administrator privileges": "只要求一次管理員權限", + "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "阻止透過 UniGetUI Elevator 或 GSudo 進行任何形式的提升", + "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "此選項將導致問題。任何無法自我提升的操作都會失敗。以管理員身份安裝/更新/解除安裝將無法執行。", + "Allow custom command-line arguments": "允許自訂指令列參數", + "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "自訂命令列參數可以改變程式安裝、升級或解除安裝的方式,而 UniGetUI 無法控制。使用自訂命令列可能會破壞套件。請謹慎使用。", + "Ignore custom pre-install and post-install commands when importing packages from a bundle": "允許執行自訂的安裝前與安裝後的指令", + "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "安裝前和安裝後指令會在套件安裝、升級或解除安裝前後執行。請注意,除非小心使用,否則這些指令可能會破壞系統。", + "Allow changing the paths for package manager executables": "允許變更套件管理員執行檔的路徑", + "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "開啟此功能可變更用於與套件管理員互動的可執行檔案。雖然這可讓您更精準的自訂安裝程式,但也可能會有危險", + "Allow importing custom command-line arguments when importing packages from a bundle": "從套件包匯入套件時,允許匯入自訂命令列參數", + "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "不正確的命令列參數可能會破壞套件,甚至允許惡意使用者取得執行權限。因此,預設關閉了匯入自訂命令列參數的功能", + "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "從套件中匯入套件時,允許匯入自訂的安裝前和安裝後指令", + "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "安裝前和安裝後的指令可能會對您的裝置造成非常惡劣的影響,如果設計是這樣的話。從套件包匯入指令可能非常危險,除非您信任該套件包的來源。", + "Administrator rights and other dangerous settings": "管理員權限和其他危險設定", + "Package backup": "套件備份", + "Cloud package backup": "雲端套件備份", + "Local package backup": "本機套件備份", + "Local backup advanced options": "本機備份進階選項", + "Log in with GitHub": "從 Github 登入", + "Log out from GitHub": "從 Github 登出", + "Periodically perform a cloud backup of the installed packages": "定期執行已安裝套件的雲端備份", + "Cloud backup uses a private GitHub Gist to store a list of installed packages": "雲端備份使用私人 GitHub Gist 來儲存已安裝套件的清單", + "Perform a cloud backup now": "立即執行雲端備份", + "Backup": "備份", + "Restore a backup from the cloud": "從雲端還原備份", + "Begin the process to select a cloud backup and review which packages to restore": "開始選擇雲端備份的程式,並檢視要還原的套件", + "Periodically perform a local backup of the installed packages": "定期執行已安裝套件的本機備份", + "Perform a local backup now": "立即執行本機備份", + "Change backup output directory": "變更備份儲存位置", + "Set a custom backup file name": "自訂備份的檔案名稱", + "Leave empty for default": "預設值為空", + "Add a timestamp to the backup file names": "新增一個時間戳給備份的檔案", + "Backup and Restore": "備份與還原", + "Enable background api (WingetUI Widgets and Sharing, port 7058)": "啟用背景 API(UniGetUI 小工具和共享,連接埠 7058)", + "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "在嘗試執行需要網際網路連線的操作之前,請等待裝置連線至網際網路。", + "Disable the 1-minute timeout for package-related operations": "停用與套件相關操作的 1 分鐘超時限制。", + "Use installed GSudo instead of UniGetUI Elevator": "使用已安裝的 GSudo 取代 UniGetUI Elevator", + "Use a custom icon and screenshot database URL": "使用自訂的圖示與截圖資料庫的網址", + "Enable background CPU Usage optimizations (see Pull Request #3278)": "啟用背景處理器使用最佳化(請參閱 拉取請求 #3278)", + "Perform integrity checks at startup": "啟動時執行完整性檢查", + "When batch installing packages from a bundle, install also packages that are already installed": "從套件包批量安裝套件時,也會安裝已經安裝的套件", + "Experimental settings and developer options": "實驗性設定與開發選項", + "Show UniGetUI's version and build number on the titlebar.": "在標題列上顯示 UniGetUI 的版本", + "Language": "語言", + "UniGetUI updater": "UniGetUI 更新工具", + "Telemetry": "搖測", + "Manage UniGetUI settings": "管理 UniGetUI 設定", + "Related settings": "相關設定", + "Update WingetUI automatically": "自動更新 UniGetUI", + "Check for updates": "檢查更新", + "Install prerelease versions of UniGetUI": "安裝 UniGetUI 的預發布版本", + "Manage telemetry settings": "管理遙測設定", + "Manage": "管理", + "Import settings from a local file": "從本機檔案匯入", + "Import": "匯入", + "Export settings to a local file": "匯出設定為本機檔案", + "Export": "匯出", + "Reset WingetUI": "重設 UniGetUI", + "Reset UniGetUI": "重設 UniGetUI", + "User interface preferences": "使用者介面偏好設定", + "Application theme, startup page, package icons, clear successful installs automatically": "應用程式主題、啟動頁面、套件圖示、自動清除成功安裝", + "General preferences": "一般設定", + "WingetUI display language:": "UniGetUI 顯示語言", + "Is your language missing or incomplete?": "你的語言遺失或是尚未完成", + "Appearance": "外觀", + "UniGetUI on the background and system tray": "UniGetUI 在背景和系統匣上", + "Package lists": "套件清單", + "Close UniGetUI to the system tray": "將 UniGetUI 關閉至系統匣", + "Show package icons on package lists": "在套件清單中顯示套件圖示", + "Clear cache": "清除快取", + "Select upgradable packages by default": "預設選擇可更新的套件", + "Light": "淺色", + "Dark": "深色", + "Follow system color scheme": "跟隨系統色彩模式", + "Application theme:": "應用程式佈景主題:", + "Discover Packages": "瀏覽套件", + "Software Updates": "套件更新", + "Installed Packages": "已安裝的套件", + "Package Bundles": "套件組合", + "Settings": "設定", + "UniGetUI startup page:": "UniGetUI 啟動頁面:", + "Proxy settings": "Proxy 設定", + "Other settings": "其他設定", + "Connect the internet using a custom proxy": "使用自訂 Proxy 連線到網路", + "Please note that not all package managers may fully support this feature": "請注意,並非所有套件管理員都完全支援此功能", + "Proxy URL": "Proxy 網址", + "Enter proxy URL here": "在這裡輸入 Proxy 伺服器網址", + "Package manager preferences": "套件管理平台偏好設定", + "Ready": "已就緒", + "Not found": "沒有找到", + "Notification preferences": "通知設定", + "Notification types": "通知類型", + "The system tray icon must be enabled in order for notifications to work": "必須啟用系統匣圖示,通知功能才能正常運作", + "Enable WingetUI notifications": "啟用 UniGetUI 通知", + "Show a notification when there are available updates": "有可用更新時顯示通知", + "Show a silent notification when an operation is running": "操作正在進行時顯示背景通知", + "Show a notification when an operation fails": "操作失敗時顯示通知", + "Show a notification when an operation finishes successfully": "操作成功完成時顯示通知", + "Concurrency and execution": "同時作業與執行方式", + "Automatic desktop shortcut remover": "桌面捷徑自動刪除工具", + "Clear successful operations from the operation list after a 5 second delay": "在 5 秒延遲後清除操作列表中成功的操作。", + "Download operations are not affected by this setting": "下載作業不受此設定影響", + "Try to kill the processes that refuse to close when requested to": "嘗試停止那些在被要求關閉時拒絕關閉的進程。", + "You may lose unsaved data": "您可能會遺失未儲存的資料", + "Ask to delete desktop shortcuts created during an install or upgrade.": "是否刪除在套件包安裝或更新過程中建立的桌面捷徑。", + "Package update preferences": "套件更新偏好設定", + "Update check frequency, automatically install updates, etc.": "更新檢查頻率、自動安裝更新等。", + "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "減少使用者帳戶控制提示、預設提升安裝、解鎖某些危險功能等。", + "Package operation preferences": "封裝操作偏好設定", + "Enable {pm}": "啟用 {pm}", + "Not finding the file you are looking for? Make sure it has been added to path.": "找不到您要的檔案?請確定它已加入路徑。", + "For security reasons, changing the executable file is disabled by default": "基於安全理由,預設停用變更可執行檔案", + "Change this": "變更此選項", + "Select the executable to be used. The following list shows the executables found by UniGetUI": "請選擇要使用的可執行檔。以下列表顯示 UniGetUI 找到的可執行檔。", + "Current executable file:": "目前可執行檔:", + "Ignore packages from {pm} when showing a notification about updates": "在顯示更新通知時,忽略來自 {pm} 的套件", + "View {0} logs": "檢視 {0} 記錄", + "Advanced options": "進階選項", + "Reset WinGet": "重設 WinGet", + "This may help if no packages are listed": "這可能對於沒有套件的狀況會有幫助", + "Force install location parameter when updating packages with custom locations": "在更新有自訂路徑的套件時強制安裝路徑參數", + "Use bundled WinGet instead of system WinGet": "使用內建的 WinGet,而不是系統中的 WinGet", + "This may help if WinGet packages are not shown": "如果 WinGet 套件沒有顯示,這可能會有所幫助", + "Install Scoop": "安裝 Scoop", + "Uninstall Scoop (and its packages)": "解除安裝 Scoop(及其套件)", + "Run cleanup and clear cache": "執行清理及清除快取", + "Run": "執行", + "Enable Scoop cleanup on launch": "啟動時自動清理 Scoop", + "Use system Chocolatey": "使用系統內的 Chocolatey", + "Default vcpkg triplet": "預設 Vcpkg 三重組(triplet)", + "Language, theme and other miscellaneous preferences": "語言、佈景主題與其他設定", + "Show notifications on different events": "顯示不同事件的通知", + "Change how UniGetUI checks and installs available updates for your packages": "變更 UniGetUI 檢查與安裝套件更新的方式", + "Automatically save a list of all your installed packages to easily restore them.": "自動儲存已安裝的套件清單以便輕鬆還原它們。", + "Enable and disable package managers, change default install options, etc.": "啟用或停用套件管理員、變更預設安裝選項等。", + "Internet connection settings": "網路連線設定", + "Proxy settings, etc.": "Proxy 設定等。", + "Beta features and other options that shouldn't be touched": "不建議變更的測試版功能及其他選項", + "Update checking": "更新檢查", + "Automatic updates": "自動更新", + "Check for package updates periodically": "定期檢查套件更新", + "Check for updates every:": "檢查更新頻率:", + "Install available updates automatically": "自動安裝可用的更新", + "Do not automatically install updates when the network connection is metered": "網路計量連線時,請勿自動安裝更新", + "Do not automatically install updates when the device runs on battery": "當裝置使用電池供電時,請勿自動安裝更新。", + "Do not automatically install updates when the battery saver is on": "開啟電池保護模式時,請勿自動安裝更新", + "Change how UniGetUI handles install, update and uninstall operations.": "變更 UniGetUI 處理安裝、更新以及解除安裝操作的方式。", + "Package Managers": "套件管理員", + "More": "更多", + "WingetUI Log": "UniGetUI 紀錄", + "Package Manager logs": "套件管理器紀錄", + "Operation history": "操作歷史記錄", + "Help": "說明", + "Order by:": "根據排序:", + "Name": "名稱", + "Id": "ID", + "Ascendant": "遞增", + "Descendant": "遞減", + "View mode:": "檢視樣式:", + "Filters": "過濾器", + "Sources": "來源", + "Search for packages to start": "搜尋套件來開始", + "Select all": "全選", + "Clear selection": "取消選取", + "Instant search": "即時搜尋", + "Distinguish between uppercase and lowercase": "區分大小寫", + "Ignore special characters": "忽略特殊符號", + "Search mode": "搜尋模式", + "Both": "兩者皆是", + "Exact match": "完全符合", + "Show similar packages": "顯示相似的套件", + "No results were found matching the input criteria": "沒有符合輸入條件的結果", + "No packages were found": "沒有套件被找到", + "Loading packages": "正在掃描套件", + "Skip integrity checks": "略過完整性驗證", + "Download selected installers": "下載選取的安裝程式", + "Install selection": "安裝選擇的程式", + "Install options": "安裝選項", + "Share": "分享", + "Add selection to bundle": "新增套件組合選取項目", + "Download installer": "下載安裝程式", + "Share this package": "分享這個套件", + "Uninstall selection": "解除安裝選擇的程式", + "Uninstall options": "解除安裝選項", + "Ignore selected packages": "略過已選取的套件", + "Open install location": "開啟安裝位置", + "Reinstall package": "重新安裝套件", + "Uninstall package, then reinstall it": "解除安裝套件,然後重新安裝", + "Ignore updates for this package": "忽略此套件的更新", + "Do not ignore updates for this package anymore": "不再忽略此套件包的更新。", + "Add packages or open an existing package bundle": "新增套件或打開現有的套件包", + "Add packages to start": "新增套件開始", + "The current bundle has no packages. Add some packages to get started": "目前套件包沒有任何套件。新增一些套件開始使用。", + "New": "新增", + "Save as": "另存為", + "Remove selection from bundle": "從套件組合移除選取項目", + "Skip hash checks": "略過雜湊值驗證", + "The package bundle is not valid": "此套件組合無效", + "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "您指定的套件組合格式似乎不正確,請檢查該檔案後再重試。", + "Package bundle": "套件組合", + "Could not create bundle": "無法建立組合", + "The package bundle could not be created due to an error.": "套件組合建立時發生錯誤,故無法完成建立。", + "Bundle security report": "綑綁式安全報告", + "Hooray! No updates were found.": "您現在為最新狀態", + "Everything is up to date": "每項更新都是最新的", + "Uninstall selected packages": "解除安裝已選取的套件", + "Update selection": "更新選擇的程式", + "Update options": "更新選項", + "Uninstall package, then update it": "解除安裝套件,然後更新", + "Uninstall package": "解除安裝套件", + "Skip this version": "略過這個版本", + "Pause updates for": "暫停更新至", + "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust 套件管理程式,
包含:Rust 函式庫與使用 Rust 編寫的程式", + "The classical package manager for windows. You'll find everything there.
Contains: General Software": "經典的 Windows 套件管理程式。您可以在那裡找到所有東西。
包含:一般軟體", + "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "一個充滿工具和可執行檔的儲存庫,在設計使用了 Microsoft .NET 生態系。
包含:.NET 相關的工具與腳本", + "NuPkg (zipped manifest)": "NuPkg (壓縮清單)", + "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS 的套件管理程式。圍繞 Javascript 生態的完整套件庫和其他工具程式
包含:Node Javascript 函式庫和其他相關工具程式", + "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python 的套件管理程式。完整的 Python 套件庫和其他與 Python 相關的工具程式
包含:Python 套件和相關工具程式", + "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell 的套件管理器。尋找庫和腳本以擴充 PowerShell 功能
包含:模組、腳本、Cmdlet", + "extracted": "已解壓縮", + "Scoop package": "Scoop 套件", + "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "未知但有用的工具程式和其他有趣套件的存放庫。
包含:工具程式、命令列程式、一般軟體 (需要額外的bucket)", + "library": "函式庫", + "feature": "功能", + "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "一個受歡迎的C/C++庫管理器。包含了大量的C/C++庫和其他C/C++相關的工具
包含: C/C++庫及相關工具", + "option": "選項", + "This package cannot be installed from an elevated context.": "此套件無法從更高權限的環境下安裝。", + "Please run UniGetUI as a regular user and try again.": "請以一般使用者身份執行 UniGetUI 並再試一次。", + "Please check the installation options for this package and try again": "請檢查此套件包的安裝選項,然後再試一次。", + "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft的官方套件管理程式。充滿有名和經過驗證的軟體套件
包含:一般軟體、在 Microsoft Store 上架的應用程式", + "Local PC": "電腦本機", + "Android Subsystem": "Android 子系統", + "Operation on queue (position {0})...": "(第{0}執行順位)", + "Click here for more details": "按一下此處以瞭解更多詳細資訊", + "Operation canceled by user": "操作已由使用者取消", + "Starting operation...": "開始操作...", + "{package} installer download": "{package} 下載安裝程式", + "{0} installer is being downloaded": "{0} 正在下載安裝程式", + "Download succeeded": "下載成功", + "{package} installer was downloaded successfully": "{package} 安裝程式已成功下載", + "Download failed": "下載失敗", + "{package} installer could not be downloaded": "{package} 無法下載安裝程式", + "{package} Installation": "安裝 {package}", + "{0} is being installed": "正在安裝 {0}", + "Installation succeeded": "已安裝成功", + "{package} was installed successfully": "{package} 已安裝完成", + "Installation failed": "安裝失敗", + "{package} could not be installed": "{package} 無法完成安裝", + "{package} Update": "更新 {package}", + "{0} is being updated to version {1}": "正在更新 {0} 到版本 {1}", + "Update succeeded": "已完成更新", + "{package} was updated successfully": "{package} 已更新完成", + "Update failed": "更新失敗", + "{package} could not be updated": "{package} 無法完成更新", + "{package} Uninstall": "解除安裝 {package}", + "{0} is being uninstalled": "正在解除安裝 {0}", + "Uninstall succeeded": "解除安裝成功", + "{package} was uninstalled successfully": "{package} 已解除安裝完成", + "Uninstall failed": "解除安裝失敗", + "{package} could not be uninstalled": "{package} 無法解除安裝", + "Adding source {source}": "添加源{source}", + "Adding source {source} to {manager}": "將來源 {source} 新增到 {manager}", + "Source added successfully": "來源已成功新增", + "The source {source} was added to {manager} successfully": "來源 {source} 已成功的新增到 {manager}", + "Could not add source": "無法新增來源", + "Could not add source {source} to {manager}": "無法新增來源 {source} 至 {manager}", + "Removing source {source}": "移除源{source}", + "Removing source {source} from {manager}": "從 {manager} 移除來源 {source}", + "Source removed successfully": "來源已成功移除", + "The source {source} was removed from {manager} successfully": "來源 {source} 已成功的從 {manager} 移除", + "Could not remove source": "無法移除來源", + "Could not remove source {source} from {manager}": "無法從 {manager} 移除來源 {source}", + "The package manager \"{0}\" was not found": "找不到「{0}」套件管理程式", + "The package manager \"{0}\" is disabled": "「{0}」套件管理程式已停用", + "There is an error with the configuration of the package manager \"{0}\"": "「{0}」套件管理程式中發現組態錯誤", + "The package \"{0}\" was not found on the package manager \"{1}\"": "無法在「{1}」中取得套件「{0}」\n\n\n\n\n", + "{0} is disabled": "{0} 已停用", + "Something went wrong": "出現某些錯誤", + "An interal error occurred. Please view the log for further details.": "發生一個內部錯誤,請查詢記錄檔以取得詳細資訊。", + "No applicable installer was found for the package {0}": "未找到適用於套件的安裝程式 {0}", + "We are checking for updates.": "我們正在檢查更新。", + "Please wait": "請稍候...", + "UniGetUI version {0} is being downloaded.": "正在下載 UnigetUI 版本 {0}", + "This may take a minute or two": "這需要一些時間", + "The installer authenticity could not be verified.": "無法驗證安裝程式的真實性。", + "The update process has been aborted.": "更新過程已被中止。", + "Great! You are on the latest version.": "太棒了!您已經在使用 UniGetUI 的最新版本。", + "There are no new UniGetUI versions to be installed": "目前沒有新版的 UniGetUI 可供安裝", + "An error occurred when checking for updates: ": "檢查更新時發生錯誤:", + "UniGetUI is being updated...": "UniGetUI 正在更新...", + "Something went wrong while launching the updater.": "啟動更新程式時發生錯誤。", + "Please try again later": "請稍後再試", + "Integrity checks will not be performed during this operation": "此操作期間不會執行完整性檢查", + "This is not recommended.": "不建議這麼做。", + "Run now": "立即執行", + "Run next": "排下一個執行", + "Run last": "排最後執行", + "Retry as administrator": "以管理員身份重試", + "Retry interactively": "以互動方式重試", + "Retry skipping integrity checks": "重試並跳過完整性檢查", + "Installation options": "安裝選項", + "Show in explorer": "在瀏覽器中顯示", + "This package is already installed": "此套件已安裝", + "This package can be upgraded to version {0}": "此套件可以被更新至版本 {0}", + "Updates for this package are ignored": "此套件已忽略的更新", + "This package is being processed": "正在處理此套件", + "This package is not available": "目前無法使用此套件", + "Select the source you want to add:": "選擇想要新增的來源:", + "Source name:": "來源名稱:", + "Source URL:": "來源網站:", + "An error occurred": "發生錯誤", + "An error occurred when adding the source: ": "一個執行錯誤於新增來源時", + "Package management made easy": "套件管理變的簡單", + "version {0}": "版本{0}", + "[RAN AS ADMINISTRATOR]": "以系統管理員身份執行", + "Portable mode": "便攜模式", + "DEBUG BUILD": "偵錯建置", + "Available Updates": "可用更新", + "Show WingetUI": "顯示 UniGetUI 視窗", + "Quit": "離開", + "Attention required": "請注意", + "Restart required": "需要重新啟動", + "1 update is available": "一個可用的更新", + "{0} updates are available": "有可用的 {0} 個更新", + "WingetUI Homepage": "UniGetUI 首頁", + "WingetUI Repository": "UniGetUI 儲存庫", + "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "在這裡,您可以更改 UniGetUI 關於以下快速鍵的行為。勾選某個快速鍵將使 UniGetUI 在未來更新時刪除它。取消勾選則會保留該快速鍵不變。", + "Manual scan": "手動掃描", + "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "您桌面上的現有捷徑將被掃描,您需要選擇要保留的捷徑以及要移除的捷徑", + "Continue": "繼續", + "Delete?": "刪除?", + "Missing dependency": "缺少依賴", + "Not right now": "現在不行", + "Install {0}": "安裝 {0}", + "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI 需要 {0} 協同作業,但未被安裝在您的系統中。", + "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "點擊安裝鈕來開始安裝流程。若跳過安裝,UniGetUI 可能無法正常運作。", + "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "您也可以在 Windows PowerShell 中使用以下指令來安裝 {0}:", + "Do not show this dialog again for {0}": "不要再次於 {0} 中顯示此訊息", + "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "請等候 {0} 安裝,在安裝過程期間可能會出現黑色視窗,請勿關閉它並等待它執行完畢。", + "{0} has been installed successfully.": "{0} 已成功安裝。", + "Please click on \"Continue\" to continue": "請點擊\"繼續\"以繼續", + "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} 已成功安裝。建議重新啟動 UniGetUI 以便完成安裝。", + "Restart later": "稍後重新啟動", + "An error occurred:": "發生錯誤:", + "I understand": "我了解", + "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI 已以管理員身份執行,但這並不推薦。當以管理員身份執行 UniGetUI 時,從 UniGetUI 啟動的每個操作都將擁有管理員權限。您仍然可以使用此程式,但我們強烈建議不要以管理員身分執行 UniGetUI。", + "WinGet was repaired successfully": "WinGet 已修復成功", + "It is recommended to restart UniGetUI after WinGet has been repaired": "建議在 WinGet 修復完成後,重新啟動 UniGetUI", + "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "備註:此疑難排解程式可以從 UniGetUI 設定中停用,位於 WinGet 設定中。", + "Restart": "重新啟動", + "WinGet could not be repaired": "無法完成修復 WinGet", + "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "在修復 WinGet 時遭遇未知的錯誤,請稍候再重試一次", + "Are you sure you want to delete all shortcuts?": "您確定要刪除所有捷徑嗎?", + "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "任何在安裝或更新操作期間建立的新捷徑,都會自動刪除,而不會在第一次檢測到時顯示確認提示", + "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "任何在 UniGetUI 外建立或修改的捷徑都將被忽略 您可以通過 {0} 按鈕來新增它們", + "Are you really sure you want to enable this feature?": "您確定真的要啟用此功能嗎?", + "No new shortcuts were found during the scan.": "掃描過程中未發現新的捷徑。", + "How to add packages to a bundle": "如何將套件加入套件包", + "In order to add packages to a bundle, you will need to: ": "為了將套件加入套件包,您需要:", + "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. 導覽至 {0} 或 {1}頁", + "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. 找到想要加入套件包的套件,並選擇左方的核取方塊", + "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. 當選擇了想要加入套件包的套件後,請在工具列上找到並點擊 {0} 選項", + "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. 您的套件已成功加入套件包。您可以繼續添加套件,或者匯出套件包", + "Which backup do you want to open?": "您要開啟哪個備份?", + "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "選擇您要開啟的備份。稍後,您將可檢視要還原的套件/程式。", + "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "目前有正在進行的操作。退出 UniGetUI 可能會導致這些操作失敗。您確定要繼續嗎?", + "UniGetUI or some of its components are missing or corrupt.": "UniGetUI 或其某些元件遺失或損毀。", + "It is strongly recommended to reinstall UniGetUI to adress the situation.": "強烈建議重新安裝 UniGetUI 以解決問題。", + "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "請參閱 UniGetUI 紀錄,以取得有關受影響檔案的詳細資訊", + "Integrity checks can be disabled from the Experimental Settings": "可從實驗設定停用完整性檢查。", + "Repair UniGetUI": "修復 UniGetUI", + "Live output": "即時輸出", + "Package not found": "未找到套件", + "An error occurred when attempting to show the package with Id {0}": "顯示套件時有錯誤發生,識別碼:{0}", + "Package": "套件", + "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "此套件包有一些潛在危險的設定,可能會被預設忽略。", + "Entries that show in YELLOW will be IGNORED.": "顯示黃色的項目將被忽略。", + "Entries that show in RED will be IMPORTED.": "顯示為紅色的項目將會被輸入。", + "You can change this behavior on UniGetUI security settings.": "您可以在 UniGetUI 安全設定中變更此行為。", + "Open UniGetUI security settings": "開啟 UniGetUI 安全設定", + "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "如果您修改了安全設定,您將需要再次打開套件包才能使修改生效。", + "Details of the report:": "報告的詳細內容:", "\"{0}\" is a local package and can't be shared": "\"{0}\"是本機套件,無法共用", + "Are you sure you want to create a new package bundle? ": "您確定要建立一個新的套件組合嗎?", + "Any unsaved changes will be lost": "任何未儲存的變更將會遺失", + "Warning!": "警告!", + "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "基於安全理由,自訂指令列參數預設為停用。請前往 UniGetUI 安全性設定變更。", + "Change default options": "變更預設選項", + "Ignore future updates for this package": "略過此套件未來的更新", + "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "基於安全理由,預設停用作業前與作業後指令碼。前往 UniGetUI 安全性設定變更此設定。", + "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "您可以自訂在安裝、更新或解除安裝此套件之前或之後執行的指令。這些指令會在命令提示字元上執行,因此命令提示字元腳本在此也能運作。", + "Change this and unlock": "變更此選項並解鎖", + "{0} Install options are currently locked because {0} follows the default install options.": "{0} 安裝選項目前已鎖定,因為{0}遵循預設安裝選項。", + "Select the processes that should be closed before this package is installed, updated or uninstalled.": "選擇在安裝、更新或解除安裝此套件前應關閉的進程。", + "Write here the process names here, separated by commas (,)": "在此輸入程式名稱,並以逗號 (,) 分隔", + "Unset or unknown": "尚未設定或未知", + "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "請參閱命令列輸出或參考操作歷史記錄以取得有關該問題的詳細資訊。", + "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "此套件沒有螢幕截圖或圖示嗎?您可以向 UniGetUI 開放資料庫提供這些項目。", + "Become a contributor": "成為一位協作者", + "Save": "儲存", + "Update to {0} available": "{0} 有可用的更新", + "Reinstall": "重新安裝", + "Installer not available": "安裝程式無法使用", + "Version:": "版本:", + "Performing backup, please wait...": "正在備份中,請稍後...", + "An error occurred while logging in: ": "登入時發生錯誤:", + "Fetching available backups...": "擷取可用備份...", + "Done!": "完成!", + "The cloud backup has been loaded successfully.": "雲端備份已成功載入。", + "An error occurred while loading a backup: ": "載入備份時發生錯誤:", + "Backing up packages to GitHub Gist...": "備份套件到 GitHub Gist...", + "Backup Successful": "備份成功", + "The cloud backup completed successfully.": "雲端備份成功完成。", + "Could not back up packages to GitHub Gist: ": "無法將套件備份至 GitHub Gist:", + "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "無法保證所提供的憑證會被安全地儲存,因此您可以不使用銀行帳戶的憑證", + "Enable the automatic WinGet troubleshooter": "啟用 WinGet 自動疑難排解程式", + "Enable an [experimental] improved WinGet troubleshooter": "啟用 [實驗性] 改良版的 WinGet 疑難排解工具", + "Add updates that fail with a 'no applicable update found' to the ignored updates list": "將更新失敗並顯示「未找到適用更新」的項目新增至忽略更新清單", + "Restart WingetUI to fully apply changes": "重新啟動 UniGetUI 來完全套用變更", + "Restart WingetUI": "重新啟動 UniGetUI", + "Invalid selection": "無效的選取", + "No package was selected": "沒有套件被選取", + "More than 1 package was selected": "已選取超過一個套件", + "List": "清單", + "Grid": "並排", + "Icons": "圖示", "\"{0}\" is a local package and does not have available details": "\"{0}\"是本機套件,沒有可以顯示的詳細資料", "\"{0}\" is a local package and is not compatible with this feature": "\"{0}\"是本機套件,與此功能不相容", - "(Last checked: {0})": "(最後更新於:{0})", + "WinGet malfunction detected": "已偵測到 WinGet 功能異常", + "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet 似乎沒有正常運作,您是否想要嘗試修復 WinGet?", + "Repair WinGet": "修復 WinGet", + "Create .ps1 script": "創建 .ps1 腳本", + "Add packages to bundle": "將套件新增至套件包", + "Preparing packages, please wait...": "準備套件包中,請稍後...", + "Loading packages, please wait...": "正在載入套件,請稍候...", + "Saving packages, please wait...": "正在儲存套件,請稍候...", + "The bundle was created successfully on {0}": "成功建立於 {0}", + "Install script": "安裝腳本", + "The installation script saved to {0}": "安裝腳本已儲存到 {0}", + "An error occurred while attempting to create an installation script:": "建立安裝程式碼的過程中發生了錯誤", + "{0} packages are being updated": "{0} 個套件正在更新", + "Error": "錯誤", + "Log in failed: ": "登入失敗:", + "Log out failed: ": "登出失敗:", + "Package backup settings": "套件備份設定", + "__LEGACY_TRANSLATION_KEYS_BELOW__": "Legacy translation keys below are kept for backward compatibility with older UniGetUI builds. Do not translate or remove yet.", "(Number {0} in the queue)": "(剩餘 {0} 個項目)", "0 0 0 Contributors, please add your names/usernames separated by comas (for credit purposes). DO NOT Translate this entry": "@yrctw, Aaron Liu, Cololi, @CnYeSheng, @Henryliu880922, @enKl03B, @StarsShine11904, @MINAX2U", "0 packages found": "找不到任何套件", "0 updates found": "沒有可用的更新", - "1 - Errors": "1 - 錯誤", - "1 day": "1 天", - "1 hour": "1 小時", "1 month": "1個月", "1 package was found": "已發現一個套件", - "1 update is available": "一個可用的更新", - "1 week": "1 週", "1 year": "1年", - "1. Navigate to the \"{0}\" or \"{1}\" page.": "1. 導覽至 {0} 或 {1}頁", - "2 - Warnings": "2 - 警告", - "2. Locate the package(s) you want to add to the bundle, and select their leftmost checkbox.": "2. 找到想要加入套件包的套件,並選擇左方的核取方塊", - "3 - Information (less)": "3 - 資訊 (簡易)", - "3. When the packages you want to add to the bundle are selected, find and click the option \"{0}\" on the toolbar.": "3. 當選擇了想要加入套件包的套件後,請在工具列上找到並點擊 {0} 選項", - "4 - Information (more)": "4 - 資訊 (詳細)", - "4. Your packages will have been added to the bundle. You can continue adding packages, or export the bundle.": "4. 您的套件已成功加入套件包。您可以繼續添加套件,或者匯出套件包", - "5 - information (debug)": "5 - 資訊 (除錯)", - "A popular C/C++ library manager. Full of C/C++ libraries and other C/C++-related utilities
Contains: C/C++ libraries and related utilities": "一個受歡迎的C/C++庫管理器。包含了大量的C/C++庫和其他C/C++相關的工具
包含: C/C++庫及相關工具", - "A repository full of tools and executables designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related tools and scripts": "一個充滿工具和可執行檔的儲存庫,在設計使用了 Microsoft .NET 生態系。
包含:.NET 相關的工具與腳本", "A repository full of tools designed with Microsoft's .NET ecosystem in mind.
Contains: .NET related Tools": "一個完全為 .NET 生態系統設計的工具套件庫。
包含:.NET 相關的工具", "A restart is required": "需要重新啟動", - "Abort install if pre-install command fails": "如果預安裝指令失敗,則中止安裝", - "Abort uninstall if pre-uninstall command fails": "如果解除安裝前指令失敗,則中止解除安裝", - "Abort update if pre-update command fails": "如果更新前指令失敗,則中止更新", - "About": "關於", "About Qt6": "關於 Qt6", - "About WingetUI": "關於 UniGetUI", "About WingetUI version {0}": "關於 UniGetUI 版本 {0}", "About the dev": "關於開發者", - "Accept": "同意", "Action when double-clicking packages, hide successful installations": "當點兩下套件時,隱藏已成功安裝的項目。", - "Add": "新增", "Add a source to {0}": "新增來源至 {0}", - "Add a timestamp to the backup file names": "新增一個時間戳給備份的檔案", "Add a timestamp to the backup files": "在備份檔案中新增時間戳", "Add packages or open an existing bundle": "新增套件或開啟一個存在的套件組合", - "Add packages or open an existing package bundle": "新增套件或打開現有的套件包", - "Add packages to bundle": "將套件新增至套件包", - "Add packages to start": "新增套件開始", - "Add selection to bundle": "新增套件組合選取項目", - "Add source": "新增來源", - "Add updates that fail with a 'no applicable update found' to the ignored updates list": "將更新失敗並顯示「未找到適用更新」的項目新增至忽略更新清單", - "Adding source {source}": "添加源{source}", - "Adding source {source} to {manager}": "將來源 {source} 新增到 {manager}", "Addition succeeded": "新增成功", - "Administrator privileges": "系統管理員權限", "Administrator privileges preferences": "系統管理員權限設定", "Administrator rights": "系統管理員權限", - "Administrator rights and other dangerous settings": "管理員權限和其他危險設定", - "Advanced options": "進階選項", "All files": "所有檔案", - "All versions": "所有版本", - "Allow changing the paths for package manager executables": "允許變更套件管理員執行檔的路徑", - "Allow custom command-line arguments": "允許自訂指令列參數", - "Allow importing custom command-line arguments when importing packages from a bundle": "從套件包匯入套件時,允許匯入自訂命令列參數", - "Allow importing custom pre-install and post-install commands when importing packages from a bundle": "從套件中匯入套件時,允許匯入自訂的安裝前和安裝後指令", "Allow package operations to be performed in parallel": "允許套件操作同時進行", "Allow parallel installs (NOT RECOMMENDED)": "允許多個應用程式同時安裝(不建議)", - "Allow pre-release versions": "允許預發行版本", "Allow {pm} operations to be performed in parallel": "允許 {pm} 可以同時執行", - "Alternatively, you can also install {0} by running the following command in a Windows PowerShell prompt:": "您也可以在 Windows PowerShell 中使用以下指令來安裝 {0}:", "Always elevate {pm} installations by default": "預設總是優先以 {pm} 為安裝方式", "Always run {pm} operations with administrator rights": "一律使用{pm}管理員權限執行", - "An error occurred": "發生錯誤", - "An error occurred when adding the source: ": "一個執行錯誤於新增來源時", - "An error occurred when attempting to show the package with Id {0}": "顯示套件時有錯誤發生,識別碼:{0}", - "An error occurred when checking for updates: ": "檢查更新時發生錯誤:", - "An error occurred while attempting to create an installation script:": "建立安裝程式碼的過程中發生了錯誤", - "An error occurred while loading a backup: ": "載入備份時發生錯誤:", - "An error occurred while logging in: ": "登入時發生錯誤:", - "An error occurred while processing this package": "處理這個套件的時候發生錯誤", - "An error occurred:": "發生錯誤:", - "An interal error occurred. Please view the log for further details.": "發生一個內部錯誤,請查詢記錄檔以取得詳細資訊。", "An unexpected error occurred:": "一個無法預期的執行錯誤", - "An unexpected issue occurred while attempting to repair WinGet. Please try again later": "在修復 WinGet 時遭遇未知的錯誤,請稍候再重試一次", - "An update was found!": "找到一個更新!", - "Android Subsystem": "Android 子系統", "Another source": "另一個來源", - "Any new shorcuts created during an install or an update operation will be deleted automatically, instead of showing a confirmation prompt the first time they are detected.": "任何在安裝或更新操作期間建立的新捷徑,都會自動刪除,而不會在第一次檢測到時顯示確認提示", - "Any shorcuts created or modified outside of UniGetUI will be ignored. You will be able to add them via the {0} button.": "任何在 UniGetUI 外建立或修改的捷徑都將被忽略 您可以通過 {0} 按鈕來新增它們", - "Any unsaved changes will be lost": "任何未儲存的變更將會遺失", "App Name": "應用程式名稱", - "Appearance": "外觀", - "Application theme, startup page, package icons, clear successful installs automatically": "應用程式主題、啟動頁面、套件圖示、自動清除成功安裝", - "Application theme:": "應用程式佈景主題:", - "Apply": "套用", - "Architecture to install:": "安裝架構:", "Are these screenshots wron or blurry?": "這些截圖是錯誤的或是模糊的嗎?", - "Are you really sure you want to enable this feature?": "您確定真的要啟用此功能嗎?", - "Are you sure you want to create a new package bundle? ": "您確定要建立一個新的套件組合嗎?", - "Are you sure you want to delete all shortcuts?": "您確定要刪除所有捷徑嗎?", - "Are you sure?": "您確定嗎?", - "Ascendant": "遞增", - "Ask for administrator privileges once for each batch of operations": "需要系統管理員權限來執行每一個批次檔的操作", "Ask for administrator rights when required": "需要系統管理員權限時詢問", "Ask once or always for administrator rights, elevate installations by default": "管理員權限與優先安裝方式調整", - "Ask only once for administrator privileges": "只要求一次管理員權限", "Ask only once for administrator privileges (not recommended)": "多個項目需要管理員權限時,只詢問一次(不建議)", - "Ask to delete desktop shortcuts created during an install or upgrade.": "是否刪除在套件包安裝或更新過程中建立的桌面捷徑。", - "Attention required": "請注意", "Authenticate to the proxy with an user and a password": "使用使用者和密碼認證 Proxy 伺服器", - "Author": "作者", - "Automatic desktop shortcut remover": "桌面捷徑自動刪除工具", - "Automatic updates": "自動更新", - "Automatically save a list of all your installed packages to easily restore them.": "自動儲存已安裝的套件清單以便輕鬆還原它們。", "Automatically save a list of your installed packages on your computer.": "將已安裝的套件清單自動儲存到您的電腦。", - "Automatically update this package": "自動更新此套件", "Autostart WingetUI in the notifications area": "開機時啟動 UniGetUI 並顯示系統匣圖示", - "Available Updates": "可用更新", "Available updates: {0}": "{0} 個可用的更新", "Available updates: {0}, not finished yet...": "已發現 {0} 個可用的更新,仍在繼續執行中...", - "Backing up packages to GitHub Gist...": "備份套件到 GitHub Gist...", - "Backup": "備份", - "Backup Failed": "備份失敗", - "Backup Successful": "備份成功", - "Backup and Restore": "備份與還原", "Backup installed packages": "備份已安裝的套件", "Backup location": "備份位置", - "Become a contributor": "成為一位協作者", - "Become a translator": "成為一位翻譯人員", - "Begin the process to select a cloud backup and review which packages to restore": "開始選擇雲端備份的程式,並檢視要還原的套件", - "Beta features and other options that shouldn't be touched": "不建議變更的測試版功能及其他選項", - "Both": "兩者皆是", - "Bundle security report": "綑綁式安全報告", "But here are other things you can do to learn about WingetUI even more:": "但這裡還有其他方式可以讓您更深入了解 UniGetUI:", "By toggling a package manager off, you will no longer be able to see or update its packages.": "關閉套件管理器後,將無法查看或更新其套件。", "Cache administrator rights and elevate installers by default": "預設暫存系統管理員權限,並在安裝程式執行時自動提升權限", "Cache administrator rights, but elevate installers only when required": "暫存系統管理員權限,但在安裝程式有需要時才提升權限", "Cache was reset successfully!": "快取已清除成功!", "Can't {0} {1}": "無法{0} {1}", - "Cancel": "取消", "Cancel all operations": "取消所有操作", - "Change backup output directory": "變更備份儲存位置", - "Change default options": "變更預設選項", - "Change how UniGetUI checks and installs available updates for your packages": "變更 UniGetUI 檢查與安裝套件更新的方式", - "Change how UniGetUI handles install, update and uninstall operations.": "變更 UniGetUI 處理安裝、更新以及解除安裝操作的方式。", "Change how UniGetUI installs packages, and checks and installs available updates": "變更 UniGetUI 安裝套件,以及檢查和安裝可用更新", - "Change how operations request administrator rights": "變更操作要求管理員權限的方式", "Change install location": "變更安裝位置", - "Change this": "變更此選項", - "Change this and unlock": "變更此選項並解鎖", - "Check for package updates periodically": "定期檢查套件更新", - "Check for updates": "檢查更新", - "Check for updates every:": "檢查更新頻率:", "Check for updates periodically": "依照週期自動檢查更新", "Check for updates regularly, and ask me what to do when updates are found.": "檢查更新,發現有可用的更新時詢問我。", "Check for updates regularly, and automatically install available ones.": "定期檢查更新,並自動安裝可用的更新", @@ -159,805 +741,283 @@ "Checking for updates...": "正在檢查更新...", "Checking found instace(s)...": "正在檢查發現的實例...", "Choose how many operations shouls be performed in parallel": "選擇並行執行的操作數量", - "Clear cache": "清除快取", "Clear finished operations": "清除已完成的操作", - "Clear selection": "取消選取", "Clear successful operations": "清理成功的操作", - "Clear successful operations from the operation list after a 5 second delay": "在 5 秒延遲後清除操作列表中成功的操作。", "Clear the local icon cache": "清除本機上的圖示快取", - "Clearing Scoop cache - WingetUI": "清理 Scoop 快取 - UniGetUI", "Clearing Scoop cache...": "正在清除 Scoop 快取資料...", - "Click here for more details": "按一下此處以瞭解更多詳細資訊", - "Click on Install to begin the installation process. If you skip the installation, UniGetUI may not work as expected.": "點擊安裝鈕來開始安裝流程。若跳過安裝,UniGetUI 可能無法正常運作。", - "Close": "關閉", - "Close UniGetUI to the system tray": "將 UniGetUI 關閉至系統匣", "Close WingetUI to the notification area": "關閉並最小化至系統匣", - "Cloud backup uses a private GitHub Gist to store a list of installed packages": "雲端備份使用私人 GitHub Gist 來儲存已安裝套件的清單", - "Cloud package backup": "雲端套件備份", "Command-line Output": "命令提示列輸出", - "Command-line to run:": "命令列執行:", "Compare query against": "比較查詢", - "Compatible with authentication": "與認證相容", - "Compatible with proxy": "與 Proxy 相容", "Component Information": "元件資訊", - "Concurrency and execution": "同時作業與執行方式", - "Connect the internet using a custom proxy": "使用自訂 Proxy 連線到網路", - "Continue": "繼續", "Contribute to the icon and screenshot repository": "提供圖示與螢幕截圖", - "Contributors": "貢獻者", "Copy": "複製", - "Copy to clipboard": "複製到剪貼簿", - "Could not add source": "無法新增來源", - "Could not add source {source} to {manager}": "無法新增來源 {source} 至 {manager}", - "Could not back up packages to GitHub Gist: ": "無法將套件備份至 GitHub Gist:", - "Could not create bundle": "無法建立組合", "Could not load announcements - ": "無法讀取公告 - ", "Could not load announcements - HTTP status code is $CODE": "無法讀取公告,HTTP 狀態碼為 $CODE", - "Could not remove source": "無法移除來源", - "Could not remove source {source} from {manager}": "無法從 {manager} 移除來源 {source}", "Could not remove {source} from {manager}": "無法從 {manager} 中移除 {source}", - "Create .ps1 script": "創建 .ps1 腳本", - "Credentials": "證書", "Current Version": "目前版本", - "Current executable file:": "目前可執行檔:", - "Current status: Not logged in": "目前狀態: 尚未登入", "Current user": "目前使用者", "Custom arguments:": "自訂參數:", - "Custom command-line arguments can change the way in which programs are installed, upgraded or uninstalled, in a way UniGetUI cannot control. Using custom command-lines can break packages. Proceed with caution.": "自訂命令列參數可以改變程式安裝、升級或解除安裝的方式,而 UniGetUI 無法控制。使用自訂命令列可能會破壞套件。請謹慎使用。", "Custom command-line arguments:": "自訂命令參數", - "Custom install arguments:": "自訂安裝參數:", - "Custom uninstall arguments:": "自訂解除安裝參數:", - "Custom update arguments:": "自訂更新參數:", "Customize WingetUI - for hackers and advanced users only": "自訂 UniGetUI - 僅適用於進階使用者", - "DEBUG BUILD": "偵錯建置", "DISCLAIMER: WE ARE NOT RESPONSIBLE FOR THE DOWNLOADED PACKAGES. PLEASE MAKE SURE TO INSTALL ONLY TRUSTED SOFTWARE.": "聲明:我們不對下載的套件負任何責任。\n請確定安裝的套件是您信任的軟體。", - "Dark": "深色", - "Decline": "拒絕", - "Default": "預設", - "Default installation options for {0} packages": "{0}套件安裝的預設選項", "Default preferences - suitable for regular users": "預設偏好設定 - 適合大部分使用者", - "Default vcpkg triplet": "預設 Vcpkg 三重組(triplet)", - "Delete?": "刪除?", - "Dependencies:": "依賴性:", - "Descendant": "遞減", "Description:": "描述:", - "Desktop shortcut created": "已建立桌面捷徑", - "Details of the report:": "報告的詳細內容:", "Developing is hard, and this application is free. But if you liked the application, you can always buy me a coffee :)": "開發應用程式有一定難度,而且這個應用程式為無償提供。如果你喜歡這個應用程式,您可以考慮請我喝杯咖啡 :)", "Directly install when double-clicking an item on the \"{discoveryTab}\" tab (instead of showing the package info)": "在「{discoveryTab}」分頁中,點兩下項目來直接安裝套件 (取代原本的顯示套件資訊)", "Disable new share API (port 7058)": "停用新的分享 API (連接埠 7058)", - "Disable the 1-minute timeout for package-related operations": "停用與套件相關操作的 1 分鐘超時限制。", - "Disabled": "禁用", - "Disclaimer": "免責聲明", - "Discover Packages": "瀏覽套件", "Discover packages": "探索套件", "Distinguish between\nuppercase and lowercase": "區分大小寫", - "Distinguish between uppercase and lowercase": "區分大小寫", "Do NOT check for updates": "不要自動檢查更新", "Do an interactive install for the selected packages": "互動式安裝已選取的套件", "Do an interactive uninstall for the selected packages": "互動式解除安裝已選取的套件", "Do an interactive update for the selected packages": "互動式更新已選取的套件", - "Do not automatically install updates when the battery saver is on": "開啟電池保護模式時,請勿自動安裝更新", - "Do not automatically install updates when the device runs on battery": "當裝置使用電池供電時,請勿自動安裝更新。", - "Do not automatically install updates when the network connection is metered": "網路計量連線時,請勿自動安裝更新", "Do not download new app translations from GitHub automatically": "不要從 GitHub 自動下載翻譯檔案", - "Do not ignore updates for this package anymore": "不再忽略此套件包的更新。", "Do not remove successful operations from the list automatically": "不要自動從列表中移除成功的操作", - "Do not show this dialog again for {0}": "不要再次於 {0} 中顯示此訊息", "Do not update package indexes on launch": "啟動時不要更新套件索引", - "Do you accept that UniGetUI collects and sends anonymous usage statistics, with the sole purpose of understanding and improving the user experience?": "您是否接受 UniGetUI 收集並傳送匿名使用統計資料,其唯一目的在於了解並改善使用者體驗?", "Do you find WingetUI useful? If you can, you may want to support my work, so I can continue making WingetUI the ultimate package managing interface.": "您覺得 UniGetUI 有用嗎?如果可以的話,您可以支持我的作品,這樣我就可以繼續讓 UniGetUI 成為更好的套件管理介面。", "Do you find WingetUI useful? You'd like to support the developer? If so, you can {0}, it helps a lot!": "您是否發現 UniGetUI 對您有幫助?您是否想要支持專案開發人員?您可以{0},這對我們很有幫助!", - "Do you really want to reset this list? This action cannot be reverted.": "您確定要重置此清單嗎?此操作無法撤銷", - "Do you really want to uninstall the following {0} packages?": "您確定要解除安裝以下 {0} 套件嗎?", "Do you really want to uninstall {0} packages?": "您確定要解除安裝 {0} 套件嗎?", - "Do you really want to uninstall {0}?": "您是否確定要解除安裝 {0}?", "Do you want to restart your computer now?": "您是否要立即重新啟動電腦?", "Do you want to translate WingetUI to your language? See how to contribute HERE!": "您是否想要協助將 UniGetUI 翻譯成您使用的語言?請點選此處來參閱貢獻方式。", "Don't feel like donating? Don't worry, you can always share WingetUI with your friends. Spread the word about WingetUI.": "沒有意願贊助嗎?沒關係,您可以將 UniGetUI 分享給您的朋友,幫忙宣傳 UniGetUI。", "Donate": "贊助", - "Done!": "完成!", - "Download failed": "下載失敗", - "Download installer": "下載安裝程式", - "Download operations are not affected by this setting": "下載作業不受此設定影響", - "Download selected installers": "下載選取的安裝程式", - "Download succeeded": "下載成功", "Download updated language files from GitHub automatically": "自動從Github下載語言文件", - "Downloading": "下載中", - "Downloading backup...": "下載備份...", - "Downloading installer for {package}": "正在下載 {package} 套件的安裝程式", - "Downloading package metadata...": "正在下載套件的中繼資料...", - "Enable Scoop cleanup on launch": "啟動時自動清理 Scoop", - "Enable WingetUI notifications": "啟用 UniGetUI 通知", - "Enable an [experimental] improved WinGet troubleshooter": "啟用 [實驗性] 改良版的 WinGet 疑難排解工具", - "Enable and disable package managers, change default install options, etc.": "啟用或停用套件管理員、變更預設安裝選項等。", - "Enable background CPU Usage optimizations (see Pull Request #3278)": "啟用背景處理器使用最佳化(請參閱 拉取請求 #3278)", - "Enable background api (WingetUI Widgets and Sharing, port 7058)": "啟用背景 API(UniGetUI 小工具和共享,連接埠 7058)", - "Enable it to install packages from {pm}.": "從{pm}啟用安裝套件", - "Enable the automatic WinGet troubleshooter": "啟用 WinGet 自動疑難排解程式", - "Enable the new UniGetUI-Branded UAC Elevator": "啟用新的 UniGetUI 使用者帳戶控制 權限提升程式權限", - "Enable the new process input handler (StdIn automated closer)": "啟用新的程序輸入處理程式 (StdIn 自動關閉)", - "Enable the settings below if and only if you fully understand what they do, and the implications they may have.": "只有在您完全瞭解下列設定的作用及其可能涉及的影響和危險後,才能啟用這些設定。", - "Enable {pm}": "啟用 {pm}", - "Enabled": "啟用", - "Enter proxy URL here": "在這裡輸入 Proxy 伺服器網址", - "Entries that show in RED will be IMPORTED.": "顯示為紅色的項目將會被輸入。", - "Entries that show in YELLOW will be IGNORED.": "顯示黃色的項目將被忽略。", - "Error": "錯誤", - "Everything is up to date": "每項更新都是最新的", - "Exact match": "完全符合", - "Existing shortcuts on your desktop will be scanned, and you will need to pick which ones to keep and which ones to remove.": "您桌面上的現有捷徑將被掃描,您需要選擇要保留的捷徑以及要移除的捷徑", - "Expand version": "更多版本", - "Experimental settings and developer options": "實驗性設定與開發選項", - "Export": "匯出", + "Downloading": "下載中", + "Downloading installer for {package}": "正在下載 {package} 套件的安裝程式", + "Downloading package metadata...": "正在下載套件的中繼資料...", + "Enable the new UniGetUI-Branded UAC Elevator": "啟用新的 UniGetUI 使用者帳戶控制 權限提升程式權限", + "Enable the new process input handler (StdIn automated closer)": "啟用新的程序輸入處理程式 (StdIn 自動關閉)", "Export log as a file": "匯出紀錄檔", "Export packages": "匯出套件", "Export selected packages to a file": "匯出已選取的套件", - "Export settings to a local file": "匯出設定為本機檔案", - "Export to a file": "匯出為檔案", - "Failed": "失敗", - "Fetching available backups...": "擷取可用備份...", "Fetching latest announcements, please wait...": "正在取得最新的公告,請稍後...", - "Filters": "過濾器", "Finish": "完成", - "Follow system color scheme": "跟隨系統色彩模式", - "Follow the default options when installing, upgrading or uninstalling this package": "安裝、升級或解除安裝此套件時,請遵循預設選項", - "For security reasons, changing the executable file is disabled by default": "基於安全理由,預設停用變更可執行檔案", - "For security reasons, custom command-line arguments are disabled by default. Go to UniGetUI security settings to change this. ": "基於安全理由,自訂指令列參數預設為停用。請前往 UniGetUI 安全性設定變更。", - "For security reasons, pre-operation and post-operation scripts are disabled by default. Go to UniGetUI security settings to change this. ": "基於安全理由,預設停用作業前與作業後指令碼。前往 UniGetUI 安全性設定變更此設定。", "Force ARM compiled winget version (ONLY FOR ARM64 SYSTEMS)": "強制使用 ARM 編譯的 winget 版本 (僅適用於 ARM64 系統)", - "Force install location parameter when updating packages with custom locations": "在更新有自訂路徑的套件時強制安裝路徑參數", "Formerly known as WingetUI": "前身為 WingetUI", "Found": "已偵測", "Found packages: ": "找到安裝包:", "Found packages: {0}": "發現套件:{0}", "Found packages: {0}, not finished yet...": "正在搜尋中,已發現 {0} 個套件...", - "General preferences": "一般設定", "GitHub profile": "GitHub 個人頁面", "Global": "全域設定", - "Go to UniGetUI security settings": "前往 UniGetUI 安全設定", - "Great repository of unknown but useful utilities and other interesting packages.
Contains: Utilities, Command-line programs, General Software (extras bucket required)": "未知但有用的工具程式和其他有趣套件的存放庫。
包含:工具程式、命令列程式、一般軟體 (需要額外的bucket)", - "Great! You are on the latest version.": "太棒了!您已經在使用 UniGetUI 的最新版本。", - "Grid": "並排", - "Help": "說明", "Help and documentation": "說明與文件", - "Here you can change UniGetUI's behaviour regarding the following shortcuts. Checking a shortcut will make UniGetUI delete it if if gets created on a future upgrade. Unchecking it will keep the shortcut intact": "在這裡,您可以更改 UniGetUI 關於以下快速鍵的行為。勾選某個快速鍵將使 UniGetUI 在未來更新時刪除它。取消勾選則會保留該快速鍵不變。", - "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "您好,我的名字是 Martí,我是 UniGetUI 專案的開發人員。UniGetUI 完全是在我的空閒時間製作的。", "Hide details": "隱藏詳細資料", - "Homepage": "首頁", - "Hooray! No updates were found.": "您現在為最新狀態", "How should installations that require administrator privileges be treated?": "應該如何處理需要系統管理員權限的安裝?", - "How to add packages to a bundle": "如何將套件加入套件包", - "I understand": "我了解", - "Icons": "圖示", - "Id": "ID", - "If you have cloud backup enabled, it will be saved as a GitHub Gist on this account": "如果您已啟用雲端備份,則會以 GitHub Gist 的形式儲存於此帳戶中", - "Ignore custom pre-install and post-install commands when importing packages from a bundle": "允許執行自訂的安裝前與安裝後的指令", - "Ignore future updates for this package": "略過此套件未來的更新", - "Ignore packages from {pm} when showing a notification about updates": "在顯示更新通知時,忽略來自 {pm} 的套件", - "Ignore selected packages": "略過已選取的套件", - "Ignore special characters": "忽略特殊符號", "Ignore updates for the selected packages": "忽略已選取套件的更新", - "Ignore updates for this package": "忽略此套件的更新", "Ignored updates": "已略過的更新", - "Ignored version": "已略過的版本", - "Import": "匯入", "Import packages": "匯入套件", "Import packages from a file": "從檔案匯入套件", - "Import settings from a local file": "從本機檔案匯入", - "In order to add packages to a bundle, you will need to: ": "為了將套件加入套件包,您需要:", "Initializing WingetUI...": "正在準備 UniGetUI...", - "Install": "安裝", - "Install Scoop": "安裝 Scoop", "Install and more": "安裝與更多", "Install and update preferences": "安裝和更新喜好設定", - "Install as administrator": "以系統管理員身分安裝", - "Install available updates automatically": "自動安裝可用的更新", - "Install location can't be changed for {0} packages": "{0}套件安裝的位置無法變更", - "Install location:": "安裝位置:", - "Install options": "安裝選項", "Install packages from a file": "從檔案安裝套件", - "Install prerelease versions of UniGetUI": "安裝 UniGetUI 的預發布版本", - "Install script": "安裝腳本", "Install selected packages": "安裝已選取的套件", "Install selected packages with administrator privileges": "以系統管理員身分安裝已選取的套件", - "Install selection": "安裝選擇的程式", "Install the latest prerelease version": "安裝最新的預先發布版本", "Install updates automatically": "自動安裝更新", - "Install {0}": "安裝 {0}", "Installation canceled by the user!": "安裝已被使用者取消!", - "Installation failed": "安裝失敗", - "Installation options": "安裝選項", - "Installation scope:": "安裝範圍:", - "Installation succeeded": "已安裝成功", - "Installed Packages": "已安裝的套件", - "Installed Version": "已安裝的版本", "Installed packages": "已安裝的套件", - "Installer SHA256": "安裝程式 SHA256 值", - "Installer SHA512": "安裝程式 SHA512 雜湊值", - "Installer Type": "安裝類型", - "Installer URL": "安裝來源網址", - "Installer not available": "安裝程式無法使用", "Instance {0} responded, quitting...": "實體 {0} 已回應,正在完成...", - "Instant search": "即時搜尋", - "Integrity checks can be disabled from the Experimental Settings": "可從實驗設定停用完整性檢查。", - "Integrity checks skipped": "跳過完整性檢查", - "Integrity checks will not be performed during this operation": "此操作期間不會執行完整性檢查", - "Interactive installation": "互動式安裝", - "Interactive operation": "互動式操作", - "Interactive uninstall": "互動式解除安裝", - "Interactive update": "互動式更新", - "Internet connection settings": "網路連線設定", - "Invalid selection": "無效的選取", "Is this package missing the icon?": "這個套件是否缺少圖示?", - "Is your language missing or incomplete?": "你的語言遺失或是尚未完成", - "It is not guaranteed that the provided credentials will be stored safely, so you may as well not use the credentials of your bank account": "無法保證所提供的憑證會被安全地儲存,因此您可以不使用銀行帳戶的憑證", - "It is recommended to restart UniGetUI after WinGet has been repaired": "建議在 WinGet 修復完成後,重新啟動 UniGetUI", - "It is strongly recommended to reinstall UniGetUI to adress the situation.": "強烈建議重新安裝 UniGetUI 以解決問題。", - "It looks like WinGet is not working properly. Do you want to attempt to repair WinGet?": "WinGet 似乎沒有正常運作,您是否想要嘗試修復 WinGet?", "It looks like you ran WingetUI as administrator, which is not recommended. You can still use the program, but we highly recommend not running WingetUI with administrator privileges. Click on \"{showDetails}\" to see why.": "看起來您以系統管理員身份執行 UniGetUI,但是並不建議這麼做。您仍然可以使用此應用程式,但我們建議您不要以系統管理員身份執行 UniGetUI,點選「{showDetails}」以瞭解原因。", - "Language": "語言", - "Language, theme and other miscellaneous preferences": "語言、佈景主題與其他設定", - "Last updated:": "最近更新:", - "Latest": "最新", "Latest Version": "最新版本", "Latest Version:": "最新版本:", "Latest details...": "最新詳細資訊", "Launching subprocess...": "正在啟動子程序...", - "Leave empty for default": "預設值為空", - "License": "授權", "Licenses": "授權許可", - "Light": "淺色", - "List": "清單", "Live command-line output": "即時命令列輸出", - "Live output": "即時輸出", "Loading UI components...": "正在載入 UI 元件...", "Loading WingetUI...": "正在載入 UniGetUI...", - "Loading packages": "正在掃描套件", - "Loading packages, please wait...": "正在載入套件,請稍候...", - "Loading...": "正在載入...", - "Local": "本機", - "Local PC": "電腦本機", - "Local backup advanced options": "本機備份進階選項", "Local machine": "本機", - "Local package backup": "本機套件備份", "Locating {pm}...": "正在定位 {pm}...", - "Log in": "登入", - "Log in failed: ": "登入失敗:", - "Log in to enable cloud backup": "登入以啟用雲端備份", - "Log in with GitHub": "從 Github 登入", - "Log in with GitHub to enable cloud package backup.": "使用 GitHub 登入,以啟用雲端套件備份。", - "Log level:": "紀錄等級:", - "Log out": "登出", - "Log out failed: ": "登出失敗:", - "Log out from GitHub": "從 Github 登出", "Looking for packages...": "正在尋找套件...", "Machine | Global": "本機 | 全域", - "Malformed command-line arguments can break packages, or even allow a malicious actor to gain privileged execution. Therefore, importing custom command-line arguments is disabled by default": "不正確的命令列參數可能會破壞套件,甚至允許惡意使用者取得執行權限。因此,預設關閉了匯入自訂命令列參數的功能", - "Manage": "管理", - "Manage UniGetUI settings": "管理 UniGetUI 設定", "Manage WingetUI autostart behaviour from the Settings app": "讓 UniGetUI 自動啟動", "Manage ignored packages": "管理忽略的套件", - "Manage ignored updates": "管理已略過的更新", - "Manage shortcuts": "桌面捷徑管理", - "Manage telemetry settings": "管理遙測設定", - "Manage {0} sources": "管理 {0} 個來源", - "Manifest": "清單", "Manifests": "清單檔案", - "Manual scan": "手動掃描", - "Microsoft's official package manager. Full of well-known and verified packages
Contains: General Software, Microsoft Store apps": "Microsoft的官方套件管理程式。充滿有名和經過驗證的軟體套件
包含:一般軟體、在 Microsoft Store 上架的應用程式", - "Missing dependency": "缺少依賴", - "More": "更多", - "More details": "詳細資料", - "More details about the shared data and how it will be processed": "有關共用資料的更多詳細資訊,以及如何處理這些資料", - "More info": "詳細資訊", - "More than 1 package was selected": "已選取超過一個套件", - "NOTE: This troubleshooter can be disabled from UniGetUI Settings, on the WinGet section": "備註:此疑難排解程式可以從 UniGetUI 設定中停用,位於 WinGet 設定中。", - "Name": "名稱", - "New": "新增", "New Version": "新版本", "New bundle": "新的套件組合", - "New version": "新版本", - "Nice! Backups will be uploaded to a private gist on your account": "非常好!備份會上傳到您帳戶的私人 gist 中", - "No": "否", - "No applicable installer was found for the package {0}": "未找到適用於套件的安裝程式 {0}", - "No dependencies specified": "未指定依賴", - "No new shortcuts were found during the scan.": "掃描過程中未發現新的捷徑。", - "No package was selected": "沒有套件被選取", "No packages found": "找不到套件", "No packages found matching the input criteria": "沒有套件符合輸入的條件", "No packages have been added yet": "沒有新增套件", "No packages selected": "沒有套件被選取", - "No packages were found": "沒有套件被找到", - "No personal information is collected nor sent, and the collected data is anonimized, so it can't be back-tracked to you.": "我們不會收集或傳送任何個人資訊,而且所收集的資料都是匿名的,因此無法追溯到您。", - "No results were found matching the input criteria": "沒有符合輸入條件的結果", "No sources found": "沒有找到來源", "No sources were found": "找不到來源", "No updates are available": "沒有可安裝的更新", - "Node JS's package manager. Full of libraries and other utilities that orbit the javascript world
Contains: Node javascript libraries and other related utilities": "Node JS 的套件管理程式。圍繞 Javascript 生態的完整套件庫和其他工具程式
包含:Node Javascript 函式庫和其他相關工具程式", - "Not available": "無法使用", - "Not finding the file you are looking for? Make sure it has been added to path.": "找不到您要的檔案?請確定它已加入路徑。", - "Not found": "沒有找到", - "Not right now": "現在不行", "Notes:": "備註:", - "Notification preferences": "通知設定", "Notification tray options": "系統匣圖示選項", - "Notification types": "通知類型", - "NuPkg (zipped manifest)": "NuPkg (壓縮清單)", - "OK": "確定", "Ok": "確定", - "Open": "開啟", "Open GitHub": "瀏覽 GitHub", - "Open UniGetUI": "啟動 UniGetUI", - "Open UniGetUI security settings": "開啟 UniGetUI 安全設定", "Open WingetUI": "開啟 UniGetUI", "Open backup location": "開啟備份檔案位置", "Open existing bundle": "開啟套件組合", - "Open install location": "開啟安裝位置", "Open the welcome wizard": "開啟首次設定精靈", - "Operation canceled by user": "操作已由使用者取消", "Operation cancelled": "取消操作", - "Operation history": "操作歷史記錄", - "Operation in progress": "正在執行操作", - "Operation on queue (position {0})...": "(第{0}執行順位)", - "Operation profile:": "操作狀況:", "Options saved": "選項已儲存", - "Order by:": "根據排序:", - "Other": "其他", - "Other settings": "其他設定", - "Package": "套件", - "Package Bundles": "套件組合", - "Package ID": "套件識別碼", "Package Manager": "套件管理器", - "Package Manager logs": "套件管理器紀錄", - "Package Managers": "套件管理員", - "Package Name": "套件名稱", - "Package backup": "套件備份", - "Package backup settings": "套件備份設定", - "Package bundle": "套件組合", - "Package details": "套件詳細資料", - "Package lists": "套件清單", - "Package management made easy": "套件管理變的簡單", - "Package manager": "套件管理員", - "Package manager preferences": "套件管理平台偏好設定", "Package managers": "套件管理器", - "Package not found": "未找到套件", - "Package operation preferences": "封裝操作偏好設定", - "Package update preferences": "套件更新偏好設定", "Package {name} from {manager}": "{manager} 中的 {name} 套件", - "Package's default": "套件的預設值", "Packages": "套件", "Packages found: {0}": "發現套件:{0}", - "Partially": "部分", - "Password": "密碼", "Paste a valid URL to the database": "貼上可用的資料庫網址", - "Pause updates for": "暫停更新至", "Perform a backup now": "立即備份", - "Perform a cloud backup now": "立即執行雲端備份", - "Perform a local backup now": "立即執行本機備份", - "Perform integrity checks at startup": "啟動時執行完整性檢查", - "Performing backup, please wait...": "正在備份中,請稍後...", "Periodically perform a backup of the installed packages": "定期備份已安裝的套件", - "Periodically perform a cloud backup of the installed packages": "定期執行已安裝套件的雲端備份", - "Periodically perform a local backup of the installed packages": "定期執行已安裝套件的本機備份", - "Please check the installation options for this package and try again": "請檢查此套件包的安裝選項,然後再試一次。", - "Please click on \"Continue\" to continue": "請點擊\"繼續\"以繼續", "Please enter at least 3 characters": "請輸入至少三個字元", "Please note that certain packages might not be installable, due to the package managers that are enabled on this machine.": "請注意,由於在本機上啟用了套件管理程式,某些套件可能無法安裝。", - "Please note that not all package managers may fully support this feature": "請注意,並非所有套件管理員都完全支援此功能", "Please note that packages from certain sources may be not exportable. They have been greyed out and won't be exported.": "請注意,有些來源的套件無法進行匯出,以灰色標示的套件不支援此功能。", - "Please run UniGetUI as a regular user and try again.": "請以一般使用者身份執行 UniGetUI 並再試一次。", - "Please see the Command-line Output or refer to the Operation History for further information about the issue.": "請參閱命令列輸出或參考操作歷史記錄以取得有關該問題的詳細資訊。", "Please select how you want to configure WingetUI": "請選擇您設定 UniGetUI 的方式", - "Please try again later": "請稍後再試", "Please type at least two characters": "請輸入至少兩個字符。", - "Please wait": "請稍候...", - "Please wait while {0} is being installed. A black window may show up. Please wait until it closes.": "請等候 {0} 安裝,在安裝過程期間可能會出現黑色視窗,請勿關閉它並等待它執行完畢。", - "Please wait...": "請稍候...", "Portable": "免安裝程式", - "Portable mode": "便攜模式", - "Post-install command:": "安裝後指令:", - "Post-uninstall command:": "解除安裝後指令:", - "Post-update command:": "更新後指令:", - "PowerShell's package manager. Find libraries and scripts to expand PowerShell capabilities
Contains: Modules, Scripts, Cmdlets": "PowerShell 的套件管理器。尋找庫和腳本以擴充 PowerShell 功能
包含:模組、腳本、Cmdlet", - "Pre and post install commands can do very nasty things to your device, if designed to do so. It can be very dangerous to import the commands from a bundle, unless you trust the source of that package bundle": "安裝前和安裝後的指令可能會對您的裝置造成非常惡劣的影響,如果設計是這樣的話。從套件包匯入指令可能非常危險,除非您信任該套件包的來源。", - "Pre and post install commands will be run before and after a package gets installed, upgraded or uninstalled. Be aware that they may break things unless used carefully": "安裝前和安裝後指令會在套件安裝、升級或解除安裝前後執行。請注意,除非小心使用,否則這些指令可能會破壞系統。", - "Pre-install command:": "預安裝指令:", - "Pre-uninstall command:": "預解除安裝前指令:", - "Pre-update command:": "更新前指令:", - "PreRelease": "預先發行", - "Preparing packages, please wait...": "準備套件包中,請稍後...", - "Proceed at your own risk.": "請自行承擔風險。", - "Prohibit any kind of Elevation via UniGetUI Elevator or GSudo": "阻止透過 UniGetUI Elevator 或 GSudo 進行任何形式的提升", - "Proxy URL": "Proxy 網址", - "Proxy compatibility table": "Proxy 相容性列表", - "Proxy settings": "Proxy 設定", - "Proxy settings, etc.": "Proxy 設定等。", "Publication date:": "發佈日期:", - "Publisher": "發行者", - "Python's library manager. Full of python libraries and other python-related utilities
Contains: Python libraries and related utilities": "Python 的套件管理程式。完整的 Python 套件庫和其他與 Python 相關的工具程式
包含:Python 套件和相關工具程式", - "Quit": "離開", "Quit WingetUI": "離開 UniGetUI", - "Ready": "已就緒", - "Reduce UAC prompts, elevate installations by default, unlock certain dangerous features, etc.": "減少使用者帳戶控制提示、預設提升安裝、解鎖某些危險功能等。", - "Refer to the UniGetUI Logs to get more details regarding the affected file(s)": "請參閱 UniGetUI 紀錄,以取得有關受影響檔案的詳細資訊", - "Reinstall": "重新安裝", - "Reinstall package": "重新安裝套件", - "Related settings": "相關設定", - "Release notes": "版本更新說明", - "Release notes URL": "版本更新說明連結", "Release notes URL:": "版本更新說明連結:", "Release notes:": "版本更新說明:", "Reload": "重新整理", - "Reload log": "重新載入記錄", "Removal failed": "移除失敗", "Removal succeeded": "移除成功", - "Remove from list": "從清單中移除", "Remove permanent data": "移除永久數據", - "Remove selection from bundle": "從套件組合移除選取項目", "Remove successful installs/uninstalls/updates from the installation list": "從安裝套件清單中隱藏已經安裝成功、已解除安裝和已更新套件項目", - "Removing source {source}": "移除源{source}", - "Removing source {source} from {manager}": "從 {manager} 移除來源 {source}", - "Repair UniGetUI": "修復 UniGetUI", - "Repair WinGet": "修復 WinGet", - "Report an issue or submit a feature request": "回報問題或提交功能需求", "Repository": "存放庫", - "Reset": "重設", "Reset Scoop's global app cache": "重置 Scoop 的全域應用程式快取。", - "Reset UniGetUI": "重設 UniGetUI", - "Reset WinGet": "重設 WinGet", "Reset Winget sources (might help if no packages are listed)": "重設 Winget 安裝來源 (當套件清單沒有項目時可能有幫助)", - "Reset WingetUI": "重設 UniGetUI", "Reset WingetUI and its preferences": "重設 UniGetUI 與其設定", "Reset WingetUI icon and screenshot cache": "重設 UniGetUI 圖示與截圖快取", - "Reset list": "重設清單", "Resetting Winget sources - WingetUI": "重設 Winget 來源 - UniGetUI", - "Restart": "重新啟動", - "Restart UniGetUI": "重新啟動 UniGetUI", - "Restart WingetUI": "重新啟動 UniGetUI", - "Restart WingetUI to fully apply changes": "重新啟動 UniGetUI 來完全套用變更", - "Restart later": "稍後重新啟動", "Restart now": "立即重新啟動", - "Restart required": "需要重新啟動", - "Restart your PC to finish installation": "重新啟動來完成更新", - "Restart your computer to finish the installation": "請重新啟動您的電腦來完成更新", - "Restore a backup from the cloud": "從雲端還原備份", - "Restrictions on package managers": "套件管理員的限制", - "Restrictions on package operations": "套件操作的限制", - "Restrictions when importing package bundles": "匯入套件包時的限制", - "Retry": "重試", - "Retry as administrator": "以管理員身份重試", - "Retry failed operations": "重試失敗的操作", - "Retry interactively": "以互動方式重試", - "Retry skipping integrity checks": "重試並跳過完整性檢查", - "Retrying, please wait...": "正在重試,請稍候...", - "Return to top": "回到最上面", - "Run": "執行", - "Run as admin": "以系統管理員身分執行", - "Run cleanup and clear cache": "執行清理及清除快取", - "Run last": "排最後執行", - "Run next": "排下一個執行", - "Run now": "立即執行", + "Restart your PC to finish installation": "重新啟動來完成更新", + "Restart your computer to finish the installation": "請重新啟動您的電腦來完成更新", + "Retry failed operations": "重試失敗的操作", + "Retrying, please wait...": "正在重試,請稍候...", + "Return to top": "回到最上面", "Running the installer...": "正在執行安裝程式...", "Running the uninstaller...": "正在解除安裝...", "Running the updater...": "正在執行更新程式...", - "Save": "儲存", "Save File": "儲存檔案", - "Save and close": "儲存並關閉", - "Save as": "另存為", "Save bundle as": "另存套件組合為", "Save now": "立即儲存", - "Saving packages, please wait...": "正在儲存套件,請稍候...", - "Scoop Installer - WingetUI": "Scoop 安裝程式 - UniGetUI", - "Scoop Uninstaller - WingetUI": "解除安裝 Scoop - UniGetUI", - "Scoop package": "Scoop 套件", "Search": "搜尋", "Search for desktop software, warn me when updates are available and do not do nerdy things. I don't want WingetUI to overcomplicate, I just want a simple software store": "搜尋桌面套件,並且在有可用更新時提醒我,不要做討厭的事情。我不希望 UniGetUI 過於複雜,我只想要一個簡單的套件市集", - "Search for packages": "搜尋套件", - "Search for packages to start": "搜尋套件來開始", - "Search mode": "搜尋模式", "Search on available updates": "在可用的更新中搜尋", "Search on your software": "在已安裝的套件中搜尋", "Searching for installed packages...": "正在搜尋已安裝的套件...", "Searching for packages...": "正在搜尋套件...", "Searching for updates...": "正在檢查更新...", - "Select": "選擇", "Select \"{item}\" to add your custom bucket": "選取「{item}」來新增自訂 bucket", "Select a folder": "選擇一個資料夾", - "Select all": "全選", "Select all packages": "選取所有套件", - "Select backup": "選擇備份", "Select only if you know what you are doing.": "只選取在您的理解範圍內的項目。\n", "Select package file": "已選取的套件名稱", - "Select the backup you want to open. Later, you will be able to review which packages you want to install.": "選擇您要開啟的備份。稍後,您將可檢視要還原的套件/程式。", - "Select the executable to be used. The following list shows the executables found by UniGetUI": "請選擇要使用的可執行檔。以下列表顯示 UniGetUI 找到的可執行檔。", - "Select the processes that should be closed before this package is installed, updated or uninstalled.": "選擇在安裝、更新或解除安裝此套件前應關閉的進程。", - "Select the source you want to add:": "選擇想要新增的來源:", - "Select upgradable packages by default": "預設選擇可更新的套件", "Select which package managers to use ({0}), configure how packages are installed, manage how administrator rights are handled, etc.": "選擇您想要使用的套件管理程式來使用 ({0}),設定套件的安裝方式,調整管理員權限的處理方式等。", "Sent handshake. Waiting for instance listener's answer... ({0}%)": "已送出連線請求,正在等待伺服器回應... ({0}%)", - "Set a custom backup file name": "自訂備份的檔案名稱", "Set custom backup file name": "自訂備份檔案名稱", - "Settings": "設定", - "Share": "分享", "Share WingetUI": "分享 UniGetUI", - "Share anonymous usage data": "分享匿名使用資料", - "Share this package": "分享這個套件", - "Should you modify the security settings, you will need to open the bundle again for the changes to take effect.": "如果您修改了安全設定,您將需要再次打開套件包才能使修改生效。", "Show UniGetUI on the system tray": "在系統匣顯示 UniGetUI", - "Show UniGetUI's version and build number on the titlebar.": "在標題列上顯示 UniGetUI 的版本", - "Show WingetUI": "顯示 UniGetUI 視窗", "Show a notification when an installation fails": "安裝失敗時顯示通知", "Show a notification when an installation finishes successfully": "安裝成功時顯示通知", - "Show a notification when an operation fails": "操作失敗時顯示通知", - "Show a notification when an operation finishes successfully": "操作成功完成時顯示通知", - "Show a notification when there are available updates": "有可用更新時顯示通知", - "Show a silent notification when an operation is running": "操作正在進行時顯示背景通知", "Show details": "顯示詳細資訊", - "Show in explorer": "在瀏覽器中顯示", "Show info about the package on the Updates tab": "在更新分頁中顯示套件資訊", "Show missing translation strings": "顯示沒有翻譯的字串", - "Show notifications on different events": "顯示不同事件的通知", "Show package details": "顯示套件詳細資料", - "Show package icons on package lists": "在套件清單中顯示套件圖示", - "Show similar packages": "顯示相似的套件", "Show the live output": "顯示即時輸出", - "Size": "大小", "Skip": "略過", - "Skip hash check": "略過雜湊值檢查", - "Skip hash checks": "略過雜湊值驗證", - "Skip integrity checks": "略過完整性驗證", - "Skip minor updates for this package": "跳過此套件的次要更新", "Skip the hash check when installing the selected packages": "安裝已選取的套件時略過雜湊值驗證", "Skip the hash check when updating the selected packages": "更新已選取的套件時略過雜湊值驗證", - "Skip this version": "略過這個版本", - "Software Updates": "套件更新", - "Something went wrong": "出現某些錯誤", - "Something went wrong while launching the updater.": "啟動更新程式時發生錯誤。", - "Source": "來源", - "Source URL:": "來源網站:", - "Source added successfully": "來源已成功新增", "Source addition failed": "新增來源失敗", - "Source name:": "來源名稱:", "Source removal failed": "來源移除失敗", - "Source removed successfully": "來源已成功移除", "Source:": "來源:", - "Sources": "來源", "Start": "開始", "Starting daemons...": "正在開啟背景程式...", - "Starting operation...": "開始操作...", "Startup options": "啟動選項", "Status": "狀態", "Stuck here? Skip initialization": "卡住了嗎?跳過初始化", - "Success!": "完成!", "Suport the developer": "支持開發人員", "Support me": "支持我", "Support the developer": "支持開發者", "Systems are now ready to go!": "系統現在已準備就緒!", - "Telemetry": "搖測", - "Text": "文字", "Text file": "純文字檔", - "Thank you ❤": "謝謝您 ❤️", - "Thank you \uD83D\uDE09": "謝謝您 \uD83D\uDE09", - "The Rust package manager.
Contains: Rust libraries and programs written in Rust": "Rust 套件管理程式,
包含:Rust 函式庫與使用 Rust 編寫的程式", - "The backup will NOT include any binary file nor any program's saved data.": "備份檔「不會」包含任何執行檔與任何程式儲存的資料", - "The backup will be performed after login.": "備份將在登入後進行", - "The backup will include the complete list of the installed packages and their installation options. Ignored updates and skipped versions will also be saved.": "備份檔將包含完整的已安裝套件清單與它們的安裝設定,已忽略的版本與更新也將會被儲存。", - "The bundle was created successfully on {0}": "成功建立於 {0}", - "The bundle you are trying to load appears to be invalid. Please check the file and try again.": "您指定的套件組合格式似乎不正確,請檢查該檔案後再重試。", + "Thank you 😉": "謝謝您 😉", "The checksum of the installer does not coincide with the expected value, and the authenticity of the installer can't be verified. If you trust the publisher, {0} the package again skipping the hash check.": "安裝程式的雜湊值和與不符合預期,故無法驗證此安裝程式的真偽。如果您信任該發行者,再次 {0} 套件將略過雜湊值檢查。", - "The classical package manager for windows. You'll find everything there.
Contains: General Software": "經典的 Windows 套件管理程式。您可以在那裡找到所有東西。
包含:一般軟體", - "The cloud backup completed successfully.": "雲端備份成功完成。", - "The cloud backup has been loaded successfully.": "雲端備份已成功載入。", - "The current bundle has no packages. Add some packages to get started": "目前套件包沒有任何套件。新增一些套件開始使用。", - "The executable file for {0} was not found": "未找到 {0} 的可執行檔案", - "The following options will be applied by default each time a {0} package is installed, upgraded or uninstalled.": "每次安裝、升級或解除安裝{0}套件時,預設會套用下列選項。", "The following packages are going to be exported to a JSON file. No user data or binaries are going to be saved.": "以下套件將匯出為 JSON 檔案。不會儲存任何使用者資料或執行檔。", "The following packages are going to be installed on your system.": "以下套件將會安裝到您的系統中。", - "The following settings may pose a security risk, hence they are disabled by default.": "下列設定可能會造成安全風險,因此預設為停用。", - "The following settings will be applied each time this package is installed, updated or removed.": "以下的設定會被套用到這個套件安裝、更新或移除", "The following settings will be applied each time this package is installed, updated or removed. They will be saved automatically.": "以下的設定在此套件安裝、更新或移除時將會被套用,也會自動儲存這些設定。", "The icons and screenshots are maintained by users like you!": "圖示與螢幕截圖由與您一樣的使用者來維護!", - "The installation script saved to {0}": "安裝腳本已儲存到 {0}", - "The installer authenticity could not be verified.": "無法驗證安裝程式的真實性。", "The installer has an invalid checksum": "安裝程式的雜湊值有問題", "The installer hash does not match the expected value.": "安裝程式的雜湊值與預期不同。", - "The local icon cache currently takes {0} MB": "此本機圖示快取使用容量為 {0} MB", "The main goal of this project is to create an intuitive UI to manage the most common CLI package managers for Windows, such as Winget and Scoop.": "此專案的目標是建立一個直覺的使用者介面來管理最常見的 Windows 命令列套件管理平台,例如 Winget 和 Scoop。", - "The package \"{0}\" was not found on the package manager \"{1}\"": "無法在「{1}」中取得套件「{0}」\n\n\n\n\n", - "The package bundle could not be created due to an error.": "套件組合建立時發生錯誤,故無法完成建立。", - "The package bundle is not valid": "此套件組合無效", - "The package manager \"{0}\" is disabled": "「{0}」套件管理程式已停用", - "The package manager \"{0}\" was not found": "找不到「{0}」套件管理程式", "The package {0} from {1} was not found.": "沒有來自 {1} 的套件 {0}", - "The packages listed here won't be taken in account when checking for updates. Double-click them or click the button on their right to stop ignoring their updates.": "檢查更新時將不會考慮此處列出的套件。按兩下它們或按右鍵來停止略過它們的更新。", "The selected packages have been blacklisted": "選擇的套件已經被加入黑名單中", - "The settings will list, in their descriptions, the potential security issues they may have.": "這些設定會在說明中列出其可能具有的潛在安全問題。", - "The size of the backup is estimated to be less than 1MB.": "備份檔案預計不會超過 1MB。", - "The source {source} was added to {manager} successfully": "來源 {source} 已成功的新增到 {manager}", - "The source {source} was removed from {manager} successfully": "來源 {source} 已成功的從 {manager} 移除", - "The system tray icon must be enabled in order for notifications to work": "必須啟用系統匣圖示,通知功能才能正常運作", - "The update process has been aborted.": "更新過程已被中止。", - "The update process will start after closing UniGetUI": "更新過程將在關閉 UniGetUI 後開始", "The update will be installed upon closing WingetUI": "UniGetUI 將會在關閉時安裝更新", "The update will not continue.": "更新將不會繼續。", "The user has canceled {0}, that was a requirement for {1} to be run": "使用者已取消 {0} ,這是執行 {1} 的必要條件", - "There are no new UniGetUI versions to be installed": "目前沒有新版的 UniGetUI 可供安裝", - "There are ongoing operations. Quitting WingetUI may cause them to fail. Do you want to continue?": "目前有正在進行的操作。退出 UniGetUI 可能會導致這些操作失敗。您確定要繼續嗎?", "There are some great videos on YouTube that showcase WingetUI and its capabilities. You could learn useful tricks and tips!": "YouTube 上有一些精彩的影片展示了 UniGetUI 及其功能,您可以從中學到一些有用的技巧和建議!", "There are two main reasons to not run WingetUI as administrator:\n The first one is that the Scoop package manager might cause problems with some commands when ran with administrator rights.\n The second one is that running WingetUI as administrator means that any package that you download will be ran as administrator (and this is not safe).\n Remeber that if you need to install a specific package as administrator, you can always right-click the item -> Install/Update/Uninstall as administrator.": "有兩個主要原因不建議以管理員身份執行 UniGetUI:\n1.當以管理員權限執行時,Scoop 套件管理器可能會在執行某些指令時遇到問題。\n2.以管理員身份執行 UniGetUI 代表著您下載的任何套件都將以管理員身份執行(這樣做不安全)。", - "There is an error with the configuration of the package manager \"{0}\"": "「{0}」套件管理程式中發現組態錯誤", "There is an installation in progress. If you close WingetUI, the installation may fail and have unexpected results. Do you still want to quit WingetUI?": "有套件正在進行安裝。 如果現在關閉 UniGetUI,安裝可能會失敗並產生意外結果。是否仍要關閉 UniGetUI?", "They are the programs in charge of installing, updating and removing packages.": "它們是負責安裝、更新和刪除軟體套件的程式。", - "Third-party licenses": "第三方授權", "This could represent a security risk.": "這可能帶有安全風險。", - "This is not recommended.": "不建議這麼做。", "This is probably due to the fact that the package you were sent was removed, or published on a package manager that you don't have enabled. The received ID is {0}": "這可能是因為您發送的套件已被移除或下架,或者該套件發佈在您未啟用的套件管理平台上。收到的 ID 是 {0}", "This is the default choice.": "這是一個預設選取項目。", - "This may help if WinGet packages are not shown": "如果 WinGet 套件沒有顯示,這可能會有所幫助", - "This may help if no packages are listed": "這可能對於沒有套件的狀況會有幫助", - "This may take a minute or two": "這需要一些時間", - "This operation is running interactively.": "此操作以互動方式執行。", - "This operation is running with administrator privileges.": "此操作是以管理員權限執行。", - "This option WILL cause issues. Any operation incapable of elevating itself WILL FAIL. Install/update/uninstall as administrator will NOT WORK.": "此選項將導致問題。任何無法自我提升的操作都會失敗。以管理員身份安裝/更新/解除安裝將無法執行。", - "This package bundle had some settings that are potentially dangerous, and may be ignored by default.": "此套件包有一些潛在危險的設定,可能會被預設忽略。", "This package can be updated": "這個套件有可用的更新", "This package can be updated to version {0}": "此套件可以更新到版本 {0}", - "This package can be upgraded to version {0}": "此套件可以被更新至版本 {0}", - "This package cannot be installed from an elevated context.": "此套件無法從更高權限的環境下安裝。", - "This package has no screenshots or is missing the icon? Contrbute to WingetUI by adding the missing icons and screenshots to our open, public database.": "此套件沒有螢幕截圖或圖示嗎?您可以向 UniGetUI 開放資料庫提供這些項目。", - "This package is already installed": "此套件已安裝", - "This package is being processed": "正在處理此套件", - "This package is not available": "目前無法使用此套件", - "This package is on the queue": "此套件已排入佇列", "This process is running with administrator privileges": "此程式正在使用系統管理員身份執行", - "This project has no connection with the official {0} project — it's completely unofficial.": "此專案與官方的 {0} 專案無關 — 它完全來自第三方社群。", "This setting is disabled": "此選項已停用", "This wizard will help you configure and customize WingetUI!": "此精靈將會協助您設定並自訂 UniGetUI。", "Toggle search filters pane": "切換搜尋過濾器面板", - "Translators": "翻譯人員", - "Try to kill the processes that refuse to close when requested to": "嘗試停止那些在被要求關閉時拒絕關閉的進程。", - "Turning this on enables changing the executable file used to interact with package managers. While this allows finer-grained customization of your install processes, it may also be dangerous": "開啟此功能可變更用於與套件管理員互動的可執行檔案。雖然這可讓您更精準的自訂安裝程式,但也可能會有危險", "Type here the name and the URL of the source you want to add, separed by a space.": "輸入您想要新增的來源名稱與網址,以空白符號分隔。", "Unable to find package": "無法找到套件", "Unable to load informarion": "無法載入資訊", - "UniGetUI collects anonymous usage data in order to improve the user experience.": "UniGetUI 收集匿名使用資料,以改善使用者體驗。", - "UniGetUI collects anonymous usage data with the sole purpose of understanding and improving the user experience.": "UniGetUI 收集匿名使用資料的唯一目的是瞭解並改善使用者體驗。", - "UniGetUI has detected a new desktop shortcut that can be deleted automatically.": "UniGetUI 已偵測到一個新的桌面捷徑,可以自動刪除。", - "UniGetUI has detected the following desktop shortcuts which can be removed automatically on future upgrades": "UniGetUI 已偵測到以下桌面捷徑,這些捷徑可以在未來的更新中自動刪除。", - "UniGetUI has detected {0} new desktop shortcuts that can be deleted automatically.": "UniGetUI 已偵測到 {0} 個新的桌面捷徑,不需要自動刪除。", - "UniGetUI is being updated...": "UniGetUI 正在更新...", - "UniGetUI is not related to any of the compatible package managers. UniGetUI is an independent project.": "UniGetUI 與任何相容的套件管理器無關。UniGetUI 是一個獨立的專案。", - "UniGetUI on the background and system tray": "UniGetUI 在背景和系統匣上", - "UniGetUI or some of its components are missing or corrupt.": "UniGetUI 或其某些元件遺失或損毀。", - "UniGetUI requires {0} to operate, but it was not found on your system.": "UniGetUI 需要 {0} 協同作業,但未被安裝在您的系統中。", - "UniGetUI startup page:": "UniGetUI 啟動頁面:", - "UniGetUI updater": "UniGetUI 更新工具", - "UniGetUI version {0} is being downloaded.": "正在下載 UnigetUI 版本 {0}", - "UniGetUI {0} is ready to be installed.": "UniGetUI 版本 {0} 已準備好安裝", - "Uninstall": "解除安裝", - "Uninstall Scoop (and its packages)": "解除安裝 Scoop(及其套件)", "Uninstall and more": "解除安裝與更多", - "Uninstall and remove data": "解除安裝和移除資料", - "Uninstall as administrator": "以系統管理員身分解除安裝", "Uninstall canceled by the user!": "解除安裝已被使用者取消!", - "Uninstall failed": "解除安裝失敗", - "Uninstall options": "解除安裝選項", - "Uninstall package": "解除安裝套件", - "Uninstall package, then reinstall it": "解除安裝套件,然後重新安裝", - "Uninstall package, then update it": "解除安裝套件,然後更新", - "Uninstall previous versions when updated": "更新時解除安裝先前版本", - "Uninstall selected packages": "解除安裝已選取的套件", - "Uninstall selection": "解除安裝選擇的程式", - "Uninstall succeeded": "解除安裝成功", "Uninstall the selected packages with administrator privileges": "以系統管理員權限解除安裝已選取的套件", "Uninstallable packages with the origin listed as \"{0}\" are not published on any package manager, so there's no information available to show about them.": "來源為「{0}」的可解除安裝套件未在任何套件管理平台上發布,因此沒有可用於顯示它們的詳細資料。", - "Unknown": "未知", - "Unknown size": "大小未知", - "Unset or unknown": "尚未設定或未知", - "Up to date": "為最新版本", - "Update": "更新", - "Update WingetUI automatically": "自動更新 UniGetUI", - "Update all": "更新全部", "Update and more": "更新與更多", - "Update as administrator": "以系統管理員身分更新", - "Update check frequency, automatically install updates, etc.": "更新檢查頻率、自動安裝更新等。", - "Update checking": "更新檢查", "Update date": "更新日期", - "Update failed": "更新失敗", "Update found!": "已有新的更新!", - "Update now": "現在更新", - "Update options": "更新選項", "Update package indexes on launch": "啟動時更新套件資訊", "Update packages automatically": "自動更新套件", "Update selected packages": "更新已選取的套件", "Update selected packages with administrator privileges": "以系統管理員權限更新已選取的套件", - "Update selection": "更新選擇的程式", - "Update succeeded": "已完成更新", - "Update to version {0}": "更新版本至 {0}", - "Update to {0} available": "{0} 有可用的更新", "Update vcpkg's Git portfiles automatically (requires Git installed)": "自動更新 Vcpkg 的 Git 套件描述檔(需要安裝 Git)。", "Updates": "更新", "Updates available!": "有可安裝的更新!", - "Updates for this package are ignored": "此套件已忽略的更新", - "Updates found!": "發現更新!", "Updates preferences": "更新設定", "Updating WingetUI": "正在更新 UniGetUI", "Url": "網址", "Use Legacy bundled WinGet instead of PowerShell CMDLets": "使用舊版內建的 WinGet,而非 PowerShell CMDLets", - "Use a custom icon and screenshot database URL": "使用自訂的圖示與截圖資料庫的網址", "Use bundled WinGet instead of PowerShell CMDlets": "使用內建的 WinGet,而非 PowerShell CMDLets", - "Use bundled WinGet instead of system WinGet": "使用內建的 WinGet,而不是系統中的 WinGet", - "Use installed GSudo instead of UniGetUI Elevator": "使用已安裝的 GSudo 取代 UniGetUI Elevator", "Use installed GSudo instead of the bundled one": "以安裝的 GSudo 來取代內建的版本 (需要重新啟動應用程式)", "Use legacy UniGetUI Elevator (disable AdminByRequest support)": "使用舊版 UniGetUI Elevator (停用 AdminByRequest 支援)", - "Use system Chocolatey": "使用系統內的 Chocolatey", "Use system Chocolatey (Needs a restart)": "使用系統內的 Chocolatey (需要重新啟動)", "Use system Winget (Needs a restart)": "使用系統內的 Winget (需要重新啟動)", "Use system Winget (System language must be set to english)": "使用系統內的 Winget (系統語言需要設定成英文)", "Use the WinGet COM API to fetch packages": "使用 WinGet COM API 來取得套件。", "Use the WinGet PowerShell Module instead of the WinGet COM API": "使用 WinGet PowerShell 模組,而不是 WinGet COM API", - "Useful links": "分享連結", "User": "使用者", - "User interface preferences": "使用者介面偏好設定", "User | Local": "使用者|語言", - "Username": "使用者名稱", "Using WingetUI implies the acceptation of the GNU Lesser General Public License v2.1 License": "使用 UniGetUI 代表著您已經接受 GNU Lesser General Public License v2.1 授權", - "Using WingetUI implies the acceptation of the MIT License": "使用 UniGetUI 代表著您已接受 MIT 許可證", "Vcpkg root was not found. Please define the %VCPKG_ROOT% environment variable or define it from UniGetUI Settings": "未找到 Vcpkg 根目錄。請自訂 %VCPKG_ROOT% 環境變數,或從 UniGetUI 設定中自訂它。", "Vcpkg was not found on your system.": "您的系統中未找到 Vcpkg。", - "Verbose": "詳細資料", - "Version": "版本", - "Version to install:": "即將安裝的版本:", - "Version:": "版本:", - "View GitHub Profile": "檢視 GitHub 個人檔案", "View WingetUI on GitHub": "檢視 UniGetUI 專案的 GitHub 頁面", "View WingetUI's source code. From there, you can report bugs or suggest features, or even contribute direcly to The WingetUI Project": "檢視 UniGetUI 原始碼。您可以在那裡回報錯誤或建議功能,或直接參與貢獻 UniGetUI 專案", - "View mode:": "檢視樣式:", - "View on UniGetUI": "在 UniGetUI 上檢視", - "View page on browser": "在瀏覽器中顯示頁面", - "View {0} logs": "檢視 {0} 記錄", - "Wait for the device to be connected to the internet before attempting to do tasks that require internet connectivity.": "在嘗試執行需要網際網路連線的操作之前,請等待裝置連線至網際網路。", "Waiting for other installations to finish...": "正在等待其他項目安裝完成...", "Waiting for {0} to complete...": "正在等待 {0} 完成...", - "Warning": "警告", - "Warning!": "警告!", - "We are checking for updates.": "我們正在檢查更新。", "We could not load detailed information about this package, because it was not found in any of your package sources": "我們無法載入有關此套件的詳細資料,因為在您的任何套件來源中都找不到它", "We could not load detailed information about this package, because it was not installed from an available package manager.": "我們無法載入有關此套件的詳細資料,因為此套件並非從任何可用的套件管理平台安裝。", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the installer.": "我們無法{action} {package},請稍候再重試一次。點選「{showDetails}」來檢視安裝程式的紀錄。", "We could not {action} {package}. Please try again later. Click on \"{showDetails}\" to get the logs from the uninstaller.": "我們無法{action} {package},請稍候再重試一次。點選「{showDetails}」來檢視解除安裝程式的紀錄。", "We couldn't find any package": "沒有找到任何套件", "Welcome to WingetUI": "歡迎使用 UniGetUI", - "When batch installing packages from a bundle, install also packages that are already installed": "從套件包批量安裝套件時,也會安裝已經安裝的套件", - "When new shortcuts are detected, delete them automatically instead of showing this dialog.": "偵測到新的捷徑時,會自動刪除它們,而不是顯示此對話框。", - "Which backup do you want to open?": "您要開啟哪個備份?", "Which package managers do you want to use?": "您想要使用哪些套件管理程式?", "Which source do you want to add?": "您想要新增哪一個來源?", "While Winget can be used within WingetUI, WingetUI can be used with other package managers, which can be confusing. In the past, WingetUI was designed to work only with Winget, but this is not true anymore, and therefore WingetUI does not represent what this project aims to become.": "雖然 Winget 可以在 UniGetUI 中使用,但是 UniGetUI 也能與其他套件管理器一起使用,這可能會讓人感到困惑。過去,UniGetUI 只設計用於與 Winget 配合使用,但現在情況已不再如此,因此 UniGetUI 不再能夠代表這個專案的未來發展方向。", - "WinGet could not be repaired": "無法完成修復 WinGet", - "WinGet malfunction detected": "已偵測到 WinGet 功能異常", - "WinGet was repaired successfully": "WinGet 已修復成功", "WingetUI": "UniGetUI", "WingetUI - Everything is up to date": "UniGetUI - 您現在是最新版本", "WingetUI - {0} updates are available": "UniGetUI - {0} 個可安裝的更新", "WingetUI - {0} {1}": "UniGetUI - {1} {0}", - "WingetUI Homepage": "UniGetUI 首頁", "WingetUI Homepage - Share this link!": "UniGetUI 首頁 - 分享這個連結!", - "WingetUI License": "UniGetUI 授權", - "WingetUI Log": "UniGetUI 紀錄", - "WingetUI Repository": "UniGetUI 儲存庫", - "WingetUI Settings": "UniGetUI 設定", "WingetUI Settings File": "UniGetUI的設定檔案", - "WingetUI Uses the following libraries. Without them, WingetUI wouldn't have been possible.": "UniGetUI 使用了以下函式庫。沒有它們,UniGetUI 是沒有辦法實現的。", - "WingetUI Version {0}": "UniGetUI 版本 {0}", "WingetUI autostart behaviour, application launch settings": "UniGetUI 自動啟動的行為、應用程式啟動設定", "WingetUI can check if your software has available updates, and install them automatically if you want to": "UniGetUI 可以檢查您的套件是否有可用的更新,並在您同意的情況下自動安裝這些更新。", - "WingetUI display language:": "UniGetUI 顯示語言", - "WingetUI has been ran as administrator, which is not recommended. When running WingetUI as administrator, EVERY operation launched from WingetUI will have administrator privileges. You can still use the program, but we highly recommend not running WingetUI with administrator privileges.": "UniGetUI 已以管理員身份執行,但這並不推薦。當以管理員身份執行 UniGetUI 時,從 UniGetUI 啟動的每個操作都將擁有管理員權限。您仍然可以使用此程式,但我們強烈建議不要以管理員身分執行 UniGetUI。", - "WingetUI has been translated to more than 40 languages thanks to the volunteer translators. Thank you \uD83E\uDD1D": "感謝貢獻翻譯人員的幫助,UniGetUI 已被翻譯成 40 多種語言。謝謝 \uD83E\uDD1D", "WingetUI has not been machine translated. The following users have been in charge of the translations:": "UniGetUI 沒有使用機器翻譯。翻譯由以下使用者貢獻:", - "WingetUI is an application that makes managing your software easier, by providing an all-in-one graphical interface for your command-line package managers.": "UniGetUI 是一款應用程式,透過為命令列套件管理程式提供一體化圖形介面,讓您的套件管理變得更加輕鬆。", "WingetUI is being renamed in order to emphasize the difference between WingetUI (the interface you are using right now) and Winget (a package manager developed by Microsoft with which I am not related)": "WingetUI 正在重新命名,以強調 WingetUI(您現在使用的介面)和 Winget 之間的區別(後者是由 Microsoft 開發的套件管理程式,與我無關)", "WingetUI is being updated. When finished, WingetUI will restart itself": "正在更新 UniGetUI,更新完成後 UniGetUI 將自動重新啟動", "WingetUI is free, and it will be free forever. No ads, no credit card, no premium version. 100% free, forever.": "UniGetUI 是免費軟體,而且將維持永遠免費,不需要提供信用卡,且也沒有付費版本。", @@ -970,105 +1030,46 @@ "WingetUI will show a UAC prompt every time a package requires elevation to be installed.": "每當套件需要提升權限安裝時,UniGetUI 將顯示 使用者帳戶控制 視窗。", "WingetUI will soon be named {newname}. This will not represent any change in the application. I (the developer) will continue the development of this project as I am doing right now, but under a different name.": "WingetUI 很快將改名為{newname}。這不會對應用程式產生任何變化。我(開發者)將繼續如同現在一樣開發此專案,只是變更了名稱。", "WingetUI wouldn't have been possible with the help of our dear contributors. Check out their GitHub profile, WingetUI wouldn't be possible without them!": "如果沒有我們親愛的貢獻者們的幫助,UniGetUI 就沒有辦法實現。請造訪他們的 GitHub 頁面,沒有他們的支援,UniGetUI 是無法完成的!", - "WingetUI wouldn't have been possible without the help of the contributors. Thank you all \uD83E\uDD73": "如果沒有貢獻者的幫助,UniGetUI 就沒辦法實現。感謝各位 \uD83E\uDD73", "WingetUI {0} is ready to be installed.": "UniGetUI {0} 已準備好安裝。", - "Write here the process names here, separated by commas (,)": "在此輸入程式名稱,並以逗號 (,) 分隔", - "Yes": "是", - "You are logged in as {0} (@{1})": "您的登入帳號是{0}(@{1})", - "You can change this behavior on UniGetUI security settings.": "您可以在 UniGetUI 安全設定中變更此行為。", - "You can define the commands that will be run before or after this package is installed, updated or uninstalled. They will be run on a command prompt, so CMD scripts will work here.": "您可以自訂在安裝、更新或解除安裝此套件之前或之後執行的指令。這些指令會在命令提示字元上執行,因此命令提示字元腳本在此也能運作。", - "You have currently version {0} installed": "您已安裝版本 {0}", - "You have installed WingetUI Version {0}": "您已經安裝 UniGetUI 版本 {0}", - "You may lose unsaved data": "您可能會遺失未儲存的資料", - "You may need to install {pm} in order to use it with WingetUI.": "您可能需要安裝 {pm} 來與 UniGetUI 一起使用。", "You may restart your computer later if you wish": "您稍後可能需要重新啟動電腦", "You will be prompted only once, and administrator rights will be granted to packages that request them.": "每次安裝套件需要提升權限時,您只會收到一次提示,管理員權限將自動授予請求。", "You will be prompted only once, and every future installation will be elevated automatically.": "您只會收到一次提示,以後的每次套件安裝都會自動提升管理員權限。", - "You will likely need to interact with the installer.": "您可能需要與安裝程式進行互動。", - "[RAN AS ADMINISTRATOR]": "以系統管理員身份執行", "buy me a coffee": "贊助這個專案", - "extracted": "已解壓縮", - "feature": "功能", "formerly WingetUI": "前身為 WingetUI", "homepage": "首頁", "install": "安裝", "installation": "安裝", - "installed": "已安裝", - "installing": "正在安裝", - "library": "函式庫", - "mandatory": "指定", - "option": "選項", - "optional": "可選", "uninstall": "解除安裝", "uninstallation": "解除安裝", "uninstalled": "已解除安裝", - "uninstalling": "正在解除安裝", "update(noun)": "更新", "update(verb)": "更新", "updated": "已更新", - "updating": "正在更新", - "version {0}": "版本{0}", - "{0} Install options are currently locked because {0} follows the default install options.": "{0} 安裝選項目前已鎖定,因為{0}遵循預設安裝選項。", "{0} Uninstallation": "解除安裝 {0}", "{0} aborted": "{0} 已取消", "{0} can be updated": "「{0}」套件有可用的更新", - "{0} can be updated to version {1}": "{0} 可以更新到版本 {1}", - "{0} days": "{0} 天", - "{0} desktop shortcuts created": "已在桌面建立{0}個捷徑。", "{0} failed": "{0}失敗", - "{0} has been installed successfully.": "{0} 已成功安裝。", - "{0} has been installed successfully. It is recommended to restart UniGetUI to finish the installation": "{0} 已成功安裝。建議重新啟動 UniGetUI 以便完成安裝。", "{0} has failed, that was a requirement for {1} to be run": "{0} 已失敗,這是執行 {1} 的必要條件", - "{0} homepage": "{0} 首頁", - "{0} hours": "{0} 小時", "{0} installation": "安裝 {0}", - "{0} installation options": "{0} 安裝選項", - "{0} installer is being downloaded": "{0} 正在下載安裝程式", - "{0} is being installed": "正在安裝 {0}", - "{0} is being uninstalled": "正在解除安裝 {0}", "{0} is being updated": "正在更新 {0}", - "{0} is being updated to version {1}": "正在更新 {0} 到版本 {1}", - "{0} is disabled": "{0} 已停用", - "{0} minutes": "{0} 分鐘", "{0} months": "{0} 月", - "{0} packages are being updated": "{0} 個套件正在更新", - "{0} packages can be updated": "有 {0} 個套件可供更新", "{0} packages found": "發現 {0} 個套件", "{0} packages were found": "{0} 個套件已偵測", - "{0} packages were found, {1} of which match the specified filters.": "{0} 個套件已找到,{1} 個項目符合過濾條件。", - "{0} selected": "已選取 {0}", - "{0} settings": "{0} 設定", - "{0} status": "狀態{0}", "{0} succeeded": "{0}已完成", "{0} update": "更新 {0}", - "{0} updates are available": "有可用的 {0} 個更新", "{0} was {1} successfully!": "{0}項已處理為{1}項!", "{0} weeks": "{0} 星期", "{0} years": "{0} 年", "{0} {1} failed": "{0} {1}失敗", - "{package} Installation": "安裝 {package}", - "{package} Uninstall": "解除安裝 {package}", - "{package} Update": "更新 {package}", - "{package} could not be installed": "{package} 無法完成安裝", - "{package} could not be uninstalled": "{package} 無法解除安裝", - "{package} could not be updated": "{package} 無法完成更新", "{package} installation failed": "{package} 安裝失敗", - "{package} installer could not be downloaded": "{package} 無法下載安裝程式", - "{package} installer download": "{package} 下載安裝程式", - "{package} installer was downloaded successfully": "{package} 安裝程式已成功下載", "{package} uninstall failed": "{package} 解除安裝失敗", "{package} update failed": "{package} 更新失敗", "{package} update failed. Click here for more details.": "{package} 更新失敗,點選此處來取得詳細資訊。", - "{package} was installed successfully": "{package} 已安裝完成", - "{package} was uninstalled successfully": "{package} 已解除安裝完成", - "{package} was updated successfully": "{package} 已更新完成", - "{pcName} installed packages": "{pcName} 已安裝的套件", "{pm} could not be found": "找不到 {pm}", "{pm} found: {state}": "{pm} 已發現:{state}", - "{pm} is disabled": "{pm} 已停用", - "{pm} is enabled and ready to go": "{pm} 已啟用並準備好", "{pm} package manager specific preferences": "{pm} 套件管理平台偏好設定", "{pm} preferences": "{pm} 偏好設定", - "{pm} version:": "{pm} 版本:", - "{pm} was not found!": "沒有找到 {pm}!" -} \ No newline at end of file + "Hi, my name is Martí, and i am the developer of WingetUI. WingetUI has been entirely made on my free time!": "您好,我的名字是 Martí,我是 UniGetUI 專案的開發人員。UniGetUI 完全是在我的空閒時間製作的。", + "Thank you ❤": "謝謝您 ❤️", + "This project has no connection with the official {0} project — it's completely unofficial.": "此專案與官方的 {0} 專案無關 — 它完全來自第三方社群。" +} diff --git a/src/UniGetUI.Core.LanguageEngine/LanguageEngine.cs b/src/UniGetUI.Core.LanguageEngine/LanguageEngine.cs index a47f2b46ec..775f53638c 100644 --- a/src/UniGetUI.Core.LanguageEngine/LanguageEngine.cs +++ b/src/UniGetUI.Core.LanguageEngine/LanguageEngine.cs @@ -115,47 +115,6 @@ public Dictionary LoadLanguageFile(string LangKey) } } - string CachedLangFileToLoad = Path.Join( - CoreData.UniGetUICacheDirectory_Lang, - "lang_" + LangKey + ".json" - ); - - if (Settings.Get(Settings.K.DisableLangAutoUpdater)) - { - Logger.Warn("User has updated translations disabled"); - } - else if (!File.Exists(CachedLangFileToLoad)) - { - Logger.Warn( - $"Tried to access a non-existing cached language file! file={CachedLangFileToLoad}" - ); - } - else - { - try - { - foreach ( - var keyval in ParseLanguageEntries( - File.ReadAllText(CachedLangFileToLoad), - CachedLangFileToLoad - ) - ) - { - LangDict[keyval.Key] = keyval.Value; - } - } - catch (Exception ex) - { - Logger.Warn( - $"Something went wrong when parsing language file {CachedLangFileToLoad}" - ); - Logger.Warn(ex); - } - } - - if (!Settings.Get(Settings.K.DisableLangAutoUpdater)) - _ = DownloadUpdatedLanguageFile(LangKey); - return LangDict; } catch (Exception e) diff --git a/src/UniGetUI.PackageEngine.Operations/AbstractOperation.cs b/src/UniGetUI.PackageEngine.Operations/AbstractOperation.cs index 0b5b6bd621..8a4a388175 100644 --- a/src/UniGetUI.PackageEngine.Operations/AbstractOperation.cs +++ b/src/UniGetUI.PackageEngine.Operations/AbstractOperation.cs @@ -258,7 +258,7 @@ private async Task _runOperation() { i++; Line( - CoreTools.Translate($"Running PreOperation ({i}/{count})..."), + CoreTools.Translate("Running PreOperation ({0}/{1})...", i, count), LineType.Information ); preReq.Operation.LogLineAdded += (_, line) => Line(line.Item1, line.Item2); @@ -266,17 +266,22 @@ private async Task _runOperation() if (preReq.Operation.Status is not OperationStatus.Succeeded && preReq.MustSucceed) { Line( - CoreTools.Translate( - $"PreOperation {i} out of {count} failed, and was tagged as necessary. Aborting..." - ), + CoreTools.Translate( + "PreOperation {0} out of {1} failed, and was tagged as necessary. Aborting...", + i, + count + ), LineType.Error ); return OperationVeredict.Failure; } Line( - CoreTools.Translate( - $"PreOperation {i} out of {count} finished with result {preReq.Operation.Status}" - ), + CoreTools.Translate( + "PreOperation {0} out of {1} finished with result {2}", + i, + count, + preReq.Operation.Status + ), LineType.Information ); Line("--------------------------------", LineType.Information); @@ -333,7 +338,7 @@ private async Task _runOperation() Line("--------------------------------", LineType.Information); Line("", LineType.VerboseDetails); Line( - CoreTools.Translate($"Running PostOperation ({i}/{count})..."), + CoreTools.Translate("Running PostOperation ({0}/{1})...", i, count), LineType.Information ); postReq.Operation.LogLineAdded += (_, line) => Line(line.Item1, line.Item2); @@ -342,7 +347,9 @@ private async Task _runOperation() { Line( CoreTools.Translate( - $"PostOperation {i} out of {count} failed, and was tagged as necessary. Aborting..." + "PostOperation {0} out of {1} failed, and was tagged as necessary. Aborting...", + i, + count ), LineType.Error ); @@ -350,7 +357,10 @@ private async Task _runOperation() } Line( CoreTools.Translate( - $"PostOperation {i} out of {count} finished with result {postReq.Operation.Status}" + "PostOperation {0} out of {1} finished with result {2}", + i, + count, + postReq.Operation.Status ), LineType.Information ); diff --git a/src/UniGetUI/Pages/SettingsPages/GeneralPages/Experimental.xaml b/src/UniGetUI/Pages/SettingsPages/GeneralPages/Experimental.xaml index 6d496ab295..545a84d864 100644 --- a/src/UniGetUI/Pages/SettingsPages/GeneralPages/Experimental.xaml +++ b/src/UniGetUI/Pages/SettingsPages/GeneralPages/Experimental.xaml @@ -67,17 +67,8 @@ - -