Compare commits
	
		
			1 Commits
		
	
	
		
			7391e9a94d
			...
			experiment
		
	
	| Author | SHA1 | Date | |
|---|---|---|---|
|  | ab43856b90 | 
| @@ -1,15 +0,0 @@ | |||||||
| LICENSE.md |  | ||||||
| README.md |  | ||||||
| analysis_options.yaml |  | ||||||
| android |  | ||||||
| assets |  | ||||||
| build |  | ||||||
| build.sh |  | ||||||
| data |  | ||||||
| docker |  | ||||||
| fastlane |  | ||||||
| lib |  | ||||||
| pubspec.lock |  | ||||||
| pubspec.yaml |  | ||||||
| sign.sh |  | ||||||
| test |  | ||||||
							
								
								
									
										2
									
								
								.flutter
									
									
									
									
									
								
							
							
								
								
								
								
								
							
						
						
							
								
								
									
										16
									
								
								.github/workflows/fastlane.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						| @@ -1,16 +0,0 @@ | |||||||
| name: Validate Fastlane metadata |  | ||||||
|  |  | ||||||
| on: |  | ||||||
|   workflow_dispatch: |  | ||||||
|   push: |  | ||||||
|       branches: [ "main" ] |  | ||||||
|   pull_request: |  | ||||||
|       branches: [ "main" ] |  | ||||||
|  |  | ||||||
| jobs: |  | ||||||
|   go: |  | ||||||
|     runs-on: ubuntu-latest |  | ||||||
|     steps: |  | ||||||
|       - uses: actions/checkout@v4 |  | ||||||
|       - name: Validate Fastlane Supply Metadata |  | ||||||
|         uses: ashutoshgngwr/validate-fastlane-supply-metadata@v2 |  | ||||||
							
								
								
									
										56
									
								
								.github/workflows/release.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						| @@ -6,7 +6,7 @@ on: | |||||||
|       beta: |       beta: | ||||||
|         type: boolean |         type: boolean | ||||||
|         description: Is beta? |         description: Is beta? | ||||||
|  |      | ||||||
| jobs: | jobs: | ||||||
|   build: |   build: | ||||||
|     runs-on: ubuntu-latest |     runs-on: ubuntu-latest | ||||||
| @@ -15,22 +15,24 @@ jobs: | |||||||
|        |        | ||||||
|       - uses: actions/checkout@v3 |       - uses: actions/checkout@v3 | ||||||
|       - uses: subosito/flutter-action@v2 |       - uses: subosito/flutter-action@v2 | ||||||
|         with: |  | ||||||
|           channel: stable |  | ||||||
|       - uses: actions/setup-java@v4 |  | ||||||
|         with: |  | ||||||
|           distribution: 'temurin' # See 'Supported distributions' for available options |  | ||||||
|           java-version: '21' |  | ||||||
|  |  | ||||||
|       - name: Flutter Doctor |       - name: Import GPG key | ||||||
|         id: flutter_doctor |         id: import_pgp_key | ||||||
|         run: | |         uses: crazy-max/ghaction-import-gpg@v6 | ||||||
|           flutter doctor -v |         with: | ||||||
|  |           gpg_private_key: ${{ secrets.PGP_KEY_BASE64 }} | ||||||
|  |           passphrase: ${{ secrets.PGP_PASSPHRASE }} | ||||||
|  |  | ||||||
|       - name: Check submodule |       - name: Check submodule | ||||||
|         id: check_submodule |         id: check_submodule | ||||||
|         run: | |         run: | | ||||||
|           git checkout ${{ inputs.checkout }} |           SUBMODULE_COMMIT_LONG="$(git submodule status | head -1 | tail -c +2 | awk '{print $1}')" | ||||||
|  |           FLUTTER_COMMIT_SHORT="$(flutter --version | head -2 | tail -1 | awk '{print $4}')" | ||||||
|  |           echo "SUBMODULE_COMMIT_LONG=$SUBMODULE_COMMIT_LONG, FLUTTER_COMMIT_SHORT=$FLUTTER_COMMIT_SHORT" | ||||||
|  |           if ! [[ "$SUBMODULE_COMMIT_LONG" =~ ^$FLUTTER_COMMIT_SHORT ]]; then | ||||||
|  |             echo "Your submodule has not been updated!" | ||||||
|  |             exit 1 | ||||||
|  |           fi | ||||||
|  |  | ||||||
|       - name: Extract Version |       - name: Extract Version | ||||||
|         id: extract_version       |         id: extract_version       | ||||||
| @@ -40,22 +42,34 @@ jobs: | |||||||
|           if [ ${{ inputs.beta }} == true ]; then BETA=true; else BETA=false; fi |           if [ ${{ inputs.beta }} == true ]; then BETA=true; else BETA=false; fi | ||||||
|           echo "beta=$BETA" >> $GITHUB_OUTPUT |           echo "beta=$BETA" >> $GITHUB_OUTPUT | ||||||
|           TAG="v$VERSION" |           TAG="v$VERSION" | ||||||
|  |           if [ $BETA == true ]; then TAG="$TAG"-beta; fi | ||||||
|           echo "tag=$TAG" >> $GITHUB_OUTPUT |           echo "tag=$TAG" >> $GITHUB_OUTPUT | ||||||
|  |  | ||||||
|       - name: Build APKs |       - name: Build APKs | ||||||
|         run: | |         run: | | ||||||
|           sed -i 's/signingConfig = signingConfigs.getByName("release")//g' android/app/build.gradle.kts |           sed -i 's/signingConfig signingConfigs.release//g' android/app/build.gradle | ||||||
|           flutter build apk --flavor normal && flutter build apk --split-per-abi --flavor normal |           flutter build apk --flavor normal && flutter build apk --split-per-abi --flavor normal | ||||||
|           for file in build/app/outputs/flutter-apk/app-*normal*.apk*; do mv "$file" "${file//-normal/}"; done |           for file in build/app/outputs/flutter-apk/app-*normal*.apk*; do mv "$file" "${file//-normal/}"; done | ||||||
|           flutter build apk --flavor fdroid -t lib/main_fdroid.dart && flutter build apk --split-per-abi --flavor fdroid -t lib/main_fdroid.dart |           flutter build apk --flavor fdroid -t lib/main_fdroid.dart && flutter build apk --split-per-abi --flavor fdroid -t lib/main_fdroid.dart | ||||||
|           rm ./build/app/outputs/flutter-apk/*.sha1 |           rm ./build/app/outputs/flutter-apk/*.sha1 | ||||||
|           cp ./sign.sh ./build/app/outputs/flutter-apk/ |  | ||||||
|           ls -l ./build/app/outputs/flutter-apk/ |           ls -l ./build/app/outputs/flutter-apk/ | ||||||
|  |          | ||||||
|       - name: Save Unsigned APKs as Action Artifacts |       - name: Sign APKs | ||||||
|         uses: actions/upload-artifact@v4 |         env: | ||||||
|         with: |           KEYSTORE_BASE64: ${{ secrets.KEYSTORE_BASE64 }} | ||||||
|           path: build/app/outputs/flutter-apk/* |           KEYSTORE_PASSWORD: ${{ secrets.KEYSTORE_PASSWORD }} | ||||||
|  |           PGP_PASSPHRASE: ${{ secrets.PGP_PASSPHRASE }} | ||||||
|  |         run: | | ||||||
|  |           echo "${KEYSTORE_BASE64}" | base64 -d > apksign.keystore | ||||||
|  |           for apk in ./build/app/outputs/flutter-apk/*-release*.apk; do | ||||||
|  |             unsignedFn=${apk/-release/-unsigned} | ||||||
|  |             mv "$apk" "$unsignedFn" | ||||||
|  |             ${ANDROID_HOME}/build-tools/$(ls ${ANDROID_HOME}/build-tools/ | tail -1)/apksigner sign --ks apksign.keystore --ks-pass pass:"${KEYSTORE_PASSWORD}" --out "${apk}" "${unsignedFn}" | ||||||
|  |             sha256sum ${apk} | cut -d " " -f 1 > "$apk".sha256 | ||||||
|  |             gpg --batch  --pinentry-mode loopback --passphrase "${PGP_PASSPHRASE}" --sign --detach-sig "$apk".sha256 | ||||||
|  |           done | ||||||
|  |           rm apksign.keystore | ||||||
|  |           PGP_KEY_FINGERPRINT="${{ steps.import_pgp_key.outputs.fingerprint }}" | ||||||
|  |  | ||||||
|       - name: Create Tag |       - name: Create Tag | ||||||
|         uses: mathieudutour/github-tag-action@v6.1 |         uses: mathieudutour/github-tag-action@v6.1 | ||||||
| @@ -64,11 +78,11 @@ jobs: | |||||||
|           custom_tag: "${{ steps.extract_version.outputs.tag }}" |           custom_tag: "${{ steps.extract_version.outputs.tag }}" | ||||||
|           tag_prefix: "" |           tag_prefix: "" | ||||||
|        |        | ||||||
|       - name: Create Draft Release |       - name: Create Release And Upload APKs | ||||||
|         uses: ncipollo/release-action@v1 |         uses: ncipollo/release-action@v1 | ||||||
|         with: |         with: | ||||||
|           token: ${{ secrets.GH_ACCESS_TOKEN }} |           token: ${{ secrets.GH_ACCESS_TOKEN }} | ||||||
|           tag: "${{ steps.extract_version.outputs.tag }}" |           tag: "${{ steps.extract_version.outputs.tag }}" | ||||||
|           prerelease: "${{ steps.extract_version.outputs.beta }}" |           prerelease: "${{ steps.extract_version.outputs.beta }}" | ||||||
|           draft: "true" |           artifacts: ./build/app/outputs/flutter-apk/*-release*.apk* | ||||||
|           generateReleaseNotes: true |           generateReleaseNotes: true | ||||||
|   | |||||||
							
								
								
									
										11
									
								
								.gitignore
									
									
									
									
										vendored
									
									
								
							
							
						
						| @@ -5,14 +5,11 @@ | |||||||
| *.swp | *.swp | ||||||
| .DS_Store | .DS_Store | ||||||
| .atom/ | .atom/ | ||||||
| .build/ |  | ||||||
| .buildlog/ | .buildlog/ | ||||||
| .history | .history | ||||||
| .svn/ | .svn/ | ||||||
| .swiftpm/ |  | ||||||
| migrate_working_dir/ | migrate_working_dir/ | ||||||
| .vscode/* | .vscode/ | ||||||
| !.vscode/launch.json |  | ||||||
|  |  | ||||||
| # IntelliJ related | # IntelliJ related | ||||||
| *.iml | *.iml | ||||||
| @@ -46,10 +43,6 @@ app.*.map.json | |||||||
| /android/app/debug | /android/app/debug | ||||||
| /android/app/profile | /android/app/profile | ||||||
| /android/app/release | /android/app/release | ||||||
| /android/app/.cxx |  | ||||||
| /android/build/reports |  | ||||||
| /android/.kotlin |  | ||||||
|  |  | ||||||
| # Custom | # Custom | ||||||
| TODO.txt | TODO.txt | ||||||
| data |  | ||||||
							
								
								
									
										30
									
								
								.metadata
									
									
									
									
									
								
							
							
						
						| @@ -1,11 +1,11 @@ | |||||||
| # This file tracks properties of this Flutter project. | # This file tracks properties of this Flutter project. | ||||||
| # Used by Flutter tool to assess capabilities and perform upgrades etc. | # Used by Flutter tool to assess capabilities and perform upgrades etc. | ||||||
| # | # | ||||||
| # This file should be version controlled and should not be manually edited. | # This file should be version controlled. | ||||||
|  |  | ||||||
| version: | version: | ||||||
|   revision: "17025dd88227cd9532c33fa78f5250d548d87e9a" |   revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|   channel: "stable" |   channel: master | ||||||
|  |  | ||||||
| project_type: app | project_type: app | ||||||
|  |  | ||||||
| @@ -13,26 +13,14 @@ project_type: app | |||||||
| migration: | migration: | ||||||
|   platforms: |   platforms: | ||||||
|     - platform: root |     - platform: root | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |       create_revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |       base_revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|     - platform: android |     - platform: android | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |       create_revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |       base_revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|     - platform: ios |     - platform: ios | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |       create_revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |       base_revision: 543dac2f35de563fcb6905e9146bdce712c44000 | ||||||
|     - platform: linux |  | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|     - platform: macos |  | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|     - platform: web |  | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|     - platform: windows |  | ||||||
|       create_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|       base_revision: 17025dd88227cd9532c33fa78f5250d548d87e9a |  | ||||||
|  |  | ||||||
|   # User provided section |   # User provided section | ||||||
|  |  | ||||||
|   | |||||||
							
								
								
									
										28
									
								
								.vscode/launch.json
									
									
									
									
										vendored
									
									
								
							
							
						
						| @@ -1,28 +0,0 @@ | |||||||
| { |  | ||||||
|     // Use IntelliSense to learn about possible attributes. |  | ||||||
|     // Hover to view descriptions of existing attributes. |  | ||||||
|     // For more information, visit: https://go.microsoft.com/fwlink/?linkid=830387 |  | ||||||
|     "version": "0.2.0", |  | ||||||
|     "configurations": [ |  | ||||||
|         { |  | ||||||
|             "name": "Obtainium", |  | ||||||
|             "request": "launch", |  | ||||||
|             "type": "dart", |  | ||||||
|             "args":[ "--flavor", "normal" ] |  | ||||||
|         }, |  | ||||||
|         { |  | ||||||
|             "name": "Obtainium (profile mode)", |  | ||||||
|             "request": "launch", |  | ||||||
|             "type": "dart", |  | ||||||
|             "flutterMode": "profile", |  | ||||||
|             "args":[ "--flavor", "normal" ] |  | ||||||
|         }, |  | ||||||
|         { |  | ||||||
|             "name": "Obtainium (release mode)", |  | ||||||
|             "request": "launch", |  | ||||||
|             "type": "dart", |  | ||||||
|             "flutterMode": "release", |  | ||||||
|             "args":[ "--flavor", "normal" ] |  | ||||||
|         } |  | ||||||
|     ] |  | ||||||
| } |  | ||||||
							
								
								
									
										55
									
								
								README.md
									
									
									
									
									
								
							
							
						
						| @@ -1,55 +1,42 @@ | |||||||
| <div align="center"><a href="https://github.com/Safouene1/support-palestine-banner/blob/master/Markdown-pages/Support.md"><img src="https://raw.githubusercontent.com/Safouene1/support-palestine-banner/master/banner-support.svg" alt="Support Palestine" style="width: 100%;"></a></div> |  | ||||||
|  |  | ||||||
| #  Obtainium | #  Obtainium | ||||||
|  |  | ||||||
| Get Android app updates straight from the source. | [](https://techforpalestine.org/learn-more) | ||||||
|  |  | ||||||
| Obtainium allows you to install and update apps directly from their releases pages, and receive notifications when new releases are made available. | Get Android App Updates Directly From the Source. | ||||||
|  |  | ||||||
| More info: | Obtainium allows you to install and update Apps directly from their releases pages, and receive notifications when new releases are made available. | ||||||
| - [Obtainium Wiki](https://wiki.obtainium.imranr.dev/) ([repository](https://github.com/ImranR98/Obtainium-Wiki)) |  | ||||||
| - [Obtainium 101](https://www.youtube.com/watch?v=0MF_v2OBncw) - Tutorial video | Motivation: [Side Of Burritos - You should use this instead of F-Droid | How to use app RSS feed](https://youtu.be/FFz57zNR_M0) | ||||||
| - [AppVerifier](https://github.com/soupslurpr/AppVerifier) - App verification tool (recommended, integrates with Obtainium) |  | ||||||
| - [apps.obtainium.imranr.dev](https://apps.obtainium.imranr.dev/) - Crowdsourced app configurations ([repository](https://github.com/ImranR98/apps.obtainium.imranr.dev)) | Read the Wiki: [https://github.com/ImranR98/Obtainium/wiki](https://github.com/ImranR98/Obtainium/wiki) | ||||||
| - [Side Of Burritos - You should use this instead of F-Droid | How to use app RSS feed](https://youtu.be/FFz57zNR_M0) - Original motivation for this app |  | ||||||
| - [Website](https://obtainium.imranr.dev) ([repository](https://github.com/ImranR98/obtainium.imranr.dev)) |  | ||||||
| - [Source code](https://github.com/ImranR98/Obtainium) |  | ||||||
|  |  | ||||||
| Currently supported App sources: | Currently supported App sources: | ||||||
| - Open Source - General: | - Open Source - General: | ||||||
|   - [GitHub](https://github.com/) |   - [GitHub](https://github.com/) | ||||||
|   - [GitLab](https://gitlab.com/) |   - [GitLab](https://gitlab.com/) | ||||||
|   - [Forgejo](https://forgejo.org/) ([Codeberg](https://codeberg.org/)) |   - [Codeberg](https://codeberg.org/) | ||||||
|   - [F-Droid](https://f-droid.org/) |   - [F-Droid](https://f-droid.org/) | ||||||
|   - Third Party F-Droid Repos |   - Third Party F-Droid Repos | ||||||
|   - [IzzyOnDroid](https://android.izzysoft.de/) |   - [IzzyOnDroid](https://android.izzysoft.de/) | ||||||
|  |   - [SourceForge](https://sourceforge.net/) | ||||||
|   - [SourceHut](https://git.sr.ht/) |   - [SourceHut](https://git.sr.ht/) | ||||||
| - Other - General: | - Other - General: | ||||||
|   - [APKPure](https://apkpure.net/) |   - [APKPure](https://apkpure.net/) | ||||||
|   - [Aptoide](https://aptoide.com/) |   - [Aptoide](https://aptoide.com/) | ||||||
|   - [Uptodown](https://uptodown.com/) |   - [Uptodown](https://uptodown.com/) | ||||||
|   - [Huawei AppGallery](https://appgallery.huawei.com/) |  | ||||||
|   - [Tencent App Store](https://sj.qq.com/) |  | ||||||
|   - [CoolApk](https://coolapk.com/) |  | ||||||
|   - [vivo App Store (CN)](https://h5.appstore.vivo.com.cn/) |  | ||||||
|   - [RuStore](https://rustore.ru/) |  | ||||||
|   - [Farsroid](https://www.farsroid.com) |  | ||||||
|   - Jenkins Jobs |  | ||||||
|   - [APKMirror](https://apkmirror.com/) (Track-Only) |   - [APKMirror](https://apkmirror.com/) (Track-Only) | ||||||
|  |   - [Huawei AppGallery](https://appgallery.huawei.com/) | ||||||
|  |   - Jenkins Jobs | ||||||
|  | - Open Source - App-Specific: | ||||||
|  |   - [Mullvad](https://mullvad.net/en/) | ||||||
|  |   - [Signal](https://signal.org/) | ||||||
|  |   - [VLC](https://videolan.org/) | ||||||
| - Other - App-Specific: | - Other - App-Specific: | ||||||
|   - [Telegram App](https://telegram.org/) |   - [WhatsApp](https://whatsapp.com) | ||||||
|   - [Neutron Code](https://neutroncode.com/) |   - [Telegram App](https://telegram.org) | ||||||
| - Direct APK Link |   - [Neutron Code](https://neutroncode.com) | ||||||
| - "HTML" (Fallback): Any other URL that returns an HTML page with links to APK files | - "HTML" (Fallback): Any other URL that returns an HTML page with links to APK files | ||||||
|  |  | ||||||
| ## Finding App Configurations |  | ||||||
|  |  | ||||||
| You can find crowdsourced app configurations at [apps.obtainium.imranr.dev](https://apps.obtainium.imranr.dev). |  | ||||||
|  |  | ||||||
| If you can't find the configuration for an app you want, feel free to leave a request on the [discussions page](https://github.com/ImranR98/apps.obtainium.imranr.dev/discussions/new?category=app-requests). |  | ||||||
|  |  | ||||||
| Or, contribute some configurations to the website by creating a PR at [this repo](https://github.com/ImranR98/apps.obtainium.imranr.dev). |  | ||||||
|  |  | ||||||
| ## Installation | ## Installation | ||||||
|  |  | ||||||
| [<img src="https://github.com/machiav3lli/oandbackupx/blob/034b226cea5c1b30eb4f6a6f313e4dadcbb0ece4/badge_github.png" | [<img src="https://github.com/machiav3lli/oandbackupx/blob/034b226cea5c1b30eb4f6a6f313e4dadcbb0ece4/badge_github.png" | ||||||
| @@ -62,11 +49,7 @@ Or, contribute some configurations to the website by creating a PR at [this repo | |||||||
|     alt="Get it on F-Droid" |     alt="Get it on F-Droid" | ||||||
|     height="80">](https://f-droid.org/packages/dev.imranr.obtainium.fdroid/) |     height="80">](https://f-droid.org/packages/dev.imranr.obtainium.fdroid/) | ||||||
|       |       | ||||||
| Verification info: | [PGP Public Key](https://keyserver.ubuntu.com/pks/lookup?search=contact%40imranr.dev&fingerprint=on&op=index) | ||||||
| - Package ID: `dev.imranr.obtainium` |  | ||||||
| - SHA-256 hash of signing certificate: `B3:53:60:1F:6A:1D:5F:D6:60:3A:E2:F5:0B:E8:0C:F3:01:36:7B:86:B6:AB:8B:1F:66:24:3D:A9:6C:D5:73:62` |  | ||||||
|   - Note: The above signature is also valid for the F-Droid flavour of Obtainium, thanks to [reproducible builds](https://f-droid.org/docs/Reproducible_Builds/). |  | ||||||
| - [PGP Public Key](https://keyserver.ubuntu.com/pks/lookup?search=contact%40imranr.dev&fingerprint=on&op=index) (to verify APK hashes) |  | ||||||
|  |  | ||||||
| ## Limitations | ## Limitations | ||||||
| - For some sources, data is gathered using Web scraping and can easily break due to changes in website design. In such cases, more reliable methods may be unavailable. | - For some sources, data is gathered using Web scraping and can easily break due to changes in website design. In such cases, more reliable methods may be unavailable. | ||||||
|   | |||||||
| @@ -13,7 +13,8 @@ linter: | |||||||
|   # The lint rules applied to this project can be customized in the |   # The lint rules applied to this project can be customized in the | ||||||
|   # section below to disable rules from the `package:flutter_lints/flutter.yaml` |   # section below to disable rules from the `package:flutter_lints/flutter.yaml` | ||||||
|   # included above or to enable additional rules. A list of all available lints |   # included above or to enable additional rules. A list of all available lints | ||||||
|   # and their documentation is published at https://dart.dev/lints. |   # and their documentation is published at | ||||||
|  |   # https://dart-lang.github.io/linter/lints/index.html. | ||||||
|   # |   # | ||||||
|   # Instead of disabling a lint rule for the entire project in the |   # Instead of disabling a lint rule for the entire project in the | ||||||
|   # section below, it can also be suppressed for a single line of code |   # section below, it can also be suppressed for a single line of code | ||||||
|   | |||||||
							
								
								
									
										2
									
								
								android/.gitignore
									
									
									
									
										vendored
									
									
								
							
							
						
						| @@ -7,7 +7,7 @@ gradle-wrapper.jar | |||||||
| GeneratedPluginRegistrant.java | GeneratedPluginRegistrant.java | ||||||
|  |  | ||||||
| # Remember to never publicly share your keystore. | # Remember to never publicly share your keystore. | ||||||
| # See https://flutter.dev/to/reference-keystore | # See https://flutter.dev/docs/deployment/android#reference-the-keystore-from-the-app | ||||||
| key.properties | key.properties | ||||||
| **/*.keystore | **/*.keystore | ||||||
| **/*.jks | **/*.jks | ||||||
|   | |||||||
							
								
								
									
										123
									
								
								android/app/build.gradle
									
									
									
									
									
										Normal file
									
								
							
							
						
						| @@ -0,0 +1,123 @@ | |||||||
|  | def localProperties = new Properties() | ||||||
|  | def localPropertiesFile = rootProject.file('local.properties') | ||||||
|  | if (localPropertiesFile.exists()) { | ||||||
|  |     localPropertiesFile.withReader('UTF-8') { reader -> | ||||||
|  |         localProperties.load(reader) | ||||||
|  |     } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | def flutterRoot = localProperties.getProperty('flutter.sdk') | ||||||
|  | if (flutterRoot == null) { | ||||||
|  |     throw new GradleException("Flutter SDK not found. Define location with flutter.sdk in the local.properties file.") | ||||||
|  | } | ||||||
|  |  | ||||||
|  | def flutterVersionCode = localProperties.getProperty('flutter.versionCode') | ||||||
|  | if (flutterVersionCode == null) { | ||||||
|  |     flutterVersionCode = '1' | ||||||
|  | } | ||||||
|  |  | ||||||
|  | def flutterVersionName = localProperties.getProperty('flutter.versionName') | ||||||
|  | if (flutterVersionName == null) { | ||||||
|  |     flutterVersionName = '1.0' | ||||||
|  | } | ||||||
|  |  | ||||||
|  | apply plugin: 'com.android.application' | ||||||
|  | apply plugin: 'kotlin-android' | ||||||
|  | apply plugin: 'dev.rikka.tools.refine' | ||||||
|  | apply from: "$flutterRoot/packages/flutter_tools/gradle/flutter.gradle" | ||||||
|  |  | ||||||
|  | def keystoreProperties = new Properties() | ||||||
|  | def keystorePropertiesFile = rootProject.file('key.properties') | ||||||
|  | if (keystorePropertiesFile.exists()) { | ||||||
|  |     keystoreProperties.load(new FileInputStream(keystorePropertiesFile)) | ||||||
|  | } | ||||||
|  |  | ||||||
|  | android { | ||||||
|  |     compileSdkVersion rootProject.ext.compileSdkVersion | ||||||
|  |     ndkVersion flutter.ndkVersion | ||||||
|  |  | ||||||
|  |     compileOptions { | ||||||
|  |         sourceCompatibility JavaVersion.VERSION_1_8 | ||||||
|  |         targetCompatibility JavaVersion.VERSION_1_8 | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     kotlinOptions { | ||||||
|  |         jvmTarget = '1.8' | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     sourceSets { | ||||||
|  |         main.java.srcDirs += 'src/main/kotlin' | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     defaultConfig { | ||||||
|  |         applicationId "dev.imranr.obtainium" | ||||||
|  |         // You can update the following values to match your application needs. | ||||||
|  |         // For more information, see: https://docs.flutter.dev/deployment/android#reviewing-the-build-configuration. | ||||||
|  |         minSdkVersion 24 | ||||||
|  |         targetSdkVersion rootProject.ext.targetSdkVersion | ||||||
|  |         versionCode flutterVersionCode.toInteger() | ||||||
|  |         versionName flutterVersionName | ||||||
|  |     } | ||||||
|  |      | ||||||
|  |     flavorDimensions "flavor" | ||||||
|  |  | ||||||
|  |     productFlavors { | ||||||
|  |         normal { | ||||||
|  |             dimension "flavor" | ||||||
|  |             applicationIdSuffix "" | ||||||
|  |         } | ||||||
|  |         fdroid { | ||||||
|  |             dimension "flavor" | ||||||
|  |             applicationIdSuffix ".fdroid" | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |      | ||||||
|  |     signingConfigs { | ||||||
|  |         release { | ||||||
|  |             keyAlias keystoreProperties['keyAlias'] | ||||||
|  |             keyPassword keystoreProperties['keyPassword'] | ||||||
|  |             storeFile keystoreProperties['storeFile'] ? file(keystoreProperties['storeFile']) : null | ||||||
|  |             storePassword keystoreProperties['storePassword'] | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |     buildTypes { | ||||||
|  |         release { | ||||||
|  |             signingConfig signingConfigs.release | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | flutter { | ||||||
|  |     source '../..' | ||||||
|  | } | ||||||
|  |  | ||||||
|  | repositories { | ||||||
|  |     maven { url 'https://jitpack.io' } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | dependencies { | ||||||
|  |     def shizuku_version = '13.1.5' | ||||||
|  |     implementation "dev.rikka.shizuku:api:$shizuku_version" | ||||||
|  |     implementation "dev.rikka.shizuku:provider:$shizuku_version" | ||||||
|  |  | ||||||
|  |     def hidden_api_version = '4.3.1' | ||||||
|  |     implementation "dev.rikka.tools.refine:runtime:$hidden_api_version" | ||||||
|  |     implementation "dev.rikka.hidden:compat:$hidden_api_version" | ||||||
|  |     compileOnly "dev.rikka.hidden:stub:$hidden_api_version" | ||||||
|  |     implementation "org.lsposed.hiddenapibypass:hiddenapibypass:4.3" | ||||||
|  |  | ||||||
|  |     implementation "com.github.topjohnwu.libsu:core:5.2.2" | ||||||
|  | } | ||||||
|  |  | ||||||
|  | ext.abiCodes = ["x86_64": 1, "armeabi-v7a": 2, "arm64-v8a": 3] | ||||||
|  | import com.android.build.OutputFile | ||||||
|  | android.applicationVariants.all { variant -> | ||||||
|  |     variant.outputs.each { output -> | ||||||
|  |         def abiVersionCode = project.ext.abiCodes.get(output.getFilter(OutputFile.ABI)) | ||||||
|  |         if (abiVersionCode != null) { | ||||||
|  |             output.versionCodeOverride = variant.versionCode * 10 + abiVersionCode | ||||||
|  |         } else { | ||||||
|  |             output.versionCodeOverride = variant.versionCode * 10 | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -1,107 +0,0 @@ | |||||||
| import java.io.FileInputStream |  | ||||||
| import java.util.Properties |  | ||||||
| import com.android.build.api.variant.FilterConfiguration.FilterType.* |  | ||||||
| import com.android.build.gradle.internal.api.ApkVariantOutputImpl |  | ||||||
|  |  | ||||||
| plugins { |  | ||||||
|     id("com.android.application") |  | ||||||
|     id("kotlin-android") |  | ||||||
|     // The Flutter Gradle Plugin must be applied after the Android and Kotlin Gradle plugins. |  | ||||||
|     id("dev.flutter.flutter-gradle-plugin") |  | ||||||
| } |  | ||||||
|  |  | ||||||
| val localProperties = Properties() |  | ||||||
| val localPropertiesFile = rootProject.file("local.properties") |  | ||||||
| if (localPropertiesFile.exists()) { |  | ||||||
|     localPropertiesFile.reader(Charsets.UTF_8).use { reader -> |  | ||||||
|         localProperties.load(reader) |  | ||||||
|     } |  | ||||||
| } |  | ||||||
|  |  | ||||||
| var flutterVersionCode = localProperties.getProperty("flutter.versionCode") ?: "1" |  | ||||||
| var flutterVersionName = localProperties.getProperty("flutter.versionName") ?: "1.0" |  | ||||||
|  |  | ||||||
| val keystoreProperties = Properties() |  | ||||||
| val keystorePropertiesFile = rootProject.file("key.properties") |  | ||||||
| if (keystorePropertiesFile.exists()) { |  | ||||||
|     keystoreProperties.load(FileInputStream(keystorePropertiesFile)) |  | ||||||
| } |  | ||||||
|  |  | ||||||
| android { |  | ||||||
|     namespace = "dev.imranr.obtainium" |  | ||||||
|     compileSdk = flutter.compileSdkVersion |  | ||||||
|     ndkVersion = "27.0.12077973" // 'flutter.ndkVersion' produces warnings (TODO can/should we switch back?) |  | ||||||
|  |  | ||||||
|     compileOptions { |  | ||||||
|         isCoreLibraryDesugaringEnabled = true |  | ||||||
|         sourceCompatibility = JavaVersion.VERSION_11 |  | ||||||
|         targetCompatibility = JavaVersion.VERSION_11 |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     kotlinOptions { |  | ||||||
|         jvmTarget = JavaVersion.VERSION_11.toString() |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     defaultConfig { |  | ||||||
|         applicationId = "dev.imranr.obtainium" |  | ||||||
|         // You can update the following values to match your application needs. |  | ||||||
|         // For more information, see: https://flutter.dev/to/review-gradle-config. |  | ||||||
|         minSdk = 24 |  | ||||||
|         targetSdk = flutter.targetSdkVersion |  | ||||||
|         versionCode = flutterVersionCode.toInt() |  | ||||||
|         versionName = flutterVersionName |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     flavorDimensions("flavor") |  | ||||||
|  |  | ||||||
|     productFlavors { |  | ||||||
|         create("normal") { |  | ||||||
|             dimension = "flavor" |  | ||||||
|             applicationIdSuffix = "" |  | ||||||
|         } |  | ||||||
|         create("fdroid") { |  | ||||||
|             dimension = "flavor" |  | ||||||
|             applicationIdSuffix = ".fdroid" |  | ||||||
|         } |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     signingConfigs { |  | ||||||
|         create("release") { |  | ||||||
|             keyAlias = keystoreProperties["keyAlias"].toString() |  | ||||||
|             keyPassword = keystoreProperties["keyPassword"].toString() |  | ||||||
|             storeFile = keystoreProperties["storeFile"]?.let { file(it) } |  | ||||||
|             storePassword = keystoreProperties["storePassword"].toString() |  | ||||||
|         } |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     buildTypes { |  | ||||||
|         getByName("release") { |  | ||||||
|             signingConfig = signingConfigs.getByName("release") |  | ||||||
|         } |  | ||||||
|         getByName("debug") { |  | ||||||
|             applicationIdSuffix = ".debug" |  | ||||||
|             versionNameSuffix = "-debug" |  | ||||||
|         } |  | ||||||
|     } |  | ||||||
| } |  | ||||||
|  |  | ||||||
| val abiCodes = mapOf("x86_64" to 1, "armeabi-v7a" to 2, "arm64-v8a" to 3) |  | ||||||
|  |  | ||||||
| android.applicationVariants.configureEach { |  | ||||||
|     val variant = this |  | ||||||
|     variant.outputs.forEach { output -> |  | ||||||
|         val abiVersionCode = abiCodes[output.filters.find { it.filterType == "ABI" }?.identifier] |  | ||||||
|         if (abiVersionCode != null) { |  | ||||||
|             (output as ApkVariantOutputImpl).versionCodeOverride = variant.versionCode * 10 + abiVersionCode |  | ||||||
|         } |  | ||||||
|     } |  | ||||||
| } |  | ||||||
|  |  | ||||||
|  |  | ||||||
| dependencies { |  | ||||||
|     coreLibraryDesugaring("com.android.tools:desugar_jdk_libs:2.1.5") |  | ||||||
| } |  | ||||||
|  |  | ||||||
| flutter { |  | ||||||
|     source = "../.." |  | ||||||
| } |  | ||||||
| @@ -1,4 +0,0 @@ | |||||||
| <?xml version="1.0" encoding="utf-8"?> |  | ||||||
| <resources> |  | ||||||
|     <string name="label">Obtainium Debug</string> |  | ||||||
| </resources> |  | ||||||
| @@ -2,17 +2,15 @@ | |||||||
|     xmlns:tools="http://schemas.android.com/tools" |     xmlns:tools="http://schemas.android.com/tools" | ||||||
|     package="dev.imranr.obtainium"> |     package="dev.imranr.obtainium"> | ||||||
|     <application |     <application | ||||||
|         android:label="@string/label" |         android:label="Obtainium" | ||||||
|         android:name="${applicationName}" |         android:name="${applicationName}" | ||||||
|         android:icon="@mipmap/ic_launcher" |         android:icon="@mipmap/ic_launcher" | ||||||
|         android:requestLegacyExternalStorage="true" |         android:requestLegacyExternalStorage="true" | ||||||
|         android:usesCleartextTraffic="true" |         android:usesCleartextTraffic="true"> | ||||||
|         android:localeConfig="@xml/locales_config"> |  | ||||||
|         <activity |         <activity | ||||||
|             android:name=".MainActivity" |             android:name=".MainActivity" | ||||||
|             android:exported="true" |             android:exported="true" | ||||||
|             android:launchMode="singleTop" |             android:launchMode="singleTop" | ||||||
|             android:taskAffinity="" |  | ||||||
|             android:theme="@style/LaunchTheme" |             android:theme="@style/LaunchTheme" | ||||||
|             android:configChanges="orientation|keyboardHidden|keyboard|screenSize|smallestScreenSize|locale|layoutDirection|fontScale|screenLayout|density|uiMode" |             android:configChanges="orientation|keyboardHidden|keyboard|screenSize|smallestScreenSize|locale|layoutDirection|fontScale|screenLayout|density|uiMode" | ||||||
|             android:hardwareAccelerated="true" |             android:hardwareAccelerated="true" | ||||||
| @@ -22,12 +20,12 @@ | |||||||
|                  while the Flutter UI initializes. After that, this theme continues |                  while the Flutter UI initializes. After that, this theme continues | ||||||
|                  to determine the Window background behind the Flutter UI. --> |                  to determine the Window background behind the Flutter UI. --> | ||||||
|             <meta-data |             <meta-data | ||||||
|               android:name="io.flutter.embedding.android.NormalTheme" |                 android:name="io.flutter.embedding.android.NormalTheme" | ||||||
|               android:resource="@style/NormalTheme" |                 android:resource="@style/NormalTheme" | ||||||
|               /> |             /> | ||||||
|             <intent-filter> |             <intent-filter> | ||||||
|                 <action android:name="android.intent.action.MAIN"/> |                 <action android:name="android.intent.action.MAIN" /> | ||||||
|                 <category android:name="android.intent.category.LAUNCHER"/> |                 <category android:name="android.intent.category.LAUNCHER" /> | ||||||
|             </intent-filter> |             </intent-filter> | ||||||
|             <intent-filter> |             <intent-filter> | ||||||
|                 <action |                 <action | ||||||
| @@ -40,6 +38,7 @@ | |||||||
|                 <category android:name="android.intent.category.BROWSABLE" /> |                 <category android:name="android.intent.category.BROWSABLE" /> | ||||||
|                 <data android:scheme="obtainium" /> |                 <data android:scheme="obtainium" /> | ||||||
|             </intent-filter> |             </intent-filter> | ||||||
|  |  | ||||||
|         </activity> |         </activity> | ||||||
|         <!-- Don't delete the meta-data below. |         <!-- Don't delete the meta-data below. | ||||||
|              This is used by the Flutter tool to generate GeneratedPluginRegistrant.java --> |              This is used by the Flutter tool to generate GeneratedPluginRegistrant.java --> | ||||||
| @@ -48,7 +47,7 @@ | |||||||
|             android:value="2" /> |             android:value="2" /> | ||||||
|         <provider |         <provider | ||||||
|             android:name="androidx.core.content.FileProvider" |             android:name="androidx.core.content.FileProvider" | ||||||
|             android:authorities="${applicationId}" |             android:authorities="dev.imranr.obtainium" | ||||||
|             android:grantUriPermissions="true"> |             android:grantUriPermissions="true"> | ||||||
|             <meta-data |             <meta-data | ||||||
|                 android:name="android.support.FILE_PROVIDER_PATHS" |                 android:name="android.support.FILE_PROVIDER_PATHS" | ||||||
| @@ -61,36 +60,16 @@ | |||||||
|             android:enabled="true" |             android:enabled="true" | ||||||
|             android:exported="true" |             android:exported="true" | ||||||
|             android:permission="android.permission.INTERACT_ACROSS_USERS_FULL" /> |             android:permission="android.permission.INTERACT_ACROSS_USERS_FULL" /> | ||||||
|         <service  |  | ||||||
|             android:name="com.pravera.flutter_foreground_task.service.ForegroundService" |  | ||||||
|             android:foregroundServiceType="specialUse" |  | ||||||
|             android:exported="false" /> |  | ||||||
|         <meta-data |  | ||||||
|             android:name="dev.imranr.obtainium.service.NOTIFICATION_ICON" |  | ||||||
|             android:resource="@drawable/ic_notification" /> |  | ||||||
|     </application> |     </application> | ||||||
|     <uses-permission android:name="android.permission.INTERNET" /> |     <uses-permission android:name="android.permission.INTERNET" /> | ||||||
|     <uses-permission android:name="android.permission.REQUEST_INSTALL_PACKAGES" /> |     <uses-permission android:name="android.permission.REQUEST_INSTALL_PACKAGES" /> | ||||||
|     <uses-permission android:name="android.permission.UPDATE_PACKAGES_WITHOUT_USER_ACTION" /> |     <uses-permission android:name="android.permission.UPDATE_PACKAGES_WITHOUT_USER_ACTION" /> | ||||||
|     <uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" /> |     <uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" /> | ||||||
|     <uses-permission android:name="android.permission.WAKE_LOCK" /> |     <uses-permission android:name="android.permission.WAKE_LOCK" /> | ||||||
|  |     <uses-permission android:name="android.permission.SCHEDULE_EXACT_ALARM" /> | ||||||
|     <uses-permission android:name="android.permission.REQUEST_DELETE_PACKAGES" /> |     <uses-permission android:name="android.permission.REQUEST_DELETE_PACKAGES" /> | ||||||
|     <uses-permission android:name="android.permission.ENFORCE_UPDATE_OWNERSHIP"/> |  | ||||||
|     <uses-permission |     <uses-permission | ||||||
|         android:name="android.permission.WRITE_EXTERNAL_STORAGE" |         android:name="android.permission.WRITE_EXTERNAL_STORAGE" | ||||||
|         android:maxSdkVersion="29" /> |         android:maxSdkVersion="29" />\ | ||||||
|     <uses-permission android:name="android.permission.QUERY_ALL_PACKAGES" /> |     <uses-permission android:name="android.permission.QUERY_ALL_PACKAGES" /> | ||||||
|     <uses-permission android:name="android.permission.FOREGROUND_SERVICE" /> | </manifest> | ||||||
|     <uses-permission android:name="android.permission.FOREGROUND_SERVICE_SPECIAL_USE" /> |  | ||||||
|     <!-- Required to query activities that can process text, see: |  | ||||||
|          https://developer.android.com/training/package-visibility and |  | ||||||
|          https://developer.android.com/reference/android/content/Intent#ACTION_PROCESS_TEXT. |  | ||||||
|  |  | ||||||
|          In particular, this is used by the Flutter engine in io.flutter.plugin.text.ProcessTextPlugin. --> |  | ||||||
|     <queries> |  | ||||||
|         <intent> |  | ||||||
|             <action android:name="android.intent.action.PROCESS_TEXT"/> |  | ||||||
|             <data android:mimeType="text/plain"/> |  | ||||||
|         </intent> |  | ||||||
|     </queries> |  | ||||||
| </manifest> |  | ||||||
| @@ -0,0 +1,44 @@ | |||||||
|  | package dev.imranr.obtainium | ||||||
|  |  | ||||||
|  | import android.util.Xml | ||||||
|  | import org.xmlpull.v1.XmlPullParser | ||||||
|  | import java.io.File | ||||||
|  | import java.io.FileInputStream | ||||||
|  |  | ||||||
|  | class DefaultSystemFont { | ||||||
|  |     fun get(): String { | ||||||
|  |         return try { | ||||||
|  |             val file = File("/system/etc/fonts.xml") | ||||||
|  |             val fileStream = FileInputStream(file) | ||||||
|  |             parseFontsFileStream(fileStream) | ||||||
|  |         } catch (e: Exception) { | ||||||
|  |             e.message ?: "Unknown fonts.xml parsing exception" | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     private fun parseFontsFileStream(fileStream: FileInputStream): String { | ||||||
|  |         fileStream.use { stream -> | ||||||
|  |             val parser = Xml.newPullParser() | ||||||
|  |             parser.setFeature(XmlPullParser.FEATURE_PROCESS_NAMESPACES, false) | ||||||
|  |             parser.setInput(stream, null) | ||||||
|  |             parser.nextTag() | ||||||
|  |             return parseFonts(parser) | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     private fun parseFonts(parser: XmlPullParser): String { | ||||||
|  |         while (!((parser.next() == XmlPullParser.END_TAG) && (parser.name == "family"))) { | ||||||
|  |             if ((parser.eventType == XmlPullParser.START_TAG) && (parser.name == "font") | ||||||
|  |                 && (parser.getAttributeValue(null, "style") == "normal") | ||||||
|  |                 && (parser.getAttributeValue(null, "weight") == "400")) { | ||||||
|  |                 break | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |         parser.next() | ||||||
|  |         val fontFile = parser.text.trim() | ||||||
|  |         if (fontFile == "") { | ||||||
|  |             throw NoSuchFieldException("The font filename couldn't be found in fonts.xml") | ||||||
|  |         } | ||||||
|  |         return "/system/fonts/$fontFile" | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -1,5 +1,179 @@ | |||||||
| package dev.imranr.obtainium | package dev.imranr.obtainium | ||||||
|  |  | ||||||
|  | import android.content.Intent | ||||||
|  | import android.content.IntentSender | ||||||
|  | import android.content.pm.IPackageInstaller | ||||||
|  | import android.content.pm.IPackageInstallerSession | ||||||
|  | import android.content.pm.PackageInstaller | ||||||
|  | import android.content.pm.PackageManager | ||||||
|  | import android.net.Uri | ||||||
|  | import android.os.Build | ||||||
|  | import android.os.Bundle | ||||||
|  | import android.os.Process | ||||||
|  | import androidx.annotation.NonNull | ||||||
|  | import com.topjohnwu.superuser.Shell | ||||||
|  | import dev.imranr.obtainium.util.IIntentSenderAdaptor | ||||||
|  | import dev.imranr.obtainium.util.IntentSenderUtils | ||||||
|  | import dev.imranr.obtainium.util.PackageInstallerUtils | ||||||
|  | import dev.imranr.obtainium.util.ShizukuSystemServerApi | ||||||
| import io.flutter.embedding.android.FlutterActivity | import io.flutter.embedding.android.FlutterActivity | ||||||
|  | import io.flutter.embedding.engine.FlutterEngine | ||||||
|  | import io.flutter.plugin.common.MethodChannel | ||||||
|  | import io.flutter.plugin.common.MethodChannel.Result | ||||||
|  | import java.io.IOException | ||||||
|  | import java.util.concurrent.CountDownLatch | ||||||
|  | import org.lsposed.hiddenapibypass.HiddenApiBypass | ||||||
|  | import rikka.shizuku.Shizuku | ||||||
|  | import rikka.shizuku.Shizuku.OnRequestPermissionResultListener | ||||||
|  | import rikka.shizuku.ShizukuBinderWrapper | ||||||
|  |  | ||||||
| class MainActivity : FlutterActivity() | class MainActivity: FlutterActivity() { | ||||||
|  |     private var nativeChannel: MethodChannel? = null | ||||||
|  |     private val SHIZUKU_PERMISSION_REQUEST_CODE = (10..200).random() | ||||||
|  |  | ||||||
|  |     private fun shizukuCheckPermission(result: Result) { | ||||||
|  |         try { | ||||||
|  |             if (Shizuku.isPreV11()) {  // Unsupported | ||||||
|  |                 result.success(-1) | ||||||
|  |             } else if (Shizuku.checkSelfPermission() == PackageManager.PERMISSION_GRANTED) { | ||||||
|  |                 result.success(1) | ||||||
|  |             } else if (Shizuku.shouldShowRequestPermissionRationale()) {  // Deny and don't ask again | ||||||
|  |                 result.success(0) | ||||||
|  |             } else { | ||||||
|  |                 Shizuku.requestPermission(SHIZUKU_PERMISSION_REQUEST_CODE) | ||||||
|  |                 result.success(-2) | ||||||
|  |             } | ||||||
|  |         } catch (_: Exception) {  // If shizuku not running | ||||||
|  |             result.success(-1) | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     private val shizukuRequestPermissionResultListener = OnRequestPermissionResultListener { | ||||||
|  |             requestCode: Int, grantResult: Int -> | ||||||
|  |         if (requestCode == SHIZUKU_PERMISSION_REQUEST_CODE) { | ||||||
|  |             val res = if (grantResult == PackageManager.PERMISSION_GRANTED) 1 else 0 | ||||||
|  |             nativeChannel!!.invokeMethod("resPermShizuku", mapOf("res" to res)) | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     private fun shizukuInstallApk(apkFileUri: String, result: Result) { | ||||||
|  |         val uri = Uri.parse(apkFileUri) | ||||||
|  |         var res = false | ||||||
|  |         var session: PackageInstaller.Session? = null | ||||||
|  |         try { | ||||||
|  |             val iPackageInstaller: IPackageInstaller = | ||||||
|  |                 ShizukuSystemServerApi.PackageManager_getPackageInstaller() | ||||||
|  |             val isRoot = Shizuku.getUid() == 0 | ||||||
|  |             // The reason for use "com.android.shell" as installer package under adb | ||||||
|  |             // is that getMySessions will check installer package's owner | ||||||
|  |             val installerPackageName = if (isRoot) packageName else "com.android.shell" | ||||||
|  |             var installerAttributionTag: String? = null | ||||||
|  |             if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { | ||||||
|  |                 installerAttributionTag = attributionTag | ||||||
|  |             } | ||||||
|  |             val userId = if (isRoot) Process.myUserHandle().hashCode() else 0 | ||||||
|  |             val packageInstaller = PackageInstallerUtils.createPackageInstaller( | ||||||
|  |                 iPackageInstaller, installerPackageName, installerAttributionTag, userId) | ||||||
|  |             val params = | ||||||
|  |                 PackageInstaller.SessionParams(PackageInstaller.SessionParams.MODE_FULL_INSTALL) | ||||||
|  |             var installFlags: Int = PackageInstallerUtils.getInstallFlags(params) | ||||||
|  |             installFlags = installFlags or (0x00000002/*PackageManager.INSTALL_REPLACE_EXISTING*/ | ||||||
|  |                     or 0x00000004 /*PackageManager.INSTALL_ALLOW_TEST*/) | ||||||
|  |             PackageInstallerUtils.setInstallFlags(params, installFlags) | ||||||
|  |             val sessionId = packageInstaller.createSession(params) | ||||||
|  |             val iSession = IPackageInstallerSession.Stub.asInterface( | ||||||
|  |                 ShizukuBinderWrapper(iPackageInstaller.openSession(sessionId).asBinder())) | ||||||
|  |             session = PackageInstallerUtils.createSession(iSession) | ||||||
|  |             val inputStream = contentResolver.openInputStream(uri) | ||||||
|  |             val openedSession = session.openWrite("apk.apk", 0, -1) | ||||||
|  |             val buffer = ByteArray(8192) | ||||||
|  |             var length: Int | ||||||
|  |             try { | ||||||
|  |                 while (inputStream!!.read(buffer).also { length = it } > 0) { | ||||||
|  |                     openedSession.write(buffer, 0, length) | ||||||
|  |                     openedSession.flush() | ||||||
|  |                     session.fsync(openedSession) | ||||||
|  |                 } | ||||||
|  |             } finally { | ||||||
|  |                 try { | ||||||
|  |                     inputStream!!.close() | ||||||
|  |                     openedSession.close() | ||||||
|  |                 } catch (e: IOException) { | ||||||
|  |                     e.printStackTrace() | ||||||
|  |                 } | ||||||
|  |             } | ||||||
|  |             val results = arrayOf<Intent?>(null) | ||||||
|  |             val countDownLatch = CountDownLatch(1) | ||||||
|  |             val intentSender: IntentSender = | ||||||
|  |                 IntentSenderUtils.newInstance(object : IIntentSenderAdaptor() { | ||||||
|  |                     override fun send(intent: Intent?) { | ||||||
|  |                         results[0] = intent | ||||||
|  |                         countDownLatch.countDown() | ||||||
|  |                     } | ||||||
|  |                 }) | ||||||
|  |             session.commit(intentSender) | ||||||
|  |             countDownLatch.await() | ||||||
|  |             res = results[0]!!.getIntExtra( | ||||||
|  |                 PackageInstaller.EXTRA_STATUS, PackageInstaller.STATUS_FAILURE) == 0 | ||||||
|  |         } catch (_: Exception) { | ||||||
|  |             res = false | ||||||
|  |         } finally { | ||||||
|  |             if (session != null) { | ||||||
|  |                 try { | ||||||
|  |                     session.close() | ||||||
|  |                 } catch (_: Exception) { | ||||||
|  |                     res = false | ||||||
|  |                 } | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |         result.success(res) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     private fun rootCheckPermission(result: Result) { | ||||||
|  |         Shell.getShell(Shell.GetShellCallback( | ||||||
|  |             fun(shell: Shell) { | ||||||
|  |                 result.success(shell.isRoot) | ||||||
|  |             } | ||||||
|  |         )) | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     private fun rootInstallApk(apkFilePath: String, result: Result) { | ||||||
|  |         Shell.sh("pm install -r -t " + apkFilePath).submit { out -> | ||||||
|  |             val builder = StringBuilder() | ||||||
|  |             for (data in out.getOut()) { builder.append(data) } | ||||||
|  |             result.success(builder.toString().endsWith("Success")) | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     override fun configureFlutterEngine(@NonNull flutterEngine: FlutterEngine) { | ||||||
|  |         super.configureFlutterEngine(flutterEngine) | ||||||
|  |         if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.P) { | ||||||
|  |             HiddenApiBypass.addHiddenApiExemptions("") | ||||||
|  |         } | ||||||
|  |         Shizuku.addRequestPermissionResultListener(shizukuRequestPermissionResultListener) | ||||||
|  |         nativeChannel = MethodChannel( | ||||||
|  |             flutterEngine.dartExecutor.binaryMessenger, "native") | ||||||
|  |         nativeChannel!!.setMethodCallHandler { | ||||||
|  |             call, result -> | ||||||
|  |             if (call.method == "getSystemFont") { | ||||||
|  |                 val res = DefaultSystemFont().get() | ||||||
|  |                 result.success(res) | ||||||
|  |             } else if (call.method == "checkPermissionShizuku") { | ||||||
|  |                 shizukuCheckPermission(result) | ||||||
|  |             } else if (call.method == "checkPermissionRoot") { | ||||||
|  |                 rootCheckPermission(result) | ||||||
|  |             } else if (call.method == "installWithShizuku") { | ||||||
|  |                 val apkFileUri: String? = call.argument("apkFileUri") | ||||||
|  |                 shizukuInstallApk(apkFileUri!!, result) | ||||||
|  |             } else if (call.method == "installWithRoot") { | ||||||
|  |                 val apkFilePath: String? = call.argument("apkFilePath") | ||||||
|  |                 rootInstallApk(apkFilePath!!, result) | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     override fun onDestroy() { | ||||||
|  |         super.onDestroy() | ||||||
|  |         Shizuku.removeRequestPermissionResultListener(shizukuRequestPermissionResultListener) | ||||||
|  |     } | ||||||
|  | } | ||||||
|   | |||||||
| @@ -0,0 +1,37 @@ | |||||||
|  | package dev.imranr.obtainium.util; | ||||||
|  |  | ||||||
|  | import android.annotation.SuppressLint; | ||||||
|  | import android.app.Application; | ||||||
|  | import android.os.Build; | ||||||
|  |  | ||||||
|  | import java.lang.reflect.InvocationTargetException; | ||||||
|  | import java.lang.reflect.Method; | ||||||
|  |  | ||||||
|  | public class ApplicationUtils { | ||||||
|  |  | ||||||
|  |     private static Application application; | ||||||
|  |  | ||||||
|  |     public static Application getApplication() { | ||||||
|  |         return application; | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     public static void setApplication(Application application) { | ||||||
|  |         ApplicationUtils.application = application; | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     public static String getProcessName() { | ||||||
|  |         if (Build.VERSION.SDK_INT >= 28) | ||||||
|  |             return Application.getProcessName(); | ||||||
|  |         else { | ||||||
|  |             try { | ||||||
|  |                 @SuppressLint("PrivateApi") | ||||||
|  |                 Class<?> activityThread = Class.forName("android.app.ActivityThread"); | ||||||
|  |                 @SuppressLint("DiscouragedPrivateApi") | ||||||
|  |                 Method method = activityThread.getDeclaredMethod("currentProcessName"); | ||||||
|  |                 return (String) method.invoke(null); | ||||||
|  |             } catch (ClassNotFoundException | NoSuchMethodException | IllegalAccessException | InvocationTargetException e) { | ||||||
|  |                 throw new RuntimeException(e); | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -0,0 +1,23 @@ | |||||||
|  | package dev.imranr.obtainium.util; | ||||||
|  |  | ||||||
|  | import android.content.IIntentReceiver; | ||||||
|  | import android.content.IIntentSender; | ||||||
|  | import android.content.Intent; | ||||||
|  | import android.os.Bundle; | ||||||
|  | import android.os.IBinder; | ||||||
|  |  | ||||||
|  | public abstract class IIntentSenderAdaptor extends IIntentSender.Stub { | ||||||
|  |  | ||||||
|  |     public abstract void send(Intent intent); | ||||||
|  |  | ||||||
|  |     @Override | ||||||
|  |     public int send(int code, Intent intent, String resolvedType, IIntentReceiver finishedReceiver, String requiredPermission, Bundle options) { | ||||||
|  |         send(intent); | ||||||
|  |         return 0; | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     @Override | ||||||
|  |     public void send(int code, Intent intent, String resolvedType, IBinder whitelistToken, IIntentReceiver finishedReceiver, String requiredPermission, Bundle options) { | ||||||
|  |         send(intent); | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -0,0 +1,14 @@ | |||||||
|  | package dev.imranr.obtainium.util; | ||||||
|  |  | ||||||
|  | import android.content.IIntentSender; | ||||||
|  | import android.content.IntentSender; | ||||||
|  |  | ||||||
|  | import java.lang.reflect.InvocationTargetException; | ||||||
|  |  | ||||||
|  | public class IntentSenderUtils { | ||||||
|  |  | ||||||
|  |     public static IntentSender newInstance(IIntentSender binder) throws NoSuchMethodException, IllegalAccessException, InvocationTargetException, InstantiationException { | ||||||
|  |         //noinspection JavaReflectionMemberAccess | ||||||
|  |         return IntentSender.class.getConstructor(IIntentSender.class).newInstance(binder); | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -0,0 +1,41 @@ | |||||||
|  | package dev.imranr.obtainium.util; | ||||||
|  |  | ||||||
|  | import android.content.Context; | ||||||
|  | import android.content.pm.IPackageInstaller; | ||||||
|  | import android.content.pm.IPackageInstallerSession; | ||||||
|  | import android.content.pm.PackageInstaller; | ||||||
|  | import android.content.pm.PackageManager; | ||||||
|  | import android.os.Build; | ||||||
|  |  | ||||||
|  | import java.lang.reflect.InvocationTargetException; | ||||||
|  |  | ||||||
|  | @SuppressWarnings({"JavaReflectionMemberAccess"}) | ||||||
|  | public class PackageInstallerUtils { | ||||||
|  |  | ||||||
|  |     public static PackageInstaller createPackageInstaller(IPackageInstaller installer, String installerPackageName, String installerAttributionTag, int userId) throws NoSuchMethodException, IllegalAccessException, InvocationTargetException, InstantiationException { | ||||||
|  |         if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { | ||||||
|  |             return PackageInstaller.class.getConstructor(IPackageInstaller.class, String.class, String.class, int.class) | ||||||
|  |                     .newInstance(installer, installerPackageName, installerAttributionTag, userId); | ||||||
|  |         } else if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) { | ||||||
|  |             return PackageInstaller.class.getConstructor(IPackageInstaller.class, String.class, int.class) | ||||||
|  |                     .newInstance(installer, installerPackageName, userId); | ||||||
|  |         } else { | ||||||
|  |             return PackageInstaller.class.getConstructor(Context.class, PackageManager.class, IPackageInstaller.class, String.class, int.class) | ||||||
|  |                     .newInstance(ApplicationUtils.getApplication(), ApplicationUtils.getApplication().getPackageManager(), installer, installerPackageName, userId); | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     public static PackageInstaller.Session createSession(IPackageInstallerSession session) throws NoSuchMethodException, IllegalAccessException, InvocationTargetException, InstantiationException { | ||||||
|  |         return PackageInstaller.Session.class.getConstructor(IPackageInstallerSession.class) | ||||||
|  |                 .newInstance(session); | ||||||
|  |  | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     public static int getInstallFlags(PackageInstaller.SessionParams params) throws NoSuchFieldException, IllegalAccessException { | ||||||
|  |         return (int) PackageInstaller.SessionParams.class.getDeclaredField("installFlags").get(params); | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     public static void setInstallFlags(PackageInstaller.SessionParams params, int newValue) throws NoSuchFieldException, IllegalAccessException { | ||||||
|  |         PackageInstaller.SessionParams.class.getDeclaredField("installFlags").set(params, newValue); | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -0,0 +1,68 @@ | |||||||
|  | package dev.imranr.obtainium.util; | ||||||
|  |  | ||||||
|  | import android.content.Context; | ||||||
|  | import android.content.pm.IPackageInstaller; | ||||||
|  | import android.content.pm.IPackageManager; | ||||||
|  | import android.content.pm.UserInfo; | ||||||
|  | import android.os.Build; | ||||||
|  | import android.os.IUserManager; | ||||||
|  | import android.os.RemoteException; | ||||||
|  |  | ||||||
|  | import java.util.List; | ||||||
|  |  | ||||||
|  | import rikka.shizuku.ShizukuBinderWrapper; | ||||||
|  | import rikka.shizuku.SystemServiceHelper; | ||||||
|  |  | ||||||
|  | public class ShizukuSystemServerApi { | ||||||
|  |  | ||||||
|  |     private static final Singleton<IPackageManager> PACKAGE_MANAGER = new Singleton<IPackageManager>() { | ||||||
|  |         @Override | ||||||
|  |         protected IPackageManager create() { | ||||||
|  |             return IPackageManager.Stub.asInterface(new ShizukuBinderWrapper(SystemServiceHelper.getSystemService("package"))); | ||||||
|  |         } | ||||||
|  |     }; | ||||||
|  |  | ||||||
|  |     private static final Singleton<IUserManager> USER_MANAGER = new Singleton<IUserManager>() { | ||||||
|  |         @Override | ||||||
|  |         protected IUserManager create() { | ||||||
|  |             return IUserManager.Stub.asInterface(new ShizukuBinderWrapper(SystemServiceHelper.getSystemService(Context.USER_SERVICE))); | ||||||
|  |         } | ||||||
|  |     }; | ||||||
|  |  | ||||||
|  |     public static IPackageInstaller PackageManager_getPackageInstaller() throws RemoteException { | ||||||
|  |         IPackageInstaller packageInstaller = PACKAGE_MANAGER.get().getPackageInstaller(); | ||||||
|  |         return IPackageInstaller.Stub.asInterface(new ShizukuBinderWrapper(packageInstaller.asBinder())); | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     public static List<UserInfo> UserManager_getUsers(boolean excludePartial, boolean excludeDying, boolean excludePreCreated) throws RemoteException { | ||||||
|  |         if (Build.VERSION.SDK_INT >= 30) { | ||||||
|  |             return USER_MANAGER.get().getUsers(excludePartial, excludeDying, excludePreCreated); | ||||||
|  |         } else { | ||||||
|  |             try { | ||||||
|  |                 return USER_MANAGER.get().getUsers(excludeDying); | ||||||
|  |             } catch (NoSuchFieldError e) { | ||||||
|  |                 return USER_MANAGER.get().getUsers(excludePartial, excludeDying, excludePreCreated); | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     // method 2: use transactRemote directly | ||||||
|  |     /*public static List<UserInfo> UserManager_getUsers(boolean excludeDying) { | ||||||
|  |         Parcel data = SystemServiceHelper.obtainParcel(Context.USER_SERVICE, "android.os.IUserManager", "getUsers"); | ||||||
|  |         Parcel reply = Parcel.obtain(); | ||||||
|  |         data.writeInt(excludeDying ? 1 : 0); | ||||||
|  |  | ||||||
|  |         List<UserInfo> res = null; | ||||||
|  |         try { | ||||||
|  |             ShizukuService.transactRemote(data, reply, 0); | ||||||
|  |             reply.readException(); | ||||||
|  |             res = reply.createTypedArrayList(UserInfo.CREATOR); | ||||||
|  |         } catch (RemoteException e) { | ||||||
|  |             Log.e("ShizukuSample", "UserManager#getUsers", e); | ||||||
|  |         } finally { | ||||||
|  |             data.recycle(); | ||||||
|  |             reply.recycle(); | ||||||
|  |         } | ||||||
|  |         return res; | ||||||
|  |     }*/ | ||||||
|  | } | ||||||
| @@ -0,0 +1,17 @@ | |||||||
|  | package dev.imranr.obtainium.util; | ||||||
|  |  | ||||||
|  | public abstract class Singleton<T> { | ||||||
|  |  | ||||||
|  |     private T mInstance; | ||||||
|  |  | ||||||
|  |     protected abstract T create(); | ||||||
|  |  | ||||||
|  |     public final T get() { | ||||||
|  |         synchronized (this) { | ||||||
|  |             if (mInstance == null) { | ||||||
|  |                 mInstance = create(); | ||||||
|  |             } | ||||||
|  |             return mInstance; | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  | } | ||||||
| @@ -1,4 +0,0 @@ | |||||||
| <?xml version="1.0" encoding="utf-8"?> |  | ||||||
| <resources> |  | ||||||
|     <string name="label">Obtainium</string> |  | ||||||
| </resources> |  | ||||||
| @@ -1,22 +0,0 @@ | |||||||
| <?xml version="1.0" encoding="utf-8"?> |  | ||||||
| <locale-config xmlns:android="http://schemas.android.com/apk/res/android"> |  | ||||||
|     <locale android:name="bs"/> |  | ||||||
|     <locale android:name="cs"/> |  | ||||||
|     <locale android:name="de"/> |  | ||||||
|     <locale android:name="en"/> |  | ||||||
|     <locale android:name="es"/> |  | ||||||
|     <locale android:name="fa"/> |  | ||||||
|     <locale android:name="fr"/> |  | ||||||
|     <locale android:name="hu"/> |  | ||||||
|     <locale android:name="it"/> |  | ||||||
|     <locale android:name="ja"/> |  | ||||||
|     <locale android:name="nl"/> |  | ||||||
|     <locale android:name="pl"/> |  | ||||||
|     <locale android:name="pt"/> |  | ||||||
|     <locale android:name="ru"/> |  | ||||||
|     <locale android:name="sv"/> |  | ||||||
|     <locale android:name="tr"/> |  | ||||||
|     <locale android:name="uk"/> |  | ||||||
|     <locale android:name="vi"/> |  | ||||||
|     <locale android:name="zh"/> |  | ||||||
| </locale-config> |  | ||||||
							
								
								
									
										41
									
								
								android/build.gradle
									
									
									
									
									
										Normal file
									
								
							
							
						
						| @@ -0,0 +1,41 @@ | |||||||
|  | buildscript { | ||||||
|  |     ext.kotlin_version = '1.8.10' | ||||||
|  |     ext { | ||||||
|  |         compileSdkVersion   = 34                // or latest | ||||||
|  |         targetSdkVersion    = 34                // or latest | ||||||
|  |         appCompatVersion    = "1.4.2"           // or latest | ||||||
|  |     } | ||||||
|  |     repositories { | ||||||
|  |         google() | ||||||
|  |         mavenCentral() | ||||||
|  |     } | ||||||
|  |  | ||||||
|  |     dependencies { | ||||||
|  |         classpath "com.android.tools.build:gradle:7.4.2" | ||||||
|  |         classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version" | ||||||
|  |         classpath "dev.rikka.tools.refine:gradle-plugin:4.3.1" | ||||||
|  |     } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | allprojects { | ||||||
|  |     repositories { | ||||||
|  |         google() | ||||||
|  |         mavenCentral() | ||||||
|  |         maven { | ||||||
|  |             // [required] background_fetch | ||||||
|  |             url "${project(':background_fetch').projectDir}/libs" | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | rootProject.buildDir = '../build' | ||||||
|  | subprojects { | ||||||
|  |     project.buildDir = "${rootProject.buildDir}/${project.name}" | ||||||
|  | } | ||||||
|  | subprojects { | ||||||
|  |     project.evaluationDependsOn(':app') | ||||||
|  | } | ||||||
|  |  | ||||||
|  | tasks.register("clean", Delete) { | ||||||
|  |     delete rootProject.buildDir | ||||||
|  | } | ||||||
| @@ -1,25 +0,0 @@ | |||||||
| allprojects { |  | ||||||
|     repositories { |  | ||||||
|         google() |  | ||||||
|         mavenCentral() |  | ||||||
|         maven { |  | ||||||
|             // [required] background_fetch |  | ||||||
|             url = uri("${project(":background_fetch").projectDir}/libs") |  | ||||||
|         } |  | ||||||
|     } |  | ||||||
| } |  | ||||||
|  |  | ||||||
| val newBuildDir: Directory = rootProject.layout.buildDirectory.dir("../../build").get() |  | ||||||
| rootProject.layout.buildDirectory.value(newBuildDir) |  | ||||||
|  |  | ||||||
| subprojects { |  | ||||||
|     val newSubprojectBuildDir: Directory = newBuildDir.dir(project.name) |  | ||||||
|     project.layout.buildDirectory.value(newSubprojectBuildDir) |  | ||||||
| } |  | ||||||
| subprojects { |  | ||||||
|     project.evaluationDependsOn(":app") |  | ||||||
| } |  | ||||||
|  |  | ||||||
| tasks.register<Delete>("clean") { |  | ||||||
|     delete(rootProject.layout.buildDirectory) |  | ||||||
| } |  | ||||||
| @@ -1,3 +1,3 @@ | |||||||
| org.gradle.jvmargs=-Xmx8G -XX:MaxMetaspaceSize=4G -XX:ReservedCodeCacheSize=512m -XX:+HeapDumpOnOutOfMemoryError | org.gradle.jvmargs=-Xmx1536M | ||||||
| android.useAndroidX=true | android.useAndroidX=true | ||||||
| android.enableJetifier=true | android.enableJetifier=true | ||||||
|   | |||||||
| @@ -2,4 +2,4 @@ distributionBase=GRADLE_USER_HOME | |||||||
| distributionPath=wrapper/dists | distributionPath=wrapper/dists | ||||||
| zipStoreBase=GRADLE_USER_HOME | zipStoreBase=GRADLE_USER_HOME | ||||||
| zipStorePath=wrapper/dists | zipStorePath=wrapper/dists | ||||||
| distributionUrl=https\://services.gradle.org/distributions/gradle-8.12-all.zip | distributionUrl=https\://services.gradle.org/distributions/gradle-7.5-all.zip | ||||||
|   | |||||||
							
								
								
									
										11
									
								
								android/settings.gradle
									
									
									
									
									
										Normal file
									
								
							
							
						
						| @@ -0,0 +1,11 @@ | |||||||
|  | include ':app' | ||||||
|  |  | ||||||
|  | def localPropertiesFile = new File(rootProject.projectDir, "local.properties") | ||||||
|  | def properties = new Properties() | ||||||
|  |  | ||||||
|  | assert localPropertiesFile.exists() | ||||||
|  | localPropertiesFile.withReader("UTF-8") { reader -> properties.load(reader) } | ||||||
|  |  | ||||||
|  | def flutterSdkPath = properties.getProperty("flutter.sdk") | ||||||
|  | assert flutterSdkPath != null, "flutter.sdk not set in local.properties" | ||||||
|  | apply from: "$flutterSdkPath/packages/flutter_tools/gradle/app_plugin_loader.gradle" | ||||||
| @@ -1,25 +0,0 @@ | |||||||
| pluginManagement { |  | ||||||
|     val flutterSdkPath = run { |  | ||||||
|         val properties = java.util.Properties() |  | ||||||
|         file("local.properties").inputStream().use { properties.load(it) } |  | ||||||
|         val flutterSdkPath = properties.getProperty("flutter.sdk") |  | ||||||
|         require(flutterSdkPath != null) { "flutter.sdk not set in local.properties" } |  | ||||||
|         flutterSdkPath |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     includeBuild("$flutterSdkPath/packages/flutter_tools/gradle") |  | ||||||
|  |  | ||||||
|     repositories { |  | ||||||
|         google() |  | ||||||
|         mavenCentral() |  | ||||||
|         gradlePluginPortal() |  | ||||||
|     } |  | ||||||
| } |  | ||||||
|  |  | ||||||
| plugins { |  | ||||||
|     id("dev.flutter.flutter-plugin-loader") version "1.0.0" |  | ||||||
|     id("com.android.application") version "8.7.3" apply false |  | ||||||
|     id("org.jetbrains.kotlin.android") version "2.1.0" apply false |  | ||||||
| } |  | ||||||
|  |  | ||||||
| include(":app") |  | ||||||
							
								
								
									
										
											BIN
										
									
								
								assets/fonts/Metropolis-Regular.otf
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 26 KiB | 
| Before Width: | Height: | Size: 44 KiB | 
| Before Width: | Height: | Size: 346 KiB After Width: | Height: | Size: 234 KiB | 
| Before Width: | Height: | Size: 354 KiB After Width: | Height: | Size: 238 KiB | 
| Before Width: | Height: | Size: 265 KiB After Width: | Height: | Size: 140 KiB | 
| Before Width: | Height: | Size: 227 KiB After Width: | Height: | Size: 139 KiB | 
| Before Width: | Height: | Size: 178 KiB After Width: | Height: | Size: 118 KiB | 
| Before Width: | Height: | Size: 264 KiB After Width: | Height: | Size: 262 KiB | 
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "رابط تطبيق {} غير صالح", |  | ||||||
|     "noReleaseFound": "تعذر العثور على إصدار مناسب", |  | ||||||
|     "noVersionFound": "تعذر تحديد إصدار التطبيق", |  | ||||||
|     "urlMatchesNoSource": "الرابط لا يتطابق مع مصدر معروف", |  | ||||||
|     "cantInstallOlderVersion": "لا يمكن تثبيت إصدار أقدم من التطبيق", |  | ||||||
|     "appIdMismatch": "معرّف الحزمة المحملة لا يتطابق مع معرّف التطبيق الحالي", |  | ||||||
|     "functionNotImplemented": "هذه الوظيفة غير مطبقة في هذا الصنف", |  | ||||||
|     "placeholder": "عنصر نائب", |  | ||||||
|     "someErrors": "حدثت بعض الأخطاء", |  | ||||||
|     "unexpectedError": "خطأ غير متوقع", |  | ||||||
|     "ok": "موافق", |  | ||||||
|     "and": "و", |  | ||||||
|     "githubPATLabel": "رمز الوصول الشخصي لـ GitHub (يزيد من الحد المسموح)", |  | ||||||
|     "includePrereleases": "تضمين الإصدارات الأولية", |  | ||||||
|     "fallbackToOlderReleases": "الرجوع إلى الإصدارات الأقدم", |  | ||||||
|     "filterReleaseTitlesByRegEx": "تصفية عناوين الإصدارات باستخدام تعبير نمطي", |  | ||||||
|     "invalidRegEx": "تعبير نمطي غير صالح", |  | ||||||
|     "noDescription": "لا يوجد وصف", |  | ||||||
|     "cancel": "إلغاء", |  | ||||||
|     "continue": "متابعة", |  | ||||||
|     "requiredInBrackets": "(مطلوب)", |  | ||||||
|     "dropdownNoOptsError": "خطأ: يجب أن يحتوي القائمة المنسدلة على خيار واحد على الأقل", |  | ||||||
|     "colour": "لون", |  | ||||||
|     "standard": "قياسي", |  | ||||||
|     "custom": "مخصص", |  | ||||||
|     "useMaterialYou": "استخدم Material You", |  | ||||||
|     "githubStarredRepos": "مستودعات GitHub المفضلة", |  | ||||||
|     "uname": "اسم المستخدم", |  | ||||||
|     "wrongArgNum": "عدد وسائط غير صحيح", |  | ||||||
|     "xIsTrackOnly": "{} للتعقب فقط", |  | ||||||
|     "source": "المصدر", |  | ||||||
|     "app": "التطبيق", |  | ||||||
|     "appsFromSourceAreTrackOnly": "تطبيقات هذا المصدر للتعقب فقط.", |  | ||||||
|     "youPickedTrackOnly": "لقد اخترت خيار 'التعقب فقط'.", |  | ||||||
|     "trackOnlyAppDescription": "سيتم تعقب التطبيق للتحديثات، لكن Obtainium لن يتمكن من تنزيله أو تثبيته.", |  | ||||||
|     "cancelled": "تم الإلغاء", |  | ||||||
|     "appAlreadyAdded": "التطبيق مضاف بالفعل", |  | ||||||
|     "alreadyUpToDateQuestion": "التطبيق محدث بالفعل؟", |  | ||||||
|     "addApp": "إضافة تطبيق", |  | ||||||
|     "appSourceURL": "رابط مصدر التطبيق", |  | ||||||
|     "error": "خطأ", |  | ||||||
|     "add": "إضافة", |  | ||||||
|     "searchSomeSourcesLabel": "بحث (بعض المصادر فقط)", |  | ||||||
|     "search": "بحث", |  | ||||||
|     "additionalOptsFor": "خيارات إضافية لـ {}", |  | ||||||
|     "supportedSources": "المصادر المدعومة", |  | ||||||
|     "trackOnlyInBrackets": "(للتعقب فقط)", |  | ||||||
|     "searchableInBrackets": "(قابل للبحث)", |  | ||||||
|     "appsString": "التطبيقات", |  | ||||||
|     "noApps": "لا توجد تطبيقات", |  | ||||||
|     "noAppsForFilter": "لا توجد تطبيقات تطابق الفلتر", |  | ||||||
|     "byX": "بواسطة {}", |  | ||||||
|     "percentProgress": "التقدم: {}%", |  | ||||||
|     "pleaseWait": "يرجى الانتظار", |  | ||||||
|     "updateAvailable": "تحديث متاح", |  | ||||||
|     "notInstalled": "غير مثبت", |  | ||||||
|     "pseudoVersion": "إصدار وهمي", |  | ||||||
|     "selectAll": "تحديد الكل", |  | ||||||
|     "deselectX": "إلغاء تحديد {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "سيتم إزالة {} من Obtainium لكنه سيظل مثبتًا على الجهاز.", |  | ||||||
|     "removeSelectedAppsQuestion": "إزالة التطبيقات المحددة؟", |  | ||||||
|     "removeSelectedApps": "إزالة التطبيقات المحددة", |  | ||||||
|     "updateX": "تحديث {}", |  | ||||||
|     "installX": "تثبيت {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "تعليم {}\n(للتعقب فقط)\nكمحدث", |  | ||||||
|     "changeX": "تغيير {}", |  | ||||||
|     "installUpdateApps": "تثبيت/تحديث التطبيقات", |  | ||||||
|     "installUpdateSelectedApps": "تثبيت/تحديث التطبيقات المحددة", |  | ||||||
|     "markXSelectedAppsAsUpdated": "تعليم {} تطبيقات محددة كمحدثة؟", |  | ||||||
|     "no": "لا", |  | ||||||
|     "yes": "نعم", |  | ||||||
|     "markSelectedAppsUpdated": "تعليم التطبيقات المحددة كمحدثة", |  | ||||||
|     "pinToTop": "تثبيت في الأعلى", |  | ||||||
|     "unpinFromTop": "إلغاء التثبيت من الأعلى", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "إعادة تعيين حالة التثبيت للتطبيقات المحددة؟", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "سيتم إعادة تعيين حالة التثبيت لأي تطبيقات محددة.\n\nقد يساعد هذا عندما يكون إصدار التطبيق المعروض في Obtainium غير صحيح بسبب فشل التحديثات أو مشاكل أخرى.", |  | ||||||
|     "customLinkMessage": "هذه الروابط تعمل على الأجهزة التي بها Obtainium مثبتًا", |  | ||||||
|     "shareAppConfigLinks": "مشاركة تكوين التطبيق كرابط HTML", |  | ||||||
|     "shareSelectedAppURLs": "مشاركة روابط التطبيقات المحددة", |  | ||||||
|     "resetInstallStatus": "إعادة تعيين حالة التثبيت", |  | ||||||
|     "more": "المزيد", |  | ||||||
|     "removeOutdatedFilter": "إزالة فلتر التطبيقات غير المحدثة", |  | ||||||
|     "showOutdatedOnly": "عرض التطبيقات غير المحدثة فقط", |  | ||||||
|     "filter": "تصفية", |  | ||||||
|     "filterApps": "تصفية التطبيقات", |  | ||||||
|     "appName": "اسم التطبيق", |  | ||||||
|     "author": "المؤلف", |  | ||||||
|     "upToDateApps": "تطبيقات محدثة", |  | ||||||
|     "nonInstalledApps": "تطبيقات غير مثبتة", |  | ||||||
|     "importExport": "استيراد/تصدير", |  | ||||||
|     "settings": "الإعدادات", |  | ||||||
|     "exportedTo": "تم التصدير إلى {}", |  | ||||||
|     "obtainiumExport": "تصدير Obtainium", |  | ||||||
|     "invalidInput": "إدخال غير صالح", |  | ||||||
|     "importedX": "تم استيراد {}", |  | ||||||
|     "obtainiumImport": "استيراد Obtainium", |  | ||||||
|     "importFromURLList": "استيراد من قائمة الروابط", |  | ||||||
|     "searchQuery": "استعلام البحث", |  | ||||||
|     "appURLList": "قائمة روابط التطبيقات", |  | ||||||
|     "line": "سطر", |  | ||||||
|     "searchX": "بحث {}", |  | ||||||
|     "noResults": "لا توجد نتائج", |  | ||||||
|     "importX": "استيراد {}", |  | ||||||
|     "importedAppsIdDisclaimer": "قد تظهر التطبيقات المستوردة بشكل غير صحيح كـ \"غير مثبتة\".\nلإصلاح هذا، قم بإعادة تثبيتها عبر Obtainium.\nهذا لا يؤثر على بيانات التطبيق.\n\nينطبق فقط على طرق الاستيراد عبر الروابط أو الطرف الثالث.", |  | ||||||
|     "importErrors": "أخطاء الاستيراد", |  | ||||||
|     "importedXOfYApps": "تم استيراد {} من {} تطبيقات.", |  | ||||||
|     "followingURLsHadErrors": "حدثت أخطاء في الروابط التالية:", |  | ||||||
|     "selectURL": "اختر رابطًا", |  | ||||||
|     "selectURLs": "اختر روابط", |  | ||||||
|     "pick": "اختر", |  | ||||||
|     "theme": "المظهر", |  | ||||||
|     "dark": "مظلم", |  | ||||||
|     "light": "فاتح", |  | ||||||
|     "followSystem": "اتباع النظام", |  | ||||||
|     "followSystemThemeExplanation": "اتباع مظهر النظام ممكن فقط باستخدام تطبيقات طرف ثالث", |  | ||||||
|     "useBlackTheme": "استخدام المظهر الأسود الداكن بالكامل", |  | ||||||
|     "appSortBy": "ترتيب التطبيقات حسب", |  | ||||||
|     "authorName": "المؤلف/الاسم", |  | ||||||
|     "nameAuthor": "الاسم/المؤلف", |  | ||||||
|     "asAdded": "كما تمت إضافتها", |  | ||||||
|     "appSortOrder": "ترتيب التطبيقات", |  | ||||||
|     "ascending": "تصاعدي", |  | ||||||
|     "descending": "تنازلي", |  | ||||||
|     "bgUpdateCheckInterval": "فترة التحقق من التحديثات في الخلفية", |  | ||||||
|     "neverManualOnly": "أبدًا - يدوي فقط", |  | ||||||
|     "appearance": "المظهر", |  | ||||||
|     "showWebInAppView": "عرض صفحة الويب المصدر في عرض التطبيق", |  | ||||||
|     "pinUpdates": "تثبيت التحديثات في أعلى قائمة التطبيقات", |  | ||||||
|     "updates": "التحديثات", |  | ||||||
|     "sourceSpecific": "خاص بالمصدر", |  | ||||||
|     "appSource": "مصدر التطبيق", |  | ||||||
|     "noLogs": "لا توجد سجلات", |  | ||||||
|     "appLogs": "سجلات التطبيق", |  | ||||||
|     "close": "إغلاق", |  | ||||||
|     "share": "مشاركة", |  | ||||||
|     "appNotFound": "التطبيق غير موجود", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "تصدير-obtainium", |  | ||||||
|     "pickAnAPK": "اختر ملف APK", |  | ||||||
|     "appHasMoreThanOnePackage": "{} يحتوي على أكثر من حزمة:", |  | ||||||
|     "deviceSupportsXArch": "جهازك يدعم بنية المعالج {}.", |  | ||||||
|     "deviceSupportsFollowingArchs": "جهازك يدعم بنى المعالج التالية:", |  | ||||||
|     "warning": "تحذير", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "مصدر التطبيق هو '{}' لكن الحزمة تأتي من '{}'. هل تتابع؟", |  | ||||||
|     "updatesAvailable": "تحديثات متاحة", |  | ||||||
|     "updatesAvailableNotifDescription": "يخطر المستخدم بوجود تحديثات لواحد أو أكثر من التطبيقات التي يتعقبها Obtainium", |  | ||||||
|     "noNewUpdates": "لا توجد تحديثات جديدة.", |  | ||||||
|     "xHasAnUpdate": "{} لديه تحديث.", |  | ||||||
|     "appsUpdated": "تم تحديث التطبيقات", |  | ||||||
|     "appsNotUpdated": "فشل تحديث التطبيقات", |  | ||||||
|     "appsUpdatedNotifDescription": "يخطر المستخدم بأن تحديثات لواحد أو أكثر من التطبيقات تم تطبيقها في الخلفية", |  | ||||||
|     "xWasUpdatedToY": "تم تحديث {} إلى {}.", |  | ||||||
|     "xWasNotUpdatedToY": "فشل تحديث {} إلى {}.", |  | ||||||
|     "errorCheckingUpdates": "خطأ في التحقق من التحديثات", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "إشعار يظهر عند فشل التحقق من التحديثات في الخلفية", |  | ||||||
|     "appsRemoved": "تمت إزالة التطبيقات", |  | ||||||
|     "appsRemovedNotifDescription": "يخطر المستخدم بأنه تمت إزالة واحد أو أكثر من التطبيقات بسبب أخطاء أثناء تحميلها", |  | ||||||
|     "xWasRemovedDueToErrorY": "تمت إزالة {} بسبب هذا الخطأ: {}", |  | ||||||
|     "completeAppInstallation": "إكمال تثبيت التطبيق", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "يجب فتح Obtainium لتثبيت التطبيقات", |  | ||||||
|     "completeAppInstallationNotifDescription": "يطلب من المستخدم العودة إلى Obtainium لإكمال تثبيت التطبيق", |  | ||||||
|     "checkingForUpdates": "جاري التحقق من التحديثات", |  | ||||||
|     "checkingForUpdatesNotifDescription": "إشعار مؤقت يظهر عند التحقق من التحديثات", |  | ||||||
|     "pleaseAllowInstallPerm": "يرجى السماح لـ Obtainium بتثبيت التطبيقات", |  | ||||||
|     "trackOnly": "للتعقب فقط", |  | ||||||
|     "errorWithHttpStatusCode": "خطأ {}", |  | ||||||
|     "versionCorrectionDisabled": "تعطيل تصحيح الإصدار (يبدو أن الملحق لا يعمل)", |  | ||||||
|     "unknown": "غير معروف", |  | ||||||
|     "none": "لا شيء", |  | ||||||
|     "all": "الكل", |  | ||||||
|     "never": "أبدًا", |  | ||||||
|     "latestVersionX": "الأحدث: {}", |  | ||||||
|     "installedVersionX": "المثبت: {}", |  | ||||||
|     "lastUpdateCheckX": "آخر تحقق من التحديثات: {}", |  | ||||||
|     "remove": "إزالة", |  | ||||||
|     "yesMarkUpdated": "نعم، تعليم كمحدث", |  | ||||||
|     "fdroid": "F-Droid الرسمي", |  | ||||||
|     "appIdOrName": "معرّف التطبيق أو الاسم", |  | ||||||
|     "appId": "معرّف التطبيق", |  | ||||||
|     "appWithIdOrNameNotFound": "لم يتم العثور على تطبيق بهذا المعرّف أو الاسم", |  | ||||||
|     "reposHaveMultipleApps": "قد تحتوي المستودعات على عدة تطبيقات", |  | ||||||
|     "fdroidThirdPartyRepo": "مستودع F-Droid طرف ثالث", |  | ||||||
|     "install": "تثبيت", |  | ||||||
|     "markInstalled": "تعليم كمثبت", |  | ||||||
|     "update": "تحديث", |  | ||||||
|     "markUpdated": "تعليم كمحدث", |  | ||||||
|     "additionalOptions": "خيارات إضافية", |  | ||||||
|     "disableVersionDetection": "تعطيل اكتشاف الإصدار", |  | ||||||
|     "noVersionDetectionExplanation": "يجب استخدام هذا الخيار فقط للتطبيقات التي لا يعمل فيها اكتشاف الإصدار بشكل صحيح.", |  | ||||||
|     "downloadingX": "جاري تنزيل {}", |  | ||||||
|     "downloadX": "تنزيل {}", |  | ||||||
|     "downloadedX": "تم تنزيل {}", |  | ||||||
|     "releaseAsset": "ملف الإصدار", |  | ||||||
|     "downloadNotifDescription": "يخطر المستخدم بالتقدم في تنزيل التطبيق", |  | ||||||
|     "noAPKFound": "لم يتم العثور على ملف APK", |  | ||||||
|     "noVersionDetection": "لا يوجد اكتشاف للإصدار", |  | ||||||
|     "categorize": "تصنيف", |  | ||||||
|     "categories": "التصنيفات", |  | ||||||
|     "category": "تصنيف", |  | ||||||
|     "noCategory": "بدون تصنيف", |  | ||||||
|     "noCategories": "لا توجد تصنيفات", |  | ||||||
|     "deleteCategoriesQuestion": "حذف التصنيفات؟", |  | ||||||
|     "categoryDeleteWarning": "سيتم تعيين جميع التطبيقات في التصنيفات المحذوفة كغير مصنفة.", |  | ||||||
|     "addCategory": "إضافة تصنيف", |  | ||||||
|     "label": "تسمية", |  | ||||||
|     "language": "اللغة", |  | ||||||
|     "copiedToClipboard": "تم النسخ إلى الحافظة", |  | ||||||
|     "storagePermissionDenied": "تم رفض إذن التخزين", |  | ||||||
|     "selectedCategorizeWarning": "سيؤدي هذا إلى استبدال أي إعدادات تصنيف موجودة للتطبيقات المحددة.", |  | ||||||
|     "filterAPKsByRegEx": "تصفية ملفات APK باستخدام تعبير نمطي", |  | ||||||
|     "removeFromObtainium": "إزالة من Obtainium", |  | ||||||
|     "uninstallFromDevice": "إلغاء التثبيت من الجهاز", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "يعمل فقط مع التطبيقات التي تم تعطيل اكتشاف الإصدار لها.", |  | ||||||
|     "releaseDateAsVersion": "استخدام تاريخ الإصدار كسلسلة إصدار", |  | ||||||
|     "releaseTitleAsVersion": "استخدام عنوان الإصدار كسلسلة إصدار", |  | ||||||
|     "releaseDateAsVersionExplanation": "يجب استخدام هذا الخيار فقط للتطبيقات التي لا يعمل فيها اكتشاف الإصدار بشكل صحيح، ولكن تاريخ الإصدار متاح.", |  | ||||||
|     "changes": "التغييرات", |  | ||||||
|     "releaseDate": "تاريخ الإصدار", |  | ||||||
|     "importFromURLsInFile": "استيراد من روابط في ملف (مثل OPML)", |  | ||||||
|     "versionDetectionExplanation": "تنسيق سلسلة الإصدار مع الإصدار المكتشف من النظام", |  | ||||||
|     "versionDetection": "اكتشاف الإصدار", |  | ||||||
|     "standardVersionDetection": "اكتشاف الإصدار القياسي", |  | ||||||
|     "groupByCategory": "التجميع حسب التصنيف", |  | ||||||
|     "autoApkFilterByArch": "محاولة تصفية ملفات APK حسب بنية المعالج إذا أمكن", |  | ||||||
|     "autoLinkFilterByArch": "محاولة تصفية الروابط حسب بنية المعالج إذا أمكن", |  | ||||||
|     "overrideSource": "تجاوز المصدر", |  | ||||||
|     "dontShowAgain": "عدم إظهار هذا مرة أخرى", |  | ||||||
|     "dontShowTrackOnlyWarnings": "عدم إظهار تحذيرات 'للتعقب فقط'", |  | ||||||
|     "dontShowAPKOriginWarnings": "عدم إظهار تحذيرات مصدر APK", |  | ||||||
|     "moveNonInstalledAppsToBottom": "نقل التطبيقات غير المثبتة إلى أسفل قائمة التطبيقات", |  | ||||||
|     "gitlabPATLabel": "رمز الوصول الشخصي لـ GitLab", |  | ||||||
|     "about": "حول", |  | ||||||
|     "requiresCredentialsInSettings": "{} يحتاج إلى بيانات اعتماد إضافية (في الإعدادات)", |  | ||||||
|     "checkOnStart": "التحقق من التحديثات عند البدء", |  | ||||||
|     "tryInferAppIdFromCode": "محاولة استنتاج معرّف التطبيق من الكود المصدري", |  | ||||||
|     "removeOnExternalUninstall": "إزالة التطبيقات المثبتة خارجيًا تلقائيًا", |  | ||||||
|     "pickHighestVersionCode": "تحديد أعلى إصدار تلقائيًا", |  | ||||||
|     "checkUpdateOnDetailPage": "التحقق من التحديثات عند فتح صفحة التفاصيل", |  | ||||||
|     "disablePageTransitions": "تعطيل انتقالات الصفحات", |  | ||||||
|     "reversePageTransitions": "عكس انتقالات الصفحات", |  | ||||||
|     "minStarCount": "الحد الأدنى لعدد النجوم", |  | ||||||
|     "addInfoBelow": "أضف هذه المعلومات أدناه.", |  | ||||||
|     "addInfoInSettings": "أضف هذه المعلومات في الإعدادات.", |  | ||||||
|     "githubSourceNote": "يمكن تجنب الحد المسموح لـ GitHub باستخدام مفتاح API.", |  | ||||||
|     "sortByLastLinkSegment": "الفرز حسب الجزء الأخير من الرابط فقط", |  | ||||||
|     "filterReleaseNotesByRegEx": "تصفية ملاحظات الإصدار باستخدام تعبير نمطي", |  | ||||||
|     "customLinkFilterRegex": "تصفية روابط APK المخصصة باستخدام تعبير نمطي (افتراضيًا '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "تمت محاولة تحديث التطبيقات", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "يخطر المستخدم بأن تحديثات لواحد أو أكثر من التطبيقات قد تم تطبيقها في الخلفية", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} قد تم تحديثه إلى {}.", |  | ||||||
|     "enableBackgroundUpdates": "تمكين التحديثات في الخلفية", |  | ||||||
|     "backgroundUpdateReqsExplanation": "قد لا تكون التحديثات في الخلفية ممكنة لجميع التطبيقات.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "يمكن تحديد نجاح التثبيت في الخلفية فقط عند فتح Obtainium.", |  | ||||||
|     "verifyLatestTag": "التحقق من علامة 'الأحدث'", |  | ||||||
|     "intermediateLinkRegex": "تصفية للوصول إلى رابط 'وسيط'", |  | ||||||
|     "filterByLinkText": "تصفية الروابط حسب نص الرابط", |  | ||||||
|     "matchLinksOutsideATags": "تطابق الروابط خارج علامات <a>", |  | ||||||
|     "intermediateLinkNotFound": "لم يتم العثور على رابط وسيط", |  | ||||||
|     "intermediateLink": "رابط وسيط", |  | ||||||
|     "exemptFromBackgroundUpdates": "إعفاء من التحديثات في الخلفية (إذا تم تمكينها)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "تعطيل التحديثات في الخلفية عند عدم الاتصال بشبكة Wi-Fi", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "تعطيل التحديثات في الخلفية عند عدم الشحن", |  | ||||||
|     "autoSelectHighestVersionCode": "تحديد أعلى إصدار تلقائيًا", |  | ||||||
|     "versionExtractionRegEx": "تعبير نمطي لاستخراج الإصدار", |  | ||||||
|     "trimVersionString": "قص سلسلة الإصدار باستخدام تعبير نمطي", |  | ||||||
|     "matchGroupToUseForX": "مجموعة المطابقة لاستخدامها لـ \"{}\"", |  | ||||||
|     "matchGroupToUse": "مجموعة المطابقة لاستخدامها في تعبير استخراج الإصدار", |  | ||||||
|     "highlightTouchTargets": "تمييز أهداف اللمس الأقل وضوحًا", |  | ||||||
|     "pickExportDir": "اختر دليل التصدير", |  | ||||||
|     "autoExportOnChanges": "تصدير تلقائي عند التغييرات", |  | ||||||
|     "includeSettings": "تضمين الإعدادات", |  | ||||||
|     "filterVersionsByRegEx": "تصفية الإصدارات باستخدام تعبير نمطي", |  | ||||||
|     "trySelectingSuggestedVersionCode": "محاولة تحديد الإصدار المقترح تلقائيًا", |  | ||||||
|     "dontSortReleasesList": "الحفاظ على ترتيب الإصدارات من API", |  | ||||||
|     "reverseSort": "فرز عكسي", |  | ||||||
|     "takeFirstLink": "أخذ أول رابط", |  | ||||||
|     "skipSort": "تخطي الفرز", |  | ||||||
|     "debugMenu": "قائمة التصحيح", |  | ||||||
|     "bgTaskStarted": "بدأت المهمة في الخلفية - تحقق من السجلات.", |  | ||||||
|     "runBgCheckNow": "تشغيل التحقق من التحديثات في الخلفية الآن", |  | ||||||
|     "versionExtractWholePage": "تطبيق تعبير استخراج الإصدار على الصفحة بأكملها", |  | ||||||
|     "installing": "جاري التثبيت", |  | ||||||
|     "skipUpdateNotifications": "تخطي إشعارات التحديث", |  | ||||||
|     "updatesAvailableNotifChannel": "تحديثات متاحة", |  | ||||||
|     "appsUpdatedNotifChannel": "تم تحديث التطبيقات", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "تمت محاولة تحديث التطبيقات", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "خطأ في التحقق من التحديثات", |  | ||||||
|     "appsRemovedNotifChannel": "تمت إزالة التطبيقات", |  | ||||||
|     "downloadingXNotifChannel": "جاري تنزيل {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "إكمال تثبيت التطبيق", |  | ||||||
|     "checkingForUpdatesNotifChannel": "جاري التحقق من التحديثات", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "التحقق فقط من التطبيقات المثبتة أو للتعقب فقط", |  | ||||||
|     "supportFixedAPKURL": "دعم روابط APK الثابتة", |  | ||||||
|     "selectX": "اختر {}", |  | ||||||
|     "parallelDownloads": "السماح بالتنزيل المتوازي", |  | ||||||
|     "useShizuku": "استخدم Shizuku أو Sui للتثبيت", |  | ||||||
|     "shizukuBinderNotFound": "خدمة Shizuku غير قيد التشغيل", |  | ||||||
|     "shizukuOld": "إصدار قديم من Shizuku (<11) - قم بتحديثه", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku يعمل على إصدار أندرويد < 8.1 مع ADB - قم بتحديث أندرويد أو استخدم Sui بدلاً من ذلك", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "تعيين Google Play كمصدر التثبيت (إذا تم استخدام Shizuku)", |  | ||||||
|     "useSystemFont": "استخدم خط النظام", |  | ||||||
|     "useVersionCodeAsOSVersion": "استخدم versionCode كإصدار مكتشف من النظام", |  | ||||||
|     "requestHeader": "رأس الطلب", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "استخدام أحدث تاريخ تحميل كتاريخ إصدار", |  | ||||||
|     "defaultPseudoVersioningMethod": "طريقة الإصدار الوهمي الافتراضية", |  | ||||||
|     "partialAPKHash": "جزء من تجزئة APK", |  | ||||||
|     "APKLinkHash": "تجزئة رابط APK", |  | ||||||
|     "directAPKLink": "رابط APK مباشر", |  | ||||||
|     "pseudoVersionInUse": "يتم استخدام إصدار وهمي", |  | ||||||
|     "installed": "مثبت", |  | ||||||
|     "latest": "الأحدث", |  | ||||||
|     "invertRegEx": "عكس التعبير النمطي", |  | ||||||
|     "note": "ملاحظة", |  | ||||||
|     "selfHostedNote": "يمكن استخدام القائمة المنسدلة \"{}\" للوصول إلى نسخ مخصصة/مستضافة ذاتيًا لأي مصدر.", |  | ||||||
|     "badDownload": "تعذر تحليل ملف APK (تنزيل غير متوافق أو غير مكتمل)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "مشاركة التطبيقات الجديدة مع AppVerifier (إذا كان متاحًا)", |  | ||||||
|     "appVerifierInstructionToast": "شارك مع AppVerifier، ثم عد هنا عندما تكون جاهزًا.", |  | ||||||
|     "wiki": "المساعدة/ويكي", |  | ||||||
|     "crowdsourcedConfigsLabel": "تكوينات التطبيقات المقدمة من الجمهور (استخدم على مسؤوليتك)", |  | ||||||
|     "crowdsourcedConfigsShort": "تكوينات التطبيقات المقدمة من الجمهور", |  | ||||||
|     "allowInsecure": "السماح بطلبات HTTP غير الآمنة", |  | ||||||
|     "stayOneVersionBehind": "البقاء بإصدار واحد خلف الأحدث", |  | ||||||
|     "useFirstApkOfVersion": "التحديد التلقائي الأول من بين عدة ملفات APK", |  | ||||||
|     "refreshBeforeDownload": "تحديث تفاصيل التطبيق قبل التنزيل", |  | ||||||
|     "tencentAppStore": "متجر Tencent للتطبيقات", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "متجر vivo للتطبيقات (CN)", |  | ||||||
|     "name": "الاسم", |  | ||||||
|     "smartname": "الاسم (ذكي)", |  | ||||||
|     "sortMethod": "طريقة الفرز", |  | ||||||
|     "welcome": "مرحبًا", |  | ||||||
|     "documentationLinksNote": "تحتوي صفحة Obtainium على GitHub المرتبطة أدناه على روابط لمقاطع فيديو، مقالات، مناقشات وموارد أخرى ستساعدك على فهم كيفية استخدام التطبيق.", |  | ||||||
|     "batteryOptimizationNote": "لاحظ أن التنزيلات في الخلفية قد تعمل بشكل أكثر موثوقية إذا قمت بتعطيل تحسينات بطارية النظام لـ Obtainium.", |  | ||||||
|     "fileDeletionError": "فشل حذف الملف (حاول حذفه يدويًا ثم حاول مرة أخرى): \"{}\"", |  | ||||||
|     "foregroundService": "الحصول على خدمة الحصول على خدمة المقدمة", |  | ||||||
|     "foregroundServiceExplanation": "استخدام خدمة مقدمة للتحقق من التحديثات (أكثر موثوقية وتستهلك طاقة أكبر)", |  | ||||||
|     "fgServiceNotice": "هذا الإشعار مطلوب للتحقق من التحديث في الخلفية (يمكن إخفاؤه في إعدادات نظام التشغيل)", |  | ||||||
|     "excludeSecrets": "استبعاد الأسرار", |  | ||||||
|     "GHReqPrefix": "مثيل \"sky22333/hubproxy\" لطلبات GitHub", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "إزالة التطبيق؟", |  | ||||||
|         "other": "إزالة التطبيقات؟" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "طلبات كثيرة جدًا (تم تحديد المعدل) - حاول مرة أخرى بعد {} دقيقة", |  | ||||||
|         "other": "طلبات كثيرة جدًا (تم تحديد المعدل) - حاول مرة أخرى بعد {} دقائق" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "واجه التحقق من التحديثات في الخلفية {}، سيتم جدولة محاولة أخرى بعد {} دقيقة", |  | ||||||
|         "other": "واجه التحقق من التحديثات في الخلفية {}، سيتم جدولة محاولة أخرى بعد {} دقائق" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "وجد التحقق من التحديثات في الخلفية {} تحديث - سيتم إخطار المستخدم إذا لزم الأمر", |  | ||||||
|         "other": "وجد التحقق من التحديثات في الخلفية {} تحديثات - سيتم إخطار المستخدم إذا لزم الأمر" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} تطبيق", |  | ||||||
|         "other": "{} تطبيقات" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} رابط", |  | ||||||
|         "other": "{} روابط" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} دقيقة", |  | ||||||
|         "other": "{} دقائق" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} ساعة", |  | ||||||
|         "other": "{} ساعات" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} يوم", |  | ||||||
|         "other": "{} أيام" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "تم مسح {n} سجل (قبل = {before}, بعد = {after})", |  | ||||||
|         "other": "تم مسح {n} سجلات (قبل = {before}, بعد = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} وتطبيق واحد آخر لديه تحديثات.", |  | ||||||
|         "other": "{} و{} تطبيقات أخرى لديها تحديثات." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} وتطبيق واحد آخر تم تحديثه.", |  | ||||||
|         "other": "{} و{} تطبيقات أخرى تم تحديثها." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "فشل تحديث {} وتطبيق واحد آخر.", |  | ||||||
|         "other": "فشل تحديث {} و{} تطبيقات أخرى." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} وتطبيق واحد آخر قد تم تحديثه.", |  | ||||||
|         "other": "{} و{} تطبيقات أخرى قد تم تحديثها." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APKs" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(obavezno)", |     "requiredInBrackets": "(obavezno)", | ||||||
|     "dropdownNoOptsError": "GREŠKA: PADAJUĆI MENI MORA IMATI NAJMANJE JEDNU OPCIJU", |     "dropdownNoOptsError": "GREŠKA: PADAJUĆI MENI MORA IMATI NAJMANJE JEDNU OPCIJU", | ||||||
|     "colour": "Boja", |     "colour": "Boja", | ||||||
|     "standard": "Standard", |  | ||||||
|     "custom": "Custom", |  | ||||||
|     "useMaterialYou": "Koristi Material You temu", |  | ||||||
|     "githubStarredRepos": "GitHub repo-i sa zvjezdicom", |     "githubStarredRepos": "GitHub repo-i sa zvjezdicom", | ||||||
|     "uname": "Korisničko ime", |     "uname": "Korisničko ime", | ||||||
|     "wrongArgNum": "Naveden je pogrešan broj argumenata", |     "wrongArgNum": "Naveden je pogrešan broj argumenata", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Tamna", |     "dark": "Tamna", | ||||||
|     "light": "Svijetla", |     "light": "Svijetla", | ||||||
|     "followSystem": "Pratite sistem", |     "followSystem": "Pratite sistem", | ||||||
|     "followSystemThemeExplanation": "Praćenje sistemske teme je moguće jedino koristeći aplikacije treće strane", |  | ||||||
|     "useBlackTheme": "Koristite čisto crnu tamnu temu", |     "useBlackTheme": "Koristite čisto crnu tamnu temu", | ||||||
|     "appSortBy": "Aplikacije sortirane po", |     "appSortBy": "Aplikacije sortirane po", | ||||||
|     "authorName": "Autor/Ime", |     "authorName": "Autor/Ime", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Nema novih ažuriranja.", |     "noNewUpdates": "Nema novih ažuriranja.", | ||||||
|     "xHasAnUpdate": "{} ima ažuriranje.", |     "xHasAnUpdate": "{} ima ažuriranje.", | ||||||
|     "appsUpdated": "Aplikacije su ažurirane", |     "appsUpdated": "Aplikacije su ažurirane", | ||||||
|     "appsNotUpdated": "Neuspješno ažuriranje aplikacija", |  | ||||||
|     "appsUpdatedNotifDescription": "Obavještava korisnika da su u pozadini primijenjena ažuriranja na jednu ili više aplikacija", |     "appsUpdatedNotifDescription": "Obavještava korisnika da su u pozadini primijenjena ažuriranja na jednu ili više aplikacija", | ||||||
|     "xWasUpdatedToY": "{} je ažuriran na {}.", |     "xWasUpdatedToY": "{} je ažuriran na {}.", | ||||||
|     "xWasNotUpdatedToY": "Neuspješno ažuriranje {} na {}.", |  | ||||||
|     "errorCheckingUpdates": "Greška pri provjeri ažuriranja", |     "errorCheckingUpdates": "Greška pri provjeri ažuriranja", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Obavijest koja se prikazuje kada provjera sigurnosnog ažuriranja ne uspije", |     "errorCheckingUpdatesNotifDescription": "Obavijest koja se prikazuje kada provjera sigurnosnog ažuriranja ne uspije", | ||||||
|     "appsRemoved": "Aplikacije su uklonjene", |     "appsRemoved": "Aplikacije su uklonjene", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "Ispravka verzije je onemogućena (izgleda da plugin ne radi)", |     "versionCorrectionDisabled": "Ispravka verzije je onemogućena (izgleda da plugin ne radi)", | ||||||
|     "unknown": "Nepoznato", |     "unknown": "Nepoznato", | ||||||
|     "none": "Ništa", |     "none": "Ništa", | ||||||
|     "all": "All", |  | ||||||
|     "never": "Nikad", |     "never": "Nikad", | ||||||
|     "latestVersionX": "Najnovija verzija: {}", |     "latestVersionX": "Najnovija verzija: {}", | ||||||
|     "installedVersionX": "Instalirana verzija: {}", |     "installedVersionX": "Instalirana verzija: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "Nije pronađena aplikacija s tim ID-om ili imenom", |     "appWithIdOrNameNotFound": "Nije pronađena aplikacija s tim ID-om ili imenom", | ||||||
|     "reposHaveMultipleApps": "Repo-i mogu sadržavati više aplikacija", |     "reposHaveMultipleApps": "Repo-i mogu sadržavati više aplikacija", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid Repo treće strane", |     "fdroidThirdPartyRepo": "F-Droid Repo treće strane", | ||||||
|  |     "steamMobile": "Steam Mobile", | ||||||
|  |     "steamChat": "Razgovor na Steamu (chat)", | ||||||
|     "install": "Instaliraj", |     "install": "Instaliraj", | ||||||
|     "markInstalled": "Označi kao instalirano", |     "markInstalled": "Označi kao instalirano", | ||||||
|     "update": "Nadogradi", |     "update": "Nadogradi", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Onemogući detekciju verzije", |     "disableVersionDetection": "Onemogući detekciju verzije", | ||||||
|     "noVersionDetectionExplanation": "Ova opcija bi se trebala koristiti samo za aplikacije gdje detekcija verzije ne radi ispravno.", |     "noVersionDetectionExplanation": "Ova opcija bi se trebala koristiti samo za aplikacije gdje detekcija verzije ne radi ispravno.", | ||||||
|     "downloadingX": "Preuzimanje {}", |     "downloadingX": "Preuzimanje {}", | ||||||
|     "downloadX": "Download {}", |  | ||||||
|     "downloadedX": "Downloaded {}", |  | ||||||
|     "releaseAsset": "Fajlovi verzije", |  | ||||||
|     "downloadNotifDescription": "Obavještava korisnika o napretku u preuzimanju aplikacije", |     "downloadNotifDescription": "Obavještava korisnika o napretku u preuzimanju aplikacije", | ||||||
|     "noAPKFound": "APK nije pronađen", |     "noAPKFound": "APK nije pronađen", | ||||||
|     "noVersionDetection": "Nema detekcije verzije", |     "noVersionDetection": "Nema detekcije verzije", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "Deinstaliraj s uređaja", |     "uninstallFromDevice": "Deinstaliraj s uređaja", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Radi samo za aplikacije s onemogućenom detekcijom verzije.", |     "onlyWorksWithNonVersionDetectApps": "Radi samo za aplikacije s onemogućenom detekcijom verzije.", | ||||||
|     "releaseDateAsVersion": "Koristi datum izdanja kao verziju", |     "releaseDateAsVersion": "Koristi datum izdanja kao verziju", | ||||||
|     "releaseTitleAsVersion": "Use release title as version string", |  | ||||||
|     "releaseDateAsVersionExplanation": "Ova opcija bi se trebala koristiti samo za aplikacije gdje detekcija verzije ne radi ispravno, ali je datum izdavanja dostupan.", |     "releaseDateAsVersionExplanation": "Ova opcija bi se trebala koristiti samo za aplikacije gdje detekcija verzije ne radi ispravno, ali je datum izdavanja dostupan.", | ||||||
|     "changes": "Promjene", |     "changes": "Promjene", | ||||||
|     "releaseDate": "Datum izdavanja", |     "releaseDate": "Datum izdavanja", | ||||||
| @@ -222,7 +213,6 @@ | |||||||
|     "standardVersionDetection": "Detekcija standardne verzije", |     "standardVersionDetection": "Detekcija standardne verzije", | ||||||
|     "groupByCategory": "Grupiši po kategoriji", |     "groupByCategory": "Grupiši po kategoriji", | ||||||
|     "autoApkFilterByArch": "Pokušajte filtrirati APK-ove po arhitekturi procesora ako je moguće", |     "autoApkFilterByArch": "Pokušajte filtrirati APK-ove po arhitekturi procesora ako je moguće", | ||||||
|     "autoLinkFilterByArch": "Attempt to filter links by CPU architecture if possible", |  | ||||||
|     "overrideSource": "Premosti izvor", |     "overrideSource": "Premosti izvor", | ||||||
|     "dontShowAgain": "Ne prikazuj ovo ponovo", |     "dontShowAgain": "Ne prikazuj ovo ponovo", | ||||||
|     "dontShowTrackOnlyWarnings": "Ne prikazuj upozorenja „Samo za  praćenje”", |     "dontShowTrackOnlyWarnings": "Ne prikazuj upozorenja „Samo za  praćenje”", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "Provjerite 'posljednu' ('latest') oznaku", |     "verifyLatestTag": "Provjerite 'posljednu' ('latest') oznaku", | ||||||
|     "intermediateLinkRegex": "Filter za 'srednju' vezu za posjetu", |     "intermediateLinkRegex": "Filter za 'srednju' vezu za posjetu", | ||||||
|     "filterByLinkText": "Filtriraj linkove prema tekstu linka", |     "filterByLinkText": "Filtriraj linkove prema tekstu linka", | ||||||
|     "matchLinksOutsideATags": "Match links outside <a> tags", |     "intermediateLinkNotFound": "Intermediate link nije nađen", | ||||||
|     "intermediateLinkNotFound": "Intermediate veza nije nađena", |     "intermediateLink": "srednja karika", | ||||||
|     "intermediateLink": "Intermediate veza", |  | ||||||
|     "exemptFromBackgroundUpdates": "Izuzmi iz ažuriranja u pozadini (ako su uključeni)", |     "exemptFromBackgroundUpdates": "Izuzmi iz ažuriranja u pozadini (ako su uključeni)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Isključite ažuriranje u pozadini kada niste na Wi-Fi-ju", |     "bgUpdatesOnWiFiOnly": "Isključite ažuriranje u pozadini kada niste na WiFi-ju", | ||||||
|     "bgUpdatesWhileChargingOnly": "Disable background updates when not charging", |  | ||||||
|     "autoSelectHighestVersionCode": "Automatski izaberite najveću (verziju) versionCode APK-a", |     "autoSelectHighestVersionCode": "Automatski izaberite najveću (verziju) versionCode APK-a", | ||||||
|     "versionExtractionRegEx": "RegEx ekstrakcija verzije", |     "versionExtractionRegEx": "RegEx ekstrakcija verzije", | ||||||
|     "trimVersionString": "Trim Version String With RegEx", |  | ||||||
|     "matchGroupToUseForX": "Match Group to Use for \"{}\"", |  | ||||||
|     "matchGroupToUse": "Podjesite grupu za upotebu", |     "matchGroupToUse": "Podjesite grupu za upotebu", | ||||||
|     "highlightTouchTargets": "Istaknite manje vidljive touch mete", |     "highlightTouchTargets": "Istaknite manje vidljive touch mete", | ||||||
|     "pickExportDir": "Izaberite datoteku za izvoz", |     "pickExportDir": "Izaberite datoteku za izvoz", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "Podržite fiksne APK URL-ove", |     "supportFixedAPKURL": "Podržite fiksne APK URL-ove", | ||||||
|     "selectX": "Izaberite {}", |     "selectX": "Izaberite {}", | ||||||
|     "parallelDownloads": "Dozvoli paralelna preuzimanja", |     "parallelDownloads": "Dozvoli paralelna preuzimanja", | ||||||
|     "useShizuku": "Koristi Shizuku ili Sui za instaliranje", |     "installMethod": "Način instalacije", | ||||||
|     "shizukuBinderNotFound": "Shizuku nije pokrenut", |     "normal": "normalno", | ||||||
|     "shizukuOld": "Stara Shizuku verzija (<11) - ažurirajte je", |     "root": "korijen", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku pokrenut na Android-u < 8.1 pomoću ADB-a - ažurirajte Android ili koristite Sui", |     "shizukuBinderNotFound": "Shizuku is not running", | ||||||
|     "shizukuPretendToBeGooglePlay": "Postavi Google Play kao izvor instalacije (samo ako je Shizuku u upotrebi)", |  | ||||||
|     "useSystemFont": "Koristite sistemski font", |     "useSystemFont": "Koristite sistemski font", | ||||||
|  |     "systemFontError": "Greška pri učitavanju sistemskog fonta: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Koristite kod verzije aplikacije kao verziju koju je otkrio OS", |     "useVersionCodeAsOSVersion": "Koristite kod verzije aplikacije kao verziju koju je otkrio OS", | ||||||
|     "requestHeader": "Zaglavlje zahtjeva", |     "requestHeader": "Zaglavlje zahtjeva", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Koristite najnovije otpremanje materijala kao datum izdavanja", |     "useLatestAssetDateAsReleaseDate": "Koristite najnovije otpremanje materijala kao datum izdavanja", | ||||||
| @@ -310,33 +296,9 @@ | |||||||
|     "installed": "Instalirano", |     "installed": "Instalirano", | ||||||
|     "latest": "Najnoviji", |     "latest": "Najnoviji", | ||||||
|     "invertRegEx": "Obrni regularni izraz", |     "invertRegEx": "Obrni regularni izraz", | ||||||
|     "note": "Zabelješke", |     "note": "Note", | ||||||
|     "selfHostedNote": "\"{}\" padajući meni se može koristiti da dosegnete vlastite/prilagođene instance bilo kojeg izvora.", |     "selfHostedNote": "The \"{}\" dropdown can be used to reach self-hosted/custom instances of any source.", | ||||||
|     "badDownload": "APK ne može biti raščlanjen (nekomaptibilno ili delimično preuzimanje)", |     "badDownload": "The APK could not be parsed (incompatible or partial download)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Dijeli nove aplikacije sa AppVerifier-om (ako je dostupno)", |  | ||||||
|     "appVerifierInstructionToast": "Dijeli sa AppVerifier-om, zatim se vratite kada ste spremni.", |  | ||||||
|     "wiki": "Pomoć/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Konfiguracije aplikacije obezbeđene pomoću velikog broja ljudi (crowdsourcing) (koristite na svoju odgovornost)", |  | ||||||
|     "crowdsourcedConfigsShort": "Crowdsourced App Configurations", |  | ||||||
|     "allowInsecure": "Allow insecure HTTP requests", |  | ||||||
|     "stayOneVersionBehind": "Stay one version behind latest", |  | ||||||
|     "useFirstApkOfVersion": "Auto-select first of multiple APKs", |  | ||||||
|     "refreshBeforeDownload": "Refresh app details before download", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Name", |  | ||||||
|     "smartname": "Name (Smart)", |  | ||||||
|     "sortMethod": "Sort Method", |  | ||||||
|     "welcome": "Welcome", |  | ||||||
|     "documentationLinksNote": "The Obtainium GitHub page linked below contains links to videos, articles, discussions, and other resources that will help you understand how to use the app.", |  | ||||||
|     "batteryOptimizationNote": "Note that background downloads may work more reliably if you disable OS battery optimizations for Obtainium.", |  | ||||||
|     "fileDeletionError": "Failed to delete file (try deleting it manually then try again): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Use a foreground service for update checking (more reliable, consumes more power)", |  | ||||||
|     "fgServiceNotice": "This notification is required for background update checking (it can be hidden in the OS settings)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Želite li ukloniti aplikaciju?", |         "one": "Želite li ukloniti aplikaciju?", | ||||||
|         "other": "Želite li ukloniti aplikacije?" |         "other": "Želite li ukloniti aplikacije?" | ||||||
| @@ -385,16 +347,12 @@ | |||||||
|         "one": "{} i još 1 aplikacija je ažurirana.", |         "one": "{} i još 1 aplikacija je ažurirana.", | ||||||
|         "other": "{} i još {} aplikacija je ažurirano." |         "other": "{} i još {} aplikacija je ažurirano." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Failed to update {} and 1 more app.", |  | ||||||
|         "other": "Failed to update {} and {} more apps." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} i još jedna aplikacija je vjerovatno ažurirana.", |         "one": "{} i još jedna aplikacija je vjerovatno ažurirana.", | ||||||
|         "other": "{} i još {} aplikacija su vjerovatno ažurirane." |         "other": "{} i još {} aplikacija su vjerovatno ažurirane." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|         "other": "{} APK-a" |         "other": "{} APKs" | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "L'URL de l'aplicació {} no es vàlid", |  | ||||||
|     "noReleaseFound": "No s'ha pogut trobar una versió adequada", |  | ||||||
|     "noVersionFound": "No s'ha pogut determinar la versió", |  | ||||||
|     "urlMatchesNoSource": "L'URL no coincideix amb cap font coneguda", |  | ||||||
|     "cantInstallOlderVersion": "No és possible instal·lar una versió més antiga de l'aplicació", |  | ||||||
|     "appIdMismatch": "L'ID del paquet descarregat no coincideix amb l'ID de l'aplicació instal·lada", |  | ||||||
|     "functionNotImplemented": "Aquesta classe no ha implentat aquesta funció", |  | ||||||
|     "placeholder": "Espai reservat", |  | ||||||
|     "someErrors": "S'han produït alguns errors", |  | ||||||
|     "unexpectedError": "Error inesperat", |  | ||||||
|     "ok": "Accepta", |  | ||||||
|     "and": "i", |  | ||||||
|     "githubPATLabel": "Token d'accés personal a GitHub (augmenta el límit d'accés)", |  | ||||||
|     "includePrereleases": "Inclou les versions preliminars", |  | ||||||
|     "fallbackToOlderReleases": "Torna a les versions anteriors", |  | ||||||
|     "filterReleaseTitlesByRegEx": "Filtra el títol de la versió per una expressió regular", |  | ||||||
|     "invalidRegEx": "Expressió regular invàlida", |  | ||||||
|     "noDescription": "Sense descripció", |  | ||||||
|     "cancel": "Cancel·la", |  | ||||||
|     "continue": "Continua", |  | ||||||
|     "requiredInBrackets": "(requerit)", |  | ||||||
|     "dropdownNoOptsError": "ERROR: EL DESPLEGABLE HA DE TENIR ALMENYS UNA OPCIÓ", |  | ||||||
|     "colour": "Color", |  | ||||||
|     "standard": "Estàndard", |  | ||||||
|     "custom": "Personalitzat", |  | ||||||
|     "useMaterialYou": "Usa 'Material You'", |  | ||||||
|     "githubStarredRepos": "Repositoris favorits de GitHub", |  | ||||||
|     "uname": "Nom d'usuari", |  | ||||||
|     "wrongArgNum": "Nombre d'arguments proveït invàlid", |  | ||||||
|     "xIsTrackOnly": "{} és només per a seguiment", |  | ||||||
|     "source": "Font", |  | ||||||
|     "app": "Aplicació", |  | ||||||
|     "appsFromSourceAreTrackOnly": "Les aplicacions d'aquesta font són només per a seguiment.", |  | ||||||
|     "youPickedTrackOnly": "Has seleccionat l'opció 'només per a seguiment'.", |  | ||||||
|     "trackOnlyAppDescription": "Farem el seguiment de les actualitzacions per a l'aplicació, però Obtainium no podrà descarregar-la ni actualitzar-la.", |  | ||||||
|     "cancelled": "Cancel·lat", |  | ||||||
|     "appAlreadyAdded": "Aplicació ja afegida", |  | ||||||
|     "alreadyUpToDateQuestion": "Aplicació ja actualitzada?", |  | ||||||
|     "addApp": "Afegeix l'aplicació", |  | ||||||
|     "appSourceURL": "URL font de l'aplicació", |  | ||||||
|     "error": "Error", |  | ||||||
|     "add": "Afegeix", |  | ||||||
|     "searchSomeSourcesLabel": "Cerca (només algunes fonts)", |  | ||||||
|     "search": "Cerca", |  | ||||||
|     "additionalOptsFor": "Opcions addicionals per a {}", |  | ||||||
|     "supportedSources": "Fonts suportades", |  | ||||||
|     "trackOnlyInBrackets": "(només per a seguiment)", |  | ||||||
|     "searchableInBrackets": "(permet la cerca)", |  | ||||||
|     "appsString": "Aplicacions", |  | ||||||
|     "noApps": "No hi ha aplicacions", |  | ||||||
|     "noAppsForFilter": "No hi ha aplicacions per filtrar", |  | ||||||
|     "byX": "Per: {}", |  | ||||||
|     "percentProgress": "Progrés: {} %", |  | ||||||
|     "pleaseWait": "Espera...", |  | ||||||
|     "updateAvailable": "Actualització disponible", |  | ||||||
|     "notInstalled": "No instal·lat", |  | ||||||
|     "pseudoVersion": "pseudo-versió", |  | ||||||
|     "selectAll": "Selecciona-ho tot", |  | ||||||
|     "deselectX": "Desselecciona {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} s'eliminarà d'Obtainium però romandrà instal·lada al dispositiu.", |  | ||||||
|     "removeSelectedAppsQuestion": "Elimino les aplicacions seleccionades?", |  | ||||||
|     "removeSelectedApps": "Elimina les aplicacions seleccionades", |  | ||||||
|     "updateX": "Actualitza {}", |  | ||||||
|     "installX": "Instal·la {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "Marca {}\n(només per a seguiment)\ncom a actualitzada", |  | ||||||
|     "changeX": "Canvia {}", |  | ||||||
|     "installUpdateApps": "Instal·la/actualitza les aplicacions", |  | ||||||
|     "installUpdateSelectedApps": "Instal·la/actualitza les aplicacions seleccionades", |  | ||||||
|     "markXSelectedAppsAsUpdated": "Marco {} les aplicaciones seleccionades com a actualitzades?", |  | ||||||
|     "no": "No", |  | ||||||
|     "yes": "Sí", |  | ||||||
|     "markSelectedAppsUpdated": "Marca les aplicacions seleccionades com a actualitzades", |  | ||||||
|     "pinToTop": "Ancora-la al capdamunt", |  | ||||||
|     "unpinFromTop": "Desancora-la del capdamunt", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Restableixo l'estat d'instal·lació per a les aplicacions seleccionades?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "Es restablirà l'estat d'instal·lació de les aplicacions seleccionades.\n\nAçò pot ser útil quan la versió de l'aplicació mostrada per Obtainium és incorrecta a conseqüència d'una actualització no reeixida o d'algun altre problema.", |  | ||||||
|     "customLinkMessage": "Aquests enllaços funcionen en dispositius amb Obtainium instal·lat", |  | ||||||
|     "shareAppConfigLinks": "Comparteix la configuració de l'aplicació com a enllaç HTML", |  | ||||||
|     "shareSelectedAppURLs": "Comparteix els URL de les aplicacions seleccionades", |  | ||||||
|     "resetInstallStatus": "Restableix l'estat de la instal·lació", |  | ||||||
|     "more": "Més", |  | ||||||
|     "removeOutdatedFilter": "Elimina el filtre d'aplicacions desactualitzades", |  | ||||||
|     "showOutdatedOnly": "Mostra només les aplicacions desactualitzades", |  | ||||||
|     "filter": "Filtra", |  | ||||||
|     "filterApps": "Filtra les aplicacions", |  | ||||||
|     "appName": "Nom de l'aplicació", |  | ||||||
|     "author": "Autor", |  | ||||||
|     "upToDateApps": "Aplicacions actualizades", |  | ||||||
|     "nonInstalledApps": "Aplicacions no instal·lades", |  | ||||||
|     "importExport": "Importa/exporta", |  | ||||||
|     "settings": "Paràmetres", |  | ||||||
|     "exportedTo": "Exportat a {}", |  | ||||||
|     "obtainiumExport": "Exporta Obtainium", |  | ||||||
|     "invalidInput": "Entrada no vàlida", |  | ||||||
|     "importedX": "Importat {}", |  | ||||||
|     "obtainiumImport": "Importa Obtainium", |  | ||||||
|     "importFromURLList": "Importa des de la llista d'URL", |  | ||||||
|     "searchQuery": "Terme de cerca", |  | ||||||
|     "appURLList": "Llista d'URL d'aplicacions", |  | ||||||
|     "line": "Línia", |  | ||||||
|     "searchX": "Cerca {}", |  | ||||||
|     "noResults": "No hi ha resultats", |  | ||||||
|     "importX": "Importa des de {}", |  | ||||||
|     "importedAppsIdDisclaimer": "Les aplicacions importades podrien mostrar-se incorrectament com a «No instal·lada».\nPer solventar-ho reinstal·la-les a través d'Obtainium.\nAixò no hauria d'afectar les dades de les aplicacions.\n\nNomés afecta els URL i els mètodes d'importació de tercers.", |  | ||||||
|     "importErrors": "Errors d'importació", |  | ||||||
|     "importedXOfYApps": "{} de {} aplicacions importades.", |  | ||||||
|     "followingURLsHadErrors": "Els següents URLs han tingut problemes:", |  | ||||||
|     "selectURL": "Selecciona URL", |  | ||||||
|     "selectURLs": "Selecciona URLs", |  | ||||||
|     "pick": "Escull", |  | ||||||
|     "theme": "Tema", |  | ||||||
|     "dark": "Fosc", |  | ||||||
|     "light": "Clar", |  | ||||||
|     "followSystem": "Segueix el sistema", |  | ||||||
|     "followSystemThemeExplanation": "Seguir el tema del sistema només és possible si uses aplicacions de tercers", |  | ||||||
|     "useBlackTheme": "Fes servir el negre pur en el tema fosc", |  | ||||||
|     "appSortBy": "Ordena les aplicacions per", |  | ||||||
|     "authorName": "Autor/nom", |  | ||||||
|     "nameAuthor": "Nom/Autor", |  | ||||||
|     "asAdded": "Per l'ordre en què es van afegir", |  | ||||||
|     "appSortOrder": "Per ordre de classificació", |  | ||||||
|     "ascending": "Ascendent", |  | ||||||
|     "descending": "Descendent", |  | ||||||
|     "bgUpdateCheckInterval": "Comprova les actualitzacions en segon pla", |  | ||||||
|     "neverManualOnly": "Mai, només manual", |  | ||||||
|     "appearance": "Aparença", |  | ||||||
|     "showWebInAppView": "Mostra el web d'origen en la vista de l'aplicació", |  | ||||||
|     "pinUpdates": "Ancora les actualitzacions al capdamunt de les aplicacions", |  | ||||||
|     "updates": "Actualitzacions", |  | ||||||
|     "sourceSpecific": "Font específica", |  | ||||||
|     "appSource": "Font de l'aplicació", |  | ||||||
|     "noLogs": "Cap registre", |  | ||||||
|     "appLogs": "Registres de l'aplicació", |  | ||||||
|     "close": "Tanca", |  | ||||||
|     "share": "Comparteix", |  | ||||||
|     "appNotFound": "No s'ha trobat l'aplicació", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "Exportació d'Obtainium", |  | ||||||
|     "pickAnAPK": "Escull una APK", |  | ||||||
|     "appHasMoreThanOnePackage": "{} té més d'un paquet:", |  | ||||||
|     "deviceSupportsXArch": "Aquest dispositiu admet l'aquitectura de CPU: {}.", |  | ||||||
|     "deviceSupportsFollowingArchs": "Aquest dispositiu admet les següents arquitectures de CPU:", |  | ||||||
|     "warning": "Avís", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "La font de l'aplicació és «{}» però el paquet de l'actualització ve de «{}». Vols continuar?", |  | ||||||
|     "updatesAvailable": "Actualitzacions disponibles", |  | ||||||
|     "updatesAvailableNotifDescription": "Notifica l'usuari que hi ha actualitzacions per a una o més aplicacions seguides per Obtainium", |  | ||||||
|     "noNewUpdates": "No hi ha noves actualitzacions.", |  | ||||||
|     "xHasAnUpdate": "{} té una actualització.", |  | ||||||
|     "appsUpdated": "Aplicacions actualitzades", |  | ||||||
|     "appsNotUpdated": "Error en actualitzar les aplicacions", |  | ||||||
|     "appsUpdatedNotifDescription": "Notifica l'usuari que una o més aplicacions s'han actualitzat en segon pla", |  | ||||||
|     "xWasUpdatedToY": "{} s'ha actualitzat a {}.", |  | ||||||
|     "xWasNotUpdatedToY": "Error en actualitzar {} a {}.", |  | ||||||
|     "errorCheckingUpdates": "Error en cercar actualitzacions", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Una notificació que es mostra quan la comprovació d'actualizacions en segon pla ha fallat", |  | ||||||
|     "appsRemoved": "Aplicacions suprimides", |  | ||||||
|     "appsRemovedNotifDescription": "Notifica l'usuari que una o més aplicacions s'han suprimit per errors en carregar-les", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} s'ha suprimit per aquest error: {}", |  | ||||||
|     "completeAppInstallation": "Instal·lació completa de l'aplicació", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium ha d'estar obert per poder instal·lar aplicacions", |  | ||||||
|     "completeAppInstallationNotifDescription": "Demana l'usuari de tornar a Obtainium per acabar d'instal·lar una aplicació", |  | ||||||
|     "checkingForUpdates": "S'estan cercant actualitzacions...", |  | ||||||
|     "checkingForUpdatesNotifDescription": "Notificació temporal que apareix en cercar actualitzacions", |  | ||||||
|     "pleaseAllowInstallPerm": "Permet que Obtainium instal·li aplicacions", |  | ||||||
|     "trackOnly": "Només per a seguiment", |  | ||||||
|     "errorWithHttpStatusCode": "Error {}", |  | ||||||
|     "versionCorrectionDisabled": "Correcció de versions desactivada (el plugin sembla que no funciona)", |  | ||||||
|     "unknown": "Desconegut", |  | ||||||
|     "none": "Cap", |  | ||||||
|     "all": "All", |  | ||||||
|     "never": "Mai", |  | ||||||
|     "latestVersionX": "Última versió: {}", |  | ||||||
|     "installedVersionX": "Versió instal·lada: {}", |  | ||||||
|     "lastUpdateCheckX": "Última comprovació d'actualització: {}", |  | ||||||
|     "remove": "Suprimeix", |  | ||||||
|     "yesMarkUpdated": "Sí, marca com a actualitzada", |  | ||||||
|     "fdroid": "Repositori oficial F-Droid", |  | ||||||
|     "appIdOrName": "ID o nom de l'aplicació", |  | ||||||
|     "appId": "ID de l'aplicació", |  | ||||||
|     "appWithIdOrNameNotFound": "No s'han trobat aplicacions amb aquest ID o nom", |  | ||||||
|     "reposHaveMultipleApps": "Els repositoris poden contenir diverses aplicacions", |  | ||||||
|     "fdroidThirdPartyRepo": "Repositori F-Droid de tercers", |  | ||||||
|     "install": "Instal·la", |  | ||||||
|     "markInstalled": "Marca com a instal·lada", |  | ||||||
|     "update": "Actualitza", |  | ||||||
|     "markUpdated": "Marca com a actualitzada", |  | ||||||
|     "additionalOptions": "Opcions addicionals", |  | ||||||
|     "disableVersionDetection": "Desactiva la detecció de versions", |  | ||||||
|     "noVersionDetectionExplanation": "Només has d'usar aquesta opció en les aplicacions en què la detecció de versions no funcioni correctament.", |  | ||||||
|     "downloadingX": "Descarregant {}", |  | ||||||
|     "downloadX": "Descarrega {}", |  | ||||||
|     "downloadedX": "Descarregada {}", |  | ||||||
|     "releaseAsset": "Recurs actualitzat", |  | ||||||
|     "downloadNotifDescription": "Notifica l'usuari del progrés de la descàrrega d'una aplicació", |  | ||||||
|     "noAPKFound": "No s'ha trobat l'APK", |  | ||||||
|     "noVersionDetection": "No s'han detectat versions", |  | ||||||
|     "categorize": "Categoritza", |  | ||||||
|     "categories": "Categories", |  | ||||||
|     "category": "Categoria", |  | ||||||
|     "noCategory": "No hi ha la categoria", |  | ||||||
|     "noCategories": "No hi ha les categories", |  | ||||||
|     "deleteCategoriesQuestion": "Suprimeixo les categories?", |  | ||||||
|     "categoryDeleteWarning": "Totes les aplicacions de les categories suprimides es marcaran com a no categoritzades.", |  | ||||||
|     "addCategory": "Afegeix una categoria", |  | ||||||
|     "label": "Nom", |  | ||||||
|     "language": "Idioma", |  | ||||||
|     "copiedToClipboard": "Copiat al porta-retalls", |  | ||||||
|     "storagePermissionDenied": "Permís d'emmagatzematge denegat", |  | ||||||
|     "selectedCategorizeWarning": "Açò substituirà els paràmetres de categorització per a les aplicacions selecionades.", |  | ||||||
|     "filterAPKsByRegEx": "Filtra les APKs per l'expressió regular", |  | ||||||
|     "removeFromObtainium": "Suprimeix d'Obtainium", |  | ||||||
|     "uninstallFromDevice": "Desinstal·la del dispositiu", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Només funciona per a aplicacions amb la detecció de versions desactivada.", |  | ||||||
|     "releaseDateAsVersion": "Usa la data de llançament com a cadena de la versió", |  | ||||||
|     "releaseTitleAsVersion": "Usa el títol com a cadena de la versió", |  | ||||||
|     "releaseDateAsVersionExplanation": "Aquest opció només s'hauria d'usar per a aplicacions en què la detecció de la versió no funciona correctament però disposem de la data de publicació.", |  | ||||||
|     "changes": "Canvis", |  | ||||||
|     "releaseDate": "Data de publicació", |  | ||||||
|     "importFromURLsInFile": "Importa els URLs des d'un fitxer (com ara OPML)", |  | ||||||
|     "versionDetectionExplanation": "Concilia la cadena de la versió amb la versió detectada del Sistema Operatiu", |  | ||||||
|     "versionDetection": "Detecció de la versió", |  | ||||||
|     "standardVersionDetection": "Detecció de la versió estàndard", |  | ||||||
|     "groupByCategory": "Agrupa per categories", |  | ||||||
|     "autoApkFilterByArch": "Intenta filtrar les APKs per l'aquitectura de la CPU, si és possible", |  | ||||||
|     "autoLinkFilterByArch": "Intenta filtrar els enllaços per l'aquitectura de la CPU, si és possible", |  | ||||||
|     "overrideSource": "Força la font", |  | ||||||
|     "dontShowAgain": "No ho tornis a mostrar", |  | ||||||
|     "dontShowTrackOnlyWarnings": "No mostris avisos de les aplicacions 'només per a seguiment'", |  | ||||||
|     "dontShowAPKOriginWarnings": "No mostris avisos dels orígens de les APKs", |  | ||||||
|     "moveNonInstalledAppsToBottom": "Desplaça les aplicacions no instal·lades al capdavall de les aplicacions", |  | ||||||
|     "gitlabPATLabel": "Token d'accés personal a GitLab", |  | ||||||
|     "about": "Quant a", |  | ||||||
|     "requiresCredentialsInSettings": "{} requereix credencials addicionals (a Paràmetres)", |  | ||||||
|     "checkOnStart": "Comprova si hi ha actualitzacions en iniciar Obtainium", |  | ||||||
|     "tryInferAppIdFromCode": "Intenta deduir l'ID de l'aplicació des del codi font", |  | ||||||
|     "removeOnExternalUninstall": "Suprimeix de forma automàtica les aplicacions desinstal·lades externament", |  | ||||||
|     "pickHighestVersionCode": "Selecciona de forma automàtica la versió superior de l'APK", |  | ||||||
|     "checkUpdateOnDetailPage": "Comprova les actualitzacions en obrir la pàgina de detalls de l'aplicació", |  | ||||||
|     "disablePageTransitions": "Inhabilita les animacions de transició de pàgina", |  | ||||||
|     "reversePageTransitions": "Inverteix les animacions de transició de pàgina", |  | ||||||
|     "minStarCount": "Nombre mínim d'estrelles", |  | ||||||
|     "addInfoBelow": "Afegeix aquesta informació a sota.", |  | ||||||
|     "addInfoInSettings": "Afegeix aquesta informació a Paràmetres.", |  | ||||||
|     "githubSourceNote": "La limitació de peticions a GitHub es pot evitar amb una clau API.", |  | ||||||
|     "sortByLastLinkSegment": "Ordena per 'només el darrer fragment de l'enllaç'", |  | ||||||
|     "filterReleaseNotesByRegEx": "Filtra les notes de la publicació de la versió per una expressió regular", |  | ||||||
|     "customLinkFilterRegex": "Filtre personalitzat de l'enllaç de l'APK per una expressió regular (Per_defecte '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "S'ha intentat l'actualització de l'aplicació", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Notifica l'usuari que les actualitzacions per a una o més aplicacions podrien haver-se fet en segon pla", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} podria haver-se actualitzat a {}.", |  | ||||||
|     "enableBackgroundUpdates": "Habilita les actualizacions en segon pla", |  | ||||||
|     "backgroundUpdateReqsExplanation": "Les actualitzacions en segon pla és possible que no estiguin disponibles per a totes les aplicacions.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "Les instal·lacions en segon pla reexides només es poden comprovar amb Obtainium obert.", |  | ||||||
|     "verifyLatestTag": "Comprova l'etiqueta 'Latest' (última versió)", |  | ||||||
|     "intermediateLinkRegex": "Filtra per un enllaç 'intermediari' per anar-hi", |  | ||||||
|     "filterByLinkText": "Filtra els enllaços pel text de l'enllaç", |  | ||||||
|     "matchLinksOutsideATags": "Match links outside <a> tags", |  | ||||||
|     "intermediateLinkNotFound": "No s'ha trobat l'enllaç intermediari", |  | ||||||
|     "intermediateLink": "Enllaç intermediari", |  | ||||||
|     "exemptFromBackgroundUpdates": "Exempta d'actualitzacions en segon pla (si han estat habilitades)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "Inhabilita les actualitzacions en segon pla sense Wi-Fi", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "Inhabilita les actualitzacions en segon pla quan no s'estigui carregant el mòbil", |  | ||||||
|     "autoSelectHighestVersionCode": "Selecciona de forma automàtica la versió més recent de l'APK", |  | ||||||
|     "versionExtractionRegEx": "Extracció de la cadena de la versió amb una expressió regular", |  | ||||||
|     "trimVersionString": "Retalla la cadena de la versió amb una expressió regular", |  | ||||||
|     "matchGroupToUseForX": "Grup de coincidència a usar per a \"{}\"", |  | ||||||
|     "matchGroupToUse": "Grup de coincidència a usar per a l'extracció de la cadena de la versió amb una expressió regular", |  | ||||||
|     "highlightTouchTargets": "Ressalta els elements de selecció menys obvis", |  | ||||||
|     "pickExportDir": "Selecciona el directori d'exportació", |  | ||||||
|     "autoExportOnChanges": "Exporta automàticament quan hi hagi canvis", |  | ||||||
|     "includeSettings": "Inclou paràmetres", |  | ||||||
|     "filterVersionsByRegEx": "Filtra les versions per una expressió regular", |  | ||||||
|     "trySelectingSuggestedVersionCode": "Prova a seleccionar la versió de l'APK suggerida", |  | ||||||
|     "dontSortReleasesList": "Mantén l'ordre de publicació de l'API", |  | ||||||
|     "reverseSort": "Ordre invers", |  | ||||||
|     "takeFirstLink": "Usa el primer enllaç", |  | ||||||
|     "skipSort": "Omet l'ordre", |  | ||||||
|     "debugMenu": "Menú de depuració", |  | ||||||
|     "bgTaskStarted": "S'ha iniciat la tasca en segon pla (revisa-ho als registres).", |  | ||||||
|     "runBgCheckNow": "Executa la comprovació d'actualitzacions en segon pla", |  | ||||||
|     "versionExtractWholePage": "Aplica l'extracció de la cadena de la versió amb una expressió regular a tota la pàgina", |  | ||||||
|     "installing": "Instal·lant", |  | ||||||
|     "skipUpdateNotifications": "No notifiquis les actualitzacions", |  | ||||||
|     "updatesAvailableNotifChannel": "Actualitzacions disponibles", |  | ||||||
|     "appsUpdatedNotifChannel": "Aplicacions actualitzades", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "S'ha intentat actualitzar l'aplicació", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "Error en cercar actualitzacions", |  | ||||||
|     "appsRemovedNotifChannel": "Aplicacions suprimides", |  | ||||||
|     "downloadingXNotifChannel": "Descarregant {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "Instal·lació finalitzada", |  | ||||||
|     "checkingForUpdatesNotifChannel": "S'estan cercant actualitzacions", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Comprova les actualitzacions només per a aplicacions instal·lades o en seguiment", |  | ||||||
|     "supportFixedAPKURL": "Suport per als URLs fixos de l'APK", |  | ||||||
|     "selectX": "Selecciona {}", |  | ||||||
|     "parallelDownloads": "Permet les descàrregues paralel·les", |  | ||||||
|     "useShizuku": "Usa Shizuku o Sui per instal·lar", |  | ||||||
|     "shizukuBinderNotFound": "Shizuku no s'està executant", |  | ||||||
|     "shizukuOld": "Versió antiga de Shizuku (<11) - Actualitza-la", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku s'executa en Android < 8.1 amb ADB - Actualitza Android o usa Sui com a alternativa", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Defineix Google Play com a font d'instal·lació (si uses Shizuku)", |  | ||||||
|     "useSystemFont": "Usa la font del sistema", |  | ||||||
|     "useVersionCodeAsOSVersion": "Usa la versió de l'aplicació com a versió detectada del Sistema Operatiu", |  | ||||||
|     "requestHeader": "Capçalera de sol·licitud", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "Usa el darrer recurs carregat com a data de llançament", |  | ||||||
|     "defaultPseudoVersioningMethod": "Mètode de pseudo-versionat predeterminat", |  | ||||||
|     "partialAPKHash": "Hash de l'APK parcial", |  | ||||||
|     "APKLinkHash": "Hash de l'enllaç de l'APK", |  | ||||||
|     "directAPKLink": "Enllaç de l'APK directe", |  | ||||||
|     "pseudoVersionInUse": "S'està usant una pseudo-versió", |  | ||||||
|     "installed": "Instal·lada", |  | ||||||
|     "latest": "Versió més recent", |  | ||||||
|     "invertRegEx": "Inverteix l'expressió regular", |  | ||||||
|     "note": "Nota", |  | ||||||
|     "selfHostedNote": "El desplegable «{}» es pot usar per accedir a instàncies autoallotjades/personalitzades de qualsevol font.", |  | ||||||
|     "badDownload": "L'APK no s'ha pogut analitzar (incompatible o descàrrega parcial)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Comparteix les aplicacions noves amb AppVerifier (si està instal·lat)", |  | ||||||
|     "appVerifierInstructionToast": "Comparteix amb AppVerifier i torna aquí quan estigui fet.", |  | ||||||
|     "wiki": "Ajuda/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Configuració de les aplicacions crowdsourcing (usa-ho sota la teva responsabilitat)", |  | ||||||
|     "crowdsourcedConfigsShort": "Configuració de les aplicacions crowdsourcing", |  | ||||||
|     "allowInsecure": "Permet les sol·licituds HTTP insegures", |  | ||||||
|     "stayOneVersionBehind": "Roman a la versió anterior a l'última", |  | ||||||
|     "useFirstApkOfVersion": "Tria automàticament la primera aplicació entre moltes", |  | ||||||
|     "refreshBeforeDownload": "Actualitza les dades de l'aplicació abans de descarregar-la", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "Vivo App Store (CN)", |  | ||||||
|     "name": "Nom", |  | ||||||
|     "smartname": "Nom (smart)", |  | ||||||
|     "sortMethod": "Mètode d'ordenació", |  | ||||||
|     "welcome": "Benvinguda", |  | ||||||
|     "documentationLinksNote": "La pàgina GitHub d'Obtainium enllaçada a sota conté enllaços a vídeos, articles, debats i altres recursos que t'ajudaran a entendre com usar l'aplicació.", |  | ||||||
|     "batteryOptimizationNote": "Tingues present que les descàrregues en segon pla funcionaran millor si inhabilites l'optimització de bateria per a Obtainium.", |  | ||||||
|     "fileDeletionError": "No s'ha pogut suprimir el fitxer (intenta suprimir-lo manualment i torna-ho a provar): \"{}\"", |  | ||||||
|     "foregroundService": "Servei d'Obtainium en primer pla", |  | ||||||
|     "foregroundServiceExplanation": "Usa el servei d'Obtainium en primer pla per comprovar les actualitzacions (és més fiable però consumeix més bateria)", |  | ||||||
|     "fgServiceNotice": "Aquesta notificació és necessària per comprovar les actualitzacions en segon pla (la pots ocultar als paràmetres del Sistema Operatiu)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "¿Suprimeixo l'aplicació?", |  | ||||||
|         "other": "¿Suprimeixo les aplicacions?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "Massa peticions (límit excedit), torna-hi en {} minut", |  | ||||||
|         "other": "Massa peticions (límit excedit), torna-hi en {} minuts" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "La comprovació d'actualitzacions en segon pla ha trobat un {}, es tornarà a provar en {} minut", |  | ||||||
|         "other": "La comprovació d'actualitzacions en segon pla ha trobat un {}, es tornarà a provar en {} minuts" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "La comprovació d'actualitzacions en segon pla ha trobat {} actualització, t'ho notificarem si cal", |  | ||||||
|         "other": "La comprovació d'actualitzacions en segon pla ha trobat {} actualitzacions, t'ho notificarem si cal" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} Aplicació", |  | ||||||
|         "other": "{} Aplicacions" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URLs" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} minut", |  | ||||||
|         "other": "{} minuts" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} hora", |  | ||||||
|         "other": "{} hores" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} dia", |  | ||||||
|         "other": "{} dies" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "Suprimit {n} registre (anterior a = {before}, posterior a = {after})", |  | ||||||
|         "other": "Suprimits {n} registres (anteriors a = {before}, posteriors a = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} i 1 aplicació més tenen actualitzacions.", |  | ||||||
|         "other": "{} i {} aplicacions més tenen actualitzacions." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} i 1 aplicació més s'han actualitzat.", |  | ||||||
|         "other": "{} i {} aplicacions més s'han actualitzat." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Error en actualitzar {} i 1 aplicació més.", |  | ||||||
|         "other": "No s'ha pogut actualizar {} i {} aplicacions més." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} i 1 aplicació més podrien haver estat actualizades.", |  | ||||||
|         "other": "{} i {} aplicacions més podrien haver estat actualitzades." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APKs" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -1,5 +1,5 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "Žádná platná adresa URL aplikace {}", |     "invalidURLForSource": "Žádná platná {} adresa URL aplikace", | ||||||
|     "noReleaseFound": "Nebyla nalezena odpovídající verze", |     "noReleaseFound": "Nebyla nalezena odpovídající verze", | ||||||
|     "noVersionFound": "Nelze určit verzi vydání", |     "noVersionFound": "Nelze určit verzi vydání", | ||||||
|     "urlMatchesNoSource": "URL neodpovídá žádnému známému zdroji", |     "urlMatchesNoSource": "URL neodpovídá žádnému známému zdroji", | ||||||
| @@ -7,36 +7,33 @@ | |||||||
|     "appIdMismatch": "ID staženého balíčku neodpovídá ID existující aplikace", |     "appIdMismatch": "ID staženého balíčku neodpovídá ID existující aplikace", | ||||||
|     "functionNotImplemented": "Tato třída nemá implementovánu tuto funkci", |     "functionNotImplemented": "Tato třída nemá implementovánu tuto funkci", | ||||||
|     "placeholder": "Zástupce", |     "placeholder": "Zástupce", | ||||||
|     "someErrors": "Došlo k chybám", |     "someErrors": "Vyskytly se nějaké chyby", | ||||||
|     "unexpectedError": "Neočekávaná chyba", |     "unexpectedError": "Neočekávaná chyba", | ||||||
|     "ok": "OK", |     "ok": "Ok", | ||||||
|     "and": "a", |     "and": "a", | ||||||
|     "githubPATLabel": "Osobní přístupový token GitHub (zvyšuje limit požadavků)", |     "githubPATLabel": "GitHub Personal Access Token (zvyšuje limit rychlosti)", | ||||||
|     "includePrereleases": "Zahrnout předběžná vydání", |     "includePrereleases": "Zahrnout předběžné verze", | ||||||
|     "fallbackToOlderReleases": "Přechod na starší verze", |     "fallbackToOlderReleases": "Přechod na starší verze", | ||||||
|     "filterReleaseTitlesByRegEx": "Filtrovat názvy verzí podle regulárního výrazu", |     "filterReleaseTitlesByRegEx": "Filtrovat názvy verzí podle regulárního výrazu", | ||||||
|     "invalidRegEx": "Neplatný regulární výraz", |     "invalidRegEx": "Neplatný regulární výraz", | ||||||
|     "noDescription": "Žádný popis", |     "noDescription": "Žádný popis", | ||||||
|     "cancel": "Zrušit", |     "cancel": "Zrušit", | ||||||
|     "continue": "Pokračovat", |     "continue": "Pokračovat", | ||||||
|     "requiredInBrackets": "(vyžadováno)", |     "requiredInBrackets": "(Požadované)", | ||||||
|     "dropdownNoOptsError": "CHYBA: ROZBALOVACÍ NABÍDKA MUSÍ MÍT ALESPOŇ JEDNU MOŽNOST", |     "dropdownNoOptsError": "ERROR: DROPDOWN MUSÍ MÍT AŽ JEDNU MOŽNOST", | ||||||
|     "colour": "Barvu", |     "colour": "Barva", | ||||||
|     "standard": "Standardní", |     "githubStarredRepos": "GitHub označená hvězdičkou", | ||||||
|     "custom": "Vlastní", |  | ||||||
|     "useMaterialYou": "Použít Material You", |  | ||||||
|     "githubStarredRepos": "Repozitáře na GitHubu označené hvězdičkou", |  | ||||||
|     "uname": "Uživatelské jméno", |     "uname": "Uživatelské jméno", | ||||||
|     "wrongArgNum": "Nesprávný počet zadaných argumentů", |     "wrongArgNum": "Nesprávný počet zadaných argumentů", | ||||||
|     "xIsTrackOnly": "{} je určeno pouze pro sledování", |     "xIsTrackOnly": "{} je určeno pouze pro sledování", | ||||||
|     "source": "Zdroj", |     "source": "Zdroj", | ||||||
|     "app": "Aplikace", |     "app": "Aplikace", | ||||||
|     "appsFromSourceAreTrackOnly": "Aplikace z tohoto zdroje jsou „pouze pro sledování“.", |     "appsFromSourceAreTrackOnly": "Aplikace z tohoto zdroje jsou Jen sledovány.", | ||||||
|     "youPickedTrackOnly": "Vybrali jste možnost „pouze sledovat“.", |     "youPickedTrackOnly": "Vybrali jste možnost Jen sledovat.", | ||||||
|     "trackOnlyAppDescription": "Aplikace bude sledována kvůli aktualizacím, ale Obtainium ji nebude stahovat ani instalovat.", |     "trackOnlyAppDescription": "Aplikace je sledována kvůli aktualizacím, ale Obtainium ji nebude stahovat ani instalovat.", | ||||||
|     "cancelled": "Zrušeno", |     "cancelled": "Zrušeno", | ||||||
|     "appAlreadyAdded": "Aplikace již přidána", |     "appAlreadyAdded": "Aplikace již přidána", | ||||||
|     "alreadyUpToDateQuestion": "Aplikace je již aktualizovaná?", |     "alreadyUpToDateQuestion": "App already up to date?", | ||||||
|     "addApp": "Přidat aplikaci", |     "addApp": "Přidat aplikaci", | ||||||
|     "appSourceURL": "Zdrojová adresa URL aplikace", |     "appSourceURL": "Zdrojová adresa URL aplikace", | ||||||
|     "error": "Chyba", |     "error": "Chyba", | ||||||
| @@ -45,9 +42,9 @@ | |||||||
|     "search": "Hledat", |     "search": "Hledat", | ||||||
|     "additionalOptsFor": "Další možnosti pro {}", |     "additionalOptsFor": "Další možnosti pro {}", | ||||||
|     "supportedSources": "Podporované zdroje", |     "supportedSources": "Podporované zdroje", | ||||||
|     "trackOnlyInBrackets": "(pouze sledování)", |     "trackOnlyInBrackets": "(Pouze stopy)", | ||||||
|     "searchableInBrackets": "(s možností vyhledávání)", |     "searchableInBrackets": "(s možností vyhledávání)", | ||||||
|     "appsString": "Aplikace", |     "appsString": "Apky", | ||||||
|     "noApps": "Žádné aplikace", |     "noApps": "Žádné aplikace", | ||||||
|     "noAppsForFilter": "Žádné aplikace pro vybraný filtr", |     "noAppsForFilter": "Žádné aplikace pro vybraný filtr", | ||||||
|     "byX": "Od {}", |     "byX": "Od {}", | ||||||
| @@ -57,73 +54,72 @@ | |||||||
|     "notInstalled": "Není nainstalováno", |     "notInstalled": "Není nainstalováno", | ||||||
|     "pseudoVersion": "pseudoverze", |     "pseudoVersion": "pseudoverze", | ||||||
|     "selectAll": "Vybrat vše", |     "selectAll": "Vybrat vše", | ||||||
|     "deselectX": "Zrušit výběr {}", |     "deselectX": "{} deselected", | ||||||
|     "xWillBeRemovedButRemainInstalled": "Aplikace {} bude odstraněna z aplikace Obtainium, ale zůstane nainstalována v zařízení.", |     "xWillBeRemovedButRemainInstalled": "{} bude odstraněn z Obtainium, ale zůstane nainstalován v zařízení.", | ||||||
|     "removeSelectedAppsQuestion": "Odstranit vybrané aplikace?", |     "removeSelectedAppsQuestion": "Odebrat vybrané aplikace?", | ||||||
|     "removeSelectedApps": "Odstranit vybrané aplikace", |     "removeSelectedApps": "Odebrat vybrané aplikace", | ||||||
|     "updateX": "Aktualizovat {}", |     "updateX": "Aktualizovat {}", | ||||||
|     "installX": "Instalovat {}", |     "installX": "Instalovat {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Označit aplikaci {}\n(pouze sledování)\njako aktualizovanou", |     "markXTrackOnlyAsUpdated": "Označit {}\n(Jen sledované)\njako aktualizované", | ||||||
|     "changeX": "Změnit {}", |     "changeX": "Změnit {}", | ||||||
|     "installUpdateApps": "Instalovat/aktualizovat aplikace", |     "installUpdateApps": "Instalovat/aktualizovat aplikace", | ||||||
|     "installUpdateSelectedApps": "Instalovat/aktualizovat vybrané aplikace", |     "installUpdateSelectedApps": "Instalovat/aktualizovat vybrané aplikace", | ||||||
|     "markXSelectedAppsAsUpdated": "Označit {} vybraných aplikací jako aktuální?", |     "markXSelectedAppsAsUpdated": "Označit {} vybrané aplikace jako aktuální?", | ||||||
|     "no": "Ne", |     "no": "Ne", | ||||||
|     "yes": "Ano", |     "yes": "Ano", | ||||||
|     "markSelectedAppsUpdated": "Označit vybrané aplikace jako aktuální", |     "markSelectedAppsUpdated": "Označit vybrané aplikace jako aktuální", | ||||||
|     "pinToTop": "Připnout nahoru", |     "pinToTop": "Připnout nahoru", | ||||||
|     "unpinFromTop": "Odepnout shora", |     "unpinFromTop": "Odepnout shora", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Obnovit stav instalace vybraných aplikací?", |     "resetInstallStatusForSelectedAppsQuestion": "Obnovit stav instalace vybraných aplikací?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "Stav instalace vybraných aplikací bude resetován.\n\nTo může být užitečné, pokud je verze aplikace zobrazená v aplikaci Obtainium nesprávná z důvodu neúspěšných aktualizací nebo jiných problémů.", |     "installStatusOfXWillBeResetExplanation": "Stav instalace vybraných aplikací bude resetován. To může být užitečné, pokud je verze aplikace zobrazená v Obtainium nesprávná z důvodu neúspěšných aktualizací nebo jiných problémů.", | ||||||
|     "customLinkMessage": "Tyto odkazy fungují na zařízeních s nainstalovaným Obtainium", |     "customLinkMessage": "Tyto odkazy fungují na zařízeních s nainstalovaným Obtainium", | ||||||
|     "shareAppConfigLinks": "Sdílet konfiguraci aplikace jako odkaz HTML", |     "shareAppConfigLinks": "Sdílet konfiguraci aplikace jako odkaz HTML", | ||||||
|     "shareSelectedAppURLs": "Sdílet adresy URL vybraných aplikací", |     "shareSelectedAppURLs": "Sdílet adresy URL vybraných aplikací", | ||||||
|     "resetInstallStatus": "Obnovit stav instalace", |     "resetInstallStatus": "Obnovit stav instalace", | ||||||
|     "more": "Více", |     "more": "Více", | ||||||
|     "removeOutdatedFilter": "Odstranit filtr neaktuálních aplikací", |     "removeOutdatedFilter": "Odstranit filtr Neaktuální", | ||||||
|     "showOutdatedOnly": "Zobrazovat pouze zastaralé aplikace", |     "showOutdatedOnly": "Zobrazovat pouze zastaralé aplikace", | ||||||
|     "filter": "Filtr", |     "filter": "Filtr", | ||||||
|     "filterApps": "Filtrovat aplikace", |     "filterApps": "Filtrovat aplikace", | ||||||
|     "appName": "Název aplikace", |     "appName": "Název aplikace", | ||||||
|     "author": "Autor", |     "author": "Autor", | ||||||
|     "upToDateApps": "Aktuální aplikace", |     "upToDateApps": "Aktuální apky", | ||||||
|     "nonInstalledApps": "Nenainstalované aplikace", |     "nonInstalledApps": "Neinstalované apky", | ||||||
|     "importExport": "Import/export", |     "importExport": "Import Export", | ||||||
|     "settings": "Nastavení", |     "settings": "Nastavení", | ||||||
|     "exportedTo": "Exportováno do {}", |     "exportedTo": "Exportováno do {}", | ||||||
|     "obtainiumExport": "Export aplikace Obtainium", |     "obtainiumExport": "Export obtainia", | ||||||
|     "invalidInput": "Neplatný vstup", |     "invalidInput": "Neplatný vstup", | ||||||
|     "importedX": "Importováno {}", |     "importedX": "Importováno {}", | ||||||
|     "obtainiumImport": "Import aplikace Obtainium", |     "obtainiumImport": "Dovoz obtainia", | ||||||
|     "importFromURLList": "Importovat ze seznamu adres", |     "importFromURLList": "Import ze seznamu URL", | ||||||
|     "searchQuery": "Vyhledávací dotaz", |     "searchQuery": "Vyhledávací dotaz", | ||||||
|     "appURLList": "Seznam adres aplikací", |     "appURLList": "Seznam adres aplikací", | ||||||
|     "line": "Linka", |     "line": "Linka", | ||||||
|     "searchX": "Vyhledávání {}", |     "searchX": "Vyhledávání {}", | ||||||
|     "noResults": "Nebyly nalezeny žádné výsledky", |     "noResults": "Nebyly nalezeny žádné výsledky", | ||||||
|     "importX": "Importovat {}", |     "importX": "Import {}", | ||||||
|     "importedAppsIdDisclaimer": "Importované aplikace mohou být nesprávně zobrazeny jako „nenainstalované“.\nChcete-li to opravit, nainstalujte je znovu prostřednictvím aplikace Obtainium.\nNemá vliv na data aplikací.\n\nOvlivňuje pouze způsoby importu URL a třetích stran.", |     "importedAppsIdDisclaimer": "Importované aplikace mohou být nesprávně zobrazeny jako \"Neinstalovány\". Chcete-li to opravit, nainstalujte je znovu prostřednictvím Obtainium. To nemá vliv na data aplikací. Ovlivňuje pouze metody importu URL a třetích stran.", | ||||||
|     "importErrors": "Chyba importu", |     "importErrors": "Chyba importu", | ||||||
|     "importedXOfYApps": "Importováno {} z {} aplikací.", |     "importedXOfYApps": "{}importováno z {} aplikací.", | ||||||
|     "followingURLsHadErrors": "U následujících adres došlo k chybám:", |     "followingURLsHadErrors": "U následujících adres došlo k chybám:", | ||||||
|     "selectURL": "Vybrat adresu", |     "selectURL": "Vybrat adresu", | ||||||
|     "selectURLs": "Select adresy", |     "selectURLs": "Select adresy", | ||||||
|     "pick": "Vybrat", |     "pick": "Vybrat", | ||||||
|     "theme": "Motiv", |     "theme": "Téma", | ||||||
|     "dark": "Tmavé", |     "dark": "Tmavé", | ||||||
|     "light": "Světlé", |     "light": "Světlé", | ||||||
|     "followSystem": "Podle systému", |     "followSystem": "Jako systém", | ||||||
|     "followSystemThemeExplanation": "Používání motivu systému je možné pouze pomocí aplikací třetích stran", |     "useBlackTheme": "Použít čistě černé tmavé téma", | ||||||
|     "useBlackTheme": "Použít čistě černý tmavý motiv", |  | ||||||
|     "appSortBy": "Seřadit podle", |     "appSortBy": "Seřadit podle", | ||||||
|     "authorName": "Autor/jméno", |     "authorName": "Autor/Jméno", | ||||||
|     "nameAuthor": "Jméno/autor", |     "nameAuthor": "Jméno/Autor", | ||||||
|     "asAdded": "Přidáno", |     "asAdded": "Přidáno", | ||||||
|     "appSortOrder": "Seřadit", |     "appSortOrder": "Seřadit", | ||||||
|     "ascending": "Vzestupně", |     "ascending": "Vzestupně", | ||||||
|     "descending": "Sestupně", |     "descending": "Sestupně", | ||||||
|     "bgUpdateCheckInterval": "Interval kontroly aktualizace na pozadí", |     "bgUpdateCheckInterval": "Interval kontroly aktualizace na pozadí", | ||||||
|     "neverManualOnly": "Nikdy – pouze ručně", |     "neverManualOnly": "Nikdy - pouze ručně", | ||||||
|     "appearance": "Vzhled", |     "appearance": "Vzhled", | ||||||
|     "showWebInAppView": "Zobrazit zdrojové webové stránky v zobrazení aplikace", |     "showWebInAppView": "Zobrazit zdrojové webové stránky v zobrazení aplikace", | ||||||
|     "pinUpdates": "Připnout aplikace s aktualizacemi nahoru", |     "pinUpdates": "Připnout aplikace s aktualizacemi nahoru", | ||||||
| @@ -131,7 +127,7 @@ | |||||||
|     "sourceSpecific": "Specifické pro zdroj", |     "sourceSpecific": "Specifické pro zdroj", | ||||||
|     "appSource": "Zdroj aplikace", |     "appSource": "Zdroj aplikace", | ||||||
|     "noLogs": "Žádné protokoly", |     "noLogs": "Žádné protokoly", | ||||||
|     "appLogs": "Protokoly aplikace", |     "appLogs": "Záznamy apky", | ||||||
|     "close": "Zavřít", |     "close": "Zavřít", | ||||||
|     "share": "Sdílet", |     "share": "Sdílet", | ||||||
|     "appNotFound": "Aplikace nenalezena", |     "appNotFound": "Aplikace nenalezena", | ||||||
| @@ -141,16 +137,14 @@ | |||||||
|     "deviceSupportsXArch": "Vaše zařízení podporuje architekturu CPU {}.", |     "deviceSupportsXArch": "Vaše zařízení podporuje architekturu CPU {}.", | ||||||
|     "deviceSupportsFollowingArchs": "Vaše zařízení podporuje následující architektury CPU:", |     "deviceSupportsFollowingArchs": "Vaše zařízení podporuje následující architektury CPU:", | ||||||
|     "warning": "Varování", |     "warning": "Varování", | ||||||
|     "sourceIsXButPackageFromYPrompt": "Zdroj aplikace je „{}“, ale balíček pro vydání pochází z „{}“. Pokračovat?", |     "sourceIsXButPackageFromYPrompt": "Zdroj aplikace je '{}', ale balíček pro vydání je z '{}'. Pokračovat?", | ||||||
|     "updatesAvailable": "Dostupné aktualizace", |     "updatesAvailable": "Dostupné aktualizace", | ||||||
|     "updatesAvailableNotifDescription": "Upozorňuje uživatele, že jsou k dispozici aktualizace pro jednu nebo více aplikací sledovaných Obtainium", |     "updatesAvailableNotifDescription": "Upozorňuje uživatele, že jsou k dispozici aktualizace pro jednu nebo více aplikací sledovaných Obtainium", | ||||||
|     "noNewUpdates": "Žádné nové aktualizace.", |     "noNewUpdates": "Žádné nové aktualizace.", | ||||||
|     "xHasAnUpdate": "{} má aktualizaci.", |     "xHasAnUpdate": "{} má aktualizaci.", | ||||||
|     "appsUpdated": "Aplikace aktualizovány", |     "appsUpdated": "Aplikace aktualizovány", | ||||||
|     "appsNotUpdated": "Nepodařilo se aktualizovat aplikace", |  | ||||||
|     "appsUpdatedNotifDescription": "Upozornit, že byly provedeny aktualizace jedné nebo více aplikací na pozadí", |     "appsUpdatedNotifDescription": "Upozornit, že byly provedeny aktualizace jedné nebo více aplikací na pozadí", | ||||||
|     "xWasUpdatedToY": "Aplikace {} byla aktualizována na {}.", |     "xWasUpdatedToY": "{} byla aktualizována na {}", | ||||||
|     "xWasNotUpdatedToY": "Nepodařilo se aktualizovat {} na {}.", |  | ||||||
|     "errorCheckingUpdates": "Chyba kontroly aktualizací", |     "errorCheckingUpdates": "Chyba kontroly aktualizací", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Zobrazit oznámení při neúspěšné kontrole aktualizací na pozadí", |     "errorCheckingUpdatesNotifDescription": "Zobrazit oznámení při neúspěšné kontrole aktualizací na pozadí", | ||||||
|     "appsRemoved": "Odstraněné aplikace", |     "appsRemoved": "Odstraněné aplikace", | ||||||
| @@ -161,26 +155,27 @@ | |||||||
|     "completeAppInstallationNotifDescription": "Vyzvat k návratu do Obtainium pro dokončení instalace aplikací", |     "completeAppInstallationNotifDescription": "Vyzvat k návratu do Obtainium pro dokončení instalace aplikací", | ||||||
|     "checkingForUpdates": "Zkontrolovat aktualizace", |     "checkingForUpdates": "Zkontrolovat aktualizace", | ||||||
|     "checkingForUpdatesNotifDescription": "Dočasné oznámení zobrazené při kontrole aktualizací", |     "checkingForUpdatesNotifDescription": "Dočasné oznámení zobrazené při kontrole aktualizací", | ||||||
|     "pleaseAllowInstallPerm": "Povolte prosím aplikaci Obtainium instalovat aplikace", |     "pleaseAllowInstallPerm": "Povolte prosím Obtainium instalovat aplikace", | ||||||
|     "trackOnly": "Pouze sledovat", |     "trackOnly": "Jen sledovat", | ||||||
|     "errorWithHttpStatusCode": "Chyba {}", |     "errorWithHttpStatusCode": "Chyba {}", | ||||||
|     "versionCorrectionDisabled": "Oprava verze zakázána (zásuvný modul zřejmě nefunguje)", |     "versionCorrectionDisabled": "Oprava verze zakázána (zásuvný modul zřejmě nefunguje)", | ||||||
|     "unknown": "Neznám", |     "unknown": "Neznám", | ||||||
|     "none": "Žádný", |     "none": "Žádný", | ||||||
|     "all": "Všechny", |  | ||||||
|     "never": "Nikdy", |     "never": "Nikdy", | ||||||
|     "latestVersionX": "Nejnovější verze: {}", |     "latestVersionX": "Nejnovější verze: {}", | ||||||
|     "installedVersionX": "Nainstalovaná verze: {}", |     "installedVersionX": "Nainstalovaná verze: {}", | ||||||
|     "lastUpdateCheckX": "Poslední kontrola aktualizací: {}", |     "lastUpdateCheckX": "Poslední kontrola aktualizace: {}", | ||||||
|     "remove": "Odebrat", |     "remove": "Odebrat", | ||||||
|     "yesMarkUpdated": "Ano, označit jako aktualizované", |     "yesMarkUpdated": "Ano, označit jako aktualizované", | ||||||
|     "fdroid": "Oficiální repozitář F-Droid", |     "fdroid": "Oficiální repozitář F-Droid", | ||||||
|     "appIdOrName": "ID nebo název aplikace", |     "appIdOrName": "ID nebo název apky", | ||||||
|     "appId": "ID aplikace", |     "appId": "ID aplikace", | ||||||
|     "appWithIdOrNameNotFound": "Žádná aplikace s tímto ID nebo názvem nebyla nalezena", |     "appWithIdOrNameNotFound": "Žádná aplikace s tímto ID nebo názvem nebyla nalezena", | ||||||
|     "reposHaveMultipleApps": "Repozitáře mohou obsahovat více aplikací", |     "reposHaveMultipleApps": "Repozitáře mohou obsahovat více aplikací", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid repozitář třetí strany", |     "fdroidThirdPartyRepo": "F-Droid repozitář třetí strany", | ||||||
|     "install": "Instalovat", |     "steamMobile": "Steam Mobile", | ||||||
|  |     "steamChat": "Steam Chat", | ||||||
|  |     "install": "Nainstalujte", | ||||||
|     "markInstalled": "Označit jako nainstalovaný", |     "markInstalled": "Označit jako nainstalovaný", | ||||||
|     "update": "Aktualizovat", |     "update": "Aktualizovat", | ||||||
|     "markUpdated": "Označit jako aktuální", |     "markUpdated": "Označit jako aktuální", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Deaktivovat detekci verze", |     "disableVersionDetection": "Deaktivovat detekci verze", | ||||||
|     "noVersionDetectionExplanation": "Tato možnost by měla být použita pouze u aplikace, kde detekce verzí nefunguje správně.", |     "noVersionDetectionExplanation": "Tato možnost by měla být použita pouze u aplikace, kde detekce verzí nefunguje správně.", | ||||||
|     "downloadingX": "Stáhnout {}", |     "downloadingX": "Stáhnout {}", | ||||||
|     "downloadX": "Stáhnout {}", |  | ||||||
|     "downloadedX": "Staženo {}", |  | ||||||
|     "releaseAsset": "Soubor vydání", |  | ||||||
|     "downloadNotifDescription": "Informuje uživatele o průběhu stahování aplikace", |     "downloadNotifDescription": "Informuje uživatele o průběhu stahování aplikace", | ||||||
|     "noAPKFound": "Žádná APK nebyla nalezena", |     "noAPKFound": "Žádná APK nebyla nalezena", | ||||||
|     "noVersionDetection": "Žádná detekce verze", |     "noVersionDetection": "Žádná detekce verze", | ||||||
| @@ -202,17 +194,16 @@ | |||||||
|     "deleteCategoriesQuestion": "Smazat kategorie?", |     "deleteCategoriesQuestion": "Smazat kategorie?", | ||||||
|     "categoryDeleteWarning": "Všechny aplikace v odstraněných kategoriích budou nastaveny na nekategorizované.", |     "categoryDeleteWarning": "Všechny aplikace v odstraněných kategoriích budou nastaveny na nekategorizované.", | ||||||
|     "addCategory": "Přidat kategorii", |     "addCategory": "Přidat kategorii", | ||||||
|     "label": "Popisek", |     "label": "Štítek", | ||||||
|     "language": "Jazyk", |     "language": "Jazyk", | ||||||
|     "copiedToClipboard": "Zkopírováno do schránky", |     "copiedToClipboard": "Zkopírováno do schránky", | ||||||
|     "storagePermissionDenied": "Oprávnění k ukládání odepřeno", |     "storagePermissionDenied": "Oprávnění k ukládání odepřeno", | ||||||
|     "selectedCategorizeWarning": "Toto nahradí všechna stávající nastavení kategorií pro vybrané aplikace.", |     "selectedCategorizeWarning": "Toto nahradí všechna stávající nastavení kategorií pro vybrané aplikace.", | ||||||
|     "filterAPKsByRegEx": "Filtrovat APK podle regulárního výrazu", |     "filterAPKsByRegEx": "Filtrovat APK podle regulárního výrazu", | ||||||
|     "removeFromObtainium": "Odebrat z Obtainia", |     "removeFromObtainium": "Odebrat z Obtainium", | ||||||
|     "uninstallFromDevice": "Odinstalovat ze zařízení", |     "uninstallFromDevice": "Odinstalovat ze zařízení", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Funguje pouze pro aplikace s vypnutou detekcí verze.", |     "onlyWorksWithNonVersionDetectApps": "Funguje pouze pro aplikace s vypnutou detekcí verze.", | ||||||
|     "releaseDateAsVersion": "Použít datum vydání jako verzi", |     "releaseDateAsVersion": "Použít datum vydání jako verzi", | ||||||
|     "releaseTitleAsVersion": "Použít název vydání jako řetězec verze", |  | ||||||
|     "releaseDateAsVersionExplanation": "Tato možnost by měla být použita pouze u aplikace, kde detekce verzí nefunguje správně, ale je k dispozici datum vydání.", |     "releaseDateAsVersionExplanation": "Tato možnost by měla být použita pouze u aplikace, kde detekce verzí nefunguje správně, ale je k dispozici datum vydání.", | ||||||
|     "changes": "Změny", |     "changes": "Změny", | ||||||
|     "releaseDate": "Datum vydání", |     "releaseDate": "Datum vydání", | ||||||
| @@ -222,16 +213,15 @@ | |||||||
|     "standardVersionDetection": "Standardní detekce verze", |     "standardVersionDetection": "Standardní detekce verze", | ||||||
|     "groupByCategory": "Seskupit podle kategorie", |     "groupByCategory": "Seskupit podle kategorie", | ||||||
|     "autoApkFilterByArch": "Pokud je to možné, pokuste se filtrovat soubory APK podle architektury procesoru", |     "autoApkFilterByArch": "Pokud je to možné, pokuste se filtrovat soubory APK podle architektury procesoru", | ||||||
|     "autoLinkFilterByArch": "Pokusit se filtrovat odkazy podle architektury procesoru, pokud je to možné", |  | ||||||
|     "overrideSource": "Přepsat zdroj", |     "overrideSource": "Přepsat zdroj", | ||||||
|     "dontShowAgain": "Nezobrazovat znovu", |     "dontShowAgain": "Nezobrazovat znovu", | ||||||
|     "dontShowTrackOnlyWarnings": "Nezobrazovat varování pro „pouze sledované“", |     "dontShowTrackOnlyWarnings": "Nezobrazovat varování pro 'Jen sledované'", | ||||||
|     "dontShowAPKOriginWarnings": "Nezobrazovat varování o původu APK", |     "dontShowAPKOriginWarnings": "Nezobrazovat varování pro původ APK", | ||||||
|     "moveNonInstalledAppsToBottom": "Přesunout nenainstalované aplikace na konec zobrazení Aplikace", |     "moveNonInstalledAppsToBottom": "Přesunout nenainstalované aplikace na konec zobrazení Aplikace", | ||||||
|     "gitlabPATLabel": "Osobní přístupový token GitLab", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "about": "Informace", |     "about": "O", | ||||||
|     "requiresCredentialsInSettings": "{} vyžaduje další pověření (v nastavení)", |     "requiresCredentialsInSettings": "{}: Vyžaduje další pověření (v nastavení)", | ||||||
|     "checkOnStart": "Zkontrolovat aktualizace při spuštění", |     "checkOnStart": "Zkontrolovat jednou při spuštění", | ||||||
|     "tryInferAppIdFromCode": "Pokusit se určit ID aplikace ze zdrojového kódu", |     "tryInferAppIdFromCode": "Pokusit se určit ID aplikace ze zdrojového kódu", | ||||||
|     "removeOnExternalUninstall": "Automaticky odstranit externě odinstalované aplikace", |     "removeOnExternalUninstall": "Automaticky odstranit externě odinstalované aplikace", | ||||||
|     "pickHighestVersionCode": "Automaticky vybrat nejvyšší verzi APK", |     "pickHighestVersionCode": "Automaticky vybrat nejvyšší verzi APK", | ||||||
| @@ -241,29 +231,25 @@ | |||||||
|     "minStarCount": "Minimální počet hvězdiček", |     "minStarCount": "Minimální počet hvězdiček", | ||||||
|     "addInfoBelow": "Přidat tuto informaci na konec stránky.", |     "addInfoBelow": "Přidat tuto informaci na konec stránky.", | ||||||
|     "addInfoInSettings": "Přidat tuto informaci do nastavení.", |     "addInfoInSettings": "Přidat tuto informaci do nastavení.", | ||||||
|     "githubSourceNote": "Limit požadavků služby GitHub lze obejít pomocí klíče API.", |     "githubSourceNote": "Omezení rychlosti GitHub lze obejít pomocí klíče API.", | ||||||
|     "sortByLastLinkSegment": "Seřadit pouze podle poslední části odkazu", |     "sortByLastLinkSegment": "Seřadit pouze podle poslední části odkazu", | ||||||
|     "filterReleaseNotesByRegEx": "Filtrovat seznam změn podle regulárního výrazu", |     "filterReleaseNotesByRegEx": "Filtrovat poznámky k vydání podle regulárního výrazu", | ||||||
|     "customLinkFilterRegex": "Vlastní filtr odkazů APK podle regulárního výrazu (výchozí: „.apk$“)", |     "customLinkFilterRegex": "Vlastní filtr odkazů APK podle regulárního výrazu (výchozí '.apk$')", | ||||||
|     "appsPossiblyUpdated": "Byly provedeny pokusy o aktualizaci aplikací", |     "appsPossiblyUpdated": "Byly provedeny pokusy o aktualizaci aplikací", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Upozorňuje uživatele, že na pozadí mohly být provedeny aktualizace jedné nebo více aplikací", |     "appsPossiblyUpdatedNotifDescription": "Upozorňuje uživatele, že na pozadí mohly být provedeny aktualizace jedné nebo více aplikací", | ||||||
|     "xWasPossiblyUpdatedToY": "{} mohlo být aktualizováno na {}.", |     "xWasPossiblyUpdatedToY": "{} mohlo být aktualizováno na {}.", | ||||||
|     "enableBackgroundUpdates": "Povolit aktualizace na pozadí", |     "enableBackgroundUpdates": "Povolit aktualizace na pozadí", | ||||||
|     "backgroundUpdateReqsExplanation": "Aktualizace na pozadí nemusí být možná pro všechny aplikace.", |     "backgroundUpdateReqsExplanation": "Aktualizace na pozadí nemusí být možná pro všechny aplikace.", | ||||||
|     "backgroundUpdateLimitsExplanation": "Úspěšnost instalace na pozadí lze určit pouze v případě, že je otevřeno Obtainium.", |     "backgroundUpdateLimitsExplanation": "Úspěšnost instalace na pozadí lze určit pouze v případě, že je otevřeno Obtainium.", | ||||||
|     "verifyLatestTag": "Ověřit značku „latest“", |     "verifyLatestTag": "Zkontrolovat značku latest", | ||||||
|     "intermediateLinkRegex": "Filtr pro návštěvu „prostředního“ odkazu", |     "intermediateLinkRegex": "Filtrovat mezipropojení, které by mělo být navštíveno jako první", | ||||||
|     "filterByLinkText": "Filtrovat odkazy podle textu odkazu", |     "filterByLinkText": "Filtrovat odkazy podle textu odkazu", | ||||||
|     "matchLinksOutsideATags": "Shoda odkazů mimo značky <a>", |  | ||||||
|     "intermediateLinkNotFound": "Připojený odkaz nenalezen", |     "intermediateLinkNotFound": "Připojený odkaz nenalezen", | ||||||
|     "intermediateLink": "Připojený odkaz", |     "intermediateLink": "Připojený odkaz", | ||||||
|     "exemptFromBackgroundUpdates": "Vyloučit z aktualizací na pozadí (je-li povoleno)", |     "exemptFromBackgroundUpdates": "Vyloučit z aktualizací na pozadí (je-li povoleno)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Zakázat aktualizace na pozadí, pokud není k dispozici Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Deaktivovat aktualizace na pozadí, pokud není k dispozici Wi-Fi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Zakázat aktualizace na pozadí, pokud se zařízení nenabíjí", |     "autoSelectHighestVersionCode": "Automaticky vybrat nejvyšší verzi APK", | ||||||
|     "autoSelectHighestVersionCode": "Automaticky vybrat APK s nejvyšším kódem verze", |  | ||||||
|     "versionExtractionRegEx": "Extrakce verze pomocí RegEx", |     "versionExtractionRegEx": "Extrakce verze pomocí RegEx", | ||||||
|     "trimVersionString": "Oříznutí řetězce verze pomocí RegEx", |  | ||||||
|     "matchGroupToUseForX": "Shoda se skupinou k použití pro „{}“", |  | ||||||
|     "matchGroupToUse": "Odpovídá použité skupině", |     "matchGroupToUse": "Odpovídá použité skupině", | ||||||
|     "highlightTouchTargets": "Zvýraznit méně zjevné cíle dotyku", |     "highlightTouchTargets": "Zvýraznit méně zjevné cíle dotyku", | ||||||
|     "pickExportDir": "Vybrat adresář pro export", |     "pickExportDir": "Vybrat adresář pro export", | ||||||
| @@ -282,129 +268,88 @@ | |||||||
|     "installing": "Instaluji", |     "installing": "Instaluji", | ||||||
|     "skipUpdateNotifications": "Neposkytovat oznámení o aktualizaci", |     "skipUpdateNotifications": "Neposkytovat oznámení o aktualizaci", | ||||||
|     "updatesAvailableNotifChannel": "Dostupné aktualizace", |     "updatesAvailableNotifChannel": "Dostupné aktualizace", | ||||||
|     "appsUpdatedNotifChannel": "Aplikace aktualizovány", |     "appsUpdatedNotifChannel": "Apky aktualizovány", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Byly provedeny pokusy o aktualizace aplikací", |     "appsPossiblyUpdatedNotifChannel": "Byly provedeny pokusy o aktualizace aplikací", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Chyba při kontrole aktualizací", |     "errorCheckingUpdatesNotifChannel": "Chyba při kontrole aktualizací", | ||||||
|     "appsRemovedNotifChannel": "Aplikace odstraněny", |     "appsRemovedNotifChannel": "Odstraněné apky", | ||||||
|     "downloadingXNotifChannel": "Stáhnout {}", |     "downloadingXNotifChannel": "Stáhnout {}", | ||||||
|     "completeAppInstallationNotifChannel": "Dokončit instalaci aplikace", |     "completeAppInstallationNotifChannel": "Dokončit instalaci aplikace", | ||||||
|     "checkingForUpdatesNotifChannel": "Zkontrolovat aktualizace", |     "checkingForUpdatesNotifChannel": "Zkontrolovat aktualizace", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Aktualizace kontrolovat pouze u nainstalovaných a sledovaných aplikací", |     "onlyCheckInstalledOrTrackOnlyApps": "Na aktualizace kontrolovat pouze nainstalované aplikace a aplikace označené Track only", | ||||||
|     "supportFixedAPKURL": "Odhadnout novější verzi na základě prvních třiceti číslic kontrolního součtu adresy URL APK, pokud není podporována jinak", |     "supportFixedAPKURL": "Odhadnout novější verzi na základě prvních třiceti číslic kontrolního součtu adresy URL APK, pokud není podporována jinak", | ||||||
|     "selectX": "Vybrat {}", |     "selectX": "Vybrat {}", | ||||||
|     "parallelDownloads": "Povolit souběžné stahování", |     "parallelDownloads": "Povolit souběžné stahování", | ||||||
|     "useShizuku": "K instalaci použít Shizuku nebo Sui", |     "installMethod": "Metoda instalace", | ||||||
|  |     "normal": "Normální", | ||||||
|  |     "root": "Správce", | ||||||
|     "shizukuBinderNotFound": "Shizuku neběží", |     "shizukuBinderNotFound": "Shizuku neběží", | ||||||
|     "shizukuOld": "Stará verze Shizuku (<11) - aktualizujte ji", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku běží na Androidu < 8.1 s ADB - aktualizujte Android nebo místo toho použijte Sui", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Nastavit Google Play jako zdroj instalace (pokud se používá Shizuku)", |  | ||||||
|     "useSystemFont": "Použít systémové písmo", |     "useSystemFont": "Použít systémové písmo", | ||||||
|  |     "systemFontError": "Chyba při načítání systémového písma: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Použít kód verze aplikace jako verzi zjištěnou OS", |     "useVersionCodeAsOSVersion": "Použít kód verze aplikace jako verzi zjištěnou OS", | ||||||
|     "requestHeader": "Hlavička požadavku", |     "requestHeader": "Hlavička požadavku", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Použít poslední nahraný soubor jako datum vydání", |     "useLatestAssetDateAsReleaseDate": "Použít poslední nahrané dílo jako datum vydání", | ||||||
|     "defaultPseudoVersioningMethod": "Výchozí metoda pseudoverze", |     "defaultPseudoVersioningMethod": "Výchozí metoda pseudoverze", | ||||||
|     "partialAPKHash": "Částečný hash APK", |     "partialAPKHash": "Částečný hash APK", | ||||||
|     "APKLinkHash": "Odkaz APK Hash", |     "APKLinkHash": "Odkaz APK Hash", | ||||||
|     "directAPKLink": "Přímý odkaz APK", |     "directAPKLink": "Přímý odkaz APK", | ||||||
|     "pseudoVersionInUse": "Pseudoverze se používá", |     "pseudoVersionInUse": "Pseudoverze se používá", | ||||||
|     "installed": "Nainstalováno", |     "installed": "Instalováno", | ||||||
|     "latest": "Nejnovější", |     "latest": "Nejnovější", | ||||||
|     "invertRegEx": "Invertovat regulární výraz", |     "invertRegEx": "Invertovat regulární výraz", | ||||||
|     "note": "Poznámka", |     "note": "Poznámka", | ||||||
|     "selfHostedNote": "Rozbalovací seznam „{}“ lze použít pro přístup k vlastním instancím libovolného zdroje.", |     "selfHostedNote": "Rozbalovací seznam \"{}\" lze použít k dosažení vlastních/obvyklých instancí libovolného zdroje.", | ||||||
|     "badDownload": "APK nelze analyzovat (nekompatibilní nebo částečné stažení)", |     "badDownload": "APK nelze analyzovat (nekompatibilní nebo částečné stažení)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Sdílet nové aplikace s aplikací AppVerifier (pokud je k dispozici)", |  | ||||||
|     "appVerifierInstructionToast": "Sdílejte do aplikace AppVerifier a po dokončení se sem vraťte.", |  | ||||||
|     "wiki": "Nápověda/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Komunitní konfigurace aplikací (použití na vlastní nebezpečí)", |  | ||||||
|     "crowdsourcedConfigsShort": "Konfigurace aplikací s využitím crowdsourcingu", |  | ||||||
|     "allowInsecure": "Povolit nezabezpečené požadavků HTTP", |  | ||||||
|     "stayOneVersionBehind": "Zůstaňte o jednu verzi pozadu za nejnovější", |  | ||||||
|     "useFirstApkOfVersion": "Automatický výběr prvního z více souborů APK", |  | ||||||
|     "refreshBeforeDownload": "Obnovit údaje o aplikaci před stažením", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Název", |  | ||||||
|     "smartname": "Název (chytrý)", |  | ||||||
|     "sortMethod": "Metoda třídění", |  | ||||||
|     "welcome": "Vítejte na", |  | ||||||
|     "documentationLinksNote": "Níže odkazovaná stránka Obtainium GitHub obsahuje odkazy na videa, články, diskuse a další zdroje, které vám pomohou pochopit, jak aplikaci používat.", |  | ||||||
|     "batteryOptimizationNote": "Upozorňujeme, že stahování na pozadí může fungovat spolehlivěji, pokud v nastavení aplikace Obtainium přepnete na „službu v popředí“ a/nebo v nastavení operačního systému pro Obtainium vypnete optimalizaci baterie.", |  | ||||||
|     "fileDeletionError": "Soubor se nepodařilo odstranit (zkuste jej odstranit ručně a akci opakujte): „{}“", |  | ||||||
|     "foregroundService": "Služba Obtainium na popředí", |  | ||||||
|     "foregroundServiceExplanation": "Použít službu v popředí pro kontrolu aktualizací (spolehlivější, spotřebovává více energie)", |  | ||||||
|     "fgServiceNotice": "Toto oznámení je nutné pro kontrolu aktualizací na pozadí (lze jej skrýt v nastavení systému)", |  | ||||||
|     "excludeSecrets": "Vyloučit tajemství", |  | ||||||
|     "GHReqPrefix": "instance 'sky22333/hubproxy' pro požadavky GitHubu", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Odstranit aplikaci?", |         "one": "Odstranit Apku?", | ||||||
|         "other": "Odstranit aplikace?" |         "other": "Odstranit Apky?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Příliš mnoho požadavků (limit požadavků) - zkuste to znovu za {} minutu", |         "one": "Příliš mnoho požadavků (omezená rychlost) - zkuste to znovu za {} minutu", | ||||||
|         "few": "Příliš mnoho požadavků (limit požadavků) - zkuste to znovu za {} minuty", |         "other": "Příliš mnoho požadavků (omezená rychlost) - zkuste to znovu za {} minut" | ||||||
|         "other": "Příliš mnoho požadavků (limit požadavků) - zkuste to znovu za {} minut" |  | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "Při kontrole aktualizací na pozadí byla zjištěna {}, opakování bude naplánováno za {} minutu", |         "one": "Při kontrole aktualizace na pozadí byla zjištěna chyba {}, opakování bude naplánováno za {} minut", | ||||||
|         "few": "Při kontrole aktualizací na pozadí byla zjištěna {}, opakování bude naplánováno za {} minuty", |         "other": "Při kontrole aktualizací na pozadí byla zjištěna chyba {}, opakování bude naplánováno za {} minut" | ||||||
|         "other": "Při kontrole aktualizací na pozadí byla zjištěna {}, opakování bude naplánováno za {} minut" |  | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "Při kontrole aktualizací na pozadí nalezena {} aktualizace – v případě potřeby bude upozorněn uživatel", |         "one": "Při kontrole aktualizací na pozadí nalezena {}aktualizace - v případě potřeby upozorní uživatele", | ||||||
|         "few": "Při kontrole aktualizací na pozadí nalezeny {} aktualizace – v případě potřeby bude upozorněn uživatel", |         "other": "Kontrola aktualizací na pozadí nalezla {} aktualizací - v případě potřeby upozorní uživatele" | ||||||
|         "other": "Při kontrole aktualizací na pozadí nalezeno {} aktualizací – v případě potřeby bude upozorněn uživatel" |  | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} aplikace", |         "one": "{} Apka", | ||||||
|         "few": "{} aplikace", |         "other": "{} Apky" | ||||||
|         "other": "{} aplikací" |  | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} adresa", |         "one": "{} Adresa", | ||||||
|         "few": "{} adresy", |         "other": "{} Adres" | ||||||
|         "other": "{} adres" |  | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} minuta", |         "one": "{} Minuta", | ||||||
|         "few": "{} minuty", |         "other": "{} Minut" | ||||||
|         "other": "{} minut" |  | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} hodina", |         "one": "{} Hodina", | ||||||
|         "few": "{} hodiny", |         "other": "{} Hodin" | ||||||
|         "other": "{} hodin" |  | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} den", |         "one": "{} Den", | ||||||
|         "few": "{} dny", |         "other": "{} Dnů" | ||||||
|         "other": "{} dní" |  | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Vymazán {n} záznam (před = {before}, po = {after})", |         "one": "{n} Záznam vymazán (před = {before}, po = {after})", | ||||||
|         "few": "Vymazány {n} záznamy (před = {before}, po = {after})", |         "other": "{n} Záznamů vymazáno (před = {before}, po = {after})" | ||||||
|         "other": "Vymazáno {n} záznamů (před = {before}, po = {after})" |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} a 1 další aplikace mají aktualizace.", |         "one": "{} a 1 další aplikace mají aktualizace.", | ||||||
|         "few": "{} a {} další aplikace mají aktualizace.", |         "other": "{} a {} další aplikace mají aktualizace." | ||||||
|         "other": "{} a {} dalších aplikací má aktualizace." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} a 1 další aplikace byly aktualizovány.", |         "one": "{} a 1 další aplikace mají aktualizace.", | ||||||
|         "few": "{} a {} další aplikace byly aktualizovány.", |         "other": "{} a {} další aplikace byly aktualizovány." | ||||||
|         "other": "{} a {} dalších aplikací bylo aktualizováno." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Nepodařilo se aktualizovat {} a 1 další aplikaci.", |  | ||||||
|         "few": "Nepodařilo se aktualizovat {} a {} další aplikace.", |  | ||||||
|         "other": "Nepodařilo se aktualizovat {} a {} dalších aplikací." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} a 1 další aplikace možná byly aktualizovány.", |         "one": "{} a 1 další aplikace možno aktualizovat", | ||||||
|         "few": "{} a {} další aplikace možná byly aktualizovány.", |         "other": "{} a {} další aplikace mohou být aktualizovány." | ||||||
|         "other": "{} a {} dalších aplikací možná bylo aktualizováno." |  | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "Ikke et gyldigt {} app-URL", |  | ||||||
|     "noReleaseFound": "Kunne ikke finde en passende udgivelse", |  | ||||||
|     "noVersionFound": "Kunne ikke afgøre udgivelsesversion", |  | ||||||
|     "urlMatchesNoSource": "URL'en matcher ikke en kendt kilde", |  | ||||||
|     "cantInstallOlderVersion": "Kan ikke installere en ældre version af en app", |  | ||||||
|     "appIdMismatch": "Hentet pakke-ID matcher ikke eksisterende app-ID", |  | ||||||
|     "functionNotImplemented": "Denne klasse har ikke implementeret denne funktion", |  | ||||||
|     "placeholder": "Pladsholder", |  | ||||||
|     "someErrors": "Nogle fejl opstod", |  | ||||||
|     "unexpectedError": "Uventet fejl", |  | ||||||
|     "ok": "Okay", |  | ||||||
|     "and": "og", |  | ||||||
|     "githubPATLabel": "GitHub Personlig Adgangstoken (øger hastighedsgrænse)", |  | ||||||
|     "includePrereleases": "Inkluder forudgivelser", |  | ||||||
|     "fallbackToOlderReleases": "Fallback til ældre udgivelser", |  | ||||||
|     "filterReleaseTitlesByRegEx": "Filtrer udgivelsestitler efter regulært udtryk", |  | ||||||
|     "invalidRegEx": "Ugyldigt regulært udtryk", |  | ||||||
|     "noDescription": "Ingen beskrivelse", |  | ||||||
|     "cancel": "Annuller", |  | ||||||
|     "continue": "Fortsæt", |  | ||||||
|     "requiredInBrackets": "(Påkrævet)", |  | ||||||
|     "dropdownNoOptsError": "FEJL: RULLEMENU SKAL HAVE MINDST ÉT TILVALG", |  | ||||||
|     "colour": "Farve", |  | ||||||
|     "standard": "Standard", |  | ||||||
|     "custom": "Brugerdefineret", |  | ||||||
|     "useMaterialYou": "Brug Material You", |  | ||||||
|     "githubStarredRepos": "Stjernemarkeret GitHub-repos", |  | ||||||
|     "uname": "Brugernavn", |  | ||||||
|     "wrongArgNum": "Forkert antal argumenter angivet", |  | ||||||
|     "xIsTrackOnly": "{} er 'Følg Kun'", |  | ||||||
|     "source": "Kilde", |  | ||||||
|     "app": "App", |  | ||||||
|     "appsFromSourceAreTrackOnly": "Apps fra denne kilde er 'Følg Kun'.", |  | ||||||
|     "youPickedTrackOnly": "Du har valgt 'Følg Kun'-indstillingen.", |  | ||||||
|     "trackOnlyAppDescription": "Appen tjekkes for opdateringer, men Obtainium kan ikke hente eller installere den.", |  | ||||||
|     "cancelled": "Annulleret", |  | ||||||
|     "appAlreadyAdded": "Appen er allerede tilføjet", |  | ||||||
|     "alreadyUpToDateQuestion": "Er appen allerede opdateret?", |  | ||||||
|     "addApp": "Tilføj app", |  | ||||||
|     "appSourceURL": "URL til app-kilde", |  | ||||||
|     "error": "Fejl", |  | ||||||
|     "add": "Tilføj", |  | ||||||
|     "searchSomeSourcesLabel": "Søg (kun visse kilder)", |  | ||||||
|     "search": "Søg", |  | ||||||
|     "additionalOptsFor": "Flere indstillinger for {}", |  | ||||||
|     "supportedSources": "Understøttede kilder", |  | ||||||
|     "trackOnlyInBrackets": "(Følg Kun)", |  | ||||||
|     "searchableInBrackets": "(Kan Søges)", |  | ||||||
|     "appsString": "Apps", |  | ||||||
|     "noApps": "Ingen apps", |  | ||||||
|     "noAppsForFilter": "Ingen apps til filter", |  | ||||||
|     "byX": "Af {}", |  | ||||||
|     "percentProgress": "Hentning: {}%", |  | ||||||
|     "pleaseWait": "Vent venligst", |  | ||||||
|     "updateAvailable": "Opdatering tilgængelig", |  | ||||||
|     "notInstalled": "Ikke installeret", |  | ||||||
|     "pseudoVersion": "pseudo-version", |  | ||||||
|     "selectAll": "Vælg alle", |  | ||||||
|     "deselectX": "Fravælg {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} fjernes fra Obtainium, men forbliver installeret på enheden.", |  | ||||||
|     "removeSelectedAppsQuestion": "Fjern valgte apps?", |  | ||||||
|     "removeSelectedApps": "Fjern valgte apps", |  | ||||||
|     "updateX": "Opdater {}", |  | ||||||
|     "installX": "Installer {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "Markér {}\n(Følg Kun)\nsom opdateret", |  | ||||||
|     "changeX": "Skift {}", |  | ||||||
|     "installUpdateApps": "Installer/Opdater apps", |  | ||||||
|     "installUpdateSelectedApps": "Installer/Opdater valgte apps", |  | ||||||
|     "markXSelectedAppsAsUpdated": "Markér {} valgte apps som opdateret?", |  | ||||||
|     "no": "Nej", |  | ||||||
|     "yes": "Ja", |  | ||||||
|     "markSelectedAppsUpdated": "Markér valgte apps som opdateret", |  | ||||||
|     "pinToTop": "Fastgør til toppen", |  | ||||||
|     "unpinFromTop": "Frigør fra toppen", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Nulstil installationsstatus for valgte apps?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "Installationsstatus for alle valgte apps nulstilles.\n\nDette kan hjælpe, når en forkert app-version vises i Obtainium grundet mislykkede opdateringer eller andre problemer.", |  | ||||||
|     "customLinkMessage": "Disse links virker på enheder med Obtainium installeret", |  | ||||||
|     "shareAppConfigLinks": "Del app-konfiguration som HTML-link", |  | ||||||
|     "shareSelectedAppURLs": "Del valgte app-URL'er", |  | ||||||
|     "resetInstallStatus": "Nulstil installationsstatus", |  | ||||||
|     "more": "Mere", |  | ||||||
|     "removeOutdatedFilter": "Fjern forældet app-filter", |  | ||||||
|     "showOutdatedOnly": "Vis kun forældede apps", |  | ||||||
|     "filter": "Filtrer", |  | ||||||
|     "filterApps": "Filtrer Apps", |  | ||||||
|     "appName": "Appnavn", |  | ||||||
|     "author": "Udvikler", |  | ||||||
|     "upToDateApps": "Opdaterede apps", |  | ||||||
|     "nonInstalledApps": "Ikke-installerede apps", |  | ||||||
|     "importExport": "Import/Eksport", |  | ||||||
|     "settings": "Indstillinger", |  | ||||||
|     "exportedTo": "Eksportér til {}", |  | ||||||
|     "obtainiumExport": "Obtainium-eksport", |  | ||||||
|     "invalidInput": "Ugyldigt input", |  | ||||||
|     "importedX": "Importerede {}", |  | ||||||
|     "obtainiumImport": "Obtainium-import", |  | ||||||
|     "importFromURLList": "Importér fra URL-liste", |  | ||||||
|     "searchQuery": "Søgning", |  | ||||||
|     "appURLList": "Liste over app-URL'er", |  | ||||||
|     "line": "Linje", |  | ||||||
|     "searchX": "Søg {}", |  | ||||||
|     "noResults": "Ingen resultater fundet", |  | ||||||
|     "importX": "Importér {}", |  | ||||||
|     "importedAppsIdDisclaimer": "Importerede apps vises muligvis forkert som \"Ikke installeret\".\nFor at løse dette, geninstaller dem via Obtainium.\nDette bør ikke påvirke app-data.\n\nPåvirker kun URL- og tredjepartsimportmetoder.", |  | ||||||
|     "importErrors": "Importfejl", |  | ||||||
|     "importedXOfYApps": "{} af {} app importeret.", |  | ||||||
|     "followingURLsHadErrors": "Følgende URL'er havde fejl:", |  | ||||||
|     "selectURL": "Vælg URL", |  | ||||||
|     "selectURLs": "Vælg URL'er", |  | ||||||
|     "pick": "Vælg", |  | ||||||
|     "theme": "Tema", |  | ||||||
|     "dark": "Mørk", |  | ||||||
|     "light": "Lys", |  | ||||||
|     "followSystem": "Følg system", |  | ||||||
|     "followSystemThemeExplanation": "Det er kun muligt at følge systemtemaet ved brug af tredjepartsapplikationer", |  | ||||||
|     "useBlackTheme": "Brug rent sort mørkt tema", |  | ||||||
|     "appSortBy": "Sortér apps efter:", |  | ||||||
|     "authorName": "Udvikler/Navn", |  | ||||||
|     "nameAuthor": "Navn/Udvikler", |  | ||||||
|     "asAdded": "Som tilføjet", |  | ||||||
|     "appSortOrder": "Sorteringsrækkefølge for apps", |  | ||||||
|     "ascending": "Stigende", |  | ||||||
|     "descending": "Faldende", |  | ||||||
|     "bgUpdateCheckInterval": "Kontrolinterval for baggrundsopdatering", |  | ||||||
|     "neverManualOnly": "Aldrig - Kun manuelt", |  | ||||||
|     "appearance": "Udseende", |  | ||||||
|     "showWebInAppView": "Vis kildewebsiden i app-visning", |  | ||||||
|     "pinUpdates": "Fastgør opdateringer øverst i app-visning", |  | ||||||
|     "updates": "Opdateringer", |  | ||||||
|     "sourceSpecific": "Kildespecifik", |  | ||||||
|     "appSource": "App-kilde", |  | ||||||
|     "noLogs": "Ingen logs", |  | ||||||
|     "appLogs": "App-logs", |  | ||||||
|     "close": "Luk", |  | ||||||
|     "share": "Del", |  | ||||||
|     "appNotFound": "App ikke fundet", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-eksport", |  | ||||||
|     "pickAnAPK": "Vælg en APK", |  | ||||||
|     "appHasMoreThanOnePackage": "{} har mere end én pakke:", |  | ||||||
|     "deviceSupportsXArch": "Din enhed understøtter CPU-arkitekturen {}.", |  | ||||||
|     "deviceSupportsFollowingArchs": "Din enhed understøtter følgende CPU-arkitekturer:", |  | ||||||
|     "warning": "Advarsel", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "App-kilden er '{}', men udgivelsespakken kommer fra '{}'. Fortsæt?", |  | ||||||
|     "updatesAvailable": "Opdateringer tilgængelige", |  | ||||||
|     "updatesAvailableNotifDescription": "Underretter brugeren om tilgængelige opdateringer for en eller flere apps, som Obtainium følger", |  | ||||||
|     "noNewUpdates": "Ingen nye opdateringer.", |  | ||||||
|     "xHasAnUpdate": "{} har en opdatering.", |  | ||||||
|     "appsUpdated": "Apps opdateret", |  | ||||||
|     "appsNotUpdated": "Kunne ikke opdatere applikationerne", |  | ||||||
|     "appsUpdatedNotifDescription": "Underretter brugeren om, at opdateringer til en eller flere apps blev udført i baggrunden", |  | ||||||
|     "xWasUpdatedToY": "{} blev opdateret til {}.", |  | ||||||
|     "xWasNotUpdatedToY": "Kunne ikke opdatere {} til {}.", |  | ||||||
|     "errorCheckingUpdates": "Fejl ved tjek for opdateringer", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "En meddelelse, der vises, opdateringstjek i baggrunden mislykkes", |  | ||||||
|     "appsRemoved": "Apps fjernet", |  | ||||||
|     "appsRemovedNotifDescription": "Underretter brugeren om, at en eller flere apps blev fjernet grundet fejl under indlæsning af dem", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} blev fjernet grundet denne fejl: {}", |  | ||||||
|     "completeAppInstallation": "Færdiggør app-installation", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium skal være åben for at installere apps", |  | ||||||
|     "completeAppInstallationNotifDescription": "Beder brugeren om at gå tilbage til Obtainium for at færdiggøre installation af en app", |  | ||||||
|     "checkingForUpdates": "Tjekker for opdateringer", |  | ||||||
|     "checkingForUpdatesNotifDescription": "Kortvarig meddelelse ved tjek for opdateringer", |  | ||||||
|     "pleaseAllowInstallPerm": "Tillad venligst Obtainium at installere apps", |  | ||||||
|     "trackOnly": "Følg Kun", |  | ||||||
|     "errorWithHttpStatusCode": "Fejl {}", |  | ||||||
|     "versionCorrectionDisabled": "Versionskorrektion deaktiveret (plugin ser ikke ud til at virke)", |  | ||||||
|     "unknown": "Ukendt", |  | ||||||
|     "none": "Ingen", |  | ||||||
|     "all": "Alle", |  | ||||||
|     "never": "Aldrig", |  | ||||||
|     "latestVersionX": "Seneste: {}", |  | ||||||
|     "installedVersionX": "Installeret: {}", |  | ||||||
|     "lastUpdateCheckX": "Sidste opdateringstjek: {}", |  | ||||||
|     "remove": "Fjern", |  | ||||||
|     "yesMarkUpdated": "Ja, markér som opdateret", |  | ||||||
|     "fdroid": "F-Droid Officiel", |  | ||||||
|     "appIdOrName": "App-ID eller -navn", |  | ||||||
|     "appId": "App-ID", |  | ||||||
|     "appWithIdOrNameNotFound": "Ingen app med det ID eller navn blev fundet", |  | ||||||
|     "reposHaveMultipleApps": "Repos kan indeholde flere apps", |  | ||||||
|     "fdroidThirdPartyRepo": "F-Droid Tredjeparts-repo", |  | ||||||
|     "install": "Installer", |  | ||||||
|     "markInstalled": "Markér som installeret", |  | ||||||
|     "update": "Opdater", |  | ||||||
|     "markUpdated": "Markér som opdateret", |  | ||||||
|     "additionalOptions": "Flere indstillinger", |  | ||||||
|     "disableVersionDetection": "Deaktivér versionsregistrering", |  | ||||||
|     "noVersionDetectionExplanation": "Denne indstilling bør kun bruges til apps, hvor versionsregistrering ikke virker korrekt.", |  | ||||||
|     "downloadingX": "Henter {}", |  | ||||||
|     "downloadX": "Hent {}", |  | ||||||
|     "downloadedX": "Hentede {}", |  | ||||||
|     "releaseAsset": "Udgivelsesressource", |  | ||||||
|     "downloadNotifDescription": "Underretter brugeren om status på hentning af en app", |  | ||||||
|     "noAPKFound": "Ingen APK fundet", |  | ||||||
|     "noVersionDetection": "Ingen versionsregistrering", |  | ||||||
|     "categorize": "Kategoriser", |  | ||||||
|     "categories": "Kategorier", |  | ||||||
|     "category": "Kategori", |  | ||||||
|     "noCategory": "Ingen kategori", |  | ||||||
|     "noCategories": "Ingen kategorier", |  | ||||||
|     "deleteCategoriesQuestion": "Slet kategorier?", |  | ||||||
|     "categoryDeleteWarning": "Alle apps i slettede kategorier indstilles til ukategoriseret.", |  | ||||||
|     "addCategory": "Tilføj kategori", |  | ||||||
|     "label": "Etiket", |  | ||||||
|     "language": "Sprog", |  | ||||||
|     "copiedToClipboard": "Kopieret til udklipsholder", |  | ||||||
|     "storagePermissionDenied": "Lagringstilladelse nægtet", |  | ||||||
|     "selectedCategorizeWarning": "Dette erstatter alle eksisterende kategoriindstillinger for de valgte apps.", |  | ||||||
|     "filterAPKsByRegEx": "Filtrer APK'er efter regulært udtryk", |  | ||||||
|     "removeFromObtainium": "Fjern fra Obtainium", |  | ||||||
|     "uninstallFromDevice": "Afinstaller fra enhed", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Virker kun for apps med versionsregistrering deaktiveret.", |  | ||||||
|     "releaseDateAsVersion": "Brug udgivelsesdato som versionsstreng", |  | ||||||
|     "releaseTitleAsVersion": "Brug udgivelsestitel som versionsstreng", |  | ||||||
|     "releaseDateAsVersionExplanation": "Denne indstilling bør kun bruges til apps, hvor versionsregistrering ikke virker korrekt, men hvor en udgivelsesdato er tilgængelig.", |  | ||||||
|     "changes": "Ændringer", |  | ||||||
|     "releaseDate": "Udgivelsesdato", |  | ||||||
|     "importFromURLsInFile": "Importér fra URL'er i fil (som OPML)", |  | ||||||
|     "versionDetectionExplanation": "Afstem versionsstreng med versionen registreret fra OS", |  | ||||||
|     "versionDetection": "Versionsregistrering", |  | ||||||
|     "standardVersionDetection": "Standard versionsregistrering", |  | ||||||
|     "groupByCategory": "Gruppér efter kategori", |  | ||||||
|     "autoApkFilterByArch": "Forsøg at filtrere APK'er efter CPU-arkitektur, hvis muligt", |  | ||||||
|     "autoLinkFilterByArch": "Forsøg at filtrere links efter CPU-arkitektur, hvis det er muligt", |  | ||||||
|     "overrideSource": "Tilsidesæt kilde", |  | ||||||
|     "dontShowAgain": "Vis ikke igen", |  | ||||||
|     "dontShowTrackOnlyWarnings": "Vis ikke 'Følg Kun'-advarsler", |  | ||||||
|     "dontShowAPKOriginWarnings": "Vis ikke advarsler om APK-oprindelse", |  | ||||||
|     "moveNonInstalledAppsToBottom": "Flyt ikke-installerede apps nederst i app-visning", |  | ||||||
|     "gitlabPATLabel": "GitLab Personlig Adgangstoken", |  | ||||||
|     "about": "Om", |  | ||||||
|     "requiresCredentialsInSettings": "{} kræver yderligere legitimation (i Indstillinger)", |  | ||||||
|     "checkOnStart": "Tjek for opdateringer ved opstart", |  | ||||||
|     "tryInferAppIdFromCode": "Forsøg at udlede app-ID fra kildekode", |  | ||||||
|     "removeOnExternalUninstall": "Fjern automatisk eksternt afinstallerede apps", |  | ||||||
|     "pickHighestVersionCode": "Auto-vælg højeste versionKode af APK", |  | ||||||
|     "checkUpdateOnDetailPage": "Tjek for opdateringer ved åbning af appens detaljeside", |  | ||||||
|     "disablePageTransitions": "Deaktivér sideovergangsanimationer", |  | ||||||
|     "reversePageTransitions": "Omvendte sideovergangsanimationer", |  | ||||||
|     "minStarCount": "Minimum antal stjerner", |  | ||||||
|     "addInfoBelow": "Tilføj denne info nedenfor.", |  | ||||||
|     "addInfoInSettings": "Tilføj denne info i Indstillinger.", |  | ||||||
|     "githubSourceNote": "GitHub's hastighedsbegrænsning kan undgås med en API-nøgle.", |  | ||||||
|     "sortByLastLinkSegment": "Sortér kun efter det sidste segment af linket", |  | ||||||
|     "filterReleaseNotesByRegEx": "Filtrer udgivelsesnoter efter regulært udtryk", |  | ||||||
|     "customLinkFilterRegex": "Brugerdefineret APK-linkfilter efter regulært udtryk (standard '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "App-opdateringer forsøgt", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Underretter brugeren om, at opdateringer til en eller flere apps muligvis blev udført i baggrunden", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} er muligvis blevet opdateret til {}.", |  | ||||||
|     "enableBackgroundUpdates": "Aktivér baggrundsopdateringer", |  | ||||||
|     "backgroundUpdateReqsExplanation": "Baggrundsopdateringer er måske ikke mulige for alle apps.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "En vellykket baggrundsinstallation kan kun afgøres, når Obtainium åbnes.", |  | ||||||
|     "verifyLatestTag": "Verificer 'seneste'-tagget", |  | ||||||
|     "intermediateLinkRegex": "Filtrer efter et 'mellemliggende' link at besøge", |  | ||||||
|     "filterByLinkText": "Filtrer links efter linktekst", |  | ||||||
|     "matchLinksOutsideATags": "Match links uden for <a>-tags", |  | ||||||
|     "intermediateLinkNotFound": "Mellemliggende link ikke fundet", |  | ||||||
|     "intermediateLink": "Mellemliggende link", |  | ||||||
|     "exemptFromBackgroundUpdates": "Undtag fra baggrundsopdateringer (hvis aktiveret)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "Deaktiver baggrundsopdateringer, når du ikke er på Wi-Fi", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "Deaktiver baggrundsopdateringer, når du ikke oplader", |  | ||||||
|     "autoSelectHighestVersionCode": "Auto-vælg højeste versionKode af APK", |  | ||||||
|     "versionExtractionRegEx": "RegEx for versionsstrengsudtrækning", |  | ||||||
|     "trimVersionString": "Trim versionsstreng med RegEx", |  | ||||||
|     "matchGroupToUseForX": "Match-gruppe til brug for \"{}\"", |  | ||||||
|     "matchGroupToUse": "RegEx-matchgruppe til brug for versionsstrengsudtrækning", |  | ||||||
|     "highlightTouchTargets": "Fremhæv mindre åbenlyse berøringsmål", |  | ||||||
|     "pickExportDir": "Vælg eksportmappe", |  | ||||||
|     "autoExportOnChanges": "Auto-eksportér ved ændringer", |  | ||||||
|     "includeSettings": "Inkluder indstillinger", |  | ||||||
|     "filterVersionsByRegEx": "Filtrer versioner efter regulært udtryk", |  | ||||||
|     "trySelectingSuggestedVersionCode": "Forsøg at vælge den foreslåede versionKode af APK", |  | ||||||
|     "dontSortReleasesList": "Behold udgivelsesrækkefølge fra API", |  | ||||||
|     "reverseSort": "Omvendt sortering", |  | ||||||
|     "takeFirstLink": "Tag første link", |  | ||||||
|     "skipSort": "Spring sortering over", |  | ||||||
|     "debugMenu": "Fejlfindingsmenu", |  | ||||||
|     "bgTaskStarted": "Baggrundsopgave startet - tjek logfiler.", |  | ||||||
|     "runBgCheckNow": "Kør baggrundsopdateringstjek nu", |  | ||||||
|     "versionExtractWholePage": "Anvend RegEx til versionsstrengsudtrækning på hele siden", |  | ||||||
|     "installing": "Installerer", |  | ||||||
|     "skipUpdateNotifications": "Spring opdateringsmeddelelser over", |  | ||||||
|     "updatesAvailableNotifChannel": "Opdateringer tilgængelige", |  | ||||||
|     "appsUpdatedNotifChannel": "Apps opdateret", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "App-opdateringer forsøgt", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "Fejl ved opdateringstjek", |  | ||||||
|     "appsRemovedNotifChannel": "Apps fjernet", |  | ||||||
|     "downloadingXNotifChannel": "Henter {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "Færdiggør app-installation", |  | ||||||
|     "checkingForUpdatesNotifChannel": "Tjekker for opdateringer", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Tjek kun installerede og 'Følg Kun'-apps for opdateringer", |  | ||||||
|     "supportFixedAPKURL": "Understøt fikserede APK-URL'er", |  | ||||||
|     "selectX": "Vælg {}", |  | ||||||
|     "parallelDownloads": "Tillad samtidige overførsler", |  | ||||||
|     "useShizuku": "Brug Shizuku eller Sui til at installere", |  | ||||||
|     "shizukuBinderNotFound": "Shizuku-tjeneste kører ikke", |  | ||||||
|     "shizukuOld": "Forældet Shizuku-version (<11). Opdater den", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku kører på Android <8.1 med ADB. Opdater Android eller brug Sui i stedet", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Indstil Google Play som installationskilde (hvis Shizuku bruges)", |  | ||||||
|     "useSystemFont": "Brug systemskrifttype", |  | ||||||
|     "useVersionCodeAsOSVersion": "Brug app-versionKode som OS-registreret version", |  | ||||||
|     "requestHeader": "Anmodningsheader", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "Brug seneste ressourceupload som udgivelsesdato", |  | ||||||
|     "defaultPseudoVersioningMethod": "Standard pseudo-versioneringsmetode", |  | ||||||
|     "partialAPKHash": "Delvis APK-hash", |  | ||||||
|     "APKLinkHash": "Hash for APK-link", |  | ||||||
|     "directAPKLink": "Direkte APK-link", |  | ||||||
|     "pseudoVersionInUse": "En pseudo-version er i brug", |  | ||||||
|     "installed": "Installeret", |  | ||||||
|     "latest": "Seneste", |  | ||||||
|     "invertRegEx": "Inverter regulært udtryk", |  | ||||||
|     "note": "Bemærk", |  | ||||||
|     "selfHostedNote": "Rullemenuen \"{}\" kan bruges til at nå selvhostede/brugerdefinerede instanser af enhver kilde.", |  | ||||||
|     "badDownload": "APK'en kunne ikke analyseres (inkompatibel eller delvis hentning)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Del nye apps med AppVerifier (hvis tilgængelig)", |  | ||||||
|     "appVerifierInstructionToast": "Del til AppVerifier, og vend tilbage, når du er klar.", |  | ||||||
|     "wiki": "Hjælp/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Crowdsourcede app-konfigurationer (brug på egen risiko)", |  | ||||||
|     "crowdsourcedConfigsShort": "Crowdsourcede app-konfigurationer", |  | ||||||
|     "allowInsecure": "Tillad usikre HTTP-anmodninger", |  | ||||||
|     "stayOneVersionBehind": "Forbliv én version bagud den seneste", |  | ||||||
|     "useFirstApkOfVersion": "Vælg automatisk den første af flere APK'er", |  | ||||||
|     "refreshBeforeDownload": "Opdater app-detaljer før download", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Navn", |  | ||||||
|     "smartname": "Navn (Smart)", |  | ||||||
|     "sortMethod": "Sorteringsmetode", |  | ||||||
|     "welcome": "Velkommen", |  | ||||||
|     "documentationLinksNote": "Obtainiums GitHub-side, som der linkes til nedenfor, indeholder links til videoer, artikler, diskussioner og andre ressourcer, som kan hjælpe dig med at forstå, hvordan du bruger appen.", |  | ||||||
|     "batteryOptimizationNote": "Bemærk, at baggrundsdownloads kan fungere mere pålideligt, hvis du deaktiverer OS-batterioptimering for Obtainium.", |  | ||||||
|     "fileDeletionError": "Kunne ikke slette filen (prøv at slette den manuelt og prøv igen): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium forgrundstjeneste", |  | ||||||
|     "foregroundServiceExplanation": "Brug en forgrundstjeneste til opdateringskontrol (mere pålidelig, bruger mere strøm)", |  | ||||||
|     "fgServiceNotice": "Denne meddelelse er nødvendig for baggrundsopdateringskontrol (den kan skjules i OS-indstillingerne).", |  | ||||||
|     "excludeSecrets": "Udeluk hemmeligheder", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy'-instans til GitHub-anmodninger", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "Fjern app?", |  | ||||||
|         "other": "Fjern apps?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "For mange anmodninger (begrænset hastighed). Prøv igen om {} minut", |  | ||||||
|         "other": "For mange anmodninger (begrænset hastighed). Prøv igen om {} minutter" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "Baggrundsopdateringstjek stødte på en {}. Planlægger et nyt tjek om {} minut", |  | ||||||
|         "other": "Baggrundsopdateringstjek stødte på en {}. Planlægger et nyt tjek om {} minutter" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "Baggrundsopdateringstjek fandt {} opdatering. Underretter brugeren, hvis nødvendigt", |  | ||||||
|         "other": "Baggrundsopdateringstjek fandt {} opdateringer. Underretter brugeren, hvis nødvendigt" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} App", |  | ||||||
|         "other": "{} Apps" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URL'er" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} minut", |  | ||||||
|         "other": "{} minutter" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} time", |  | ||||||
|         "other": "{} timer" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} dag", |  | ||||||
|         "other": "{} dage" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "Ryddet {n} log (før = {before}, efter = {after})", |  | ||||||
|         "other": "Ryddede {n} logs (før = {before}, efter = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} og 1 anden app har opdateringer.", |  | ||||||
|         "other": "{} og {} andre apps har opdateringer." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} og 1 anden app blev opdateret.", |  | ||||||
|         "other": "{} og {} andre apps blev opdateret." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Kunne ikke opdatere {} og 1 anden app.", |  | ||||||
|         "other": "Kunne ikke opdatere {} og {} andre apps." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} og 1 anden app blev muligvis opdateret.", |  | ||||||
|         "other": "{} og {} andre apps blev muligvis opdateret." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APK'er" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -11,7 +11,7 @@ | |||||||
|     "unexpectedError": "Unerwarteter Fehler", |     "unexpectedError": "Unerwarteter Fehler", | ||||||
|     "ok": "OK", |     "ok": "OK", | ||||||
|     "and": "und", |     "and": "und", | ||||||
|     "githubPATLabel": "Persönlicher Zugangstoken für GitHub (erhöht das Ratenlimit)", |     "githubPATLabel": "GitHub Personal Access Token (Erhöht das Ratenlimit)", | ||||||
|     "includePrereleases": "Vorabversionen einbeziehen", |     "includePrereleases": "Vorabversionen einbeziehen", | ||||||
|     "fallbackToOlderReleases": "Fallback auf ältere Versionen", |     "fallbackToOlderReleases": "Fallback auf ältere Versionen", | ||||||
|     "filterReleaseTitlesByRegEx": "Release-Titel nach regulärem Ausdruck\nfiltern", |     "filterReleaseTitlesByRegEx": "Release-Titel nach regulärem Ausdruck\nfiltern", | ||||||
| @@ -19,21 +19,18 @@ | |||||||
|     "noDescription": "Keine Beschreibung", |     "noDescription": "Keine Beschreibung", | ||||||
|     "cancel": "Abbrechen", |     "cancel": "Abbrechen", | ||||||
|     "continue": "Weiter", |     "continue": "Weiter", | ||||||
|     "requiredInBrackets": "(notwendig)", |     "requiredInBrackets": "(Benötigt)", | ||||||
|     "dropdownNoOptsError": "FEHLER: DROPDOWN MUSS MINDESTENS EINE OPTION HABEN", |     "dropdownNoOptsError": "FEHLER: DROPDOWN MUSS MINDESTENS EINE OPTION HABEN", | ||||||
|     "colour": "Farbe", |     "colour": "Farbe", | ||||||
|     "standard": "Standard", |  | ||||||
|     "custom": "Benutzerdefiniert", |  | ||||||
|     "useMaterialYou": "Material You verwenden", |  | ||||||
|     "githubStarredRepos": "GitHub Starred Repos", |     "githubStarredRepos": "GitHub Starred Repos", | ||||||
|     "uname": "Benutzername", |     "uname": "Benutzername", | ||||||
|     "wrongArgNum": "Falsche Anzahl von Argumenten (Parametern) übermittelt", |     "wrongArgNum": "Falsche Anzahl von Argumenten (Parametern) übermittelt", | ||||||
|     "xIsTrackOnly": "{} ist nur zur Nachverfolgung", |     "xIsTrackOnly": "{} ist nur zur Nachverfolgung", | ||||||
|     "source": "Quelle", |     "source": "Quelle", | ||||||
|     "app": "App", |     "app": "App", | ||||||
|     "appsFromSourceAreTrackOnly": "Apps aus dieser Quelle sind nur zur Nachverfolgung.", |     "appsFromSourceAreTrackOnly": "Apps aus dieser Quelle sind nur zum Nachverfolgen.", | ||||||
|     "youPickedTrackOnly": "Sie haben die Option „Nur nachverfolgen“ gewählt.", |     "youPickedTrackOnly": "Sie haben die Option „Nur Nachverfolgen“ gewählt.", | ||||||
|     "trackOnlyAppDescription": "Die App wird auf neue verfügbare Versionen überwacht, aber Obtainium wird sie nicht herunterladen oder installieren.", |     "trackOnlyAppDescription": "Die App wird auf Aktualisierungen überwacht, aber Obtainium wird sie nicht herunterladen oder installieren.", | ||||||
|     "cancelled": "Abgebrochen", |     "cancelled": "Abgebrochen", | ||||||
|     "appAlreadyAdded": "App bereits hinzugefügt", |     "appAlreadyAdded": "App bereits hinzugefügt", | ||||||
|     "alreadyUpToDateQuestion": "App bereits auf dem neuesten Stand?", |     "alreadyUpToDateQuestion": "App bereits auf dem neuesten Stand?", | ||||||
| @@ -45,8 +42,8 @@ | |||||||
|     "search": "Suchen", |     "search": "Suchen", | ||||||
|     "additionalOptsFor": "Zusatzoptionen für {}", |     "additionalOptsFor": "Zusatzoptionen für {}", | ||||||
|     "supportedSources": "Unterstützte Quellen", |     "supportedSources": "Unterstützte Quellen", | ||||||
|     "trackOnlyInBrackets": "(Nur nachverfolgen)", |     "trackOnlyInBrackets": "(Nur Nachverfolgen)", | ||||||
|     "searchableInBrackets": "(durchsuchbar)", |     "searchableInBrackets": "(Durchsuchbar)", | ||||||
|     "appsString": "Apps", |     "appsString": "Apps", | ||||||
|     "noApps": "Keine Apps", |     "noApps": "Keine Apps", | ||||||
|     "noAppsForFilter": "Keine Apps für ausgewählten Filter", |     "noAppsForFilter": "Keine Apps für ausgewählten Filter", | ||||||
| @@ -61,22 +58,22 @@ | |||||||
|     "xWillBeRemovedButRemainInstalled": "{} wird aus Obtainium entfernt, bleibt aber auf dem Gerät installiert.", |     "xWillBeRemovedButRemainInstalled": "{} wird aus Obtainium entfernt, bleibt aber auf dem Gerät installiert.", | ||||||
|     "removeSelectedAppsQuestion": "Ausgewählte Apps entfernen?", |     "removeSelectedAppsQuestion": "Ausgewählte Apps entfernen?", | ||||||
|     "removeSelectedApps": "Ausgewählte Apps entfernen", |     "removeSelectedApps": "Ausgewählte Apps entfernen", | ||||||
|     "updateX": "{} aktualisieren", |     "updateX": "Aktualisiere {}", | ||||||
|     "installX": "{} installieren", |     "installX": "Installiere {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Markiere {}\n(Nur nachverfolgen)\nals aktualisiert", |     "markXTrackOnlyAsUpdated": "Markiere {}\n(Nur Nachverfolgen)\nals aktualisiert", | ||||||
|     "changeX": "{} ändern", |     "changeX": "Ändere {}", | ||||||
|     "installUpdateApps": "Apps installieren/aktualisieren", |     "installUpdateApps": "Apps installieren/aktualisieren", | ||||||
|     "installUpdateSelectedApps": "Ausgewählte Apps installieren/aktualisieren", |     "installUpdateSelectedApps": "Ausgewählte Apps installieren/aktualisieren", | ||||||
|     "markXSelectedAppsAsUpdated": "{} ausgewählte Apps als aktuell markieren?", |     "markXSelectedAppsAsUpdated": "Markiere {} ausgewählte Apps als aktuell?", | ||||||
|     "no": "Nein", |     "no": "Nein", | ||||||
|     "yes": "Ja", |     "yes": "Ja", | ||||||
|     "markSelectedAppsUpdated": "Ausgewählte Apps als aktuell markieren", |     "markSelectedAppsUpdated": "Markiere ausgewählte Apps als aktuell", | ||||||
|     "pinToTop": "Oben anheften", |     "pinToTop": "Oben anheften", | ||||||
|     "unpinFromTop": "„Oben anheften“ aufheben", |     "unpinFromTop": "„Oben anheften“ aufheben", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Installationsstatus für ausgewählte Apps zurücksetzen?", |     "resetInstallStatusForSelectedAppsQuestion": "Installationsstatus für ausgewählte Apps zurücksetzen?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "Der Installationsstatus der ausgewählten Apps wird zurückgesetzt. Dies kann hilfreich sein, wenn die in Obtainium angezeigte App-Version aufgrund fehlgeschlagener Aktualisierungen oder anderer Probleme falsch ist.", |     "installStatusOfXWillBeResetExplanation": "Der Installationsstatus der ausgewählten Apps wird zurückgesetzt. Dies kann hilfreich sein, wenn die in Obtainium angezeigte App-Version aufgrund fehlgeschlagener Aktualisierungen oder anderer Probleme falsch ist.", | ||||||
|     "customLinkMessage": "Diese Links funktionieren auf Geräten, wo Obtainium installiert ist", |     "customLinkMessage": "Diese Links funktionieren auf Geräten, wo Obtainium installiert ist", | ||||||
|     "shareAppConfigLinks": "App-Konfiguration als HTML-Link teilen", |     "shareAppConfigLinks": "Teile die Appkonfiguration als HTML-Link", | ||||||
|     "shareSelectedAppURLs": "Ausgewählte App-URLs teilen", |     "shareSelectedAppURLs": "Ausgewählte App-URLs teilen", | ||||||
|     "resetInstallStatus": "Installationsstatus zurücksetzen", |     "resetInstallStatus": "Installationsstatus zurücksetzen", | ||||||
|     "more": "Mehr", |     "more": "Mehr", | ||||||
| @@ -84,40 +81,39 @@ | |||||||
|     "showOutdatedOnly": "Nur nicht aktuelle Apps anzeigen", |     "showOutdatedOnly": "Nur nicht aktuelle Apps anzeigen", | ||||||
|     "filter": "Filter", |     "filter": "Filter", | ||||||
|     "filterApps": "Apps filtern", |     "filterApps": "Apps filtern", | ||||||
|     "appName": "App-Name", |     "appName": "App Name", | ||||||
|     "author": "Herausgebende", |     "author": "Autor", | ||||||
|     "upToDateApps": "Apps mit aktuellster Version", |     "upToDateApps": "Apps mit aktueller Version", | ||||||
|     "nonInstalledApps": "Nicht installierte Apps", |     "nonInstalledApps": "Nicht installierte Apps", | ||||||
|     "importExport": "Import/Export", |     "importExport": "Import/Export", | ||||||
|     "settings": "Einstellungen", |     "settings": "Einstellungen", | ||||||
|     "exportedTo": "Exportiert nach {}", |     "exportedTo": "Exportiert zu {}", | ||||||
|     "obtainiumExport": "Obtainium-Export", |     "obtainiumExport": "Obtainium-Export", | ||||||
|     "invalidInput": "Ungültige Eingabe", |     "invalidInput": "Ungültige Eingabe", | ||||||
|     "importedX": "{} importiert", |     "importedX": "Importiert {}", | ||||||
|     "obtainiumImport": "Obtainium-Import", |     "obtainiumImport": "Obtainium-Import", | ||||||
|     "importFromURLList": "Aus URL-Liste importieren", |     "importFromURLList": "Importieren aus URL-Liste", | ||||||
|     "searchQuery": "Suchanfrage", |     "searchQuery": "Suchanfrage", | ||||||
|     "appURLList": "App-URL-Liste", |     "appURLList": "App URL-Liste", | ||||||
|     "line": "Zeile", |     "line": "Linie", | ||||||
|     "searchX": "{} suchen", |     "searchX": "Suche {}", | ||||||
|     "noResults": "Keine Ergebnisse gefunden", |     "noResults": "Keine Ergebnisse gefunden", | ||||||
|     "importX": "{} importieren", |     "importX": "Importieren {}", | ||||||
|     "importedAppsIdDisclaimer": "Importierte Apps werden manchmal fälschlicherweise als „Nicht installiert“ angezeigt. Um dies zu beheben, installieren Sie sie erneut über Obtainium. Dies hat keine Auswirkungen auf App-Daten. Es betrifft nur URL- und Drittanbieter-Importmethoden.", |     "importedAppsIdDisclaimer": "Importierte Apps werden möglicherweise fälschlicherweise als \"Nicht installiert\" angezeigt. Um dies zu beheben, installieren Sie sie erneut über Obtainium. Dies hat keine Auswirkungen auf App-Daten. Es betrifft nur URL- und Drittanbieter-Importmethoden.", | ||||||
|     "importErrors": "Importfehler", |     "importErrors": "Importfehler", | ||||||
|     "importedXOfYApps": "{} von {} Apps importiert.", |     "importedXOfYApps": "{} von {} Apps importiert.", | ||||||
|     "followingURLsHadErrors": "Bei folgenden URLs traten Fehler auf:", |     "followingURLsHadErrors": "Bei folgenden URLs traten Fehler auf:", | ||||||
|     "selectURL": "URL auswählen", |     "selectURL": "URL auswählen", | ||||||
|     "selectURLs": "URLs auswählen", |     "selectURLs": "URLs auswählen", | ||||||
|     "pick": "Auswählen", |     "pick": "Auswählen", | ||||||
|     "theme": "Erscheinungsbild", |     "theme": "Theme", | ||||||
|     "dark": "Dunkel", |     "dark": "Dunkel", | ||||||
|     "light": "Hell", |     "light": "Hell", | ||||||
|     "followSystem": "Systemstandard", |     "followSystem": "System folgen", | ||||||
|     "followSystemThemeExplanation": "Das Abrufen des Systemdesigns ist unter Android < 10 nur mit Hilfe von Drittanbieterapps möglich", |     "useBlackTheme": "Verwende Pure Black Dark Theme", | ||||||
|     "useBlackTheme": "Rein schwarzen Hintergrund verwenden", |  | ||||||
|     "appSortBy": "App sortieren nach", |     "appSortBy": "App sortieren nach", | ||||||
|     "authorName": "Herausgebende/Name", |     "authorName": "Autor/Name", | ||||||
|     "nameAuthor": "Name/Herausgebende", |     "nameAuthor": "Name/Autor", | ||||||
|     "asAdded": "Wie hinzugefügt", |     "asAdded": "Wie hinzugefügt", | ||||||
|     "appSortOrder": "App sortieren nach", |     "appSortOrder": "App sortieren nach", | ||||||
|     "ascending": "Aufsteigend", |     "ascending": "Aufsteigend", | ||||||
| @@ -143,55 +139,51 @@ | |||||||
|     "warning": "Warnung", |     "warning": "Warnung", | ||||||
|     "sourceIsXButPackageFromYPrompt": "Die App-Quelle ist '{}', aber das Release-Paket stammt von '{}'. Fortfahren?", |     "sourceIsXButPackageFromYPrompt": "Die App-Quelle ist '{}', aber das Release-Paket stammt von '{}'. Fortfahren?", | ||||||
|     "updatesAvailable": "Aktualisierungen verfügbar", |     "updatesAvailable": "Aktualisierungen verfügbar", | ||||||
|     "updatesAvailableNotifDescription": "Benachrichtigt, wenn Aktualisierungen für eine oder mehrere von Obtainium überwachte Apps verfügbar sind", |     "updatesAvailableNotifDescription": "Benachrichtigt den Nutzer, dass Aktualisierungen für eine oder mehrere von Obtainium verfolgte Apps verfügbar sind", | ||||||
|     "noNewUpdates": "Keine neuen Aktualisierungen.", |     "noNewUpdates": "Keine neuen Aktualisierungen.", | ||||||
|     "xHasAnUpdate": "{} hat eine Aktualisierung.", |     "xHasAnUpdate": "{} hat eine Aktualisierung.", | ||||||
|     "appsUpdated": "App wurde aktualisiert", |     "appsUpdated": "Apps aktualisiert", | ||||||
|     "appsNotUpdated": "Aktualisierung der Apps fehlgeschlagen", |     "appsUpdatedNotifDescription": "Benachrichtigt den Benutzer, dass Aktualisierungen für eine oder mehrere Apps im Hintergrund durchgeführt wurden", | ||||||
|     "appsUpdatedNotifDescription": "Benachrichtigt, wenn Aktualisierungen für eine oder mehrere Apps im Hintergrund durchgeführt wurden", |  | ||||||
|     "xWasUpdatedToY": "{} wurde auf {} aktualisiert.", |     "xWasUpdatedToY": "{} wurde auf {} aktualisiert.", | ||||||
|     "xWasNotUpdatedToY": "Die Aktualisierung von {} auf {} ist fehlgeschlagen.", |  | ||||||
|     "errorCheckingUpdates": "Fehler beim Prüfen auf Aktualisierungen", |     "errorCheckingUpdates": "Fehler beim Prüfen auf Aktualisierungen", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Benachrichtigt, wenn die Prüfung der Hintergrundaktualisierung fehlgeschlagen ist", |     "errorCheckingUpdatesNotifDescription": "Eine Benachrichtigung, die angezeigt wird, wenn die Prüfung der Hintergrundaktualisierung fehlschlägt", | ||||||
|     "appsRemoved": "Apps entfernt", |     "appsRemoved": "Apps entfernt", | ||||||
|     "appsRemovedNotifDescription": "Benachrichtigt, wenn eine oder mehrere Apps aufgrund von Fehlern beim Laden entfernt wurden", |     "appsRemovedNotifDescription": "Benachrichtigt den Benutzer, dass eine oder mehrere Apps aufgrund von Fehlern beim Laden entfernt wurden", | ||||||
|     "xWasRemovedDueToErrorY": "{} wurde aufgrund des folgenden Fehlers entfernt: {}", |     "xWasRemovedDueToErrorY": "{} wurde aufgrund des folgenden Fehlers entfernt: {}", | ||||||
|     "completeAppInstallation": "App-Installation abschließen", |     "completeAppInstallation": "App Installation abschließen", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium muss geöffnet sein, um Apps zu installieren", |     "obtainiumMustBeOpenToInstallApps": "Obtainium muss geöffnet sein, um Apps zu installieren", | ||||||
|     "completeAppInstallationNotifDescription": "Aufforderung zu Obtainium zurückzukehren, um die Installation einer App abzuschließen", |     "completeAppInstallationNotifDescription": "Aufforderung an den Benutzer, zu Obtainium zurückzukehren, um die Installation einer App abzuschließen", | ||||||
|     "checkingForUpdates": "Nach Aktualisierungen suchen", |     "checkingForUpdates": "Nach Aktualisierungen suchen", | ||||||
|     "checkingForUpdatesNotifDescription": "Vorübergehende Benachrichtigung, die bei der Suche nach Aktualisierungen angezeigt wird", |     "checkingForUpdatesNotifDescription": "Vorübergehende Benachrichtigung, die bei der Suche nach Aktualisierungen angezeigt wird", | ||||||
|     "pleaseAllowInstallPerm": "Bitte erlauben Sie Obtainium die Installation von Apps", |     "pleaseAllowInstallPerm": "Bitte erlauben Sie Obtainium die Installation von Apps", | ||||||
|     "trackOnly": "Nur nachverfolgen", |     "trackOnly": "Nur Nachverfolgen", | ||||||
|     "errorWithHttpStatusCode": "Fehler {}", |     "errorWithHttpStatusCode": "Fehler {}", | ||||||
|     "versionCorrectionDisabled": "Versionskorrektur deaktiviert (Plugin scheint nicht zu funktionieren)", |     "versionCorrectionDisabled": "Versionskorrektur deaktiviert (Plugin scheint nicht zu funktionieren)", | ||||||
|     "unknown": "Unbekannt", |     "unknown": "Unbekannt", | ||||||
|     "none": "Keine", |     "none": "Keine", | ||||||
|     "all": "Alle", |  | ||||||
|     "never": "Nie", |     "never": "Nie", | ||||||
|     "latestVersionX": "Neueste Version: {}", |     "latestVersionX": "Neueste Version: {}", | ||||||
|     "installedVersionX": "Installierte Version: {}", |     "installedVersionX": "Installierte Version: {}", | ||||||
|     "lastUpdateCheckX": "Letzte Aktualisierungsprüfung: {}", |     "lastUpdateCheckX": "Letzte Aktualisierungsprüfung: {}", | ||||||
|     "remove": "Entfernen", |     "remove": "Entfernen", | ||||||
|     "yesMarkUpdated": "Ja, als aktualisiert markieren", |     "yesMarkUpdated": "Ja, als aktualisiert markieren", | ||||||
|     "fdroid": "Offizielles F-Droid-Repo", |     "fdroid": "offizielles F-Droid-Repo", | ||||||
|     "appIdOrName": "App-ID oder Name", |     "appIdOrName": "App ID oder Name", | ||||||
|     "appId": "App-ID", |     "appId": "App ID", | ||||||
|     "appWithIdOrNameNotFound": "Es wurde keine App mit dieser ID oder diesem Namen gefunden", |     "appWithIdOrNameNotFound": "Es wurde keine App mit dieser ID oder diesem Namen gefunden", | ||||||
|     "reposHaveMultipleApps": "Repos können mehrere Apps enthalten", |     "reposHaveMultipleApps": "Repos können mehrere Apps enthalten", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid-Drittanbieter-Repo", |     "fdroidThirdPartyRepo": "F-Droid Drittparteienrepo", | ||||||
|  |     "steamMobile": "Steam Mobile", | ||||||
|  |     "steamChat": "Steam-Chat", | ||||||
|     "install": "Installieren", |     "install": "Installieren", | ||||||
|     "markInstalled": "Als installiert markieren", |     "markInstalled": "Als Installiert markieren", | ||||||
|     "update": "Aktualisieren", |     "update": "Aktualisieren", | ||||||
|     "markUpdated": "Als aktuell markieren", |     "markUpdated": "Als Aktuell markieren", | ||||||
|     "additionalOptions": "Zusätzliche Optionen", |     "additionalOptions": "Zusätzliche Optionen", | ||||||
|     "disableVersionDetection": "Versionserkennung deaktivieren", |     "disableVersionDetection": "Versionsermittlung deaktivieren", | ||||||
|     "noVersionDetectionExplanation": "Diese Option sollte nur für Apps verwendet werden, bei denen die Versionserkennung nicht korrekt funktioniert.", |     "noVersionDetectionExplanation": "Diese Option sollte nur für Apps verwendet werden, bei denen die Versionserkennung nicht korrekt funktioniert.", | ||||||
|     "downloadingX": "{} wird heruntergeladen", |     "downloadingX": "Lade {} herunter", | ||||||
|     "downloadX": "{} herunterladen", |     "downloadNotifDescription": "Benachrichtigt den Nutzer über den Fortschritt beim Herunterladen einer App", | ||||||
|     "downloadedX": "{} heruntergeladen", |  | ||||||
|     "releaseAsset": "Release-Anhang", |  | ||||||
|     "downloadNotifDescription": "Fortschrittsanzeige beim Herunterladen einer App", |  | ||||||
|     "noAPKFound": "Keine APK gefunden", |     "noAPKFound": "Keine APK gefunden", | ||||||
|     "noVersionDetection": "Keine Versionserkennung", |     "noVersionDetection": "Keine Versionserkennung", | ||||||
|     "categorize": "Kategorisieren", |     "categorize": "Kategorisieren", | ||||||
| @@ -212,154 +204,124 @@ | |||||||
|     "uninstallFromDevice": "Vom Gerät deinstallieren", |     "uninstallFromDevice": "Vom Gerät deinstallieren", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Funktioniert nur bei Apps mit deaktivierter Versionserkennung.", |     "onlyWorksWithNonVersionDetectApps": "Funktioniert nur bei Apps mit deaktivierter Versionserkennung.", | ||||||
|     "releaseDateAsVersion": "Veröffentlichungsdatum als Version verwenden", |     "releaseDateAsVersion": "Veröffentlichungsdatum als Version verwenden", | ||||||
|     "releaseTitleAsVersion": "Versionstitel als Versionsstring verwenden", |  | ||||||
|     "releaseDateAsVersionExplanation": "Diese Option sollte nur für Apps verwendet werden, bei denen die Versionserkennung nicht korrekt funktioniert, aber ein Veröffentlichungsdatum verfügbar ist.", |     "releaseDateAsVersionExplanation": "Diese Option sollte nur für Apps verwendet werden, bei denen die Versionserkennung nicht korrekt funktioniert, aber ein Veröffentlichungsdatum verfügbar ist.", | ||||||
|     "changes": "Änderungen", |     "changes": "Änderungen", | ||||||
|     "releaseDate": "Veröffentlichungsdatum", |     "releaseDate": "Veröffentlichungsdatum", | ||||||
|     "importFromURLsInFile": "URLs aus Datei importieren (z. B. OPML)", |     "importFromURLsInFile": "Importieren von URLs aus Datei (z. B. OPML)", | ||||||
|     "versionDetectionExplanation": "Abgleich der Versionsnummer mit der vom Betriebssystem erkannten Version", |     "versionDetectionExplanation": "Abgleich der Versionsnummer mit der vom Betriebssystem erkannten Version", | ||||||
|     "versionDetection": "Versionserkennung", |     "versionDetection": "Versionserkennung", | ||||||
|     "standardVersionDetection": "Standardversionserkennung", |     "standardVersionDetection": "Standardversionserkennung", | ||||||
|     "groupByCategory": "Nach Kategorie gruppieren", |     "groupByCategory": "Nach Kategorie gruppieren", | ||||||
|     "autoApkFilterByArch": "Nach Möglichkeit versuchen, APKs nach CPU-Architektur zu filtern", |     "autoApkFilterByArch": "Nach Möglichkeit versuchen, APKs nach CPU-Architektur zu filtern", | ||||||
|     "autoLinkFilterByArch": "Nach Möglichkeit versuchen, APKs nach CPU-Architektur zu filtern", |  | ||||||
|     "overrideSource": "Quelle überschreiben", |     "overrideSource": "Quelle überschreiben", | ||||||
|     "dontShowAgain": "Nicht noch einmal anzeigen", |     "dontShowAgain": "Nicht noch einmal zeigen", | ||||||
|     "dontShowTrackOnlyWarnings": "Warnung für ‚Nur nachverfolgen‘ nicht anzeigen", |     "dontShowTrackOnlyWarnings": "Warnung für 'Nur Nachverfolgen' nicht anzeigen", | ||||||
|     "dontShowAPKOriginWarnings": "Warnung für APK-Herkunft nicht anzeigen", |     "dontShowAPKOriginWarnings": "Warnung für APK-Herkunft nicht anzeigen", | ||||||
|     "moveNonInstalledAppsToBottom": "Nicht installierte Apps ans Ende der App-Ansicht verschieben", |     "moveNonInstalledAppsToBottom": "Nicht installierte Apps ans Ende der Apps Ansicht verschieben", | ||||||
|     "gitlabPATLabel": "Persönlicher Zugangstoken für GitLab", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "about": "Weitere Informationen", |     "about": "Über", | ||||||
|     "requiresCredentialsInSettings": "{}: Benötigt zusätzliche Anmeldedaten (in den Einstellungen)", |     "requiresCredentialsInSettings": "{}: Benötigt zusätzliche Anmeldedaten (in den Einstellungen)", | ||||||
|     "checkOnStart": "Einmalig beim Start auf Aktualisierungen prüfen", |     "checkOnStart": "Überprüfe einmalig beim Start", | ||||||
|     "tryInferAppIdFromCode": "Versuchen, die App-ID aus dem Quellcode zu ermitteln", |     "tryInferAppIdFromCode": "Versuche, die App-ID aus dem Quellcode zu ermitteln", | ||||||
|     "removeOnExternalUninstall": "Extern deinstallierte Apps automatisch entfernen", |     "removeOnExternalUninstall": "Automatisches Entfernen von extern deinstallierten Apps", | ||||||
|     "pickHighestVersionCode": "Automatische Auswahl des APK mit höchstem Versionscode", |     "pickHighestVersionCode": "Automatische Auswahl des APK mit höchstem Versionscode", | ||||||
|     "checkUpdateOnDetailPage": "Nach Aktualisierungen suchen, wenn eine App-Detailseite geöffnet wird", |     "checkUpdateOnDetailPage": "Nach Aktualisierungen suchen, wenn eine App-Detailseite geöffnet wird", | ||||||
|     "disablePageTransitions": "Animationen für Seitenübergänge deaktivieren", |     "disablePageTransitions": "Animationen für Seitenübergänge deaktivieren", | ||||||
|     "reversePageTransitions": "Umgekehrte Animationen für Seitenübergänge", |     "reversePageTransitions": "Umgekehrte Animationen für Seitenübergänge", | ||||||
|     "minStarCount": "Minimale Anzahl von Sternen", |     "minStarCount": "Minimale Anzahl von Sternen", | ||||||
|     "addInfoBelow": "Diese Information unten hinzufügen.", |     "addInfoBelow": "Fügen Sie diese Informationen unten hinzu.", | ||||||
|     "addInfoInSettings": "Diese Information in den Einstellungen hinzufügen.", |     "addInfoInSettings": "Fügen Sie diese Info in den Einstellungen hinzu.", | ||||||
|     "githubSourceNote": "Die GitHub-Ratenbegrenzung kann mit einem API-Schlüssel umgangen werden.", |     "githubSourceNote": "Die GitHub-Ratenbegrenzung kann mit einem API-Schlüssel umgangen werden.", | ||||||
|     "sortByLastLinkSegment": "Nur nach dem letzten Teil des Links sortieren", |     "sortByLastLinkSegment": "Sortiere nur nach dem letzten Teil des Links", | ||||||
|     "filterReleaseNotesByRegEx": "Versionshinweise nach regulärem Ausdruck\nfiltern", |     "filterReleaseNotesByRegEx": "Versionshinweise nach regulärem Ausdruck filtern", | ||||||
|     "customLinkFilterRegex": "Benutzerdefinierter APK-Linkfilter durch regulären Ausdruck (Standard '.apk$')", |     "customLinkFilterRegex": "Benutzerdefinierter APK Link Filter nach Regulärem Ausdruck (Standard '.apk$')", | ||||||
|     "appsPossiblyUpdated": "App-Aktualisierungen wurden versucht", |     "appsPossiblyUpdated": "App Aktualisierungen wurden versucht", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Benachrichtigt, dass möglicherweise eine oder mehrere Apps im Hintergrund aktualisiert wurden", |     "appsPossiblyUpdatedNotifDescription": "Benachrichtigt den Benutzer, dass Aktualisierungen für eine oder mehrere Apps möglicherweise im Hintergrund durchgeführt wurden", | ||||||
|     "xWasPossiblyUpdatedToY": "{} wurde möglicherweise auf Version {} aktualisiert.", |     "xWasPossiblyUpdatedToY": "{} wurde möglicherweise aktualisiert auf {}.", | ||||||
|     "enableBackgroundUpdates": "Hintergrundaktualisierungen aktivieren", |     "enableBackgroundUpdates": "Aktiviere Hintergrundaktualisierungen", | ||||||
|     "backgroundUpdateReqsExplanation": "Die Hintergrundaktualisierung ist unter Umständen nicht für alle Apps möglich.", |     "backgroundUpdateReqsExplanation": "Die Hintergrundaktualisierung ist möglicherweise nicht für alle Apps möglich.", | ||||||
|     "backgroundUpdateLimitsExplanation": "Der Erfolg einer Hintergrundinstallation kann nur festgestellt werden, wenn Obtainium geöffnet wird.", |     "backgroundUpdateLimitsExplanation": "Der Erfolg einer Hintergrundinstallation kann nur festgestellt werden, wenn Obtainium geöffnet wird.", | ||||||
|     "verifyLatestTag": "„Latest“-Tag überprüfen", |     "verifyLatestTag": "Überprüfe das „latest“ Tag", | ||||||
|     "intermediateLinkRegex": "Filter für einen „Zwischen“-Link, der zuerst besucht werden soll", |     "intermediateLinkRegex": "Filter für einen „Zwischen“-Link, der zuerst besucht werden soll", | ||||||
|     "filterByLinkText": "Links durch Linktext filtern", |     "filterByLinkText": "Filtere Links durch Linktext", | ||||||
|     "matchLinksOutsideATags": "Links außerhalb von <a>-Tags anpassen", |  | ||||||
|     "intermediateLinkNotFound": "„Zwischen“-Link nicht gefunden", |     "intermediateLinkNotFound": "„Zwischen“-Link nicht gefunden", | ||||||
|     "intermediateLink": "„Zwischen“-Link", |     "intermediateLink": "„Zwischen“-Link", | ||||||
|     "exemptFromBackgroundUpdates": "Von Hintergrundaktualisierungen (falls aktiviert) ausschließen", |     "exemptFromBackgroundUpdates": "Ausschluss von Hintergrundaktualisierungen (falls aktiviert)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Hintergrundaktualisierungen nur im WLAN ausführen", |     "bgUpdatesOnWiFiOnly": "Hintergrundaktualisierungen deaktivieren, wenn kein WLAN vorhanden ist", | ||||||
|     "bgUpdatesWhileChargingOnly": "Hintergrundaktualisierungen nur ausführen, während das Gerät geladen wird", |  | ||||||
|     "autoSelectHighestVersionCode": "Automatisch höchste APK-Version auswählen", |     "autoSelectHighestVersionCode": "Automatisch höchste APK-Version auswählen", | ||||||
|     "versionExtractionRegEx": "Versionsextraktion per RegEx", |     "versionExtractionRegEx": "Versions-Extraktion per RegEx", | ||||||
|     "trimVersionString": "Versionszeichenfolge mit RegEx kürzen", |     "matchGroupToUse": "zu verwendende Gruppe abgleichen", | ||||||
|     "matchGroupToUseForX": "Zu verwendende Abgleichsgruppe für\n„{}“", |  | ||||||
|     "matchGroupToUse": "Zu verwendende Gruppe abgleichen", |  | ||||||
|     "highlightTouchTargets": "Weniger offensichtliche Touch-Ziele hervorheben", |     "highlightTouchTargets": "Weniger offensichtliche Touch-Ziele hervorheben", | ||||||
|     "pickExportDir": "Export-Verzeichnis wählen", |     "pickExportDir": "Export-Verzeichnis wählen", | ||||||
|     "autoExportOnChanges": "Automatischer Export bei Änderung(en)", |     "autoExportOnChanges": "Automatischer Export bei Änderung(en)", | ||||||
|     "includeSettings": "Einstellungen einbeziehen", |     "includeSettings": "Einstellungen einbeziehen", | ||||||
|     "filterVersionsByRegEx": "Versionen nach regulären Ausdrücken filtern", |     "filterVersionsByRegEx": "Versionen nach regulären Ausdrücken filtern", | ||||||
|     "trySelectingSuggestedVersionCode": "Versuchen, den vorgeschlagenen APK-Versionscode auszuwählen", |     "trySelectingSuggestedVersionCode": "Versuchen, den vorgeschlagenen APK-Versionscode auszuwählen", | ||||||
|     "dontSortReleasesList": "Releases-Sortierung der API beibehalten", |     "dontSortReleasesList": "Freigaberelease von der API ordern", | ||||||
|     "reverseSort": "Umgekehrtes Sortieren", |     "reverseSort": "Umgekehrtes Sortieren", | ||||||
|     "takeFirstLink": "Ersten Link verwenden", |     "takeFirstLink": "Verwende den ersten Link", | ||||||
|     "skipSort": "Sortieren überspringen", |     "skipSort": "Überspringe Sortieren", | ||||||
|     "debugMenu": "Debug-Menü", |     "debugMenu": "Debug-Menü", | ||||||
|     "bgTaskStarted": "Hintergrundaufgabe gestartet – Logs prüfen.", |     "bgTaskStarted": "Hintergrundaufgabe gestartet – Logs prüfen.", | ||||||
|     "runBgCheckNow": "Hintergrundaktualisierungsprüfung jetzt durchführen", |     "runBgCheckNow": "Hintergrundaktualisierungsprüfung jetzt durchführen", | ||||||
|     "versionExtractWholePage": "Versionsextraktion per RegEx auf die gesamte Seite anwenden", |     "versionExtractWholePage": "Versions-Extraktion per RegEx auf die gesamte Seite anwenden", | ||||||
|     "installing": "Installieren", |     "installing": "Installiere", | ||||||
|     "skipUpdateNotifications": "Update-Benachrichtigungen überspringen", |     "skipUpdateNotifications": "Keine Benachrichtigung zu App-Aktualisierungen geben", | ||||||
|     "updatesAvailableNotifChannel": "Aktualisierungen verfügbar", |     "updatesAvailableNotifChannel": "Aktualisierungen verfügbar", | ||||||
|     "appsUpdatedNotifChannel": "Apps aktualisiert", |     "appsUpdatedNotifChannel": "Apps aktualisiert", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "App-Aktualisierungen wurden versucht", |     "appsPossiblyUpdatedNotifChannel": "App Aktualisierungen wurden versucht", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Fehler beim Prüfen auf Aktualisierungen", |     "errorCheckingUpdatesNotifChannel": "Fehler beim Prüfen auf Aktualisierungen", | ||||||
|     "appsRemovedNotifChannel": "Apps entfernt", |     "appsRemovedNotifChannel": "Apps entfernt", | ||||||
|     "downloadingXNotifChannel": "{} herunterladen", |     "downloadingXNotifChannel": "Lade {} herunter", | ||||||
|     "completeAppInstallationNotifChannel": "App-Installation abschließen", |     "completeAppInstallationNotifChannel": "App Installation abschließen", | ||||||
|     "checkingForUpdatesNotifChannel": "Nach Aktualisierungen suchen", |     "checkingForUpdatesNotifChannel": "Nach Aktualisierungen suchen", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Nur mit „Nur nachverfolgen“ markierte und installierte Apps auf Aktualisierungen prüfen", |     "onlyCheckInstalledOrTrackOnlyApps": "Überprüfe nur installierte und mit „nur Nachverfolgen“ markierte Apps auf Aktualisierungen", | ||||||
|     "supportFixedAPKURL": "Unterstützung von festen APK-URLs", |     "supportFixedAPKURL": "neuere Version anhand der ersten dreißig Zahlen der Checksumme der APK URL erraten, wenn anderweitig nicht unterstützt", | ||||||
|     "selectX": "{} wählen", |     "selectX": "Wähle {}", | ||||||
|     "parallelDownloads": "Parallele Downloads erlauben", |     "parallelDownloads": "Erlaube parallele Downloads", | ||||||
|     "useShizuku": "Shizuku oder Sui zur Installation verwenden", |     "installMethod": "Installationsmethode", | ||||||
|     "shizukuBinderNotFound": "Kompatibler Shizuku-Dienst wurde nicht gefunden", |     "normal": "Normal", | ||||||
|     "shizukuOld": "Veraltete Shizuku-Version (< 11) – bitte aktualisieren Sie sie", |     "root": "Root", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku läuft auf Android < 8.1 mit ADB – aktualisieren Sie die Android-Version oder verwenden Sie stattdessen Sui", |     "shizukuBinderNotFound": "Kompatibler Shizukudienst wurde nicht gefunden", | ||||||
|     "shizukuPretendToBeGooglePlay": "(Mittels Shizuku) Google Play als Installationsquelle registrieren", |     "useSystemFont": "Verwende die Systemschriftart", | ||||||
|     "useSystemFont": "Systemschriftart verwenden", |     "systemFontError": "Fehler beim Laden der Systemschriftart: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Versionscode (versionCode) als vom Betriebssystem erkannte Version verwenden", |     "useVersionCodeAsOSVersion": "Verwende die Appversion als erkannte Version vom Betriebssystem", | ||||||
|     "requestHeader": "Kopfzeile („Header“) anfordern", |     "requestHeader": "Request Header", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Letzten Upload eines Release-Anhangs als Veröffentlichungsdatum verwenden", |     "useLatestAssetDateAsReleaseDate": "Den letzten Asset-Upload als Veröffentlichungsdatum verwenden", | ||||||
|     "defaultPseudoVersioningMethod": "Standardmäßiges Verfahren zur Pseudo-Versionierung", |     "defaultPseudoVersioningMethod": "Standardmäßiges Verfahren zur Pseudo-Versionierung", | ||||||
|     "partialAPKHash": "Partieller APK-Hash", |     "partialAPKHash": "partieller APK-Hash", | ||||||
|     "APKLinkHash": "APK-Link-Hash", |     "APKLinkHash": "APK-Link-Hash", | ||||||
|     "directAPKLink": "Direkter APK-Link", |     "directAPKLink": "Direkter APK-Link", | ||||||
|     "pseudoVersionInUse": "Es werden Pseudoversionen verwendet", |     "pseudoVersionInUse": "Es werden Pseudoversionen verwendet", | ||||||
|     "installed": "Installiert", |     "installed": "Installiert", | ||||||
|     "latest": "Neueste Version", |     "latest": "Neueste Version", | ||||||
|     "invertRegEx": "Regulären Ausdruck invertieren", |     "invertRegEx": "Regulären Ausdruck  invertieren", | ||||||
|     "note": "Hinweis", |     "note": "Hinweis", | ||||||
|     "selfHostedNote": "Das „{}“-Drop-down-Menü kann verwendet werden, um selbst gehostete/angepasste Instanzen einer beliebigen Quelle zu erreichen.", |     "selfHostedNote": "Das „{}“-Dropdown-Menü kann verwendet werden, um selbst gehostete/angepasste Instanzen einer beliebigen Quelle zu erreichen.", | ||||||
|     "badDownload": "Die APK konnte nicht gelesen werden (inkompatibler oder unfertiger Download)", |     "badDownload": "Die APK konnte nicht geparst werden (inkompatibler oder teilweiser Download)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Neue Apps mit AppVerifier teilen (falls verfügbar)", |  | ||||||
|     "appVerifierInstructionToast": "Teile die Daten mit AppVerifier und kehre im Anschluss hierher zurück.", |  | ||||||
|     "wiki": "Hilfe/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Komplexe Appkonfigurationen (Verwendung auf eigene Gefahr)", |  | ||||||
|     "crowdsourcedConfigsShort": "Komplexe Appkonfigurationen", |  | ||||||
|     "allowInsecure": "Unsichere HTTP-Anfragen zulassen", |  | ||||||
|     "stayOneVersionBehind": "Eine Version hinter der neuesten Version bleiben", |  | ||||||
|     "useFirstApkOfVersion": "Automatische Auswahl der ersten von mehreren APKs", |  | ||||||
|     "refreshBeforeDownload": "App-Details vor dem Download aktualisieren", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (China)", |  | ||||||
|     "name": "Name", |  | ||||||
|     "smartname": "Name (Smart)", |  | ||||||
|     "sortMethod": "Sortierverfahren", |  | ||||||
|     "welcome": "Willkommen", |  | ||||||
|     "documentationLinksNote": "Die unten verlinkte GitHub-Seite von Obtainium enthält Links zu Videos, Artikeln, Diskussionen und anderen Ressourcen, die Ihnen helfen werden, die Verwendung der App zu verstehen.", |  | ||||||
|     "batteryOptimizationNote": "Beachten Sie, dass Downloads im Hintergrund möglicherweise zuverlässiger funktionieren, wenn Sie die Batterieoptimierung des Betriebssystems für Obtainium deaktivieren.", |  | ||||||
|     "fileDeletionError": "Die Datei konnte nicht gelöscht werden (versuchen Sie, sie manuell zu löschen und versuchen Sie es dann erneut): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium-Vordergrunddienst", |  | ||||||
|     "foregroundServiceExplanation": "Aktualisierungsprüfung im Vordergrund durchführen (zuverlässiger, verbraucht mehr Strom)", |  | ||||||
|     "fgServiceNotice": "Diese Benachrichtigung ist für die Prüfung von Updates im Hintergrund erforderlich (sie kann in den Betriebssystemeinstellungen ausgeblendet werden)", |  | ||||||
|     "excludeSecrets": "Geheimnisse ausschließen", |  | ||||||
|     "GHReqPrefix": "sky22333/hubproxy'-Instanz für GitHub-Anfragen", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "App entfernen?", |         "one": "App entfernen?", | ||||||
|         "other": "Apps entfernen?" |         "other": "Apps entfernen?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Zu viele Anfragen (Rate begrenzt) – versuchen Sie es in {} Minute erneut", |         "one": "Zu viele Anfragen (Rate begrenzt) – versuche es in {} Minute erneut", | ||||||
|         "other": "Zu viele Anfragen (Rate begrenzt) – versuchen Sie es in {} Minuten erneut" |         "other": "Zu viele Anfragen (Rate begrenzt) – versuche es in {} Minuten erneut" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "Bei der Aktualisierungsprüfung im Hintergrund wurde ein {} festgestellt, eine erneute Prüfung wird in {} Minute geplant", |         "one": "Bei der Aktualisierungsprüfung im Hintergrund wurde ein {} festgestellt, eine erneute Prüfung wird in {} Minute geplant", | ||||||
|         "other": "Bei der Aktualisierungsprüfung im Hintergrund wurde ein {} festgestellt, eine erneute Prüfung wird in {} Minuten geplant" |         "other": "Bei der Aktualisierungsprüfung im Hintergrund wurde ein {} festgestellt, eine erneute Prüfung wird in {} Minuten geplant" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "Die Aktualisierungsprüfung fand {} Aktualisierung – benachrichtigt, falls erforderlich", |         "one": "Die Hintergrundaktualisierungsprüfung fand {} Aktualisierung – benachrichtigt den Benutzer, falls erforderlich", | ||||||
|         "other": "Die Aktualisierungsprüfung fand {} Aktualisierungen – benachrichtigt, falls erforderlich" |         "other": "Die Hintergrundaktualisierungsprüfung fand {} Aktualisierungen – benachrichtigt den Benutzer, falls erforderlich" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} App", |         "eine": "{} App", | ||||||
|         "other": "{} Apps" |         "andere": "{} Apps" | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL", |         "eine": "{} URL", | ||||||
|         "other": "{} URLs" |         "andere": "{} URLs" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} Minute", |         "one": "{} Minute", | ||||||
| @@ -378,20 +340,16 @@ | |||||||
|         "other": "{n} Logs gelöscht (vorher = {before}, nachher = {after})" |         "other": "{n} Logs gelöscht (vorher = {before}, nachher = {after})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} und 1 weitere App können aktualisiert werden.", |         "one": "{} und 1 weitere App haben Aktualisierungen.", | ||||||
|         "other": "{} und {} weitere Apps können aktualisiert werden." |         "other": "{} und {} weitere Apps haben Aktualisierungen." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} und 1 weitere App wurden aktualisiert.", |         "one": "{} und 1 weitere Anwendung wurden aktualisiert.", | ||||||
|         "other": "{} und {} weitere Apps wurden aktualisiert." |         "other": "{} und {} weitere Anwendungen wurden aktualisiert." | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Die Aktualisierung von {} und 1 weiteren App ist fehlgeschlagen.", |  | ||||||
|         "other": "Die Aktualisierung von {} und {} weiteren Apps ist fehlgeschlagen." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} und 1 weitere App wurden möglicherweise aktualisiert.", |         "one": "{} und 1 weitere Anwendung wurden möglicherweise aktualisiert.", | ||||||
|         "other": "{} und {} weitere Apps wurden möglicherweise aktualisiert." |         "other": "{} und {} weitere Anwendungen wurden möglicherweise aktualisiert." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "Nevalida apo-URL {}", |  | ||||||
|     "noReleaseFound": "Ne eblas trovi taŭgan eldonon", |  | ||||||
|     "noVersionFound": "Ne eblas determini la eldonversion", |  | ||||||
|     "urlMatchesNoSource": "La URL ne konformas al konata fonto", |  | ||||||
|     "cantInstallOlderVersion": "Ne eblas instali malnovan version de la Apo", |  | ||||||
|     "appIdMismatch": "La identigilo de la elŝutita pakaĵo ne konformas al la identigilo de la ekzistanta apo", |  | ||||||
|     "functionNotImplemented": "Tiu klaso ne fasonadas tiun funkcion", |  | ||||||
|     "placeholder": "Rezervilo", |  | ||||||
|     "someErrors": "Eraroj okazis", |  | ||||||
|     "unexpectedError": "Neatendita eraro", |  | ||||||
|     "ok": "Okej", |  | ||||||
|     "and": "kaj", |  | ||||||
|     "githubPATLabel": "Github persona atingoĵetono (pliigas la kvantolimon)", |  | ||||||
|     "includePrereleases": "Inkluzivi la pra-eldonojn", |  | ||||||
|     "fallbackToOlderReleases": "Reveno al malnovaj versioj", |  | ||||||
|     "filterReleaseTitlesByRegEx": "Filtri la eldontitoljn per regula esprimo", |  | ||||||
|     "invalidRegEx": "Nevalida regula esprimo", |  | ||||||
|     "noDescription": "Neniu priskribo", |  | ||||||
|     "cancel": "Nuligi", |  | ||||||
|     "continue": "Daŭrigi", |  | ||||||
|     "requiredInBrackets": "(Neprigata)", |  | ||||||
|     "dropdownNoOptsError": "ERARO: LA MALVOLVANTA LISTO DEVAS HAVI ALMENAŬ UNU OPCION", |  | ||||||
|     "colour": "Koloro", |  | ||||||
|     "standard": "Norma", |  | ||||||
|     "custom": "Agordita", |  | ||||||
|     "useMaterialYou": "Uzi Material You", |  | ||||||
|     "githubStarredRepos": "Stelaj GitHub-deponejoj", |  | ||||||
|     "uname": "Uzantnomo", |  | ||||||
|     "wrongArgNum": "Malĝusta nombro da provizitaj argumentoj", |  | ||||||
|     "xIsTrackOnly": "{} estas nur sekvitaj", |  | ||||||
|     "source": "Fonto", |  | ||||||
|     "app": "Apo", |  | ||||||
|     "appsFromSourceAreTrackOnly": "Apoj el tiu fonto estas 'Nur sekvitaj'.", |  | ||||||
|     "youPickedTrackOnly": "Vi selektis la opcion 'Nur sekvitaj'.", |  | ||||||
|     "trackOnlyAppDescription": "La apo estas sekvota por ĝisdatigoj, sed Obtainium ne povos elŝuti aŭ instali ĝin.", |  | ||||||
|     "cancelled": "Nuligita", |  | ||||||
|     "appAlreadyAdded": "Jam aldonita apo", |  | ||||||
|     "alreadyUpToDateQuestion": "Ĉu la apo estas ĝisdata?", |  | ||||||
|     "addApp": "Aldoni apon", |  | ||||||
|     "appSourceURL": "URL de la apofonto", |  | ||||||
|     "error": "Eraro", |  | ||||||
|     "add": "Aldoni", |  | ||||||
|     "searchSomeSourcesLabel": "Serĉi (nur kelkaj fontoj)", |  | ||||||
|     "search": "Serĉi", |  | ||||||
|     "additionalOptsFor": "Kromaj opcioj por {}", |  | ||||||
|     "supportedSources": "Taskiĝata fontoj", |  | ||||||
|     "trackOnlyInBrackets": "(Nur sekvita)", |  | ||||||
|     "searchableInBrackets": "(Serĉebla)", |  | ||||||
|     "appsString": "Apoj", |  | ||||||
|     "noApps": "Neniu apo", |  | ||||||
|     "noAppsForFilter": "Neniu apo por filtri", |  | ||||||
|     "byX": "Laŭ {}", |  | ||||||
|     "percentProgress": "Progreso: {}%", |  | ||||||
|     "pleaseWait": "Bonvolu atendi", |  | ||||||
|     "updateAvailable": "Havebla ĝisdatigo", |  | ||||||
|     "notInstalled": "Neinstalita", |  | ||||||
|     "pseudoVersion": "Pseŭdoversio", |  | ||||||
|     "selectAll": "Selekti ĉion", |  | ||||||
|     "deselectX": "Malselekti {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} estas farigota de Obtainium sed restos instalata en la disponaĵo.", |  | ||||||
|     "removeSelectedAppsQuestion": "Farigi la selektitajn apojn?", |  | ||||||
|     "removeSelectedApps": "Farigi la selektitajn apojn", |  | ||||||
|     "updateX": "Ĝisdatigi {}", |  | ||||||
|     "installX": "Instali {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "Marki {}\n(Nur sekvita)\nkiel ĝisdata", |  | ||||||
|     "changeX": "Ŝanĝi {}", |  | ||||||
|     "installUpdateApps": "Instali/ĝisdatigi apojn", |  | ||||||
|     "installUpdateSelectedApps": "Instali/ĝisdatigi la selektitajn apojn", |  | ||||||
|     "markXSelectedAppsAsUpdated": "Marki la {} selektitajn apojn kiel ĝisdataj?", |  | ||||||
|     "no": "Ne", |  | ||||||
|     "yes": "Jes", |  | ||||||
|     "markSelectedAppsUpdated": "Marki la selektitajn apojn kiel ĝisdataj", |  | ||||||
|     "pinToTop": "Alpingli supre", |  | ||||||
|     "unpinFromTop": "Malalpingli el supro", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Rekomenci la instaladostaton de la selektitaj apoj?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "Instaladostato de ĉiuj selektitaj apoj estas rekomencota.\n\nTio povas utili kiam la versio de la montrata application en Obtainium estas malĝusta kaŭze de malsukcesaj ĝidatigoj aŭ aliaj problemoj.", |  | ||||||
|     "customLinkMessage": "Tiuj ligiloj funkcias en disponaĵoj kun Obtainium instalita", |  | ||||||
|     "shareAppConfigLinks": "Diskonigi la apo-agordojn kiel HTML ligilo", |  | ||||||
|     "shareSelectedAppURLs": "Diskonigi la selektitajn apo-URLjn", |  | ||||||
|     "resetInstallStatus": "Rekomenci la instaladostaton de la apoj", |  | ||||||
|     "more": "Pli", |  | ||||||
|     "removeOutdatedFilter": "Forigi la filtron de malmodernaj apoj", |  | ||||||
|     "showOutdatedOnly": "Nur montri malmodernajn apojn", |  | ||||||
|     "filter": "Filtro", |  | ||||||
|     "filterApps": "Filtri la apojn", |  | ||||||
|     "appName": "Aponomo", |  | ||||||
|     "author": "Aŭtoro", |  | ||||||
|     "upToDateApps": "Ĝisdataj apoj", |  | ||||||
|     "nonInstalledApps": "Neinstalita apoj", |  | ||||||
|     "importExport": "Importi/Eksporti", |  | ||||||
|     "settings": "Agordoj", |  | ||||||
|     "exportedTo": "Eksportita en {}", |  | ||||||
|     "obtainiumExport": "Eksporti Obtainium-n", |  | ||||||
|     "invalidInput": "Nevalida enigo", |  | ||||||
|     "importedX": "Importita {}", |  | ||||||
|     "obtainiumImport": "Importi Obtainium-n", |  | ||||||
|     "importFromURLList": "Eksporti el URL-listo", |  | ||||||
|     "searchQuery": "Informmendo de serĉo", |  | ||||||
|     "appURLList": "Listo de URLj de la apo", |  | ||||||
|     "line": "Horizontalo", |  | ||||||
|     "searchX": "Serĉi {}", |  | ||||||
|     "noResults": "Neniu rezulto", |  | ||||||
|     "importX": "Importi {}", |  | ||||||
|     "importedAppsIdDisclaimer": "La importitaj apoj povas montriĝi malĝuste kiel \"Neinstalitaj\".\nPor solvi tion, reinstalu ilin per Obtainium.\nTiu ne afekcios la apodatumoj.\n\nAkefcias nur la URL-ajn lak triajn importmetodojn.", |  | ||||||
|     "importErrors": "Eraroj de importado", |  | ||||||
|     "importedXOfYApps": "{} apoj el {} importitaj.", |  | ||||||
|     "followingURLsHadErrors": "La sekvantaj URLj havis erarojn:", |  | ||||||
|     "selectURL": "Selekti URLn", |  | ||||||
|     "selectURLs": "Selekti URLjn", |  | ||||||
|     "pick": "Elekti", |  | ||||||
|     "theme": "Temo", |  | ||||||
|     "dark": "Malhela", |  | ||||||
|     "light": "Hela", |  | ||||||
|     "followSystem": "Konformi al sistemo", |  | ||||||
|     "followSystemThemeExplanation": "Konformi al sistemtemo nur eblas kun triaj aplikaĵoj.", |  | ||||||
|     "useBlackTheme": "Uzi puran nigran temon", |  | ||||||
|     "appSortBy": "Klasi apojn laŭ", |  | ||||||
|     "authorName": "Aŭtoro/Nomo", |  | ||||||
|     "nameAuthor": "Nomo/Aŭtoro", |  | ||||||
|     "asAdded": "Aldondato", |  | ||||||
|     "appSortOrder": "Ordo de la apoklasifiko", |  | ||||||
|     "ascending": "Kreskanta", |  | ||||||
|     "descending": "Malkreskanta", |  | ||||||
|     "bgUpdateCheckInterval": "Serĉo-intertempo de fonaj ĝisdatigoj", |  | ||||||
|     "neverManualOnly": "Neniam - Nur Malaŭtomata", |  | ||||||
|     "appearance": "Aspekto", |  | ||||||
|     "showWebInAppView": "Montri la fonta retpaĝo en la langeto 'Apoj'", |  | ||||||
|     "pinUpdates": "Alpingli ĝisatigojn en la supro de la langeto 'Apoj'", |  | ||||||
|     "updates": "Ĝisdatigoj", |  | ||||||
|     "sourceSpecific": "Fontspecifa", |  | ||||||
|     "appSource": "Apofonto", |  | ||||||
|     "noLogs": "Neniu protokolo", |  | ||||||
|     "appLogs": "Apoprotokoloj", |  | ||||||
|     "close": "Fermi", |  | ||||||
|     "share": "Diskonigi", |  | ||||||
|     "appNotFound": "Netrovebla apo", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "eksporto-obtainium", |  | ||||||
|     "pickAnAPK": "Selektu APKn", |  | ||||||
|     "appHasMoreThanOnePackage": "{} havas pli ol unu pakaĵon:", |  | ||||||
|     "deviceSupportsXArch": "Via disponaĵo taskiĝas la CPU-arkitekturon {}.", |  | ||||||
|     "deviceSupportsFollowingArchs": "Via disponaĵo taskiĝas la sekvantajn CPU-arkitekturojn:", |  | ||||||
|     "warning": "Avertu", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "La apofonto estas '{}' sed la pakaĵo de ĝisdatigo devenas de '{}'. Daŭrigi?", |  | ||||||
|     "updatesAvailable": "Haveblaj ĝisdatigoj", |  | ||||||
|     "updatesAvailableNotifDescription": "Sciigas al la uzanto, ke ĝisdatigoj haveblas por unu aŭ pluraj apoj sekvitaj fare de Obtainium.", |  | ||||||
|     "noNewUpdates": "Neniu nova ĝisdatigo.", |  | ||||||
|     "xHasAnUpdate": "{} havas ĝisdatigon.", |  | ||||||
|     "appsUpdated": "Ĝisdataj apoj", |  | ||||||
|     "appsNotUpdated": "Malsukcesis ĝisdatigi aplikaĵojn", |  | ||||||
|     "appsUpdatedNotifDescription": "Sciigas al la uzanto, ke ĝisdatigoj de unu aŭ pluraj apoj estas instalitaj fone.", |  | ||||||
|     "xWasUpdatedToY": "{} estas ĝidatigita en {}.", |  | ||||||
|     "xWasNotUpdatedToY": "Malsukcesas ĝisdatigi de {} en {}.", |  | ||||||
|     "errorCheckingUpdates": "Eraro serĉante ĝisdatigojn", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Sciigas al la uzanto, kiam la serĉo de fonaj ĝisdatigoj malsukcesas.", |  | ||||||
|     "appsRemoved": "Forigitaj Apoj", |  | ||||||
|     "appsRemovedNotifDescription": "Sciigas al la uzanto, ke unu aŭ pluraj apoj estas forigitaj kaŭze de eraroj dum ilia ŝarĝado.", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} estas forigita kaŭze de tiu eraro: {}", |  | ||||||
|     "completeAppInstallation": "Kompleta instalado de la apo", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium devas esti malfermita por instali apojn", |  | ||||||
|     "completeAppInstallationNotifDescription": "Petas la uzanton reiri en Obtainium por fini la instaladon de apo", |  | ||||||
|     "checkingForUpdates": "Serĉante ĝisdatigojn", |  | ||||||
|     "checkingForUpdatesNotifDescription": "Dumtempa sciigo kiu aperas dum la serĉo de ĝisdatigoj", |  | ||||||
|     "pleaseAllowInstallPerm": "Bonvolu permesi al Obtainium instali apojn", |  | ||||||
|     "trackOnly": "Nur sekvita", |  | ||||||
|     "errorWithHttpStatusCode": "Eraro {}", |  | ||||||
|     "versionCorrectionDisabled": "Versiokorekto malaktivigita (ŝajnas, ke la kromaĵo ne funkcias)", |  | ||||||
|     "unknown": "Nekonata", |  | ||||||
|     "none": "Nenio", |  | ||||||
|     "all": "All", |  | ||||||
|     "never": "Neniam", |  | ||||||
|     "latestVersionX": "Lasta versio: {}", |  | ||||||
|     "installedVersionX": "Instalita versio: {}", |  | ||||||
|     "lastUpdateCheckX": "Lasta serĉo de ĝisdatigoj: {}", |  | ||||||
|     "remove": "Forigi", |  | ||||||
|     "yesMarkUpdated": "Jes, marki kiel ĝisdata", |  | ||||||
|     "fdroid": "Oficiala F-Droid", |  | ||||||
|     "appIdOrName": "Identigilo aŭ nomo de la apo", |  | ||||||
|     "appId": "Identigilo de la apo", |  | ||||||
|     "appWithIdOrNameNotFound": "Neniu apo estas trovita kun tiu identigilo aŭ nomo", |  | ||||||
|     "reposHaveMultipleApps": "Deponejoj povas enhavi plurajn apojn", |  | ||||||
|     "fdroidThirdPartyRepo": "Tria deponejo de F-Droid", |  | ||||||
|     "install": "Instali", |  | ||||||
|     "markInstalled": "Marki kiel instalita", |  | ||||||
|     "update": "Ĝisdatigi", |  | ||||||
|     "markUpdated": "Marki kiel ĝisdata", |  | ||||||
|     "additionalOptions": "Kromaj opcioj", |  | ||||||
|     "disableVersionDetection": "Malaktivigi la versiodetekto", |  | ||||||
|     "noVersionDetectionExplanation": "Tiu opcio devas esti uzata nur por apoj, kie la versiodetekto ne funkcias ĝuste.", |  | ||||||
|     "downloadingX": "Elŝutante {}", |  | ||||||
|     "downloadX": "Elŝuti {}", |  | ||||||
|     "downloadedX": "Elŝutita {}", |  | ||||||
|     "releaseAsset": "Aktiva versio", |  | ||||||
|     "downloadNotifDescription": "Sciigas al la uzanto pri la progreso de apo-elŝuton", |  | ||||||
|     "noAPKFound": "Neniu trovita APK", |  | ||||||
|     "noVersionDetection": "Neniu versiodetekto", |  | ||||||
|     "categorize": "Kategorii", |  | ||||||
|     "categories": "Kategorioj", |  | ||||||
|     "category": "Kategorio", |  | ||||||
|     "noCategory": "Neniu kategorio", |  | ||||||
|     "noCategories": "Neniuj kategorioj", |  | ||||||
|     "deleteCategoriesQuestion": "Forigi la kategoriojn?", |  | ||||||
|     "categoryDeleteWarning": "Ĉiuj apoj el forigitaj kategorioj iĝos nekategoriitaj.", |  | ||||||
|     "addCategory": "Aldoni kategorion", |  | ||||||
|     "label": "Etikedo", |  | ||||||
|     "language": "Lingvo", |  | ||||||
|     "copiedToClipboard": "Kopiita en la tondujo", |  | ||||||
|     "storagePermissionDenied": "Permeso de stoko malkonsentita", |  | ||||||
|     "selectedCategorizeWarning": "Tio substituos ĉiujn difinitajn kategoriojn de la selektitaj apoj.", |  | ||||||
|     "filterAPKsByRegEx": "Filtri APKj per regula esprimo", |  | ||||||
|     "removeFromObtainium": "Forigi el Obtainium", |  | ||||||
|     "uninstallFromDevice": "Malinstali el la disponaĵo", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Funkcias nur por apoj kun malaktiva versiodetekto.", |  | ||||||
|     "releaseDateAsVersion": "Uzi eldondato kiel versioĉeno", |  | ||||||
|     "releaseTitleAsVersion": "Use release title as version string", |  | ||||||
|     "releaseDateAsVersionExplanation": "Tiu opcio devas esti uzata nur por apoj, por kiu la versiodetekto ne funkcias ĝuste, sed eldondato estas havebla.", |  | ||||||
|     "changes": "Modifoj", |  | ||||||
|     "releaseDate": "Eldondato", |  | ||||||
|     "importFromURLsInFile": "Importi el URLj en dosiero (kiel OPML)", |  | ||||||
|     "versionDetectionExplanation": "Akordigi la versioĉeno laŭ la versio detektita fare de la operaciumo", |  | ||||||
|     "versionDetection": "Versiodetekto", |  | ||||||
|     "standardVersionDetection": "Norma versiodetekto", |  | ||||||
|     "groupByCategory": "Grupigi per kategorio", |  | ||||||
|     "autoApkFilterByArch": "Provi filtri APKj per CPU-arkitekturo se ebla", |  | ||||||
|     "autoLinkFilterByArch": "Attempt to filter links by CPU architecture if possible", |  | ||||||
|     "overrideSource": "Substitui la fonton", |  | ||||||
|     "dontShowAgain": "Ne plu montri", |  | ||||||
|     "dontShowTrackOnlyWarnings": "Ne plu montri 'Nur sekvita' avertojn", |  | ||||||
|     "dontShowAPKOriginWarnings": "Ne plu montri avertojn pri APK-origino", |  | ||||||
|     "moveNonInstalledAppsToBottom": "Movi neinstalatajn apojn al malsupro de la langeto Apoj", |  | ||||||
|     "gitlabPATLabel": "GitLab persona atingoĵetono", |  | ||||||
|     "about": "Pri", |  | ||||||
|     "requiresCredentialsInSettings": "{} bezonas kromajn informojn (en Agordoj)", |  | ||||||
|     "checkOnStart": "Serĉi ĝisdatigojn starte", |  | ||||||
|     "tryInferAppIdFromCode": "Provi dedukti la identigilon de la apo el la fontkodo", |  | ||||||
|     "removeOnExternalUninstall": "Aŭtomate forigi ekstere malinstalitajn apojn", |  | ||||||
|     "pickHighestVersionCode": "Aŭtomate selekti la plej ĵusan version el APK-kodo", |  | ||||||
|     "checkUpdateOnDetailPage": "Serĉi ĝisdatigojn dum la malfermo de la detala apopaĝo", |  | ||||||
|     "disablePageTransitions": "Malaktivigi la animaciojn de paĝotransiro", |  | ||||||
|     "reversePageTransitions": "Inversigi la animaciojn de paĝotransiro", |  | ||||||
|     "minStarCount": "Minimuma nombro da steloj", |  | ||||||
|     "addInfoBelow": "Aldonu ĉi tiu informo ĉi-suba.", |  | ||||||
|     "addInfoInSettings": "Aldonu tiu informo en la agordoj.", |  | ||||||
|     "githubSourceNote": "La kvantolimo de GitHub povas esti evitata danke al API-ŝlosilo.", |  | ||||||
|     "sortByLastLinkSegment": "Klasi laŭ la lasta segmento de la ligilo", |  | ||||||
|     "filterReleaseNotesByRegEx": "Filtri versionotojn per regula esprimo", |  | ||||||
|     "customLinkFilterRegex": "Filtro de APK-ligilo agordita per regula esprimo (defaŭlte '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "Provitaj apoĝisdatigoj", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Sciigas al la uzanto, ke ĝisdatigoj de unu aŭ pluraj apoj eble estas aplikitaj fone", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} povas esti ĝisdata kiel {}.", |  | ||||||
|     "enableBackgroundUpdates": "Aktivigi fonajn ĝisdatigojn", |  | ||||||
|     "backgroundUpdateReqsExplanation": "Fonaj ĝisdatigoj ne eblas por ĉiuj apoj.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "La sukceso de fona instalado povas esti nur determinata dum la malfermo de Obtainium.", |  | ||||||
|     "verifyLatestTag": "Inspekti la etikedon 'latest'", |  | ||||||
|     "intermediateLinkRegex": "Filtri por 'pera' vizitota ligilo", |  | ||||||
|     "filterByLinkText": "Filtri ligilojn laŭ ligiloteksto", |  | ||||||
|     "matchLinksOutsideATags": "Match links outside <a> tags", |  | ||||||
|     "intermediateLinkNotFound": "Netrovebla pera ligilo", |  | ||||||
|     "intermediateLink": "Pera ligilo", |  | ||||||
|     "exemptFromBackgroundUpdates": "Escepti el la fonaj ĝisdatigoj (se aktiva)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "Malaktivigi fonajn ĝisdatigojn se sen vifio", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "Disable background updates when not charging", |  | ||||||
|     "autoSelectHighestVersionCode": "Aŭtomate selekti la plej ĵusan version de la APK-kodo", |  | ||||||
|     "versionExtractionRegEx": "Ekstrakti la versioĉenon per regula esprimo", |  | ||||||
|     "trimVersionString": "Mallongigi la versioĉenon per regula esprimo", |  | ||||||
|     "matchGroupToUseForX": "Konformecogrupo uzota por \"{}\"", |  | ||||||
|     "matchGroupToUse": "Grupo de konformeco uzota por la eltiraĵo de la versio per regula esprimo", |  | ||||||
|     "highlightTouchTargets": "Emfazi malpi evidentajn klavojn", |  | ||||||
|     "pickExportDir": "Selekti la dosierujon de eksporto", |  | ||||||
|     "autoExportOnChanges": "Aŭtomate eksporti dum modifoj", |  | ||||||
|     "includeSettings": "Inkluzivi la agordojn", |  | ||||||
|     "filterVersionsByRegEx": "Filtri versiojn per regula esprimo", |  | ||||||
|     "trySelectingSuggestedVersionCode": "Provi selekti la sugestitan version fare de la APK-kodo", |  | ||||||
|     "dontSortReleasesList": "Konservi la ordo de la API-versio", |  | ||||||
|     "reverseSort": "Inversigi klasifikon", |  | ||||||
|     "takeFirstLink": "Uzi la unuan ligilon", |  | ||||||
|     "skipSort": "Salti la klasifikon", |  | ||||||
|     "debugMenu": "Menu de eraroserĉado", |  | ||||||
|     "bgTaskStarted": "Fona tasko startita - inspektu la protokolojn.", |  | ||||||
|     "runBgCheckNow": "Ruli la serĉo de fonaj ĝisdatigoj nun", |  | ||||||
|     "versionExtractWholePage": "Apliki eltiraĵon de la versioĉeno per regula esprimo al la tuta paĝo", |  | ||||||
|     "installing": "Instalante", |  | ||||||
|     "skipUpdateNotifications": "Salti la sciigojn de ĝisdatigo", |  | ||||||
|     "updatesAvailableNotifChannel": "Haveblaj ĝisdatigoj", |  | ||||||
|     "appsUpdatedNotifChannel": "Ĝisdataj aplikaĵoj", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Provitaj apoĝisdatigoj", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "Eraro serĉante ĝisdatigojn", |  | ||||||
|     "appsRemovedNotifChannel": "Forigitaj aplikaĵoj", |  | ||||||
|     "downloadingXNotifChannel": "Elŝutante {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "Kompleta apo instalado", |  | ||||||
|     "checkingForUpdatesNotifChannel": "Serĉante ĝisdatigojn", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Nur serĉi la ĝisdatigojn de instalitaj kaj 'nur sekvitaj' apoj", |  | ||||||
|     "supportFixedAPKURL": "Taskiĝo de la fiksaj APK URLj", |  | ||||||
|     "selectX": "Selekti {}", |  | ||||||
|     "parallelDownloads": "Permesi dumajn elŝutojn", |  | ||||||
|     "useShizuku": "Uzi Shizuku aŭ Sui por instali", |  | ||||||
|     "shizukuBinderNotFound": "La servo Shizuku estas netrovebla", |  | ||||||
|     "shizukuOld": "Malnova versio de Shizuku (<11) - bonvolu ĝisdatigi ĝin", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku funkcias en Android < 8.1 kun ADB - bonvolu ĝisdatigi Android aŭ uzu Sui anstataŭe", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Determini Google Play kiel instalfonto (se Shizuku estas uzata)", |  | ||||||
|     "useSystemFont": "Uzi la sistema tiparo", |  | ||||||
|     "useVersionCodeAsOSVersion": "Uzi versiokodo de la apo kiel versio detektita fare de la operaciumo", |  | ||||||
|     "requestHeader": "Titolo de la informmendo", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "Uzi la lastan publikigitan elementon kiel eldondato", |  | ||||||
|     "defaultPseudoVersioningMethod": "Defaŭlta metodo de fikcia versio", |  | ||||||
|     "partialAPKHash": "Parta APKa haketo", |  | ||||||
|     "APKLinkHash": "Haketo de la APKa ligilo", |  | ||||||
|     "directAPKLink": "Rekta APKa ligilo", |  | ||||||
|     "pseudoVersionInUse": "Pseŭdoversio estas uzata", |  | ||||||
|     "installed": "Instalita", |  | ||||||
|     "latest": "Lasta versio", |  | ||||||
|     "invertRegEx": "Inversigi la regula esprimo", |  | ||||||
|     "note": "Noto", |  | ||||||
|     "selfHostedNote": "La malvolvanta listo \"{}\" povas esti uzata por aliri al memgastigataj/agordata instancoj el ajna fonto.", |  | ||||||
|     "badDownload": "La APK ne povis esti analizita (neakordigebla aŭ nekompleta elŝuto)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Diskonigi novajn aplikaĵojn kun AppVerifier (se havebla)", |  | ||||||
|     "appVerifierInstructionToast": "Diskonigu kun AppVerifier, poste revenu ĉi tie kiam preta.", |  | ||||||
|     "wiki": "Helpo/Vikio", |  | ||||||
|     "crowdsourcedConfigsLabel": "Komunumaj apo-agordoj (uzu kun singardo)", |  | ||||||
|     "crowdsourcedConfigsShort": "Crowdsourced App Configurations", |  | ||||||
|     "allowInsecure": "Allow insecure HTTP requests", |  | ||||||
|     "stayOneVersionBehind": "Stay one version behind latest", |  | ||||||
|     "useFirstApkOfVersion": "Auto-select first of multiple APKs", |  | ||||||
|     "refreshBeforeDownload": "Refresh app details before download", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Name", |  | ||||||
|     "smartname": "Name (Smart)", |  | ||||||
|     "sortMethod": "Sort Method", |  | ||||||
|     "welcome": "Welcome", |  | ||||||
|     "documentationLinksNote": "The Obtainium GitHub page linked below contains links to videos, articles, discussions, and other resources that will help you understand how to use the app.", |  | ||||||
|     "batteryOptimizationNote": "Note that background downloads may work more reliably if you disable OS battery optimizations for Obtainium.", |  | ||||||
|     "fileDeletionError": "Failed to delete file (try deleting it manually then try again): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Use a foreground service for update checking (more reliable, consumes more power)", |  | ||||||
|     "fgServiceNotice": "This notification is required for background update checking (it can be hidden in the OS settings)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "Forigi la aplikaĵon?", |  | ||||||
|         "other": "Forigi la aplikaĵojn?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "Tro da informmendoj (limigita kvanto) - reprovu en {} minuto", |  | ||||||
|         "other": "Tro da informmendoj (limigita kvanto) - reprovu en {} minutoj" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "La serĉo de fonaj ĝisdatigoj renkontis al {}, nova programota provo en {} minuto", |  | ||||||
|         "other": "La serĉo de fonaj ĝisdatigoj renkontis al {}, nova programota provo en {} minutoj" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "La serĉo de fonaj ĝisdatigoj trovis {} ĝisdatigon - la uzanto estas sciigota se necesa", |  | ||||||
|         "other": "La serĉo de fonaj ĝisdatigoj trovis {} ĝisdatigojn - la uzanto estas sciigota se necesa" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} Apo", |  | ||||||
|         "other": "{} Apoj" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URLj" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} minuto", |  | ||||||
|         "other": "{} minutoj" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} horo", |  | ||||||
|         "other": "{} horoj" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} tago", |  | ||||||
|         "other": "{} tagoj" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "Purigis {n} protokolon (antaŭe = {before}, malantaŭe = {after})", |  | ||||||
|         "other": "Purigis {n} protokolojn (antaŭe = {before}, malantaŭe = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} kaj 1 alia apo havas ĝisdatigojn.", |  | ||||||
|         "other": "{} kaj {} aliaj apoj havas ĝisdatigojn." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} kaj 1 alia apo ĝisdatiĝis.", |  | ||||||
|         "other": "{} kaj {} aliaj apoj ĝisdatiĝis." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Ne eblas ĝisdatigi {} kaj 1 alian apon.", |  | ||||||
|         "other": "Ne eblas ĝisdatigi {} et {} aliajn apojn." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} kaj 1 alia apo eble ĝisdatiĝis.", |  | ||||||
|         "other": "{} kaj {} aliaj apoj eble ĝisdatiĝis." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APKj" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -1,110 +1,107 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "Not a valid {} app URL", |     "invalidURLForSource": "Not a valid {} App URL", | ||||||
|     "noReleaseFound": "Could not find a suitable release", |     "noReleaseFound": "Could not find a suitable release", | ||||||
|     "noVersionFound": "Could not determine release version", |     "noVersionFound": "Could not determine release version", | ||||||
|     "urlMatchesNoSource": "URL does not match a known source", |     "urlMatchesNoSource": "URL does not match a known source", | ||||||
|     "cantInstallOlderVersion": "Cannot install an older version of an app", |     "cantInstallOlderVersion": "Cannot install an older version of an App", | ||||||
|     "appIdMismatch": "Downloaded package ID does not match existing app ID", |     "appIdMismatch": "Downloaded package ID does not match existing App ID", | ||||||
|     "functionNotImplemented": "This class has not implemented this function", |     "functionNotImplemented": "This class has not implemented this function", | ||||||
|     "placeholder": "Placeholder", |     "placeholder": "Placeholder", | ||||||
|     "someErrors": "Some errors occurred", |     "someErrors": "Some Errors Occurred", | ||||||
|     "unexpectedError": "Unexpected error", |     "unexpectedError": "Unexpected Error", | ||||||
|     "ok": "Okay", |     "ok": "Okay", | ||||||
|     "and": "and", |     "and": "and", | ||||||
|     "githubPATLabel": "GitHub personal access token (increases rate limit)", |     "githubPATLabel": "GitHub Personal Access Token (Increases Rate Limit)", | ||||||
|     "includePrereleases": "Include prereleases", |     "includePrereleases": "Include prereleases", | ||||||
|     "fallbackToOlderReleases": "Fallback to older releases", |     "fallbackToOlderReleases": "Fallback to older releases", | ||||||
|     "filterReleaseTitlesByRegEx": "Filter release titles by regular expression", |     "filterReleaseTitlesByRegEx": "Filter Release Titles by Regular Expression", | ||||||
|     "invalidRegEx": "Invalid regular expression", |     "invalidRegEx": "Invalid regular expression", | ||||||
|     "noDescription": "No description", |     "noDescription": "No description", | ||||||
|     "cancel": "Cancel", |     "cancel": "Cancel", | ||||||
|     "continue": "Continue", |     "continue": "Continue", | ||||||
|     "requiredInBrackets": "(required)", |     "requiredInBrackets": "(Required)", | ||||||
|     "dropdownNoOptsError": "ERROR: DROPDOWN MUST HAVE AT LEAST ONE OPT", |     "dropdownNoOptsError": "ERROR: DROPDOWN MUST HAVE AT LEAST ONE OPT", | ||||||
|     "colour": "Colour", |     "colour": "Colour", | ||||||
|     "standard": "Standard", |     "githubStarredRepos": "GitHub Starred Repos", | ||||||
|     "custom": "Custom", |  | ||||||
|     "useMaterialYou": "Use Material You", |  | ||||||
|     "githubStarredRepos": "GitHub starred repositories", |  | ||||||
|     "uname": "Username", |     "uname": "Username", | ||||||
|     "wrongArgNum": "Wrong number of arguments provided", |     "wrongArgNum": "Wrong number of arguments provided", | ||||||
|     "xIsTrackOnly": "{} is track-only", |     "xIsTrackOnly": "{} is Track-Only", | ||||||
|     "source": "Source", |     "source": "Source", | ||||||
|     "app": "App", |     "app": "App", | ||||||
|     "appsFromSourceAreTrackOnly": "Apps from this source are 'track-only'.", |     "appsFromSourceAreTrackOnly": "Apps from this source are 'Track-Only'.", | ||||||
|     "youPickedTrackOnly": "You have selected the 'track-only' option.", |     "youPickedTrackOnly": "You have selected the 'Track-Only' option.", | ||||||
|     "trackOnlyAppDescription": "The app will be tracked for updates, but Obtainium will not be able to download or install it.", |     "trackOnlyAppDescription": "The App will be tracked for updates, but Obtainium will not be able to download or install it.", | ||||||
|     "cancelled": "Cancelled", |     "cancelled": "Cancelled", | ||||||
|     "appAlreadyAdded": "App already added", |     "appAlreadyAdded": "App already added", | ||||||
|     "alreadyUpToDateQuestion": "App already up to date?", |     "alreadyUpToDateQuestion": "App Already up to Date?", | ||||||
|     "addApp": "Add app", |     "addApp": "Add App", | ||||||
|     "appSourceURL": "App source URL", |     "appSourceURL": "App Source URL", | ||||||
|     "error": "Error", |     "error": "Error", | ||||||
|     "add": "Add", |     "add": "Add", | ||||||
|     "searchSomeSourcesLabel": "Search (some sources only)", |     "searchSomeSourcesLabel": "Search (Some Sources Only)", | ||||||
|     "search": "Search", |     "search": "Search", | ||||||
|     "additionalOptsFor": "Additional options for {}", |     "additionalOptsFor": "Additional Options for {}", | ||||||
|     "supportedSources": "Supported sources", |     "supportedSources": "Supported Sources", | ||||||
|     "trackOnlyInBrackets": "(track-only)", |     "trackOnlyInBrackets": "(Track-Only)", | ||||||
|     "searchableInBrackets": "(searchable)", |     "searchableInBrackets": "(Searchable)", | ||||||
|     "appsString": "Apps", |     "appsString": "Apps", | ||||||
|     "noApps": "No apps", |     "noApps": "No Apps", | ||||||
|     "noAppsForFilter": "No apps for filter", |     "noAppsForFilter": "No Apps for Filter", | ||||||
|     "byX": "By {}", |     "byX": "By {}", | ||||||
|     "percentProgress": "Progress: {}%", |     "percentProgress": "Progress: {}%", | ||||||
|     "pleaseWait": "Please wait", |     "pleaseWait": "Please Wait", | ||||||
|     "updateAvailable": "Update available", |     "updateAvailable": "Update Available", | ||||||
|     "notInstalled": "Not installed", |     "notInstalled": "Not Installed", | ||||||
|     "pseudoVersion": "pseudo-version", |     "pseudoVersion": "pseudo-version", | ||||||
|     "selectAll": "Select all", |     "selectAll": "Select All", | ||||||
|     "deselectX": "Deselect {}", |     "deselectX": "Deselect {}", | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} will be removed from Obtainium but remain installed on device.", |     "xWillBeRemovedButRemainInstalled": "{} will be removed from Obtainium but remain installed on device.", | ||||||
|     "removeSelectedAppsQuestion": "Remove selected apps?", |     "removeSelectedAppsQuestion": "Remove Selected Apps?", | ||||||
|     "removeSelectedApps": "Remove selected apps", |     "removeSelectedApps": "Remove Selected Apps", | ||||||
|     "updateX": "Update {}", |     "updateX": "Update {}", | ||||||
|     "installX": "Install {}", |     "installX": "Install {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Mark {}\n(track-only)\nas updated", |     "markXTrackOnlyAsUpdated": "Mark {}\n(Track-Only)\nas Updated", | ||||||
|     "changeX": "Change {}", |     "changeX": "Change {}", | ||||||
|     "installUpdateApps": "Install/update apps", |     "installUpdateApps": "Install/Update Apps", | ||||||
|     "installUpdateSelectedApps": "Install/update selected apps", |     "installUpdateSelectedApps": "Install/Update Selected Apps", | ||||||
|     "markXSelectedAppsAsUpdated": "Mark {} selected apps as updated?", |     "markXSelectedAppsAsUpdated": "Mark {} Selected Apps as Updated?", | ||||||
|     "no": "No", |     "no": "No", | ||||||
|     "yes": "Yes", |     "yes": "Yes", | ||||||
|     "markSelectedAppsUpdated": "Mark selected apps as updated", |     "markSelectedAppsUpdated": "Mark Selected Apps as Updated", | ||||||
|     "pinToTop": "Pin to top", |     "pinToTop": "Pin to top", | ||||||
|     "unpinFromTop": "Unpin from top", |     "unpinFromTop": "Unpin from top", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Reset install status for selected apps?", |     "resetInstallStatusForSelectedAppsQuestion": "Reset Install Status for Selected Apps?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "The install status of any selected apps will be reset.\n\nThis can help when the app version shown in Obtainium is incorrect due to failed updates or other issues.", |     "installStatusOfXWillBeResetExplanation": "The install status of any selected Apps will be reset.\n\nThis can help when the App version shown in Obtainium is incorrect due to failed updates or other issues.", | ||||||
|     "customLinkMessage": "These links work on devices with Obtainium installed", |     "customLinkMessage": "These links work on devices with Obtainium installed", | ||||||
|     "shareAppConfigLinks": "Share app configuration as HTML link", |     "shareAppConfigLinks": "Share app configuration as HTML link", | ||||||
|     "shareSelectedAppURLs": "Share selected app URLs", |     "shareSelectedAppURLs": "Share Selected App URLs", | ||||||
|     "resetInstallStatus": "Reset install status", |     "resetInstallStatus": "Reset Install Status", | ||||||
|     "more": "More", |     "more": "More", | ||||||
|     "removeOutdatedFilter": "Remove out-of-date app filter", |     "removeOutdatedFilter": "Remove Out-of-Date App Filter", | ||||||
|     "showOutdatedOnly": "Show out-of-date apps only", |     "showOutdatedOnly": "Show Out-of-Date Apps Only", | ||||||
|     "filter": "Filter", |     "filter": "Filter", | ||||||
|     "filterApps": "Filter apps", |     "filterApps": "Filter Apps", | ||||||
|     "appName": "App name", |     "appName": "App Name", | ||||||
|     "author": "Author", |     "author": "Author", | ||||||
|     "upToDateApps": "Up to date apps", |     "upToDateApps": "Up to Date Apps", | ||||||
|     "nonInstalledApps": "Non-installed apps", |     "nonInstalledApps": "Non-Installed Apps", | ||||||
|     "importExport": "Import/export", |     "importExport": "Import/Export", | ||||||
|     "settings": "Settings", |     "settings": "Settings", | ||||||
|     "exportedTo": "Exported to {}", |     "exportedTo": "Exported to {}", | ||||||
|     "obtainiumExport": "Obtainium export", |     "obtainiumExport": "Obtainium Export", | ||||||
|     "invalidInput": "Invalid input", |     "invalidInput": "Invalid input", | ||||||
|     "importedX": "Imported {}", |     "importedX": "Imported {}", | ||||||
|     "obtainiumImport": "Obtainium import", |     "obtainiumImport": "Obtainium Import", | ||||||
|     "importFromURLList": "Import from URL list", |     "importFromURLList": "Import from URL List", | ||||||
|     "searchQuery": "Search query", |     "searchQuery": "Search Query", | ||||||
|     "appURLList": "App URL list", |     "appURLList": "App URL List", | ||||||
|     "line": "Line", |     "line": "Line", | ||||||
|     "searchX": "Search {}", |     "searchX": "Search {}", | ||||||
|     "noResults": "No results found", |     "noResults": "No results found", | ||||||
|     "importX": "Import {}", |     "importX": "Import {}", | ||||||
|     "importedAppsIdDisclaimer": "Imported apps may incorrectly show as \"not installed\".\nTo fix this, re-install them through Obtainium.\nThis should not affect app data.\n\nOnly affects URL and third-party import methods.", |     "importedAppsIdDisclaimer": "Imported Apps may incorrectly show as \"Not Installed\".\nTo fix this, re-install them through Obtainium.\nThis should not affect App data.\n\nOnly affects URL and third-party import methods.", | ||||||
|     "importErrors": "Import errors", |     "importErrors": "Import Errors", | ||||||
|     "importedXOfYApps": "{} of {} apps imported.", |     "importedXOfYApps": "{} of {} Apps imported.", | ||||||
|     "followingURLsHadErrors": "The following URLs had errors:", |     "followingURLsHadErrors": "The following URLs had errors:", | ||||||
|     "selectURL": "Select URL", |     "selectURL": "Select URL", | ||||||
|     "selectURLs": "Select URLs", |     "selectURLs": "Select URLs", | ||||||
| @@ -112,26 +109,25 @@ | |||||||
|     "theme": "Theme", |     "theme": "Theme", | ||||||
|     "dark": "Dark", |     "dark": "Dark", | ||||||
|     "light": "Light", |     "light": "Light", | ||||||
|     "followSystem": "Follow system", |     "followSystem": "Follow System", | ||||||
|     "followSystemThemeExplanation": "Following system theme is possible only by using third-party applications", |  | ||||||
|     "useBlackTheme": "Use pure black dark theme", |     "useBlackTheme": "Use pure black dark theme", | ||||||
|     "appSortBy": "App sort by", |     "appSortBy": "App Sort By", | ||||||
|     "authorName": "Author/name", |     "authorName": "Author/Name", | ||||||
|     "nameAuthor": "Name/author", |     "nameAuthor": "Name/Author", | ||||||
|     "asAdded": "As added", |     "asAdded": "As Added", | ||||||
|     "appSortOrder": "App sort order", |     "appSortOrder": "App Sort Order", | ||||||
|     "ascending": "Ascending", |     "ascending": "Ascending", | ||||||
|     "descending": "Descending", |     "descending": "Descending", | ||||||
|     "bgUpdateCheckInterval": "Background update checking interval", |     "bgUpdateCheckInterval": "Background Update Checking Interval", | ||||||
|     "neverManualOnly": "Never - manual only", |     "neverManualOnly": "Never - Manual Only", | ||||||
|     "appearance": "Appearance", |     "appearance": "Appearance", | ||||||
|     "showWebInAppView": "Show source webpage in app view", |     "showWebInAppView": "Show Source webpage in App view", | ||||||
|     "pinUpdates": "Pin updates to top of apps view", |     "pinUpdates": "Pin updates to top of Apps view", | ||||||
|     "updates": "Updates", |     "updates": "Updates", | ||||||
|     "sourceSpecific": "Source-specific", |     "sourceSpecific": "Source-Specific", | ||||||
|     "appSource": "App source", |     "appSource": "App Source", | ||||||
|     "noLogs": "No logs", |     "noLogs": "No Logs", | ||||||
|     "appLogs": "App logs", |     "appLogs": "App Logs", | ||||||
|     "close": "Close", |     "close": "Close", | ||||||
|     "share": "Share", |     "share": "Share", | ||||||
|     "appNotFound": "App not found", |     "appNotFound": "App not found", | ||||||
| @@ -141,205 +137,171 @@ | |||||||
|     "deviceSupportsXArch": "Your device supports the {} CPU architecture.", |     "deviceSupportsXArch": "Your device supports the {} CPU architecture.", | ||||||
|     "deviceSupportsFollowingArchs": "Your device supports the following CPU architectures:", |     "deviceSupportsFollowingArchs": "Your device supports the following CPU architectures:", | ||||||
|     "warning": "Warning", |     "warning": "Warning", | ||||||
|     "sourceIsXButPackageFromYPrompt": "The app source is '{}' but the release package comes from '{}'. Continue?", |     "sourceIsXButPackageFromYPrompt": "The App source is '{}' but the release package comes from '{}'. Continue?", | ||||||
|     "updatesAvailable": "Updates available", |     "updatesAvailable": "Updates Available", | ||||||
|     "updatesAvailableNotifDescription": "Notifies the user that updates are available for one or more apps tracked by Obtainium", |     "updatesAvailableNotifDescription": "Notifies the user that updates are available for one or more Apps tracked by Obtainium", | ||||||
|     "noNewUpdates": "No new updates.", |     "noNewUpdates": "No new updates.", | ||||||
|     "xHasAnUpdate": "{} has an update.", |     "xHasAnUpdate": "{} has an update.", | ||||||
|     "appsUpdated": "Apps updated", |     "appsUpdated": "Apps Updated", | ||||||
|     "appsNotUpdated": "Failed to update applications", |     "appsUpdatedNotifDescription": "Notifies the user that updates to one or more Apps were applied in the background", | ||||||
|     "appsUpdatedNotifDescription": "Notifies the user that updates to one or more apps were applied in the background", |  | ||||||
|     "xWasUpdatedToY": "{} was updated to {}.", |     "xWasUpdatedToY": "{} was updated to {}.", | ||||||
|     "xWasNotUpdatedToY": "Failed to update {} to {}.", |     "errorCheckingUpdates": "Error Checking for Updates", | ||||||
|     "errorCheckingUpdates": "Error checking for updates", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "A notification that shows when background update checking fails", |     "errorCheckingUpdatesNotifDescription": "A notification that shows when background update checking fails", | ||||||
|     "appsRemoved": "Apps removed", |     "appsRemoved": "Apps Removed", | ||||||
|     "appsRemovedNotifDescription": "Notifies the user that one or more apps were removed due to errors while loading them", |     "appsRemovedNotifDescription": "Notifies the user that one or more Apps were removed due to errors while loading them", | ||||||
|     "xWasRemovedDueToErrorY": "{} was removed due to this error: {}", |     "xWasRemovedDueToErrorY": "{} was removed due to this error: {}", | ||||||
|     "completeAppInstallation": "Complete app installation", |     "completeAppInstallation": "Complete App Installation", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium must be open to install apps", |     "obtainiumMustBeOpenToInstallApps": "Obtainium must be open to install Apps", | ||||||
|     "completeAppInstallationNotifDescription": "Asks the user to return to Obtainium to finish installing an app", |     "completeAppInstallationNotifDescription": "Asks the user to return to Obtainium to finish installing an App", | ||||||
|     "checkingForUpdates": "Checking for updates", |     "checkingForUpdates": "Checking for Updates", | ||||||
|     "checkingForUpdatesNotifDescription": "Transient notification that appears when checking for updates", |     "checkingForUpdatesNotifDescription": "Transient notification that appears when checking for updates", | ||||||
|     "pleaseAllowInstallPerm": "Please allow Obtainium to install apps", |     "pleaseAllowInstallPerm": "Please allow Obtainium to install Apps", | ||||||
|     "trackOnly": "Track-only", |     "trackOnly": "Track-Only", | ||||||
|     "errorWithHttpStatusCode": "Error {}", |     "errorWithHttpStatusCode": "Error {}", | ||||||
|     "versionCorrectionDisabled": "Version correction disabled (plugin doesn't seem to work)", |     "versionCorrectionDisabled": "Version correction disabled (plugin doesn't seem to work)", | ||||||
|     "unknown": "Unknown", |     "unknown": "Unknown", | ||||||
|     "none": "None", |     "none": "None", | ||||||
|     "all": "All", |  | ||||||
|     "never": "Never", |     "never": "Never", | ||||||
|     "latestVersionX": "Latest: {}", |     "latestVersionX": "Latest: {}", | ||||||
|     "installedVersionX": "Installed: {}", |     "installedVersionX": "Installed: {}", | ||||||
|     "lastUpdateCheckX": "Last update check: {}", |     "lastUpdateCheckX": "Last Update Check: {}", | ||||||
|     "remove": "Remove", |     "remove": "Remove", | ||||||
|     "yesMarkUpdated": "Yes, mark as updated", |     "yesMarkUpdated": "Yes, Mark as Updated", | ||||||
|     "fdroid": "F-Droid official", |     "fdroid": "F-Droid Official", | ||||||
|     "appIdOrName": "App ID or name", |     "appIdOrName": "App ID or Name", | ||||||
|     "appId": "App ID", |     "appId": "App ID", | ||||||
|     "appWithIdOrNameNotFound": "No app was found with that ID or name", |     "appWithIdOrNameNotFound": "No App was found with that ID or Name", | ||||||
|     "reposHaveMultipleApps": "Repos may contain multiple apps", |     "reposHaveMultipleApps": "Repos may contain multiple Apps", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid third-party repo", |     "fdroidThirdPartyRepo": "F-Droid Third-Party Repo", | ||||||
|  |     "steamMobile": "Steam Mobile", | ||||||
|  |     "steamChat": "Steam Chat", | ||||||
|     "install": "Install", |     "install": "Install", | ||||||
|     "markInstalled": "Mark installed", |     "markInstalled": "Mark Installed", | ||||||
|     "update": "Update", |     "update": "Update", | ||||||
|     "markUpdated": "Mark updated", |     "markUpdated": "Mark Updated", | ||||||
|     "additionalOptions": "Additional options", |     "additionalOptions": "Additional Options", | ||||||
|     "disableVersionDetection": "Disable version detection", |     "disableVersionDetection": "Disable Version Detection", | ||||||
|     "noVersionDetectionExplanation": "This option should only be used for apps where version detection does not work correctly.", |     "noVersionDetectionExplanation": "This option should only be used for Apps where version detection does not work correctly.", | ||||||
|     "downloadingX": "Downloading {}", |     "downloadingX": "Downloading {}", | ||||||
|     "downloadX": "Download {}", |     "downloadNotifDescription": "Notifies the user of the progress in downloading an App", | ||||||
|     "downloadedX": "Downloaded {}", |  | ||||||
|     "releaseAsset": "Release asset", |  | ||||||
|     "downloadNotifDescription": "Notifies the user of the progress in downloading an app", |  | ||||||
|     "noAPKFound": "No APK found", |     "noAPKFound": "No APK found", | ||||||
|     "noVersionDetection": "No version detection", |     "noVersionDetection": "No version detection", | ||||||
|     "categorize": "Categorize", |     "categorize": "Categorize", | ||||||
|     "categories": "Categories", |     "categories": "Categories", | ||||||
|     "category": "Category", |     "category": "Category", | ||||||
|     "noCategory": "No category", |     "noCategory": "No Category", | ||||||
|     "noCategories": "No categories", |     "noCategories": "No Categories", | ||||||
|     "deleteCategoriesQuestion": "Delete categories?", |     "deleteCategoriesQuestion": "Delete Categories?", | ||||||
|     "categoryDeleteWarning": "All apps in deleted categories will be set to uncategorized.", |     "categoryDeleteWarning": "All Apps in deleted categories will be set to uncategorized.", | ||||||
|     "addCategory": "Add category", |     "addCategory": "Add Category", | ||||||
|     "label": "Label", |     "label": "Label", | ||||||
|     "language": "Language", |     "language": "Language", | ||||||
|     "copiedToClipboard": "Copied to clipboard", |     "copiedToClipboard": "Copied to Clipboard", | ||||||
|     "storagePermissionDenied": "Storage permission denied", |     "storagePermissionDenied": "Storage permission denied", | ||||||
|     "selectedCategorizeWarning": "This will replace any existing category settings for the selected apps.", |     "selectedCategorizeWarning": "This will replace any existing category settings for the selected Apps.", | ||||||
|     "filterAPKsByRegEx": "Filter APKs by regular expression", |     "filterAPKsByRegEx": "Filter APKs by Regular Expression", | ||||||
|     "removeFromObtainium": "Remove from Obtainium", |     "removeFromObtainium": "Remove from Obtainium", | ||||||
|     "uninstallFromDevice": "Uninstall from device", |     "uninstallFromDevice": "Uninstall from Device", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Only works for apps with version detection disabled.", |     "onlyWorksWithNonVersionDetectApps": "Only works for Apps with version detection disabled.", | ||||||
|     "releaseDateAsVersion": "Use release date as version string", |     "releaseDateAsVersion": "Use release date as version string", | ||||||
|     "releaseTitleAsVersion": "Use release title as version string", |     "releaseDateAsVersionExplanation": "This option should only be used for Apps where version detection does not work correctly, but a release date is available.", | ||||||
|     "releaseDateAsVersionExplanation": "This option should only be used for apps where version detection does not work correctly, but a release date is available.", |  | ||||||
|     "changes": "Changes", |     "changes": "Changes", | ||||||
|     "releaseDate": "Release date", |     "releaseDate": "Release Date", | ||||||
|     "importFromURLsInFile": "Import from URLs in file (like OPML)", |     "importFromURLsInFile": "Import from URLs in File (like OPML)", | ||||||
|     "versionDetectionExplanation": "Reconcile version string with version detected from OS", |     "versionDetectionExplanation": "Reconcile version string with version detected from OS", | ||||||
|     "versionDetection": "Version detection", |     "versionDetection": "Version Detection", | ||||||
|     "standardVersionDetection": "Standard version detection", |     "standardVersionDetection": "Standard version detection", | ||||||
|     "groupByCategory": "Group by category", |     "groupByCategory": "Group by Category", | ||||||
|     "autoApkFilterByArch": "Attempt to filter APKs by CPU architecture if possible", |     "autoApkFilterByArch": "Attempt to filter APKs by CPU architecture if possible", | ||||||
|     "autoLinkFilterByArch": "Attempt to filter links by CPU architecture if possible", |     "overrideSource": "Override Source", | ||||||
|     "overrideSource": "Override source", |  | ||||||
|     "dontShowAgain": "Don't show this again", |     "dontShowAgain": "Don't show this again", | ||||||
|     "dontShowTrackOnlyWarnings": "Don't show 'track-only' warnings", |     "dontShowTrackOnlyWarnings": "Don't show 'Track-Only' warnings", | ||||||
|     "dontShowAPKOriginWarnings": "Don't show APK origin warnings", |     "dontShowAPKOriginWarnings": "Don't show APK origin warnings", | ||||||
|     "moveNonInstalledAppsToBottom": "Move non-installed apps to bottom of apps view", |     "moveNonInstalledAppsToBottom": "Move non-installed Apps to bottom of Apps view", | ||||||
|     "gitlabPATLabel": "GitLab personal access token", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "about": "About", |     "about": "About", | ||||||
|     "requiresCredentialsInSettings": "{} needs additional credentials (in Settings)", |     "requiresCredentialsInSettings": "{} needs additional credentials (in Settings)", | ||||||
|     "checkOnStart": "Check for updates on startup", |     "checkOnStart": "Check for updates on startup", | ||||||
|     "tryInferAppIdFromCode": "Try inferring app ID from source code", |     "tryInferAppIdFromCode": "Try inferring App ID from source code", | ||||||
|     "removeOnExternalUninstall": "Automatically remove externally uninstalled apps", |     "removeOnExternalUninstall": "Automatically remove externally uninstalled Apps", | ||||||
|     "pickHighestVersionCode": "Auto-select highest version code APK", |     "pickHighestVersionCode": "Auto-select highest version code APK", | ||||||
|     "checkUpdateOnDetailPage": "Check for updates on opening an app detail page", |     "checkUpdateOnDetailPage": "Check for updates on opening an App detail page", | ||||||
|     "disablePageTransitions": "Disable page transition animations", |     "disablePageTransitions": "Disable page transition animations", | ||||||
|     "reversePageTransitions": "Reverse page transition animations", |     "reversePageTransitions": "Reverse page transition animations", | ||||||
|     "minStarCount": "Minimum star count", |     "minStarCount": "Minimum Star Count", | ||||||
|     "addInfoBelow": "Add this info below.", |     "addInfoBelow": "Add this info below.", | ||||||
|     "addInfoInSettings": "Add this info in the Settings.", |     "addInfoInSettings": "Add this info in the Settings.", | ||||||
|     "githubSourceNote": "GitHub rate limiting can be avoided using an API key.", |     "githubSourceNote": "GitHub rate limiting can be avoided using an API key.", | ||||||
|     "sortByLastLinkSegment": "Sort by only the last segment of the link", |     "sortByLastLinkSegment": "Sort by only the last segment of the link", | ||||||
|     "filterReleaseNotesByRegEx": "Filter release notes by regular expression", |     "filterReleaseNotesByRegEx": "Filter Release Notes by Regular Expression", | ||||||
|     "customLinkFilterRegex": "Custom APK link filter by regular expression (default '.apk$')", |     "customLinkFilterRegex": "Custom APK Link Filter by Regular Expression (Default '.apk$')", | ||||||
|     "appsPossiblyUpdated": "App updates attempted", |     "appsPossiblyUpdated": "App Updates Attempted", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Notifies the user that updates to one or more apps were potentially applied in the background", |     "appsPossiblyUpdatedNotifDescription": "Notifies the user that updates to one or more Apps were potentially applied in the background", | ||||||
|     "xWasPossiblyUpdatedToY": "{} may have been updated to {}.", |     "xWasPossiblyUpdatedToY": "{} may have been updated to {}.", | ||||||
|     "enableBackgroundUpdates": "Enable background updates", |     "enableBackgroundUpdates": "Enable background updates", | ||||||
|     "backgroundUpdateReqsExplanation": "Background updates may not be possible for all apps.", |     "backgroundUpdateReqsExplanation": "Background updates may not be possible for all apps.", | ||||||
|     "backgroundUpdateLimitsExplanation": "The success of a background install can only be determined when Obtainium is opened.", |     "backgroundUpdateLimitsExplanation": "The success of a background install can only be determined when Obtainium is opened.", | ||||||
|     "verifyLatestTag": "Verify the 'latest' tag", |     "verifyLatestTag": "Verify the 'latest' tag", | ||||||
|     "intermediateLinkRegex": "Filter for an 'intermediate' link to visit", |     "intermediateLinkRegex": "Filter for an 'Intermediate' Link to Visit", | ||||||
|     "filterByLinkText": "Filter links by link text", |     "filterByLinkText": "Filter links by link text", | ||||||
|     "matchLinksOutsideATags": "Match links outside <a> tags", |  | ||||||
|     "intermediateLinkNotFound": "Intermediate link not found", |     "intermediateLinkNotFound": "Intermediate link not found", | ||||||
|     "intermediateLink": "Intermediate link", |     "intermediateLink": "Intermediate link", | ||||||
|     "exemptFromBackgroundUpdates": "Exempt from background updates (if enabled)", |     "exemptFromBackgroundUpdates": "Exempt from background updates (if enabled)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Disable background updates when not on Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Disable background updates when not on WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Disable background updates when not charging", |  | ||||||
|     "autoSelectHighestVersionCode": "Auto-select highest versionCode APK", |     "autoSelectHighestVersionCode": "Auto-select highest versionCode APK", | ||||||
|     "versionExtractionRegEx": "Version string extraction RegEx", |     "versionExtractionRegEx": "Version String Extraction RegEx", | ||||||
|     "trimVersionString": "Trim version string with RegEx", |     "matchGroupToUse": "Match Group to Use for Version String Extraction Regex", | ||||||
|     "matchGroupToUseForX": "Match group to use for \"{}\"", |  | ||||||
|     "matchGroupToUse": "Match group to use for version string extraction RegEx", |  | ||||||
|     "highlightTouchTargets": "Highlight less obvious touch targets", |     "highlightTouchTargets": "Highlight less obvious touch targets", | ||||||
|     "pickExportDir": "Pick export directory", |     "pickExportDir": "Pick Export Directory", | ||||||
|     "autoExportOnChanges": "Automatically export on changes", |     "autoExportOnChanges": "Auto-export on changes", | ||||||
|     "includeSettings": "Include settings", |     "includeSettings": "Include settings", | ||||||
|     "filterVersionsByRegEx": "Filter versions by regular expression", |     "filterVersionsByRegEx": "Filter Versions by Regular Expression", | ||||||
|     "trySelectingSuggestedVersionCode": "Try selecting suggested versionCode APK", |     "trySelectingSuggestedVersionCode": "Try selecting suggested versionCode APK", | ||||||
|     "dontSortReleasesList": "Retain release order from API", |     "dontSortReleasesList": "Retain release order from API", | ||||||
|     "reverseSort": "Reverse sorting", |     "reverseSort": "Reverse sorting", | ||||||
|     "takeFirstLink": "Take first link", |     "takeFirstLink": "Take first link", | ||||||
|     "skipSort": "Skip sorting", |     "skipSort": "Skip sorting", | ||||||
|     "debugMenu": "Debug menu", |     "debugMenu": "Debug Menu", | ||||||
|     "bgTaskStarted": "Background task started - check logs.", |     "bgTaskStarted": "Background task started - check logs.", | ||||||
|     "runBgCheckNow": "Run background update check now", |     "runBgCheckNow": "Run Background Update Check Now", | ||||||
|     "versionExtractWholePage": "Apply version string extraction Regex to entire page", |     "versionExtractWholePage": "Apply version string extraction Regex to entire page", | ||||||
|     "installing": "Installing", |     "installing": "Installing", | ||||||
|     "skipUpdateNotifications": "Skip update notifications", |     "skipUpdateNotifications": "Skip update notifications", | ||||||
|     "updatesAvailableNotifChannel": "Updates available", |     "updatesAvailableNotifChannel": "Updates Available", | ||||||
|     "appsUpdatedNotifChannel": "Apps updated", |     "appsUpdatedNotifChannel": "Apps Updated", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "App updates attempted", |     "appsPossiblyUpdatedNotifChannel": "App Updates Attempted", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Error checking for updates", |     "errorCheckingUpdatesNotifChannel": "Error Checking for Updates", | ||||||
|     "appsRemovedNotifChannel": "Apps removed", |     "appsRemovedNotifChannel": "Apps Removed", | ||||||
|     "downloadingXNotifChannel": "Downloading {}", |     "downloadingXNotifChannel": "Downloading {}", | ||||||
|     "completeAppInstallationNotifChannel": "Complete app installation", |     "completeAppInstallationNotifChannel": "Complete App Installation", | ||||||
|     "checkingForUpdatesNotifChannel": "Checking for updates", |     "checkingForUpdatesNotifChannel": "Checking for Updates", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Only check installed and track-only apps for updates", |     "onlyCheckInstalledOrTrackOnlyApps": "Only check installed and Track-Only apps for updates", | ||||||
|     "supportFixedAPKURL": "Support fixed APK URLs", |     "supportFixedAPKURL": "Support fixed APK URLs", | ||||||
|     "selectX": "Select {}", |     "selectX": "Select {}", | ||||||
|     "parallelDownloads": "Allow parallel downloads", |     "parallelDownloads": "Allow parallel downloads", | ||||||
|     "useShizuku": "Use Shizuku or Sui to install", |     "installMethod": "Installation method", | ||||||
|     "shizukuBinderNotFound": "Shizuku service not running", |     "normal": "Normal", | ||||||
|     "shizukuOld": "Old Shizuku version (<11) - update it", |     "root": "Root", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku running on Android < 8.1 with ADB - update Android or use Sui instead", |     "shizukuBinderNotFound": "Сompatible Shizuku service wasn't found", | ||||||
|     "shizukuPretendToBeGooglePlay": "Set Google Play as the installation source (if Shizuku is used)", |  | ||||||
|     "useSystemFont": "Use the system font", |     "useSystemFont": "Use the system font", | ||||||
|  |     "systemFontError": "Error loading the system font: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Use app versionCode as OS-detected version", |     "useVersionCodeAsOSVersion": "Use app versionCode as OS-detected version", | ||||||
|     "requestHeader": "Request header", |     "requestHeader": "Request header", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Use latest asset upload as release date", |     "useLatestAssetDateAsReleaseDate": "Use latest asset upload as release date", | ||||||
|     "defaultPseudoVersioningMethod": "Default pseudo-versioning method", |     "defaultPseudoVersioningMethod": "Default Pseudo-Versioning Method", | ||||||
|     "partialAPKHash": "Partial APK hash", |     "partialAPKHash": "Partial APK Hash", | ||||||
|     "APKLinkHash": "APK link hash", |     "APKLinkHash": "APK Link Hash", | ||||||
|     "directAPKLink": "Direct APK link", |     "directAPKLink": "Direct APK Link", | ||||||
|     "pseudoVersionInUse": "A pseudo-version is in use", |     "pseudoVersionInUse": "A Pseudo-Version is in Use", | ||||||
|     "installed": "Installed", |     "installed": "Installed", | ||||||
|     "latest": "Latest", |     "latest": "Latest", | ||||||
|     "invertRegEx": "Invert regular expression", |     "invertRegEx": "Invert regular expression", | ||||||
|     "note": "Note", |     "note": "Note", | ||||||
|     "selfHostedNote": "The \"{}\" dropdown can be used to reach self-hosted/custom instances of any source.", |     "selfHostedNote": "The \"{}\" dropdown can be used to reach self-hosted/custom instances of any source.", | ||||||
|     "badDownload": "The APK could not be parsed (incompatible or partial download)", |     "badDownload": "The APK could not be parsed (incompatible or partial download)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Share new apps with AppVerifier (if available)", |  | ||||||
|     "appVerifierInstructionToast": "Share to AppVerifier, then return here when ready.", |  | ||||||
|     "wiki": "Help/wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Crowdsourced app configurations (use at your own risk)", |  | ||||||
|     "crowdsourcedConfigsShort": "Crowdsourced app configurations", |  | ||||||
|     "allowInsecure": "Allow insecure HTTP requests", |  | ||||||
|     "stayOneVersionBehind": "Stay one version behind latest", |  | ||||||
|     "useFirstApkOfVersion": "Auto-select first of multiple APKs", |  | ||||||
|     "refreshBeforeDownload": "Refresh app details before download", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Name", |  | ||||||
|     "smartname": "Name (smart)", |  | ||||||
|     "sortMethod": "Sort method", |  | ||||||
|     "welcome": "Welcome", |  | ||||||
|     "documentationLinksNote": "The Obtainium GitHub page linked below contains links to videos, articles, discussions, and other resources that will help you understand how to use the app.", |  | ||||||
|     "batteryOptimizationNote": "Note that background downloads may work more reliably if you switch to the \"foreground service\" in the Obtainium settings and/or disable battery optimization for Obtainium in your OS settings.", |  | ||||||
|     "fileDeletionError": "Failed to delete file (try deleting it manually then try again): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Use a foreground service for update checking (more reliable, consumes more power)", |  | ||||||
|     "fgServiceNotice": "This notification is required for background update checking (it can be hidden in the OS settings)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Remove app?", |         "one": "Remove App?", | ||||||
|         "other": "Remove apps?" |         "other": "Remove Apps?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Too many requests (rate limited) - try again in {} minute", |         "one": "Too many requests (rate limited) - try again in {} minute", | ||||||
| @@ -362,16 +324,16 @@ | |||||||
|         "other": "{} URLs" |         "other": "{} URLs" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} minute", |         "one": "{} Minute", | ||||||
|         "other": "{} minutes" |         "other": "{} Minutes" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} hour", |         "one": "{} Hour", | ||||||
|         "other": "{} hours" |         "other": "{} Hours" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} day", |         "one": "{} Day", | ||||||
|         "other": "{} days" |         "other": "{} Days" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Cleared {n} log (before = {before}, after = {after})", |         "one": "Cleared {n} log (before = {before}, after = {after})", | ||||||
| @@ -385,10 +347,6 @@ | |||||||
|         "one": "{} and 1 more app was updated.", |         "one": "{} and 1 more app was updated.", | ||||||
|         "other": "{} and {} more apps were updated." |         "other": "{} and {} more apps were updated." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Failed to update {} and 1 more app.", |  | ||||||
|         "other": "Failed to update {} and {} more apps." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} and 1 more app may have been updated.", |         "one": "{} and 1 more app may have been updated.", | ||||||
|         "other": "{} and {} more apps may have been updated." |         "other": "{} and {} more apps may have been updated." | ||||||
|   | |||||||
| @@ -1,15 +1,15 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "El URL de la aplicación {} no es válido", |     "invalidURLForSource": "URL de la aplicación {} no es válida", | ||||||
|     "noReleaseFound": "No se ha encontrado una versión válida", |     "noReleaseFound": "No se ha podido encontrar una versión válida", | ||||||
|     "noVersionFound": "No se ha podido determinar la versión", |     "noVersionFound": "No se ha podido determinar la versión", | ||||||
|     "urlMatchesNoSource": "El URL no coincide con ninguna fuente conocida", |     "urlMatchesNoSource": "La URL no coincide con ninguna fuente conocida", | ||||||
|     "cantInstallOlderVersion": "No se puede instalar una versión previa de la aplicación", |     "cantInstallOlderVersion": "No se puede instalar una versión previa de la aplicación", | ||||||
|     "appIdMismatch": "El ID del paquete descargado no coincide con el ID de la aplicación instalada", |     "appIdMismatch": "La ID del paquete descargado no coincide con la ID de la aplicación instalada", | ||||||
|     "functionNotImplemented": "Esta clase no ha implementado esta función", |     "functionNotImplemented": "Esta clase no ha implementado esta función", | ||||||
|     "placeholder": "Espacio reservado", |     "placeholder": "Espacio reservado", | ||||||
|     "someErrors": "Han ocurrido algunos errores", |     "someErrors": "Han ocurrido algunos errores", | ||||||
|     "unexpectedError": "Error inesperado", |     "unexpectedError": "Error inesperado", | ||||||
|     "ok": "Aceptar", |     "ok": "OK", | ||||||
|     "and": "y", |     "and": "y", | ||||||
|     "githubPATLabel": "Token de acceso personal a GitHub\n(reduce tiempos de espera)", |     "githubPATLabel": "Token de acceso personal a GitHub\n(reduce tiempos de espera)", | ||||||
|     "includePrereleases": "Incluir versiones preliminares", |     "includePrereleases": "Incluir versiones preliminares", | ||||||
| @@ -21,91 +21,88 @@ | |||||||
|     "continue": "Continuar", |     "continue": "Continuar", | ||||||
|     "requiredInBrackets": "(Requerido)", |     "requiredInBrackets": "(Requerido)", | ||||||
|     "dropdownNoOptsError": "ERROR: EL DESPLEGABLE DEBE TENER AL MENOS UNA OPCIÓN", |     "dropdownNoOptsError": "ERROR: EL DESPLEGABLE DEBE TENER AL MENOS UNA OPCIÓN", | ||||||
|     "colour": "color", |     "colour": "Color", | ||||||
|     "standard": "Estándar", |     "githubStarredRepos": "Repositorios favoritos en GitHub", | ||||||
|     "custom": "A medida", |  | ||||||
|     "useMaterialYou": "Aplicar 'Material You'", |  | ||||||
|     "githubStarredRepos": "repositorios favoritos en GitHub", |  | ||||||
|     "uname": "Nombre de usuario", |     "uname": "Nombre de usuario", | ||||||
|     "wrongArgNum": "Número de argumentos provistos inválido", |     "wrongArgNum": "Número de argumentos provistos inválido", | ||||||
|     "xIsTrackOnly": "{} es de 'sólo seguimiento'", |     "xIsTrackOnly": "{} es de 'sólo seguimiento'", | ||||||
|     "source": "origen", |     "source": "Origen", | ||||||
|     "app": "Aplicación", |     "app": "Aplicación", | ||||||
|     "appsFromSourceAreTrackOnly": "Las aplicaciones de este origen son solo para seguimiento.", |     "appsFromSourceAreTrackOnly": "Las aplicaciones de este origen son de 'solo seguimiento'.", | ||||||
|     "youPickedTrackOnly": "Debe seleccionar la opción de 'solo para seguimiento'.", |     "youPickedTrackOnly": "Debe seleccionar la opción de 'solo seguimiento'.", | ||||||
|     "trackOnlyAppDescription": "Se hará el seguimiento de actualizaciones para la aplicación, pero Obtainium no será capaz de descargar o actualizarla.", |     "trackOnlyAppDescription": "Se hará el seguimiento de actualizaciones para la aplicación, pero Obtainium no será capaz de descargar o actualizarla.", | ||||||
|     "cancelled": "Cancelado", |     "cancelled": "Cancelado", | ||||||
|     "appAlreadyAdded": "Aplicación añadida anteriormente", |     "appAlreadyAdded": "Aplicación añadida anteriormente", | ||||||
|     "alreadyUpToDateQuestion": "¿Aplicación actualizada previamente?", |     "alreadyUpToDateQuestion": "¿Aplicación actualizada previamente?", | ||||||
|     "addApp": "Añadir aplicación", |     "addApp": "Añadir Aplicación", | ||||||
|     "appSourceURL": "URL origen de la aplicación", |     "appSourceURL": "URL de origen de la aplicación", | ||||||
|     "error": "Error", |     "error": "Error", | ||||||
|     "add": "Añadir", |     "add": "Añadir", | ||||||
|     "searchSomeSourcesLabel": "Buscar (solo algunas fuentes)", |     "searchSomeSourcesLabel": "Buscar (solo algunas fuentes)", | ||||||
|     "search": "Buscar", |     "search": "Buscar", | ||||||
|     "additionalOptsFor": "Opciones adicionales para {}", |     "additionalOptsFor": "Opciones Adicionales para {}", | ||||||
|     "supportedSources": "Fuentes admitidas", |     "supportedSources": "Fuentes Soportadas", | ||||||
|     "trackOnlyInBrackets": "(Solo para seguimiento)", |     "trackOnlyInBrackets": "(Solo seguimiento)", | ||||||
|     "searchableInBrackets": "(permite búsqueda)", |     "searchableInBrackets": "(soporta búsqueda)", | ||||||
|     "appsString": "Aplicaciones", |     "appsString": "Aplicaciones", | ||||||
|     "noApps": "Sin Aplicaciones", |     "noApps": "Sin Aplicaciones", | ||||||
|     "noAppsForFilter": "Sin aplicaciones para filtrar", |     "noAppsForFilter": "Sin aplicaciones para filtrar", | ||||||
|     "byX": "por: {}", |     "byX": "por: {}", | ||||||
|     "percentProgress": "Progreso: {} %", |     "percentProgress": "Progreso: {}%", | ||||||
|     "pleaseWait": "Espere...", |     "pleaseWait": "Por favor, espere", | ||||||
|     "updateAvailable": "Actualización disponible", |     "updateAvailable": "Actualización Disponible", | ||||||
|     "notInstalled": "No instalado", |     "notInstalled": "No Instalado", | ||||||
|     "pseudoVersion": "pseudoversión", |     "pseudoVersion": "pseudoversión", | ||||||
|     "selectAll": "Seleccionar todo", |     "selectAll": "Seleccionar Todo", | ||||||
|     "deselectX": "Deseleccionar {}", |     "deselectX": "Deseleccionar {}", | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} se eliminará de Obtainium pero continuará instalada en el dispositivo.", |     "xWillBeRemovedButRemainInstalled": "{} será eliminada de Obtainium pero continuará instalada en el dispositivo.", | ||||||
|     "removeSelectedAppsQuestion": "¿Eliminar aplicaciones seleccionadas?", |     "removeSelectedAppsQuestion": "¿Eliminar aplicaciones seleccionadas?", | ||||||
|     "removeSelectedApps": "Eliminar aplicaciones seleccionadas", |     "removeSelectedApps": "Eliminar Aplicaciones Seleccionadas", | ||||||
|     "updateX": "Actualizar {}", |     "updateX": "Actualizar {}", | ||||||
|     "installX": "Instalar {}", |     "installX": "Instalar {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Marcar {}\n(solo para seguimiento)\ncomo actualizada", |     "markXTrackOnlyAsUpdated": "Marcar {}\n(Solo seguimiento)\ncomo actualizada", | ||||||
|     "changeX": "Cambiar {}", |     "changeX": "Cambiar {}", | ||||||
|     "installUpdateApps": "Instalar/actualizar aplicaciones", |     "installUpdateApps": "Instalar/Actualizar aplicaciones", | ||||||
|     "installUpdateSelectedApps": "Instalar/actualizar aplicaciones seleccionadas", |     "installUpdateSelectedApps": "Instalar/Actualizar aplicaciones seleccionadas", | ||||||
|     "markXSelectedAppsAsUpdated": "¿Marcar {} aplicaciones seleccionadas como actualizadas?", |     "markXSelectedAppsAsUpdated": "¿Marcar {} aplicaciones seleccionadas como actualizadas?", | ||||||
|     "no": "No", |     "no": "No", | ||||||
|     "yes": "Sí", |     "yes": "Sí", | ||||||
|     "markSelectedAppsUpdated": "Marcar actualizadas las apps seleccionadas", |     "markSelectedAppsUpdated": "Marcar aplicaciones seleccionadas como actualizadas", | ||||||
|     "pinToTop": "Anclar al principio", |     "pinToTop": "Fijar arriba", | ||||||
|     "unpinFromTop": "Desanclar del principio", |     "unpinFromTop": "Desfijar de arriba", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "¿Restuarar estado de instalación para las aplicaciones seleccionadas?", |     "resetInstallStatusForSelectedAppsQuestion": "¿Restuarar estado de instalación para las aplicaciones seleccionadas?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "Se restaurará el estado de instalación de las aplicaciones seleccionadas.\n\nEsto puede ser de útil cuando la versión de la aplicación mostrada en Obtainium es incorrecta por actualizaciones fallidas u otros motivos.", |     "installStatusOfXWillBeResetExplanation": "Se restaurará el estado de instalación de las aplicaciones seleccionadas.\n\nEsto puede ser de útil cuando la versión de la aplicación mostrada en Obtainium es incorrecta por actualizaciones fallidas u otros motivos.", | ||||||
|     "customLinkMessage": "Estos enlaces funcionan en dispositivos con Obtainium instalado", |     "customLinkMessage": "Estos enlaces funcionan en dispositivos con Obtainium instalado", | ||||||
|     "shareAppConfigLinks": "Compartir configuración de la app como enlace HTML", |     "shareAppConfigLinks": "Compartir la configuración de la aplicación como enlace HTML", | ||||||
|     "shareSelectedAppURLs": "Compartir URL de las apps seleccionadas", |     "shareSelectedAppURLs": "Compartir URLs de las aplicaciones seleccionadas", | ||||||
|     "resetInstallStatus": "Restaurar estado de instalación", |     "resetInstallStatus": "Restaurar estado de instalación", | ||||||
|     "more": "Más", |     "more": "Más", | ||||||
|     "removeOutdatedFilter": "Eliminar filtro de aplicaciones desactualizado", |     "removeOutdatedFilter": "Elimiar filtro de aplicaciones desactualizado", | ||||||
|     "showOutdatedOnly": "Mostrar solo aplicaciones desactualizadas", |     "showOutdatedOnly": "Mostrar solo aplicaciones desactualizadas", | ||||||
|     "filter": "Filtrar", |     "filter": "Filtrar", | ||||||
|     "filterApps": "Filtrar apps", |     "filterApps": "Filtrar Actualizaciones", | ||||||
|     "appName": "Nombre de app", |     "appName": "Nombre de la aplicación", | ||||||
|     "author": "Autor", |     "author": "Autor", | ||||||
|     "upToDateApps": "Aplicaciones actualizadas", |     "upToDateApps": "Aplicaciones Actualizadas", | ||||||
|     "nonInstalledApps": "Apps no instaladas", |     "nonInstalledApps": "Aplicaciones No Instaladas", | ||||||
|     "importExport": "Importar/Exportar", |     "importExport": "Importar/Exportar", | ||||||
|     "settings": "Ajustes", |     "settings": "Ajustes", | ||||||
|     "exportedTo": "Exportado a {}", |     "exportedTo": "Exportado a {}", | ||||||
|     "obtainiumExport": "Exportar Obtainium", |     "obtainiumExport": "Exportar Obtainium", | ||||||
|     "invalidInput": "Entrada no válida", |     "invalidInput": "Input incorrecto", | ||||||
|     "importedX": "Importado {}", |     "importedX": "Importado {}", | ||||||
|     "obtainiumImport": "Importar Obtainium", |     "obtainiumImport": "Importar Obtainium", | ||||||
|     "importFromURLList": "Importar desde lista de URL", |     "importFromURLList": "Importar desde lista de URLs", | ||||||
|     "searchQuery": "Término de búsqueda", |     "searchQuery": "Consulta de Búsqueda", | ||||||
|     "appURLList": "Lista de URL de aplicaciones", |     "appURLList": "Lista de URLs de Aplicaciones", | ||||||
|     "line": "Línea", |     "line": "Línea", | ||||||
|     "searchX": "Buscar {}", |     "searchX": "Buscar {}", | ||||||
|     "noResults": "No se ha encontrado ningún resultado", |     "noResults": "Resultados no encontrados", | ||||||
|     "importX": "Importar desde {}", |     "importX": "Importar desde {}", | ||||||
|     "importedAppsIdDisclaimer": "Las aplicaciones importadas podrían mostrarse incorrectamente como «No instalada».\nPara solucionarlo, reinstálelas a través de Obtainium.\nEsto no debería afectar a los datos de las aplicaciones.\n\nSolo afecta a los URL y a los métodos de importación mediante terceros.", |     "importedAppsIdDisclaimer": "Las aplicaciones importadas podrían mostrarse incorrectamente como \"No Instalada\".\nPara solucionarlo, reinstálalas a través de Obtainium.\nEsto no debería afectar a los datos de las aplicaciones.\n\nSolo afecta a las URLs y a los métodos de importación mediante terceros.", | ||||||
|     "importErrors": "Errores de Importación", |     "importErrors": "Errores de Importación", | ||||||
|     "importedXOfYApps": "{} de {} aplicaciones importadas.", |     "importedXOfYApps": "{} de {} Aplicaciones importadas.", | ||||||
|     "followingURLsHadErrors": "Los URL siguientes han tenido problemas:", |     "followingURLsHadErrors": "Las siguientes URLs han tenido problemas:", | ||||||
|     "selectURL": "Seleccionar URL", |     "selectURL": "Seleccionar URL", | ||||||
|     "selectURLs": "Seleccionar URLs", |     "selectURLs": "Seleccionar URLs", | ||||||
|     "pick": "Escoger", |     "pick": "Escoger", | ||||||
| @@ -113,73 +110,71 @@ | |||||||
|     "dark": "Oscuro", |     "dark": "Oscuro", | ||||||
|     "light": "Claro", |     "light": "Claro", | ||||||
|     "followSystem": "Seguir al sistema", |     "followSystem": "Seguir al sistema", | ||||||
|     "followSystemThemeExplanation": "Seguir el tema del sistema sólo es posible utilizando aplicaciones de terceros", |     "useBlackTheme": "Negro puro en tema Oscuro", | ||||||
|     "useBlackTheme": "Negro puro en tema oscuro", |     "appSortBy": "Ordenar Apps Por", | ||||||
|     "appSortBy": "Ordenar apps por", |  | ||||||
|     "authorName": "Autor/Nombre", |     "authorName": "Autor/Nombre", | ||||||
|     "nameAuthor": "Nombre/Autor", |     "nameAuthor": "Nombre/Autor", | ||||||
|     "asAdded": "Según se añadieron", |     "asAdded": "Según se Añadieron", | ||||||
|     "appSortOrder": "Orden", |     "appSortOrder": "Orden de Clasificación", | ||||||
|     "ascending": "Ascendente", |     "ascending": "Ascendente", | ||||||
|     "descending": "Descendente", |     "descending": "Descendente", | ||||||
|     "bgUpdateCheckInterval": "Comprobar actualizaciones en segundo plano", |     "bgUpdateCheckInterval": "Comprobación actualizaciones en segundo plano", | ||||||
|     "neverManualOnly": "Nunca, solo manual", |     "neverManualOnly": "Nunca, solo manual", | ||||||
|     "appearance": "Apariencia", |     "appearance": "Apariencia", | ||||||
|     "showWebInAppView": "Mostrar vista de la web de origen", |     "showWebInAppView": "Mostrar vista de la web de origen", | ||||||
|     "pinUpdates": "Anclar actualizaciones al principio", |     "pinUpdates": "Fijar actualizaciones al principio", | ||||||
|     "updates": "Actualizaciones", |     "updates": "Actualizaciones", | ||||||
|     "sourceSpecific": "Fuente específica", |     "sourceSpecific": "Fuente Específica", | ||||||
|     "appSource": "Filtrar por fuente", |     "appSource": "Obtainium en GitHub", | ||||||
|     "noLogs": "Ningún registro", |     "noLogs": "Sin Logs", | ||||||
|     "appLogs": "Registros", |     "appLogs": "Logs", | ||||||
|     "close": "Cerrar", |     "close": "Cerrar", | ||||||
|     "share": "Compartir", |     "share": "Compartir", | ||||||
|     "appNotFound": "Aplicación no encontrada", |     "appNotFound": "Aplicación no encontrada", | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-exportación", |     "obtainiumExportHyphenatedLowercase": "obtainium-exportación", | ||||||
|     "pickAnAPK": "Seleccione una APK", |     "pickAnAPK": "Seleccione una APK", | ||||||
|     "appHasMoreThanOnePackage": "{} tiene más de un paquete:", |     "appHasMoreThanOnePackage": "{} tiene más de un paquete:", | ||||||
|     "deviceSupportsXArch": "Su dispositivo admite las siguientes arquitecturas de procesador: {}.", |     "deviceSupportsXArch": "Su dispositivo soporta las siguientes arquitecturas de procesador: {}.", | ||||||
|     "deviceSupportsFollowingArchs": "Su dispositivo admite las siguientes arquitecturas de procesador:", |     "deviceSupportsFollowingArchs": "Su dispositivo soporta las siguientes arquitecturas de procesador:", | ||||||
|     "warning": "Aviso", |     "warning": "Aviso", | ||||||
|     "sourceIsXButPackageFromYPrompt": "La fuente de la aplicación es «{}» pero el paquete de la actualización viene de «{}». ¿Desea continuar?", |     "sourceIsXButPackageFromYPrompt": "La fuente de la aplicación es '{}' pero el paquete de la actualización viene de '{}'. ¿Desea continuar?", | ||||||
|     "updatesAvailable": "Actualizaciones Disponibles", |     "updatesAvailable": "Actualizaciones Disponibles", | ||||||
|     "updatesAvailableNotifDescription": "Notifica al usuario de que hay actualizaciones para una o más aplicaciones monitoreadas por Obtainium", |     "updatesAvailableNotifDescription": "Notifica al usuario de que hay actualizaciones para una o más aplicaciones monitoreadas por Obtainium", | ||||||
|     "noNewUpdates": "No hay nuevas actualizaciones.", |     "noNewUpdates": "No hay nuevas actualizaciones.", | ||||||
|     "xHasAnUpdate": "{} tiene una actualización.", |     "xHasAnUpdate": "{} tiene una actualización.", | ||||||
|     "appsUpdated": "Apps actualizadas", |     "appsUpdated": "Aplicaciones actualizadas", | ||||||
|     "appsNotUpdated": "Error al actualizar las aplicaciones", |  | ||||||
|     "appsUpdatedNotifDescription": "Notifica al usuario de que una o más aplicaciones han sido actualizadas en segundo plano", |     "appsUpdatedNotifDescription": "Notifica al usuario de que una o más aplicaciones han sido actualizadas en segundo plano", | ||||||
|     "xWasUpdatedToY": "{} ha sido actualizada a {}.", |     "xWasUpdatedToY": "{} ha sido actualizada a {}.", | ||||||
|     "xWasNotUpdatedToY": "Error al actualizar {} a {}.", |     "errorCheckingUpdates": "Error buscando ectualizaciones", | ||||||
|     "errorCheckingUpdates": "Error al buscar actualizaciones", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Una notificación que muestra cuándo la comprobación de actualizaciones en segundo plano falla", |     "errorCheckingUpdatesNotifDescription": "Una notificación que muestra cuándo la comprobación de actualizaciones en segundo plano falla", | ||||||
|     "appsRemoved": "Aplicaciones eliminadas", |     "appsRemoved": "Aplicaciones eliminadas", | ||||||
|     "appsRemovedNotifDescription": "Notifica al usuario que una o más aplicaciones fueron eliminadas por problemas al cargarlas", |     "appsRemovedNotifDescription": "Notifica al usuario que una o más aplicaciones fueron eliminadas por problemas al cargarlas", | ||||||
|     "xWasRemovedDueToErrorY": "{} ha sido eliminada por: {}", |     "xWasRemovedDueToErrorY": "{} ha sido eliminada por: {}", | ||||||
|     "completeAppInstallation": "Instalación completa de la aplicación", |     "completeAppInstallation": "Instalación completa de la aplicación", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium debe estar abierto para instalar aplicaciones", |     "obtainiumMustBeOpenToInstallApps": "Obtainium debe estar abierto para instalar aplicaciones", | ||||||
|     "completeAppInstallationNotifDescription": "Le pide volver a Obtainium para terminar de instalar una aplicación", |     "completeAppInstallationNotifDescription": "Pide al usuario volver a Obtainium para terminar de instalar una aplicación", | ||||||
|     "checkingForUpdates": "Buscando actualizaciones...", |     "checkingForUpdates": "Buscando actualizaciones...", | ||||||
|     "checkingForUpdatesNotifDescription": "Notificación temporal que aparece al buscar actualizaciones", |     "checkingForUpdatesNotifDescription": "Notificación temporal que aparece al buscar actualizaciones", | ||||||
|     "pleaseAllowInstallPerm": "Permita que Obtainium instale aplicaciones", |     "pleaseAllowInstallPerm": "Por favor, permita que Obtainium instale aplicaciones", | ||||||
|     "trackOnly": "Solo para seguimiento", |     "trackOnly": "Solo para seguimiento", | ||||||
|     "errorWithHttpStatusCode": "Error {}", |     "errorWithHttpStatusCode": "Error {}", | ||||||
|     "versionCorrectionDisabled": "Corrección de versiones desactivada (el plugin parece no funcionar)", |     "versionCorrectionDisabled": "Corrección de versiones desactivada (el plugin parece no funcionar)", | ||||||
|     "unknown": "Desconocido", |     "unknown": "Desconocido", | ||||||
|     "none": "Ninguno", |     "none": "Ninguno", | ||||||
|     "all": "Todos", |  | ||||||
|     "never": "Nunca", |     "never": "Nunca", | ||||||
|     "latestVersionX": "Última versión: {}", |     "latestVersionX": "Última versión: {}", | ||||||
|     "installedVersionX": "Versión instalada: {}", |     "installedVersionX": "Versión instalada: {}", | ||||||
|     "lastUpdateCheckX": "Última comprobación: {}", |     "lastUpdateCheckX": "Última comprobación: {}", | ||||||
|     "remove": "Eliminar", |     "remove": "Eliminar", | ||||||
|     "yesMarkUpdated": "Sí, marcar como actualizada", |     "yesMarkUpdated": "Sí, marcar como actualizada", | ||||||
|     "fdroid": "F-Droid oficial", |     "fdroid": "Repositorio oficial F-Droid", | ||||||
|     "appIdOrName": "ID o Nombre de la Aplicación", |     "appIdOrName": "ID o Nombre de la Aplicación", | ||||||
|     "appId": "ID de la app", |     "appId": "ID de la Aplicación", | ||||||
|     "appWithIdOrNameNotFound": "No se han encontrado aplicaciones con ese ID o nombre", |     "appWithIdOrNameNotFound": "No se han encontrado aplicaciones con esa ID o nombre", | ||||||
|     "reposHaveMultipleApps": "Los repositorios pueden contener varias aplicaciones", |     "reposHaveMultipleApps": "Los repositorios pueden contener varias aplicaciones", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid terceros", |     "fdroidThirdPartyRepo": "Repositorio de tercera parte F-Droid", | ||||||
|  |     "steamMobile": "Móvil de vapor", | ||||||
|  |     "steamChat": "Chat de vapor", | ||||||
|     "install": "Instalar", |     "install": "Instalar", | ||||||
|     "markInstalled": "Marcar como instalada", |     "markInstalled": "Marcar como instalada", | ||||||
|     "update": "Actualizar", |     "update": "Actualizar", | ||||||
| @@ -188,11 +183,8 @@ | |||||||
|     "disableVersionDetection": "Desactivar la detección de versiones", |     "disableVersionDetection": "Desactivar la detección de versiones", | ||||||
|     "noVersionDetectionExplanation": "Esta opción solo se debe usar en aplicaciones en las que la deteción de versiones pueda que no funcionar correctamente.", |     "noVersionDetectionExplanation": "Esta opción solo se debe usar en aplicaciones en las que la deteción de versiones pueda que no funcionar correctamente.", | ||||||
|     "downloadingX": "Descargando {}", |     "downloadingX": "Descargando {}", | ||||||
|     "downloadX": "Descargar {}", |  | ||||||
|     "downloadedX": "Descargado {}", |  | ||||||
|     "releaseAsset": "Recurso publicado", |  | ||||||
|     "downloadNotifDescription": "Notifica al usuario del progreso de descarga de una aplicación", |     "downloadNotifDescription": "Notifica al usuario del progreso de descarga de una aplicación", | ||||||
|     "noAPKFound": "No se ha encontrado el paquete de instalación APK", |     "noAPKFound": "No se encontró el paquete de instalación APK", | ||||||
|     "noVersionDetection": "Sin detección de versiones", |     "noVersionDetection": "Sin detección de versiones", | ||||||
|     "categorize": "Catogorizar", |     "categorize": "Catogorizar", | ||||||
|     "categories": "Categorías", |     "categories": "Categorías", | ||||||
| @@ -200,39 +192,37 @@ | |||||||
|     "noCategory": "Sin categoría", |     "noCategory": "Sin categoría", | ||||||
|     "noCategories": "Sin categorías", |     "noCategories": "Sin categorías", | ||||||
|     "deleteCategoriesQuestion": "¿Eliminar categorías?", |     "deleteCategoriesQuestion": "¿Eliminar categorías?", | ||||||
|     "categoryDeleteWarning": "Todas las aplicaciones en las categorías eliminadas se marcarán como «Sin categoría».", |     "categoryDeleteWarning": "Todas las aplicaciones en las categorías eliminadas serán marcadas como 'Sin categoría'.", | ||||||
|     "addCategory": "Añadir categoría", |     "addCategory": "Añadir categoría", | ||||||
|     "label": "Nombre", |     "label": "Nombre", | ||||||
|     "language": "Idioma", |     "language": "Idioma", | ||||||
|     "copiedToClipboard": "Copiado en el portapapeles", |     "copiedToClipboard": "Copiado al portapapeles", | ||||||
|     "storagePermissionDenied": "Permiso de almacenamiento rechazado", |     "storagePermissionDenied": "Permiso de almacenamiento rechazado", | ||||||
|     "selectedCategorizeWarning": "Esto reemplazará cualquier ajuste de categoría para las aplicaciones seleccionadas.", |     "selectedCategorizeWarning": "Esto reemplazará cualquier ajuste de categoría para las aplicaciones seleccionadas.", | ||||||
|     "filterAPKsByRegEx": "Filtrar por APK", |     "filterAPKsByRegEx": "Filtrar por APKs", | ||||||
|     "removeFromObtainium": "Eliminar de Obtainium", |     "removeFromObtainium": "Eliminar de Obtainium", | ||||||
|     "uninstallFromDevice": "Desinstalar del dispositivo", |     "uninstallFromDevice": "Desinstalar del dispositivo", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Solo funciona para aplicaciones con la detección de versiones desactivada.", |     "onlyWorksWithNonVersionDetectApps": "Solo funciona para aplicaciones con la detección de versiones desactivada.", | ||||||
|     "releaseDateAsVersion": "Usar fecha de publicación como cadena de versión", |     "releaseDateAsVersion": "Por fecha de publicación", | ||||||
|     "releaseTitleAsVersion": "Usar título de lanzamiento como cadena de versión", |  | ||||||
|     "releaseDateAsVersionExplanation": "Esta opción solo se debería usar con aplicaciones en las que la detección de versiones no funciona pero hay disponible una fecha de publicación.", |     "releaseDateAsVersionExplanation": "Esta opción solo se debería usar con aplicaciones en las que la detección de versiones no funciona pero hay disponible una fecha de publicación.", | ||||||
|     "changes": "Cambios", |     "changes": "Cambios", | ||||||
|     "releaseDate": "Fecha de publicación", |     "releaseDate": "Fecha de publicación", | ||||||
|     "importFromURLsInFile": "Importar URLs desde archivo (como OPML)", |     "importFromURLsInFile": "Importar URLs desde archivo (como OPML)", | ||||||
|     "versionDetectionExplanation": "Conciliar cadena de versión con versión detectada por el sistema operativo", |     "versionDetectionExplanation": "Conciliar la cadena de versión con la versión detectada desde el sistema operativo", | ||||||
|     "versionDetection": "Detección de versiones", |     "versionDetection": "Detección de versiones", | ||||||
|     "standardVersionDetection": "Por versión", |     "standardVersionDetection": "Por versión", | ||||||
|     "groupByCategory": "Agrupar por categorías", |     "groupByCategory": "Agrupar por categoría", | ||||||
|     "autoApkFilterByArch": "Filtrar APK por arquitectura del procesador (si es posible)", |     "autoApkFilterByArch": "Filtrar APKs por arquitectura del procesador (si es posible)", | ||||||
|     "autoLinkFilterByArch": "Intente filtrar los enlaces por arquitectura de CPU si es posible", |     "overrideSource": "Sobrescribir Fuente", | ||||||
|     "overrideSource": "Forzar desde la fuente", |  | ||||||
|     "dontShowAgain": "No mostrar de nuevo", |     "dontShowAgain": "No mostrar de nuevo", | ||||||
|     "dontShowTrackOnlyWarnings": "No mostrar avisos sobre apps 'solo para seguimiento'", |     "dontShowTrackOnlyWarnings": "No mostrar avisos sobre apps en 'solo seguimiento'", | ||||||
|     "dontShowAPKOriginWarnings": "No mostrar avisos sobre las fuentes de las APKs", |     "dontShowAPKOriginWarnings": "No mostrar avisos sobre las fuentes de las APKs", | ||||||
|     "moveNonInstalledAppsToBottom": "Mover apps no instaladas al final", |     "moveNonInstalledAppsToBottom": "Mover Apps no instaladas al final", | ||||||
|     "gitlabPATLabel": "Token de acceso personal a GitLab", |     "gitlabPATLabel": "Token de acceso personal a GitLab", | ||||||
|     "about": "Acerca de", |     "about": "Acerca", | ||||||
|     "requiresCredentialsInSettings": "{}: Esto requiere credenciales adicionales (en ajustes)", |     "requiresCredentialsInSettings": "{}: Esto requiere credenciales adicionales (en ajustes)", | ||||||
|     "checkOnStart": "Comprobar actualizaciones al inicio", |     "checkOnStart": "Comprobar actualizaciones al inicio", | ||||||
|     "tryInferAppIdFromCode": "Intentar deducir el ID de la app por el código fuente", |     "tryInferAppIdFromCode": "Intentar deducir la ID de la app por el código fuente", | ||||||
|     "removeOnExternalUninstall": "Auto eliminar apps desinstaladas externamente", |     "removeOnExternalUninstall": "Auto eliminar apps desinstaladas externamente", | ||||||
|     "pickHighestVersionCode": "Auto selección de versión superior del paquete APK", |     "pickHighestVersionCode": "Auto selección de versión superior del paquete APK", | ||||||
|     "checkUpdateOnDetailPage": "Comprobar actualizaciones al abrir detalles de la app", |     "checkUpdateOnDetailPage": "Comprobar actualizaciones al abrir detalles de la app", | ||||||
| @@ -251,23 +241,19 @@ | |||||||
|     "enableBackgroundUpdates": "Habilitar actualizaciones en segundo plano", |     "enableBackgroundUpdates": "Habilitar actualizaciones en segundo plano", | ||||||
|     "backgroundUpdateReqsExplanation": "Las actualizaciones en segundo plano pueden no estar disponibles para todas las aplicaciones.", |     "backgroundUpdateReqsExplanation": "Las actualizaciones en segundo plano pueden no estar disponibles para todas las aplicaciones.", | ||||||
|     "backgroundUpdateLimitsExplanation": "El éxito de las instalaciones en segundo plano solo se puede comprobar con Obtainium abierto.", |     "backgroundUpdateLimitsExplanation": "El éxito de las instalaciones en segundo plano solo se puede comprobar con Obtainium abierto.", | ||||||
|     "verifyLatestTag": "Comprobar etiqueta 'Latest'", |     "verifyLatestTag": "Comprobar la etiqueta 'Latest'", | ||||||
|     "intermediateLinkRegex": "Filtrar por enlace 'intermedio' para visitar primero", |     "intermediateLinkRegex": "Filtrar por enlace 'intermedio' para visitar primero", | ||||||
|     "filterByLinkText": "Filtrar enlaces por texto del enlace", |     "filterByLinkText": "Filtrar enlaces por texto del enlace", | ||||||
|     "matchLinksOutsideATags": "Enlaces coincidentes fuera de las etiquetas <a>", |  | ||||||
|     "intermediateLinkNotFound": "Enlace intermedio no encontrado", |     "intermediateLinkNotFound": "Enlace intermedio no encontrado", | ||||||
|     "intermediateLink": "Enlace intermedio", |     "intermediateLink": "Enlace intermedio", | ||||||
|     "exemptFromBackgroundUpdates": "No actualizar en segundo plano (si está habilitado)", |     "exemptFromBackgroundUpdates": "Exenta de actualizciones en segundo plano (si están habilitadas)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Deshabilitar las actualizaciones en segundo plano sin Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Deshabilitar las actualizaciones en segundo plano sin WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Desactiva las actualizaciones en segundo plano cuando no estés cargando", |  | ||||||
|     "autoSelectHighestVersionCode": "Auto selección del paquete APK con versión más reciente", |     "autoSelectHighestVersionCode": "Auto selección del paquete APK con versión más reciente", | ||||||
|     "versionExtractionRegEx": "Versión de extracción RegEx", |     "versionExtractionRegEx": "Versión de extracción regex", | ||||||
|     "trimVersionString": "Recortar cadena de versión con RegEx", |     "matchGroupToUse": "Grupo a usar para versión de extracción regex", | ||||||
|     "matchGroupToUseForX": "Grupo de coincidencia a usar para \"{}\"", |  | ||||||
|     "matchGroupToUse": "Grupo a usar para versión de extracción RegEx", |  | ||||||
|     "highlightTouchTargets": "Resaltar objetivos menos obvios", |     "highlightTouchTargets": "Resaltar objetivos menos obvios", | ||||||
|     "pickExportDir": "Directorio para exportar", |     "pickExportDir": "Directorio para exportar", | ||||||
|     "autoExportOnChanges": "Auto exportar si hay cambios", |     "autoExportOnChanges": "Auto exportar cuando haya cambios", | ||||||
|     "includeSettings": "Incluir ajustes", |     "includeSettings": "Incluir ajustes", | ||||||
|     "filterVersionsByRegEx": "Filtrar por versiones", |     "filterVersionsByRegEx": "Filtrar por versiones", | ||||||
|     "trySelectingSuggestedVersionCode": "Pruebe seleccionando la versión del paquete APK sugerida", |     "trySelectingSuggestedVersionCode": "Pruebe seleccionando la versión del paquete APK sugerida", | ||||||
| @@ -276,9 +262,9 @@ | |||||||
|     "takeFirstLink": "Usar primer enlace", |     "takeFirstLink": "Usar primer enlace", | ||||||
|     "skipSort": "Omitir orden", |     "skipSort": "Omitir orden", | ||||||
|     "debugMenu": "Menu Depurar", |     "debugMenu": "Menu Depurar", | ||||||
|     "bgTaskStarted": "Iniciada tarea en segundo plano; revise los registros.", |     "bgTaskStarted": "Iniciada tarea en segundo plano - revisa los logs.", | ||||||
|     "runBgCheckNow": "Ejecutar verficiación de actualizaciones en segundo plano", |     "runBgCheckNow": "Ejecutar verficiación de actualizaciones en segundo plano", | ||||||
|     "versionExtractWholePage": "Aplicar la versión de extracción RegEx a la página entera", |     "versionExtractWholePage": "Aplicar la versión de extracción regex a la página entera", | ||||||
|     "installing": "Instalando", |     "installing": "Instalando", | ||||||
|     "skipUpdateNotifications": "No notificar sobre actualizaciones", |     "skipUpdateNotifications": "No notificar sobre actualizaciones", | ||||||
|     "updatesAvailableNotifChannel": "Actualizaciones disponibles", |     "updatesAvailableNotifChannel": "Actualizaciones disponibles", | ||||||
| @@ -291,75 +277,51 @@ | |||||||
|     "checkingForUpdatesNotifChannel": "Buscando actualizaciones", |     "checkingForUpdatesNotifChannel": "Buscando actualizaciones", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Comprobar actualizaciones solo para apps instaladas o en seguimiento", |     "onlyCheckInstalledOrTrackOnlyApps": "Comprobar actualizaciones solo para apps instaladas o en seguimiento", | ||||||
|     "supportFixedAPKURL": "Soporte para URLs fijas de APK", |     "supportFixedAPKURL": "Soporte para URLs fijas de APK", | ||||||
|     "selectX": "Elija {}", |     "selectX": "Selecciona {}", | ||||||
|     "parallelDownloads": "Permitir descargas paralelas", |     "parallelDownloads": "Permitir descargas paralelas", | ||||||
|     "useShizuku": "Usar Shizuku o Sui para instalar", |     "installMethod": "Método de instalación", | ||||||
|  |     "normal": "Normal", | ||||||
|  |     "root": "Raíz", | ||||||
|     "shizukuBinderNotFound": "Shizuku no funciona", |     "shizukuBinderNotFound": "Shizuku no funciona", | ||||||
|     "shizukuOld": "Versión antigua de Shizuku (<11) - actualícela", |     "useSystemFont": "Usar la fuente de impresión del sistema", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku corriendo en Android < 8.1 con ADB - actualiza Android o usa Sui en su lugar", |     "systemFontError": "Error al cargar la fuente de impresión del sistema: {}", | ||||||
|     "shizukuPretendToBeGooglePlay": "Usar Google Play como fuente de instalación (si se usa Shizuku)", |     "useVersionCodeAsOSVersion": "Usar la versión de la aplicación como versión detectada por el sistema operativo", | ||||||
|     "useSystemFont": "Usar fuente del sistema", |  | ||||||
|     "useVersionCodeAsOSVersion": "Usar versión de la app como versión detectada por el sistema operativo", |  | ||||||
|     "requestHeader": "Encabezado de solicitud", |     "requestHeader": "Encabezado de solicitud", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Usar última subida del recurso como fecha de lanzamiento", |     "useLatestAssetDateAsReleaseDate": "Usar la última carga de recursos como fecha de lanzamiento", | ||||||
|     "defaultPseudoVersioningMethod": "Método de pseudoversionado predeterminado", |     "defaultPseudoVersioningMethod": "Método de pseudoversionado predeterminado", | ||||||
|     "partialAPKHash": "Hash de APK parcial", |     "partialAPKHash": "Hash de APK parcial", | ||||||
|     "APKLinkHash": "Hash de enlace APK", |     "APKLinkHash": "Hash de enlace APK", | ||||||
|     "directAPKLink": "Enlace APK directo", |     "directAPKLink": "Enlace APK directo", | ||||||
|     "pseudoVersionInUse": "Se está usando una pseudoversión", |     "pseudoVersionInUse": "Se está utilizando una pseudoversión", | ||||||
|     "installed": "Instalado", |     "installed": "Instalado", | ||||||
|     "latest": "Versión más reciente", |     "latest": "Versión más reciente", | ||||||
|     "invertRegEx": "Invertir expresión regular", |     "invertRegEx": "Invertir expresión regular", | ||||||
|     "note": "Nota", |     "note": "Nota", | ||||||
|     "selfHostedNote": "El desplegable «{}» puede usarse para acceder a instancias autoalojadas/personalizadas de cualquier fuente.", |     "selfHostedNote": "El desplegable \"{}\" puede utilizarse para acceder a instancias autoalojadas/personalizadas de cualquier fuente.", | ||||||
|     "badDownload": "No se ha podido analizar el APK (incompatible o descarga parcial)", |     "badDownload": "No se ha podido analizar el APK (incompatible o descarga parcial)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Compartir apps nuevas con AppVerifier (si está instalado)", |  | ||||||
|     "appVerifierInstructionToast": "Comparta con AppVerifier y vuelva aquí cuando esté listo.", |  | ||||||
|     "wiki": "Ayuda/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Crowdsourced App Configurations (use bajo su responsabilidad)", |  | ||||||
|     "crowdsourcedConfigsShort": "Configuración de aplicaciones por crowdsourcing", |  | ||||||
|     "allowInsecure": "Permitir peticiones HTTP inseguras", |  | ||||||
|     "stayOneVersionBehind": "Mantenerse una versión por detrás de la última", |  | ||||||
|     "useFirstApkOfVersion": "Auto-selección del primero de múltiples APKs", |  | ||||||
|     "refreshBeforeDownload": "Actualizar datos de la app antes de descargarla", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Nombre", |  | ||||||
|     "smartname": "Nombre (Smart)", |  | ||||||
|     "sortMethod": "Clasificación por", |  | ||||||
|     "welcome": "Bienvenido", |  | ||||||
|     "documentationLinksNote": "La página GitHub de Obtainium enlazada a continuación contiene enlaces a vídeos, artículos, debates y otros recursos que te ayudarán a entender cómo utilizar la aplicación.", |  | ||||||
|     "batteryOptimizationNote": "Ten en cuenta que las descargas en segundo plano pueden funcionar de forma más fiable si desactivas las optimizaciones de batería del sistema operativo para Obtainium.", |  | ||||||
|     "fileDeletionError": "No se ha podido eliminar el archivo (intente eliminarlo manualmente y vuelva a intentarlo): \"{}\"", |  | ||||||
|     "foregroundService": "Servicio Obtainium en primer plano", |  | ||||||
|     "foregroundServiceExplanation": "Usar un servicio en primer plano para comprobar las actualizaciones (más fiable, consume más energía).", |  | ||||||
|     "fgServiceNotice": "Esta notificación es necesaria para la comprobación de actualizaciones en segundo plano (puede ocultarse en la configuración del sistema operativo).", |  | ||||||
|     "excludeSecrets": "Excluir secretos", |  | ||||||
|     "GHReqPrefix": "Instancia \"sky22333/hubproxy\" para las solicitudes de GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "¿Eliminar aplicación?", |         "one": "¿Eliminar Aplicación?", | ||||||
|         "other": "¿Eliminar aplicaciones?" |         "other": "¿Eliminar Aplicaciones?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Muchas peticiones (limitado); pruebe de nuevo en {} minuto", |         "one": "Muchas peticiones (limitado) - prueba de nuevo en {} minuto", | ||||||
|         "other": "Muchas peticiones (limitado); pruebe de nuevo en {} minutos" |         "other": "Muchas peticiones (limitado) - prueba de nuevo en {} minutos" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "La comprobación de actualizaciones en segundo plano se ha encontrado un {}; se volverá a probar en {} minuto", |         "one": "La comprobación de actualizaciones en segundo plano se ha encontrado un {}, se volverá a probar en {} minuto", | ||||||
|         "other": "La comprobación de actualizaciones en segundo plano se ha encontrado un {}; se volverá a probar en {} minutos" |         "other": "La comprobación de actualizaciones en segundo plano se ha encontrado un {}, se volverá a probar en {} minutos" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "La comprobación de actualizaciones en segundo plano ha encontrado {} actualización; se le notificará si es necesario", |         "one": "La comprobación de actualizaciones en segundo plano ha encontrado {} actualización - se notificará al usuario si es necesario", | ||||||
|         "other": "La comprobación de actualizaciones en segundo plano ha encontrado {} actualizaciones; se le notificará si es necesario" |         "other": "La comprobación de actualizaciones en segundo plano ha encontrado {} actualizaciones - se notificará al usuario si es necesario" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} La aplicación", |         "one": "{} Aplicación", | ||||||
|         "other": "{} Las aplicaciones" |         "other": "{} Aplicaciones" | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL", |         "uno": "{} URL", | ||||||
|         "other": "{} URL" |         "otro": "{} URL" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} minuto", |         "one": "{} minuto", | ||||||
| @@ -374,20 +336,16 @@ | |||||||
|         "other": "{} días" |         "other": "{} días" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Eliminado {n} registro (previo a = {before}, posterior a = {after})", |         "one": "Eliminado {n} log (previo a = {before}, posterior a = {after})", | ||||||
|         "other": "Eliminados {n} registros (previos a = {before}, posteriores a = {after})" |         "other": "Eliminados {n} logs (previos a = {before}, posteriores a = {after})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} y 1 aplicación más tiene actualizaciones.", |         "one": "{} y 1 aplicación más tiene actualizaciones.", | ||||||
|         "other": "{} y {} aplicaciones más tienen actualizaciones." |         "other": "{} y {} aplicaciones más tienen actualizaciones." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} y 1 aplicación más se han actualizado.", |         "one": "{} y 1 aplicación más han sido actualizadas.", | ||||||
|         "other": "{} y {} aplicaciones más se han actualizado." |         "other": "{} y {} aplicaciones más han sido actualizadas." | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Error al actualizar {} y 1 aplicación más.", |  | ||||||
|         "other": "No se han podido actualizar {} y {} aplicaciones más." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} y 1 aplicación más podría haber sido actualizada.", |         "one": "{} y 1 aplicación más podría haber sido actualizada.", | ||||||
|   | |||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(ضروری)", |     "requiredInBrackets": "(ضروری)", | ||||||
|     "dropdownNoOptsError": "خطا: کشویی باید حداقل یک گزینه داشته باشد", |     "dropdownNoOptsError": "خطا: کشویی باید حداقل یک گزینه داشته باشد", | ||||||
|     "colour": "رنگ", |     "colour": "رنگ", | ||||||
|     "standard": "استاندارد", |  | ||||||
|     "custom": "سفارشی", |  | ||||||
|     "useMaterialYou": "از Material You استفاده کنید", |  | ||||||
|     "githubStarredRepos": "مخازن ستاره دار گیتهاب", |     "githubStarredRepos": "مخازن ستاره دار گیتهاب", | ||||||
|     "uname": "نام کاربری", |     "uname": "نام کاربری", | ||||||
|     "wrongArgNum": "تعداد آرگومان های ارائه شده اشتباه است", |     "wrongArgNum": "تعداد آرگومان های ارائه شده اشتباه است", | ||||||
| @@ -88,22 +85,22 @@ | |||||||
|     "author": "سازنده", |     "author": "سازنده", | ||||||
|     "upToDateApps": "برنامه های به روز", |     "upToDateApps": "برنامه های به روز", | ||||||
|     "nonInstalledApps": "برنامه های نصب نشده", |     "nonInstalledApps": "برنامه های نصب نشده", | ||||||
|     "importExport": "وارد کردن/صادر کردن", |     "importExport": "درون ریزی/برون ریزی", | ||||||
|     "settings": "تنظیمات", |     "settings": "تنظیمات", | ||||||
|     "exportedTo": "صادر کردن به{}", |     "exportedTo": "برون ریزی به{}", | ||||||
|     "obtainiumExport": "صادر کردن Obtainium", |     "obtainiumExport": "صادرکردن Obtainium", | ||||||
|     "invalidInput": "ورودی نامعتبر", |     "invalidInput": "ورودی نامعتبر", | ||||||
|     "importedX": "وارد شده {}", |     "importedX": "وارد شده {}", | ||||||
|     "obtainiumImport": "وارد کردن Obtainium", |     "obtainiumImport": "واردکردن Obtainium", | ||||||
|     "importFromURLList": "وارد کردن از فهرست آدرس اینترنتی", |     "importFromURLList": "درون ریزی از فهرست آدرس اینترنتی", | ||||||
|     "searchQuery": "جستجوی سوال", |     "searchQuery": "جستجوی سوال", | ||||||
|     "appURLList": "فهرست آدرس اینترنتی برنامه", |     "appURLList": "فهرست آدرس اینترنتی برنامه", | ||||||
|     "line": "خط", |     "line": "خط", | ||||||
|     "searchX": "جستجو {}", |     "searchX": "جستجو {}", | ||||||
|     "noResults": "نتیجه ای پیدا نشد", |     "noResults": "نتیجه ای پیدا نشد", | ||||||
|     "importX": " وارد کردن {}", |     "importX": "درون ریزی {}", | ||||||
|     "importedAppsIdDisclaimer": "ممکن است برنامههای وارد شده به اشتباه بهعنوان \"نصب نشده\" نشان داده شوند.\nبرای رفع این مشکل، آنها را دوباره از طریق Obtainium نصب کنید.\nاین نباید روی دادههای برنامه تأثیر بگذارد.\n\nفقط بر روی آدرس اینترنتی و روشهای درون ریزی شخص ثالث تأثیر میگذارد.", |     "importedAppsIdDisclaimer": "ممکن است برنامههای وارد شده به اشتباه بهعنوان \"نصب نشده\" نشان داده شوند.\nبرای رفع این مشکل، آنها را دوباره از طریق Obtainium نصب کنید.\nاین نباید روی دادههای برنامه تأثیر بگذارد.\n\nفقط بر روی آدرس اینترنتی و روشهای درون ریزی شخص ثالث تأثیر میگذارد.", | ||||||
|     "importErrors": "خطاهای وارد کردن", |     "importErrors": "خطاهای درون ریزی", | ||||||
|     "importedXOfYApps": "{} از {} برنامه وارد شد.", |     "importedXOfYApps": "{} از {} برنامه وارد شد.", | ||||||
|     "followingURLsHadErrors": "آدرس های اینترنتی زیر دارای خطا بودند:", |     "followingURLsHadErrors": "آدرس های اینترنتی زیر دارای خطا بودند:", | ||||||
|     "selectURL": "آدرس اینترنتی انتخاب شده", |     "selectURL": "آدرس اینترنتی انتخاب شده", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "تاریک", |     "dark": "تاریک", | ||||||
|     "light": "روشن", |     "light": "روشن", | ||||||
|     "followSystem": "هماهنگ با سیستم", |     "followSystem": "هماهنگ با سیستم", | ||||||
|     "followSystemThemeExplanation": "دنبال کردن تم سیستم فقط با استفاده از برنامه های شخص ثالث امکان پذیر است", |  | ||||||
|     "useBlackTheme": "استفاده از تم تیره سیاه خالص", |     "useBlackTheme": "استفاده از تم تیره سیاه خالص", | ||||||
|     "appSortBy": "مرتب سازی برنامه بر اساس", |     "appSortBy": "مرتب سازی برنامه بر اساس", | ||||||
|     "authorName": "سازنده/اسم", |     "authorName": "سازنده/اسم", | ||||||
| @@ -135,7 +131,7 @@ | |||||||
|     "close": "بستن", |     "close": "بستن", | ||||||
|     "share": "اشتراک گذاری", |     "share": "اشتراک گذاری", | ||||||
|     "appNotFound": "برنامه پیدا نشد", |     "appNotFound": "برنامه پیدا نشد", | ||||||
|     "obtainiumExportHyphenatedLowercase": "صادر کردن-obtainium", |     "obtainiumExportHyphenatedLowercase": "برون ریزی-obtainium", | ||||||
|     "pickAnAPK": "یک APK انتخاب کنید", |     "pickAnAPK": "یک APK انتخاب کنید", | ||||||
|     "appHasMoreThanOnePackage": "{} بیش از یک بسته دارد:", |     "appHasMoreThanOnePackage": "{} بیش از یک بسته دارد:", | ||||||
|     "deviceSupportsXArch": "دستگاه شما از معماری پردازنده {} پشتیبانی میکند", |     "deviceSupportsXArch": "دستگاه شما از معماری پردازنده {} پشتیبانی میکند", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "به روز رسانی جدیدی وجود ندارد.", |     "noNewUpdates": "به روز رسانی جدیدی وجود ندارد.", | ||||||
|     "xHasAnUpdate": "{} یک به روز رسانی دارد.", |     "xHasAnUpdate": "{} یک به روز رسانی دارد.", | ||||||
|     "appsUpdated": "برنامه ها به روز شدند", |     "appsUpdated": "برنامه ها به روز شدند", | ||||||
|     "appsNotUpdated": "به روز رسانی برنامه ها ناموفق بود", |  | ||||||
|     "appsUpdatedNotifDescription": "به کاربر اطلاع می دهد که به روز رسانی یک یا چند برنامه در پس زمینه اعمال شده است", |     "appsUpdatedNotifDescription": "به کاربر اطلاع می دهد که به روز رسانی یک یا چند برنامه در پس زمینه اعمال شده است", | ||||||
|     "xWasUpdatedToY": "{} به {} به روز شد.", |     "xWasUpdatedToY": "{} به {} به روز شد.", | ||||||
|     "xWasNotUpdatedToY": "به روز رسانی {} به {} انجام نشد.", |  | ||||||
|     "errorCheckingUpdates": "خطا در بررسی بهروزرسانیها", |     "errorCheckingUpdates": "خطا در بررسی بهروزرسانیها", | ||||||
|     "errorCheckingUpdatesNotifDescription": "اعلانی که وقتی بررسی بهروزرسانی پسزمینه ناموفق است نشان میدهد", |     "errorCheckingUpdatesNotifDescription": "اعلانی که وقتی بررسی بهروزرسانی پسزمینه ناموفق است نشان میدهد", | ||||||
|     "appsRemoved": "برنامه ها حذف شدند", |     "appsRemoved": "برنامه ها حذف شدند", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "تصحیح نسخه غیرفعال شد (به نظر می رسد افزونه کار نمی کند)", |     "versionCorrectionDisabled": "تصحیح نسخه غیرفعال شد (به نظر می رسد افزونه کار نمی کند)", | ||||||
|     "unknown": "ناشناخته", |     "unknown": "ناشناخته", | ||||||
|     "none": "هیچ", |     "none": "هیچ", | ||||||
|     "all": "All", |  | ||||||
|     "never": "هرگز", |     "never": "هرگز", | ||||||
|     "latestVersionX": "آخرین نسخه: {}", |     "latestVersionX": "آخرین نسخه: {}", | ||||||
|     "installedVersionX": "نسخه نصب شده: {}", |     "installedVersionX": "نسخه نصب شده: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "هیچ برنامه ای با آن شناسه یا نام یافت نشد", |     "appWithIdOrNameNotFound": "هیچ برنامه ای با آن شناسه یا نام یافت نشد", | ||||||
|     "reposHaveMultipleApps": "مخازن ممکن است شامل چندین برنامه باشد", |     "reposHaveMultipleApps": "مخازن ممکن است شامل چندین برنامه باشد", | ||||||
|     "fdroidThirdPartyRepo": "مخازن شخص ثالث F-Droid", |     "fdroidThirdPartyRepo": "مخازن شخص ثالث F-Droid", | ||||||
|  |     "steamMobile": "استیم موبایل", | ||||||
|  |     "steamChat": "چت استیم", | ||||||
|     "install": "نصب", |     "install": "نصب", | ||||||
|     "markInstalled": "علامت گذاری به عنوان نصب شده", |     "markInstalled": "علامت گذاری به عنوان نصب شده", | ||||||
|     "update": "به روز رسانی", |     "update": "به روز رسانی", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "غیرفعال کردن تشخیص نسخه", |     "disableVersionDetection": "غیرفعال کردن تشخیص نسخه", | ||||||
|     "noVersionDetectionExplanation": "این گزینه فقط باید برای برنامه هایی استفاده شود که تشخیص نسخه به درستی کار نمی کند.", |     "noVersionDetectionExplanation": "این گزینه فقط باید برای برنامه هایی استفاده شود که تشخیص نسخه به درستی کار نمی کند.", | ||||||
|     "downloadingX": "در حال دانلود {}", |     "downloadingX": "در حال دانلود {}", | ||||||
|     "downloadX": "دانلود {}", |  | ||||||
|     "downloadedX": "دانلود شده {}", |  | ||||||
|     "releaseAsset": "انتشار دارایی", |  | ||||||
|     "downloadNotifDescription": "کاربر را از پیشرفت دانلود یک برنامه مطلع می کند", |     "downloadNotifDescription": "کاربر را از پیشرفت دانلود یک برنامه مطلع می کند", | ||||||
|     "noAPKFound": "APK پیدا نشد فایل", |     "noAPKFound": "APK پیدا نشد فایل", | ||||||
|     "noVersionDetection": "بدون تشخیص نسخه", |     "noVersionDetection": "بدون تشخیص نسخه", | ||||||
| @@ -212,17 +204,15 @@ | |||||||
|     "uninstallFromDevice": "حذف نصب از دستگاه", |     "uninstallFromDevice": "حذف نصب از دستگاه", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "فقط برای برنامههایی کار میکند که تشخیص نسخه غیرفعال است.", |     "onlyWorksWithNonVersionDetectApps": "فقط برای برنامههایی کار میکند که تشخیص نسخه غیرفعال است.", | ||||||
|     "releaseDateAsVersion": "از تاریخ انتشار به عنوان نسخه استفاده کنید", |     "releaseDateAsVersion": "از تاریخ انتشار به عنوان نسخه استفاده کنید", | ||||||
|     "releaseTitleAsVersion": "از عنوان انتشار به عنوان رشته نسخه استفاده کنید", |  | ||||||
|     "releaseDateAsVersionExplanation": "این گزینه فقط باید برای برنامه هایی استفاده شود که تشخیص نسخه به درستی کار نمی کند، اما تاریخ انتشار در دسترس است.", |     "releaseDateAsVersionExplanation": "این گزینه فقط باید برای برنامه هایی استفاده شود که تشخیص نسخه به درستی کار نمی کند، اما تاریخ انتشار در دسترس است.", | ||||||
|     "changes": "تغییرات", |     "changes": "تغییرات", | ||||||
|     "releaseDate": "تاریخ انتشار", |     "releaseDate": "تاریخ انتشار", | ||||||
|     "importFromURLsInFile": "وارد کردن از آدرس های اینترنتی موجود در فایل (مانند OPML)", |     "importFromURLsInFile": "درون ریزی از آدرس های اینترنتی موجود در فایل (مانند OPML)", | ||||||
|     "versionDetectionExplanation": "تطبیق رشته نسخه با نسخه شناسایی شده از سیستم عامل", |     "versionDetectionExplanation": "تطبیق رشته نسخه با نسخه شناسایی شده از سیستم عامل", | ||||||
|     "versionDetection": "تشخیص نسخه", |     "versionDetection": "تشخیص نسخه", | ||||||
|     "standardVersionDetection": "تشخیص نسخه استاندارد", |     "standardVersionDetection": "تشخیص نسخه استاندارد", | ||||||
|     "groupByCategory": "گروه بر اساس دسته", |     "groupByCategory": "گروه بر اساس دسته", | ||||||
|     "autoApkFilterByArch": "در صورت امکان سعی کنید APKها را بر اساس معماری CPU فیلتر کنید", |     "autoApkFilterByArch": "در صورت امکان سعی کنید APKها را بر اساس معماری CPU فیلتر کنید", | ||||||
|     "autoLinkFilterByArch": "Attempt to filter links by CPU architecture if possible", |  | ||||||
|     "overrideSource": "نادیده گرفتن منبع", |     "overrideSource": "نادیده گرفتن منبع", | ||||||
|     "dontShowAgain": "دوباره این را نشان نده", |     "dontShowAgain": "دوباره این را نشان نده", | ||||||
|     "dontShowTrackOnlyWarnings": "هشدار 'فقط ردیابی' را نشان ندهید", |     "dontShowTrackOnlyWarnings": "هشدار 'فقط ردیابی' را نشان ندهید", | ||||||
| @@ -254,20 +244,16 @@ | |||||||
|     "verifyLatestTag": "برچسب \"آخرین\" را تأیید کنید", |     "verifyLatestTag": "برچسب \"آخرین\" را تأیید کنید", | ||||||
|     "intermediateLinkRegex": "برای بازدید از پیوند «میانگین» فیلتر کنید", |     "intermediateLinkRegex": "برای بازدید از پیوند «میانگین» فیلتر کنید", | ||||||
|     "filterByLinkText": "لینک ها را بر اساس متن پیوند فیلتر کنید", |     "filterByLinkText": "لینک ها را بر اساس متن پیوند فیلتر کنید", | ||||||
|     "matchLinksOutsideATags": "Match links outside <a> tags", |  | ||||||
|     "intermediateLinkNotFound": "لینک میانی پیدا نشد", |     "intermediateLinkNotFound": "لینک میانی پیدا نشد", | ||||||
|     "intermediateLink": "پیوند میانی", |     "intermediateLink": "پیوند میانی", | ||||||
|     "exemptFromBackgroundUpdates": "معاف از بهروزرسانیهای پسزمینه (در صورت فعال بودن)", |     "exemptFromBackgroundUpdates": "معاف از بهروزرسانیهای پسزمینه (در صورت فعال بودن)", | ||||||
|     "bgUpdatesOnWiFiOnly": "بهروزرسانیهای پسزمینه را در صورت عدم اتصال به Wi-Fi غیرفعال کنید", |     "bgUpdatesOnWiFiOnly": "بهروزرسانیهای پسزمینه را در صورت عدم اتصال به WiFi غیرفعال کنید", | ||||||
|     "bgUpdatesWhileChargingOnly": "بهروزرسانیهای پسزمینه را هنگام شارژ نشدن غیرفعال کنید", |  | ||||||
|     "autoSelectHighestVersionCode": "انتخاب خودکار بالاترین نسخه کد APK", |     "autoSelectHighestVersionCode": "انتخاب خودکار بالاترین نسخه کد APK", | ||||||
|     "versionExtractionRegEx": "نسخه استخراج RegEx", |     "versionExtractionRegEx": "نسخه استخراج RegEx", | ||||||
|     "trimVersionString": "برش رشته نسخه با RegEx", |  | ||||||
|     "matchGroupToUseForX": "مطابقت دادن گروه برای استفاده برای \"{}\"", |  | ||||||
|     "matchGroupToUse": "گروه مورد استفاده را مطابقت دهید", |     "matchGroupToUse": "گروه مورد استفاده را مطابقت دهید", | ||||||
|     "highlightTouchTargets": "اهداف لمسی کمتر واضح را برجسته کنید", |     "highlightTouchTargets": "اهداف لمسی کمتر واضح را برجسته کنید", | ||||||
|     "pickExportDir": "فهرست صادر کردن را انتخاب کنید", |     "pickExportDir": "فهرست برون ریزی را انتخاب کنید", | ||||||
|     "autoExportOnChanges": "صادر کردن خودکار تغییرات", |     "autoExportOnChanges": "برون ریزی خودکار تغییرات", | ||||||
|     "includeSettings": "شامل تنظیمات", |     "includeSettings": "شامل تنظیمات", | ||||||
|     "filterVersionsByRegEx": "فیلتر کردن نسخه ها با RegEx", |     "filterVersionsByRegEx": "فیلتر کردن نسخه ها با RegEx", | ||||||
|     "trySelectingSuggestedVersionCode": "نسخه پیشنهادی APK نسخه کد را انتخاب کنید", |     "trySelectingSuggestedVersionCode": "نسخه پیشنهادی APK نسخه کد را انتخاب کنید", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "پشتیبانی از URL های APK ثابت", |     "supportFixedAPKURL": "پشتیبانی از URL های APK ثابت", | ||||||
|     "selectX": "انتخاب کنید {}", |     "selectX": "انتخاب کنید {}", | ||||||
|     "parallelDownloads": "اجازه دانلود موازی", |     "parallelDownloads": "اجازه دانلود موازی", | ||||||
|     "useShizuku": "برای نصب از Shizuku یا Sui استفاده کنید", |     "installMethod": "روش نصب", | ||||||
|  |     "normal": "طبیعی", | ||||||
|  |     "root": "ریشه", | ||||||
|     "shizukuBinderNotFound": "Shizuku در حال اجرا نیست", |     "shizukuBinderNotFound": "Shizuku در حال اجرا نیست", | ||||||
|     "shizukuOld": "نسخه قدیمی Shizuku (<11) - آن را به روز کنید", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku در Android < 8.1 با ADB اجرا می شود - اندروید را به روز کنید یا به جای آن از Sui استفاده کنید", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Google Play را به عنوان منبع نصب تنظیم کنید (در صورت استفاده از Shizuku)", |  | ||||||
|     "useSystemFont": "استفاده از فونت سیستم", |     "useSystemFont": "استفاده از فونت سیستم", | ||||||
|  |     "systemFontError": "خطا در بارگیری فونت سیستم: {}", | ||||||
|     "useVersionCodeAsOSVersion": "استفاده کد نسخه برنامه به جای نسخه شناسایی شده توسط سیستم عامل استفاده کنید", |     "useVersionCodeAsOSVersion": "استفاده کد نسخه برنامه به جای نسخه شناسایی شده توسط سیستم عامل استفاده کنید", | ||||||
|     "requestHeader": "درخواست سطر بالایی", |     "requestHeader": "درخواست سطر بالایی", | ||||||
|     "useLatestAssetDateAsReleaseDate": "استفاده از آخرین بارگذاری دارایی به عنوان تاریخ انتشار", |     "useLatestAssetDateAsReleaseDate": "استفاده از آخرین بارگذاری دارایی به عنوان تاریخ انتشار", | ||||||
| @@ -310,33 +296,9 @@ | |||||||
|     "installed": "نصب شده است", |     "installed": "نصب شده است", | ||||||
|     "latest": "آخرین", |     "latest": "آخرین", | ||||||
|     "invertRegEx": "معکوس کردن عبارت منظم", |     "invertRegEx": "معکوس کردن عبارت منظم", | ||||||
|     "note": "یادداشت", |     "note": "Note", | ||||||
|     "selfHostedNote": "از منوی کرکره ای \"{}\" می توان برای دسترسی به نمونه های خود میزبانی/سفارشی از هر منبعی استفاده کرد.", |     "selfHostedNote": "The \"{}\" dropdown can be used to reach self-hosted/custom instances of any source.", | ||||||
|     "badDownload": "APK قابل تجزیه نیست (دانلود ناسازگار یا جزئی)", |     "badDownload": "The APK could not be parsed (incompatible or partial download)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "اشتراکگذاری برنامههای جدید با AppVerifier (در صورت وجود)", |  | ||||||
|     "appVerifierInstructionToast": "در AppVerifier به اشتراک بگذارید، سپس پس از آماده شدن به اینجا برگردید.", |  | ||||||
|     "wiki": "راهنما/ویکی", |  | ||||||
|     "crowdsourcedConfigsLabel": "تنظیمات برنامه های مشارکت جمعی (با مسئولیت خود استفاده کنید)", |  | ||||||
|     "crowdsourcedConfigsShort": "تنظیمات برنامه های مشارکت جمعی", |  | ||||||
|     "allowInsecure": "درخواست های HTTP ناامن را مجاز کنید", |  | ||||||
|     "stayOneVersionBehind": "یک نسخه از آخرین نسخه پشت سر بگذارید", |  | ||||||
|     "useFirstApkOfVersion": "Auto-select first of multiple APKs", |  | ||||||
|     "refreshBeforeDownload": "قبل از دانلود، جزئیات برنامه را بازخوانی کنید", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Name", |  | ||||||
|     "smartname": "Name (Smart)", |  | ||||||
|     "sortMethod": "Sort Method", |  | ||||||
|     "welcome": "Welcome", |  | ||||||
|     "documentationLinksNote": "The Obtainium GitHub page linked below contains links to videos, articles, discussions, and other resources that will help you understand how to use the app.", |  | ||||||
|     "batteryOptimizationNote": "Note that background downloads may work more reliably if you disable OS battery optimizations for Obtainium.", |  | ||||||
|     "fileDeletionError": "Failed to delete file (try deleting it manually then try again): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Use a foreground service for update checking (more reliable, consumes more power)", |  | ||||||
|     "fgServiceNotice": "This notification is required for background update checking (it can be hidden in the OS settings)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "برنامه حذف شود؟", |         "one": "برنامه حذف شود؟", | ||||||
|         "other": "برنامه ها حذف شوند؟" |         "other": "برنامه ها حذف شوند؟" | ||||||
| @@ -385,10 +347,6 @@ | |||||||
|         "one": "{} و 1 برنامه دیگر به روز شدند.", |         "one": "{} و 1 برنامه دیگر به روز شدند.", | ||||||
|         "other": "{} و {} برنامه دیگر به روز شدند." |         "other": "{} و {} برنامه دیگر به روز شدند." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "{} و 1 برنامه دیگر به روز نشد.", |  | ||||||
|         "other": "{} و {} برنامه دیگر به روز نشد." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} و 1 برنامه دیگر ممکن است به روز شده باشند.", |         "one": "{} و 1 برنامه دیگر ممکن است به روز شده باشند.", | ||||||
|         "other": "ممکن است {} و {} برنامه های دیگر به روز شده باشند." |         "other": "ممکن است {} و {} برنامه های دیگر به روز شده باشند." | ||||||
|   | |||||||
| @@ -1,86 +1,83 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "URL de l'application {} invalide", |     "invalidURLForSource": "URL d'application {} invalide", | ||||||
|     "noReleaseFound": "Impossible de trouver une publication correspondante", |     "noReleaseFound": "Impossible de trouver une version appropriée", | ||||||
|     "noVersionFound": "Impossible de déterminer la version de la publication", |     "noVersionFound": "Impossible de déterminer la version de la version", | ||||||
|     "urlMatchesNoSource": "L'URL ne correspond pas à une source connue", |     "urlMatchesNoSource": "L'URL ne correspond pas à une source connue", | ||||||
|     "cantInstallOlderVersion": "Impossible d'installer une ancienne version de l'application", |     "cantInstallOlderVersion": "Impossible d'installer une ancienne version d'une application", | ||||||
|     "appIdMismatch": "L'ID du paquet téléchargé ne correspond pas à l'ID de l'application existante", |     "appIdMismatch": "L'ID de paquet téléchargé ne correspond pas à l'ID de l'application existante", | ||||||
|     "functionNotImplemented": "Cette classe n'implémente pas cette fonction", |     "functionNotImplemented": "Cette classe n'a pas implémenté cette fonction", | ||||||
|     "placeholder": "Espace réservé", |     "placeholder": "Espace réservé", | ||||||
|     "someErrors": "Des erreurs sont survenues", |     "someErrors": "Des erreurs se sont produites", | ||||||
|     "unexpectedError": "Erreur inattendue", |     "unexpectedError": "Erreur inattendue", | ||||||
|     "ok": "OK", |     "ok": "D'accord", | ||||||
|     "and": "et", |     "and": "et", | ||||||
|     "githubPATLabel": "Jeton d'accès personnel GitHub (augmente la limite de débit)", |     "githubPATLabel": "Jeton d'Accès Personnel GitHub (Augmente la limite de débit)", | ||||||
|     "includePrereleases": "Inclure les versions préliminaires", |     "includePrereleases": "Inclure les avant-premières", | ||||||
|     "fallbackToOlderReleases": "Revenir aux anciennes versions", |     "fallbackToOlderReleases": "Retour aux anciennes versions", | ||||||
|     "filterReleaseTitlesByRegEx": "Filtrer les titres de version par expression régulière", |     "filterReleaseTitlesByRegEx": "Filtrer les titres de version par expression régulière", | ||||||
|     "invalidRegEx": "Expression régulière invalide", |     "invalidRegEx": "Expression régulière invalide", | ||||||
|     "noDescription": "Aucune description", |     "noDescription": "Pas de description", | ||||||
|     "cancel": "Annuler", |     "cancel": "Annuler", | ||||||
|     "continue": "Continuer", |     "continue": "Continuer", | ||||||
|     "requiredInBrackets": "(Requis)", |     "requiredInBrackets": "(Requis)", | ||||||
|     "dropdownNoOptsError": "ERREUR: LA LISTE DÉROULANTE DOIT AVOIR AU MOINS UNE OPTION", |     "dropdownNoOptsError": "ERREUR : LE DÉROULEMENT DOIT AVOIR AU MOINS UNE OPT", | ||||||
|     "colour": "Couleur", |     "colour": "Couleur", | ||||||
|     "standard": "Standard", |     "githubStarredRepos": "Dépôts étoilés GitHub", | ||||||
|     "custom": "Personnalisé", |  | ||||||
|     "useMaterialYou": "Utiliser Material You", |  | ||||||
|     "githubStarredRepos": "dépôts étoilés GitHub", |  | ||||||
|     "uname": "Nom d'utilisateur", |     "uname": "Nom d'utilisateur", | ||||||
|     "wrongArgNum": "Nombre incorrect des arguments fournis", |     "wrongArgNum": "Mauvais nombre d'arguments fournis", | ||||||
|     "xIsTrackOnly": "{} en Suivi uniquement", |     "xIsTrackOnly": "{} est en 'Suivi uniquement'", | ||||||
|     "source": "source", |     "source": "Source", | ||||||
|     "app": "Appli", |     "app": "Application", | ||||||
|     "appsFromSourceAreTrackOnly": "Les applications de cette source sont en 'Suivi uniquement'.", |     "appsFromSourceAreTrackOnly": "Les applications de cette source sont en 'Suivi uniquement'.", | ||||||
|     "youPickedTrackOnly": "Vous avez sélectionné l'option 'Suivi uniquement'.", |     "youPickedTrackOnly": "Vous avez sélectionné l'option 'Suivi uniquement'.", | ||||||
|     "trackOnlyAppDescription": "L'application sera suivie pour les mises à jour, mais Obtainium ne pourra pas la télécharger ou l'installer.", |     "trackOnlyAppDescription": "L'application sera suivie pour les mises à jour, mais Obtainium ne pourra pas la télécharger ou l'installer.", | ||||||
|     "cancelled": "Annulé", |     "cancelled": "Annulé", | ||||||
|     "appAlreadyAdded": "Application déjà ajoutée", |     "appAlreadyAdded": "Application déjà ajoutée", | ||||||
|     "alreadyUpToDateQuestion": "L'application est déjà à jour?", |     "alreadyUpToDateQuestion": "Application déjà à jour ?", | ||||||
|     "addApp": "Ajouter appli", |     "addApp": "Ajouter une application", | ||||||
|     "appSourceURL": "URL source de l'application", |     "appSourceURL": "URL de la source de l'application", | ||||||
|     "error": "Erreur", |     "error": "Erreur", | ||||||
|     "add": "Ajouter", |     "add": "Ajouter", | ||||||
|     "searchSomeSourcesLabel": "Rechercher (certaines sources uniquement)", |     "searchSomeSourcesLabel": "Rechercher (certaines sources uniquement)", | ||||||
|     "search": "Rechercher", |     "search": "Rechercher", | ||||||
|     "additionalOptsFor": "Options supplémentaires pour {}", |     "additionalOptsFor": "Options supplémentaires pour {}", | ||||||
|     "supportedSources": "Sources prises en charge", |     "supportedSources": "Sources prises en charge ", | ||||||
|     "trackOnlyInBrackets": "(Suivi uniquement)", |     "trackOnlyInBrackets": "(Suivi uniquement)", | ||||||
|     "searchableInBrackets": "(Interrogeable)", |     "searchableInBrackets": "(Recherchable)", | ||||||
|     "appsString": "Applis", |     "appsString": "Applications", | ||||||
|     "noApps": "Aucune application", |     "noApps": "Aucune application", | ||||||
|     "noAppsForFilter": "Aucune application correspondant au filtre", |     "noAppsForFilter": "Aucune application pour le filtre", | ||||||
|     "byX": "Par {}", |     "byX": "Par {}", | ||||||
|     "percentProgress": "Progression : {}%", |     "percentProgress": "Progrès: {}%", | ||||||
|     "pleaseWait": "Veuillez patienter", |     "pleaseWait": "Veuillez patienter", | ||||||
|     "updateAvailable": "Mise à jour disponible", |     "updateAvailable": "Mise à jour disponible", | ||||||
|     "notInstalled": "Non installée", |     "notInstalled": "Pas installé", | ||||||
|     "pseudoVersion": "Version fictive", |     "pseudoVersion": "pseudo-version", | ||||||
|     "selectAll": "Tout sélectionner", |     "selectAll": "Tout sélectionner", | ||||||
|     "deselectX": "Désélectionner {}", |     "deselectX": "Déselectionner {}", | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} sera supprimée d'Obtainium mais restera installée sur l'appareil.", |     "xWillBeRemovedButRemainInstalled": "{} sera supprimé d'Obtainium mais restera installé sur l'appareil.", | ||||||
|     "removeSelectedAppsQuestion": "Supprimer les applications sélectionnées ?", |     "removeSelectedAppsQuestion": "Supprimer les applications sélectionnées ?", | ||||||
|     "removeSelectedApps": "Supprimer les applications sélectionnées", |     "removeSelectedApps": "Supprimer les applications sélectionnées", | ||||||
|     "updateX": "Mettre à jour {}", |     "updateX": "Mise à jour {}", | ||||||
|     "installX": "Installer {}", |     "installX": "Installer {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Marquer {}\n(Suivi uniquement)\ncomme étant à jour", |     "markXTrackOnlyAsUpdated": "Marquer {}\n(Suivi uniquement)\nas mis à jour", | ||||||
|     "changeX": "Modifier {}", |     "changeX": "Changer {}", | ||||||
|     "installUpdateApps": "Installer/Mettre à jour les applications", |     "installUpdateApps": "Installer/Mettre à jour les applications", | ||||||
|     "installUpdateSelectedApps": "Installer/Mettre à jour les applications sélectionnées", |     "installUpdateSelectedApps": "Installer/Mettre à jour les applications sélectionnées", | ||||||
|     "markXSelectedAppsAsUpdated": "Marquer les {} applications sélectionnées comme étant à jour ?", |     "markXSelectedAppsAsUpdated": "Marquer {} les applications sélectionnées comme mises à jour ?", | ||||||
|     "no": "Non", |     "no": "Non", | ||||||
|     "yes": "Oui", |     "yes": "Oui", | ||||||
|     "markSelectedAppsUpdated": "Marquer les applications sélectionnées comme étant à jour", |     "markSelectedAppsUpdated": "Marquer les applications sélectionnées comme mises à jour", | ||||||
|     "pinToTop": "Épingler en haut", |     "pinToTop": "Épingler en haut", | ||||||
|     "unpinFromTop": "Désépingler du haut", |     "unpinFromTop": "Détacher du haut", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Réinitialiser l'état d'installation des applications sélectionnées ?", |     "resetInstallStatusForSelectedAppsQuestion": "Réinitialiser l'état d'installation des applications sélectionnées ?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "L'état d'installation de toutes les applications sélectionnées sera réinitialisé.\n\nCela peut être utile lorsque la version de l'application affichée dans Obtainium est incorrecte en raison de l'échec des mises à jour ou d'autres problèmes.", |     "installStatusOfXWillBeResetExplanation": "L'état d'installation de toutes les applications sélectionnées sera réinitialisé.\n\nCela peut aider lorsque la version de l'application affichée dans Obtainium est incorrecte en raison d'échecs de mises à jour ou d'autres problèmes.", | ||||||
|     "customLinkMessage": "Ces liens fonctionnent sur les appareils sur lesquels Obtainium est installé", |     "customLinkMessage": "Ces liens fonctionnent sur les appareils sur lesquels Obtenirium est installé", | ||||||
|     "shareAppConfigLinks": "Partager la configuration de l'application sous forme de lien HTML", |     "shareAppConfigLinks": "Partager la configuration de l'application sous forme de lien HTML", | ||||||
|     "shareSelectedAppURLs": "Partager les URL des applications sélectionnées", |     "shareSelectedAppURLs": "Partager les URL d'application sélectionnées", | ||||||
|     "resetInstallStatus": "Réinitialiser l'état d'installation des applications", |     "resetInstallStatus": "Réinitialiser le statut d'installation", | ||||||
|     "more": "Plus", |     "more": "Plus", | ||||||
|     "removeOutdatedFilter": "Supprimer le filtre des applications obsolètes", |     "removeOutdatedFilter": "Supprimer le filtre d'application obsolète", | ||||||
|     "showOutdatedOnly": "Afficher uniquement les applications obsolètes", |     "showOutdatedOnly": "Afficher uniquement les applications obsolètes", | ||||||
|     "filter": "Filtre", |     "filter": "Filtre", | ||||||
|     "filterApps": "Filtrer les applications", |     "filterApps": "Filtrer les applications", | ||||||
| @@ -88,45 +85,44 @@ | |||||||
|     "author": "Auteur", |     "author": "Auteur", | ||||||
|     "upToDateApps": "Applications à jour", |     "upToDateApps": "Applications à jour", | ||||||
|     "nonInstalledApps": "Applications non installées", |     "nonInstalledApps": "Applications non installées", | ||||||
|     "importExport": "Import/Export", |     "importExport": "Importer/Exporter", | ||||||
|     "settings": "Paramètres", |     "settings": "Paramètres", | ||||||
|     "exportedTo": "Exporté vers {}", |     "exportedTo": "Exporté vers {}", | ||||||
|     "obtainiumExport": "Exporter la configuration d'Obtainium", |     "obtainiumExport": "Exportation d'Obtainium", | ||||||
|     "invalidInput": "Entrée invalide", |     "invalidInput": "Entrée invalide", | ||||||
|     "importedX": "Importé {}", |     "importedX": "Importé {}", | ||||||
|     "obtainiumImport": "Importer la configuration sur Obtainium", |     "obtainiumImport": "Importation d'Obtainium", | ||||||
|     "importFromURLList": "Importer depuis une liste d'URL", |     "importFromURLList": "Importer à partir de la liste d'URL", | ||||||
|     "searchQuery": "Requête de recherche", |     "searchQuery": "Requête de recherche", | ||||||
|     "appURLList": "Liste d'URL des applications", |     "appURLList": "Liste d'URL d'application", | ||||||
|     "line": "Ligne", |     "line": "Queue", | ||||||
|     "searchX": "Rechercher {}", |     "searchX": "Rechercher {}", | ||||||
|     "noResults": "Aucun résultat", |     "noResults": "Aucun résultat trouvé", | ||||||
|     "importX": "Importation de {}", |     "importX": "Importer {}", | ||||||
|     "importedAppsIdDisclaimer": "Les applications importées peuvent s'afficher de manière incorrecte comme étant \"Non installées\".\nPour résoudre ce problème, réinstallez-les via Obtainium.\nCela n'affectera pas les données des applications.\n\nCela n'affecte que les méthodes d'importation d'URL et par des tiers.", |     "importedAppsIdDisclaimer": "Les applications importées peuvent s'afficher à tort comme \"Non installées\".\nPour résoudre ce problème, réinstallez-les via Obtainium.\nCela ne devrait pas affecter les données de l'application.\n\nN'affecte que les URL et les méthodes d'importation tierces.", | ||||||
|     "importErrors": "Erreurs lors de l'importation", |     "importErrors": "Erreurs d'importation", | ||||||
|     "importedXOfYApps": "{} applications sur {} ont été importées.", |     "importedXOfYApps": "{} sur {} applications importées.", | ||||||
|     "followingURLsHadErrors": "Les URL suivantes comportent des erreurs :", |     "followingURLsHadErrors": "Les URL suivantes comportaient des erreurs :", | ||||||
|     "selectURL": "Sélectionner l'URL", |     "selectURL": "Sélectionnez l'URL", | ||||||
|     "selectURLs": "Sélectionner les URL", |     "selectURLs": "Sélectionnez les URLs", | ||||||
|     "pick": "Choisir", |     "pick": "Prendre", | ||||||
|     "theme": "Thème", |     "theme": "Thème", | ||||||
|     "dark": "Sombre", |     "dark": "Sombre", | ||||||
|     "light": "Clair", |     "light": "Clair", | ||||||
|     "followSystem": "Suivre le système", |     "followSystem": "Suivre le système", | ||||||
|     "followSystemThemeExplanation": "Suivre le thème du système est possible en utilisant des applications tierces.", |     "useBlackTheme": "Utilisez le thème noir pur et sombre", | ||||||
|     "useBlackTheme": "Utiliser un thème noir", |     "appSortBy": "Applications triées par", | ||||||
|     "appSortBy": "Trier les applications par", |  | ||||||
|     "authorName": "Auteur/Nom", |     "authorName": "Auteur/Nom", | ||||||
|     "nameAuthor": "Nom/Auteur", |     "nameAuthor": "Nom/Auteur", | ||||||
|     "asAdded": "Date d'ajout", |     "asAdded": "Comme ajouté", | ||||||
|     "appSortOrder": "Ordre de tri des applications", |     "appSortOrder": "Ordre de tri des applications", | ||||||
|     "ascending": "Ascendant", |     "ascending": "Ascendant", | ||||||
|     "descending": "Descendant", |     "descending": "Descendanr", | ||||||
|     "bgUpdateCheckInterval": "Intervalle de recherche de mises à jour en arrière-plan", |     "bgUpdateCheckInterval": "Intervalle de vérification des mises à jour en arrière-plan", | ||||||
|     "neverManualOnly": "Jamais - Manuellement uniquement", |     "neverManualOnly": "Jamais - Manuel uniquement", | ||||||
|     "appearance": "Apparence", |     "appearance": "Apparence", | ||||||
|     "showWebInAppView": "Afficher la page Web source dans l'onglet 'Applications'", |     "showWebInAppView": "Afficher la page Web source dans la vue de l'application", | ||||||
|     "pinUpdates": "Épingler les mises à jour en haut de l'onglet 'Applications'", |     "pinUpdates": "Épingler les mises à jour dans la vue Top des applications", | ||||||
|     "updates": "Mises à jour", |     "updates": "Mises à jour", | ||||||
|     "sourceSpecific": "Spécifique à la source", |     "sourceSpecific": "Spécifique à la source", | ||||||
|     "appSource": "Source de l'application", |     "appSource": "Source de l'application", | ||||||
| @@ -135,223 +131,189 @@ | |||||||
|     "close": "Fermer", |     "close": "Fermer", | ||||||
|     "share": "Partager", |     "share": "Partager", | ||||||
|     "appNotFound": "Application introuvable", |     "appNotFound": "Application introuvable", | ||||||
|     "obtainiumExportHyphenatedLowercase": "export-obtainium", |     "obtainiumExportHyphenatedLowercase": "exportation d'obtainium", | ||||||
|     "pickAnAPK": "Sélectionner un APK", |     "pickAnAPK": "Choisissez un APK", | ||||||
|     "appHasMoreThanOnePackage": "{} a plus d'un paquet :", |     "appHasMoreThanOnePackage": "{} a plus d'un paquet :", | ||||||
|     "deviceSupportsXArch": "Votre appareil prend en charge l'architecture CPU {}.", |     "deviceSupportsXArch": "Votre appareil prend en charge l'architecture de processeur {}.", | ||||||
|     "deviceSupportsFollowingArchs": "Votre appareil prend en charge les architectures CPU suivantes : ", |     "deviceSupportsFollowingArchs": "Votre appareil prend en charge les architectures CPU suivantes :", | ||||||
|     "warning": "Avertissement", |     "warning": "Avertissement", | ||||||
|     "sourceIsXButPackageFromYPrompt": "La source de l'application est '{}' mais le paquet de mise à jour provient de '{}'. Continuer ?", |     "sourceIsXButPackageFromYPrompt": "La source de l'application est '{}' mais le paquet de version provient de '{}'. Continuer?", | ||||||
|     "updatesAvailable": "Mises à jour disponibles", |     "updatesAvailable": "Mises à jour disponibles", | ||||||
|     "updatesAvailableNotifDescription": "Notifie à l'utilisateur que des mises à jour sont disponibles pour une ou plusieurs applications suivies par Obtainium.", |     "updatesAvailableNotifDescription": "Avertit l'utilisateur que des mises à jour sont disponibles pour une ou plusieurs applications suivies par Obtainium", | ||||||
|     "noNewUpdates": "Aucune nouvelle mise à jour.", |     "noNewUpdates": "Aucune nouvelle mise à jour.", | ||||||
|     "xHasAnUpdate": "{} a une mise à jour.", |     "xHasAnUpdate": "{} a une mise à jour.", | ||||||
|     "appsUpdated": "Applications mises à jour", |     "appsUpdated": "Applications mises à jour", | ||||||
|     "appsNotUpdated": "Échec de la mise à jour des applications", |     "appsUpdatedNotifDescription": "Avertit l'utilisateur que les mises à jour d'une ou plusieurs applications ont été appliquées en arrière-plan", | ||||||
|     "appsUpdatedNotifDescription": "Notifie à l'utilisateur que des mises à jour d'une ou plusieurs applications ont été installées en arrière-plan.", |     "xWasUpdatedToY": "{} a été mis à jour pour {}.", | ||||||
|     "xWasUpdatedToY": "{} a été mise à jour vers {}.", |     "errorCheckingUpdates": "Erreur lors de la vérification des mises à jour", | ||||||
|     "xWasNotUpdatedToY": "Échec de la mise à jour de {} vers {}.", |     "errorCheckingUpdatesNotifDescription": "Une notification qui s'affiche lorsque la vérification de la mise à jour en arrière-plan échoue", | ||||||
|     "errorCheckingUpdates": "Erreur lors de la recherche de mises à jour", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Notifie l'utilisateur lorsque la recherche de mises à jour en arrière-plan échoue.", |  | ||||||
|     "appsRemoved": "Applications supprimées", |     "appsRemoved": "Applications supprimées", | ||||||
|     "appsRemovedNotifDescription": "Notifie à l'utilisateur qu'une ou plusieurs applications ont été supprimées en raison d'erreurs lors de leur chargement.", |     "appsRemovedNotifDescription": "Avertit l'utilisateur qu'une ou plusieurs applications ont été supprimées en raison d'erreurs lors de leur chargement", | ||||||
|     "xWasRemovedDueToErrorY": "{} a été supprimée en raison de cette erreur : {}", |     "xWasRemovedDueToErrorY": "{} a été supprimé en raison de cette erreur : {}", | ||||||
|     "completeAppInstallation": "Installation complète de l'application", |     "completeAppInstallation": "Installation complète de l'application", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium doit être ouvert pour installer les applications", |     "obtainiumMustBeOpenToInstallApps": "Obtainium doit être ouvert pour installer des applications", | ||||||
|     "completeAppInstallationNotifDescription": "Demande à l'utilisateur de retourner sur Obtainium pour terminer l'installation d'une application", |     "completeAppInstallationNotifDescription": "Demande à l'utilisateur de retourner sur Obtainium pour terminer l'installation d'une application", | ||||||
|     "checkingForUpdates": "Recherche de mises à jour", |     "checkingForUpdates": "Vérification des mises à jour", | ||||||
|     "checkingForUpdatesNotifDescription": "Notification temporaire qui apparaît lors de la recherche de mises à jour", |     "checkingForUpdatesNotifDescription": "Notification transitoire qui apparaît lors de la recherche de mises à jour", | ||||||
|     "pleaseAllowInstallPerm": "Veuillez autoriser Obtainium à installer des applications", |     "pleaseAllowInstallPerm": "Veuillez autoriser Obtainium à installer des applications", | ||||||
|     "trackOnly": "Suivi uniquement", |     "trackOnly": "Suivi uniquement", | ||||||
|     "errorWithHttpStatusCode": "Erreur {}", |     "errorWithHttpStatusCode": "Erreur {}", | ||||||
|     "versionCorrectionDisabled": "Correction de version désactivée (le plugin ne semble pas fonctionner)", |     "versionCorrectionDisabled": "Correction de version désactivée (le plugin ne semble pas fonctionner)", | ||||||
|     "unknown": "Inconnu", |     "unknown": "Inconnu", | ||||||
|     "none": "Aucun", |     "none": "Aucun", | ||||||
|     "all": "Tous", |  | ||||||
|     "never": "Jamais", |     "never": "Jamais", | ||||||
|     "latestVersionX": "Dernière version : {}", |     "latestVersionX": "Dernière version: {}", | ||||||
|     "installedVersionX": "Version installée : {}", |     "installedVersionX": "Version installée : {}", | ||||||
|     "lastUpdateCheckX": "Dernière recherche de mises à jour : {}", |     "lastUpdateCheckX": "Vérification de la dernière mise à jour : {}", | ||||||
|     "remove": "Supprimer", |     "remove": "Retirer", | ||||||
|     "yesMarkUpdated": "Oui, marquer comme étant à jour", |     "yesMarkUpdated": "Oui, marquer comme mis à jour", | ||||||
|     "fdroid": "F-Droid Officiel", |     "fdroid": "F-Droid Officiel", | ||||||
|     "appIdOrName": "ID ou nom de l'application", |     "appIdOrName": "ID ou nom de l'application", | ||||||
|     "appId": "ID de l'application", |     "appId": "ID de l'application", | ||||||
|     "appWithIdOrNameNotFound": "Aucune application n'a été trouvée avec cet identifiant ou ce nom", |     "appWithIdOrNameNotFound": "Aucune application n'a été trouvée avec cet identifiant ou ce nom", | ||||||
|     "reposHaveMultipleApps": "Les dépôts peuvent contenir plusieurs applications", |     "reposHaveMultipleApps": "Les dépôts peuvent contenir plusieurs applications", | ||||||
|     "fdroidThirdPartyRepo": "Dépôt tiers F-Droid", |     "fdroidThirdPartyRepo": "Dépôt tiers F-Droid", | ||||||
|  |     "steamMobile": "Vapeur Mobile", | ||||||
|  |     "steamChat": "Chat sur Steam", | ||||||
|     "install": "Installer", |     "install": "Installer", | ||||||
|     "markInstalled": "Marquer comme installée", |     "markInstalled": "Marquer installée", | ||||||
|     "update": "Mettre à jour", |     "update": "Mettre à jour", | ||||||
|     "markUpdated": "Marquer comme à jour", |     "markUpdated": "Marquer à jour", | ||||||
|     "additionalOptions": "Options supplémentaires", |     "additionalOptions": "Options additionelles", | ||||||
|     "disableVersionDetection": "Désactiver la détection de la version", |     "disableVersionDetection": "Désactiver la détection de version", | ||||||
|     "noVersionDetectionExplanation": "Cette option ne doit être utilisée que pour les applications où la détection de la version ne fonctionne pas correctement.", |     "noVersionDetectionExplanation": "Cette option ne doit être utilisée que pour les applications où la détection de version ne fonctionne pas correctement.", | ||||||
|     "downloadingX": "Téléchargement de {}", |     "downloadingX": "Téléchargement {}", | ||||||
|     "downloadX": "Télécharger {}", |     "downloadNotifDescription": "Avertit l'utilisateur de la progression du téléchargement d'une application", | ||||||
|     "downloadedX": "Téléchargé {}", |  | ||||||
|     "releaseAsset": "Élément de version", |  | ||||||
|     "downloadNotifDescription": "Notifie l'utilisateur sur l'avancement du téléchargement d'une application", |  | ||||||
|     "noAPKFound": "Aucun APK trouvé", |     "noAPKFound": "Aucun APK trouvé", | ||||||
|     "noVersionDetection": "Aucune détection de version", |     "noVersionDetection": "Pas de détection de version", | ||||||
|     "categorize": "Catégoriser", |     "categorize": "Catégoriser", | ||||||
|     "categories": "Catégories", |     "categories": "Catégories", | ||||||
|     "category": "Catégorie", |     "category": "Catégorie", | ||||||
|     "noCategory": "Aucune catégorie", |     "noCategory": "Aucune catégorie", | ||||||
|     "noCategories": "Aucune catégorie", |     "noCategories": "Aucune catégorie", | ||||||
|     "deleteCategoriesQuestion": "Supprimer les catégories ?", |     "deleteCategoriesQuestion": "Supprimer les catégories ?", | ||||||
|     "categoryDeleteWarning": "Toutes les applications des catégories supprimées seront définies comme non catégorisées.", |     "categoryDeleteWarning": "Toutes les applications dans les catégories supprimées seront définies sur non catégorisées.", | ||||||
|     "addCategory": "Ajouter une catégorie", |     "addCategory": "Ajouter une catégorie", | ||||||
|     "label": "Nom", |     "label": "Étiquette", | ||||||
|     "language": "Langue", |     "language": "Langue", | ||||||
|     "copiedToClipboard": "Copié dans le presse-papier", |     "copiedToClipboard": "Copié dans le presse-papier", | ||||||
|     "storagePermissionDenied": "Permission de stockage refusée", |     "storagePermissionDenied": "Autorisation de stockage refusée", | ||||||
|     "selectedCategorizeWarning": "Cela va remplacer toutes les catégories définies des applications sélectionnées.", |     "selectedCategorizeWarning": "Cela remplacera tous les paramètres de catégorie existants pour les applications sélectionnées.", | ||||||
|     "filterAPKsByRegEx": "Filtrer les APK par expression régulière", |     "filterAPKsByRegEx": "Filtrer les APK par expression régulière", | ||||||
|     "removeFromObtainium": "Supprimer d'Obtainium", |     "removeFromObtainium": "Supprimer d'Obtainium", | ||||||
|     "uninstallFromDevice": "Désinstaller de l'appareil", |     "uninstallFromDevice": "Désinstaller de l'appareil", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Ne fonctionne qu'avec les applications dont la détection de la version est désactivée.", |     "onlyWorksWithNonVersionDetectApps": "Fonctionne uniquement pour les applications avec la détection de version désactivée.", | ||||||
|     "releaseDateAsVersion": "Utiliser la date de sortie comme version", |     "releaseDateAsVersion": "Utiliser la date de sortie comme version", | ||||||
|     "releaseTitleAsVersion": "Utiliser le titre de la version comme chaîne de version", |     "releaseDateAsVersionExplanation": "Cette option ne doit être utilisée que pour les applications où la détection de version ne fonctionne pas correctement, mais une date de sortie est disponible.", | ||||||
|     "releaseDateAsVersionExplanation": "Cette option ne doit être utilisée que pour les applications pour lesquelles la détection de la version ne fonctionne pas correctement, mais dont une date de sortie est disponible.", |     "changes": "Changements", | ||||||
|     "changes": "Modifications", |  | ||||||
|     "releaseDate": "Date de sortie", |     "releaseDate": "Date de sortie", | ||||||
|     "importFromURLsInFile": "Importer à partir des URLs d'un fichier (comme OPML)", |     "importFromURLsInFile": "Importer à partir d'URL dans un fichier (comme OPML)", | ||||||
|     "versionDetectionExplanation": "Réconcilier la chaîne de version avec la version détectée par le système d'exploitation", |     "versionDetectionExplanation": "Réconcilier la chaîne de version avec la version détectée à partir du système d'exploitation", | ||||||
|     "versionDetection": "Détection de la version", |     "versionDetection": "Détection des versions", | ||||||
|     "standardVersionDetection": "Détection de la version standard", |     "standardVersionDetection": "Détection de version standard", | ||||||
|     "groupByCategory": "Grouper par catégorie", |     "groupByCategory": "Regrouper par catégorie", | ||||||
|     "autoApkFilterByArch": "Essayer de filtrer les APKs par architecture CPU si possible", |     "autoApkFilterByArch": "Essayez de filtrer les APK par architecture CPU si possible", | ||||||
|     "autoLinkFilterByArch": "Essayer de filtrer les liens en fonction de l'architecture de l'unité centrale si possible", |  | ||||||
|     "overrideSource": "Remplacer la source", |     "overrideSource": "Remplacer la source", | ||||||
|     "dontShowAgain": "Ne plus afficher", |     "dontShowAgain": "Ne montre plus ça", | ||||||
|     "dontShowTrackOnlyWarnings": "Ne plus afficher les avertissements 'Suivi uniquement'", |     "dontShowTrackOnlyWarnings": "Don't Show the 'Track-Only' Warning", | ||||||
|     "dontShowAPKOriginWarnings": "Ne plus afficher les avertissements sur l'origine de l'APK", |     "dontShowAPKOriginWarnings": "Ne pas afficher les avertissements sur l'origine de l'APK", | ||||||
|     "moveNonInstalledAppsToBottom": "Déplacer les applications non installées vers le bas de la vue Applications", |     "moveNonInstalledAppsToBottom": "Déplacer les applications non installées vers le bas de la vue Applications", | ||||||
|     "gitlabPATLabel": "Jeton d'accès personnel GitLab", |     "gitlabPATLabel": "Jeton d'accès personnel GitLab", | ||||||
|     "about": "À propos", |     "about": "À propos de", | ||||||
|     "requiresCredentialsInSettings": "{} a besoin d'informations d'identification supplémentaires (dans les Paramètres)", |     "requiresCredentialsInSettings": "{}: This needs additional credentials (in Settings)", | ||||||
|     "checkOnStart": "Rechercher les mises à jour au démarrage", |     "checkOnStart": "Vérifier les mises à jour au démarrage", | ||||||
|     "tryInferAppIdFromCode": "Essayer de déduire l'identifiant de l'application à partir du code source", |     "tryInferAppIdFromCode": "Essayez de déduire l'ID de l'application à partir du code source", | ||||||
|     "removeOnExternalUninstall": "Supprimer automatiquement les applications désinstallées en externe", |     "removeOnExternalUninstall": "Supprimer automatiquement les applications désinstallées en externe", | ||||||
|     "pickHighestVersionCode": "Sélectionner automatiquement la version la plus récente du code APK", |     "pickHighestVersionCode": "Sélectionner automatiquement le code APK de la version la plus élevée", | ||||||
|     "checkUpdateOnDetailPage": "Rechercher les mises à jour lors de l'ouverture de la page détaillée d'une application", |     "checkUpdateOnDetailPage": "Vérifier les mises à jour lors de l'ouverture d'une page de détails d'application", | ||||||
|     "disablePageTransitions": "Désactiver les animations de transition de page", |     "disablePageTransitions": "Désactiver les animations de transition de page", | ||||||
|     "reversePageTransitions": "Inverser les animations de transition de page", |     "reversePageTransitions": "Animations de transition de page inversée", | ||||||
|     "minStarCount": "Nombre minimum d'étoiles", |     "minStarCount": "Nombre minimum d'étoiles", | ||||||
|     "addInfoBelow": "Ajoutez cette information ci-dessous.", |     "addInfoBelow": "Ajoutez ces informations ci-dessous.", | ||||||
|     "addInfoInSettings": "Ajoutez cette information dans les paramètres.", |     "addInfoInSettings": "Ajoutez ces informations dans les paramètres.", | ||||||
|     "githubSourceNote": "La limitation du débit de GitHub peut être évitée à l'aide d'une clé d'API.", |     "githubSourceNote": "La limitation du débit GitHub peut être évitée à l'aide d'une clé API.", | ||||||
|     "sortByLastLinkSegment": "Trier par le dernier segment du lien", |     "sortByLastLinkSegment": "Trier uniquement sur le dernier segment du lien", | ||||||
|     "filterReleaseNotesByRegEx": "Filtrer les notes de version par expression régulière", |     "filterReleaseNotesByRegEx": "Filtrer les notes de version par expression régulière", | ||||||
|     "customLinkFilterRegex": "Filtre de lien APK personnalisé par expression régulière (par défaut '.apk$')", |     "customLinkFilterRegex": "Filtre de lien APK personnalisé par expression régulière (par défaut '.apk$')", | ||||||
|     "appsPossiblyUpdated": "Tentatives de mise à jour d'applications", |     "appsPossiblyUpdated": "Tentative de mise à jour de l'application", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Notifie à l'utilisateur que des mises à jour d'une ou plusieurs applications ont potentiellement été appliquées en arrière-plan", |     "appsPossiblyUpdatedNotifDescription": "Avertit l'utilisateur que des mises à jour d'une ou plusieurs applications ont été potentiellement appliquées en arrière-plan", | ||||||
|     "xWasPossiblyUpdatedToY": "{} a peut-être été mise à jour vers {}.", |     "xWasPossiblyUpdatedToY": "{} a peut-être été mis à jour vers {}.", | ||||||
|     "enableBackgroundUpdates": "Activer les mises à jour en arrière-plan", |     "enableBackgroundUpdates": "Activer les mises à jour en arrière-plan", | ||||||
|     "backgroundUpdateReqsExplanation": "Les mises à jour en arrière-plan peuvent ne pas être possibles pour toutes les applications.", |     "backgroundUpdateReqsExplanation": "Les mises à jour en arrière-plan peuvent ne pas être possibles pour toutes les applications.", | ||||||
|     "backgroundUpdateLimitsExplanation": "Le succès d'une installation en arrière-plan ne peut être déterminé qu'à l'ouverture d'Obtainium.", |     "backgroundUpdateLimitsExplanation": "Le succès d'une installation en arrière-plan ne peut être déterminé qu'à l'ouverture d'Obetium.", | ||||||
|     "verifyLatestTag": "Vérifier la balise 'latest'", |     "verifyLatestTag": "Vérifiez la balise 'dernière'", | ||||||
|     "intermediateLinkRegex": "Filtrer un lien 'intermédiaire' à visiter", |     "intermediateLinkRegex": " Filtrer un lien \" intermédiaire \" à visiter ", | ||||||
|     "filterByLinkText": "Filtrer les liens par texte du lien", |     "filterByLinkText": "Filtrer les liens par texte de lien", | ||||||
|     "matchLinksOutsideATags": "Liens en dehors des balises <a>", |  | ||||||
|     "intermediateLinkNotFound": "Lien intermédiaire introuvable", |     "intermediateLinkNotFound": "Lien intermédiaire introuvable", | ||||||
|     "intermediateLink": "Lien intermédiaire", |     "intermediateLink": "Lien intermédiaire", | ||||||
|     "exemptFromBackgroundUpdates": "Exclure des mises à jour en arrière-plan (si activées)", |     "exemptFromBackgroundUpdates": "Exempt des mises à jour en arrière-plan (si activé)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Désactiver les mises à jour en arrière-plan lorsque vous n'êtes pas en Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Désactiver les mises à jour en arrière-plan lorsque vous n'êtes pas connecté au WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Désactiver les mises à jour en arrière-plan lorsque l'appareil n'est pas en charge", |     "autoSelectHighestVersionCode": "Sélection automatique de la version la plus élevéeCode APK", | ||||||
|     "autoSelectHighestVersionCode": "Sélectionner automatiquement la version la plus récente du code APK", |     "versionExtractionRegEx": "Version Extraction RegEx", | ||||||
|     "versionExtractionRegEx": "Expression régulière d'extraction de version", |     "matchGroupToUse": "Match Group to Use", | ||||||
|     "trimVersionString": "Découper la chaîne de version avec une expression régulière", |     "highlightTouchTargets": "Mettez en évidence les cibles tactiles moins évidentes", | ||||||
|     "matchGroupToUseForX": "Groupe de correspondance à utiliser pour \"{}\"", |     "pickExportDir": "Choisir le répertoire d'exportation", | ||||||
|     "matchGroupToUse": "Groupe de correspondance à utiliser pour l'extraction de la version par expression régulière", |     "autoExportOnChanges": "Exportation automatique sur modifications", | ||||||
|     "highlightTouchTargets": "Mettre en évidence les zones tactiles moins évidentes", |  | ||||||
|     "pickExportDir": "Sélectionner le dossier d'exportation", |  | ||||||
|     "autoExportOnChanges": "Exporter automatiquement lors de modifications", |  | ||||||
|     "includeSettings": "Inclure les paramètres", |     "includeSettings": "Inclure les paramètres", | ||||||
|     "filterVersionsByRegEx": "Filtrer les versions par expression régulière", |     "filterVersionsByRegEx": "Filtrer les versions par expression régulière", | ||||||
|     "trySelectingSuggestedVersionCode": "Essayer de sélectionner le code de version APK suggéré", |     "trySelectingSuggestedVersionCode": "Essayez de sélectionner la version suggéréeCode APK", | ||||||
|     "dontSortReleasesList": "Conserver l'ordre de version de l'API", |     "dontSortReleasesList": "Conserver la commande de version de l'API", | ||||||
|     "reverseSort": "Tri inversé", |     "reverseSort": "Tri inversé", | ||||||
|     "takeFirstLink": "Utiliser le premier lien", |     "takeFirstLink": "Prendre le premier lien", | ||||||
|     "skipSort": "Ignorer le tri", |     "skipSort": "Sauter le tri", | ||||||
|     "debugMenu": "Menu de débogage", |     "debugMenu": "Menu de débogage", | ||||||
|     "bgTaskStarted": "Tâche en arrière-plan démarrée - vérifier les journaux.", |     "bgTaskStarted": "Tâche en arrière-plan démarrée - vérifier les journaux.", | ||||||
|     "runBgCheckNow": "Exécuter la recherche de mises à jour en arrière-plan maintenant", |     "runBgCheckNow": "Exécuter la vérification de la mise à jour en arrière-plan maintenant", | ||||||
|     "versionExtractWholePage": "Appliquer l'expression régulière d'extraction de version à l'ensemble de la page", |     "versionExtractWholePage": "Apply Version Extraction Regex to Entire Page", | ||||||
|     "installing": "Installation", |     "installing": "Installation", | ||||||
|     "skipUpdateNotifications": "Désactiver les notifications de mise à jour", |     "skipUpdateNotifications": "Ignorer les notifications de mise à jour", | ||||||
|     "updatesAvailableNotifChannel": "Mises à jour disponibles", |     "updatesAvailableNotifChannel": "Mises à jour disponibles", | ||||||
|     "appsUpdatedNotifChannel": "Applications mises à jour", |     "appsUpdatedNotifChannel": "Applications mises à jour", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Tentatives de mise à jour d'applications", |     "appsPossiblyUpdatedNotifChannel": "Tentative de mise à jour de l'application", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Erreur lors de la recherche de mises à jour", |     "errorCheckingUpdatesNotifChannel": "Erreur lors de la vérification des mises à jour", | ||||||
|     "appsRemovedNotifChannel": "Applications supprimées", |     "appsRemovedNotifChannel": "Applications supprimées", | ||||||
|     "downloadingXNotifChannel": "Téléchargement de {}", |     "downloadingXNotifChannel": "Téléchargement {}", | ||||||
|     "completeAppInstallationNotifChannel": "Terminer l'installation de l'application", |     "completeAppInstallationNotifChannel": "Installation complète de l'application", | ||||||
|     "checkingForUpdatesNotifChannel": "Recherche de mises à jour", |     "checkingForUpdatesNotifChannel": "Vérification des mises à jour", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Rechercher uniquement les mises à jour des applications installées et des applications 'Suivi uniquement'", |     "onlyCheckInstalledOrTrackOnlyApps": "Vérifiez uniquement les mises à jour des applications installées et de suivi uniquement", | ||||||
|     "supportFixedAPKURL": "Prise en charge des URL APK fixes", |     "supportFixedAPKURL": "Prise en charge des URL APK fixes", | ||||||
|     "selectX": "Sélectionner {}", |     "selectX": "Sélectionner {}", | ||||||
|     "parallelDownloads": "Autoriser les téléchargements simultanés", |     "parallelDownloads": "Autoriser les téléchargements parallèles", | ||||||
|     "useShizuku": "Utiliser Shizuku ou Sui pour l'installation", |     "installMethod": "Méthode d'installation", | ||||||
|     "shizukuBinderNotFound": "Le service Shizuku n'est pas en cours d'exécution", |     "normal": "Normale", | ||||||
|     "shizukuOld": "Ancienne version de Shizuku (<11) - veuillez le mettre à jour", |     "root": "Racine", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku fonctionne sur Android < 8.1 avec ADB - veuillez mettre à jour Android ou utiliser Sui à la place", |     "shizukuBinderNotFound": "Shizuku is not running", | ||||||
|     "shizukuPretendToBeGooglePlay": "Définir Google Play comme source d'installation (si Shizuku est utilisé)", |     "useSystemFont": "Utiliser la police système", | ||||||
|     "useSystemFont": "Utiliser la police du système", |     "systemFontError": "Erreur de chargement de la police système : {}", | ||||||
|     "useVersionCodeAsOSVersion": "Utiliser le code de version de l'application détectée par le système d'exploitation", |     "useVersionCodeAsOSVersion": "Utiliser le code de version de l'application comme version détectée par le système d'exploitation", | ||||||
|     "requestHeader": "En-tête de requête", |     "requestHeader": "En-tête de demande", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Utiliser la date du dernier élément mis en ligne comme date de sortie", |     "useLatestAssetDateAsReleaseDate": "Utiliser le dernier téléchargement d'élément comme date de sortie", | ||||||
|     "defaultPseudoVersioningMethod": "Méthode de versionnage fictif par défaut", |     "defaultPseudoVersioningMethod": "Méthode de pseudo-version par défaut", | ||||||
|     "partialAPKHash": "Hash partiel de l'APK", |     "partialAPKHash": "Hash APK partiel", | ||||||
|     "APKLinkHash": "Hash du lien APK", |     "APKLinkHash": "Hash de lien APK", | ||||||
|     "directAPKLink": "Lien direct de l'APK", |     "directAPKLink": "Lien APK direct", | ||||||
|     "pseudoVersionInUse": "Une version fictive est utilisée", |     "pseudoVersionInUse": "Une pseudo-version est utilisée", | ||||||
|     "installed": "Installée", |     "installed": "Installée", | ||||||
|     "latest": "Dernière version", |     "latest": "Dernier", | ||||||
|     "invertRegEx": "Inverser l'expression régulière", |     "invertRegEx": "Inverser l'expression régulière", | ||||||
|     "note": "Note", |     "note": "Note", | ||||||
|     "selfHostedNote": "La liste déroulante \"{}\" peut être utilisée pour accéder à des instances auto-hébergées/personnalisées de n'importe quelle source.", |     "selfHostedNote": "La liste déroulante \"{}\" peut être utilisée pour accéder aux instances auto-hébergées/personnalisées de n'importe quelle source.", | ||||||
|     "badDownload": "L'APK n'a pas pu être analysé (téléchargement incompatible ou partiel)", |     "badDownload": "L'APK n'a pas pu être analysé (téléchargement incompatible ou partiel)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Partager les nouvelles applications avec AppVerifier (si disponible)", |  | ||||||
|     "appVerifierInstructionToast": "Partagez avec AppVerifier, puis revenez ici lorsque tout est prêt.", |  | ||||||
|     "wiki": "Aide/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Configurations d'applications communautaires (à utiliser à vos risques et périls)", |  | ||||||
|     "crowdsourcedConfigsShort": "Applications communautaires", |  | ||||||
|     "allowInsecure": "Autoriser les requêtes HTTP non sécurisées", |  | ||||||
|     "stayOneVersionBehind": "Rester une version en arrière de la dernière", |  | ||||||
|     "useFirstApkOfVersion": "Sélection automatique du premier APK parmi plusieurs", |  | ||||||
|     "refreshBeforeDownload": "Actualiser les détails de l'application avant de la télécharger", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Nom", |  | ||||||
|     "smartname": "Nom (Smart)", |  | ||||||
|     "sortMethod": "Méthode de tri", |  | ||||||
|     "welcome": "Bienvenue", |  | ||||||
|     "documentationLinksNote": "La page GitHub d'Obtainium, dont le lien figure ci-dessous, contient des liens vers des vidéos, des articles, des discussions et d'autres ressources qui vous aideront à comprendre comment utiliser l'application.", |  | ||||||
|     "batteryOptimizationNote": "Notez que les téléchargements en arrière-plan peuvent fonctionner de manière plus fiable si vous désactivez les optimisations de la batterie du système d'exploitation pour Obtainium.", |  | ||||||
|     "fileDeletionError": "Échec de la suppression du fichier (essayez de le supprimer manuellement puis réessayez) : \"{}\"", |  | ||||||
|     "foregroundService": "Service d'avant-plan Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Utiliser un service de premier plan pour la vérification des mises à jour (plus fiable, consomme plus d'énergie)", |  | ||||||
|     "fgServiceNotice": "Cette notification est nécessaire pour la vérification des mises à jour en arrière-plan (elle peut être masquée dans les paramètres du système d'exploitation).", |  | ||||||
|     "excludeSecrets": "Exclure les secrets", |  | ||||||
|     "GHReqPrefix": "instance 'sky22333/hubproxy' pour les requêtes GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Supprimer l'application ?", |         "one": "Supprimer l'application ?", | ||||||
|         "other": "Supprimer les applications ?" |         "other": "Supprimer les applications ?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Trop de requêtes (taux limité) - réessayez dans {} minute", |         "one": "Trop de demandes (taux limité) - réessayez dans {} minute", | ||||||
|         "other": "Trop de requêtes (taux limité) - réessayez dans {} minutes" |         "other": "Trop de demandes (taux limité) - réessayez dans {} minutes" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "La recherche de mise à jour en arrière-plan a rencontré une erreur {}, une nouvelle tentative programmée dans {} minute", |         "one": "La vérification de la mise à jour en arrière-plan a rencontré un {}, planifiera une nouvelle tentative de vérification dans {} minute", | ||||||
|         "other": "La recherche de mise à jour en arrière-plan a rencontré une erreur {}, une nouvelle tentative programmée dans {} minutes" |         "other": "La vérification de la mise à jour en arrière-plan a rencontré un {}, planifiera une nouvelle tentative de vérification dans {} minutes" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "La recherche de mises à jour en arrière-plan a trouvé {} mise à jour - l'utilisateur sera notifié si nécessaire", |         "one": "La vérification des mises à jour en arrière-plan trouvée {} mise à jour - avertira l'utilisateur si nécessaire", | ||||||
|         "other": "La recherche de mises à jour en arrière-plan a trouvé {} mises à jour - l'utilisateur sera notifié si nécessaire" |         "other": "La vérification des mises à jour en arrière-plan a trouvé {} mises à jour - avertira l'utilisateur si nécessaire" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} Application", |         "one": "{} Application", | ||||||
| @@ -359,23 +321,23 @@ | |||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL", |         "one": "{} URL", | ||||||
|         "other": "{} URLs" |         "other": "{} URL" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} minute", |         "one": "{} Minutes", | ||||||
|         "other": "{} minutes" |         "other": "{} Minutes" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} heure", |         "one": "{} Heure", | ||||||
|         "other": "{} heures" |         "other": "{} Heures" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} jour", |         "one": "{} Jour", | ||||||
|         "other": "{} jours" |         "other": "{} Jours" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Nettoyage du journal {n} (avant = {before}, après = {after})", |         "one": "{n} journal effacé (avant = {before}, après = {after})", | ||||||
|         "other": "Nettoyage des journaux {n} (avant = {before}, après = {after})" |         "other": "{n} journaux effacés (avant = {before}, après = {after})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} et 1 autre application ont des mises à jour.", |         "one": "{} et 1 autre application ont des mises à jour.", | ||||||
| @@ -385,13 +347,9 @@ | |||||||
|         "one": "{} et 1 autre application ont été mises à jour.", |         "one": "{} et 1 autre application ont été mises à jour.", | ||||||
|         "other": "{} et {} autres applications ont été mises à jour." |         "other": "{} et {} autres applications ont été mises à jour." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Échec de la mise à jour de {} et 1 autre application.", |  | ||||||
|         "other": "Échec de la mise à jour de {} et {} autres applications." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} et 1 autre application ont peut-être été mises à jour.", |         "une": "{} et 1 application supplémentaire ont peut-être été mises à jour.", | ||||||
|         "other": "{} et {} autres applications ont peut-être été mises à jour." |         "other": "{} et {} autres applications peuvent avoir été mises à jour." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|   | |||||||
| @@ -1,365 +1,327 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "Érvénytelen a(z) {} alkalmazás webcíme", |     "invalidURLForSource": "Érvénytelen a(z) {} app URL-je", | ||||||
|     "noReleaseFound": "Nem található megfelelő kiadás", |     "noReleaseFound": "Nem található megfelelő kiadás", | ||||||
|     "noVersionFound": "Nem sikerült meghatározni a kiadás verzióját", |     "noVersionFound": "Nem sikerült meghatározni a kiadás verzióját", | ||||||
|     "urlMatchesNoSource": "A webcím nem egyezik egyetlen ismert forrással sem", |     "urlMatchesNoSource": "Az URL nem egyezik ismert forrással", | ||||||
|     "cantInstallOlderVersion": "Nem telepíthető egy alkalmazás régebbi verziója", |     "cantInstallOlderVersion": "Nem telepíthető egy app régebbi verziója", | ||||||
|     "appIdMismatch": "A letöltött csomagazonosító nem egyezik a meglévő alkalmazás azonosítójával", |     "appIdMismatch": "A letöltött csomagazonosító nem egyezik a meglévő app azonosítóval", | ||||||
|     "functionNotImplemented": "Ebben az ágban nincs implementálva ez a funkció", |     "functionNotImplemented": "Ez az osztály nem valósította meg ezt a függvényt", | ||||||
|     "placeholder": "Helyőrző", |     "placeholder": "Helykitöltő", | ||||||
|     "someErrors": "Néhány hiba történt", |     "someErrors": "Néhány hiba történt", | ||||||
|     "unexpectedError": "Váratlan hiba", |     "unexpectedError": "Váratlan hiba", | ||||||
|     "ok": "OK", |     "ok": "Oké", | ||||||
|     "and": "és", |     "and": "és", | ||||||
|     "githubPATLabel": "GitHub személyes hozzáférési token (megnöveli a lekérdezés-korlátozást)", |     "githubPATLabel": "GitHub Personal Access Token (megnöveli a díjkorlátot)", | ||||||
|     "includePrereleases": "Tartalmazza az előzetes kiadásokat", |     "includePrereleases": "Tartalmazza az előzetes kiadásokat", | ||||||
|     "fallbackToOlderReleases": "Visszatérés a régebbi kiadásokhoz", |     "fallbackToOlderReleases": "Visszatérés a régebbi kiadásokhoz", | ||||||
|     "filterReleaseTitlesByRegEx": "A kiadás címeinek szűrése reguláris kifejezéssel", |     "filterReleaseTitlesByRegEx": "A kiadás címeinek szűrése reguláris kifejezéssel", | ||||||
|     "invalidRegEx": "Érvénytelen reguláris kifejezés", |     "invalidRegEx": "Érvénytelen reguláris kifejezés", | ||||||
|     "noDescription": "Nincs leírás", |     "noDescription": "Nincs leírás", | ||||||
|     "cancel": "Mégse", |     "cancel": "Mégse", | ||||||
|     "continue": "Folytatás", |     "continue": "Tovább", | ||||||
|     "requiredInBrackets": "(Szükséges)", |     "requiredInBrackets": "(Kötelező)", | ||||||
|     "dropdownNoOptsError": "HIBA: A LEGÖRDÜLŐ LISTÁNAK LEGALÁBB EGY KIVÁLASZTHATÓ BEÁLLÍTÁSSAL KELL RENDELKEZNIE", |     "dropdownNoOptsError": "HIBA: A LEDOBÁST LEGALÁBB EGY OPCIÓHOZ KELL RENDELNI", | ||||||
|     "colour": "Szín", |     "colour": "Szín", | ||||||
|     "standard": "Általános", |     "githubStarredRepos": "GitHub Csillagos Repo-k", | ||||||
|     "custom": "Egyéni", |     "uname": "Felh.név", | ||||||
|     "useMaterialYou": "Material You használata", |     "wrongArgNum": "Rossz számú argumentumot adott meg", | ||||||
|     "githubStarredRepos": "Csillagozott GitHub-tárolók", |     "xIsTrackOnly": "A(z) {} csak nyomonkövethető", | ||||||
|     "uname": "Felhasználónév", |  | ||||||
|     "wrongArgNum": "A megadott argumentumok száma nem megfelelő", |  | ||||||
|     "xIsTrackOnly": "A(z) {} csak nyomon követhető", |  | ||||||
|     "source": "Forrás", |     "source": "Forrás", | ||||||
|     "app": "Alkalmazás", |     "app": "Alkalmazás", | ||||||
|     "appsFromSourceAreTrackOnly": "Az ebből a forrásból származó alkalmazások „csak nyomon követhetők”.", |     "appsFromSourceAreTrackOnly": "Az ebből a forrásból származó alkalmazások 'Csak nyomon követhetőek'.", | ||||||
|     "youPickedTrackOnly": "„Csak nyomon követés” beállítást választotta.", |     "youPickedTrackOnly": "A 'Csak követés' opciót választotta.", | ||||||
|     "trackOnlyAppDescription": "Az alkalmazás frissítéseit nyomon követi, de az Obtainium nem tudja letölteni vagy telepíteni.", |     "trackOnlyAppDescription": "Az alkalmazás frissítéseit nyomon követi, de az Obtainium nem tudja letölteni vagy telepíteni.", | ||||||
|     "cancelled": "Visszavonva", |     "cancelled": "Törölve", | ||||||
|     "appAlreadyAdded": "Az alkalmazás már hozzá van adva", |     "appAlreadyAdded": "Az app már hozzáadva", | ||||||
|     "alreadyUpToDateQuestion": "Az alkalmazás már naprakész?", |     "alreadyUpToDateQuestion": "Az app már naprakész?", | ||||||
|     "addApp": "Hozzáadás", |     "addApp": "App hozzáadás", | ||||||
|     "appSourceURL": "Alkalmazás forrásának webcíme", |     "appSourceURL": "App forrás URL", | ||||||
|     "error": "Hiba", |     "error": "Hiba", | ||||||
|     "add": "Hozzáadás", |     "add": "Hozzáadás", | ||||||
|     "searchSomeSourcesLabel": "Keresés (csak bizonyos források)", |     "searchSomeSourcesLabel": "Keresés (csak egyes források)", | ||||||
|     "search": "Keresés", |     "search": "Keresés", | ||||||
|     "additionalOptsFor": "További lehetőségek a következőhöz: {}", |     "additionalOptsFor": "További lehetőségek a következőhöz: {}", | ||||||
|     "supportedSources": "Támogatott források", |     "supportedSources": "Támogatott források", | ||||||
|     "trackOnlyInBrackets": "(Csak nyomon követés)", |     "trackOnlyInBrackets": "(Csak nyomonkövetés)", | ||||||
|     "searchableInBrackets": "(Kereshető)", |     "searchableInBrackets": "(Kereshető)", | ||||||
|     "appsString": "Alkalmazások", |     "appsString": "Appok", | ||||||
|     "noApps": "Nincsenek alkalmazások", |     "noApps": "Nincs App", | ||||||
|     "noAppsForFilter": "Nincsenek alkalmazások a szűrőhöz", |     "noAppsForFilter": "Nincsenek appok a szűrőhöz", | ||||||
|     "byX": "Fejlesztő: {}", |     "byX": "Fejlesztő: {}", | ||||||
|     "percentProgress": "Folyamat: {}%", |     "percentProgress": "Folyamat: {}%", | ||||||
|     "pleaseWait": "Kis türelmet", |     "pleaseWait": "Kis türelmet", | ||||||
|     "updateAvailable": "Frissítés érhető el", |     "updateAvailable": "Frissítés érhető el", | ||||||
|     "notInstalled": "Nem telepített", |     "notInstalled": "Nem telepített", | ||||||
|     "pseudoVersion": "pszeudoverzió", |     "pseudoVersion": "ál-verzió", | ||||||
|     "selectAll": "Összes kiválasztása", |     "selectAll": "Mindet kiválaszt", | ||||||
|     "deselectX": "A(z) {} kiválasztásának elvetése", |     "deselectX": "Törölje {} kijelölését", | ||||||
|     "xWillBeRemovedButRemainInstalled": "A(z) {} el lesz távolítva az Obtainiumból, de továbbra is telepítve marad az eszközön.", |     "xWillBeRemovedButRemainInstalled": "A(z) {} el lesz távolítva az Obtainiumból, de továbbra is telepítve marad az eszközön.", | ||||||
|     "removeSelectedAppsQuestion": "A kiválasztott alkalmazások eltávolítása?", |     "removeSelectedAppsQuestion": "Eltávolítja a kiválasztott appokat?", | ||||||
|     "removeSelectedApps": "A kiválasztott alkalmazások eltávolítása", |     "removeSelectedApps": "Távolítsa el a kiválasztott appokat", | ||||||
|     "updateX": "{} frissítése", |     "updateX": "Frissítés: {}", | ||||||
|     "installX": "{} telepítése", |     "installX": "Telepítés: {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Megjelölés: {}\n(Csak nyomon követés)\nFrissítettként", |     "markXTrackOnlyAsUpdated": "Jelölje meg: {}\n(Csak nyomon követhető)\nmint Frissített", | ||||||
|     "changeX": "{}-változás", |     "changeX": "Változás {}", | ||||||
|     "installUpdateApps": "Alkalmazások telepítése/frissítése", |     "installUpdateApps": "Appok telepítése/frissítése", | ||||||
|     "installUpdateSelectedApps": "A kiválasztott alkalmazások telepítése/frissítése", |     "installUpdateSelectedApps": "Telepítse/frissítse a kiválasztott appokat", | ||||||
|     "markXSelectedAppsAsUpdated": "A(z) {} kiválasztott alkalmazás megjelölése frissítettként?", |     "markXSelectedAppsAsUpdated": "Megjelöl {} kiválasztott alkalmazást frissítettként?", | ||||||
|     "no": "Nem", |     "no": "Nem", | ||||||
|     "yes": "Igen", |     "yes": "Igen", | ||||||
|     "markSelectedAppsUpdated": "A kiválasztott alkalmazások megjelölése frissítettként", |     "markSelectedAppsUpdated": "Jelölje meg a kiválasztott appokat frissítettként", | ||||||
|     "pinToTop": "Kitűzés felülre", |     "pinToTop": "Rögzítés felülre", | ||||||
|     "unpinFromTop": "Kitűzés megszüntetése", |     "unpinFromTop": "Eltávolít felülről", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Visszaállítja a kiválasztott alkalmazások telepítési állapotát?", |     "resetInstallStatusForSelectedAppsQuestion": "Visszaállítja a kiválasztott appok telepítési állapotát?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "A kiválasztott alkalmazások telepítési állapota visszaáll.\n\nEz akkor segíthet, ha az Obtainiumban megjelenített alkalmazás-verzió hibás, a frissítések vagy egyéb problémák miatt.", |     "installStatusOfXWillBeResetExplanation": "A kiválasztott appok telepítési állapota visszaáll.\n\nEz akkor segíthet, ha az Obtainiumban megjelenített app verzió hibás, frissítések vagy egyéb problémák miatt.", | ||||||
|     "customLinkMessage": "Ezek a hivatkozások a telepített Obtainiummal rendelkező eszközökön működnek", |     "customLinkMessage": "Ezek a hivatkozások a telepített Obtainium-mal rendelkező eszközökön működnek", | ||||||
|     "shareAppConfigLinks": "Alkalmazás-konfiguráció megosztása HTML-hivatkozásként", |     "shareAppConfigLinks": "App konfiguráció megosztása HTML linkként", | ||||||
|     "shareSelectedAppURLs": "A kiválasztott alkalmazás hivatkozásának megosztása", |     "shareSelectedAppURLs": "Ossza meg a kiválasztott app URL címeit", | ||||||
|     "resetInstallStatus": "Telepítési állapot visszaállítása", |     "resetInstallStatus": "Telepítési állapot visszaállítása", | ||||||
|     "more": "További", |     "more": "További", | ||||||
|     "removeOutdatedFilter": "Elavult alkalmazás-szűrő eltávolítása", |     "removeOutdatedFilter": "Távolítsa el az elavult app szűrőt", | ||||||
|     "showOutdatedOnly": "Csak az elavult alkalmazások megjelenítése", |     "showOutdatedOnly": "Csak az elavult appok megjelenítése", | ||||||
|     "filter": "Szűrő", |     "filter": "Szűrő", | ||||||
|     "filterApps": "Alkalmazások szűrése", |     "filterApps": "Appok szűrése", | ||||||
|     "appName": "Név", |     "appName": "App név", | ||||||
|     "author": "Szerző", |     "author": "Szerző", | ||||||
|     "upToDateApps": "Naprakész alkalmazások", |     "upToDateApps": "Naprakész appok", | ||||||
|     "nonInstalledApps": "Nem telepített alkalmazások", |     "nonInstalledApps": "Nem telepített appok", | ||||||
|     "importExport": "Adatmozgatás", |     "importExport": "Import Export", | ||||||
|     "settings": "Beállítások", |     "settings": "Beállítások", | ||||||
|     "exportedTo": "Exportálva ide: {}", |     "exportedTo": "Exportálva ide {}", | ||||||
|     "obtainiumExport": "Obtainium-adatok exportálása", |     "obtainiumExport": "Obtainium Adat Exportálás", | ||||||
|     "invalidInput": "Hibás bemenet", |     "invalidInput": "Hibás bemenet", | ||||||
|     "importedX": "Importálva innen: {}", |     "importedX": "Importálva innen {}", | ||||||
|     "obtainiumImport": "Obtainium-adatok importálása", |     "obtainiumImport": "Obtainium Adat Importálás", | ||||||
|     "importFromURLList": "Importálás webcímlistából", |     "importFromURLList": "Importálás URL listából", | ||||||
|     "searchQuery": "Keresési lekérdezés", |     "searchQuery": "Keresési lekérdezés", | ||||||
|     "appURLList": "Alkalmazás-webcímlista", |     "appURLList": "App URL lista", | ||||||
|     "line": "Sor", |     "line": "Sor", | ||||||
|     "searchX": "{} keresése", |     "searchX": "Keresés {}", | ||||||
|     "noResults": "Nincs találat", |     "noResults": "Nincs találat", | ||||||
|     "importX": "{} importálása", |     "importX": "Importálás: {}", | ||||||
|     "importedAppsIdDisclaimer": "Előfordulhat, hogy az importált alkalmazások helytelenül „Nincs telepítve” jelzéssel jelennek meg.\nA probléma megoldásához telepítse újra őket az Obtainiumon keresztül.\nEz nem érinti az alkalmazásadatokat.\n\nCsak a webcímekre és a harmadik féltől származó importálási módszerekre vonatkozik.", |     "importedAppsIdDisclaimer": "Előfordulhat, hogy az importált appok helytelenül \"Nincs telepítve\" jelzéssel jelennek meg.\nA probléma megoldásához telepítse újra őket az Obtainiumon keresztül.\nEz nem érinti az alkalmazásadatokat.\n\nCsak az URL-ekre és a harmadik féltől származó importálási módszerekre vonatkozik..", | ||||||
|     "importErrors": "Importálási hibák", |     "importErrors": "Importálási hibák", | ||||||
|     "importedXOfYApps": "{}/{} alkalmazás importálva.", |     "importedXOfYApps": "{}/{} app importálva.", | ||||||
|     "followingURLsHadErrors": "A következő webcímek hibákat tartalmaztak:", |     "followingURLsHadErrors": "A következő URL-ek hibákat tartalmaztak:", | ||||||
|     "selectURL": "Webcím kiválasztása", |     "selectURL": "Válassza ki az URL-t", | ||||||
|     "selectURLs": "Webcímek kiválasztása", |     "selectURLs": "Kiválasztott URL-ek", | ||||||
|     "pick": "Kiválasztás", |     "pick": "Válasszon", | ||||||
|     "theme": "Téma", |     "theme": "Téma", | ||||||
|     "dark": "Sötét", |     "dark": "Sötét", | ||||||
|     "light": "Világos", |     "light": "Világos", | ||||||
|     "followSystem": "Rendszerbeállítás használata", |     "followSystem": "Rendszer szerint", | ||||||
|     "followSystemThemeExplanation": "A következő rendszer téma csak harmadik féltől származó alkalmazások használatával lehetséges", |     "useBlackTheme": "Használjon teljesen fekete sötét témát", | ||||||
|     "useBlackTheme": "Teljesen fekete sötét téma használata", |     "appSortBy": "App rendezés...", | ||||||
|     "appSortBy": "Rendezési szempont", |  | ||||||
|     "authorName": "Szerző/Név", |     "authorName": "Szerző/Név", | ||||||
|     "nameAuthor": "Név/Szerző", |     "nameAuthor": "Név/Szerző", | ||||||
|     "asAdded": "Hozzáadás dátuma", |     "asAdded": "Mint Hozzáadott", | ||||||
|     "appSortOrder": "Rendezési sorrend", |     "appSortOrder": "Appok rendezése", | ||||||
|     "ascending": "Növekvő", |     "ascending": "Emelkedő", | ||||||
|     "descending": "Csökkenő", |     "descending": "Csökkenő", | ||||||
|     "bgUpdateCheckInterval": "Időtartam a frissítések háttérellenőrzése között", |     "bgUpdateCheckInterval": "Háttérfrissítés ellenőrzés időköze", | ||||||
|     "neverManualOnly": "Soha – csak kézi", |     "neverManualOnly": "Soha – csak manuális", | ||||||
|     "appearance": "Megjelenés", |     "appearance": "Megjelenés", | ||||||
|     "showWebInAppView": "Forrás megjelenítése az alkalmazásnézetben", |     "showWebInAppView": "Forrás megjelenítése az Appok nézetben", | ||||||
|     "pinUpdates": "Frissítések kitűzése az alkalmazásnézet tetejére", |     "pinUpdates": "Frissítések kitűzése az App nézet tetejére", | ||||||
|     "updates": "Frissítések", |     "updates": "Frissítések", | ||||||
|     "sourceSpecific": "Forrásspecifikus", |     "sourceSpecific": "Forrás-specifikus", | ||||||
|     "appSource": "Alkalmazás forrása", |     "appSource": "App forrás", | ||||||
|     "noLogs": "Nincsenek naplók", |     "noLogs": "Nincsenek naplók", | ||||||
|     "appLogs": "Alkalmazásnaplók", |     "appLogs": "App naplók", | ||||||
|     "close": "Bezárás", |     "close": "Bezárás", | ||||||
|     "share": "Megosztás", |     "share": "Megosztás", | ||||||
|     "appNotFound": "Az alkalmazás nem található", |     "appNotFound": "App nem található", | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-adat", |     "obtainiumExportHyphenatedLowercase": "obtainium-export", | ||||||
|     "pickAnAPK": "Válasszon ki egy APK-t", |     "pickAnAPK": "Válasszon egy APK-t", | ||||||
|     "appHasMoreThanOnePackage": "A(z) {} egynél több csomaggal rendelkezik:", |     "appHasMoreThanOnePackage": "A(z) {} egynél több csomaggal rendelkezik:", | ||||||
|     "deviceSupportsXArch": "Ez az eszköz támogatja a(z) {} CPU-architektúrát.", |     "deviceSupportsXArch": "Eszköze támogatja a {} CPU architektúrát.", | ||||||
|     "deviceSupportsFollowingArchs": "Ez az eszköz a következő CPU-architektúrákat támogatja:", |     "deviceSupportsFollowingArchs": "Az eszköze a következő CPU architektúrákat támogatja:", | ||||||
|     "warning": "Figyelem", |     "warning": "Figyelem", | ||||||
|     "sourceIsXButPackageFromYPrompt": "Az alkalmazás forrása a(z) „{}-tároló”, de a kiadási csomag innen származik: „{}”. Folytatja?", |     "sourceIsXButPackageFromYPrompt": "Az alkalmazás forrása „{}”, de a kiadási csomag innen származik: „{}”. Folytatja?", | ||||||
|     "updatesAvailable": "Frissítések érhetők el", |     "updatesAvailable": "Frissítések érhetők el", | ||||||
|     "updatesAvailableNotifDescription": "Értesíti a felhasználót, hogy egy vagy több, az Obtainium által nyomon követett alkalmazáshoz frissítések állnak rendelkezésre", |     "updatesAvailableNotifDescription": "Értesíti a felhasználót, hogy frissítések állnak rendelkezésre egy vagy több, az Obtainium által nyomon követett alkalmazáshoz", | ||||||
|     "noNewUpdates": "Nincsenek új frissítések.", |     "noNewUpdates": "Nincsenek új frissítések.", | ||||||
|     "xHasAnUpdate": "A(z) {} frissítést kapott.", |     "xHasAnUpdate": "A(z) {} frissítést kapott.", | ||||||
|     "appsUpdated": "Alkalmazások frissítve", |     "appsUpdated": "Alkalmazások frissítve", | ||||||
|     "appsNotUpdated": "Nem sikerült frissíteni az alkalmazásokat", |     "appsUpdatedNotifDescription": "Értesíti a felhasználót, hogy egy/több app frissítése megtörtént a háttérben", | ||||||
|     "appsUpdatedNotifDescription": "Értesíti a felhasználót, hogy egy vagy több alkalmazás frissítése a háttérben történt.", |     "xWasUpdatedToY": "{} frissítve a következőre: {}.", | ||||||
|     "xWasUpdatedToY": "A(z) {} frissítve lett a következőre: {}.", |     "errorCheckingUpdates": "Hiba a frissítések keresésekor", | ||||||
|     "xWasNotUpdatedToY": "Nem sikerült frissíteni a következőt: {}, erre: {}.", |     "errorCheckingUpdatesNotifDescription": "Értesítés, amely akkor jelenik meg, ha a háttérbeli frissítések ellenőrzése sikertelen", | ||||||
|     "errorCheckingUpdates": "Hiba a frissítések ellenőrzésekor", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Értesítés, amely akkor jelenik meg, amikor a frissítések ellenőrzése a háttérben nem sikerül", |  | ||||||
|     "appsRemoved": "Alkalmazások eltávolítva", |     "appsRemoved": "Alkalmazások eltávolítva", | ||||||
|     "appsRemovedNotifDescription": "Értesíti a felhasználót, hogy egy vagy több alkalmazás egy betöltés közbeni hiba miatt el lesz(nek) távolítva", |     "appsRemovedNotifDescription": "Értesíti a felhasználót egy vagy több alkalmazás eltávolításáról a betöltésük során fellépő hibák miatt", | ||||||
|     "xWasRemovedDueToErrorY": "A(z) {} el lett távolítva a következő hiba miatt: {}", |     "xWasRemovedDueToErrorY": "A(z) {} a következő hiba miatt lett eltávolítva: {}", | ||||||
|     "completeAppInstallation": "Teljes alkalmazástelepítés", |     "completeAppInstallation": "Teljes app telepítés", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Az alkalmazások telepítéséhez az Obtainiumnak megnyitva kell lennie", |     "obtainiumMustBeOpenToInstallApps": "Az Obtainiumnak megnyitva kell lennie az alkalmazások telepítéséhez", | ||||||
|     "completeAppInstallationNotifDescription": "Megkéri a felhasználót, hogy térjen vissza az Obtainiumhoz, hogy befejezze az alkalmazás telepítését", |     "completeAppInstallationNotifDescription": "Megkéri a felhasználót, hogy térjen vissza az Obtainiumhoz, hogy befejezze az alkalmazás telepítését", | ||||||
|     "checkingForUpdates": "Frissítések ellenőrzése", |     "checkingForUpdates": "Frissítések keresése", | ||||||
|     "checkingForUpdatesNotifDescription": "Átmeneti értesítés, amely a frissítések ellenőrzésekor jelenik meg", |     "checkingForUpdatesNotifDescription": "Átmeneti értesítés, amely a frissítések keresésekor jelenik meg", | ||||||
|     "pleaseAllowInstallPerm": "Engedélyezze az Obtainiumnak az alkalmazások telepítését", |     "pleaseAllowInstallPerm": "Kérjük, engedélyezze az Obtainiumnak az alkalmazások telepítését", | ||||||
|     "trackOnly": "Csak nyomon követés", |     "trackOnly": "Csak követés", | ||||||
|     "errorWithHttpStatusCode": "Hiba {}", |     "errorWithHttpStatusCode": "Hiba {}", | ||||||
|     "versionCorrectionDisabled": "Verziókorrekció letiltva (úgy tűnik, hogy a bővítmény nem működik)", |     "versionCorrectionDisabled": "Verzió korrekció letiltva (úgy tűnik, a beépülő modul nem működik)", | ||||||
|     "unknown": "Ismeretlen", |     "unknown": "Ismeretlen", | ||||||
|     "none": "Semmi", |     "none": "Egyik sem", | ||||||
|     "all": "Összes", |  | ||||||
|     "never": "Soha", |     "never": "Soha", | ||||||
|     "latestVersionX": "Legújabb verzió: {}", |     "latestVersionX": "Legújabb verzió: {}", | ||||||
|     "installedVersionX": "Telepített verzió: {}", |     "installedVersionX": "Telepített verzió: {}", | ||||||
|     "lastUpdateCheckX": "Frissítések utoljára ellenőrizve: {}", |     "lastUpdateCheckX": "Frissítés ellenőrizve: {}", | ||||||
|     "remove": "Eltávolítás", |     "remove": "Eltávolítás", | ||||||
|     "yesMarkUpdated": "Igen, megjelölés frissítettként", |     "yesMarkUpdated": "Igen, megjelölés frissítettként", | ||||||
|     "fdroid": "F-Droid hivatalos", |     "fdroid": "F-Droid hivatalos", | ||||||
|     "appIdOrName": "Alkalmazás-azonosító vagy név", |     "appIdOrName": "App ID vagy név", | ||||||
|     "appId": "Alkalmazás-azonosító", |     "appId": "Alkalmazásazonosító", | ||||||
|     "appWithIdOrNameNotFound": "Nem található alkalmazás ezzel az azonosítóval vagy névvel", |     "appWithIdOrNameNotFound": "Nem található app ezzel az azonosítóval vagy névvel", | ||||||
|     "reposHaveMultipleApps": "Egyes tárolók több alkalmazást is tartalmazhatnak", |     "reposHaveMultipleApps": "A repók több alkalmazást is tartalmazhatnak", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid-tároló (harmadik fél)", |     "fdroidThirdPartyRepo": "F-Droid Harmadik-fél Repo", | ||||||
|     "install": "Telepítés", |     "steamMobile": "Steam mobil", | ||||||
|     "markInstalled": "Telepítettnek jelölés", |     "steamChat": "Steam Chat", | ||||||
|     "update": "Frissítés", |     "install": "Telepít", | ||||||
|     "markUpdated": "Frissítettnek jelölés", |     "markInstalled": "Telepítettnek jelöl", | ||||||
|     "additionalOptions": "További beállítások", |     "update": "Frissít", | ||||||
|     "disableVersionDetection": "Verzióérzékelés letiltása", |     "markUpdated": "Frissítettnek jelöl", | ||||||
|  |     "additionalOptions": "További lehetőségek", | ||||||
|  |     "disableVersionDetection": "Verzió érzékelés letiltása", | ||||||
|     "noVersionDetectionExplanation": "Ezt a beállítást csak olyan alkalmazásoknál szabad használni, ahol a verzióérzékelés nem működik megfelelően.", |     "noVersionDetectionExplanation": "Ezt a beállítást csak olyan alkalmazásoknál szabad használni, ahol a verzióérzékelés nem működik megfelelően.", | ||||||
|     "downloadingX": "{} letöltése", |     "downloadingX": "{} letöltés", | ||||||
|     "downloadX": "{} letöltése", |     "downloadNotifDescription": "Értesíti a felhasználót az app letöltésének előrehaladásáról", | ||||||
|     "downloadedX": "{} letöltve", |  | ||||||
|     "releaseAsset": "Kiadási csomag", |  | ||||||
|     "downloadNotifDescription": "Értesíti a felhasználót az alkalmazás letöltésének előrehaladásáról", |  | ||||||
|     "noAPKFound": "Nem található APK", |     "noAPKFound": "Nem található APK", | ||||||
|     "noVersionDetection": "Nincs verzióérzékelés", |     "noVersionDetection": "Nincs verzió érzékelés", | ||||||
|     "categorize": "Kategorizálás", |     "categorize": "Kategorizálás", | ||||||
|     "categories": "Kategóriák", |     "categories": "Kategóriák", | ||||||
|     "category": "Kategória", |     "category": "Kategória", | ||||||
|     "noCategory": "Nincs kategória", |     "noCategory": "Nincs kategória", | ||||||
|     "noCategories": "Nincsenek kategóriák", |     "noCategories": "Nincsenek kategóriák", | ||||||
|     "deleteCategoriesQuestion": "Törli a kategóriákat?", |     "deleteCategoriesQuestion": "Törli a kategóriákat?", | ||||||
|     "categoryDeleteWarning": "A törölt kategóriákban lévő összes alkalmazás kategorizálatlanná válik.", |     "categoryDeleteWarning": "A(z) {} összes app kategorizálatlan állapotba kerül.", | ||||||
|     "addCategory": "Kategória hozzáadása", |     "addCategory": "Új kategória", | ||||||
|     "label": "Címke", |     "label": "Címke", | ||||||
|     "language": "Nyelv", |     "language": "Nyelv", | ||||||
|     "copiedToClipboard": "Másolva a vágólapra", |     "copiedToClipboard": "Másolva a vágólapra", | ||||||
|     "storagePermissionDenied": "Tárhely engedély megtagadva", |     "storagePermissionDenied": "Tárhely engedély megtagadva", | ||||||
|     "selectedCategorizeWarning": "Ez felváltja a kiválasztott alkalmazások meglévő kategória-beállításait.", |     "selectedCategorizeWarning": "Ez felváltja a kiválasztott alkalmazások meglévő kategória-beállításait.", | ||||||
|     "filterAPKsByRegEx": "APK-k szűrése reguláris kifejezéssel", |     "filterAPKsByRegEx": "Az APK-k szűrése reguláris kifejezéssel", | ||||||
|     "removeFromObtainium": "Eltávolítás az Obtainiumból", |     "removeFromObtainium": "Eltávolítás az Obtainiumból", | ||||||
|     "uninstallFromDevice": "Eltávolítás az eszközről", |     "uninstallFromDevice": "Eltávolítás a készülékről", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Csak azoknál az alkalmazásoknál működik, amelyeknél a verzióérzékelés le van tiltva.", |     "onlyWorksWithNonVersionDetectApps": "Csak azoknál az alkalmazásoknál működik, amelyeknél a verzióérzékelés le van tiltva.", | ||||||
|     "releaseDateAsVersion": "Kiadás dátumának használata verzió-karakterláncként", |     "releaseDateAsVersion": "Használja a Kiadás dátumát, mint verziót", | ||||||
|     "releaseTitleAsVersion": "Kiadás címének használata verzió-karakterláncként", |     "releaseDateAsVersionExplanation": "Ezt a beállítást csak olyan alkalmazásoknál szabad használni, ahol a verzió érzékelése nem működik megfelelően, de elérhető a kiadás dátuma.", | ||||||
|     "releaseDateAsVersionExplanation": "Ezt a beállítást csak olyan alkalmazásoknál szabad használni, ahol a verzióérzékelés nem működik megfelelően, de elérhető a kiadás dátuma.", |     "changes": "Változtatások", | ||||||
|     "changes": "Változáslista", |  | ||||||
|     "releaseDate": "Kiadás dátuma", |     "releaseDate": "Kiadás dátuma", | ||||||
|     "importFromURLsInFile": "Importálás fájlban található webcímből (például: OPML)", |     "importFromURLsInFile": "Importálás fájlban található URL-ből (mint pl. OPML)", | ||||||
|     "versionDetectionExplanation": "A verzió-karakterlánc egyeztetése az rendszer által érzékelt verzióval", |     "versionDetectionExplanation": "A verzió karakterlánc egyeztetése az OS által észlelt verzióval", | ||||||
|     "versionDetection": "Verzióérzékelés", |     "versionDetection": "Verzió érzékelés", | ||||||
|     "standardVersionDetection": "Alapértelmezett verzióérzékelés", |     "standardVersionDetection": "Alapért. verzió érzékelés", | ||||||
|     "groupByCategory": "Csoportosítás kategória alapján", |     "groupByCategory": "Csoportosítás Kategória alapján", | ||||||
|     "autoApkFilterByArch": "APK-k CPU-architektúra szerinti szűrése, ha lehetséges", |     "autoApkFilterByArch": "Ha lehetséges, próbálja CPU architektúra szerint szűrni az APK-kat", | ||||||
|     "autoLinkFilterByArch": "Hivatkozások CPU-architektúra szerinti szűrése, ha lehetséges", |     "overrideSource": "Forrás felülbírálása", | ||||||
|     "overrideSource": "Forrás felülírása", |     "dontShowAgain": "Ne mutassa ezt újra", | ||||||
|     "dontShowAgain": "Ne jelenítse meg ezt többé", |     "dontShowTrackOnlyWarnings": "Ne jelenítsen meg 'Csak nyomon követés' figyelmeztetést", | ||||||
|     "dontShowTrackOnlyWarnings": "„Csak nyomon követés” figyelmeztetés elrejtése", |     "dontShowAPKOriginWarnings": "Ne jelenítsen meg az APK eredetére vonatkozó figyelmeztetéseket", | ||||||
|     "dontShowAPKOriginWarnings": "APK eredetére vonatkozó figyelmeztetések elrejtése", |     "moveNonInstalledAppsToBottom": "Helyezze át a nem telepített appokat az App nézet aljára", | ||||||
|     "moveNonInstalledAppsToBottom": "Nem telepített alkalmazások áthelyezése az alkalmazásnézet aljára", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "gitlabPATLabel": "GitLab személyes hozzáférési token", |     "about": "Rólunk", | ||||||
|     "about": "Névjegy", |     "requiresCredentialsInSettings": "{}: Ehhez további hitelesítő adatokra van szükség (a Beállításokban)", | ||||||
|     "requiresCredentialsInSettings": "A(z) {} alkalmazásnak további hitelesítő adatokra van szüksége (a beállításokban)", |     "checkOnStart": "Egyszer az alkalmazás indításakor is", | ||||||
|     "checkOnStart": "Frissítések ellenőrzése az alkalmazás megnyitásakor", |     "tryInferAppIdFromCode": "Próbálja kikövetkeztetni az app azonosítót a forráskódból", | ||||||
|     "tryInferAppIdFromCode": "Alkalmazás azonosítójának kikövetkeztetése a forráskódból, ha lehetséges", |     "removeOnExternalUninstall": "A külsőleg eltávolított appok auto. eltávolítása", | ||||||
|     "removeOnExternalUninstall": "Külsőleg eltávolított alkalmazások automatikus eltávolítása", |     "pickHighestVersionCode": "A legmagasabb verziószámú APK auto. kiválasztása", | ||||||
|     "pickHighestVersionCode": "Legmagasabb verziókódú APK automatikus kiválasztása", |     "checkUpdateOnDetailPage": "Frissítések keresése az app részleteit tartalmazó oldal megnyitásakor", | ||||||
|     "checkUpdateOnDetailPage": "Frissítések ellenőrzése az alkalmazás részleteit tartalmazó oldal megnyitásakor", |  | ||||||
|     "disablePageTransitions": "Lap áttűnési animációk letiltása", |     "disablePageTransitions": "Lap áttűnési animációk letiltása", | ||||||
|     "reversePageTransitions": "Fordított lap áttűnési animációk", |     "reversePageTransitions": "Fordított lap áttűnési animációk", | ||||||
|     "minStarCount": "Minimális csillagozási szám", |     "minStarCount": "Minimális csillag szám", | ||||||
|     "addInfoBelow": "Adja hozzá ezt az információt alább.", |     "addInfoBelow": "Adja hozzá ezt az infót alább.", | ||||||
|     "addInfoInSettings": "Adja hozzá ezt az információt a beállításokban.", |     "addInfoInSettings": "Adja hozzá ezt az infót a Beállításokban.", | ||||||
|     "githubSourceNote": "A GitHub/GitLab lekérdezés-korlátozás elkerülhető egy API-kulcs használatával.", |     "githubSourceNote": "A GitHub sebességkorlátozás elkerülhető API-kulcs használatával.", | ||||||
|     "sortByLastLinkSegment": "Rendezés csak a hivatkozás utolsó szakasza szerint", |     "sortByLastLinkSegment": "Rendezés csak a link utolsó szegmense szerint", | ||||||
|     "filterReleaseNotesByRegEx": "Kiadási megjegyzések szűrése reguláris kifejezéssel", |     "filterReleaseNotesByRegEx": "Kiadási megjegyzések szűrése reguláris kifejezéssel", | ||||||
|     "customLinkFilterRegex": "Egyéni APK-hivatkozásszűrő reguláris kifejezéssel (Alapértelmezett „.apk$”)", |     "customLinkFilterRegex": "Egyéni APK hivatkozásszűrő reguláris kifejezéssel (Alapérték '.apk$')", | ||||||
|     "appsPossiblyUpdated": "Megkísérelt alkalmazás-frissítések", |     "appsPossiblyUpdated": "App frissítési kísérlet", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Értesíti a felhasználót, hogy egy vagy több alkalmazás frissítése lehetséges a háttérben", |     "appsPossiblyUpdatedNotifDescription": "Értesíti a felhasználót, hogy egy vagy több alkalmazás frissítése lehetséges a háttérben", | ||||||
|     "xWasPossiblyUpdatedToY": "A(z) {} frissülhetett a következőre: {}.", |     "xWasPossiblyUpdatedToY": "{} frissítve lehet erre {}.", | ||||||
|     "enableBackgroundUpdates": "Háttérfrissítések engedélyezése", |     "enableBackgroundUpdates": "Frissítések a háttérben", | ||||||
|     "backgroundUpdateReqsExplanation": "Előfordulhat, hogy nem minden alkalmazásnál lehetséges a háttérbeli frissítés.", |     "backgroundUpdateReqsExplanation": "Előfordulhat, hogy nem minden appnál lehetséges a háttérbeli frissítés.", | ||||||
|     "backgroundUpdateLimitsExplanation": "A háttérben történő telepítés sikeressége csak az Obtainium megnyitásakor állapítható meg.", |     "backgroundUpdateLimitsExplanation": "A háttérben történő telepítés sikeressége csak az Obtainium megnyitásakor állapítható meg.", | ||||||
|     "verifyLatestTag": "Ellenőrizze a „legújabb” címkét", |     "verifyLatestTag": "Ellenőrizze a „legújabb” címkét", | ||||||
|     "intermediateLinkRegex": "Szűrő egy „köztes” hivatkozás felkereséséhez", |     "intermediateLinkRegex": "Szűrés egy 'köztes' látogatási linkre", | ||||||
|     "filterByLinkText": "Hivatkozások szűrése hivatkozásszöveg alapján", |     "filterByLinkText": "A hivatkozások szűrése linkszöveg alapján", | ||||||
|     "matchLinksOutsideATags": "Hivatkozások keresése az <a> címkéken kívül is", |     "intermediateLinkNotFound": "Köztes link nem található", | ||||||
|     "intermediateLinkNotFound": "Nem található köztes hivatkozás", |     "intermediateLink": "Köztes link", | ||||||
|     "intermediateLink": "Köztes hivatkozás", |  | ||||||
|     "exemptFromBackgroundUpdates": "Mentes a háttérben történő frissítések alól (ha engedélyezett)", |     "exemptFromBackgroundUpdates": "Mentes a háttérben történő frissítések alól (ha engedélyezett)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Háttérfrissítések letiltása, amikor az eszköz nem csatlakozik a Wi-Fi-hez", |     "bgUpdatesOnWiFiOnly": "Tiltsa le a háttérben frissítéseket, ha nincs Wi-Fi-n", | ||||||
|     "bgUpdatesWhileChargingOnly": "Háttérfrissítések letiltása, amikor az eszköz nincs a töltőn", |     "autoSelectHighestVersionCode": "A legmagasabb verziószámú APK auto. kiválasztása", | ||||||
|     "autoSelectHighestVersionCode": "Legmagasabb verziókódú APK automatikus kiválasztása", |     "versionExtractionRegEx": "Verzió kibontása reguláris kifejezéssel", | ||||||
|     "versionExtractionRegEx": "Verzió-karakterlánc kivonatolása reguláris kifejezéssel", |     "matchGroupToUse": "Párosítsa a csoportot a használathoz", | ||||||
|     "trimVersionString": "Verzió-karakterlánc levágása reguláris kifejezéssel", |     "highlightTouchTargets": "Emelje ki a kevésbé nyilvánvaló érintési célokat", | ||||||
|     "matchGroupToUseForX": "A(z) „{}” esetén használandó csoport egyeztetése", |     "pickExportDir": "Válassza az Exportálási könyvtárat", | ||||||
|     "matchGroupToUse": "Verzió-karakterlánc kivonatolásához használandó csoport reguláris kifejezéssel való egyeztetése", |     "autoExportOnChanges": "Auto-exportálás a változások után", | ||||||
|     "highlightTouchTargets": "Kevésbé nyilvánvaló érintési pontok kiemelése", |  | ||||||
|     "pickExportDir": "Válassza ki a könyvtárat, ahová exportálni szeretne", |  | ||||||
|     "autoExportOnChanges": "Automatikus exportálás a változtatások után", |  | ||||||
|     "includeSettings": "Tartalmazza a beállításokat", |     "includeSettings": "Tartalmazza a beállításokat", | ||||||
|     "filterVersionsByRegEx": "Verziók szűrése reguláris kifejezéssel", |     "filterVersionsByRegEx": "Verziók szűrése reguláris kifejezéssel", | ||||||
|     "trySelectingSuggestedVersionCode": "Próbálja kiválasztani a „Javasolt” verziókódú APK-t", |     "trySelectingSuggestedVersionCode": "Próbálja ki a javasolt verziókódú APK-t", | ||||||
|     "dontSortReleasesList": "API-ból származó kiadási sorrend megőrzése", |     "dontSortReleasesList": "Az API-ból származó kiadási sorrend megőrzése", | ||||||
|     "reverseSort": "Fordított rendezés", |     "reverseSort": "Fordított rendezés", | ||||||
|     "takeFirstLink": "Vegye az első hivatkozást", |     "takeFirstLink": "Vegye az első linket", | ||||||
|     "skipSort": "Rendezés kihagyása", |     "skipSort": "A válogatás kihagyása", | ||||||
|     "debugMenu": "Hibakereső menü", |     "debugMenu": "Hibakereső menü", | ||||||
|     "bgTaskStarted": "A háttérfeladat elindult – ellenőrizze a naplókat.", |     "bgTaskStarted": "A háttérfeladat elindult – ellenőrizze a naplókat.", | ||||||
|     "runBgCheckNow": "Frissítések ellenőrzése a háttérben most", |     "runBgCheckNow": "Futtassa a Háttérben frissítés ellenőrzését most", | ||||||
|     "versionExtractWholePage": "„Verzió-karakterlánc kivonatolása reguláris kifejezéssel” alkalmazása az egész oldalra", |     "versionExtractWholePage": "Alkalmazza a Version Extraction Regex-et az egész oldalra", | ||||||
|     "installing": "Telepítés", |     "installing": "Telepítés", | ||||||
|     "skipUpdateNotifications": "Frissítési értesítések kihagyása", |     "skipUpdateNotifications": "A frissítési értesítések kihagyása", | ||||||
|     "updatesAvailableNotifChannel": "Frissítések érhetők el", |     "updatesAvailableNotifChannel": "Frissítések érhetők el", | ||||||
|     "appsUpdatedNotifChannel": "Alkalmazások frissítve", |     "appsUpdatedNotifChannel": "Alkalmazások frissítve", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Megkísérelt alkalmazás-frissítések", |     "appsPossiblyUpdatedNotifChannel": "App frissítési kísérlet", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Hiba a frissítések ellenőrzésekor", |     "errorCheckingUpdatesNotifChannel": "Hiba a frissítések keresésekor", | ||||||
|     "appsRemovedNotifChannel": "Eltávolított alkalmazások", |     "appsRemovedNotifChannel": "Alkalmazások eltávolítva", | ||||||
|     "downloadingXNotifChannel": "A(z) {} letöltése", |     "downloadingXNotifChannel": "{} letöltés", | ||||||
|     "completeAppInstallationNotifChannel": "Teljes alkalmazás telepítés", |     "completeAppInstallationNotifChannel": "Teljes app telepítés", | ||||||
|     "checkingForUpdatesNotifChannel": "Frissítések ellenőrzése", |     "checkingForUpdatesNotifChannel": "Frissítések keresése", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Csak a telepített és a csak nyomon követhető alkalmazások frissítéseinek ellenőrzése", |     "onlyCheckInstalledOrTrackOnlyApps": "Csak a telepített és a csak követhető appokat ellenőrizze frissítésekért", | ||||||
|     "supportFixedAPKURL": "Támogatja a rögzített APK-webcímeket", |     "supportFixedAPKURL": "Támogatja a rögzített APK URL-eket", | ||||||
|     "selectX": "{} kiválasztása", |     "selectX": "Kiválaszt {}", | ||||||
|     "parallelDownloads": "Párhuzamos letöltések engedélyezése", |     "parallelDownloads": "Párhuzamos letöltéseket enged", | ||||||
|     "useShizuku": "Shizuku vagy Sui használata a telepítéshez", |     "installMethod": "Telepítési mód", | ||||||
|     "shizukuBinderNotFound": "A Shizuku szolgáltatás nem fut", |     "normal": "Normál", | ||||||
|     "shizukuOld": "Régi Shizuku verzió (<11) - frissítse", |     "root": "Root", | ||||||
|     "shizukuOldAndroidWithADB": "A Shizuku csak Android < 8.1 ADB-vel fut - frissítse az Androidot vagy használja a Suit helyette", |     "shizukuBinderNotFound": "A Shizuku nem fut", | ||||||
|     "shizukuPretendToBeGooglePlay": "Google Play beállítása telepítési forrásként (ha Shizukut használ)", |     "useSystemFont": "Használja a rendszer betűtípusát", | ||||||
|     "useSystemFont": "Rendszer betűtípusának használata", |     "systemFontError": "Hiba a rendszer betűtípusának betöltésekor: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Alkalmazás verziókódjának használata a rendszer által érzékelt verzióként", |     "useVersionCodeAsOSVersion": "Az app verziókód használata a rendszer által észlelt verzióként", | ||||||
|     "requestHeader": "Kérelemfejléc", |     "requestHeader": "Kérelem fejléc", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Legutóbbi csomagfeltöltés használata a kiadás dátumaként", |     "useLatestAssetDateAsReleaseDate": "Használja a legújabb tartalomfeltöltést megjelenési dátumként", | ||||||
|     "defaultPseudoVersioningMethod": "Alapértelmezett pszeudoverziós módszer", |     "defaultPseudoVersioningMethod": "Alapértelmezett álverziós módszer", | ||||||
|     "partialAPKHash": "Részleges APK-hasítóérték", |     "partialAPKHash": "Részleges APK Hash", | ||||||
|     "APKLinkHash": "APK-hivatkozás-hasítóérték", |     "APKLinkHash": "APK Link Hash", | ||||||
|     "directAPKLink": "Közvetlen APK-hivatkozás", |     "directAPKLink": "Közvetlen APK Link", | ||||||
|     "pseudoVersionInUse": "Egy pszeudoverzió van használatban", |     "pseudoVersionInUse": "Egy álverzió van használatban", | ||||||
|     "installed": "Telepített", |     "installed": "Telepített", | ||||||
|     "latest": "Legújabb", |     "latest": "Legújabb", | ||||||
|     "invertRegEx": "Reguláris kifejezés invertálása", |     "invertRegEx": "Invertált reguláris kifejezés", | ||||||
|     "note": "Megjegyzés", |     "note": "Megjegyzés:", | ||||||
|     "selfHostedNote": "A(z) „{}” legördülő menü segítségével elérhetővé válnak a bármilyen más forrásból származó saját üzemeltetésű vagy egyéni példányok.", |     "selfHostedNote": "A \"{}\" legördülő menü használható bármely forrás saját üzemeltetésű/egyéni példányainak eléréséhez.", | ||||||
|     "badDownload": "Az APK-t nem lehetett elemezni (inkompatibilis vagy részleges letöltés)", |     "badDownload": "Az APK-t nem lehetett elemezni (inkompatibilis vagy részleges letöltés)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Új alkalmazások megosztása az AppVerifierrel (ha elérhető)", |  | ||||||
|     "appVerifierInstructionToast": "Ossza meg az AppVerifierrel, majd térjen vissza ide, ha kész.", |  | ||||||
|     "wiki": "Súgó/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Közreműködők által összeállított alkalmazásbeállítások (saját felelősségére használja)", |  | ||||||
|     "crowdsourcedConfigsShort": "Alkalmazáslista", |  | ||||||
|     "allowInsecure": "Nem biztonságos HTTP-kérések engedélyezése", |  | ||||||
|     "stayOneVersionBehind": "Maradjon egy verzióval a legújabb mögött", |  | ||||||
|     "useFirstApkOfVersion": "Legelső APK automatikus kiválasztása, ha több APK is található", |  | ||||||
|     "refreshBeforeDownload": "Alkalmazás adatainak frissítése a letöltés előtt", |  | ||||||
|     "tencentAppStore": "Tencent Appstore", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "Vivo App Store (CN)", |  | ||||||
|     "name": "Név", |  | ||||||
|     "smartname": "Név (Okos)", |  | ||||||
|     "sortMethod": "Rendezési eljárás", |  | ||||||
|     "welcome": "Üdvözöljük!", |  | ||||||
|     "documentationLinksNote": "Az alábbi hivatkozás az Obtainium GitHub oldalára vezet, amely további videók, cikkek, beszélgetések és egyéb források hivatkozásait tartalmazza, amelyek segítenek megérteni az alkalmazás használatát.", |  | ||||||
|     "batteryOptimizationNote": "Megjegyzés: A háttérfrissítések megbízhatóbban működhetnek, ha kikapcsolja a rendszer akkumulátor-optimalizálását az Obtainium számára.", |  | ||||||
|     "fileDeletionError": "Nem sikerült törölni a fájlt (próbálja meg kézzel törölni, majd próbálja meg újra): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium előtér-szolgáltatás", |  | ||||||
|     "foregroundServiceExplanation": "Előtér-szolgáltatás használata a frissítések ellenőrzéséhez (megbízhatóbb, de több energiát fogyaszt)", |  | ||||||
|     "fgServiceNotice": "Ez az értesítés a háttérben történő frissítésellenőrzéshez szükséges (a rendszer beállításaiban elrejthető).", |  | ||||||
|     "excludeSecrets": "Érzékeny adatok (például: személyes hozzáférési tokenek) kihagyása", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' példány a GitHub kérésekhez", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Eltávolítja az alkalmazást?", |         "one": "Eltávolítja az alkalmazást?", | ||||||
|         "other": "Eltávolítja az alkalmazásokat?" |         "other": "Eltávolítja az alkalmazásokat?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Túl sok kérés (lekérdezés-korlátozás) – próbálja újra {} perc múlva,\nvagy adjon meg egy GitHub/GitLab API-kulcsot", |         "one": "Túl sok kérés (korlátozott arány) – próbálja újra {} perc múlva", | ||||||
|         "other": "Túl sok kérés (lekérdezés-korlátozás) – próbálja újra {} perc múlva,\nvagy adjon meg egy GitHub/GitLab API-kulcsot" |         "other": "Túl sok kérés (korlátozott arány) – próbálja újra {} perc múlva" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "Frissítések ellenőrzése a háttérben a következőt észlelte: {} - Újrapróbálkozás: {} perc múlva", |         "one": "A háttérfrissítések ellenőrzése {}-t észlelt, {} perc múlva ütemezi az újrapróbálkozást", | ||||||
|         "other": "Frissítések ellenőrzése a háttérben a következőt észlelte: {} - Újrapróbálkozás: {} perc múlva" |         "other": "A háttérfrissítések ellenőrzése {}-t észlelt, {} perc múlva ütemezi az újrapróbálkozást" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "Frissítések ellenőrzése a háttérben {} frissítést talált - szükség esetén értesíti a felhasználót", |         "one": "A háttérfrissítés ellenőrzése {} frissítést talált – szükség esetén értesíti a felhasználót", | ||||||
|         "other": "Frissítések ellenőrzése a háttérben {} frissítést talált - szükség esetén értesíti a felhasználót" |         "other": "A háttérfrissítés ellenőrzése {} frissítést talált – szükség esetén értesíti a felhasználót" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} alkalmazás", |         "one": "{} app", | ||||||
|         "other": "{} alkalmazás" |         "other": "{} app" | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} webcím", |         "one": "{} URL", | ||||||
|         "other": "{} webcím" |         "other": "{} URL" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} perc", |         "one": "{} perc", | ||||||
| @@ -374,27 +336,23 @@ | |||||||
|         "other": "{} nap" |         "other": "{} nap" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "{n} napló törölve lett ({after} után, és {before} előtt)", |         "one": "{n} napló törölve (előtte = {előtte}, utána = {utána})", | ||||||
|         "other": "{n} napló törölve lett ({after} után, és {before} előtt)" |         "other": "{n} napló törölve (előtte = {előtte}, utána = {utána})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "A(z) {} és 1 további alkalmazás frissítést kapott.", |         "one": "A(z) {} és 1 további alkalmazás frissítéseket kapott.", | ||||||
|         "other": "A(z) {} és {} további alkalmazás frissítést kapott." |         "other": "{} és {} további alkalmazás frissítéseket kapott." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "A(z) {} és 1 további alkalmazás frissítve.", |         "one": "A(z) {} és 1 további alkalmazás frissítve.", | ||||||
|         "other": "A(z) {} és {} további alkalmazás frissítve." |         "other": "{} és {} további alkalmazás frissítve." | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Nem sikerült frissíteni a következőt: {}, valamint 1 további alkalmazást.", |  | ||||||
|         "other": "Nem sikerült frissíteni a következőt: {}, valamint {} további alkalmazást." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "A(z) {}, valamint 1 további alkalmazás sikeresen frissítve.", |         "one": "{} és 1 további alkalmazás is frissült.", | ||||||
|         "other": "A(z) {}, valamint {} további alkalmazás sikeresen frissítve." |         "other": "{} és {} további alkalmazás is frissült." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|         "other": "{} APK" |         "other": "{} APK-k" | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "Bukan URL aplikasi {} yang valid", |  | ||||||
|     "noReleaseFound": "Tidak dapat menemukan rilis yang sesuai", |  | ||||||
|     "noVersionFound": "Tidak dapat memastikan versi rilis yang sesuai", |  | ||||||
|     "urlMatchesNoSource": "URL tidak sesuai dengan sumber yang diketahui", |  | ||||||
|     "cantInstallOlderVersion": "Tidak dapat memasang versi aplikasi yang lebih lama", |  | ||||||
|     "appIdMismatch": "ID paket yang diunduh tidak sama dengan ID aplikasi yang ada", |  | ||||||
|     "functionNotImplemented": "Kelas ini belum mengimplementasikan fungsi ini", |  | ||||||
|     "placeholder": "Tempat penampung", |  | ||||||
|     "someErrors": "Terjadi beberapa kesalahan", |  | ||||||
|     "unexpectedError": "Kesalahan tidak terduga", |  | ||||||
|     "ok": "Oke", |  | ||||||
|     "and": "dan", |  | ||||||
|     "githubPATLabel": "Token Akses Pribadi GitHub (tingkatkan batasan tarif)", |  | ||||||
|     "includePrereleases": "Sertakan pra-rilis", |  | ||||||
|     "fallbackToOlderReleases": "Alternatif kembali ke rilis lama", |  | ||||||
|     "filterReleaseTitlesByRegEx": "Filter judul rilis dengan ekspresi reguler", |  | ||||||
|     "invalidRegEx": "Ekspresi reguler tidak valid", |  | ||||||
|     "noDescription": "Tidak ada deskripsi", |  | ||||||
|     "cancel": "Batal", |  | ||||||
|     "continue": "Lanjut", |  | ||||||
|     "requiredInBrackets": "(Diperlukan)", |  | ||||||
|     "dropdownNoOptsError": "KESALAHAN: DROPDOWN HARUS MEMILIKI SETIDAKNYA SATU OPSI", |  | ||||||
|     "colour": "Warna", |  | ||||||
|     "standard": "Standar", |  | ||||||
|     "custom": "Kustom", |  | ||||||
|     "useMaterialYou": "Gunakan Material You", |  | ||||||
|     "githubStarredRepos": "Repositori berbintang GitHub", |  | ||||||
|     "uname": "Nama pengguna", |  | ||||||
|     "wrongArgNum": "Salah memberikan jumlah argumen", |  | ||||||
|     "xIsTrackOnly": "{} adalah Pelacakan Saja", |  | ||||||
|     "source": "Sumber", |  | ||||||
|     "app": "Aplikasi", |  | ||||||
|     "appsFromSourceAreTrackOnly": "Aplikasi dari sumber ini hanya untuk 'Pelacakan Saja'.", |  | ||||||
|     "youPickedTrackOnly": "Anda telah memilih opsi Pelacakan Saja.", |  | ||||||
|     "trackOnlyAppDescription": "Aplikasi akan dilacak untuk pembaruan, tetapi Obtainium tidak akan dapat mengunduh atau memasangnya.", |  | ||||||
|     "cancelled": "Dibatalkan", |  | ||||||
|     "appAlreadyAdded": "Aplikasi sudah ditambahkan", |  | ||||||
|     "alreadyUpToDateQuestion": "Aplikasi sudah yang terbaru?", |  | ||||||
|     "addApp": "Tambah aplikasi", |  | ||||||
|     "appSourceURL": "Tambah sumber URL", |  | ||||||
|     "error": "Kesalahan", |  | ||||||
|     "add": "Tambah", |  | ||||||
|     "searchSomeSourcesLabel": "Cari (beberapa sumber saja)", |  | ||||||
|     "search": "Cari", |  | ||||||
|     "additionalOptsFor": "Opsi tambahan untuk {}", |  | ||||||
|     "supportedSources": "Sumber yang didukung", |  | ||||||
|     "trackOnlyInBrackets": "(Pelacakan Saja)", |  | ||||||
|     "searchableInBrackets": "(Dapat dicari)", |  | ||||||
|     "appsString": "Aplikasi", |  | ||||||
|     "noApps": "Tidak ada aplikasi", |  | ||||||
|     "noAppsForFilter": "Tidak ada aplikasi untuk difilter", |  | ||||||
|     "byX": "Oleh {}", |  | ||||||
|     "percentProgress": "Perkembangan: {}%", |  | ||||||
|     "pleaseWait": "Harap tunggu", |  | ||||||
|     "updateAvailable": "Pembaruan tersedia", |  | ||||||
|     "notInstalled": "Tidak terpasang", |  | ||||||
|     "pseudoVersion": "versi semu", |  | ||||||
|     "selectAll": "Pilih semua", |  | ||||||
|     "deselectX": "Batal pilih {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} akan dihapus dari Obtainium tetapi tetap terpasang di perangkat.", |  | ||||||
|     "removeSelectedAppsQuestion": "Hapus aplikasi terpilih?", |  | ||||||
|     "removeSelectedApps": "Hapus aplikasi terpilih", |  | ||||||
|     "updateX": "Perbarui {}", |  | ||||||
|     "installX": "Pasang {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "Tandai {}\n(Pelacakan Saja)\nsudah diperbarui", |  | ||||||
|     "changeX": "Ubah {}", |  | ||||||
|     "installUpdateApps": "Pasang/perbarui aplikasi", |  | ||||||
|     "installUpdateSelectedApps": "Pasang/perbarui aplikasi terpilih", |  | ||||||
|     "markXSelectedAppsAsUpdated": "Tandai {} aplikasi terpilih sudah diperbarui?", |  | ||||||
|     "no": "Tidak", |  | ||||||
|     "yes": "Ya", |  | ||||||
|     "markSelectedAppsUpdated": "Tandai aplikasi terpilih sudah diperbarui", |  | ||||||
|     "pinToTop": "Sematkan ke atas", |  | ||||||
|     "unpinFromTop": "Lepaskan semat dari atas", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Atur ulang status pemasangan untuk aplikasi terpilih?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "Status pemasangan dari aplikasi terpilih akan diatur ulang.\n\nHal ini bisa membantu saat versi aplikasi yang ditampilkan di Obtainium salah akibat pembaruan yang gagal atau masalah lainnya.", |  | ||||||
|     "customLinkMessage": "Tautan ini berfungsi pada perangkat yang terpasang Obtainium", |  | ||||||
|     "shareAppConfigLinks": "Bagikan konfigurasi aplikasi sebagai tautan HTML", |  | ||||||
|     "shareSelectedAppURLs": "Bagikan URL aplikasi terpilih", |  | ||||||
|     "resetInstallStatus": "Atur ulang status pemasangan", |  | ||||||
|     "more": "Lebih banyak", |  | ||||||
|     "removeOutdatedFilter": "Hapus filter aplikasi yang usang", |  | ||||||
|     "showOutdatedOnly": "Tampilkan aplikasi yang usang saja", |  | ||||||
|     "filter": "Filter", |  | ||||||
|     "filterApps": "Filter aplikasi", |  | ||||||
|     "appName": "Nama aplikasi", |  | ||||||
|     "author": "Pencipta", |  | ||||||
|     "upToDateApps": "Aplikasi terbaru", |  | ||||||
|     "nonInstalledApps": "Aplikasi tidak terpasang", |  | ||||||
|     "importExport": "Impor/ekspor", |  | ||||||
|     "settings": "Pengaturan", |  | ||||||
|     "exportedTo": "Diekspor ke {}", |  | ||||||
|     "obtainiumExport": "Ekspor Obtainium", |  | ||||||
|     "invalidInput": "Masukan tidak valid", |  | ||||||
|     "importedX": "{} diimpor", |  | ||||||
|     "obtainiumImport": "Impor Obtainium", |  | ||||||
|     "importFromURLList": "Impor dari daftar URL", |  | ||||||
|     "searchQuery": "Cari Kueri", |  | ||||||
|     "appURLList": "Daftar URL aplikasi", |  | ||||||
|     "line": "Baris", |  | ||||||
|     "searchX": "Cari {}", |  | ||||||
|     "noResults": "Tidak ada hasil yang ditemukan", |  | ||||||
|     "importX": "Impor {}", |  | ||||||
|     "importedAppsIdDisclaimer": "Aplikasi yang diimpor mungkin secara salah ditampilkan sebagai \"Tidak terpasang\".\nUntuk memperbaikinya, lakukan pemasangan ulang melalui Obtainium.\nHal ini seharusnya tidak mempengaruhi data aplikasi.\n\nHanya mempengaruhi metode impor URL dan pihak ketiga.", |  | ||||||
|     "importErrors": "Kesalahan impor", |  | ||||||
|     "importedXOfYApps": "{} dari {} aplikasi diimpor.", |  | ||||||
|     "followingURLsHadErrors": "URL berikut mengalami kesalahan:", |  | ||||||
|     "selectURL": "Pilih URL", |  | ||||||
|     "selectURLs": "Pilih URL", |  | ||||||
|     "pick": "Pilih", |  | ||||||
|     "theme": "Tema", |  | ||||||
|     "dark": "Gelap", |  | ||||||
|     "light": "Terang", |  | ||||||
|     "followSystem": "Mengikuti sistem", |  | ||||||
|     "followSystemThemeExplanation": "Tema mengikuti sistem hanya mungkin dengan menggunakan aplikasi pihak ketiga", |  | ||||||
|     "useBlackTheme": "Gunakan tema hitam pekat", |  | ||||||
|     "appSortBy": "Penyortiran aplikasi berdasarkan", |  | ||||||
|     "authorName": "Pencipta/nama", |  | ||||||
|     "nameAuthor": "Nama/pencipta", |  | ||||||
|     "asAdded": "Tanggal ditambahkan", |  | ||||||
|     "appSortOrder": "Urutan penyortiran aplikasi", |  | ||||||
|     "ascending": "Menaik", |  | ||||||
|     "descending": "Menurun", |  | ||||||
|     "bgUpdateCheckInterval": "Interval pemeriksaan pembaruan di latar belakang", |  | ||||||
|     "neverManualOnly": "Tidak pernah - manual saja", |  | ||||||
|     "appearance": "Tampilan", |  | ||||||
|     "showWebInAppView": "Tampilkan halaman web sumber dalam tampilan aplikasi", |  | ||||||
|     "pinUpdates": "Sematkan pembaruan ke atas tampilan aplikasi", |  | ||||||
|     "updates": "Pembaruan", |  | ||||||
|     "sourceSpecific": "Sumber spesifik", |  | ||||||
|     "appSource": "Sumber aplikasi", |  | ||||||
|     "noLogs": "Tidak ada catatan", |  | ||||||
|     "appLogs": "Catatan aplikasi", |  | ||||||
|     "close": "Tutup", |  | ||||||
|     "share": "Bagikan", |  | ||||||
|     "appNotFound": "Aplikasi tidak ditemukan", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "ekspor-obtainium", |  | ||||||
|     "pickAnAPK": "Pilih APK", |  | ||||||
|     "appHasMoreThanOnePackage": "{} memiliki lebih dari satu paket:", |  | ||||||
|     "deviceSupportsXArch": "Perangkat Anda mendukung arsitektur CPU {}.", |  | ||||||
|     "deviceSupportsFollowingArchs": "Perangkat anda mendukung arsitektur CPU berikut:", |  | ||||||
|     "warning": "Peringatan", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "Sumber aplikasinya adalah '{}' tetapi paket rilisnya berasal dari '{}'. Lanjutkan?", |  | ||||||
|     "updatesAvailable": "Pembaruan tersedia", |  | ||||||
|     "updatesAvailableNotifDescription": "Memberi tahu pengguna bahwa pembaruan tersedia untuk aplikasi yang dilacak oleh Obtainium", |  | ||||||
|     "noNewUpdates": "Tidak ada pembaruan baru.", |  | ||||||
|     "xHasAnUpdate": "{} memiliki pembaruan.", |  | ||||||
|     "appsUpdated": "Aplikasi diperbarui", |  | ||||||
|     "appsNotUpdated": "Gagal memperbarui aplikasi", |  | ||||||
|     "appsUpdatedNotifDescription": "Memberi tahu pengguna bahwa pembaruan terhadap aplikasi diterapkan di latar belakang", |  | ||||||
|     "xWasUpdatedToY": "{} telah diperbarui ke {}.", |  | ||||||
|     "xWasNotUpdatedToY": "Gagal memperbarui {} ke {}.", |  | ||||||
|     "errorCheckingUpdates": "Kesalahan dalam memeriksa pembaruan", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Notifikasi yang ditampilkan saat pemeriksaan pembaruan latar belakang gagal", |  | ||||||
|     "appsRemoved": "Aplikasi dihapus", |  | ||||||
|     "appsRemovedNotifDescription": "Memberi tahu pengguna bahwa aplikasi dihapus karena kesalahan saat memuatnya", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} dihapus karena kesalahan berikut: {}", |  | ||||||
|     "completeAppInstallation": "Selesaikan pemasangan aplikasi", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium harus terbuka untuk memasang aplikasi", |  | ||||||
|     "completeAppInstallationNotifDescription": "Meminta pengguna kembali ke Obtainium untuk menyelesaikan pemasangan aplikasi", |  | ||||||
|     "checkingForUpdates": "Memeriksa pembaruan", |  | ||||||
|     "checkingForUpdatesNotifDescription": "Notifikasi sementara yang ditampilkan saat memeriksa pembaruan", |  | ||||||
|     "pleaseAllowInstallPerm": "Harap izinkan Obtainium untuk memasang aplikasi", |  | ||||||
|     "trackOnly": "Pelacakan Saja", |  | ||||||
|     "errorWithHttpStatusCode": "Kesalahan {}", |  | ||||||
|     "versionCorrectionDisabled": "Koreksi versi dinonaktifkan (sepertinya plugin tidak berfungsi)", |  | ||||||
|     "unknown": "Tidak diketahui", |  | ||||||
|     "none": "Tidak ada", |  | ||||||
|     "all": "Semua", |  | ||||||
|     "never": "Tidak pernah", |  | ||||||
|     "latestVersionX": "Terbaru: {}", |  | ||||||
|     "installedVersionX": "Terpasang: {}", |  | ||||||
|     "lastUpdateCheckX": "Terakhir memeriksa pembaruan: {}", |  | ||||||
|     "remove": "Hapus", |  | ||||||
|     "yesMarkUpdated": "Ya, tandai bahwa sudah diperbarui", |  | ||||||
|     "fdroid": "F-Droid Resmi", |  | ||||||
|     "appIdOrName": "ID atau nama aplikasi", |  | ||||||
|     "appId": "ID aplikasi", |  | ||||||
|     "appWithIdOrNameNotFound": "Tidak ada aplikasi yang ditemukan dengan ID atau nama tersebut", |  | ||||||
|     "reposHaveMultipleApps": "Repositori dapat berisi beberapa aplikasi", |  | ||||||
|     "fdroidThirdPartyRepo": "Repositori pihak ketiga F-Droid", |  | ||||||
|     "install": "Pasang", |  | ||||||
|     "markInstalled": "Tandai terpasang", |  | ||||||
|     "update": "perbarui", |  | ||||||
|     "markUpdated": "Tandai diperbarui", |  | ||||||
|     "additionalOptions": "Opsi tambahan", |  | ||||||
|     "disableVersionDetection": "Nonaktifkan pendeteksi versi", |  | ||||||
|     "noVersionDetectionExplanation": "Opsi ini hanya boleh digunakan untuk aplikasi dengan pendeteksi versi yang tidak berfungsi dengan benar.", |  | ||||||
|     "downloadingX": "Mengunduh {}", |  | ||||||
|     "downloadX": "Unduh {}", |  | ||||||
|     "downloadedX": "{} diunduh", |  | ||||||
|     "releaseAsset": "Aset rilis", |  | ||||||
|     "downloadNotifDescription": "Memberi tahu pengguna perkembangan dalam mengunduh aplikasi", |  | ||||||
|     "noAPKFound": "Tidak ada APK ditemukan", |  | ||||||
|     "noVersionDetection": "Tidak ada pendeteksi versi", |  | ||||||
|     "categorize": "Kategorikan", |  | ||||||
|     "categories": "Kategori", |  | ||||||
|     "category": "Kategori", |  | ||||||
|     "noCategory": "Tidak ada kategori", |  | ||||||
|     "noCategories": "Tidak ada kategori", |  | ||||||
|     "deleteCategoriesQuestion": "Hapus kategori?", |  | ||||||
|     "categoryDeleteWarning": "Semua aplikasi dalam kategori yang dihapus akan diatur sebagai tidak terkategori.", |  | ||||||
|     "addCategory": "Tambah kategori", |  | ||||||
|     "label": "Label", |  | ||||||
|     "language": "Bahasa", |  | ||||||
|     "copiedToClipboard": "Disalin ke papan klip", |  | ||||||
|     "storagePermissionDenied": "Izin penyimpanan ditolak", |  | ||||||
|     "selectedCategorizeWarning": "Ini akan mengganti pengaturan kategori yang ada untuk aplikasi terpilih.", |  | ||||||
|     "filterAPKsByRegEx": "Filter APK dengan ekspresi reguler", |  | ||||||
|     "removeFromObtainium": "Hapus dari Obtainium", |  | ||||||
|     "uninstallFromDevice": "Copot pemasangan dari perangkat", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Hanya bekerja untuk aplikasi dengan pendeteksi versi yang nonaktif.", |  | ||||||
|     "releaseDateAsVersion": "Gunakan tanggal rilis sebagai versi string", |  | ||||||
|     "releaseTitleAsVersion": "Gunakan judul rilis sebagai string versi", |  | ||||||
|     "releaseDateAsVersionExplanation": "Opsi ini hanya boleh digunakan untuk aplikasi dengan pendeteksi versi yang tidak berfungsi dengan benar, tetapi tanggal rilisnya tersedia.", |  | ||||||
|     "changes": "Perubahan", |  | ||||||
|     "releaseDate": "Tanggal rilis", |  | ||||||
|     "importFromURLsInFile": "Impor dari URL dalam berkas (seperti OPML)", |  | ||||||
|     "versionDetectionExplanation": "Sesuaikan string versi dengan versi yang terdeteksi dari OS", |  | ||||||
|     "versionDetection": "Pendeteksi versi", |  | ||||||
|     "standardVersionDetection": "Pendeteksi versi standar", |  | ||||||
|     "groupByCategory": "Kelompokkan berdasarkan kategori", |  | ||||||
|     "autoApkFilterByArch": "Coba filter APK berdasarkan arsitektur CPU jika memungkinkan", |  | ||||||
|     "autoLinkFilterByArch": "Mencoba memfilter tautan berdasarkan arsitektur CPU jika memungkinkan", |  | ||||||
|     "overrideSource": "Ganti sumber", |  | ||||||
|     "dontShowAgain": "Jangan tampilkan lagi", |  | ||||||
|     "dontShowTrackOnlyWarnings": "Jangan tampilkan peringatan 'Pelacakan Saja'", |  | ||||||
|     "dontShowAPKOriginWarnings": "Jangan tampilkan peringatan asal APK", |  | ||||||
|     "moveNonInstalledAppsToBottom": "Pindahkan aplikasi tidak terpasang ke bawah tampilan aplikasi", |  | ||||||
|     "gitlabPATLabel": "Token Akses Pribadi GitLab", |  | ||||||
|     "about": "Tentang", |  | ||||||
|     "requiresCredentialsInSettings": "{} memerlukan kredensial tambahan (dalam pengaturan)", |  | ||||||
|     "checkOnStart": "Periksa pembaruan saat proses memulai", |  | ||||||
|     "tryInferAppIdFromCode": "Coba untuk menebak ID aplikasi dari kode sumber", |  | ||||||
|     "removeOnExternalUninstall": "Hapus otomatis aplikasi yang dicopot pemasangannya dari luar", |  | ||||||
|     "pickHighestVersionCode": "Pilih otomatis APK dengan versi kode tertinggi", |  | ||||||
|     "checkUpdateOnDetailPage": "Periksa pembaruan saat membuka halaman detail aplikasi", |  | ||||||
|     "disablePageTransitions": "Nonaktifkan animasi transisi halaman", |  | ||||||
|     "reversePageTransitions": "Animasi transisi halaman secara terbalik", |  | ||||||
|     "minStarCount": "Jumlah bintang minimum", |  | ||||||
|     "addInfoBelow": "Tambahkan info ini di bawah.", |  | ||||||
|     "addInfoInSettings": "Tambahkan info ini di pengaturan.", |  | ||||||
|     "githubSourceNote": "Pembatasan tarif pada GitHub dapat dihindari dengan menggunakan kunci API.", |  | ||||||
|     "sortByLastLinkSegment": "Urutkan hanya berdasarkan segmen terakhir tautan", |  | ||||||
|     "filterReleaseNotesByRegEx": "Filter catatan perilisan dengan ekspresi reguler", |  | ||||||
|     "customLinkFilterRegex": "Filter tautan APK kustom dengan ekspresi reguler (Standar '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "Pembaruan aplikasi dicoba", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Memberi tahu pengguna bahwa pembaruan terhadap aplikasi berpotensi diterapkan di latar belakang", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} mungkin telah diperbarui ke {}.", |  | ||||||
|     "enableBackgroundUpdates": "Aktifkan pembaruan latar belakang", |  | ||||||
|     "backgroundUpdateReqsExplanation": "Pembaruan latar belakang mungkin tidak dapat dilakukan untuk semua aplikasi.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "Keberhasilan pemasangan di latar belakang hanya dapat ditentukan ketika Obtainium terbuka.", |  | ||||||
|     "verifyLatestTag": "Verifikasi label 'terbaru'", |  | ||||||
|     "intermediateLinkRegex": "Filter tautan 'perantara' untuk dikunjungi", |  | ||||||
|     "filterByLinkText": "Filter tautan berdasarkan teks tautan", |  | ||||||
|     "matchLinksOutsideATags": "Mencocokkan tautan di luar tag <a>", |  | ||||||
|     "intermediateLinkNotFound": "Tautan perantara tidak ditemukan", |  | ||||||
|     "intermediateLink": "Tautan perantara", |  | ||||||
|     "exemptFromBackgroundUpdates": "Dikecualikan dari pembaruan latar belakang (jika diaktifkan)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "Nonaktifkan pembaruan latar belakang saat tidak menggunakan Wi-Fi", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "Menonaktifkan pembaruan latar belakang saat tidak mengisi daya", |  | ||||||
|     "autoSelectHighestVersionCode": "Pilih otomatis APK dengan versi kode tertinggi", |  | ||||||
|     "versionExtractionRegEx": "Reguler ekspresi terkait ekstraksi versi string", |  | ||||||
|     "trimVersionString": "Potong versi string dengan reguler ekspresi", |  | ||||||
|     "matchGroupToUseForX": "Cocokkan grup yang akan digunakan untuk \"{}\"", |  | ||||||
|     "matchGroupToUse": "Cocokkan grup yang akan digunakan untuk reguler ekspresi terkait ekstraksi versi string", |  | ||||||
|     "highlightTouchTargets": "Sorot target sentuh yang kurang jelas", |  | ||||||
|     "pickExportDir": "Pilih direktori ekspor", |  | ||||||
|     "autoExportOnChanges": "Otomatis ekspor terhadap perubahan", |  | ||||||
|     "includeSettings": "Sertakan pengaturan", |  | ||||||
|     "filterVersionsByRegEx": "Filter versi dengan ekspresi reguler", |  | ||||||
|     "trySelectingSuggestedVersionCode": "Coba pilih APK dengan version kode yang disarankan", |  | ||||||
|     "dontSortReleasesList": "Pertahankan urutan rilis dari API", |  | ||||||
|     "reverseSort": "Penyortiran terbalik", |  | ||||||
|     "takeFirstLink": "Ambil tautan pertama", |  | ||||||
|     "skipSort": "Lewati penyortiran", |  | ||||||
|     "debugMenu": "Menu debug", |  | ||||||
|     "bgTaskStarted": "Tugas latar belakang dimulai - periksa catatan.", |  | ||||||
|     "runBgCheckNow": "Jalankan pemeriksaan pembaruan latar belakang sekarang", |  | ||||||
|     "versionExtractWholePage": "Terapkan reguler ekspresi terkait ekstraksi versi string ke seluruh halaman", |  | ||||||
|     "installing": "Memasang", |  | ||||||
|     "skipUpdateNotifications": "Lewati notifikasi pembaruan", |  | ||||||
|     "updatesAvailableNotifChannel": "Pembaruan tersedia", |  | ||||||
|     "appsUpdatedNotifChannel": "Aplikasi diperbarui", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Pembaruan aplikasi dicoba", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "Kesalahan dalam memeriksa pembaruan", |  | ||||||
|     "appsRemovedNotifChannel": "Aplikasi dihapus", |  | ||||||
|     "downloadingXNotifChannel": "Mengunduh {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "Selesaikan pemasangan aplikasi", |  | ||||||
|     "checkingForUpdatesNotifChannel": "Memeriksa pembaruan", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Hanya periksa aplikasi yang dipasang dan ditandai 'Pelacakan Saja' untuk pembaruan", |  | ||||||
|     "supportFixedAPKURL": "Mendukung URL APK tetap", |  | ||||||
|     "selectX": "Pilih {}", |  | ||||||
|     "parallelDownloads": "Izinkan mengunduh paralel", |  | ||||||
|     "useShizuku": "Gunakan Shizuku atau Sui untuk memasang", |  | ||||||
|     "shizukuBinderNotFound": "Layanan Shizuku tidak berjalan", |  | ||||||
|     "shizukuOld": "Versi Shizuku lama (<11) - harap perbarui", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku berjalan di Android < 8.1 dengan ADB - perbarui Android atau gunakan Sui sebagai gantinya", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Atur Google Play sebagai sumber pemasangan (jika Shizuku digunakan)", |  | ||||||
|     "useSystemFont": "Gunakan font sistem", |  | ||||||
|     "useVersionCodeAsOSVersion": "Gunakan versi kode aplikasi sebagai versi yang terdeteksi OS", |  | ||||||
|     "requestHeader": "Header permintaan", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "Gunakan unggahan aset terbaru sebagai tanggal rilis", |  | ||||||
|     "defaultPseudoVersioningMethod": "Metode versi semu standar", |  | ||||||
|     "partialAPKHash": "Hash APK parsial", |  | ||||||
|     "APKLinkHash": "Hash tautan APK", |  | ||||||
|     "directAPKLink": "Tautan APK langsung", |  | ||||||
|     "pseudoVersionInUse": "Versi semu sedang digunakan", |  | ||||||
|     "installed": "Terpasang", |  | ||||||
|     "latest": "Terbaru", |  | ||||||
|     "invertRegEx": "Balikkan ekspresi reguler", |  | ||||||
|     "note": "Catatan", |  | ||||||
|     "selfHostedNote": "Dropdown \"{}\" bisa digunakan untuk menjangkau instansi yang dihosting sendiri/kustom dari sumber mana pun.", |  | ||||||
|     "badDownload": "APK tidak dapat diurai (tidak kompatibel atau diunduh sebagian)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Bagikan aplikasi baru dengan AppVerifier (jika tersedia)", |  | ||||||
|     "appVerifierInstructionToast": "Bagikan ke AppVerifier, lalu kembali ke sini jika sudah siap.", |  | ||||||
|     "wiki": "Bantuan/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Konfigurasi aplikasi Crowdsourced (risiko penggunaan ditanggung sendiri)", |  | ||||||
|     "crowdsourcedConfigsShort": "Konfigurasi Aplikasi Crowdsourced", |  | ||||||
|     "allowInsecure": "Izinkan permintaan HTTP yang tidak aman", |  | ||||||
|     "stayOneVersionBehind": "Tetap satu versi di belakang versi terbaru", |  | ||||||
|     "useFirstApkOfVersion": "Pilih otomatis yang pertama dari beberapa APK", |  | ||||||
|     "refreshBeforeDownload": "Segarkan detail aplikasi sebelum mengunduh", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Nama", |  | ||||||
|     "smartname": "Nama (Cerdas)", |  | ||||||
|     "sortMethod": "Metode Penyortiran", |  | ||||||
|     "welcome": "Selamat datang.", |  | ||||||
|     "documentationLinksNote": "Halaman GitHub Obtainium yang ditautkan di bawah ini berisi tautan ke video, artikel, diskusi, dan sumber daya lain yang akan membantu Anda memahami cara menggunakan aplikasi.", |  | ||||||
|     "batteryOptimizationNote": "Perhatikan bahwa unduhan latar belakang dapat bekerja lebih andal jika Anda menonaktifkan optimasi baterai OS untuk Obtainium.", |  | ||||||
|     "fileDeletionError": "Gagal menghapus file (coba hapus secara manual, lalu coba lagi): \"{}\"", |  | ||||||
|     "foregroundService": "Layanan latar depan Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Gunakan layanan latar depan untuk pemeriksaan pembaruan (lebih dapat diandalkan, menghabiskan lebih banyak daya)", |  | ||||||
|     "fgServiceNotice": "Pemberitahuan ini diperlukan untuk pemeriksaan pembaruan latar belakang (dapat disembunyikan dalam pengaturan OS)", |  | ||||||
|     "excludeSecrets": "Mengecualikan rahasia", |  | ||||||
|     "GHReqPrefix": "Instance 'sky22333/hubproxy' untuk permintaan GitHub", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "Hapus aplikasi?", |  | ||||||
|         "other": "Hapus aplikasi?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "Terlalu banyak permintaan (tarif dibatasi) - coba lagi dalam {} menit", |  | ||||||
|         "other": "Terlalu banyak permintaan (tarif dibatasi) - coba lagi dalam {} menit" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "Pemeriksaan pembaruan latar belakang menemui {}, akan menjadwalkan pemeriksaan ulang dalam {} menit", |  | ||||||
|         "other": "Pemeriksaan pembaruan latar belakang menemui {}, akan menjadwalkan pemeriksaan ulang dalam {} menit" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "Pemeriksaan pembaruan latar belakang menemukan {} pembaruan - akan memberi tahu pengguna jika diperlukan", |  | ||||||
|         "other": "Pemeriksaan pembaruan latar belakang menemukan {} pembaruan - akan memberi tahu pengguna jika diperlukan" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} aplikasi", |  | ||||||
|         "other": "{} aplikasi" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URL" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} menit", |  | ||||||
|         "other": "{} menit" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} jam", |  | ||||||
|         "other": "{} jam" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} hari", |  | ||||||
|         "other": "{} hari" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "Menghapus {n} catatan (sebelum = {before}, setelah = {after})", |  | ||||||
|         "other": "Menghapus {n} catatan (sebelum = {before}, setelah = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} dan 1 aplikasi lainnya memiliki pembaruan.", |  | ||||||
|         "other": "{} dan {} aplikasi lainnya memiliki pembaruan." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} dan 1 aplikasi lainnya telah diperbarui.", |  | ||||||
|         "other": "{} dan {} aplikasi lainnya telah diperbarui." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Gagal memperbarui {} dan 1 aplikasi lainnya.", |  | ||||||
|         "other": "Gagal memperbarui {} dan {} aplikasi lainnya." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} dan 1 aplikasi lainnya mungkin telah diperbarui.", |  | ||||||
|         "other": "{} dan {} aplikasi lainnya mungkin telah diperbarui." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APK" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(richiesto)", |     "requiredInBrackets": "(richiesto)", | ||||||
|     "dropdownNoOptsError": "ERRORE: LA TENDINA DEVE AVERE ALMENO UN'OPZIONE", |     "dropdownNoOptsError": "ERRORE: LA TENDINA DEVE AVERE ALMENO UN'OPZIONE", | ||||||
|     "colour": "Colore", |     "colour": "Colore", | ||||||
|     "standard": "Standard", |  | ||||||
|     "custom": "Personalizzato", |  | ||||||
|     "useMaterialYou": "Utilizzate il materiale che avete a disposizione", |  | ||||||
|     "githubStarredRepos": "repository stellati da GitHub", |     "githubStarredRepos": "repository stellati da GitHub", | ||||||
|     "uname": "Nome utente", |     "uname": "Nome utente", | ||||||
|     "wrongArgNum": "Numero di argomenti forniti errato", |     "wrongArgNum": "Numero di argomenti forniti errato", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Scuro", |     "dark": "Scuro", | ||||||
|     "light": "Chiaro", |     "light": "Chiaro", | ||||||
|     "followSystem": "Segui il sistema", |     "followSystem": "Segui il sistema", | ||||||
|     "followSystemThemeExplanation": "È possibile seguire il tema di sistema solo utilizzando applicazioni di terze parti.", |  | ||||||
|     "useBlackTheme": "Usa il tema nero puro", |     "useBlackTheme": "Usa il tema nero puro", | ||||||
|     "appSortBy": "App ordinate per", |     "appSortBy": "App ordinate per", | ||||||
|     "authorName": "Autore/Nome", |     "authorName": "Autore/Nome", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Nessun nuovo aggiornamento.", |     "noNewUpdates": "Nessun nuovo aggiornamento.", | ||||||
|     "xHasAnUpdate": "Aggiornamento disponibile per {}", |     "xHasAnUpdate": "Aggiornamento disponibile per {}", | ||||||
|     "appsUpdated": "App aggiornate", |     "appsUpdated": "App aggiornate", | ||||||
|     "appsNotUpdated": "Impossibile aggiornare le applicazioni", |  | ||||||
|     "appsUpdatedNotifDescription": "Notifica all'utente che una o più app sono state aggiornate in secondo piano", |     "appsUpdatedNotifDescription": "Notifica all'utente che una o più app sono state aggiornate in secondo piano", | ||||||
|     "xWasUpdatedToY": "{} è stato aggiornato alla {}.", |     "xWasUpdatedToY": "{} è stato aggiornato alla {}.", | ||||||
|     "xWasNotUpdatedToY": "Impossibile aggiornare {} a {}.", |  | ||||||
|     "errorCheckingUpdates": "Controllo degli errori per gli aggiornamenti", |     "errorCheckingUpdates": "Controllo degli errori per gli aggiornamenti", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Una notifica che mostra quando il controllo degli aggiornamenti in secondo piano fallisce", |     "errorCheckingUpdatesNotifDescription": "Una notifica che mostra quando il controllo degli aggiornamenti in secondo piano fallisce", | ||||||
|     "appsRemoved": "App rimosse", |     "appsRemoved": "App rimosse", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "Correzione della versione disattivata (il plugin sembra non funzionare)", |     "versionCorrectionDisabled": "Correzione della versione disattivata (il plugin sembra non funzionare)", | ||||||
|     "unknown": "Sconosciuto", |     "unknown": "Sconosciuto", | ||||||
|     "none": "Nessuno", |     "none": "Nessuno", | ||||||
|     "all": "Tutti", |  | ||||||
|     "never": "Mai", |     "never": "Mai", | ||||||
|     "latestVersionX": "Ultima versione: {}", |     "latestVersionX": "Ultima versione: {}", | ||||||
|     "installedVersionX": "Versione installata: {}", |     "installedVersionX": "Versione installata: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "Non è stata trovata alcuna app con quell'ID o nome", |     "appWithIdOrNameNotFound": "Non è stata trovata alcuna app con quell'ID o nome", | ||||||
|     "reposHaveMultipleApps": "I repository possono contenere più app", |     "reposHaveMultipleApps": "I repository possono contenere più app", | ||||||
|     "fdroidThirdPartyRepo": "Repository F-Droid di terze parti", |     "fdroidThirdPartyRepo": "Repository F-Droid di terze parti", | ||||||
|  |     "steamMobile": "Mobile a vapore", | ||||||
|  |     "steamChat": "Chat di vapore", | ||||||
|     "install": "Installa", |     "install": "Installa", | ||||||
|     "markInstalled": "Contrassegna come installata", |     "markInstalled": "Contrassegna come installata", | ||||||
|     "update": "Aggiorna", |     "update": "Aggiorna", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Disattiva il rilevamento della versione", |     "disableVersionDetection": "Disattiva il rilevamento della versione", | ||||||
|     "noVersionDetectionExplanation": "Questa opzione dovrebbe essere usata solo per le app la cui versione non viene rilevata correttamente.", |     "noVersionDetectionExplanation": "Questa opzione dovrebbe essere usata solo per le app la cui versione non viene rilevata correttamente.", | ||||||
|     "downloadingX": "Scaricamento di {} in corso", |     "downloadingX": "Scaricamento di {} in corso", | ||||||
|     "downloadX": "Scarica {}", |  | ||||||
|     "downloadedX": "Scaricato {}", |  | ||||||
|     "releaseAsset": "Rilascio Asset", |  | ||||||
|     "downloadNotifDescription": "Notifica all'utente lo stato di avanzamento del download di un'app", |     "downloadNotifDescription": "Notifica all'utente lo stato di avanzamento del download di un'app", | ||||||
|     "noAPKFound": "Nessun APK trovato", |     "noAPKFound": "Nessun APK trovato", | ||||||
|     "noVersionDetection": "Disattiva rilevamento di versione", |     "noVersionDetection": "Disattiva rilevamento di versione", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "Disinstalla dal dispositivo", |     "uninstallFromDevice": "Disinstalla dal dispositivo", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Funziona solo per le app con il rilevamento della versione disattivato.", |     "onlyWorksWithNonVersionDetectApps": "Funziona solo per le app con il rilevamento della versione disattivato.", | ||||||
|     "releaseDateAsVersion": "Usa data di rilascio come versione", |     "releaseDateAsVersion": "Usa data di rilascio come versione", | ||||||
|     "releaseTitleAsVersion": "Usa il titolo della versione come stringa di versione", |  | ||||||
|     "releaseDateAsVersionExplanation": "Questa opzione dovrebbe essere usata solo per le app in cui il rilevamento della versione non funziona correttamente, ma è disponibile una data di rilascio.", |     "releaseDateAsVersionExplanation": "Questa opzione dovrebbe essere usata solo per le app in cui il rilevamento della versione non funziona correttamente, ma è disponibile una data di rilascio.", | ||||||
|     "changes": "Novità", |     "changes": "Novità", | ||||||
|     "releaseDate": "Data di rilascio", |     "releaseDate": "Data di rilascio", | ||||||
| @@ -222,13 +213,12 @@ | |||||||
|     "standardVersionDetection": "Rilevamento di versione standard", |     "standardVersionDetection": "Rilevamento di versione standard", | ||||||
|     "groupByCategory": "Raggruppa per categoria", |     "groupByCategory": "Raggruppa per categoria", | ||||||
|     "autoApkFilterByArch": "Tenta di filtrare gli APK in base all'architettura della CPU, se possibile", |     "autoApkFilterByArch": "Tenta di filtrare gli APK in base all'architettura della CPU, se possibile", | ||||||
|     "autoLinkFilterByArch": "Tentare di filtrare i collegamenti in base all'architettura della CPU, se possibile.", |  | ||||||
|     "overrideSource": "Sovrascrivi fonte", |     "overrideSource": "Sovrascrivi fonte", | ||||||
|     "dontShowAgain": "Non mostrarlo più", |     "dontShowAgain": "Non mostrarlo più", | ||||||
|     "dontShowTrackOnlyWarnings": "Non mostrare gli avvisi 'Solo-Monitoraggio'", |     "dontShowTrackOnlyWarnings": "Non mostrare gli avvisi 'Solo-Monitoraggio'", | ||||||
|     "dontShowAPKOriginWarnings": "Non mostrare gli avvisi di origine dell'APK", |     "dontShowAPKOriginWarnings": "Non mostrare gli avvisi di origine dell'APK", | ||||||
|     "moveNonInstalledAppsToBottom": "Sposta le app non installate in fondo alla lista", |     "moveNonInstalledAppsToBottom": "Sposta le app non installate in fondo alla lista", | ||||||
|     "gitlabPATLabel": "GitLab Token di accesso personale", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "about": "Informazioni", |     "about": "Informazioni", | ||||||
|     "requiresCredentialsInSettings": "{}: Servono credenziali aggiuntive (in Impostazioni)", |     "requiresCredentialsInSettings": "{}: Servono credenziali aggiuntive (in Impostazioni)", | ||||||
|     "checkOnStart": "Controlla una volta all'avvio", |     "checkOnStart": "Controlla una volta all'avvio", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "Verifica l'etichetta 'Latest'", |     "verifyLatestTag": "Verifica l'etichetta 'Latest'", | ||||||
|     "intermediateLinkRegex": "Filtro per un collegamento 'intermedio' da visitare", |     "intermediateLinkRegex": "Filtro per un collegamento 'intermedio' da visitare", | ||||||
|     "filterByLinkText": "Filtra i collegamenti in base al testo del collegamento", |     "filterByLinkText": "Filtra i collegamenti in base al testo del collegamento", | ||||||
|     "matchLinksOutsideATags": "Corrispondenza dei collegamenti al di fuori dei tag <a>", |  | ||||||
|     "intermediateLinkNotFound": "Link intermedio non trovato", |     "intermediateLinkNotFound": "Link intermedio non trovato", | ||||||
|     "intermediateLink": "Collegamento intermedio", |     "intermediateLink": "Collegamento intermedio", | ||||||
|     "exemptFromBackgroundUpdates": "Esente da aggiornamenti in secondo piano (se attivo)", |     "exemptFromBackgroundUpdates": "Esente da aggiornamenti in secondo piano (se attivo)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Disattiva aggiornamenti in secondo piano quando non si usa il Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Disattiva aggiornamenti in secondo piano quando non si usa il WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Disabilita gli aggiornamenti in background quando non è in carica", |  | ||||||
|     "autoSelectHighestVersionCode": "Auto-seleziona APK con versionCode più alto", |     "autoSelectHighestVersionCode": "Auto-seleziona APK con versionCode più alto", | ||||||
|     "versionExtractionRegEx": "RegEx di estrazione versione", |     "versionExtractionRegEx": "RegEx di estrazione versione", | ||||||
|     "trimVersionString": "Tagliare la stringa della versione con RegEx", |  | ||||||
|     "matchGroupToUseForX": "Gruppo di corrispondenza da utilizzare per \"{}\"", |  | ||||||
|     "matchGroupToUse": "Gruppo da usare", |     "matchGroupToUse": "Gruppo da usare", | ||||||
|     "highlightTouchTargets": "Evidenzia elementi toccabili meno ovvi", |     "highlightTouchTargets": "Evidenzia elementi toccabili meno ovvi", | ||||||
|     "pickExportDir": "Scegli cartella esp.", |     "pickExportDir": "Scegli cartella esp.", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "Supporta URL fissi di APK", |     "supportFixedAPKURL": "Supporta URL fissi di APK", | ||||||
|     "selectX": "Seleziona {}", |     "selectX": "Seleziona {}", | ||||||
|     "parallelDownloads": "Permetti download paralleli", |     "parallelDownloads": "Permetti download paralleli", | ||||||
|     "useShizuku": "Utilizzare Shizuku o Sui per installare", |     "installMethod": "Metodo d'installazione", | ||||||
|  |     "normal": "Normale", | ||||||
|  |     "root": "Root", | ||||||
|     "shizukuBinderNotFound": "Shizuku non è in esecuzione", |     "shizukuBinderNotFound": "Shizuku non è in esecuzione", | ||||||
|     "shizukuOld": "Vecchia versione di Shizuku (<11) - aggiornarla", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku funziona su Android < 8.1 con ADB - aggiornare Android o utilizzare Sui al suo posto", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Impostare Google Play come fonte di installazione (se si usa Shizuku)", |  | ||||||
|     "useSystemFont": "Usa i caratteri di sistema", |     "useSystemFont": "Usa i caratteri di sistema", | ||||||
|  |     "systemFontError": "Errore durante il caricamento dei caratteri di sistema: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Usa il codice versione dell'app come versione rilevata dal sistema operativo", |     "useVersionCodeAsOSVersion": "Usa il codice versione dell'app come versione rilevata dal sistema operativo", | ||||||
|     "requestHeader": "Intestazione della richiesta", |     "requestHeader": "Intestazione della richiesta", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Usa l'ultimo caricamento della risorsa come data di rilascio", |     "useLatestAssetDateAsReleaseDate": "Usa l'ultimo caricamento della risorsa come data di rilascio", | ||||||
| @@ -313,30 +299,6 @@ | |||||||
|     "note": "Nota", |     "note": "Nota", | ||||||
|     "selfHostedNote": "Il menu a tendina \"{}\" può essere usato per raggiungere istanze autogestite/personali di qualsiasi fonte.", |     "selfHostedNote": "Il menu a tendina \"{}\" può essere usato per raggiungere istanze autogestite/personali di qualsiasi fonte.", | ||||||
|     "badDownload": "Non è stato possibile analizzare l'APK (download incompatibile o parziale).", |     "badDownload": "Non è stato possibile analizzare l'APK (download incompatibile o parziale).", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Condividere le nuove applicazioni con AppVerifier (se disponibile)", |  | ||||||
|     "appVerifierInstructionToast": "Condividete con AppVerifier, quindi tornate qui quando siete pronti.", |  | ||||||
|     "wiki": "Aiuto/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Configurazioni di app in crowdsourcing (uso a proprio rischio)", |  | ||||||
|     "crowdsourcedConfigsShort": "Configurazioni di app in crowdsourcing", |  | ||||||
|     "allowInsecure": "Consentire le richieste HTTP non sicure", |  | ||||||
|     "stayOneVersionBehind": "Rimanere una versione indietro rispetto alla più recente", |  | ||||||
|     "useFirstApkOfVersion": "Selezione automatica del primo di più APK", |  | ||||||
|     "refreshBeforeDownload": "Aggiornare i dettagli dell'app prima del download", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Nome", |  | ||||||
|     "smartname": "Nome (intelligente)", |  | ||||||
|     "sortMethod": "Metodo di ordinamento", |  | ||||||
|     "welcome": "Benvenuti", |  | ||||||
|     "documentationLinksNote": "La pagina GitHub di Obtainium collegata qui sotto contiene collegamenti a video, articoli, discussioni e altre risorse che vi aiuteranno a capire come utilizzare l'applicazione.", |  | ||||||
|     "batteryOptimizationNote": "Si noti che i download in background potrebbero funzionare in modo più affidabile se si disabilita l'ottimizzazione della batteria del sistema operativo per Obtainium.", |  | ||||||
|     "fileDeletionError": "Errore nell'eliminazione del file (provare a cancellarlo manualmente e poi riprovare): \"{}\"", |  | ||||||
|     "foregroundService": "Servizio Obtainium in primo piano", |  | ||||||
|     "foregroundServiceExplanation": "Utilizzare un servizio in primo piano per il controllo degli aggiornamenti (più affidabile, consuma più energia)", |  | ||||||
|     "fgServiceNotice": "Questa notifica è necessaria per il controllo degli aggiornamenti in background (può essere nascosta nelle impostazioni del sistema operativo).", |  | ||||||
|     "excludeSecrets": "Escludere i segreti", |  | ||||||
|     "GHReqPrefix": "istanza 'sky22333/hubproxy' per le richieste a GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Rimuovere l'app?", |         "one": "Rimuovere l'app?", | ||||||
|         "other": "Rimuovere le app?" |         "other": "Rimuovere le app?" | ||||||
| @@ -385,10 +347,6 @@ | |||||||
|         "one": "{} e un'altra app sono state aggiornate.", |         "one": "{} e un'altra app sono state aggiornate.", | ||||||
|         "other": "{} e altre {} app sono state aggiornate." |         "other": "{} e altre {} app sono state aggiornate." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Non è riuscito ad aggiornare {} e altre 1 app.", |  | ||||||
|         "other": "Non è riuscito ad aggiornare {} e {} altre applicazioni." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} e un'altra app potrebbero essere state aggiornate.", |         "one": "{} e un'altra app potrebbero essere state aggiornate.", | ||||||
|         "other": "{} e altre {} app potrebbero essere state aggiornate." |         "other": "{} e altre {} app potrebbero essere state aggiornate." | ||||||
|   | |||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(必須)", |     "requiredInBrackets": "(必須)", | ||||||
|     "dropdownNoOptsError": "エラー: ドロップダウンには、少なくとも1つのオプションが必要です", |     "dropdownNoOptsError": "エラー: ドロップダウンには、少なくとも1つのオプションが必要です", | ||||||
|     "colour": "カラー", |     "colour": "カラー", | ||||||
|     "standard": "スタンダード", |  | ||||||
|     "custom": "カスタム", |  | ||||||
|     "useMaterialYou": "Material Youを使用する", |  | ||||||
|     "githubStarredRepos": "Githubでスターしたリポジトリ", |     "githubStarredRepos": "Githubでスターしたリポジトリ", | ||||||
|     "uname": "ユーザー名", |     "uname": "ユーザー名", | ||||||
|     "wrongArgNum": "提供する引数の数が間違っています", |     "wrongArgNum": "提供する引数の数が間違っています", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "ダーク", |     "dark": "ダーク", | ||||||
|     "light": "ライト", |     "light": "ライト", | ||||||
|     "followSystem": "システムに従う", |     "followSystem": "システムに従う", | ||||||
|     "followSystemThemeExplanation": "以下のシステムテーマは、サードパーティのアプリケーションを使用することによってのみ可能です。", |  | ||||||
|     "useBlackTheme": "ピュアブラックダークテーマを使用する", |     "useBlackTheme": "ピュアブラックダークテーマを使用する", | ||||||
|     "appSortBy": "アプリの並び方", |     "appSortBy": "アプリの並び方", | ||||||
|     "authorName": "作者名/アプリ名", |     "authorName": "作者名/アプリ名", | ||||||
| @@ -147,27 +143,24 @@ | |||||||
|     "noNewUpdates": "新しいアップデートはありません", |     "noNewUpdates": "新しいアップデートはありません", | ||||||
|     "xHasAnUpdate": "{} のアップデートが利用可能です。", |     "xHasAnUpdate": "{} のアップデートが利用可能です。", | ||||||
|     "appsUpdated": "アプリをアップデートしました", |     "appsUpdated": "アプリをアップデートしました", | ||||||
|     "appsNotUpdated": "アプリのアップデートに失敗しました", |  | ||||||
|     "appsUpdatedNotifDescription": "1つまたは複数のAppのアップデートがバックグラウンドで適用されたことをユーザーに通知する", |     "appsUpdatedNotifDescription": "1つまたは複数のAppのアップデートがバックグラウンドで適用されたことをユーザーに通知する", | ||||||
|     "xWasUpdatedToY": "{} が {} にアップデートされました", |     "xWasUpdatedToY": "{} が {} にアップデートされました", | ||||||
|     "xWasNotUpdatedToY": "{} の {} へのアップデートに失敗しました", |  | ||||||
|     "errorCheckingUpdates": "アップデート確認中のエラー", |     "errorCheckingUpdates": "アップデート確認中のエラー", | ||||||
|     "errorCheckingUpdatesNotifDescription": "バックグラウンドでのアップデート確認に失敗した際に表示される通知", |     "errorCheckingUpdatesNotifDescription": "バックグラウンドでのアップデート確認に失敗した際に表示される通知", | ||||||
|     "appsRemoved": "削除されたアプリ", |     "appsRemoved": "削除されたアプリ", | ||||||
|     "appsRemovedNotifDescription": "アプリの読み込み中にエラーが発生したため、1つまたは複数のアプリが削除されたことをユーザーに通知する", |     "appsRemovedNotifDescription": "アプリの読み込み中にエラーが発生したため、1つまたは複数のアプリが削除されたことをユーザーに通知する", | ||||||
|     "xWasRemovedDueToErrorY": "このエラーのため、{} は削除されました: {}", |     "xWasRemovedDueToErrorY": "このエラーのため、{} は削除されました: {}", | ||||||
|     "completeAppInstallation": "アプリのインストールを完了する", |     "completeAppInstallation": "アプリのインストールを完了する", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "アプリをインストールするにはObtainiumを開く必要があります", |     "obtainiumMustBeOpenToInstallApps": "アプリをインストールするにはObtainiumが開いている必要があります", | ||||||
|     "completeAppInstallationNotifDescription": "アプリのインストールを完了するために、Obtainiumに戻る必要があります", |     "completeAppInstallationNotifDescription": "アプリのインストールを完了するために、Obtainiumに戻る必要があります", | ||||||
|     "checkingForUpdates": "アップデートを確認中", |     "checkingForUpdates": "アップデートを確認中", | ||||||
|     "checkingForUpdatesNotifDescription": "アップデートを確認する際に表示される一時的な通知", |     "checkingForUpdatesNotifDescription": "アップデートを確認する際に表示される一時的な通知", | ||||||
|     "pleaseAllowInstallPerm": "Obtainiumによるアプリのインストールを許可してください", |     "pleaseAllowInstallPerm": "Obtainiumによるアプリのインストールを許可してください。", | ||||||
|     "trackOnly": "追跡のみ", |     "trackOnly": "追跡のみ", | ||||||
|     "errorWithHttpStatusCode": "エラー {}", |     "errorWithHttpStatusCode": "エラー {}", | ||||||
|     "versionCorrectionDisabled": "バージョン補正無効 (プラグインが動作していません)", |     "versionCorrectionDisabled": "バージョン補正無効 (プラグインが動作していません)", | ||||||
|     "unknown": "不明", |     "unknown": "不明", | ||||||
|     "none": "なし", |     "none": "なし", | ||||||
|     "all": "すべて", |  | ||||||
|     "never": "しない", |     "never": "しない", | ||||||
|     "latestVersionX": "最新のバージョン: {}", |     "latestVersionX": "最新のバージョン: {}", | ||||||
|     "installedVersionX": "インストールされたバージョン: {}", |     "installedVersionX": "インストールされたバージョン: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "そのIDや名前を持つアプリは見つかりませんでした", |     "appWithIdOrNameNotFound": "そのIDや名前を持つアプリは見つかりませんでした", | ||||||
|     "reposHaveMultipleApps": "リポジトリには複数のアプリが含まれることがあります", |     "reposHaveMultipleApps": "リポジトリには複数のアプリが含まれることがあります", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid サードパーティリポジトリ", |     "fdroidThirdPartyRepo": "F-Droid サードパーティリポジトリ", | ||||||
|  |     "steamMobile": "Steamモバイル", | ||||||
|  |     "steamChat": "Steamチャット", | ||||||
|     "install": "インストール", |     "install": "インストール", | ||||||
|     "markInstalled": "インストール済みとしてマークする", |     "markInstalled": "インストール済みとしてマークする", | ||||||
|     "update": "アップデート", |     "update": "アップデート", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "バージョン検出を無効にする", |     "disableVersionDetection": "バージョン検出を無効にする", | ||||||
|     "noVersionDetectionExplanation": "このオプションは、バージョン検出が正しく機能しないアプリにのみ使用する必要があります。", |     "noVersionDetectionExplanation": "このオプションは、バージョン検出が正しく機能しないアプリにのみ使用する必要があります。", | ||||||
|     "downloadingX": "{} をダウンロード中", |     "downloadingX": "{} をダウンロード中", | ||||||
|     "downloadX": "ダウンロード", |  | ||||||
|     "downloadedX": "ダウンロード", |  | ||||||
|     "releaseAsset": "リリース資産", |  | ||||||
|     "downloadNotifDescription": "アプリのダウンロード状況を通知する", |     "downloadNotifDescription": "アプリのダウンロード状況を通知する", | ||||||
|     "noAPKFound": "APKが見つかりません", |     "noAPKFound": "APKが見つかりません", | ||||||
|     "noVersionDetection": "バージョン検出を行わない", |     "noVersionDetection": "バージョン検出を行わない", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "デバイスからアンインストールする", |     "uninstallFromDevice": "デバイスからアンインストールする", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "バージョン検出を無効にしているアプリにのみ動作します。", |     "onlyWorksWithNonVersionDetectApps": "バージョン検出を無効にしているアプリにのみ動作します。", | ||||||
|     "releaseDateAsVersion": "リリース日をバージョンとして使用する", |     "releaseDateAsVersion": "リリース日をバージョンとして使用する", | ||||||
|     "releaseTitleAsVersion": "リリースタイトルをバージョンとして使用する", |  | ||||||
|     "releaseDateAsVersionExplanation": "このオプションは、バージョン検出が正しく機能しないアプリで、リリース日が利用可能な場合にのみ使用する必要があります。", |     "releaseDateAsVersionExplanation": "このオプションは、バージョン検出が正しく機能しないアプリで、リリース日が利用可能な場合にのみ使用する必要があります。", | ||||||
|     "changes": "変更点", |     "changes": "変更点", | ||||||
|     "releaseDate": "リリース日", |     "releaseDate": "リリース日", | ||||||
| @@ -222,7 +213,6 @@ | |||||||
|     "standardVersionDetection": "標準のバージョン検出", |     "standardVersionDetection": "標準のバージョン検出", | ||||||
|     "groupByCategory": "カテゴリ別にグループ化する", |     "groupByCategory": "カテゴリ別にグループ化する", | ||||||
|     "autoApkFilterByArch": "可能であれば、CPUアーキテクチャによるAPKのフィルタリングを試みる", |     "autoApkFilterByArch": "可能であれば、CPUアーキテクチャによるAPKのフィルタリングを試みる", | ||||||
|     "autoLinkFilterByArch": "可能であれば、CPUアーキテクチャによるリンクのフィルタリングを試みる", |  | ||||||
|     "overrideSource": "ソースの上書き", |     "overrideSource": "ソースの上書き", | ||||||
|     "dontShowAgain": "二度と表示しない", |     "dontShowAgain": "二度と表示しない", | ||||||
|     "dontShowTrackOnlyWarnings": "「追跡のみ」の警告を表示しない", |     "dontShowTrackOnlyWarnings": "「追跡のみ」の警告を表示しない", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "'latest'タグを確認する", |     "verifyLatestTag": "'latest'タグを確認する", | ||||||
|     "intermediateLinkRegex": "訪問する「中間」リンクのフィルター", |     "intermediateLinkRegex": "訪問する「中間」リンクのフィルター", | ||||||
|     "filterByLinkText": "テキストでリンクをフィルタリングする", |     "filterByLinkText": "テキストでリンクをフィルタリングする", | ||||||
|     "matchLinksOutsideATags": "<a>タグの外にあるリンクに一致させる", |  | ||||||
|     "intermediateLinkNotFound": "中間リンクが見つかりませんでした", |     "intermediateLinkNotFound": "中間リンクが見つかりませんでした", | ||||||
|     "intermediateLink": "中間リンク", |     "intermediateLink": "中間リンク", | ||||||
|     "exemptFromBackgroundUpdates": "バックグラウンドアップデートを行わない (有効な場合)", |     "exemptFromBackgroundUpdates": "バックグラウンドアップデートを行わない (有効な場合)", | ||||||
|     "bgUpdatesOnWiFiOnly": "WiFiを使用していない場合、バックグラウンドアップデートを無効にする", |     "bgUpdatesOnWiFiOnly": "WiFiを使用していない場合、バックグラウンドアップデートを無効にする", | ||||||
|     "bgUpdatesWhileChargingOnly": "非充電時にバックグラウンドアップデートを無効にする", |  | ||||||
|     "autoSelectHighestVersionCode": "最も高いバージョンコードのAPKを自動で選択する", |     "autoSelectHighestVersionCode": "最も高いバージョンコードのAPKを自動で選択する", | ||||||
|     "versionExtractionRegEx": "バージョン抽出の正規表現", |     "versionExtractionRegEx": "バージョン抽出の正規表現", | ||||||
|     "trimVersionString": "正規表現でバージョン文字列をトリムする", |  | ||||||
|     "matchGroupToUseForX": "\"{}\"に使用するマッチしたグループ", |  | ||||||
|     "matchGroupToUse": "使用するマッチしたグループ", |     "matchGroupToUse": "使用するマッチしたグループ", | ||||||
|     "highlightTouchTargets": "目立たないタップ可能な対象をハイライトする", |     "highlightTouchTargets": "目立たないタップ可能な対象をハイライトする", | ||||||
|     "pickExportDir": "エクスポートディレクトリを選択", |     "pickExportDir": "エクスポートディレクトリを選択", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "固定されたAPKのURLをサポートする", |     "supportFixedAPKURL": "固定されたAPKのURLをサポートする", | ||||||
|     "selectX": "{} 選択", |     "selectX": "{} 選択", | ||||||
|     "parallelDownloads": "並行ダウンロードを許可する", |     "parallelDownloads": "並行ダウンロードを許可する", | ||||||
|     "useShizuku": "ShizukuまたはSuiを使用してインストールする", |     "installMethod": "インストール方法", | ||||||
|  |     "normal": "通常", | ||||||
|  |     "root": "Root", | ||||||
|     "shizukuBinderNotFound": "Shizukuが起動していません", |     "shizukuBinderNotFound": "Shizukuが起動していません", | ||||||
|     "shizukuOld": "古いShizukuのバージョン (<11) - アップデートしてください", |  | ||||||
|     "shizukuOldAndroidWithADB": "ShizukuがAndroid 8.1未満でADBを使用して動作しています - Androidをアップデートするか、代わりにSuiを使用してください", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Google Playをインストール元として設定する(Shizukuを使用する場合)", |  | ||||||
|     "useSystemFont": "システムフォントを使用する", |     "useSystemFont": "システムフォントを使用する", | ||||||
|  |     "systemFontError": "システムフォントの読み込みエラー: {}", | ||||||
|     "useVersionCodeAsOSVersion": "アプリのバージョンコードをOSで検出されたバージョンとして使用する", |     "useVersionCodeAsOSVersion": "アプリのバージョンコードをOSで検出されたバージョンとして使用する", | ||||||
|     "requestHeader": "リクエストヘッダー", |     "requestHeader": "リクエストヘッダー", | ||||||
|     "useLatestAssetDateAsReleaseDate": "最新のアセットアップロードをリリース日として使用する", |     "useLatestAssetDateAsReleaseDate": "最新のアセットアップロードをリリース日として使用する", | ||||||
| @@ -313,30 +299,6 @@ | |||||||
|     "note": "注", |     "note": "注", | ||||||
|     "selfHostedNote": "ドロップダウン\"{}\"を使用すると、あらゆるソースのセルフホスト/カスタムインスタンスにアクセスできます。", |     "selfHostedNote": "ドロップダウン\"{}\"を使用すると、あらゆるソースのセルフホスト/カスタムインスタンスにアクセスできます。", | ||||||
|     "badDownload": "APK を解析できませんでした(互換性がないか、部分的にダウンロードされています)。", |     "badDownload": "APK を解析できませんでした(互換性がないか、部分的にダウンロードされています)。", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "AppVerifierで新しいアプリを共有する(利用可能な場合)", |  | ||||||
|     "appVerifierInstructionToast": "AppVerifierに共有し、準備ができたらここに戻ってください。", |  | ||||||
|     "wiki": "ヘルプ/ウィキ", |  | ||||||
|     "crowdsourcedConfigsLabel": "クラウドソーシングによるアプリの設定(利用は自己責任で)", |  | ||||||
|     "crowdsourcedConfigsShort": "クラウドソーシングによるアプリの設定", |  | ||||||
|     "allowInsecure": "安全でないHTTPリクエストを許可する", |  | ||||||
|     "stayOneVersionBehind": "最新のバージョンから1つ前のものを使用する", |  | ||||||
|     "useFirstApkOfVersion": "複数のAPKから最初のAPKを自動選択する", |  | ||||||
|     "refreshBeforeDownload": "ダウンロード前にアプリの詳細を更新する", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "Cool Apk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "アプリ名", |  | ||||||
|     "smartname": "アプリ名(スマート)", |  | ||||||
|     "sortMethod": "ソート方法", |  | ||||||
|     "welcome": "ようこそ", |  | ||||||
|     "documentationLinksNote": "以下のリンクにあるObtainium GitHubページには、ビデオ、記事、ディスカッション、その他のリソースへのリンクがあり、アプリの使い方を理解するのに役立ちます。", |  | ||||||
|     "batteryOptimizationNote": "ObtainiumのOSバッテリー最適化を無効にすると、バックグラウンドダウンロードがより確実に動作するようになります。", |  | ||||||
|     "fileDeletionError": "ファイルの削除に失敗しました(手動で削除してから再試行してください):\"{}\"", |  | ||||||
|     "foregroundService": "Obtainium フォアグラウンドサービス", |  | ||||||
|     "foregroundServiceExplanation": "アップデート確認にフォアグラウンドサービスを使用する(より信頼性が高いが、より電力を消費する)", |  | ||||||
|     "fgServiceNotice": "この通知は、バックグラウンドでアップデートを確認するために必要です(OSの設定で非表示にできます)。", |  | ||||||
|     "excludeSecrets": "シークレットを除く", |  | ||||||
|     "GHReqPrefix": "GitHub リクエスト用の 'sky22333/hubproxy' インスタンス", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "アプリを削除しますか?", |         "one": "アプリを削除しますか?", | ||||||
|         "other": "アプリを削除しますか?" |         "other": "アプリを削除しますか?" | ||||||
| @@ -378,23 +340,19 @@ | |||||||
|         "other": "{n} 個のログをクリアしました (前 = {before}, 後 = {after})" |         "other": "{n} 個のログをクリアしました (前 = {before}, 後 = {after})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} とさらに 1 個のアプリのアップデートが利用可能です。", |         "one": "{} とさらに {} 個のアプリのアップデートが利用可能です。", | ||||||
|         "other": "{} とさらに {} 個のアプリのアップデートが利用可能です。" |         "other": "{} とさらに {} 個のアプリのアップデートが利用可能です。" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} とさらに 1 個のアプリがアップデートされました。", |         "one": "{} とさらに {} 個のアプリがアップデートされました。", | ||||||
|         "other": "{} とさらに {} 個のアプリがアップデートされました。" |         "other": "{} とさらに {} 個のアプリがアップデートされました。" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "{} とさらに 1 個のアプリのアップデートに失敗しました。", |  | ||||||
|         "other": "{} とさらに {} 個のアプリのアップデートに失敗しました。" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} とさらに 1 個のアプリがアップデートされた可能性があります。", |         "one": "{} とさらに 1 個のアプリがアップデートされた可能性があります。", | ||||||
|         "other": "{} とさらに {} 個のアプリがアップデートされた可能性があります。" |         "other": "{} とさらに {} 個のアプリがアップデートされた可能性があります。" | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{}APK", | ||||||
|         "other": "{} APK" |         "other": "{}APK" | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "유효한 {} 앱 URL이 아닙니다", |  | ||||||
|     "noReleaseFound": "적절한 릴리스를 찾을 수 없습니다", |  | ||||||
|     "noVersionFound": "릴리스 버전을 결정할 수 없습니다", |  | ||||||
|     "urlMatchesNoSource": "URL이 알려진 소스와 일치하지 않습니다", |  | ||||||
|     "cantInstallOlderVersion": "앱의 이전 버전을 설치할 수 없습니다", |  | ||||||
|     "appIdMismatch": "다운로드된 패키지 ID가 기존 앱 ID와 일치하지 않습니다", |  | ||||||
|     "functionNotImplemented": "이 클래스는 이 기능을 구현하지 않았습니다", |  | ||||||
|     "placeholder": "플레이스홀더", |  | ||||||
|     "someErrors": "일부 오류가 발생했습니다", |  | ||||||
|     "unexpectedError": "예기치 않은 오류", |  | ||||||
|     "ok": "확인", |  | ||||||
|     "and": "그리고", |  | ||||||
|     "githubPATLabel": "GitHub 개인 액세스 토큰 (속도 제한 증가)", |  | ||||||
|     "includePrereleases": "사전 릴리스 포함", |  | ||||||
|     "fallbackToOlderReleases": "이전 릴리스로 대체", |  | ||||||
|     "filterReleaseTitlesByRegEx": "정규 표현식으로 릴리스 제목 필터링", |  | ||||||
|     "invalidRegEx": "잘못된 정규 표현식", |  | ||||||
|     "noDescription": "설명 없음", |  | ||||||
|     "cancel": "취소", |  | ||||||
|     "continue": "계속", |  | ||||||
|     "requiredInBrackets": "(필수)", |  | ||||||
|     "dropdownNoOptsError": "오류: 드롭다운에는 최소 하나의 옵션이 있어야 합니다", |  | ||||||
|     "colour": "색상", |  | ||||||
|     "standard": "표준", |  | ||||||
|     "custom": "사용자 정의", |  | ||||||
|     "useMaterialYou": "Material You 사용", |  | ||||||
|     "githubStarredRepos": "GitHub 즐겨찾기 저장소", |  | ||||||
|     "uname": "사용자 이름", |  | ||||||
|     "wrongArgNum": "잘못된 인수 수 제공", |  | ||||||
|     "xIsTrackOnly": "{}는 추적 전용입니다", |  | ||||||
|     "source": "소스", |  | ||||||
|     "app": "앱", |  | ||||||
|     "appsFromSourceAreTrackOnly": "이 소스의 앱은 '추적 전용'입니다.", |  | ||||||
|     "youPickedTrackOnly": "당신은 '추적 전용' 옵션을 선택했습니다.", |  | ||||||
|     "trackOnlyAppDescription": "앱은 업데이트를 위해 추적되지만 Obtainium은 다운로드하거나 설치할 수 없습니다.", |  | ||||||
|     "cancelled": "취소됨", |  | ||||||
|     "appAlreadyAdded": "앱이 이미 추가되었습니다", |  | ||||||
|     "alreadyUpToDateQuestion": "앱이 이미 최신 상태입니까?", |  | ||||||
|     "addApp": "앱 추가", |  | ||||||
|     "appSourceURL": "앱 소스 URL", |  | ||||||
|     "error": "오류", |  | ||||||
|     "add": "추가", |  | ||||||
|     "searchSomeSourcesLabel": "검색 (일부 소스만)", |  | ||||||
|     "search": "검색", |  | ||||||
|     "additionalOptsFor": "{}에 대한 추가 옵션", |  | ||||||
|     "supportedSources": "지원되는 소스", |  | ||||||
|     "trackOnlyInBrackets": "(추적 전용)", |  | ||||||
|     "searchableInBrackets": "(검색 가능)", |  | ||||||
|     "appsString": "앱", |  | ||||||
|     "noApps": "앱 없음", |  | ||||||
|     "noAppsForFilter": "필터에 대한 앱 없음", |  | ||||||
|     "byX": "{}에 의해", |  | ||||||
|     "percentProgress": "진행률: {}%", |  | ||||||
|     "pleaseWait": "기다려 주세요", |  | ||||||
|     "updateAvailable": "업데이트 가능", |  | ||||||
|     "notInstalled": "설치되지 않음", |  | ||||||
|     "pseudoVersion": "의사 버전", |  | ||||||
|     "selectAll": "모두 선택", |  | ||||||
|     "deselectX": "{} 선택 해제", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{}는 Obtainium에서 제거되지만 장치에 설치된 상태로 남아 있습니다.", |  | ||||||
|     "removeSelectedAppsQuestion": "선택한 앱을 제거하시겠습니까?", |  | ||||||
|     "removeSelectedApps": "선택한 앱 제거", |  | ||||||
|     "updateX": "{} 업데이트", |  | ||||||
|     "installX": "{} 설치", |  | ||||||
|     "markXTrackOnlyAsUpdated": "{}\n(추적 전용)\n업데이트됨으로 표시", |  | ||||||
|     "changeX": "{} 변경", |  | ||||||
|     "installUpdateApps": "앱 설치/업데이트", |  | ||||||
|     "installUpdateSelectedApps": "선택한 앱 설치/업데이트", |  | ||||||
|     "markXSelectedAppsAsUpdated": "{} 선택한 앱을 업데이트됨으로 표시하시겠습니까?", |  | ||||||
|     "no": "아니요", |  | ||||||
|     "yes": "예", |  | ||||||
|     "markSelectedAppsUpdated": "선택한 앱을 업데이트됨으로 표시", |  | ||||||
|     "pinToTop": "상단에 고정", |  | ||||||
|     "unpinFromTop": "상단에서 고정 해제", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "선택한 앱의 설치 상태를 재설정하시겠습니까?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "선택한 앱의 설치 상태가 재설정됩니다.\n\n이것은 실패한 업데이트나 기타 문제로 인해 Obtainium에 표시된 앱 버전이 잘못된 경우에 도움이 될 수 있습니다.", |  | ||||||
|     "customLinkMessage": "이 링크는 Obtainium이 설치된 장치에서 작동합니다", |  | ||||||
|     "shareAppConfigLinks": "앱 구성 HTML 링크로 공유", |  | ||||||
|     "shareSelectedAppURLs": "선택한 앱 URL 공유", |  | ||||||
|     "resetInstallStatus": "설치 상태 재설정", |  | ||||||
|     "more": "더보기", |  | ||||||
|     "removeOutdatedFilter": "구식 앱 필터 제거", |  | ||||||
|     "showOutdatedOnly": "구식 앱만 표시", |  | ||||||
|     "filter": "필터", |  | ||||||
|     "filterApps": "앱 필터", |  | ||||||
|     "appName": "앱 이름", |  | ||||||
|     "author": "저자", |  | ||||||
|     "upToDateApps": "최신 상태의 앱", |  | ||||||
|     "nonInstalledApps": "설치되지 않은 앱", |  | ||||||
|     "importExport": "가져오기/내보내기", |  | ||||||
|     "settings": "설정", |  | ||||||
|     "exportedTo": "{}로 내보내기 완료", |  | ||||||
|     "obtainiumExport": "Obtainium 내보내기", |  | ||||||
|     "invalidInput": "잘못된 입력", |  | ||||||
|     "importedX": "{} 가져오기 완료", |  | ||||||
|     "obtainiumImport": "Obtainium 가져오기", |  | ||||||
|     "importFromURLList": "URL 목록에서 가져오기", |  | ||||||
|     "searchQuery": "검색 쿼리", |  | ||||||
|     "appURLList": "앱 URL 목록", |  | ||||||
|     "line": "줄", |  | ||||||
|     "searchX": "{} 검색", |  | ||||||
|     "noResults": "결과가 없습니다", |  | ||||||
|     "importX": "{} 가져오기", |  | ||||||
|     "importedAppsIdDisclaimer": "가져온 앱은 \"설치되지 않음\"으로 잘못 표시될 수 있습니다.\n이를 수정하려면 Obtainium을 통해 다시 설치하십시오.\n앱 데이터에는 영향을 미치지 않습니다.\n\nURL 및 타사 가져오기 방법에만 영향을 미칩니다.", |  | ||||||
|     "importErrors": "가져오기 오류", |  | ||||||
|     "importedXOfYApps": "{}개의 앱 중 {}개 가져오기 완료.", |  | ||||||
|     "followingURLsHadErrors": "다음 URL에 오류가 있었습니다:", |  | ||||||
|     "selectURL": "URL 선택", |  | ||||||
|     "selectURLs": "URL 선택", |  | ||||||
|     "pick": "선택", |  | ||||||
|     "theme": "테마", |  | ||||||
|     "dark": "다크", |  | ||||||
|     "light": "라이트", |  | ||||||
|     "followSystem": "시스템 따르기", |  | ||||||
|     "followSystemThemeExplanation": "시스템 테마를 따르려면 타사 애플리케이션을 사용해야 합니다", |  | ||||||
|     "useBlackTheme": "순수한 검은색 다크 테마 사용", |  | ||||||
|     "appSortBy": "앱 정렬 기준", |  | ||||||
|     "authorName": "저자/이름", |  | ||||||
|     "nameAuthor": "이름/저자", |  | ||||||
|     "asAdded": "추가된 순서대로", |  | ||||||
|     "appSortOrder": "앱 정렬 순서", |  | ||||||
|     "ascending": "오름차순", |  | ||||||
|     "descending": "내림차순", |  | ||||||
|     "bgUpdateCheckInterval": "백그라운드 업데이트 확인 간격", |  | ||||||
|     "neverManualOnly": "절대 - 수동만", |  | ||||||
|     "appearance": "외관", |  | ||||||
|     "showWebInAppView": "앱 보기에서 소스 웹페이지 표시", |  | ||||||
|     "pinUpdates": "앱 보기 상단에 업데이트 고정", |  | ||||||
|     "updates": "업데이트", |  | ||||||
|     "sourceSpecific": "소스별", |  | ||||||
|     "appSource": "앱 소스", |  | ||||||
|     "noLogs": "로그 없음", |  | ||||||
|     "appLogs": "앱 로그", |  | ||||||
|     "close": "닫기", |  | ||||||
|     "share": "공유", |  | ||||||
|     "appNotFound": "앱을 찾을 수 없습니다", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-export", |  | ||||||
|     "pickAnAPK": "APK 선택", |  | ||||||
|     "appHasMoreThanOnePackage": "{}에는 둘 이상의 패키지가 있습니다:", |  | ||||||
|     "deviceSupportsXArch": "장치는 {} CPU 아키텍처를 지원합니다.", |  | ||||||
|     "deviceSupportsFollowingArchs": "장치는 다음 CPU 아키텍처를 지원합니다:", |  | ||||||
|     "warning": "경고", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "앱 소스는 '{}'이지만 릴리스 패키지는 '{}'에서 제공됩니다. 계속하시겠습니까?", |  | ||||||
|     "updatesAvailable": "업데이트 가능", |  | ||||||
|     "updatesAvailableNotifDescription": "Obtainium이 추적하는 하나 이상의 앱에 대한 업데이트가 있음을 사용자에게 알립니다", |  | ||||||
|     "noNewUpdates": "새로운 업데이트가 없습니다.", |  | ||||||
|     "xHasAnUpdate": "{}에 업데이트가 있습니다.", |  | ||||||
|     "appsUpdated": "앱 업데이트됨", |  | ||||||
|     "appsNotUpdated": "앱 업데이트 실패", |  | ||||||
|     "appsUpdatedNotifDescription": "백그라운드에서 하나 이상의 앱에 대한 업데이트가 적용되었음을 사용자에게 알립니다", |  | ||||||
|     "xWasUpdatedToY": "{}가 {}로 업데이트되었습니다.", |  | ||||||
|     "xWasNotUpdatedToY": "{}를 {}로 업데이트하지 못했습니다.", |  | ||||||
|     "errorCheckingUpdates": "업데이트 확인 오류", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "백그라운드 업데이트 확인이 실패할 때 표시되는 알림", |  | ||||||
|     "appsRemoved": "앱 제거됨", |  | ||||||
|     "appsRemovedNotifDescription": "로드 중 오류로 인해 하나 이상의 앱이 제거되었음을 사용자에게 알립니다", |  | ||||||
|     "xWasRemovedDueToErrorY": "{}가 다음 오류로 인해 제거되었습니다: {}", |  | ||||||
|     "completeAppInstallation": "앱 설치 완료", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "앱을 설치하려면 Obtainium이 열려 있어야 합니다", |  | ||||||
|     "completeAppInstallationNotifDescription": "앱 설치를 완료하려면 Obtainium으로 돌아가도록 사용자에게 요청합니다", |  | ||||||
|     "checkingForUpdates": "업데이트 확인 중", |  | ||||||
|     "checkingForUpdatesNotifDescription": "업데이트 확인 시 나타나는 일시적인 알림", |  | ||||||
|     "pleaseAllowInstallPerm": "Obtainium이 앱을 설치할 수 있도록 허용해 주세요", |  | ||||||
|     "trackOnly": "추적 전용", |  | ||||||
|     "errorWithHttpStatusCode": "오류 {}", |  | ||||||
|     "versionCorrectionDisabled": "버전 수정 비활성화됨 (플러그인이 작동하지 않는 것 같습니다)", |  | ||||||
|     "unknown": "알 수 없음", |  | ||||||
|     "none": "없음", |  | ||||||
|     "all": "모두", |  | ||||||
|     "never": "절대", |  | ||||||
|     "latestVersionX": "최신: {}", |  | ||||||
|     "installedVersionX": "설치됨: {}", |  | ||||||
|     "lastUpdateCheckX": "마지막 업데이트 확인: {}", |  | ||||||
|     "remove": "제거", |  | ||||||
|     "yesMarkUpdated": "예, 업데이트됨으로 표시", |  | ||||||
|     "fdroid": "F-Droid 공식", |  | ||||||
|     "appIdOrName": "앱 ID 또는 이름", |  | ||||||
|     "appId": "앱 ID", |  | ||||||
|     "appWithIdOrNameNotFound": "해당 ID 또는 이름의 앱을 찾을 수 없습니다", |  | ||||||
|     "reposHaveMultipleApps": "저장소에는 여러 앱이 포함될 수 있습니다", |  | ||||||
|     "fdroidThirdPartyRepo": "F-Droid 타사 저장소", |  | ||||||
|     "install": "설치", |  | ||||||
|     "markInstalled": "설치됨으로 표시", |  | ||||||
|     "update": "업데이트", |  | ||||||
|     "markUpdated": "업데이트됨으로 표시", |  | ||||||
|     "additionalOptions": "추가 옵션", |  | ||||||
|     "disableVersionDetection": "버전 감지 비활성화", |  | ||||||
|     "noVersionDetectionExplanation": "이 옵션은 버전 감지가 올바르게 작동하지 않는 앱에만 사용해야 합니다.", |  | ||||||
|     "downloadingX": "{} 다운로드 중", |  | ||||||
|     "downloadX": "{} 다운로드", |  | ||||||
|     "downloadedX": "{} 다운로드 완료", |  | ||||||
|     "releaseAsset": "릴리스 자산", |  | ||||||
|     "downloadNotifDescription": "앱 다운로드 진행 상황을 사용자에게 알립니다", |  | ||||||
|     "noAPKFound": "APK를 찾을 수 없습니다", |  | ||||||
|     "noVersionDetection": "버전 감지 없음", |  | ||||||
|     "categorize": "분류", |  | ||||||
|     "categories": "카테고리", |  | ||||||
|     "category": "카테고리", |  | ||||||
|     "noCategory": "카테고리 없음", |  | ||||||
|     "noCategories": "카테고리 없음", |  | ||||||
|     "deleteCategoriesQuestion": "카테고리를 삭제하시겠습니까?", |  | ||||||
|     "categoryDeleteWarning": "삭제된 카테고리의 모든 앱은 미분류로 설정됩니다.", |  | ||||||
|     "addCategory": "카테고리 추가", |  | ||||||
|     "label": "레이블", |  | ||||||
|     "language": "언어", |  | ||||||
|     "copiedToClipboard": "클립보드에 복사됨", |  | ||||||
|     "storagePermissionDenied": "저장소 권한 거부됨", |  | ||||||
|     "selectedCategorizeWarning": "이 작업은 선택한 앱의 기존 카테고리 설정을 대체합니다.", |  | ||||||
|     "filterAPKsByRegEx": "정규 표현식으로 APK 필터링", |  | ||||||
|     "removeFromObtainium": "Obtainium에서 제거", |  | ||||||
|     "uninstallFromDevice": "장치에서 제거", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "버전 감지가 비활성화된 앱에만 작동합니다.", |  | ||||||
|     "releaseDateAsVersion": "릴리스 날짜를 버전 문자열로 사용", |  | ||||||
|     "releaseTitleAsVersion": "릴리스 제목을 버전 문자열로 사용", |  | ||||||
|     "releaseDateAsVersionExplanation": "이 옵션은 버전 감지가 올바르게 작동하지 않지만 릴리스 날짜가 있는 앱에만 사용해야 합니다.", |  | ||||||
|     "changes": "변경 사항", |  | ||||||
|     "releaseDate": "릴리스 날짜", |  | ||||||
|     "importFromURLsInFile": "파일의 URL에서 가져오기 (OPML과 같은)", |  | ||||||
|     "versionDetectionExplanation": "OS에서 감지된 버전과 버전 문자열 조정", |  | ||||||
|     "versionDetection": "버전 감지", |  | ||||||
|     "standardVersionDetection": "표준 버전 감지", |  | ||||||
|     "groupByCategory": "카테고리별 그룹화", |  | ||||||
|     "autoApkFilterByArch": "가능한 경우 CPU 아키텍처별로 APK 필터링 시도", |  | ||||||
|     "autoLinkFilterByArch": "가능하면 CPU 아키텍처별로 링크를 필터링해 보세요.", |  | ||||||
|     "overrideSource": "소스 재정의", |  | ||||||
|     "dontShowAgain": "다시 표시하지 않기", |  | ||||||
|     "dontShowTrackOnlyWarnings": "'추적 전용' 경고 표시 안 함", |  | ||||||
|     "dontShowAPKOriginWarnings": "APK 출처 경고 표시 안 함", |  | ||||||
|     "moveNonInstalledAppsToBottom": "설치되지 않은 앱을 앱 보기 하단으로 이동", |  | ||||||
|     "gitlabPATLabel": "GitLab 개인 액세스 토큰", |  | ||||||
|     "about": "정보", |  | ||||||
|     "requiresCredentialsInSettings": "{}는 추가 자격 증명이 필요합니다 (설정에서)", |  | ||||||
|     "checkOnStart": "시작 시 업데이트 확인", |  | ||||||
|     "tryInferAppIdFromCode": "소스 코드에서 앱 ID 추론 시도", |  | ||||||
|     "removeOnExternalUninstall": "외부에서 제거된 앱 자동 제거", |  | ||||||
|     "pickHighestVersionCode": "가장 높은 버전 코드 APK 자동 선택", |  | ||||||
|     "checkUpdateOnDetailPage": "앱 세부 정보 페이지 열 때 업데이트 확인", |  | ||||||
|     "disablePageTransitions": "페이지 전환 애니메이션 비활성화", |  | ||||||
|     "reversePageTransitions": "페이지 전환 애니메이션 반전", |  | ||||||
|     "minStarCount": "최소 별 개수", |  | ||||||
|     "addInfoBelow": "아래에 이 정보를 추가하십시오.", |  | ||||||
|     "addInfoInSettings": "설정에 이 정보를 추가하십시오.", |  | ||||||
|     "githubSourceNote": "GitHub 속도 제한은 API 키를 사용하여 피할 수 있습니다.", |  | ||||||
|     "sortByLastLinkSegment": "링크의 마지막 세그먼트로만 정렬", |  | ||||||
|     "filterReleaseNotesByRegEx": "정규 표현식으로 릴리스 노트 필터링", |  | ||||||
|     "customLinkFilterRegex": "정규 표현식으로 사용자 정의 APK 링크 필터링 (기본값 '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "앱 업데이트 시도됨", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "백그라운드에서 하나 이상의 앱에 대한 업데이트가 잠재적으로 적용되었음을 사용자에게 알립니다", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{}가 {}로 업데이트되었을 수 있습니다.", |  | ||||||
|     "enableBackgroundUpdates": "백그라운드 업데이트 활성화", |  | ||||||
|     "backgroundUpdateReqsExplanation": "모든 앱에 대해 백그라운드 업데이트가 가능하지 않을 수 있습니다.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "백그라운드 설치의 성공 여부는 Obtainium이 열릴 때만 확인할 수 있습니다.", |  | ||||||
|     "verifyLatestTag": "'최신' 태그 확인", |  | ||||||
|     "intermediateLinkRegex": "'중간' 링크 방문 필터", |  | ||||||
|     "filterByLinkText": "링크 텍스트로 링크 필터링", |  | ||||||
|     "matchLinksOutsideATags": "<> 태그 외부의 링크 일치", |  | ||||||
|     "intermediateLinkNotFound": "중간 링크를 찾을 수 없습니다", |  | ||||||
|     "intermediateLink": "중간 링크", |  | ||||||
|     "exemptFromBackgroundUpdates": "백그라운드 업데이트에서 제외 (활성화된 경우)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "WiFi가 아닐 때 백그라운드 업데이트 비활성화", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "충전 중이 아닐 때 백그라운드 업데이트 비활성화", |  | ||||||
|     "autoSelectHighestVersionCode": "가장 높은 versionCode APK 자동 선택", |  | ||||||
|     "versionExtractionRegEx": "버전 문자열 추출 정규 표현식", |  | ||||||
|     "trimVersionString": "정규 표현식으로 버전 문자열 자르기", |  | ||||||
|     "matchGroupToUseForX": "\"{}\"에 사용할 일치 그룹", |  | ||||||
|     "matchGroupToUse": "버전 문자열 추출 정규 표현식에 사용할 일치 그룹", |  | ||||||
|     "highlightTouchTargets": "덜 명확한 터치 대상 강조", |  | ||||||
|     "pickExportDir": "내보내기 디렉토리 선택", |  | ||||||
|     "autoExportOnChanges": "변경 시 자동 내보내기", |  | ||||||
|     "includeSettings": "설정 포함", |  | ||||||
|     "filterVersionsByRegEx": "정규 표현식으로 버전 필터링", |  | ||||||
|     "trySelectingSuggestedVersionCode": "제안된 versionCode APK 선택 시도", |  | ||||||
|     "dontSortReleasesList": "API에서 릴리스 순서 유지", |  | ||||||
|     "reverseSort": "정렬 반전", |  | ||||||
|     "takeFirstLink": "첫 번째 링크 선택", |  | ||||||
|     "skipSort": "정렬 건너뛰기", |  | ||||||
|     "debugMenu": "디버그 메뉴", |  | ||||||
|     "bgTaskStarted": "백그라운드 작업 시작됨 - 로그를 확인하세요.", |  | ||||||
|     "runBgCheckNow": "지금 백그라운드 업데이트 확인 실행", |  | ||||||
|     "versionExtractWholePage": "전체 페이지에 버전 문자열 추출 정규 표현식 적용", |  | ||||||
|     "installing": "설치 중", |  | ||||||
|     "skipUpdateNotifications": "업데이트 알림 건너뛰기", |  | ||||||
|     "updatesAvailableNotifChannel": "업데이트 가능", |  | ||||||
|     "appsUpdatedNotifChannel": "앱 업데이트됨", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "앱 업데이트 시도됨", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "업데이트 확인 오류", |  | ||||||
|     "appsRemovedNotifChannel": "앱 제거됨", |  | ||||||
|     "downloadingXNotifChannel": "{} 다운로드 중", |  | ||||||
|     "completeAppInstallationNotifChannel": "앱 설치 완료", |  | ||||||
|     "checkingForUpdatesNotifChannel": "업데이트 확인 중", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "설치된 앱과 추적 전용 앱만 업데이트 확인", |  | ||||||
|     "supportFixedAPKURL": "고정 APK URL 지원", |  | ||||||
|     "selectX": "{} 선택", |  | ||||||
|     "parallelDownloads": "병렬 다운로드 허용", |  | ||||||
|     "useShizuku": "Shizuku 또는 Sui를 사용하여 설치", |  | ||||||
|     "shizukuBinderNotFound": "Shizuku 서비스가 실행 중이 아닙니다", |  | ||||||
|     "shizukuOld": "오래된 Shizuku 버전 (<11) - 업데이트 필요", |  | ||||||
|     "shizukuOldAndroidWithADB": "ADB로 Android < 8.1에서 실행 중인 Shizuku - Android를 업데이트하거나 대신 Sui를 사용하세요", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "설치 소스로 Google Play 설정 (Shizuku 사용 시)", |  | ||||||
|     "useSystemFont": "시스템 글꼴 사용", |  | ||||||
|     "useVersionCodeAsOSVersion": "앱 versionCode를 OS에서 감지된 버전으로 사용", |  | ||||||
|     "requestHeader": "요청 헤더", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "최신 자산 업로드를 릴리스 날짜로 사용", |  | ||||||
|     "defaultPseudoVersioningMethod": "기본 의사 버전 관리 방법", |  | ||||||
|     "partialAPKHash": "부분 APK 해시", |  | ||||||
|     "APKLinkHash": "APK 링크 해시", |  | ||||||
|     "directAPKLink": "직접 APK 링크", |  | ||||||
|     "pseudoVersionInUse": "의사 버전 사용 중", |  | ||||||
|     "installed": "설치됨", |  | ||||||
|     "latest": "최신", |  | ||||||
|     "invertRegEx": "정규 표현식 반전", |  | ||||||
|     "note": "노트", |  | ||||||
|     "selfHostedNote": "\"{}\" 드롭다운을 사용하여 소스의 자체 호스팅/사용자 정의 인스턴스에 도달할 수 있습니다.", |  | ||||||
|     "badDownload": "APK를 구문 분석할 수 없습니다 (호환되지 않거나 부분 다운로드)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "새 앱을 AppVerifier와 공유 (가능한 경우)", |  | ||||||
|     "appVerifierInstructionToast": "AppVerifier에 공유한 후 준비가 되면 여기로 돌아오세요.", |  | ||||||
|     "wiki": "도움말/위키", |  | ||||||
|     "crowdsourcedConfigsLabel": "크라우드소싱 앱 구성 (자신의 책임 하에 사용)", |  | ||||||
|     "crowdsourcedConfigsShort": "크라우드소싱 앱 구성", |  | ||||||
|     "allowInsecure": "안전하지 않은 HTTP 요청 허용", |  | ||||||
|     "stayOneVersionBehind": "최신 버전보다 한 버전 뒤에 머무르기", |  | ||||||
|     "useFirstApkOfVersion": "여러 앱 중 첫 번째 앱 자동 선택", |  | ||||||
|     "refreshBeforeDownload": "다운로드 전에 앱 세부 정보 새로 고침", |  | ||||||
|     "tencentAppStore": "텐센트 앱 스토어", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "이름", |  | ||||||
|     "smartname": "이름(스마트)", |  | ||||||
|     "sortMethod": "정렬 방법", |  | ||||||
|     "welcome": "환영", |  | ||||||
|     "documentationLinksNote": "아래에 링크된 Obtainium 깃허브 페이지에는 앱 사용 방법을 이해하는 데 도움이 되는 동영상, 기사, 토론 및 기타 리소스에 대한 링크가 포함되어 있습니다.", |  | ||||||
|     "batteryOptimizationNote": "Obtainium의 OS 배터리 최적화를 비활성화하면 백그라운드 다운로드가 더 안정적으로 작동할 수 있습니다.", |  | ||||||
|     "fileDeletionError": "파일을 삭제하지 못했습니다(수동으로 삭제한 후 다시 시도하세요): \"{}\"", |  | ||||||
|     "foregroundService": "오베티움 포그라운드 서비스", |  | ||||||
|     "foregroundServiceExplanation": "업데이트 확인을 위해 포그라운드 서비스 사용(안정성 향상, 전력 소비량 증가)", |  | ||||||
|     "fgServiceNotice": "이 알림은 백그라운드 업데이트 확인에 필요합니다(OS 설정에서 숨길 수 있음).", |  | ||||||
|     "excludeSecrets": "비밀 제외", |  | ||||||
|     "GHReqPrefix": "GitHub 요청을 위한 'sky22333/hubproxy' 인스턴스", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "앱을 제거하시겠습니까?", |  | ||||||
|         "other": "앱을 제거하시겠습니까?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "요청이 너무 많습니다 (속도 제한) - {}분 후에 다시 시도하세요", |  | ||||||
|         "other": "요청이 너무 많습니다 (속도 제한) - {}분 후에 다시 시도하세요" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "BG 업데이트 확인 중 {} 오류가 발생했습니다. {}분 후에 다시 확인을 예약합니다", |  | ||||||
|         "other": "BG 업데이트 확인 중 {} 오류가 발생했습니다. {}분 후에 다시 확인을 예약합니다" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "BG 업데이트 확인에서 {}개의 업데이트를 발견했습니다 - 필요 시 사용자에게 알립니다", |  | ||||||
|         "other": "BG 업데이트 확인에서 {}개의 업데이트를 발견했습니다 - 필요 시 사용자에게 알립니다" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} 앱", |  | ||||||
|         "other": "{} 앱" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URL" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} 분", |  | ||||||
|         "other": "{} 분" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} 시간", |  | ||||||
|         "other": "{} 시간" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} 일", |  | ||||||
|         "other": "{} 일" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "{n}개의 로그가 지워졌습니다 (이전 = {before}, 이후 = {after})", |  | ||||||
|         "other": "{n}개의 로그가 지워졌습니다 (이전 = {before}, 이후 = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} 및 1개의 앱에 업데이트가 있습니다.", |  | ||||||
|         "other": "{} 및 {}개의 앱에 업데이트가 있습니다." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} 및 1개의 앱이 업데이트되었습니다.", |  | ||||||
|         "other": "{} 및 {}개의 앱이 업데이트되었습니다." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "{} 및 1개의 앱 업데이트에 실패했습니다.", |  | ||||||
|         "other": "{} 및 {}개의 앱 업데이트에 실패했습니다." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} 및 1개의 앱이 업데이트되었을 수 있습니다.", |  | ||||||
|         "other": "{} 및 {}개의 앱이 업데이트되었을 수 있습니다." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APK" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "ഒരു സാധുവായ {} ആപ്പ് URL അല്ല", |  | ||||||
|     "noReleaseFound": "അനുയോജ്യമായ റിലീസ് കണ്ടെത്താനായില്ല", |  | ||||||
|     "noVersionFound": "റിലീസ് പതിപ്പ് നിർണ്ണയിക്കാനായില്ല", |  | ||||||
|     "urlMatchesNoSource": "URL അറിയപ്പെടുന്ന ഒരു ഉറവിടവുമായും യോജിക്കുന്നില്ല", |  | ||||||
|     "cantInstallOlderVersion": "ആപ്പിന്റെ പഴയ പതിപ്പ് ഇൻസ്റ്റാൾ ചെയ്യാൻ കഴിയില്ല.", |  | ||||||
|     "appIdMismatch": "ഡൗൺലോഡ് ചെയ്ത പാക്കേജ് ഐഡി നിലവിലുള്ള ആപ്പ് ഐഡിയുമായി ചേരുന്നില്ല", |  | ||||||
|     "functionNotImplemented": "ഈ ക്ലാസ് ഈ ഫംഗ്ഷൻ നടപ്പിലാക്കിയിട്ടില്ല", |  | ||||||
|     "placeholder": "സ്ഥലസൂചകം", |  | ||||||
|     "someErrors": "ചില പിശകുകൾ സംഭവിച്ചു", |  | ||||||
|     "unexpectedError": "പ്രതീക്ഷിക്കാത്ത പിശക്", |  | ||||||
|     "ok": "ശരി", |  | ||||||
|     "and": "കൂടാതെ", |  | ||||||
|     "githubPATLabel": "GitHub പേഴ്സണൽ ആക്സസ് ടോക്കൺ (നിരക്ക് പരിധി വർദ്ധിപ്പിക്കുന്നു)", |  | ||||||
|     "includePrereleases": "പ്രീ-റിലീസുകൾ ഉൾപ്പെടുത്തുക", |  | ||||||
|     "fallbackToOlderReleases": "പഴയ റിലീസുകളിലേക്ക് മടങ്ങുക", |  | ||||||
|     "filterReleaseTitlesByRegEx": "റിലീസ് ശീർഷകങ്ങൾ റെഗുലർ എക്സ്പ്രഷൻ ഉപയോഗിച്ച് ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "invalidRegEx": "സാധുവായ റെഗുലർ എക്സ്പ്രഷൻ അല്ല", |  | ||||||
|     "noDescription": "വിവരണം ലഭ്യമല്ല", |  | ||||||
|     "cancel": "റദ്ദാക്കുക", |  | ||||||
|     "continue": "തുടരുക", |  | ||||||
|     "requiredInBrackets": "(ആവശ്യമാണ്)", |  | ||||||
|     "dropdownNoOptsError": "തെറ്റ്: ഡ്രോപ്പ്ഡൗണിന് കുറഞ്ഞത് ഒരു ഓപ്ഷനെങ്കിലും ഉണ്ടായിരിക്കണം", |  | ||||||
|     "colour": "നിറം", |  | ||||||
|     "standard": "സാധാരണ", |  | ||||||
|     "custom": "ഇഷ്ടാനുസൃതം", |  | ||||||
|     "useMaterialYou": "മെറ്റീരിയൽ യൂ ഉപയോഗിക്കുക", |  | ||||||
|     "githubStarredRepos": "GitHub സ്റ്റാർ ചെയ്ത റെപ്പോസിറ്ററികൾ", |  | ||||||
|     "uname": "ഉപയോക്തൃനാമം", |  | ||||||
|     "wrongArgNum": "തെറ്റായ എണ്ണം ആർഗ്യുമെന്റുകൾ നൽകി", |  | ||||||
|     "xIsTrackOnly": "{} ട്രാക്ക്-മാത്രം ആണ്", |  | ||||||
|     "source": "ഉറവിടം", |  | ||||||
|     "app": "ആപ്പ്", |  | ||||||
|     "appsFromSourceAreTrackOnly": "ഈ ഉറവിടത്തിൽ നിന്നുള്ള ആപ്പുകൾ 'ട്രാക്ക്-മാത്രം' ആണ്.", |  | ||||||
|     "youPickedTrackOnly": "നിങ്ങൾ 'ട്രാക്ക്-മാത്രം' ഓപ്ഷൻ തിരഞ്ഞെടുത്തു.", |  | ||||||
|     "trackOnlyAppDescription": "ആപ്പ് അപ്ഡേറ്റുകൾക്കായി ട്രാക്ക് ചെയ്യപ്പെടും, പക്ഷേ ഒബ്റ്റേനിയത്തിന് അത് ഡൗൺലോഡ് ചെയ്യാനോ ഇൻസ്റ്റാൾ ചെയ്യാനോ കഴിയില്ല.", |  | ||||||
|     "cancelled": "റദ്ദാക്കി", |  | ||||||
|     "appAlreadyAdded": "ആപ്പ് ഇതിനകം കൂട്ടിച്ചേർത്തിട്ടുണ്ട്", |  | ||||||
|     "alreadyUpToDateQuestion": "ആപ്പ് ഇതിനകം ഏറ്റവും പുതിയ പതിപ്പിലാണോ?", |  | ||||||
|     "addApp": "ആപ്പ് ചേർക്കുക", |  | ||||||
|     "appSourceURL": "ആപ്പ് ഉറവിട URL", |  | ||||||
|     "error": "പിശക്", |  | ||||||
|     "add": "ചേർക്കുക", |  | ||||||
|     "searchSomeSourcesLabel": "തിരയുക (ചില ഉറവിടങ്ങളിൽ മാത്രം)", |  | ||||||
|     "search": "തിരയുക", |  | ||||||
|     "additionalOptsFor": "{} നായുള്ള അധിക ഓപ്ഷനുകൾ", |  | ||||||
|     "supportedSources": "പിന്തുണയ്ക്കുന്ന ഉറവിടങ്ങൾ", |  | ||||||
|     "trackOnlyInBrackets": "(ട്രാക്ക്-മാത്രം)", |  | ||||||
|     "searchableInBrackets": "(തിരയാവുന്നത്)", |  | ||||||
|     "appsString": "ആപ്പുകൾ", |  | ||||||
|     "noApps": "ആപ്പുകളൊന്നുമില്ല", |  | ||||||
|     "noAppsForFilter": "ഈ ഫിൽട്ടറിനായി ആപ്പുകളൊന്നുമില്ല", |  | ||||||
|     "byX": "{} വഴി", |  | ||||||
|     "percentProgress": "പുരോഗതി: {}%", |  | ||||||
|     "pleaseWait": "ദയവായി കാത്തിരിക്കുക", |  | ||||||
|     "updateAvailable": "അപ്ഡേറ്റ് ലഭ്യമാണ്", |  | ||||||
|     "notInstalled": "ഇൻസ്റ്റാൾ ചെയ്തിട്ടില്ല", |  | ||||||
|     "pseudoVersion": "സ്യൂഡോ-പതിപ്പ്", |  | ||||||
|     "selectAll": "എല്ലാം തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "deselectX": "{} തിരഞ്ഞെടുക്കൽ റദ്ദാക്കുക", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} ഒബ്റ്റേനിയത്തിൽ നിന്ന് നീക്കം ചെയ്യപ്പെടും, പക്ഷേ ഉപകരണത്തിൽ ഇൻസ്റ്റാൾ ചെയ്ത നിലയിൽ തുടരും.", |  | ||||||
|     "removeSelectedAppsQuestion": "തിരഞ്ഞെടുത്ത ആപ്പുകൾ നീക്കം ചെയ്യണോ?", |  | ||||||
|     "removeSelectedApps": "തിരഞ്ഞെടുത്ത ആപ്പുകൾ നീക്കം ചെയ്യുക", |  | ||||||
|     "updateX": "{} അപ്ഡേറ്റ് ചെയ്യുക", |  | ||||||
|     "installX": "{} ഇൻസ്റ്റാൾ ചെയ്യുക", |  | ||||||
|     "markXTrackOnlyAsUpdated": "{}\n(ട്രാക്ക്-മാത്രം)\nഅപ്ഡേറ്റ് ചെയ്തതായി അടയാളപ്പെടുത്തുക", |  | ||||||
|     "changeX": "{} മാറ്റുക", |  | ||||||
|     "installUpdateApps": "ആപ്പുകൾ ഇൻസ്റ്റാൾ ചെയ്യുക/അപ്ഡേറ്റ് ചെയ്യുക", |  | ||||||
|     "installUpdateSelectedApps": "തിരഞ്ഞെടുത്ത ആപ്പുകൾ ഇൻസ്റ്റാൾ ചെയ്യുക/അപ്ഡേറ്റ് ചെയ്യുക", |  | ||||||
|     "markXSelectedAppsAsUpdated": "{} തിരഞ്ഞെടുത്ത ആപ്പുകൾ അപ്ഡേറ്റ് ചെയ്തതായി അടയാളപ്പെടുത്തണോ?", |  | ||||||
|     "no": "ഇല്ല", |  | ||||||
|     "yes": "അതെ", |  | ||||||
|     "markSelectedAppsUpdated": "തിരഞ്ഞെടുത്ത ആപ്പുകൾ അപ്ഡേറ്റ് ചെയ്തതായി അടയാളപ്പെടുത്തുക", |  | ||||||
|     "pinToTop": "മുകളിൽ പിൻ ചെയ്യുക", |  | ||||||
|     "unpinFromTop": "മുകളിൽ നിന്ന് അൺപിൻ ചെയ്യുക", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "തിരഞ്ഞെടുത്ത ആപ്പുകളുടെ ഇൻസ്റ്റാൾ സ്റ്റാറ്റസ് റീസെറ്റ് ചെയ്യണോ?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "തിരഞ്ഞെടുത്ത ഏതെങ്കിലും ആപ്പുകളുടെ ഇൻസ്റ്റാൾ സ്റ്റാറ്റസ് റീസെറ്റ് ചെയ്യപ്പെടും.\n\nപരാജയപ്പെട്ട അപ്ഡേറ്റുകളോ മറ്റ് പ്രശ്നങ്ങളോ കാരണം ഒബ്റ്റേനിയത്തിൽ കാണിക്കുന്ന ആപ്പ് പതിപ്പ് തെറ്റായിരിക്കുമ്പോൾ ഇത് സഹായകമാകും.", |  | ||||||
|     "customLinkMessage": "ഈ ലിങ്കുകൾ ഒബ്റ്റേനിയം ഇൻസ്റ്റാൾ ചെയ്ത ഉപകരണങ്ങളിൽ പ്രവർത്തിക്കും", |  | ||||||
|     "shareAppConfigLinks": "ആപ്പ് കോൺഫിഗറേഷൻ HTML ലിങ്കായി പങ്കിടുക", |  | ||||||
|     "shareSelectedAppURLs": "തിരഞ്ഞെടുത്ത ആപ്പ് URL-കൾ പങ്കിടുക", |  | ||||||
|     "resetInstallStatus": "ഇൻസ്റ്റാൾ സ്റ്റാറ്റസ് റീസെറ്റ് ചെയ്യുക", |  | ||||||
|     "more": "കൂടുതൽ", |  | ||||||
|     "removeOutdatedFilter": "കാലഹരണപ്പെട്ട ആപ്പ് ഫിൽട്ടർ നീക്കം ചെയ്യുക", |  | ||||||
|     "showOutdatedOnly": "കാലഹരണപ്പെട്ട ആപ്പുകൾ മാത്രം കാണിക്കുക", |  | ||||||
|     "filter": "ഫിൽട്ടർ", |  | ||||||
|     "filterApps": "ആപ്പുകൾ ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "appName": "ആപ്പിന്റെ പേര്", |  | ||||||
|     "author": "ഡെവലപ്പർ", |  | ||||||
|     "upToDateApps": "ഏറ്റവും പുതിയ പതിപ്പിലുള്ള ആപ്പുകൾ", |  | ||||||
|     "nonInstalledApps": "ഇൻസ്റ്റാൾ ചെയ്യാത്ത ആപ്പുകൾ", |  | ||||||
|     "importExport": "ഇംപോർട്ട്/എക്സ്പോർട്ട്", |  | ||||||
|     "settings": "ക്രമീകരണങ്ങൾ", |  | ||||||
|     "exportedTo": "{} ലേക്ക് എക്സ്പോർട്ട് ചെയ്തു", |  | ||||||
|     "obtainiumExport": "ഒബ്റ്റേനിയം എക്സ്പോർട്ട്", |  | ||||||
|     "invalidInput": "തെറ്റായ ഇൻപുട്ട്", |  | ||||||
|     "importedX": "{} ഇംപോർട്ട് ചെയ്തു", |  | ||||||
|     "obtainiumImport": "ഒബ്റ്റേനിയം ഇംപോർട്ട്", |  | ||||||
|     "importFromURLList": "URL ലിസ്റ്റിൽ നിന്ന് ഇംപോർട്ട് ചെയ്യുക", |  | ||||||
|     "searchQuery": "തിരയൽ ചോദ്യം", |  | ||||||
|     "appURLList": "ആപ്പ് URL ലിസ്റ്റ്", |  | ||||||
|     "line": "വരി", |  | ||||||
|     "searchX": "{} തിരയുക", |  | ||||||
|     "noResults": "ഫലങ്ങളൊന്നും കണ്ടെത്തിയില്ല", |  | ||||||
|     "importX": "{} ഇംപോർട്ട് ചെയ്യുക", |  | ||||||
|     "importedAppsIdDisclaimer": "ഇംപോർട്ട് ചെയ്ത ആപ്പുകൾ \"ഇൻസ്റ്റാൾ ചെയ്തിട്ടില്ല\" എന്ന് തെറ്റായി കാണിച്ചേക്കാം.\nഇത് ശരിയാക്കാൻ, ഒബ്റ്റേനിയം വഴി അവ വീണ്ടും ഇൻസ്റ്റാൾ ചെയ്യുക.\nഇത് ആപ്പ് ഡാറ്റയെ ബാധിക്കില്ല.\n\nURL, മൂന്നാം കക്ഷി ഇംപോർട്ട് രീതികളെ മാത്രം ബാധിക്കുന്നു.", |  | ||||||
|     "importErrors": "ഇംപോർട്ട് പിശകുകൾ", |  | ||||||
|     "importedXOfYApps": "{} ആപ്പുകളിൽ {} എണ്ണം ഇംപോർട്ട് ചെയ്തു.", |  | ||||||
|     "followingURLsHadErrors": "ഇനിപ്പറയുന്ന URL-കളിൽ പിശകുകൾ ഉണ്ടായിരുന്നു:", |  | ||||||
|     "selectURL": "URL തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "selectURLs": "URL-കൾ തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "pick": "തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "theme": "തീം", |  | ||||||
|     "dark": "ഇരുണ്ട", |  | ||||||
|     "light": "ഇളം", |  | ||||||
|     "followSystem": "സിസ്റ്റം പിന്തുടരുക", |  | ||||||
|     "followSystemThemeExplanation": "സിസ്റ്റം തീം പിന്തുടരുന്നത് തേർഡ് പാർട്ടി ആപ്ലിക്കേഷനുകൾ ഉപയോഗിച്ച് മാത്രമേ സാധ്യമാകൂ", |  | ||||||
|     "useBlackTheme": "തനി കറുപ്പ് തീം ഉപയോഗിക്കുക", |  | ||||||
|     "appSortBy": "ആപ്പ് അടുക്കേണ്ട രീതി", |  | ||||||
|     "authorName": "ഡെവലപ്പർ/പേര്", |  | ||||||
|     "nameAuthor": "പേര്/ഡെവലപ്പർ", |  | ||||||
|     "asAdded": "ചേർത്ത ക്രമത്തിൽ", |  | ||||||
|     "appSortOrder": "ആപ്പ് അടുക്കേണ്ട ക്രമം", |  | ||||||
|     "ascending": "ആരോഹണ ക്രമത്തിൽ", |  | ||||||
|     "descending": "അവരോഹണ ക്രമത്തിൽ", |  | ||||||
|     "bgUpdateCheckInterval": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധന ഇടവേള", |  | ||||||
|     "neverManualOnly": "ഒരിക്കലുമില്ല - സ്വമേധയാ മാത്രം", |  | ||||||
|     "appearance": "രൂപം", |  | ||||||
|     "showWebInAppView": "ആപ്പ് കാഴ്ചയിൽ ഉറവിട വെബ്പേജ് കാണിക്കുക", |  | ||||||
|     "pinUpdates": "അപ്ഡേറ്റുകൾ ആപ്പ് കാഴ്ചയുടെ മുകളിൽ പിൻ ചെയ്യുക", |  | ||||||
|     "updates": "അപ്ഡേറ്റുകൾ", |  | ||||||
|     "sourceSpecific": "ഉറവിടം അടിസ്ഥാനമാക്കി", |  | ||||||
|     "appSource": "ആപ്പ് ഉറവിടം", |  | ||||||
|     "noLogs": "ലോഗുകളൊന്നുമില്ല", |  | ||||||
|     "appLogs": "ആപ്പ് ലോഗുകൾ", |  | ||||||
|     "close": "അടയ്ക്കുക", |  | ||||||
|     "share": "പങ്കിടുക", |  | ||||||
|     "appNotFound": "ആപ്പ് കണ്ടെത്തിയില്ല", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "ഒബ്റ്റേനിയം-എക്സ്പോർട്ട്", |  | ||||||
|     "pickAnAPK": "ഒരു APK തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "appHasMoreThanOnePackage": "{}-ന് ഒന്നിൽ കൂടുതൽ പാക്കേജുകൾ ഉണ്ട്:", |  | ||||||
|     "deviceSupportsXArch": "നിങ്ങളുടെ ഉപകരണം {} CPU ആർക്കിടെക്ചറിനെ പിന്തുണയ്ക്കുന്നു.", |  | ||||||
|     "deviceSupportsFollowingArchs": "നിങ്ങളുടെ ഉപകരണം ഇനിപ്പറയുന്ന CPU ആർക്കിടെക്ചറുകളെ പിന്തുണയ്ക്കുന്നു:", |  | ||||||
|     "warning": "മുന്നറിയിപ്പ്", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "ആപ്പ് ഉറവിടം '{}' ആണ്, പക്ഷേ റിലീസ് പാക്കേജ് '{}'-ൽ നിന്നാണ് വരുന്നത്. തുടരണോ?", |  | ||||||
|     "updatesAvailable": "അപ്ഡേറ്റുകൾ ലഭ്യമാണ്", |  | ||||||
|     "updatesAvailableNotifDescription": "ഒബ്റ്റേനിയം ട്രാക്ക് ചെയ്യുന്ന ഒന്നോ അതിലധികമോ ആപ്പുകൾക്ക് അപ്ഡേറ്റുകൾ ലഭ്യമാണെന്ന് ഉപയോക്താവിനെ അറിയിക്കുന്നു", |  | ||||||
|     "noNewUpdates": "പുതിയ അപ്ഡേറ്റുകളൊന്നുമില്ല.", |  | ||||||
|     "xHasAnUpdate": "{}-ന് ഒരു അപ്ഡേറ്റ് ഉണ്ട്.", |  | ||||||
|     "appsUpdated": "ആപ്പുകൾ അപ്ഡേറ്റ് ചെയ്തു", |  | ||||||
|     "appsNotUpdated": "ആപ്ലിക്കേഷനുകൾ അപ്ഡേറ്റ് ചെയ്യുന്നതിൽ പരാജയപ്പെട്ടു", |  | ||||||
|     "appsUpdatedNotifDescription": "ഒന്നോ അതിലധികമോ ആപ്പുകളിലേക്കുള്ള അപ്ഡേറ്റുകൾ ബാക്ക്ഗ്രൗണ്ടിൽ പ്രയോഗിച്ചു എന്ന് ഉപയോക്താവിനെ അറിയിക്കുന്നു", |  | ||||||
|     "xWasUpdatedToY": "{} {} ലേക്ക് അപ്ഡേറ്റ് ചെയ്തു.", |  | ||||||
|     "xWasNotUpdatedToY": "{} {} ലേക്ക് അപ്ഡേറ്റ് ചെയ്യാൻ പരാജയപ്പെട്ടു.", |  | ||||||
|     "errorCheckingUpdates": "അപ്ഡേറ്റുകൾ പരിശോധിക്കുന്നതിൽ പിശക്", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധന പരാജയപ്പെടുമ്പോൾ കാണിക്കുന്ന അറിയിപ്പ്", |  | ||||||
|     "appsRemoved": "ആപ്പുകൾ നീക്കം ചെയ്തു", |  | ||||||
|     "appsRemovedNotifDescription": "ഒന്നോ അതിലധികമോ ആപ്പുകൾ ലോഡ് ചെയ്യുന്നതിൽ പിശകുകൾ കാരണം നീക്കം ചെയ്തു എന്ന് ഉപയോക്താവിനെ അറിയിക്കുന്നു", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} ഈ പിശക് കാരണം നീക്കം ചെയ്തു: {}", |  | ||||||
|     "completeAppInstallation": "ആപ്പ് ഇൻസ്റ്റാളേഷൻ പൂർത്തിയാക്കുക", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "ആപ്പുകൾ ഇൻസ്റ്റാൾ ചെയ്യാൻ ഒബ്റ്റേനിയം തുറന്നിരിക്കണം", |  | ||||||
|     "completeAppInstallationNotifDescription": "ഒരു ആപ്പ് ഇൻസ്റ്റാൾ ചെയ്യുന്നത് പൂർത്തിയാക്കാൻ ഒബ്റ്റേനിയത്തിലേക്ക് മടങ്ങാൻ ഉപയോക്താവിനോട് ആവശ്യപ്പെടുന്നു", |  | ||||||
|     "checkingForUpdates": "അപ്ഡേറ്റുകൾ പരിശോധിക്കുന്നു", |  | ||||||
|     "checkingForUpdatesNotifDescription": "അപ്ഡേറ്റുകൾ പരിശോധിക്കുമ്പോൾ ദൃശ്യമാകുന്ന താൽക്കാലിക അറിയിപ്പ്", |  | ||||||
|     "pleaseAllowInstallPerm": "ആപ്പുകൾ ഇൻസ്റ്റാൾ ചെയ്യാൻ ഒബ്റ്റേനിയത്തിന് അനുമതി നൽകുക", |  | ||||||
|     "trackOnly": "ട്രാക്ക്-മാത്രം", |  | ||||||
|     "errorWithHttpStatusCode": "പിശക് {}", |  | ||||||
|     "versionCorrectionDisabled": "പതിപ്പ് തിരുത്തൽ പ്രവർത്തനരഹിതമാക്കി (പ്ലഗിൻ പ്രവർത്തിക്കുന്നതായി തോന്നുന്നില്ല)", |  | ||||||
|     "unknown": "അജ്ഞാതം", |  | ||||||
|     "none": "ഒന്നുമില്ല", |  | ||||||
|     "all": "All", |  | ||||||
|     "never": "ഒരിക്കലുമില്ല", |  | ||||||
|     "latestVersionX": "ഏറ്റവും പുതിയത്: {}", |  | ||||||
|     "installedVersionX": "ഇൻസ്റ്റാൾ ചെയ്തത്: {}", |  | ||||||
|     "lastUpdateCheckX": "അവസാന അപ്ഡേറ്റ് പരിശോധന: {}", |  | ||||||
|     "remove": "നീക്കം ചെയ്യുക", |  | ||||||
|     "yesMarkUpdated": "അതെ, അപ്ഡേറ്റ് ചെയ്തതായി അടയാളപ്പെടുത്തുക", |  | ||||||
|     "fdroid": "എഫ്-ഡ്രോയിഡ് ഒഫീഷ്യൽ", |  | ||||||
|     "appIdOrName": "ആപ്പ് ഐഡി അല്ലെങ്കിൽ പേര്", |  | ||||||
|     "appId": "ആപ്പ് ഐഡി", |  | ||||||
|     "appWithIdOrNameNotFound": "ആ ഐഡിയിലോ പേരിലോ ആപ്പുകളൊന്നും കണ്ടെത്തിയില്ല", |  | ||||||
|     "reposHaveMultipleApps": "റെപ്പോകളിൽ ഒന്നിലധികം ആപ്പുകൾ അടങ്ങിയിരിക്കാം", |  | ||||||
|     "fdroidThirdPartyRepo": "എഫ്-ഡ്രോയിഡ് തേർഡ് പാർട്ടി റെപ്പോ", |  | ||||||
|     "install": "ഇൻസ്റ്റാൾ ചെയ്യുക", |  | ||||||
|     "markInstalled": "ഇൻസ്റ്റാൾ ചെയ്തതായി അടയാളപ്പെടുത്തുക", |  | ||||||
|     "update": "അപ്ഡേറ്റ് ചെയ്യുക", |  | ||||||
|     "markUpdated": "അപ്ഡേറ്റ് ചെയ്തതായി അടയാളപ്പെടുത്തുക", |  | ||||||
|     "additionalOptions": "കൂടുതൽ ഓപ്ഷനുകൾ", |  | ||||||
|     "disableVersionDetection": "പതിപ്പ് കണ്ടെത്തൽ പ്രവർത്തനരഹിതമാക്കുക", |  | ||||||
|     "noVersionDetectionExplanation": "പതിപ്പ് കണ്ടെത്തൽ ശരിയായി പ്രവർത്തിക്കാത്ത ആപ്പുകൾക്ക് മാത്രമേ ഈ ഓപ്ഷൻ ഉപയോഗിക്കാവൂ.", |  | ||||||
|     "downloadingX": "{} ഡൗൺലോഡ് ചെയ്യുന്നു", |  | ||||||
|     "downloadX": "{} ഡൗൺലോഡ് ചെയ്യുക", |  | ||||||
|     "downloadedX": "{} ഡൗൺലോഡ് ചെയ്തു", |  | ||||||
|     "releaseAsset": "റിലീസ് അസറ്റ്", |  | ||||||
|     "downloadNotifDescription": "ഒരു ആപ്പ് ഡൗൺലോഡ് ചെയ്യുന്നതിലെ പുരോഗതി ഉപയോക്താവിനെ അറിയിക്കുന്നു", |  | ||||||
|     "noAPKFound": "APK കണ്ടെത്തിയില്ല", |  | ||||||
|     "noVersionDetection": "പതിപ്പ് കണ്ടെത്തൽ ഇല്ല", |  | ||||||
|     "categorize": "വിഭാഗീകരിക്കുക", |  | ||||||
|     "categories": "വിഭാഗങ്ങൾ", |  | ||||||
|     "category": "വിഭാഗം", |  | ||||||
|     "noCategory": "വിഭാഗമൊന്നുമില്ല", |  | ||||||
|     "noCategories": "വിഭാഗങ്ങളൊന്നുമില്ല", |  | ||||||
|     "deleteCategoriesQuestion": "വിഭാഗങ്ങൾ ഇല്ലാതാക്കണോ?", |  | ||||||
|     "categoryDeleteWarning": "ഇല്ലാതാക്കിയ വിഭാഗങ്ങളിലെ എല്ലാ ആപ്പുകളും വിഭാഗരഹിതമായി ക്രമീകരിക്കും.", |  | ||||||
|     "addCategory": "വിഭാഗം ചേർക്കുക", |  | ||||||
|     "label": "ലേബൽ", |  | ||||||
|     "language": "ഭാഷ", |  | ||||||
|     "copiedToClipboard": "ക്ലിപ്ബോർഡിലേക്ക് പകർത്തി", |  | ||||||
|     "storagePermissionDenied": "സ്റ്റോറേജ് അനുമതി നിഷേധിച്ചു", |  | ||||||
|     "selectedCategorizeWarning": "ഇത് തിരഞ്ഞെടുത്ത ആപ്പുകൾക്കായി നിലവിലുള്ള ഏതൊരു വിഭാഗ ക്രമീകരണങ്ങളെയും മാറ്റിസ്ഥാപിക്കും.", |  | ||||||
|     "filterAPKsByRegEx": "റെഗുലർ എക്സ്പ്രഷൻ ഉപയോഗിച്ച് APK-കൾ ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "removeFromObtainium": "ഒബ്റ്റേനിയത്തിൽ നിന്ന് നീക്കം ചെയ്യുക", |  | ||||||
|     "uninstallFromDevice": "ഉപകരണത്തിൽ നിന്ന് അൺഇൻസ്റ്റാൾ ചെയ്യുക", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "പതിപ്പ് കണ്ടെത്തൽ പ്രവർത്തനരഹിതമാക്കിയ ആപ്പുകൾക്ക് മാത്രമേ ഇത് പ്രവർത്തിക്കൂ.", |  | ||||||
|     "releaseDateAsVersion": "റിലീസ് തീയതി പതിപ്പ് സ്ട്രിംഗായി ഉപയോഗിക്കുക", |  | ||||||
|     "releaseTitleAsVersion": "റിലീസ് ശീർഷകം പതിപ്പ് സ്ട്രിംഗായി ഉപയോഗിക്കുക", |  | ||||||
|     "releaseDateAsVersionExplanation": "പതിപ്പ് കണ്ടെത്തൽ ശരിയായി പ്രവർത്തിക്കാത്തതും എന്നാൽ റിലീസ് തീയതി ലഭ്യമായതുമായ ആപ്പുകൾക്ക് മാത്രമേ ഈ ഓപ്ഷൻ ഉപയോഗിക്കാവൂ.", |  | ||||||
|     "changes": "മാറ്റങ്ങൾ", |  | ||||||
|     "releaseDate": "റിലീസ് തീയതി", |  | ||||||
|     "importFromURLsInFile": "ഫയലിലെ URL-കളിൽ നിന്ന് ഇംപോർട്ട് ചെയ്യുക (OPML പോലെ)", |  | ||||||
|     "versionDetectionExplanation": "കണ്ടെത്തിയ പതിപ്പ് സ്ട്രിംഗ് OS-ൽ നിന്ന് കണ്ടെത്തിയ പതിപ്പുമായി പൊരുത്തപ്പെടുത്തുക", |  | ||||||
|     "versionDetection": "പതിപ്പ് കണ്ടെത്തൽ", |  | ||||||
|     "standardVersionDetection": "സാധാരണ പതിപ്പ് കണ്ടെത്തൽ", |  | ||||||
|     "groupByCategory": "വിഭാഗം തിരിച്ച് ഗ്രൂപ്പ് ചെയ്യുക", |  | ||||||
|     "autoApkFilterByArch": "സാധ്യമെങ്കിൽ CPU ആർക്കിടെക്ചർ അനുസരിച്ച് APK-കൾ ഫിൽട്ടർ ചെയ്യാൻ ശ്രമിക്കുക", |  | ||||||
|     "autoLinkFilterByArch": "സാധ്യമെങ്കിൽ CPU ആർക്കിടെക്ചർ അനുസരിച്ച് ലിങ്കുകൾ ഫിൽട്ടർ ചെയ്യാൻ ശ്രമിക്കുക", |  | ||||||
|     "overrideSource": "ഉറവിടം അസാധുവാക്കുക", |  | ||||||
|     "dontShowAgain": "ഇത് വീണ്ടും കാണിക്കരുത്", |  | ||||||
|     "dontShowTrackOnlyWarnings": "'ട്രാക്ക്-മാത്രം' മുന്നറിയിപ്പുകൾ കാണിക്കരുത്", |  | ||||||
|     "dontShowAPKOriginWarnings": "APK ഉറവിട മുന്നറിയിപ്പുകൾ കാണിക്കരുത്", |  | ||||||
|     "moveNonInstalledAppsToBottom": "ഇൻസ്റ്റാൾ ചെയ്യാത്ത ആപ്പുകൾ ആപ്പ് കാഴ്ചയുടെ താഴേക്ക് മാറ്റുക", |  | ||||||
|     "gitlabPATLabel": "GitLab പേഴ്സണൽ ആക്സസ് ടോക്കൺ", |  | ||||||
|     "about": "വിവരങ്ങൾ", |  | ||||||
|     "requiresCredentialsInSettings": "{}-ന് അധിക ക്രെഡൻഷ്യലുകൾ ആവശ്യമാണ് (ക്രമീകരണങ്ങളിൽ)", |  | ||||||
|     "checkOnStart": "തുടങ്ങുമ്പോൾ അപ്ഡേറ്റുകൾക്കായി പരിശോധിക്കുക", |  | ||||||
|     "tryInferAppIdFromCode": "സോഴ്സ് കോഡിൽ നിന്ന് ആപ്പ് ഐഡി അനുമാനിക്കാൻ ശ്രമിക്കുക", |  | ||||||
|     "removeOnExternalUninstall": "പുറത്ത് നിന്ന് അൺഇൻസ്റ്റാൾ ചെയ്ത ആപ്പുകൾ സ്വയമേവ നീക്കം ചെയ്യുക", |  | ||||||
|     "pickHighestVersionCode": "ഏറ്റവും ഉയർന്ന പതിപ്പ് കോഡ് APK സ്വയമേവ തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "checkUpdateOnDetailPage": "ഒരു ആപ്പ് വിശദാംശ പേജ് തുറക്കുമ്പോൾ അപ്ഡേറ്റുകൾക്കായി പരിശോധിക്കുക", |  | ||||||
|     "disablePageTransitions": "പേജ് ട്രാൻസിഷൻ ആനിമേഷനുകൾ പ്രവർത്തനരഹിതമാക്കുക", |  | ||||||
|     "reversePageTransitions": "പേജ് ട്രാൻസിഷൻ ആനിമേഷനുകൾ വിപരീതമാക്കുക", |  | ||||||
|     "minStarCount": "കുറഞ്ഞ നക്ഷത്രങ്ങളുടെ എണ്ണം", |  | ||||||
|     "addInfoBelow": "ഈ വിവരങ്ങൾ താഴെ ചേർക്കുക.", |  | ||||||
|     "addInfoInSettings": "ഈ വിവരങ്ങൾ ക്രമീകരണങ്ങളിൽ ചേർക്കുക.", |  | ||||||
|     "githubSourceNote": "API കീ ഉപയോഗിച്ച് GitHub നിരക്ക് പരിധി ഒഴിവാക്കാം.", |  | ||||||
|     "sortByLastLinkSegment": "ലിങ്കിന്റെ അവസാന ഭാഗം മാത്രം ഉപയോഗിച്ച് അടുക്കുക", |  | ||||||
|     "filterReleaseNotesByRegEx": "റെഗുലർ എക്സ്പ്രഷൻ ഉപയോഗിച്ച് റിലീസ് നോട്ടുകൾ ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "customLinkFilterRegex": "റെഗുലർ എക്സ്പ്രഷൻ ഉപയോഗിച്ചുള്ള കസ്റ്റം APK ലിങ്ക് ഫിൽട്ടർ (സ്ഥിരസ്ഥിതി '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "ആപ്പ് അപ്ഡേറ്റുകൾ ശ്രമിച്ചു", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "ഒന്നോ അതിലധികമോ ആപ്പുകളിലേക്കുള്ള അപ്ഡേറ്റുകൾ ബാക്ക്ഗ്രൗണ്ടിൽ പ്രയോഗിക്കാൻ സാധ്യതയുണ്ടെന്ന് ഉപയോക്താവിനെ അറിയിക്കുന്നു", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} {} ലേക്ക് അപ്ഡേറ്റ് ചെയ്തിരിക്കാം.", |  | ||||||
|     "enableBackgroundUpdates": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റുകൾ പ്രവർത്തനക്ഷമമാക്കുക", |  | ||||||
|     "backgroundUpdateReqsExplanation": "എല്ലാ ആപ്പുകൾക്കും ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റുകൾ സാധ്യമായെന്ന് വരില്ല.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "ബാക്ക്ഗ്രൗണ്ട് ഇൻസ്റ്റാളിന്റെ വിജയം ഒബ്റ്റേനിയം തുറക്കുമ്പോൾ മാത്രമേ നിർണ്ണയിക്കാൻ കഴിയൂ.", |  | ||||||
|     "verifyLatestTag": "'ഏറ്റവും പുതിയ' ടാഗ് പരിശോധിക്കുക", |  | ||||||
|     "intermediateLinkRegex": "സന്ദർശിക്കാൻ ഒരു 'ഇന്റർമീഡിയറ്റ്' ലിങ്കിനായി ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "filterByLinkText": "ലിങ്ക് ടെക്സ്റ്റ് ഉപയോഗിച്ച് ലിങ്കുകൾ ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "matchLinksOutsideATags": "Match links outside <a> tags", |  | ||||||
|     "intermediateLinkNotFound": "ഇന്റർമീഡിയറ്റ് ലിങ്ക് കണ്ടെത്തിയില്ല", |  | ||||||
|     "intermediateLink": "ഇന്റർമീഡിയറ്റ് ലിങ്ക്", |  | ||||||
|     "exemptFromBackgroundUpdates": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റുകളിൽ നിന്ന് ഒഴിവാക്കുക (പ്രവർത്തനക്ഷമമാക്കിയിട്ടുണ്ടെങ്കിൽ)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "വൈഫൈയിൽ അല്ലാത്തപ്പോൾ ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റുകൾ പ്രവർത്തനരഹിതമാക്കുക", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "ചാർജ് ചെയ്യാത്തപ്പോൾ ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റുകൾ പ്രവർത്തനരഹിതമാക്കുക", |  | ||||||
|     "autoSelectHighestVersionCode": "ഏറ്റവും ഉയർന്ന versionCode APK സ്വയമേവ തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "versionExtractionRegEx": "പതിപ്പ് സ്ട്രിംഗ് വേർതിരിച്ചെടുക്കുന്നതിനുള്ള റെഗുലർ എക്സ്പ്രഷൻ", |  | ||||||
|     "trimVersionString": "റെഗുലർ എക്സ്പ്രഷൻ ഉപയോഗിച്ച് പതിപ്പ് സ്ട്രിംഗ് ട്രിം ചെയ്യുക", |  | ||||||
|     "matchGroupToUseForX": "\"{}\" നായി ഉപയോഗിക്കേണ്ട ഗ്രൂപ്പ് മാച്ച് ചെയ്യുക", |  | ||||||
|     "matchGroupToUse": "പതിപ്പ് സ്ട്രിംഗ് വേർതിരിച്ചെടുക്കുന്നതിനുള്ള റെഗുലർ എക്സ്പ്രഷനായി ഉപയോഗിക്കേണ്ട ഗ്രൂപ്പ് മാച്ച് ചെയ്യുക", |  | ||||||
|     "highlightTouchTargets": "കുറഞ്ഞ വ്യക്തതയുള്ള ടച്ച് ടാർഗെറ്റുകൾ ഹൈലൈറ്റ് ചെയ്യുക", |  | ||||||
|     "pickExportDir": "എക്സ്പോർട്ട് ഡയറക്ടറി തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "autoExportOnChanges": "മാറ്റങ്ങൾ വരുമ്പോൾ സ്വയമേവ എക്സ്പോർട്ട് ചെയ്യുക", |  | ||||||
|     "includeSettings": "ക്രമീകരണങ്ങൾ ഉൾപ്പെടുത്തുക", |  | ||||||
|     "filterVersionsByRegEx": "റെഗുലർ എക്സ്പ്രഷൻ ഉപയോഗിച്ച് പതിപ്പുകൾ ഫിൽട്ടർ ചെയ്യുക", |  | ||||||
|     "trySelectingSuggestedVersionCode": "നിർദ്ദേശിച്ച versionCode APK തിരഞ്ഞെടുക്കാൻ ശ്രമിക്കുക", |  | ||||||
|     "dontSortReleasesList": "API-യിൽ നിന്നുള്ള റിലീസ് ഓർഡർ നിലനിർത്തുക", |  | ||||||
|     "reverseSort": "റിവേഴ്സ് സോർട്ടിംഗ്", |  | ||||||
|     "takeFirstLink": "ആദ്യ ലിങ്ക് എടുക്കുക", |  | ||||||
|     "skipSort": "സോർട്ടിംഗ് ഒഴിവാക്കുക", |  | ||||||
|     "debugMenu": "ഡീബഗ് മെനു", |  | ||||||
|     "bgTaskStarted": "ബാക്ക്ഗ്രൗണ്ട് ടാസ്ക് ആരംഭിച്ചു - ലോഗുകൾ പരിശോധിക്കുക.", |  | ||||||
|     "runBgCheckNow": "ഇപ്പോൾ ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധന പ്രവർത്തിപ്പിക്കുക", |  | ||||||
|     "versionExtractWholePage": "മുഴുവൻ പേജിലും പതിപ്പ് സ്ട്രിംഗ് വേർതിരിച്ചെടുക്കുന്ന റെഗുലർ എക്സ്പ്രഷൻ പ്രയോഗിക്കുക", |  | ||||||
|     "installing": "ഇൻസ്റ്റാൾ ചെയ്യുന്നു", |  | ||||||
|     "skipUpdateNotifications": "അപ്ഡേറ്റ് അറിയിപ്പുകൾ ഒഴിവാക്കുക", |  | ||||||
|     "updatesAvailableNotifChannel": "അപ്ഡേറ്റുകൾ ലഭ്യമാണ്", |  | ||||||
|     "appsUpdatedNotifChannel": "ആപ്പുകൾ അപ്ഡേറ്റ് ചെയ്തു", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "ആപ്പ് അപ്ഡേറ്റുകൾ ശ്രമിച്ചു", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "അപ്ഡേറ്റുകൾ പരിശോധിക്കുന്നതിൽ പിശക്", |  | ||||||
|     "appsRemovedNotifChannel": "ആപ്പുകൾ നീക്കം ചെയ്തു", |  | ||||||
|     "downloadingXNotifChannel": "{} ഡൗൺലോഡ് ചെയ്യുന്നു", |  | ||||||
|     "completeAppInstallationNotifChannel": "ആപ്പ് ഇൻസ്റ്റാളേഷൻ പൂർത്തിയാക്കുക", |  | ||||||
|     "checkingForUpdatesNotifChannel": "അപ്ഡേറ്റുകൾ പരിശോധിക്കുന്നു", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "ഇൻസ്റ്റാൾ ചെയ്തതും ട്രാക്ക്-മാത്രം ആപ്പുകളും മാത്രം അപ്ഡേറ്റുകൾക്കായി പരിശോധിക്കുക", |  | ||||||
|     "supportFixedAPKURL": "സ്ഥിരമായ APK URL-കളെ പിന്തുണയ്ക്കുക", |  | ||||||
|     "selectX": "{} തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "parallelDownloads": "പാരലൽ ഡൗൺലോഡുകൾ അനുവദിക്കുക", |  | ||||||
|     "useShizuku": "ഇൻസ്റ്റാൾ ചെയ്യാൻ ഷിസുകു അല്ലെങ്കിൽ സ്യൂ ഉപയോഗിക്കുക", |  | ||||||
|     "shizukuBinderNotFound": "ഷിസുകു സേവനം പ്രവർത്തിക്കുന്നില്ല", |  | ||||||
|     "shizukuOld": "പഴയ ഷിസുകു പതിപ്പ് (<11) - അത് അപ്ഡേറ്റ് ചെയ്യുക", |  | ||||||
|     "shizukuOldAndroidWithADB": "ആൻഡ്രോയിഡ് < 8.1 ഉള്ള ഷിസുകു ADB ഉപയോഗിച്ച് പ്രവർത്തിക്കുന്നു - ആൻഡ്രോയിഡ് അപ്ഡേറ്റ് ചെയ്യുക അല്ലെങ്കിൽ പകരം സ്യൂ ഉപയോഗിക്കുക", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Google Play ഇൻസ്റ്റാളേഷൻ ഉറവിടമായി സജ്ജമാക്കുക (ഷിസുകു ഉപയോഗിക്കുകയാണെങ്കിൽ)", |  | ||||||
|     "useSystemFont": "സിസ്റ്റം ഫോണ്ട് ഉപയോഗിക്കുക", |  | ||||||
|     "useVersionCodeAsOSVersion": "ആപ്പ് versionCode OS-ൽ കണ്ടെത്തിയ പതിപ്പായി ഉപയോഗിക്കുക", |  | ||||||
|     "requestHeader": "അഭ്യർത്ഥന തലക്കെട്ട്", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "ഏറ്റവും പുതിയ അസറ്റ് അപ്ലോഡ് റിലീസ് തീയതിയായി ഉപയോഗിക്കുക", |  | ||||||
|     "defaultPseudoVersioningMethod": "സ്ഥിരസ്ഥിതി സ്യൂഡോ-പതിപ്പ് രീതി", |  | ||||||
|     "partialAPKHash": "ഭാഗിക APK ഹാഷ്", |  | ||||||
|     "APKLinkHash": "APK ലിങ്ക് ഹാഷ്", |  | ||||||
|     "directAPKLink": "നേരിട്ടുള്ള APK ലിങ്ക്", |  | ||||||
|     "pseudoVersionInUse": "ഒരു സ്യൂഡോ-പതിപ്പ് ഉപയോഗത്തിലുണ്ട്", |  | ||||||
|     "installed": "ഇൻസ്റ്റാൾ ചെയ്തത്", |  | ||||||
|     "latest": "ഏറ്റവും പുതിയത്", |  | ||||||
|     "invertRegEx": "റെഗുലർ എക്സ്പ്രഷൻ വിപരീതമാക്കുക", |  | ||||||
|     "note": "ശ്രദ്ധിക്കുക", |  | ||||||
|     "selfHostedNote": "ഏത് ഉറവിടത്തിന്റെയും സെൽഫ്-ഹോസ്റ്റ് ചെയ്ത/കസ്റ്റം ഇൻസ്റ്റൻസുകളിലേക്ക് എത്താൻ \"{}\" ഡ്രോപ്പ്ഡൗൺ ഉപയോഗിക്കാം.", |  | ||||||
|     "badDownload": "APK പാഴ്സ് ചെയ്യാൻ കഴിഞ്ഞില്ല (അനുയോജ്യമല്ലാത്തതോ ഭാഗികമായ ഡൗൺലോഡോ)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "പുതിയ ആപ്പുകൾ AppVerifier-ലേക്ക് പങ്കിടുക (ലഭ്യമെങ്കിൽ)", |  | ||||||
|     "appVerifierInstructionToast": "AppVerifier-ലേക്ക് പങ്കിടുക, തുടർന്ന് തയ്യാറാകുമ്പോൾ ഇവിടെ തിരിച്ചെത്തുക.", |  | ||||||
|     "wiki": "സഹായം/വിക്കി", |  | ||||||
|     "crowdsourcedConfigsLabel": "ക്രൗഡ്സോഴ്സ് ചെയ്ത ആപ്പ് കോൺഫിഗറേഷനുകൾ (സ്വന്തം ഉത്തരവാദിത്തത്തിൽ ഉപയോഗിക്കുക)", |  | ||||||
|     "crowdsourcedConfigsShort": "ക്രൗഡ്സോഴ്സ് ചെയ്ത ആപ്പ് കോൺഫിഗറേഷനുകൾ", |  | ||||||
|     "allowInsecure": "സുരക്ഷിതമല്ലാത്ത HTTP അഭ്യർത്ഥനകൾ അനുവദിക്കുക", |  | ||||||
|     "stayOneVersionBehind": "ഏറ്റവും പുതിയ പതിപ്പിന് ഒരു പതിപ്പ് പിന്നിൽ തുടരുക", |  | ||||||
|     "useFirstApkOfVersion": "ഒന്നിലധികം APK-കളിൽ നിന്ന് ആദ്യത്തേത് സ്വയമേവ തിരഞ്ഞെടുക്കുക", |  | ||||||
|     "refreshBeforeDownload": "ഡൗൺലോഡ് ചെയ്യുന്നതിന് മുമ്പ് ആപ്പ് വിവരങ്ങൾ പുതുക്കുക", |  | ||||||
|     "tencentAppStore": "ടെൻസെന്റ് ആപ്പ് സ്റ്റോർ", |  | ||||||
|     "coolApk": "കൂൾ APK", |  | ||||||
|     "vivoAppStore": "വിവോ ആപ്പ് സ്റ്റോർ (CN)", |  | ||||||
|     "name": "പേര്", |  | ||||||
|     "smartname": "പേര് (സ്മാർട്ട്)", |  | ||||||
|     "sortMethod": "അടുക്കുന്ന രീതി", |  | ||||||
|     "welcome": "സ്വാഗതം", |  | ||||||
|     "documentationLinksNote": "താഴെ ലിങ്ക് ചെയ്തിട്ടുള്ള ഒബ്റ്റേനിയം GitHub പേജിൽ ആപ്പ് എങ്ങനെ ഉപയോഗിക്കാമെന്ന് മനസ്സിലാക്കാൻ സഹായിക്കുന്ന വീഡിയോകൾ, ലേഖനങ്ങൾ, ചർച്ചകൾ, മറ്റ് വിഭവങ്ങൾ എന്നിവയുടെ ലിങ്കുകൾ അടങ്ങിയിരിക്കുന്നു.", |  | ||||||
|     "batteryOptimizationNote": "ഒബ്റ്റേനിയത്തിനായുള്ള OS ബാറ്ററി ഒപ്റ്റിമൈസേഷനുകൾ പ്രവർത്തനരഹിതമാക്കുകയാണെങ്കിൽ ബാക്ക്ഗ്രൗണ്ട് ഡൗൺലോഡുകൾ കൂടുതൽ വിശ്വസനീയമായി പ്രവർത്തിച്ചേക്കാം എന്നത് ശ്രദ്ധിക്കുക.", |  | ||||||
|     "fileDeletionError": "ഫയൽ ഇല്ലാതാക്കാൻ പരാജയപ്പെട്ടു (സ്വമേധയാ ഇല്ലാതാക്കാൻ ശ്രമിക്കുക, എന്നിട്ട് വീണ്ടും ശ്രമിക്കുക): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Use a foreground service for update checking (more reliable, consumes more power)", |  | ||||||
|     "fgServiceNotice": "This notification is required for background update checking (it can be hidden in the OS settings)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "ആപ്പ് നീക്കം ചെയ്യണോ?", |  | ||||||
|         "other": "ആപ്പുകൾ നീക്കം ചെയ്യണോ?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "നിരവധി അഭ്യർത്ഥനകൾ (നിരക്ക് പരിമിതപ്പെടുത്തി) - {} മിനിറ്റിനുള്ളിൽ വീണ്ടും ശ്രമിക്കുക", |  | ||||||
|         "other": "നിരവധി അഭ്യർത്ഥനകൾ (നിരക്ക് പരിമിതപ്പെടുത്തി) - {} മിനിറ്റുകൾക്കുള്ളിൽ വീണ്ടും ശ്രമിക്കുക" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധനയിൽ ഒരു {} നേരിട്ടു, {} മിനിറ്റിനുള്ളിൽ വീണ്ടും ശ്രമിക്കാൻ ക്രമീകരിക്കും", |  | ||||||
|         "other": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധനയിൽ ഒരു {} നേരിട്ടു, {} മിനിറ്റുകൾക്കുള്ളിൽ വീണ്ടും ശ്രമിക്കാൻ ക്രമീകരിക്കും" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധനയിൽ {} അപ്ഡേറ്റ് കണ്ടെത്തി - ആവശ്യമെങ്കിൽ ഉപയോക്താവിനെ അറിയിക്കും", |  | ||||||
|         "other": "ബാക്ക്ഗ്രൗണ്ട് അപ്ഡേറ്റ് പരിശോധനയിൽ {} അപ്ഡേറ്റുകൾ കണ്ടെത്തി - ആവശ്യമെങ്കിൽ ഉപയോക്താവിനെ അറിയിക്കും" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} ആപ്പ്", |  | ||||||
|         "other": "{} ആപ്പുകൾ" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URL-കൾ" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} മിനിറ്റ്", |  | ||||||
|         "other": "{} മിനിറ്റുകൾ" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} മണിക്കൂർ", |  | ||||||
|         "other": "{} മണിക്കൂർ" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} ദിവസം", |  | ||||||
|         "other": "{} ദിവസങ്ങൾ" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "{n} ലോഗ് മായ്ച്ചു (മുമ്പ് = {before}, ശേഷം = {after})", |  | ||||||
|         "other": "{n} ലോഗുകൾ മായ്ച്ചു (മുമ്പ് = {before}, ശേഷം = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} കൂടാതെ 1 ആപ്പിന് കൂടി അപ്ഡേറ്റുകൾ ലഭ്യമാണ്.", |  | ||||||
|         "other": "{} കൂടാതെ {} ആപ്പുകൾക്ക് കൂടി അപ്ഡേറ്റുകൾ ലഭ്യമാണ്." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} കൂടാതെ 1 ആപ്പ് കൂടി അപ്ഡേറ്റ് ചെയ്തു.", |  | ||||||
|         "other": "{} കൂടാതെ {} ആപ്പുകൾ കൂടി അപ്ഡേറ്റ് ചെയ്തു." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "{} കൂടാതെ 1 ആപ്പ് കൂടി അപ്ഡേറ്റ് ചെയ്യാൻ പരാജയപ്പെട്ടു.", |  | ||||||
|         "other": "{} കൂടാതെ {} ആപ്പുകൾ കൂടി അപ്ഡേറ്റ് ചെയ്യാൻ പരാജയപ്പെട്ടു." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} കൂടാതെ 1 ആപ്പ് കൂടി അപ്ഡേറ്റ് ചെയ്തിരിക്കാം.", |  | ||||||
|         "other": "{} കൂടാതെ {} ആപ്പുകൾ കൂടി അപ്ഡേറ്റ് ചെയ്തിരിക്കാം." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APK-കൾ" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -1,135 +1,131 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "Ongeldige app-URL voor {}", |     "invalidURLForSource": "Geen valide {} app URL", | ||||||
|     "noReleaseFound": "Geen geschikte release gevonden", |     "noReleaseFound": "Kan geen geschikte release vinden", | ||||||
|     "noVersionFound": "Geen versie kunnen bepalen", |     "noVersionFound": "Kan de versie niet bepalen", | ||||||
|     "urlMatchesNoSource": "URL komt niet overeen met bekende bron", |     "urlMatchesNoSource": "URL komt niet overeen met bekende bron", | ||||||
|     "cantInstallOlderVersion": "Kan geen oudere versie van de app installeren", |     "cantInstallOlderVersion": "Kan geen oudere versie van de app installeren", | ||||||
|     "appIdMismatch": "Gedownload pakket-ID komt niet overeen met de bestaande app-ID", |     "appIdMismatch": "Gedownloade pakket-ID komt niet overeen met de bestaande app-ID", | ||||||
|     "functionNotImplemented": "Deze klasse heeft deze functie niet geïmplementeerd.", |     "functionNotImplemented": "Deze class heeft deze functie niet geïmplementeerd.", | ||||||
|     "placeholder": "Dummy", |     "placeholder": "Plaatshouder", | ||||||
|     "someErrors": "Er zijn enkele fouten opgetreden", |     "someErrors": "Er zijn enkele fouten opgetreden", | ||||||
|     "unexpectedError": "Onverwachte fout", |     "unexpectedError": "Onverwachte fout", | ||||||
|     "ok": "Oké", |     "ok": "Ok", | ||||||
|     "and": "en", |     "and": "en", | ||||||
|     "githubPATLabel": "GitHub Personal Access Token\n(Verhoogt limiet aantal verzoeken)", |     "githubPATLabel": "GitHub Personal Access Token\n(Verhoogt limiet aantal verzoeken)", | ||||||
|     "includePrereleases": "Inclusief pre-releases", |     "includePrereleases": "Bevat prereleases", | ||||||
|     "fallbackToOlderReleases": "Terugvallen op oudere releases", |     "fallbackToOlderReleases": "Terugvallen op oudere releases", | ||||||
|     "filterReleaseTitlesByRegEx": "Release-titels filteren met reguliere expressies.", |     "filterReleaseTitlesByRegEx": "Filter release-titels met reguliere expressies.", | ||||||
|     "invalidRegEx": "Ongeldige reguliere expressie", |     "invalidRegEx": "Ongeldige reguliere expressie", | ||||||
|     "noDescription": "Geen omschrijving", |     "noDescription": "Geen omschrijving", | ||||||
|     "cancel": "Annuleren", |     "cancel": "Annuleer", | ||||||
|     "continue": "Doorgaan", |     "continue": "Ga verder", | ||||||
|     "requiredInBrackets": "(Verplicht)", |     "requiredInBrackets": "(Verplicht)", | ||||||
|     "dropdownNoOptsError": "FOUTMELDING: UITKLAPMENU MOET TENMINSTE EEN OPT HEBBEN", |     "dropdownNoOptsError": "FOUTMELDING: DROPDOWN MOET TENMINSTE ÉÉN OPT HEBBEN", | ||||||
|     "colour": "Kleur", |     "colour": "Kleur", | ||||||
|     "standard": "Standaard", |  | ||||||
|     "custom": "Aangepast", |  | ||||||
|     "useMaterialYou": "Material You gebruiken", |  | ||||||
|     "githubStarredRepos": "GitHub-repo's met ster", |     "githubStarredRepos": "GitHub-repo's met ster", | ||||||
|     "uname": "Gebruikersnaam", |     "uname": "Gebruikersnaam", | ||||||
|     "wrongArgNum": "Incorrect aantal argumenten.", |     "wrongArgNum": "Onjuist aantal argumenten verstrekt.", | ||||||
|     "xIsTrackOnly": "{} is 'Alleen volgen'", |     "xIsTrackOnly": "{} is alleen tracken", | ||||||
|     "source": "Bron", |     "source": "Bron", | ||||||
|     "app": "App", |     "app": "App", | ||||||
|     "appsFromSourceAreTrackOnly": "Apps van deze bron zijn 'Alleen volgen'.", |     "appsFromSourceAreTrackOnly": "Apps van deze bron zijn 'Track-Only'.", | ||||||
|     "youPickedTrackOnly": "De optie 'Alleen volgen' is geselecteerd.", |     "youPickedTrackOnly": "Je hebt de 'Track-Only' optie geselecteerd.", | ||||||
|     "trackOnlyAppDescription": "De app zal worden gevolgd voor updates, maar Obtainium zal niet in staat zijn om deze te downloaden of te installeren.", |     "trackOnlyAppDescription": "De app zal worden gevolgd voor updates, maar Obtainium zal niet in staat zijn om deze te downloaden of te installeren.", | ||||||
|     "cancelled": "Geannuleerd", |     "cancelled": "Geannuleerd", | ||||||
|     "appAlreadyAdded": "App reeds toegevoegd", |     "appAlreadyAdded": "App al toegevoegd", | ||||||
|     "alreadyUpToDateQuestion": "App al bijgewerkt?", |     "alreadyUpToDateQuestion": "Is de app al up-to-date?", | ||||||
|     "addApp": "App toevoegen", |     "addApp": "App toevoegen", | ||||||
|     "appSourceURL": "App-bron URL", |     "appSourceURL": "App bron URL", | ||||||
|     "error": "Foutmelding", |     "error": "Foutmelding", | ||||||
|     "add": "Toevoegen", |     "add": "Toevoegen", | ||||||
|     "searchSomeSourcesLabel": "Zoeken (sommige bronnen)", |     "searchSomeSourcesLabel": "Zoeken (Alleen sommige bronnen)", | ||||||
|     "search": "Zoeken", |     "search": "Zoeken", | ||||||
|     "additionalOptsFor": "Aanvullende opties voor {}", |     "additionalOptsFor": "Aanvullende opties voor {}", | ||||||
|     "supportedSources": "Ondersteunde bronnen", |     "supportedSources": "Ondersteunde bronnen", | ||||||
|     "trackOnlyInBrackets": "(Alleen volgen)", |     "trackOnlyInBrackets": "(Alleen track)", | ||||||
|     "searchableInBrackets": "(Doorzoekbaar)", |     "searchableInBrackets": "(Doorzoekbaar)", | ||||||
|     "appsString": "Apps", |     "appsString": "Apps", | ||||||
|     "noApps": "Geen Apps", |     "noApps": "Geen Apps", | ||||||
|     "noAppsForFilter": "Geen Apps voor filter", |     "noAppsForFilter": "Geen Apps voor filter", | ||||||
|     "byX": "Door {}", |     "byX": "Door {}", | ||||||
|     "percentProgress": "Voortgang: {}%", |     "percentProgress": "Vooruitgang: {}%", | ||||||
|     "pleaseWait": "Even geduld", |     "pleaseWait": "Even geduld", | ||||||
|     "updateAvailable": "Update beschikbaar", |     "updateAvailable": "Update beschikbaar", | ||||||
|     "notInstalled": "Niet geinstalleerd", |     "notInstalled": "Niet geinstalleerd", | ||||||
|     "pseudoVersion": "pseudo-versie", |     "pseudoVersion": "pseudo-versie", | ||||||
|     "selectAll": "Alles selecteren", |     "selectAll": "Selecteer alles", | ||||||
|     "deselectX": "Selectie opheffen {}", |     "deselectX": "Deselecteer {}", | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} zal worden gewist uit Obtainium, maar blijft geïnstalleerd op het apparaat.", |     "xWillBeRemovedButRemainInstalled": "{} zal worden verwijderd uit Obtainium, maar blijft geïnstalleerd op het apparaat.", | ||||||
|     "removeSelectedAppsQuestion": "Geselecteerde apps verwijderen?", |     "removeSelectedAppsQuestion": "Geselecteerde apps verwijderen??", | ||||||
|     "removeSelectedApps": "Geselecteerde apps verwijderen", |     "removeSelectedApps": "Geselecteerde apps verwijderen", | ||||||
|     "updateX": "{} bijwerken", |     "updateX": "Update {}", | ||||||
|     "installX": "{} installeren", |     "installX": "Installeer {}", | ||||||
|     "markXTrackOnlyAsUpdated": "{}\n(Alleen volgen)\nmarkeren als bijgewerkt", |     "markXTrackOnlyAsUpdated": "Markeer {}\n(Track-Only)\nals up-to-date", | ||||||
|     "changeX": "{} wijzigen", |     "changeX": "Verander {}", | ||||||
|     "installUpdateApps": "Apps installeren/bijwerken", |     "installUpdateApps": "Installeer/Update apps", | ||||||
|     "installUpdateSelectedApps": "Geselecteerde apps installeren/bijwerken", |     "installUpdateSelectedApps": "Installeer/Update geselecteerde apps", | ||||||
|     "markXSelectedAppsAsUpdated": "{} geselecteerde apps markeren als bijgewerkt?", |     "markXSelectedAppsAsUpdated": "{} geselecteerde apps markeren als up-to-date?", | ||||||
|     "no": "Nee", |     "no": "Nee", | ||||||
|     "yes": "Ja", |     "yes": "Ja", | ||||||
|     "markSelectedAppsUpdated": "Geselecteerde apps markeren als bijgewerkt", |     "markSelectedAppsUpdated": "Markeer geselecteerde aps als up-to-date", | ||||||
|     "pinToTop": "Bovenaan plaatsen", |     "pinToTop": "Vastzetten aan de bovenkant", | ||||||
|     "unpinFromTop": "Bovenaan wegnemen", |     "unpinFromTop": "Losmaken van de bovenkant", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Installatiestatus herstellen voor geselecteerde apps?", |     "resetInstallStatusForSelectedAppsQuestion": "Installatiestatus resetten voor geselecteerde apps?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "De installatiestatus van alle geselecteerde apps zal worden hersteld.\n\nDit kan helpen wanneer de versie van de app die in Obtainium wordt weergegeven onjuist is vanwege mislukte updates of andere problemen.", |     "installStatusOfXWillBeResetExplanation": "De installatiestatus van alle geselecteerde apps zal worden gereset.\n\nDit kan helpen wanneer de versie van de app die in Obtainium wordt weergegeven onjuist is vanwege mislukte updates of andere problemen.", | ||||||
|     "customLinkMessage": "Deze koppelingen werken op apparaten waarop Obtainium is geïnstalleerd", |     "customLinkMessage": "Deze links werken op apparaten waarop Obtainium is geïnstalleerd", | ||||||
|     "shareAppConfigLinks": "App-configuratie delen als HTML-link", |     "shareAppConfigLinks": "App-configuratie delen als HTML-link", | ||||||
|     "shareSelectedAppURLs": "Geselecteerde app-URL's delen", |     "shareSelectedAppURLs": "Deel geselecteerde app URL's", | ||||||
|     "resetInstallStatus": "Installatiestatus herstellen", |     "resetInstallStatus": "Reset installatiestatus", | ||||||
|     "more": "Meer", |     "more": "Meer", | ||||||
|     "removeOutdatedFilter": "Verouderde apps-filter verwijderen", |     "removeOutdatedFilter": "Verwijder out-of-date app filter", | ||||||
|     "showOutdatedOnly": "Alleen verouderde apps weergeven", |     "showOutdatedOnly": "Toon alleen out-of-date apps", | ||||||
|     "filter": "Filteren", |     "filter": "Filter", | ||||||
|     "filterApps": "Apps filteren", |     "filterApps": "Filter apps", | ||||||
|     "appName": "App-naam", |     "appName": "App naam", | ||||||
|     "author": "Auteur", |     "author": "Auteur", | ||||||
|     "upToDateApps": "Bijgewerkte apps", |     "upToDateApps": "Up-to-date apps", | ||||||
|     "nonInstalledApps": "Niet-geïnstalleerde apps", |     "nonInstalledApps": "Niet-geïnstalleerde apps", | ||||||
|     "importExport": "Importeren/exporteren", |     "importExport": "Importeren/Exporteren", | ||||||
|     "settings": "Instellingen", |     "settings": "Instellingen", | ||||||
|     "exportedTo": "Geëxporteerd naar {}", |     "exportedTo": "Geëxporteerd naar {}", | ||||||
|     "obtainiumExport": "Obtainium export", |     "obtainiumExport": "Obtainium export", | ||||||
|     "invalidInput": "Ongeldige invoer", |     "invalidInput": "Ongeldige invoer", | ||||||
|     "importedX": "{} geïmporteerd", |     "importedX": "Geïmporteerd {}", | ||||||
|     "obtainiumImport": "Obtainium import", |     "obtainiumImport": "Obtainium import", | ||||||
|     "importFromURLList": "Importeren van URL-lijsten", |     "importFromURLList": "Importeer van URL-lijsten", | ||||||
|     "searchQuery": "Zoekopdracht", |     "searchQuery": "Zoekopdracht", | ||||||
|     "appURLList": "App URL-lijst", |     "appURLList": "App URL-lijst", | ||||||
|     "line": "Regel", |     "line": "Lijn", | ||||||
|     "searchX": "{} zoeken", |     "searchX": "Zoek {}", | ||||||
|     "noResults": "Geen resultaten gevonden", |     "noResults": "Geen resultaten gevonden", | ||||||
|     "importX": "{} importeren", |     "importX": "Importeer {}", | ||||||
|     "importedAppsIdDisclaimer": "Geïmporteerde apps kunnen mogelijk onjuist worden weergegeven als \"Niet geïnstalleerd\".\nOm dit op te lossen, installeer deze opnieuw via Obtainium.\nDit zou geen invloed moeten hebben op app-gegevens.\n\nDit heeft alleen invloed op URL- en importmethoden van derden.", |     "importedAppsIdDisclaimer": "Geïmporteerde apps kunnen mogelijk onjuist worden weergegeven als \"Niet geïnstalleerd\".\nOm dit op te lossen, herinstalleer ze via Obtainium.\nDit zou geen invloed moeten hebben op app-gegevens.\n\nDit heeft alleen invloed op URL- en importmethoden van derden.", | ||||||
|     "importErrors": "Fouten bij het importeren", |     "importErrors": "Import foutmeldingen", | ||||||
|     "importedXOfYApps": "{} van {} apps geïmporteerd.", |     "importedXOfYApps": "{} van {} apps geïmporteerd.", | ||||||
|     "followingURLsHadErrors": "De volgende URL's bevatten fouten:", |     "followingURLsHadErrors": "De volgende URL's bevatten fouten:", | ||||||
|     "selectURL": "URL selecteren", |     "selectURL": "Selecteer URL", | ||||||
|     "selectURLs": "URL's selecteren", |     "selectURLs": "Selecteer URL's", | ||||||
|     "pick": "Kiezen", |     "pick": "Kies", | ||||||
|     "theme": "Thema", |     "theme": "Thema", | ||||||
|     "dark": "Donker", |     "dark": "Donker", | ||||||
|     "light": "Licht", |     "light": "Licht", | ||||||
|     "followSystem": "Systeem volgen", |     "followSystem": "Volg systeem", | ||||||
|     "followSystemThemeExplanation": "Het volgen van het systeemthema is alleen mogelijk met applicaties van derden", |     "useBlackTheme": "Gebruik zwart thema", | ||||||
|     "useBlackTheme": "Zwart thema gebruiken", |     "appSortBy": "App sorteren op", | ||||||
|     "appSortBy": "Sortering", |  | ||||||
|     "authorName": "Auteur/Naam", |     "authorName": "Auteur/Naam", | ||||||
|     "nameAuthor": "Naam/Auteur", |     "nameAuthor": "Naam/Auteur", | ||||||
|     "asAdded": "Datum toegevoegd", |     "asAdded": "Zoals toegevoegd", | ||||||
|     "appSortOrder": "Volgorde", |     "appSortOrder": "App sorteervolgorde", | ||||||
|     "ascending": "Oplopend", |     "ascending": "Oplopend", | ||||||
|     "descending": "Aflopend", |     "descending": "Aflopend", | ||||||
|     "bgUpdateCheckInterval": "Frequentie voor achtergrond-updatecontrole", |     "bgUpdateCheckInterval": "Frequentie voor achtergrondupdatecontrole", | ||||||
|     "neverManualOnly": "Nooit - Alleen handmatig", |     "neverManualOnly": "Nooit - Alleen handmatig", | ||||||
|     "appearance": "Weergave", |     "appearance": "Weergave", | ||||||
|     "showWebInAppView": "Bron-webpagina weergeven in app-weergave", |     "showWebInAppView": "Toon de bronwebpagina in app-weergave", | ||||||
|     "pinUpdates": "Updates bovenaan plaatsen in de apps-weergave", |     "pinUpdates": "Updates bovenaan in de apps-weergave vastpinnen", | ||||||
|     "updates": "Updates", |     "updates": "Updates", | ||||||
|     "sourceSpecific": "Bron-specifiek", |     "sourceSpecific": "Bron-specifiek", | ||||||
|     "appSource": "App-bron", |     "appSource": "App bron", | ||||||
|     "noLogs": "Geen logs", |     "noLogs": "Geen logs", | ||||||
|     "appLogs": "App logs", |     "appLogs": "App logs", | ||||||
|     "close": "Sluiten", |     "close": "Sluiten", | ||||||
| @@ -137,60 +133,56 @@ | |||||||
|     "appNotFound": "App niet gevonden", |     "appNotFound": "App niet gevonden", | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-export", |     "obtainiumExportHyphenatedLowercase": "obtainium-export", | ||||||
|     "pickAnAPK": "Kies een APK", |     "pickAnAPK": "Kies een APK", | ||||||
|     "appHasMoreThanOnePackage": "{} biedt verschillende pakketten:", |     "appHasMoreThanOnePackage": "{} heeft meer dan één package:", | ||||||
|     "deviceSupportsXArch": "Dit apparaat ondersteunt de {} CPU-architectuur.", |     "deviceSupportsXArch": "Jouw apparaat support de {} CPU-architectuur.", | ||||||
|     "deviceSupportsFollowingArchs": "Dit apparaat ondersteunt de volgende CPU-architecturen:", |     "deviceSupportsFollowingArchs": "Je apparaat ondersteunt de volgende CPU-architecturen:", | ||||||
|     "warning": "Waarschuwing", |     "warning": "Waarschuwing", | ||||||
|     "sourceIsXButPackageFromYPrompt": "De app-bron is '{}' maar het release-pakket komt van '{}'. Doorgaan?", |     "sourceIsXButPackageFromYPrompt": "De appbron is '{}' maar de release package komt van '{}'. Doorgaan?", | ||||||
|     "updatesAvailable": "Updates beschikbaar", |     "updatesAvailable": "Updates beschikbaar", | ||||||
|     "updatesAvailableNotifDescription": "Stelt de gebruiker op de hoogte dat er updates beschikbaar zijn voor een of meer apps die worden bijgehouden door Obtainium.", |     "updatesAvailableNotifDescription": "Stelt de gebruiker op de hoogte dat er updates beschikbaar zijn voor één of meer apps die worden bijgehouden door Obtainium.", | ||||||
|     "noNewUpdates": "Geen nieuwe updates.", |     "noNewUpdates": "Geen nieuwe updates.", | ||||||
|     "xHasAnUpdate": "{} heeft een update.", |     "xHasAnUpdate": "{} heeft een update.", | ||||||
|     "appsUpdated": "Apps bijgewerkt", |     "appsUpdated": "Apps bijgewerkt", | ||||||
|     "appsNotUpdated": "Applicaties konden niet worden bijgewerkt", |  | ||||||
|     "appsUpdatedNotifDescription": "Stelt de gebruiker op de hoogte dat updates voor één of meer apps in de achtergrond zijn toegepast.", |     "appsUpdatedNotifDescription": "Stelt de gebruiker op de hoogte dat updates voor één of meer apps in de achtergrond zijn toegepast.", | ||||||
|     "xWasUpdatedToY": "{} is bijgewerkt naar {}.", |     "xWasUpdatedToY": "{} is bijgewerkt naar {}.", | ||||||
|     "xWasNotUpdatedToY": "Het bijwerken van {} naar {} is mislukt.", |  | ||||||
|     "errorCheckingUpdates": "Fout bij het controleren op updates", |     "errorCheckingUpdates": "Fout bij het controleren op updates", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Een melding die verschijnt wanneer de achtergrondcontrole op updates mislukt", |     "errorCheckingUpdatesNotifDescription": "Een melding die verschijnt wanneer het controleren op updates in de achtergrond mislukt", | ||||||
|     "appsRemoved": "Apps verwijderd", |     "appsRemoved": "Apps verwijderd", | ||||||
|     "appsRemovedNotifDescription": "Stelt de gebruiker op de hoogte dat een of meer apps zijn verwijderd vanwege fouten tijdens het laden", |     "appsRemovedNotifDescription": "Stelt de gebruiker op de hoogte dat één of meer apps zijn verwijderd vanwege fouten tijdens het laden ervan", | ||||||
|     "xWasRemovedDueToErrorY": "{} is verwijderd vanwege de fout: {}", |     "xWasRemovedDueToErrorY": "{} is verwijderd vanwege deze foutmelding: {}", | ||||||
|     "completeAppInstallation": "App-installatie voltooien", |     "completeAppInstallation": "Complete app installatie", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium moet geopend zijn om apps te installeren", |     "obtainiumMustBeOpenToInstallApps": "Obtainium moet geopend zijn om apps te installeren", | ||||||
|     "completeAppInstallationNotifDescription": "Vraagt de gebruiker om terug te keren naar Obtainium om de installatie van een app af te ronden", |     "completeAppInstallationNotifDescription": "Vraagt de gebruiker om terug te keren naar Obtainium om de installatie van een app af te ronden", | ||||||
|     "checkingForUpdates": "Controleren op updates", |     "checkingForUpdates": "Controleren op updates", | ||||||
|     "checkingForUpdatesNotifDescription": "Tijdelijke melding die verschijnt tijdens het controleren op updates", |     "checkingForUpdatesNotifDescription": "Tijdelijke melding die verschijnt tijdens het controleren op updates", | ||||||
|     "pleaseAllowInstallPerm": "Toestaan dat Obtainium apps installeert", |     "pleaseAllowInstallPerm": "Sta Obtainium toe om apps te installeren", | ||||||
|     "trackOnly": "'Alleen volgen'", |     "trackOnly": "Alleen track", | ||||||
|     "errorWithHttpStatusCode": "Foutmelding {}", |     "errorWithHttpStatusCode": "Foutmelding {}", | ||||||
|     "versionCorrectionDisabled": "Versiecorrectie uitgeschakeld (de plug-in lijkt niet te werken)", |     "versionCorrectionDisabled": "Versiecorrectie uitgeschakeld (de plug-in lijkt niet te werken)", | ||||||
|     "unknown": "Onbekend", |     "unknown": "Onbekend", | ||||||
|     "none": "Geen", |     "none": "Geen", | ||||||
|     "all": "Alle", |  | ||||||
|     "never": "Nooit", |     "never": "Nooit", | ||||||
|     "latestVersionX": "Laatste versie: {}", |     "latestVersionX": "Laatste versie: {}", | ||||||
|     "installedVersionX": "Geïnstalleerde versie: {}", |     "installedVersionX": "Geïnstalleerde versie: {}", | ||||||
|     "lastUpdateCheckX": "Laatste updatecontrole: {}", |     "lastUpdateCheckX": "Laatste updatecontrole: {}", | ||||||
|     "remove": "Verwijderen", |     "remove": "Verwijderen", | ||||||
|     "yesMarkUpdated": "Ja, markeren als bijgewerkt", |     "yesMarkUpdated": "Ja, markeer als bijgewerkt", | ||||||
|     "fdroid": "F-Droid (Officieel)", |     "fdroid": "F-Droid-ambtenaar", | ||||||
|     "appIdOrName": "App-ID of naam", |     "appIdOrName": "App ID of naam", | ||||||
|     "appId": "App-ID", |     "appId": "App-ID", | ||||||
|     "appWithIdOrNameNotFound": "Er is geen app gevonden met dat ID of die naam", |     "appWithIdOrNameNotFound": "Er werd geen app gevonden met dat ID of die naam", | ||||||
|     "reposHaveMultipleApps": "Repositories kunnen meerdere apps bevatten", |     "reposHaveMultipleApps": "Repositories kunnen meerdere apps bevatten", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid Repository voor derden", |     "fdroidThirdPartyRepo": "F-Droid Repository van derden", | ||||||
|  |     "steamMobile": "Stoommobiel", | ||||||
|  |     "steamChat": "Steamchat", | ||||||
|     "install": "Installeren", |     "install": "Installeren", | ||||||
|     "markInstalled": "Als geïnstalleerd markeren", |     "markInstalled": "Als geïnstalleerd markere", | ||||||
|     "update": "Bijwerken", |     "update": "Update", | ||||||
|     "markUpdated": "Als bijgewerkt markeren", |     "markUpdated": "Markeren als bijgewerkt", | ||||||
|     "additionalOptions": "Aanvullende opties", |     "additionalOptions": "Aanvullende opties", | ||||||
|     "disableVersionDetection": "Versieherkenning uitschakelen", |     "disableVersionDetection": "Versieherkenning uitschakelen", | ||||||
|     "noVersionDetectionExplanation": "Deze optie moet alleen worden gebruikt voor apps waar versieherkenning niet correct werkt.", |     "noVersionDetectionExplanation": "Deze optie moet alleen worden gebruikt voor apps waar versieherkenning niet correct werkt.", | ||||||
|     "downloadingX": "{} downloaden", |     "downloadingX": "Downloaden {}", | ||||||
|     "downloadX": "Downloaden", |  | ||||||
|     "downloadedX": "{} gedownload", |  | ||||||
|     "releaseAsset": "Release Activa", |  | ||||||
|     "downloadNotifDescription": "Stelt de gebruiker op de hoogte van de voortgang bij het downloaden van een app", |     "downloadNotifDescription": "Stelt de gebruiker op de hoogte van de voortgang bij het downloaden van een app", | ||||||
|     "noAPKFound": "Geen APK gevonden", |     "noAPKFound": "Geen APK gevonden", | ||||||
|     "noVersionDetection": "Geen versieherkenning", |     "noVersionDetection": "Geen versieherkenning", | ||||||
| @@ -202,106 +194,100 @@ | |||||||
|     "deleteCategoriesQuestion": "Categorieën verwijderen?", |     "deleteCategoriesQuestion": "Categorieën verwijderen?", | ||||||
|     "categoryDeleteWarning": "Alle apps in verwijderde categorieën worden teruggezet naar 'ongecategoriseerd'.", |     "categoryDeleteWarning": "Alle apps in verwijderde categorieën worden teruggezet naar 'ongecategoriseerd'.", | ||||||
|     "addCategory": "Categorie toevoegen", |     "addCategory": "Categorie toevoegen", | ||||||
|     "label": "Label", |     "label": "Etiket", | ||||||
|     "language": "Taal", |     "language": "Taal", | ||||||
|     "copiedToClipboard": "Gekopieerd naar klembord", |     "copiedToClipboard": "Gekopieerd naar klembord", | ||||||
|     "storagePermissionDenied": "Toegang tot opslag geweigerd", |     "storagePermissionDenied": "Toegang tot opslag geweigerd", | ||||||
|     "selectedCategorizeWarning": "Dit zal eventuele bestaande categorie-instellingen voor de geselecteerde apps vervangen.", |     "selectedCategorizeWarning": "Dit zal eventuele bestaande categorie-instellingen voor de geselecteerde apps vervangen.", | ||||||
|     "filterAPKsByRegEx": "APK's flteren met reguliere expressie", |     "filterAPKsByRegEx": "Filter APK's op reguliere expressie", | ||||||
|     "removeFromObtainium": "Uit Obtainium verwijderen", |     "removeFromObtainium": "Verwijder van Obtainium", | ||||||
|     "uninstallFromDevice": "Van apparaat verwijderen", |     "uninstallFromDevice": "Verwijder van apparaat", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Werkt alleen voor apps waarbij versieherkenning is uitgeschakeld.", |     "onlyWorksWithNonVersionDetectApps": "Werkt alleen voor apps waarbij versieherkenning is uitgeschakeld.", | ||||||
|     "releaseDateAsVersion": "Releasedatum als versie gebruiken", |     "releaseDateAsVersion": "Gebruik de releasedatum als versie", | ||||||
|     "releaseTitleAsVersion": "Gebruik releasetitel als versiestring", |  | ||||||
|     "releaseDateAsVersionExplanation": "Deze optie moet alleen worden gebruikt voor apps waar versieherkenning niet correct werkt, maar waar wel een releasedatum beschikbaar is.", |     "releaseDateAsVersionExplanation": "Deze optie moet alleen worden gebruikt voor apps waar versieherkenning niet correct werkt, maar waar wel een releasedatum beschikbaar is.", | ||||||
|     "changes": "Aanpassingen", |     "changes": "Veranderingen", | ||||||
|     "releaseDate": "Releasedatum", |     "releaseDate": "Releasedatum", | ||||||
|     "importFromURLsInFile": "Importeren vanaf URL's in een bestand (zoals OPML)", |     "importFromURLsInFile": "Importeren vanaf URL's in een bestand (zoals OPML)", | ||||||
|     "versionDetectionExplanation": "Versiereeks afstemmen met versie gedetecteerd door besturingssysteem", |     "versionDetectionExplanation": "Versiereeks afstemmen met versie gedetecteerd door besturingssysteem", | ||||||
|     "versionDetection": "Versieherkenning", |     "versionDetection": "Versieherkenning", | ||||||
|     "standardVersionDetection": "Standaard versieherkenning", |     "standardVersionDetection": "Standaard versieherkenning", | ||||||
|     "groupByCategory": "Groeperen op categorie", |     "groupByCategory": "Groepeer op categorie", | ||||||
|     "autoApkFilterByArch": "Probeer APK's te filteren op CPU-architectuur, indien mogelijk", |     "autoApkFilterByArch": "Poging om APK's te filteren op CPU-architectuur indien mogelijk", | ||||||
|     "autoLinkFilterByArch": "Probeer links zo mogelijk te filteren op CPU-architectuur", |  | ||||||
|     "overrideSource": "Bron overschrijven", |     "overrideSource": "Bron overschrijven", | ||||||
|     "dontShowAgain": "Laat dit niet meer zien", |     "dontShowAgain": "Laat dit niet meer zien", | ||||||
|     "dontShowTrackOnlyWarnings": "Geen waarschuwingen weergeven voor 'Alleen volgen'", |     "dontShowTrackOnlyWarnings": "Geen waarschuwingen voor 'Track-Only' weergeven", | ||||||
|     "dontShowAPKOriginWarnings": "Geen waarschuwingen weergeven voor APK-herkomst", |     "dontShowAPKOriginWarnings": "APK-herkomstwaarschuwingen niet weergeven", | ||||||
|     "moveNonInstalledAppsToBottom": "Niet-geïnstalleerde apps onderaan de apps-lijst plaatsen", |     "moveNonInstalledAppsToBottom": "Verplaats niet-geïnstalleerde apps naar de onderkant van de apps-weergave", | ||||||
|     "gitlabPATLabel": "GitLab persoonlijk toegangskenmerk", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "about": "Over", |     "about": "Over", | ||||||
|     "requiresCredentialsInSettings": "{} vereist aanvullende referenties (in Instellingen)", |     "requiresCredentialsInSettings": "{}: Dit vereist aanvullende referenties (in Instellingen)", | ||||||
|     "checkOnStart": "Bij opstarten op updates controleren", |     "checkOnStart": "Controleren op updates bij opstarten", | ||||||
|     "tryInferAppIdFromCode": "Probeer de app-ID af te leiden uit de broncode", |     "tryInferAppIdFromCode": "Probeer de app-ID af te leiden uit de broncode", | ||||||
|     "removeOnExternalUninstall": "Extern verwijderde apps automatisch verwijderen", |     "removeOnExternalUninstall": "Automatisch extern verwijderde apps verwijderen", | ||||||
|     "pickHighestVersionCode": "De APK met de hoogste versiecode automatisch selecteren", |     "pickHighestVersionCode": "Automatisch de APK met de hoogste versiecode selecteren", | ||||||
|     "checkUpdateOnDetailPage": "Controleren op updates bij het openen van een app-detailpagina", |     "checkUpdateOnDetailPage": "Controleren op updates bij het openen van een app-detailpagina", | ||||||
|     "disablePageTransitions": "Overgangsanimaties tussen pagina's uitschakelen", |     "disablePageTransitions": "Schakel overgangsanimaties tussen pagina's uit", | ||||||
|     "reversePageTransitions": "Overgangsanimaties tussen pagina's herstellen", |     "reversePageTransitions": "Omgekeerde overgangsanimaties tussen pagina's", | ||||||
|     "minStarCount": "Minimum Github Stars", |     "minStarCount": "Minimale Github Stars", | ||||||
|     "addInfoBelow": "Deze informatie hieronder toevoegen.", |     "addInfoBelow": "Voeg deze informatie hieronder toe.", | ||||||
|     "addInfoInSettings": "Deze informatie toevoegen in de instellingen.", |     "addInfoInSettings": "Voeg deze informatie toe in de instellingen.", | ||||||
|     "githubSourceNote": "Beperkingen van GitHub kunnen worden vermeden door het gebruik van een API-sleutel.", |     "githubSourceNote": "Beperkingen van GitHub kunnen worden vermeden door het gebruik van een API-sleutel.", | ||||||
|     "sortByLastLinkSegment": "Alleen sorteren op het laatste segment van de link", |     "sortByLastLinkSegment": "Sorteren op alleen het laatste segment van de link", | ||||||
|     "filterReleaseNotesByRegEx": "Release-opmerkingen fiteren met een reguliere expressie.", |     "filterReleaseNotesByRegEx": "Filter release-opmerkingen met een reguliere expressie.", | ||||||
|     "customLinkFilterRegex": "Aangepaste APK-links filteren met een reguliere expressie (Standaard '.apk$').", |     "customLinkFilterRegex": "Aangepaste APK-linkfilter met een reguliere expressie (Standaard '.apk$').", | ||||||
|     "appsPossiblyUpdated": "Pogingen tot app-updates", |     "appsPossiblyUpdated": "Poging tot app-updates", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Stelt de gebruiker op de hoogte dat updates voor één of meer apps mogelijk in de achtergrond zijn toegepast", |     "appsPossiblyUpdatedNotifDescription": "Stelt de gebruiker op de hoogte dat updates voor één of meer apps mogelijk in de achtergrond zijn toegepast", | ||||||
|     "xWasPossiblyUpdatedToY": "{} kan bijgewerkt zijn naar {}.", |     "xWasPossiblyUpdatedToY": "{} mogelijk bijgewerkt naar {}.", | ||||||
|     "enableBackgroundUpdates": "Achtergrond-updates inschakelen", |     "enableBackgroundUpdates": "Achtergrondupdates inschakelen", | ||||||
|     "backgroundUpdateReqsExplanation": "Achtergrond-updates zijn niet voor alle apps mogelijk.", |     "backgroundUpdateReqsExplanation": "Achtergrondupdates zijn mogelijk niet voor alle apps mogelijk.", | ||||||
|     "backgroundUpdateLimitsExplanation": "Het succes van een installatie in de achtergrond kan alleen worden bepaald wanneer Obtainium is geopend.", |     "backgroundUpdateLimitsExplanation": "Het succes van een installatie in de achtergrond kan alleen worden bepaald wanneer Obtainium is geopend.", | ||||||
|     "verifyLatestTag": "Het label 'Laatste' verifiëren", |     "verifyLatestTag": "Verifieer de 'Laatste'-tag", | ||||||
|     "intermediateLinkRegex": "Filteren op een 'Intermediaire' link om te bezoeken", |     "intermediateLinkRegex": "Filter voor een 'Intermediaire' link om te bezoeken", | ||||||
|     "filterByLinkText": "Links filteren op linktekst", |     "filterByLinkText": "Links filteren op linktekst", | ||||||
|     "matchLinksOutsideATags": "Koppelingen buiten <a>-tags matchen", |     "intermediateLinkNotFound": "Tussenliggende link niet gevonden", | ||||||
|     "intermediateLinkNotFound": "Intermediaire link niet gevonden", |  | ||||||
|     "intermediateLink": "Intermediaire link", |     "intermediateLink": "Intermediaire link", | ||||||
|     "exemptFromBackgroundUpdates": "Vrijgesteld van achtergrond-updates (indien ingeschakeld)", |     "exemptFromBackgroundUpdates": "Vrijgesteld van achtergrondupdates (indien ingeschakeld)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Achtergrond-updates uitschakelen wanneer niet verbonden met Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Achtergrondupdates uitschakelen wanneer niet verbonden met WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Achtergrondupdates uitschakelen als er niet wordt opgeladen", |     "autoSelectHighestVersionCode": "Automatisch de APK met de hoogste versiecode selecteren", | ||||||
|     "autoSelectHighestVersionCode": "De APK met de hoogste versiecode automatisch selecteren", |  | ||||||
|     "versionExtractionRegEx": "Reguliere expressie voor versie-extractie", |     "versionExtractionRegEx": "Reguliere expressie voor versie-extractie", | ||||||
|     "trimVersionString": "Versie string trimmen met RegEx", |  | ||||||
|     "matchGroupToUseForX": "Overeenkomende groep te gebruiken voor \"{}\"", |  | ||||||
|     "matchGroupToUse": "Overeenkomende groep om te gebruiken voor de reguliere expressie voor versie-extractie", |     "matchGroupToUse": "Overeenkomende groep om te gebruiken voor de reguliere expressie voor versie-extractie", | ||||||
|     "highlightTouchTargets": "Minder voor de hand liggende aanraakdoelen markeren.", |     "highlightTouchTargets": "Markeer minder voor de hand liggende aanraakdoelen.", | ||||||
|     "pickExportDir": "Kies de exportmap", |     "pickExportDir": "Kies de exportmap", | ||||||
|     "autoExportOnChanges": "Bij wijzigingen automatisch exporteren", |     "autoExportOnChanges": "Automatisch exporteren bij wijzigingen", | ||||||
|     "includeSettings": "Instellingen opnemen", |     "includeSettings": "Instellingen opnemen", | ||||||
|     "filterVersionsByRegEx": "Versies met een reguliere expressie filteren", |     "filterVersionsByRegEx": "Filter versies met een reguliere expressie", | ||||||
|     "trySelectingSuggestedVersionCode": "Probeer de voorgestelde versiecode APK te selecteren", |     "trySelectingSuggestedVersionCode": "Probeer de voorgestelde versiecode APK te selecteren", | ||||||
|     "dontSortReleasesList": "Volgorde van releases behouden vanuit de API", |     "dontSortReleasesList": "Volgorde van releases behouden vanuit de API", | ||||||
|     "reverseSort": "Omgekeerde sortering", |     "reverseSort": "Sortering omkeren", | ||||||
|     "takeFirstLink": "Neem de eerste link", |     "takeFirstLink": "Neem de eerste link", | ||||||
|     "skipSort": "Sortering overslaan", |     "skipSort": "Sorteren overslaan", | ||||||
|     "debugMenu": "Debug-menu", |     "debugMenu": "Debug menu", | ||||||
|     "bgTaskStarted": "Achtergrondtaak gestart - controleer de logs.", |     "bgTaskStarted": "Achtergrondtaak gestart - controleer de logs.", | ||||||
|     "runBgCheckNow": "Nu een achtergrond-updatecontrole uitvoeren", |     "runBgCheckNow": "Voer nu een achtergrondupdatecontrole uit", | ||||||
|     "versionExtractWholePage": "De reguliere expressie voor versie-extractie toepassen op de hele pagina", |     "versionExtractWholePage": "De reguliere expressie voor versie-extractie toepassen op de hele pagina", | ||||||
|     "installing": "Installeren", |     "installing": "Installeren", | ||||||
|     "skipUpdateNotifications": "Updatemeldingen overslaan", |     "skipUpdateNotifications": "Updatemeldingen overslaan", | ||||||
|     "updatesAvailableNotifChannel": "Updates beschikbaar", |     "updatesAvailableNotifChannel": "Updates beschikbaar", | ||||||
|     "appsUpdatedNotifChannel": "Apps bijgewerkt", |     "appsUpdatedNotifChannel": "Apps bijgewerkt", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Pogingen tot app-updates", |     "appsPossiblyUpdatedNotifChannel": "Poging tot app-updates", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Foutcontrole bij het zoeken naar updates", |     "errorCheckingUpdatesNotifChannel": "Foutcontrole bij het zoeken naar updates", | ||||||
|     "appsRemovedNotifChannel": "Apps verwijderd", |     "appsRemovedNotifChannel": "Apps verwijderd", | ||||||
|     "downloadingXNotifChannel": "{} downloaden", |     "downloadingXNotifChannel": "{} downloaden", | ||||||
|     "completeAppInstallationNotifChannel": "App-installatie voltooien", |     "completeAppInstallationNotifChannel": "Voltooien van de app-installatie", | ||||||
|     "checkingForUpdatesNotifChannel": "Controleren op updates", |     "checkingForUpdatesNotifChannel": "Controleren op updates", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Alleen geïnstalleerde apps en 'Alleen volgen' controleren op updates", |     "onlyCheckInstalledOrTrackOnlyApps": "Alleen geïnstalleerde en Track-Only apps controleren op updates", | ||||||
|     "supportFixedAPKURL": "Vaste APK-URL's ondersteunen", |     "supportFixedAPKURL": "Ondersteuning vaste APK URL's", | ||||||
|     "selectX": "{} selecteren", |     "selectX": "Selecteer {}", | ||||||
|     "parallelDownloads": "Parallelle downloads toestaan", |     "parallelDownloads": "Parallelle downloads toestaan", | ||||||
|     "useShizuku": "Shizuku of Sui gebruiken om te installeren", |     "installMethod": "Installatiemethode", | ||||||
|     "shizukuBinderNotFound": "Shizuku is niet actief", |     "normal": "Normaal", | ||||||
|     "shizukuOld": "Verouderde Shizuku-versie (<11) - bijwerken", |     "root": "Wortel", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku draait op Android < 8.1 met ADB - update Android of gebruik in plaats daarvan Sui", |     "shizukuBinderNotFound": "Shizuku draait niet", | ||||||
|     "shizukuPretendToBeGooglePlay": "Google Play instellen als installatiebron (bij Shizuku)", |     "useSystemFont": "Gebruik het systeemlettertype", | ||||||
|     "useSystemFont": "Systeemlettertype gebruiken", |     "systemFontError": "Fout bij het laden van het systeemlettertype: {}", | ||||||
|     "useVersionCodeAsOSVersion": "App versiecode gebruiken als door OS gedetecteerde versie", |     "useVersionCodeAsOSVersion": "Gebruik app versieCode als door OS gedetecteerde versie", | ||||||
|     "requestHeader": "Verzoekkoptekst", |     "requestHeader": "Verzoekkoptekst", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Laatste upload als releasedatum gebruiken", |     "useLatestAssetDateAsReleaseDate": "Gebruik laatste upload als releasedatum", | ||||||
|     "defaultPseudoVersioningMethod": "Standaard pseudo-versiebeheermethode", |     "defaultPseudoVersioningMethod": "Standaard pseudo-versiebeheermethode", | ||||||
|     "partialAPKHash": "Gedeeltelijke APK-hash", |     "partialAPKHash": "Gedeeltelijke APK-hash", | ||||||
|     "APKLinkHash": "APK-link-hash", |     "APKLinkHash": "APK-link-hash", | ||||||
| @@ -313,45 +299,21 @@ | |||||||
|     "note": "Opmerking", |     "note": "Opmerking", | ||||||
|     "selfHostedNote": "De \"{}\" dropdown kan gebruikt worden om zelf gehoste/aangepaste instanties van elke bron te bereiken.", |     "selfHostedNote": "De \"{}\" dropdown kan gebruikt worden om zelf gehoste/aangepaste instanties van elke bron te bereiken.", | ||||||
|     "badDownload": "De APK kon niet worden verwerkt (incompatibele of gedeeltelijke download)", |     "badDownload": "De APK kon niet worden verwerkt (incompatibele of gedeeltelijke download)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Nieuwe Apps delen met AppVerifier (indien beschikbaar)", |  | ||||||
|     "appVerifierInstructionToast": "Deel het met AppVerifier en keer daarna hier terug.", |  | ||||||
|     "wiki": "Help/wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Crowdsourced App-configuraties (gebruik op eigen risico)", |  | ||||||
|     "crowdsourcedConfigsShort": "App-configuraties door menigte", |  | ||||||
|     "allowInsecure": "Onveilige HTTP-verzoeken toestaan", |  | ||||||
|     "stayOneVersionBehind": "Blijf een versie achter op de nieuwste", |  | ||||||
|     "useFirstApkOfVersion": "Automatisch de eerste van meerdere APK's selecteren", |  | ||||||
|     "refreshBeforeDownload": "Vernieuw app details voor download", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Naam", |  | ||||||
|     "smartname": "Naam (Slim)", |  | ||||||
|     "sortMethod": "Sorteermethode", |  | ||||||
|     "welcome": "Welkom", |  | ||||||
|     "documentationLinksNote": "De GitHub pagina van Obtainium waarnaar hieronder wordt gelinkt bevat links naar video's, artikelen, discussies en andere bronnen die je zullen helpen begrijpen hoe je de app kunt gebruiken.", |  | ||||||
|     "batteryOptimizationNote": "Merk op dat downloads op de achtergrond mogelijk betrouwbaarder werken als je de batterijoptimalisatie van het besturingssysteem voor Obtainium uitschakelt.", |  | ||||||
|     "fileDeletionError": "Bestand is niet verwijderd (probeer het handmatig te verwijderen en probeer het opnieuw): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Gebruik een voorgronddienst voor het controleren van updates (betrouwbaarder, verbruikt meer stroom)", |  | ||||||
|     "fgServiceNotice": "Deze melding is nodig voor het controleren van updates op de achtergrond (kan worden verborgen in de OS-instellingen)", |  | ||||||
|     "excludeSecrets": "Geheimen uitsluiten", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instantie voor GitHub verzoeken", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "App verwijderen?", |         "one": "App verwijderen?", | ||||||
|         "other": "Apps verwijderen?" |         "other": "Apps verwijderen?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Te veel verzoeken (aantal beperkt) - opnieuw proberen over {} minuut", |         "one": "Te veel verzoeken (aantal beperkt) - probeer het opnieuw in {} minuut", | ||||||
|         "other": "Te veel verzoeken (aantal beperkt) - opnieuw proberen over {} minuten" |         "other": "Te veel verzoeken (aantal beperkt) - probeer het opnieuw in {} minuten" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "Achtergrond-updatecontrole heeft een {}, zal een nieuwe controle plannen over {} minuut", |         "one": "Achtergrondupdatecontrole heeft een {}, zal een hercontrole plannen over {} minuut", | ||||||
|         "other": "Achtergrond-updatecontrole heeft een {}, zal een nieuwe controle plannen over {} minuten" |         "other": "Achtergrondupdatecontrole heeft een {}, zal een hercontrole plannen over {} minuten" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "Achtergrond-updatecontrole heeft {} update gevonden - zal de gebruiker op de hoogte stellen indien nodig", |         "one": "Achtergrondupdatecontrole heeft {} update gevonden - zal de gebruiker op de hoogte stellen indien nodig", | ||||||
|         "other": "Achtergrond-updatecontrole heeft {} updates gevonden - zal de gebruiker op de hoogte stellen indien nodig" |         "other": "Achtergrondupdatecontrole heeft {} updates gevonden - zal de gebruiker op de hoogte stellen indien nodig" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} app", |         "one": "{} app", | ||||||
| @@ -379,19 +341,15 @@ | |||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} en nog 1 app hebben updates.", |         "one": "{} en nog 1 app hebben updates.", | ||||||
|         "other": "{} en nog {} apps hebben updates." |         "other": "{} en {} meer apps hebben updates." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} en nog 1 app is bijgewerkt.", |         "one": "{} en nog 1 app is bijgewerkt.", | ||||||
|         "other": "{} en nog {} apps zijn bijgewerkt." |         "other": "{} en {} meer apps zijn bijgewerkt." | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Bijwerken mislukt voor {} en nog 1 app.", |  | ||||||
|         "other": "Bijwerken mislukt voor {} en nog {} apps." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} en nog 1 app zijn mogelijk bijgewerkt.", |         "one": "{} en nog 1 app zijn mogelijk bijgewerkt.", | ||||||
|         "other": "{} en nog {} apps zijn mogelijk bijgwerkt." |         "other": "{} en {} meer apps zijn mogelijk bijgwerkt." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|   | |||||||
| @@ -6,7 +6,7 @@ | |||||||
|     "cantInstallOlderVersion": "Nie można zainstalować starszej wersji aplikacji", |     "cantInstallOlderVersion": "Nie można zainstalować starszej wersji aplikacji", | ||||||
|     "appIdMismatch": "Pobrane ID pakietu nie pasuje do istniejącego ID aplikacji", |     "appIdMismatch": "Pobrane ID pakietu nie pasuje do istniejącego ID aplikacji", | ||||||
|     "functionNotImplemented": "Ta klasa nie zaimplementowała tej funkcji", |     "functionNotImplemented": "Ta klasa nie zaimplementowała tej funkcji", | ||||||
|     "placeholder": "Placeholder", |     "placeholder": "Zbiornik", | ||||||
|     "someErrors": "Wystąpiły pewne błędy", |     "someErrors": "Wystąpiły pewne błędy", | ||||||
|     "unexpectedError": "Nieoczekiwany błąd", |     "unexpectedError": "Nieoczekiwany błąd", | ||||||
|     "ok": "Okej", |     "ok": "Okej", | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(Wymagane)", |     "requiredInBrackets": "(Wymagane)", | ||||||
|     "dropdownNoOptsError": "BŁĄD: LISTA ROZWIJANA MUSI MIEĆ CO NAJMNIEJ JEDNĄ OPCJĘ", |     "dropdownNoOptsError": "BŁĄD: LISTA ROZWIJANA MUSI MIEĆ CO NAJMNIEJ JEDNĄ OPCJĘ", | ||||||
|     "colour": "Kolor", |     "colour": "Kolor", | ||||||
|     "standard": "Domyślny", |  | ||||||
|     "custom": "Własny", |  | ||||||
|     "useMaterialYou": "Material You", |  | ||||||
|     "githubStarredRepos": "Repozytoria GitHub oznaczone gwiazdką", |     "githubStarredRepos": "Repozytoria GitHub oznaczone gwiazdką", | ||||||
|     "uname": "Nazwa użytkownika", |     "uname": "Nazwa użytkownika", | ||||||
|     "wrongArgNum": "Nieprawidłowa liczba podanych argumentów", |     "wrongArgNum": "Nieprawidłowa liczba podanych argumentów", | ||||||
| @@ -55,7 +52,7 @@ | |||||||
|     "pleaseWait": "Proszę czekać", |     "pleaseWait": "Proszę czekać", | ||||||
|     "updateAvailable": "Dostępna aktualizacja", |     "updateAvailable": "Dostępna aktualizacja", | ||||||
|     "notInstalled": "Nie zainstalowano", |     "notInstalled": "Nie zainstalowano", | ||||||
|     "pseudoVersion": "pseudo-wersja", |     "pseudoVersion": "pseudowersja", | ||||||
|     "selectAll": "Zaznacz wszystkie", |     "selectAll": "Zaznacz wszystkie", | ||||||
|     "deselectX": "Odznacz {}", |     "deselectX": "Odznacz {}", | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} zostanie usunięty z Obtainium, ale pozostanie zainstalowany na urządzeniu.", |     "xWillBeRemovedButRemainInstalled": "{} zostanie usunięty z Obtainium, ale pozostanie zainstalowany na urządzeniu.", | ||||||
| @@ -76,7 +73,7 @@ | |||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Zresetować status instalacji dla wybranych aplikacji?", |     "resetInstallStatusForSelectedAppsQuestion": "Zresetować status instalacji dla wybranych aplikacji?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "Stan instalacji wybranych aplikacji zostanie zresetowany.\n\nMoże być to pomocne, gdy wersja aplikacji wyświetlana w Obtainium jest nieprawidłowa z powodu nieudanych aktualizacji lub innych problemów.", |     "installStatusOfXWillBeResetExplanation": "Stan instalacji wybranych aplikacji zostanie zresetowany.\n\nMoże być to pomocne, gdy wersja aplikacji wyświetlana w Obtainium jest nieprawidłowa z powodu nieudanych aktualizacji lub innych problemów.", | ||||||
|     "customLinkMessage": "Te linki działają na urządzeniach z zainstalowanym Obtainium", |     "customLinkMessage": "Te linki działają na urządzeniach z zainstalowanym Obtainium", | ||||||
|     "shareAppConfigLinks": "Udostępnij konfigurację aplikacji w formie linku", |     "shareAppConfigLinks": "Udostępnij konfigurację aplikacji jako link HTML", | ||||||
|     "shareSelectedAppURLs": "Udostępnij wybrane adresy URL aplikacji", |     "shareSelectedAppURLs": "Udostępnij wybrane adresy URL aplikacji", | ||||||
|     "resetInstallStatus": "Zresetuj stan instalacji", |     "resetInstallStatus": "Zresetuj stan instalacji", | ||||||
|     "more": "Więcej", |     "more": "Więcej", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Ciemny", |     "dark": "Ciemny", | ||||||
|     "light": "Jasny", |     "light": "Jasny", | ||||||
|     "followSystem": "Zgodny z systemem", |     "followSystem": "Zgodny z systemem", | ||||||
|     "followSystemThemeExplanation": "Podążanie za motywem systemowym jest możliwe tylko przy użyciu aplikacji firm trzecich", |  | ||||||
|     "useBlackTheme": "Użyj czarnego motywu", |     "useBlackTheme": "Użyj czarnego motywu", | ||||||
|     "appSortBy": "Sortuj aplikacje według", |     "appSortBy": "Sortuj aplikacje według", | ||||||
|     "authorName": "Autor/Nazwa", |     "authorName": "Autor/Nazwa", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Brak nowych aktualizacji.", |     "noNewUpdates": "Brak nowych aktualizacji.", | ||||||
|     "xHasAnUpdate": "{} ma aktualizację.", |     "xHasAnUpdate": "{} ma aktualizację.", | ||||||
|     "appsUpdated": "Zaktualizowano aplikacje", |     "appsUpdated": "Zaktualizowano aplikacje", | ||||||
|     "appsNotUpdated": "Nie udało się zaktualizować aplikacji", |  | ||||||
|     "appsUpdatedNotifDescription": "Informuje, gdy co najmniej jedna aplikacja została zaktualizowana w tle", |     "appsUpdatedNotifDescription": "Informuje, gdy co najmniej jedna aplikacja została zaktualizowana w tle", | ||||||
|     "xWasUpdatedToY": "{} zaktualizowano do {}.", |     "xWasUpdatedToY": "{} zaktualizowano do {}.", | ||||||
|     "xWasNotUpdatedToY": "Błąd aktualizacji {} do {}.", |  | ||||||
|     "errorCheckingUpdates": "Błąd sprawdzania aktualizacji", |     "errorCheckingUpdates": "Błąd sprawdzania aktualizacji", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Jest wyświetlane, gdy sprawdzanie aktualizacji w tle nie powiedzie się", |     "errorCheckingUpdatesNotifDescription": "Jest wyświetlane, gdy sprawdzanie aktualizacji w tle nie powiedzie się", | ||||||
|     "appsRemoved": "Usunięte aplikacje", |     "appsRemoved": "Usunięte aplikacje", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "Korekta wersji wyłączona (wtyczka wydaje się nie działać)", |     "versionCorrectionDisabled": "Korekta wersji wyłączona (wtyczka wydaje się nie działać)", | ||||||
|     "unknown": "Nieznane", |     "unknown": "Nieznane", | ||||||
|     "none": "Brak", |     "none": "Brak", | ||||||
|     "all": "Wszystkie", |  | ||||||
|     "never": "Nigdy", |     "never": "Nigdy", | ||||||
|     "latestVersionX": "Najnowsza wersja: {}", |     "latestVersionX": "Najnowsza wersja: {}", | ||||||
|     "installedVersionX": "Zainstalowana wersja: {}", |     "installedVersionX": "Zainstalowana wersja: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "Nie znaleziono aplikacji o tym identyfikatorze lub nazwie", |     "appWithIdOrNameNotFound": "Nie znaleziono aplikacji o tym identyfikatorze lub nazwie", | ||||||
|     "reposHaveMultipleApps": "Repozytoria mogą zawierać wiele aplikacji", |     "reposHaveMultipleApps": "Repozytoria mogą zawierać wiele aplikacji", | ||||||
|     "fdroidThirdPartyRepo": "Zewnętrzne repo F-Droid", |     "fdroidThirdPartyRepo": "Zewnętrzne repo F-Droid", | ||||||
|  |     "steamMobile": "Mobilny Steam", | ||||||
|  |     "steamChat": "Czat Steam", | ||||||
|     "install": "Instaluj", |     "install": "Instaluj", | ||||||
|     "markInstalled": "Oznacz jako zainstalowane", |     "markInstalled": "Oznacz jako zainstalowane", | ||||||
|     "update": "Zaktualizuj", |     "update": "Zaktualizuj", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Wyłącz wykrywanie wersji", |     "disableVersionDetection": "Wyłącz wykrywanie wersji", | ||||||
|     "noVersionDetectionExplanation": "Opcja ta powinna być używana tylko w przypadku aplikacji, w których wykrywanie wersji nie działa poprawnie.", |     "noVersionDetectionExplanation": "Opcja ta powinna być używana tylko w przypadku aplikacji, w których wykrywanie wersji nie działa poprawnie.", | ||||||
|     "downloadingX": "Pobieranie {}", |     "downloadingX": "Pobieranie {}", | ||||||
|     "downloadX": "Pobierz {}", |  | ||||||
|     "downloadedX": "Pobrano {}", |  | ||||||
|     "releaseAsset": "Wydany pakiet", |  | ||||||
|     "downloadNotifDescription": "Informuje o postępach w pobieraniu aplikacji", |     "downloadNotifDescription": "Informuje o postępach w pobieraniu aplikacji", | ||||||
|     "noAPKFound": "Nie znaleziono pakietu APK", |     "noAPKFound": "Nie znaleziono pakietu APK", | ||||||
|     "noVersionDetection": "Bez wykrywania wersji", |     "noVersionDetection": "Bez wykrywania wersji", | ||||||
| @@ -212,17 +204,15 @@ | |||||||
|     "uninstallFromDevice": "Odinstaluj z urządzenia", |     "uninstallFromDevice": "Odinstaluj z urządzenia", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Działa tylko w przypadku aplikacji z wyłączonym wykrywaniem wersji.", |     "onlyWorksWithNonVersionDetectApps": "Działa tylko w przypadku aplikacji z wyłączonym wykrywaniem wersji.", | ||||||
|     "releaseDateAsVersion": "Użyj daty wydania jako wersji", |     "releaseDateAsVersion": "Użyj daty wydania jako wersji", | ||||||
|     "releaseTitleAsVersion": "Używaj nazwy wydania jako ciągu wersji", |  | ||||||
|     "releaseDateAsVersionExplanation": "Opcja ta powinna być używana tylko w przypadku aplikacji, w których wykrywanie wersji nie działa poprawnie, ale dostępna jest data wydania.", |     "releaseDateAsVersionExplanation": "Opcja ta powinna być używana tylko w przypadku aplikacji, w których wykrywanie wersji nie działa poprawnie, ale dostępna jest data wydania.", | ||||||
|     "changes": "Zmiany", |     "changes": "Zmiany", | ||||||
|     "releaseDate": "Data wydania", |     "releaseDate": "Data wydania", | ||||||
|     "importFromURLsInFile": "Importuj z adresów URL w pliku (typu OPML)", |     "importFromURLsInFile": "Importuj z adresów URL w pliku (typu OPML)", | ||||||
|     "versionDetectionExplanation": "Uzgodnij ciąg wersji z wersją wykrytą przez system operacyjny", |     "versionDetectionExplanation": "Uzgodnij ciąg wersji z wersją wykrytą w systemie operacyjnym", | ||||||
|     "versionDetection": "Wykrywanie wersji", |     "versionDetection": "Wykrywanie wersji", | ||||||
|     "standardVersionDetection": "Standardowe wykrywanie wersji", |     "standardVersionDetection": "Standardowe wykrywanie wersji", | ||||||
|     "groupByCategory": "Grupuj według kategorii", |     "groupByCategory": "Grupuj według kategorii", | ||||||
|     "autoApkFilterByArch": "Spróbuj filtrować pliki APK według architektury procesora, jeśli to możliwe", |     "autoApkFilterByArch": "Spróbuj filtrować pliki APK według architektury procesora, jeśli to możliwe", | ||||||
|     "autoLinkFilterByArch": "Spróbuj filtrować linki według architektury procesora, jeśli to możliwe.", |  | ||||||
|     "overrideSource": "Nadpisz źródło", |     "overrideSource": "Nadpisz źródło", | ||||||
|     "dontShowAgain": "Nie pokazuj tego ponownie", |     "dontShowAgain": "Nie pokazuj tego ponownie", | ||||||
|     "dontShowTrackOnlyWarnings": "Nie pokazuj ostrzeżeń \"Tylko obserwowana\"", |     "dontShowTrackOnlyWarnings": "Nie pokazuj ostrzeżeń \"Tylko obserwowana\"", | ||||||
| @@ -252,18 +242,14 @@ | |||||||
|     "backgroundUpdateReqsExplanation": "Aktualizacje w tle mogą nie być możliwe dla wszystkich aplikacji.", |     "backgroundUpdateReqsExplanation": "Aktualizacje w tle mogą nie być możliwe dla wszystkich aplikacji.", | ||||||
|     "backgroundUpdateLimitsExplanation": "Powodzenie instalacji w tle można określić dopiero po otwarciu Obtainium.", |     "backgroundUpdateLimitsExplanation": "Powodzenie instalacji w tle można określić dopiero po otwarciu Obtainium.", | ||||||
|     "verifyLatestTag": "Zweryfikuj najnowszy tag", |     "verifyLatestTag": "Zweryfikuj najnowszy tag", | ||||||
|     "intermediateLinkRegex": "Filtr linków \"pośrednich\" do odwiedzenia w pierwszej kolejności", |     "intermediateLinkRegex": "Filtruj link \"pośredni\" do odwiedzenia", | ||||||
|     "filterByLinkText": "Filtruj linki według tekstu linku", |     "filterByLinkText": "Filtruj linki według tekstu linku", | ||||||
|     "matchLinksOutsideATags": "Dopasowywanie linków poza znacznikami <a>", |  | ||||||
|     "intermediateLinkNotFound": "Nie znaleziono linku pośredniego", |     "intermediateLinkNotFound": "Nie znaleziono linku pośredniego", | ||||||
|     "intermediateLink": "Link pośredni", |     "intermediateLink": "Łącze pośrednie", | ||||||
|     "exemptFromBackgroundUpdates": "Wyklucz z uaktualnień w tle (jeśli są włączone)", |     "exemptFromBackgroundUpdates": "Wyklucz z uaktualnień w tle (jeśli są włączone)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Wyłącz aktualizacje w tle, gdy nie ma połączenia z Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Wyłącz aktualizacje w tle, gdy nie ma połączenia z Wi-Fi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Wyłącz aktualizacje w tle, gdy urządzenie nie jest ładowane", |  | ||||||
|     "autoSelectHighestVersionCode": "Automatycznie wybierz najwyższy kod wersji APK", |     "autoSelectHighestVersionCode": "Automatycznie wybierz najwyższy kod wersji APK", | ||||||
|     "versionExtractionRegEx": "Wyrażenie regularne wyodrębniające wersję", |     "versionExtractionRegEx": "Wyrażenie regularne wyodrębniające wersję", | ||||||
|     "trimVersionString": "Przytnij ciąg wersji za pomocą RegEx", |  | ||||||
|     "matchGroupToUseForX": "Dopasuj grupę do użycia dla \"{}\"", |  | ||||||
|     "matchGroupToUse": "Dopasuj grupę do użycia dla wyrażenia regularnego wyodrębniania wersji", |     "matchGroupToUse": "Dopasuj grupę do użycia dla wyrażenia regularnego wyodrębniania wersji", | ||||||
|     "highlightTouchTargets": "Wyróżnij mniej oczywiste elementy dotykowe", |     "highlightTouchTargets": "Wyróżnij mniej oczywiste elementy dotykowe", | ||||||
|     "pickExportDir": "Wybierz katalog eksportu", |     "pickExportDir": "Wybierz katalog eksportu", | ||||||
| @@ -273,7 +259,7 @@ | |||||||
|     "trySelectingSuggestedVersionCode": "Spróbuj wybierać sugerowany kod wersji APK", |     "trySelectingSuggestedVersionCode": "Spróbuj wybierać sugerowany kod wersji APK", | ||||||
|     "dontSortReleasesList": "Utrzymaj kolejność wydań z interfejsu API", |     "dontSortReleasesList": "Utrzymaj kolejność wydań z interfejsu API", | ||||||
|     "reverseSort": "Odwrotne sortowanie", |     "reverseSort": "Odwrotne sortowanie", | ||||||
|     "takeFirstLink": "Wykorzystaj pierwszy link", |     "takeFirstLink": "Weź pierwszy link", | ||||||
|     "skipSort": "Pomiń sortowanie", |     "skipSort": "Pomiń sortowanie", | ||||||
|     "debugMenu": "Menu debugowania", |     "debugMenu": "Menu debugowania", | ||||||
|     "bgTaskStarted": "Uruchomiono zadanie w tle - sprawdź logi.", |     "bgTaskStarted": "Uruchomiono zadanie w tle - sprawdź logi.", | ||||||
| @@ -286,57 +272,33 @@ | |||||||
|     "appsPossiblyUpdatedNotifChannel": "Informuj o próbach aktualizacji", |     "appsPossiblyUpdatedNotifChannel": "Informuj o próbach aktualizacji", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Błędy sprawdzania aktualizacji", |     "errorCheckingUpdatesNotifChannel": "Błędy sprawdzania aktualizacji", | ||||||
|     "appsRemovedNotifChannel": "Usunięte aplikacje", |     "appsRemovedNotifChannel": "Usunięte aplikacje", | ||||||
|     "downloadingXNotifChannel": "Pobieranie {}", |     "downloadingXNotifChannel": "Pobieranie aplikacji", | ||||||
|     "completeAppInstallationNotifChannel": "Ukończenie instalacji aplikacji", |     "completeAppInstallationNotifChannel": "Ukończenie instalacji aplikacji", | ||||||
|     "checkingForUpdatesNotifChannel": "Sprawdzanie dostępności aktualizacji", |     "checkingForUpdatesNotifChannel": "Sprawdzanie dostępności aktualizacji", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Sprawdzaj tylko zainstalowane i obserwowane aplikacje pod kątem aktualizacji", |     "onlyCheckInstalledOrTrackOnlyApps": "Sprawdzaj tylko zainstalowane i obserwowane aplikacje pod kątem aktualizacji", | ||||||
|     "supportFixedAPKURL": "Obsługuj stałe adresy URL APK", |     "supportFixedAPKURL": "Obsługuj stałe adresy URL APK", | ||||||
|     "selectX": "Wybierz {}", |     "selectX": "Wybierz {}", | ||||||
|     "parallelDownloads": "Zezwalaj na równoległe pobierania", |     "parallelDownloads": "Zezwól na pobieranie równoległe", | ||||||
|     "useShizuku": "Użyj Shizuku lub Sui, aby zainstalować", |     "installMethod": "Metoda instalacji", | ||||||
|     "shizukuBinderNotFound": "Usługa Shizuku nie działa", |     "normal": "Normalna", | ||||||
|     "shizukuOld": "Stara wersja Shizuku (<11) - zaktualizuj ją", |     "root": "Źródło", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku przez ADB działa na Androidzie 8.1+. Zaktualizuj Androida lub użyj zamiast tego Sui", |     "shizukuBinderNotFound": "Shizuku is not running", | ||||||
|     "shizukuPretendToBeGooglePlay": "Ustaw Google Play jako źródło instalacji (jeśli używana jest aplikacja Shizuku)", |     "useSystemFont": "Użyj czcionki systemowej", | ||||||
|     "useSystemFont": "Czcionka systemowa", |     "systemFontError": "Błąd podczas ładowania czcionki systemowej: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Użyj versionCode aplikacji jako wersji wykrytej przez system operacyjny", |     "useVersionCodeAsOSVersion": "Użyj kodu wersji aplikacji jako wersji wykrytej przez system operacyjny", | ||||||
|     "requestHeader": "Nagłówek żądania", |     "requestHeader": "Nagłówek żądania", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Użyj najnowszego przesłanego zasobu jako daty wydania", |     "useLatestAssetDateAsReleaseDate": "Użyj najnowszego przesłanego zasobu jako daty wydania", | ||||||
|     "defaultPseudoVersioningMethod": "Domyślna metoda pseudo-wersji", |     "defaultPseudoVersioningMethod": "Domyślna metoda pseudowersji", | ||||||
|     "partialAPKHash": "Częściowy Hash pliku apk", |     "partialAPKHash": "Częściowy skrót APK", | ||||||
|     "APKLinkHash": "Link Hash pliku apk", |     "APKLinkHash": "Skrót łącza APK", | ||||||
|     "directAPKLink": "Bezpośredni link do pliku apk", |     "directAPKLink": "Bezpośredni link APK", | ||||||
|     "pseudoVersionInUse": "Pseudo-wersja jest w użyciu", |     "pseudoVersionInUse": "Pseudowersja jest w użyciu", | ||||||
|     "installed": "Zainstalowano", |     "installed": "Zainstalowano", | ||||||
|     "latest": "Najnowsza", |     "latest": "Najnowszy", | ||||||
|     "invertRegEx": "Odwróć wyrażenie regularne", |     "invertRegEx": "Odwróć wyrażenie regularne", | ||||||
|     "note": "Uwaga", |     "note": "Uwaga", | ||||||
|     "selfHostedNote": "Wybierz \"{}\", aby uzyskać dostęp do samodzielnie hostowanych lub niestandardowych instancji dowolnego źródła.", |     "selfHostedNote": "Lista rozwijana \"{}\" może być używana do uzyskiwania dostępu do samodzielnie hostowanych / niestandardowych instancji dowolnego źródła.", | ||||||
|     "badDownload": "Nie można przeanalizować pliku apk (jest niekompatybilny lub częściowo pobrany)", |     "badDownload": "Nie można przeanalizować pliku APK (niekompatybilny lub częściowo pobrany).", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Udostępnij nowe aplikacje za pomocą weryfikatora aplikacji (jeśli jest dostępny)", |  | ||||||
|     "appVerifierInstructionToast": "Udostępnij do weryfikatora aplikacji, a następnie wróć tutaj.", |  | ||||||
|     "wiki": "Pomoc/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Baza konfiguracji", |  | ||||||
|     "crowdsourcedConfigsShort": "Baza konfiguracji", |  | ||||||
|     "allowInsecure": "Zezwalaj na niezabezpieczone żądania HTTP", |  | ||||||
|     "stayOneVersionBehind": "Pozostań jedną wersję w tyle za najnowszą", |  | ||||||
|     "useFirstApkOfVersion": "Automatyczny wybór pierwszego z wielu plików APK", |  | ||||||
|     "refreshBeforeDownload": "Odśwież szczegóły aplikacji przed pobraniem", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Nazwa", |  | ||||||
|     "smartname": "Nazwa (Smart)", |  | ||||||
|     "sortMethod": "Metoda sortowania", |  | ||||||
|     "welcome": "Witamy", |  | ||||||
|     "documentationLinksNote": "Strona Obtainium GitHub, do której link znajduje się poniżej, zawiera linki do filmów, artykułów, dyskusji i innych zasobów, które pomogą ci zrozumieć, jak korzystać z aplikacji.", |  | ||||||
|     "batteryOptimizationNote": "Należy pamiętać, że pobieranie w tle może działać bardziej niezawodnie po wyłączeniu optymalizacji baterii systemu operacyjnego dla Obtainium.", |  | ||||||
|     "fileDeletionError": "Nie udało się usunąć pliku (spróbuj usunąć go ręcznie, a następnie spróbuj ponownie): \"{}\"", |  | ||||||
|     "foregroundService": "Usługa nowej generacji Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Używanie usługi pierwszoplanowej do sprawdzania aktualizacji (bardziej niezawodne, zużywa więcej energii)", |  | ||||||
|     "fgServiceNotice": "To powiadomienie jest wymagane do sprawdzania aktualizacji w tle (można je ukryć w ustawieniach systemu operacyjnego).", |  | ||||||
|     "excludeSecrets": "Wyklucz sekrety", |  | ||||||
|     "GHReqPrefix": "Instancja \"sky22333/hubproxy\" dla żądań GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Usunąć aplikację?", |         "one": "Usunąć aplikację?", | ||||||
|         "few": "Usunąć aplikacje?", |         "few": "Usunąć aplikacje?", | ||||||
| @@ -409,12 +371,6 @@ | |||||||
|         "many": "{} i {} innych apek zostało zaktualizowanych.", |         "many": "{} i {} innych apek zostało zaktualizowanych.", | ||||||
|         "other": "{} i {} inne apki zostały zaktualizowane." |         "other": "{} i {} inne apki zostały zaktualizowane." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Błąd aktualizacji {} i 1 innej apki.", |  | ||||||
|         "few": "Błąd aktualizacji {} i {} innych apek.", |  | ||||||
|         "many": "Błąd aktualizacji {} i {} innych apek.", |  | ||||||
|         "other": "Błąd aktualizacji {} i {} innych apek." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} i 1 inna apka mogły zostać zaktualizowane.", |         "one": "{} i 1 inna apka mogły zostać zaktualizowane.", | ||||||
|         "few": "{} i {} inne apki mogły zostać zaktualizowane.", |         "few": "{} i {} inne apki mogły zostać zaktualizowane.", | ||||||
| @@ -422,9 +378,7 @@ | |||||||
|         "other": "{} i {} inne apki mogły zostać zaktualizowane." |         "other": "{} i {} inne apki mogły zostać zaktualizowane." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} apk", |         "one": "{} APK", | ||||||
|         "few": "{} apki", |         "other": "{} APK" | ||||||
|         "many": "{} apek", |  | ||||||
|         "other": "{} apki" |  | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "Não é uma URL de app válida de {}", |  | ||||||
|     "noReleaseFound": "Não foi possível encontrar um lançamento adequado", |  | ||||||
|     "noVersionFound": "Não foi possível determinar a versão do lançamento", |  | ||||||
|     "urlMatchesNoSource": "A URL não corresponde com nenhuma fonte conhecida", |  | ||||||
|     "cantInstallOlderVersion": "Não é possível instalar uma versão mais antiga de um app", |  | ||||||
|     "appIdMismatch": "O ID do pacote baixado não corresponde ao existente", |  | ||||||
|     "functionNotImplemented": "Essa classe não implementou esse recurso ainda", |  | ||||||
|     "placeholder": "Espaço reservado", |  | ||||||
|     "someErrors": "Ocorreram alguns erros", |  | ||||||
|     "unexpectedError": "Erro inesperado", |  | ||||||
|     "ok": "Ok", |  | ||||||
|     "and": "e", |  | ||||||
|     "githubPATLabel": "Token de acesso pessoal do GitHub (aumenta o limite de taxa)", |  | ||||||
|     "includePrereleases": "Incluir pré-lançamentos", |  | ||||||
|     "fallbackToOlderReleases": "Recorrer à lançamentos mais antigos", |  | ||||||
|     "filterReleaseTitlesByRegEx": "Filtrar títulos de lançamentos por expressão regular", |  | ||||||
|     "invalidRegEx": "Expressão regular inválida", |  | ||||||
|     "noDescription": "Sem descrição", |  | ||||||
|     "cancel": "Cancelar", |  | ||||||
|     "continue": "Continuar", |  | ||||||
|     "requiredInBrackets": "(obrigatório)", |  | ||||||
|     "dropdownNoOptsError": "ERRO: O MENU DEVE TER PELO MENOS UMA OPÇÃO", |  | ||||||
|     "colour": "Cor", |  | ||||||
|     "standard": "Padrão", |  | ||||||
|     "custom": "Personalizado", |  | ||||||
|     "useMaterialYou": "Usar Material You", |  | ||||||
|     "githubStarredRepos": "Repositórios com estrela do GitHub", |  | ||||||
|     "uname": "Nome de usuário", |  | ||||||
|     "wrongArgNum": "Número errado de argumentos fornecidos", |  | ||||||
|     "xIsTrackOnly": "{} é somente de rastreio", |  | ||||||
|     "source": "Fonte", |  | ||||||
|     "app": "Aplicativo", |  | ||||||
|     "appsFromSourceAreTrackOnly": "Apps desta fonte são somente para rastreamento.", |  | ||||||
|     "youPickedTrackOnly": "Você selecionou a opção de somente rastreamento.", |  | ||||||
|     "trackOnlyAppDescription": "As atualizações do app serão rastreadas, mas o Obtainium não baixará ou instalará elas.", |  | ||||||
|     "cancelled": "Cancelado", |  | ||||||
|     "appAlreadyAdded": "O app já foi adicionado", |  | ||||||
|     "alreadyUpToDateQuestion": "O app já está atualizado?", |  | ||||||
|     "addApp": "Adicionar app", |  | ||||||
|     "appSourceURL": "URL da fonte do app", |  | ||||||
|     "error": "Erro", |  | ||||||
|     "add": "Adicionar", |  | ||||||
|     "searchSomeSourcesLabel": "Pesquisar (somente algumas fontes)", |  | ||||||
|     "search": "Pesquisar", |  | ||||||
|     "additionalOptsFor": "Opções adicionais de {}", |  | ||||||
|     "supportedSources": "Fontes suportadas", |  | ||||||
|     "trackOnlyInBrackets": "(somente rastreamento)", |  | ||||||
|     "searchableInBrackets": "(pesquisável)", |  | ||||||
|     "appsString": "Aplicativos", |  | ||||||
|     "noApps": "Nenhum app", |  | ||||||
|     "noAppsForFilter": "Nenhum app pro filtro", |  | ||||||
|     "byX": "Por {}", |  | ||||||
|     "percentProgress": "Progresso: {}%", |  | ||||||
|     "pleaseWait": "Por favor aguarde", |  | ||||||
|     "updateAvailable": "Atualização disponível", |  | ||||||
|     "notInstalled": "Não instalado", |  | ||||||
|     "pseudoVersion": "pseudo-versão", |  | ||||||
|     "selectAll": "Selecionar tudo", |  | ||||||
|     "deselectX": "Desselecionar {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} será removido do Obtainium mas continuará instalado no dispositivo.", |  | ||||||
|     "removeSelectedAppsQuestion": "Remover os apps selecionados?", |  | ||||||
|     "removeSelectedApps": "Remover apps selecionados", |  | ||||||
|     "updateX": "Atualizar {}", |  | ||||||
|     "installX": "Instalar {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "Marcar {}\n(somente rastreamento)\ncomo atualizado", |  | ||||||
|     "changeX": "Alterar {}", |  | ||||||
|     "installUpdateApps": "Instalar/atualizar apps", |  | ||||||
|     "installUpdateSelectedApps": "Instalar/atualizar apps selecionados", |  | ||||||
|     "markXSelectedAppsAsUpdated": "Marcar os {} apps selecionados como atualizados?", |  | ||||||
|     "no": "Não", |  | ||||||
|     "yes": "Sim", |  | ||||||
|     "markSelectedAppsUpdated": "Marcar apps selecionados como atualizados", |  | ||||||
|     "pinToTop": "Fixar ao topo", |  | ||||||
|     "unpinFromTop": "Desfixar do topo", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Redefinir o estado de instalação dos apps selecionados?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "Os estados de instalação dos apps selecionados serão redefinidos.\n\nIsso pode ajudar quando a versão exibida no Obtainium está incorreta devido a atualizações malsucedidas ou outros problemas.", |  | ||||||
|     "customLinkMessage": "Esses links funcionarão em dispositivos com o Obtainium instalado", |  | ||||||
|     "shareAppConfigLinks": "Compartilhar configuração do app como um link HTML", |  | ||||||
|     "shareSelectedAppURLs": "Compartilhar as URLs dos apps selecionados", |  | ||||||
|     "resetInstallStatus": "Redefinir estado de instalação", |  | ||||||
|     "more": "Mais", |  | ||||||
|     "removeOutdatedFilter": "Remover filtro de apps desatualizados", |  | ||||||
|     "showOutdatedOnly": "Mostrar somente apps desatualizados", |  | ||||||
|     "filter": "Filtro", |  | ||||||
|     "filterApps": "Filtrar apps", |  | ||||||
|     "appName": "Nome do app", |  | ||||||
|     "author": "Autor", |  | ||||||
|     "upToDateApps": "Apps atualizados", |  | ||||||
|     "nonInstalledApps": "Apps não instalados", |  | ||||||
|     "importExport": "Importar/Exportar", |  | ||||||
|     "settings": "Configurações", |  | ||||||
|     "exportedTo": "Exportado para {}", |  | ||||||
|     "obtainiumExport": "Exportação do Obtainium", |  | ||||||
|     "invalidInput": "Entrada inválida", |  | ||||||
|     "importedX": "{} importado(s)", |  | ||||||
|     "obtainiumImport": "Importação do Obtainium", |  | ||||||
|     "importFromURLList": "Importar da lista de URLs", |  | ||||||
|     "searchQuery": "Consulta de pesquisa", |  | ||||||
|     "appURLList": "Lista de URLs dos apps", |  | ||||||
|     "line": "Linha", |  | ||||||
|     "searchX": "Pesquisar {}", |  | ||||||
|     "noResults": "Nenhum resultado encontrado", |  | ||||||
|     "importX": "Importar {}", |  | ||||||
|     "importedAppsIdDisclaimer": "Os apps importados podem ser exibidos incorretamente como se não estivessem instalados.\nPara resolver isso, reinstale eles pelo Obtainium.\nIsso não afetará os dados dos apps.\n\nIsso somente afeta a URL e os métodos de importação de terceiros.", |  | ||||||
|     "importErrors": "Erros de importação", |  | ||||||
|     "importedXOfYApps": "{} de {} foram importados.", |  | ||||||
|     "followingURLsHadErrors": "As seguintes URLs tiveram erros:", |  | ||||||
|     "selectURL": "Selecionar URL", |  | ||||||
|     "selectURLs": "Selecionar URLs", |  | ||||||
|     "pick": "Escolher", |  | ||||||
|     "theme": "Tema", |  | ||||||
|     "dark": "Escuro", |  | ||||||
|     "light": "Claro", |  | ||||||
|     "followSystem": "Seguir o sistema", |  | ||||||
|     "followSystemThemeExplanation": "Só é possível seguir o tema do sistema ao usar aplicativos de terceiros", |  | ||||||
|     "useBlackTheme": "Usar o tema escuro de preto profundo", |  | ||||||
|     "appSortBy": "Ordenar apps por", |  | ||||||
|     "authorName": "Autor/nome", |  | ||||||
|     "nameAuthor": "Nome/autor", |  | ||||||
|     "asAdded": "Como adicionados", |  | ||||||
|     "appSortOrder": "Ordem dos apps", |  | ||||||
|     "ascending": "Crescente", |  | ||||||
|     "descending": "Decrescente", |  | ||||||
|     "bgUpdateCheckInterval": "Intervalo de busca por atualizações em segundo plano", |  | ||||||
|     "neverManualOnly": "Nunca - somente manualmente", |  | ||||||
|     "appearance": "Aparência", |  | ||||||
|     "showWebInAppView": "Mostrar a fonte da pagina web na tela de apps", |  | ||||||
|     "pinUpdates": "Fixar atualizações no topo da tela de apps", |  | ||||||
|     "updates": "Atualizações", |  | ||||||
|     "sourceSpecific": "Específico à fonte", |  | ||||||
|     "appSource": "Fonte do app", |  | ||||||
|     "noLogs": "Nenhum registro", |  | ||||||
|     "appLogs": "Registros do app", |  | ||||||
|     "close": "Fechar", |  | ||||||
|     "share": "Compartilhar", |  | ||||||
|     "appNotFound": "O app não foi encontrado", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-export", |  | ||||||
|     "pickAnAPK": "Selecione um APK", |  | ||||||
|     "appHasMoreThanOnePackage": "{} tem mais de um pacote:", |  | ||||||
|     "deviceSupportsXArch": "Seu dispositivo suporta a arquitetura de CPU {}.", |  | ||||||
|     "deviceSupportsFollowingArchs": "Seu dispositivo suporta as seguintes arquiteturas de CPU:", |  | ||||||
|     "warning": "Alerta", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "A fonte do app é '{}' mas o pacote de lançamento vem de '{}'. Continuar mesmo assim?", |  | ||||||
|     "updatesAvailable": "Atualizações disponíveis", |  | ||||||
|     "updatesAvailableNotifDescription": "Notifica o usuário que atualizações estão disponíveis para um ou mais apps rastreados pelo Obtainium", |  | ||||||
|     "noNewUpdates": "Nenhuma atualização disponível.", |  | ||||||
|     "xHasAnUpdate": "{} tem uma atualização.", |  | ||||||
|     "appsUpdated": "Apps atualizados", |  | ||||||
|     "appsNotUpdated": "Falhou ao atualizar os aplicativos", |  | ||||||
|     "appsUpdatedNotifDescription": "Notifica o usuário que atualizações de um ou mais apps foram aplicadas em segundo plano", |  | ||||||
|     "xWasUpdatedToY": "{} foi atualizado para a versão {}.", |  | ||||||
|     "xWasNotUpdatedToY": "Falha ao atualizar {} para a versão {}.", |  | ||||||
|     "errorCheckingUpdates": "Ocorreu um erro ao buscar atualizações", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "Uma notificação que mostra quando a busca de atualizações em segundo plano falha", |  | ||||||
|     "appsRemoved": "Apps removidos", |  | ||||||
|     "appsRemovedNotifDescription": "Notifica o usuário que um ou mais apps foram removidos devido a erros ao carregá-los", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} for removido devido ao erro: {}", |  | ||||||
|     "completeAppInstallation": "Concluir instalação do app", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "O Obtainium precisa estar aberto para instalar apps", |  | ||||||
|     "completeAppInstallationNotifDescription": "Pede pro usuário voltar ao Obtainium para concluir a instalação de um app", |  | ||||||
|     "checkingForUpdates": "Buscando atualizações", |  | ||||||
|     "checkingForUpdatesNotifDescription": "Notificação transitória que aparece ao buscar atualizações", |  | ||||||
|     "pleaseAllowInstallPerm": "Permita que o Obtainium instale apps", |  | ||||||
|     "trackOnly": "Somente rastreamento", |  | ||||||
|     "errorWithHttpStatusCode": "Erro {}", |  | ||||||
|     "versionCorrectionDisabled": "Correção de versão desativada (o plugin parece não funcionar)", |  | ||||||
|     "unknown": "Desconhecido", |  | ||||||
|     "none": "Nenhum", |  | ||||||
|     "all": "Todos", |  | ||||||
|     "never": "Nunca", |  | ||||||
|     "latestVersionX": "Mais recente: {}", |  | ||||||
|     "installedVersionX": "Instalado: {}", |  | ||||||
|     "lastUpdateCheckX": "Última busca por atualizações: {}", |  | ||||||
|     "remove": "Remover", |  | ||||||
|     "yesMarkUpdated": "Sim, marcar como atualizado", |  | ||||||
|     "fdroid": "Oficial do F-Droid", |  | ||||||
|     "appIdOrName": "ID do app ou nome", |  | ||||||
|     "appId": "ID do app", |  | ||||||
|     "appWithIdOrNameNotFound": "Nenhum app foi encontrado com aquele ID ou nome", |  | ||||||
|     "reposHaveMultipleApps": "Repositórios podem conter vários apps", |  | ||||||
|     "fdroidThirdPartyRepo": "Repositório de terceiros do F-Droid", |  | ||||||
|     "install": "Instalar", |  | ||||||
|     "markInstalled": "Marcar como instalado", |  | ||||||
|     "update": "Atualizar", |  | ||||||
|     "markUpdated": "Marcar como atualizado", |  | ||||||
|     "additionalOptions": "Opções adicionais", |  | ||||||
|     "disableVersionDetection": "Desativar detecção de versão", |  | ||||||
|     "noVersionDetectionExplanation": "Essa opção só seve ser usada para apps aonde a detecção de versão não funciona corretamente.", |  | ||||||
|     "downloadingX": "Baixando {}", |  | ||||||
|     "downloadX": "Baixar {}", |  | ||||||
|     "downloadedX": "{} foi baixado", |  | ||||||
|     "releaseAsset": "Item de lançamento", |  | ||||||
|     "downloadNotifDescription": "Notifica o usuário do progresso ao baixar um app", |  | ||||||
|     "noAPKFound": "Nenhum APK encontrado", |  | ||||||
|     "noVersionDetection": "Sem detecção de versão", |  | ||||||
|     "categorize": "Categorizar", |  | ||||||
|     "categories": "Categorias", |  | ||||||
|     "category": "Categoria", |  | ||||||
|     "noCategory": "Nenhuma categoria", |  | ||||||
|     "noCategories": "Nenhuma categoria", |  | ||||||
|     "deleteCategoriesQuestion": "Excluir categorias?", |  | ||||||
|     "categoryDeleteWarning": "Todos os apps em categorias excluídas ficarão sem categoria.", |  | ||||||
|     "addCategory": "Adicionar categoria", |  | ||||||
|     "label": "Rótulo", |  | ||||||
|     "language": "Idioma", |  | ||||||
|     "copiedToClipboard": "Copiado para a área de transferência", |  | ||||||
|     "storagePermissionDenied": "Permissão de armazenamento negada", |  | ||||||
|     "selectedCategorizeWarning": "Isso substituirá a configuração de categoria existente dos apps selecionados.", |  | ||||||
|     "filterAPKsByRegEx": "Filtrar APKs por expressão regular", |  | ||||||
|     "removeFromObtainium": "Remover do Obtainium", |  | ||||||
|     "uninstallFromDevice": "Desinstalar do dispositivo", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Funciona somente em apps com a detecção de versão desativada.", |  | ||||||
|     "releaseDateAsVersion": "Usar data de lançamento como número da versão", |  | ||||||
|     "releaseTitleAsVersion": "Usar título do lançamento como número da versão", |  | ||||||
|     "releaseDateAsVersionExplanation": "Essa opção só deve ser usada para apps quais a detecção de versão não funciona corretamente, mas uma data de lançamento está disponível.", |  | ||||||
|     "changes": "Alterações", |  | ||||||
|     "releaseDate": "Data de lançamento", |  | ||||||
|     "importFromURLsInFile": "Importar das URLs em arquivo (como OPML)", |  | ||||||
|     "versionDetectionExplanation": "Combinar o número da versão com a versão detectada pelo sistema", |  | ||||||
|     "versionDetection": "Detecção de versão", |  | ||||||
|     "standardVersionDetection": "Detecção de versão padrão", |  | ||||||
|     "groupByCategory": "Agrupar por categoria", |  | ||||||
|     "autoApkFilterByArch": "Tentar filtrar APKs pela arquitetura da CPU quando possível", |  | ||||||
|     "autoLinkFilterByArch": "Tentar filtrar links pela arquitetura da CPU quando possível", |  | ||||||
|     "overrideSource": "Sobrescrever fonte", |  | ||||||
|     "dontShowAgain": "Não mostrar isso novamente", |  | ||||||
|     "dontShowTrackOnlyWarnings": "Não mostrar alertas de \"somente rastreamento\"", |  | ||||||
|     "dontShowAPKOriginWarnings": "Não mostrar alertas de origem dos APKs", |  | ||||||
|     "moveNonInstalledAppsToBottom": "Mover apps não instalados ao final da tela de apps", |  | ||||||
|     "gitlabPATLabel": "Token de acesso pessoal do GitLab", |  | ||||||
|     "about": "Sobre", |  | ||||||
|     "requiresCredentialsInSettings": "{} precisa de credenciais adicionais (nas Configurações)", |  | ||||||
|     "checkOnStart": "Buscar atualizações ao abrir o app", |  | ||||||
|     "tryInferAppIdFromCode": "Tentar inferir o ID do app pelo código fonte", |  | ||||||
|     "removeOnExternalUninstall": "Remover automaticamente apps desinstalados externamente", |  | ||||||
|     "pickHighestVersionCode": "Selecionar APK de versão mais alta automaticamente", |  | ||||||
|     "checkUpdateOnDetailPage": "Buscar atualizações ao abrir a tela de detalhes de um app", |  | ||||||
|     "disablePageTransitions": "Desativar animações de transição de tela", |  | ||||||
|     "reversePageTransitions": "Inverter animações de transição de tela", |  | ||||||
|     "minStarCount": "Número de estrelas mínimo", |  | ||||||
|     "addInfoBelow": "Adicione essa informação abaixo.", |  | ||||||
|     "addInfoInSettings": "Adicione essa informação nas Configurações.", |  | ||||||
|     "githubSourceNote": "O limite de taxa do GitHub pode ser evitado ao usar uma chave de API.", |  | ||||||
|     "sortByLastLinkSegment": "Ordenar somente pelo ultimo segmento do link", |  | ||||||
|     "filterReleaseNotesByRegEx": "Filtrar notas de lançamento por expressão regular", |  | ||||||
|     "customLinkFilterRegex": "Filtro de link de APK personalizado por expressão regular (padrão '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "Tentativas de atualização de apps", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Notifica o usuário que atualizações de um ou mais apps podem ter sido aplicadas em segundo plano", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} pode ter sido atualizado para a versão {}.", |  | ||||||
|     "enableBackgroundUpdates": "Ativar atualizações em segundo plano", |  | ||||||
|     "backgroundUpdateReqsExplanation": "Atualizações em segundo plano podem não funcionar com todos os apps.", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "O sucesso de uma instalação em segundo plano só pode ser determinada ao abrir o Obtainium.", |  | ||||||
|     "verifyLatestTag": "Verificar a tag 'mais recente'", |  | ||||||
|     "intermediateLinkRegex": "Filtrar por um link 'intermediário' para visitar", |  | ||||||
|     "filterByLinkText": "Filtrar links por texto do link", |  | ||||||
|     "matchLinksOutsideATags": "Corresponder links fora das tags <a>", |  | ||||||
|     "intermediateLinkNotFound": "Link intermediário não encontrado", |  | ||||||
|     "intermediateLink": "Link intermediário", |  | ||||||
|     "exemptFromBackgroundUpdates": "Isento de atualizações em segundo plano (caso ativadas)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "Desativar atualizações em segundo plano fora do Wi-Fi", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "Desativar atualizações em segundo plano fora do carregador", |  | ||||||
|     "autoSelectHighestVersionCode": "Selecionar automaticamente APK com o código de versão mais alto", |  | ||||||
|     "versionExtractionRegEx": "ExReg de extração do número da versão", |  | ||||||
|     "trimVersionString": "Cortar número da versal com ExReg", |  | ||||||
|     "matchGroupToUseForX": "Corresponder grupo para o uso em \"{}\"", |  | ||||||
|     "matchGroupToUse": "Corresponder grupo para o uso para a extração do número da versão por ExReg", |  | ||||||
|     "highlightTouchTargets": "Acentuar alvos de toque menos óbvios", |  | ||||||
|     "pickExportDir": "Selecionar pasta de exportação", |  | ||||||
|     "autoExportOnChanges": "Exportar automaticamente ao ocorrer alterações", |  | ||||||
|     "includeSettings": "Incluir configurações", |  | ||||||
|     "filterVersionsByRegEx": "Filtrar versões por expressão regular", |  | ||||||
|     "trySelectingSuggestedVersionCode": "Tente selecionar o APK com o código de versão sugerido", |  | ||||||
|     "dontSortReleasesList": "Manter ordem de lançamento da API", |  | ||||||
|     "reverseSort": "Ordem inversa", |  | ||||||
|     "takeFirstLink": "Usar o primeiro link", |  | ||||||
|     "skipSort": "Pular ordenação", |  | ||||||
|     "debugMenu": "Menu de depuração", |  | ||||||
|     "bgTaskStarted": "Tarefa em segundo plano iniada - verifique os registros.", |  | ||||||
|     "runBgCheckNow": "Executar busca por atualizações em segundo plano agora", |  | ||||||
|     "versionExtractWholePage": "Aplicar ExReg de extração de número de versão à página inteira", |  | ||||||
|     "installing": "Instalando", |  | ||||||
|     "skipUpdateNotifications": "Pular notificações de atualização", |  | ||||||
|     "updatesAvailableNotifChannel": "Atualizações disponíveis", |  | ||||||
|     "appsUpdatedNotifChannel": "Apps atualizados", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Tentativas de atualização de apps", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "Erro ao buscar atualizações", |  | ||||||
|     "appsRemovedNotifChannel": "Apps removidos", |  | ||||||
|     "downloadingXNotifChannel": "Baixando {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "Concluir instalação do app", |  | ||||||
|     "checkingForUpdatesNotifChannel": "Buscando atualizações", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Buscar atualizações somente para apps instalados e de somente rastreamento", |  | ||||||
|     "supportFixedAPKURL": "Suportar URLs de APK fixas", |  | ||||||
|     "selectX": "Selecionar {}", |  | ||||||
|     "parallelDownloads": "Permitir downloads em paralelo", |  | ||||||
|     "useShizuku": "Usar Shizuku ou Sui para instalação", |  | ||||||
|     "shizukuBinderNotFound": "Serviço Shizuku não está em execução", |  | ||||||
|     "shizukuOld": "Versão do Shizuku antiga (<11) - atualize", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku sendo executado no Android < 8.1 com ADB - atualize o Android ou use o Sui", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Definir Google Play como a fonte de instalação (se o Shizuku é usado)", |  | ||||||
|     "useSystemFont": "Usar a fonte do sistema", |  | ||||||
|     "useVersionCodeAsOSVersion": "Usar código de versão do app como a versão detectada pelo sistema", |  | ||||||
|     "requestHeader": "Cabeçalho da solicitação", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "Usar o envio de item mais recente como a data de lançamento", |  | ||||||
|     "defaultPseudoVersioningMethod": "Método de pseudo-versão padrão", |  | ||||||
|     "partialAPKHash": "Hash do APK parcial", |  | ||||||
|     "APKLinkHash": "Hash do link do APK", |  | ||||||
|     "directAPKLink": "Link direto ao APK", |  | ||||||
|     "pseudoVersionInUse": "Uma pseudo-versão está em uso", |  | ||||||
|     "installed": "Instalado", |  | ||||||
|     "latest": "Mais recente", |  | ||||||
|     "invertRegEx": "Inverter expressão regular", |  | ||||||
|     "note": "Observação", |  | ||||||
|     "selfHostedNote": "O menu de opções \"{}\" pode ser usado para alcançar instâncias hospedadas-por-você/personalizadas de qualquer fonte.", |  | ||||||
|     "badDownload": "O APK não pode ser interpretado (incompatível ou baixado parcialmente)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Compartilhar apps novos com o AppVerifier (se disponível)", |  | ||||||
|     "appVerifierInstructionToast": "Compartilhe com o AppVerifier, e volte aqui ao estar pronto.", |  | ||||||
|     "wiki": "Ajuda/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Configurações de app pela comunidade (use ao seu próprio risco)", |  | ||||||
|     "crowdsourcedConfigsShort": "Configurações de app da comunidade", |  | ||||||
|     "allowInsecure": "Permitir solicitações de HTTP inseguras", |  | ||||||
|     "stayOneVersionBehind": "Ficar uma versão antes da mais recente", |  | ||||||
|     "useFirstApkOfVersion": "Seleção automática do primeiro de vários APKs", |  | ||||||
|     "refreshBeforeDownload": "Atualizar detalhes do app antes de baixar", |  | ||||||
|     "tencentAppStore": "Loja de Apps da Tencent", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "Vivo App Store (CN)", |  | ||||||
|     "name": "Nome", |  | ||||||
|     "smartname": "Nome (inteligente)", |  | ||||||
|     "sortMethod": "Método de ordenação", |  | ||||||
|     "welcome": "Boas vindas", |  | ||||||
|     "documentationLinksNote": "A página do Obtainium no GitHub visível abaixo contém links de vídeos, artigos, discussões, e outros recursos que podem te ajudar ao usar o app.", |  | ||||||
|     "batteryOptimizationNote": "Observe que os downloads em segundo plano podem funcionar de forma mais confiável se você desativar as otimizações de bateria do sistema operacional para o Obtainium.", |  | ||||||
|     "fileDeletionError": "Falha ao excluir o arquivo (tente excluí-lo manualmente e tente novamente): \"{}\"", |  | ||||||
|     "foregroundService": "Serviço de primeiro plano do Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Usar um serviço em primeiro plano para verificação de atualizações (mais confiável, consome mais energia)", |  | ||||||
|     "fgServiceNotice": "Essa notificação é necessária para a verificação de atualizações em segundo plano (ela pode ser ocultada nas configurações do sistema operacional)", |  | ||||||
|     "excludeSecrets": "Excluir segredos", |  | ||||||
|     "GHReqPrefix": "Instância \"sky22333/hubproxy\" para solicitações do GitHub", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "Remover app?", |  | ||||||
|         "other": "Remover apps?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "Muitas solicitações (limitado) - tente novamente em {} minuto", |  | ||||||
|         "other": "Muitas solicitações (limitado) - tente novamente em {} minutos" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "A busca de atualizações em segundo plano encontrou um {}, será agendado uma nova tentativa em {} minuto", |  | ||||||
|         "other": "A busca de atualizações em segundo plano encontrou um {}, será agendado uma nova tentativa em {} minutos" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "Verificação da atualização do BG encontrada {} atualização - notificará o usuário se necessário", |  | ||||||
|         "other": "Verificação de atualização do BG encontrou atualizações {} - notificará o usuário se necessário" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} app", |  | ||||||
|         "other": "{} apps" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} URL", |  | ||||||
|         "other": "{} URLs" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} minuto", |  | ||||||
|         "other": "{} minutos" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} hora", |  | ||||||
|         "other": "{} horas" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} dia", |  | ||||||
|         "other": "{} dias" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "Limpou {n} registros (before = {before}, after = {after})", |  | ||||||
|         "other": "Limpou {n} registros (antes = {before}, depois = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} e mais 1 app têm atualizações.", |  | ||||||
|         "other": "{} e mais {} apps têm atualizações." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} e mais 1 app foram atualizados.", |  | ||||||
|         "other": "{} e mais {} apps foram atualizados." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Falha ao atualizar {} e mais 1 app.", |  | ||||||
|         "other": "Falha ao atualizar {} e mais {} apps." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} e mais 1 app podem ter sido atualizados.", |  | ||||||
|         "other": "{} e mais {} apps podem ter sido atualizados." |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} APK", |  | ||||||
|         "other": "{} APKs" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(Necessário)", |     "requiredInBrackets": "(Necessário)", | ||||||
|     "dropdownNoOptsError": "ERRO: O DROPDOWN DEVE TER PELO MENOS UMA OPÇÃO", |     "dropdownNoOptsError": "ERRO: O DROPDOWN DEVE TER PELO MENOS UMA OPÇÃO", | ||||||
|     "colour": "Cor", |     "colour": "Cor", | ||||||
|     "standard": "Padrão", |  | ||||||
|     "custom": "Personalizado", |  | ||||||
|     "useMaterialYou": "Utilizar o material que", |  | ||||||
|     "githubStarredRepos": "repositórios favoritos no GitHub", |     "githubStarredRepos": "repositórios favoritos no GitHub", | ||||||
|     "uname": "Nome de usuário", |     "uname": "Nome de usuário", | ||||||
|     "wrongArgNum": "Número de argumentos errado", |     "wrongArgNum": "Número de argumentos errado", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Escuro", |     "dark": "Escuro", | ||||||
|     "light": "Claro", |     "light": "Claro", | ||||||
|     "followSystem": "Padrão do sistema", |     "followSystem": "Padrão do sistema", | ||||||
|     "followSystemThemeExplanation": "O tema do sistema seguinte só é possível através da utilização de aplicações de terceiros", |  | ||||||
|     "useBlackTheme": "Usar tema preto AMOLED", |     "useBlackTheme": "Usar tema preto AMOLED", | ||||||
|     "appSortBy": "Classificar aplicativo por", |     "appSortBy": "Classificar aplicativo por", | ||||||
|     "authorName": "Autor/Nome", |     "authorName": "Autor/Nome", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Sem novas atualizações.", |     "noNewUpdates": "Sem novas atualizações.", | ||||||
|     "xHasAnUpdate": "{} tem uma atualização.", |     "xHasAnUpdate": "{} tem uma atualização.", | ||||||
|     "appsUpdated": "Aplicativos atualizados", |     "appsUpdated": "Aplicativos atualizados", | ||||||
|     "appsNotUpdated": "Falha na atualização das aplicações", |  | ||||||
|     "appsUpdatedNotifDescription": "Notifica o usuário quando atualizações foram aplicadas em segundo-plano para um ou mais aplicativos ", |     "appsUpdatedNotifDescription": "Notifica o usuário quando atualizações foram aplicadas em segundo-plano para um ou mais aplicativos ", | ||||||
|     "xWasUpdatedToY": "{} foi atualizado para {}.", |     "xWasUpdatedToY": "{} foi atualizado para {}.", | ||||||
|     "xWasNotUpdatedToY": "Falha ao atualizar {} para {}.", |  | ||||||
|     "errorCheckingUpdates": "Erro ao procurar por atualizações", |     "errorCheckingUpdates": "Erro ao procurar por atualizações", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Uma notificação que mostra quando a checagem por atualizações em segundo-plano falha", |     "errorCheckingUpdatesNotifDescription": "Uma notificação que mostra quando a checagem por atualizações em segundo-plano falha", | ||||||
|     "appsRemoved": "Aplicativos removidos", |     "appsRemoved": "Aplicativos removidos", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "Correção de versão desativada (plugin parece não funcionar)", |     "versionCorrectionDisabled": "Correção de versão desativada (plugin parece não funcionar)", | ||||||
|     "unknown": "Desconhecido", |     "unknown": "Desconhecido", | ||||||
|     "none": "Nenhum", |     "none": "Nenhum", | ||||||
|     "all": "Todos", |  | ||||||
|     "never": "Nunca", |     "never": "Nunca", | ||||||
|     "latestVersionX": "Última versão: {}", |     "latestVersionX": "Última versão: {}", | ||||||
|     "installedVersionX": "Versão instalada: {}", |     "installedVersionX": "Versão instalada: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "Nenhum aplicativo foi encontrado com esse ID ou nome", |     "appWithIdOrNameNotFound": "Nenhum aplicativo foi encontrado com esse ID ou nome", | ||||||
|     "reposHaveMultipleApps": "Repositórios podem conter múltiplos aplicativos", |     "reposHaveMultipleApps": "Repositórios podem conter múltiplos aplicativos", | ||||||
|     "fdroidThirdPartyRepo": "Repositórios de terceiros F-Droid", |     "fdroidThirdPartyRepo": "Repositórios de terceiros F-Droid", | ||||||
|  |     "steamMobile": "Steam para celular", | ||||||
|  |     "steamChat": "Chat do Steam", | ||||||
|     "install": "Instalar", |     "install": "Instalar", | ||||||
|     "markInstalled": "Marcar instalado", |     "markInstalled": "Marcar instalado", | ||||||
|     "update": "Atualizar", |     "update": "Atualizar", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Desativar detecção de versão", |     "disableVersionDetection": "Desativar detecção de versão", | ||||||
|     "noVersionDetectionExplanation": "Essa opção deve apenas ser usada por aplicativos onde a detecção de versão não funciona corretamente.", |     "noVersionDetectionExplanation": "Essa opção deve apenas ser usada por aplicativos onde a detecção de versão não funciona corretamente.", | ||||||
|     "downloadingX": "Baixando {}", |     "downloadingX": "Baixando {}", | ||||||
|     "downloadX": "Descarregar {}", |  | ||||||
|     "downloadedX": "Descarregado {}", |  | ||||||
|     "releaseAsset": "Libertação de activos", |  | ||||||
|     "downloadNotifDescription": "Notifica o usuário o progresso do download de um aplicativo", |     "downloadNotifDescription": "Notifica o usuário o progresso do download de um aplicativo", | ||||||
|     "noAPKFound": "APK não encontrado", |     "noAPKFound": "APK não encontrado", | ||||||
|     "noVersionDetection": "Sem detecção de versão", |     "noVersionDetection": "Sem detecção de versão", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "Desinstalar do dispositivo", |     "uninstallFromDevice": "Desinstalar do dispositivo", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Apenas funciona para aplicativos com detecção de versão desativada.", |     "onlyWorksWithNonVersionDetectApps": "Apenas funciona para aplicativos com detecção de versão desativada.", | ||||||
|     "releaseDateAsVersion": "Usar data de lançamento como versão", |     "releaseDateAsVersion": "Usar data de lançamento como versão", | ||||||
|     "releaseTitleAsVersion": "Utilizar o título da versão como cadeia de versões", |  | ||||||
|     "releaseDateAsVersionExplanation": "Esta opção só deve ser usada para aplicativos onde a detecção de versão não funciona corretamente, mas há uma data de lançamento disponível.", |     "releaseDateAsVersionExplanation": "Esta opção só deve ser usada para aplicativos onde a detecção de versão não funciona corretamente, mas há uma data de lançamento disponível.", | ||||||
|     "changes": "Alterações", |     "changes": "Alterações", | ||||||
|     "releaseDate": "Data de lançamento", |     "releaseDate": "Data de lançamento", | ||||||
| @@ -222,7 +213,6 @@ | |||||||
|     "standardVersionDetection": "Detecção de versão padrão", |     "standardVersionDetection": "Detecção de versão padrão", | ||||||
|     "groupByCategory": "Agroupar por categoria", |     "groupByCategory": "Agroupar por categoria", | ||||||
|     "autoApkFilterByArch": "Tente filtrar APKs por arquitetura de CPU, se possível", |     "autoApkFilterByArch": "Tente filtrar APKs por arquitetura de CPU, se possível", | ||||||
|     "autoLinkFilterByArch": "Tentativa de filtrar as ligações por arquitetura de CPU, se possível", |  | ||||||
|     "overrideSource": "Substituir fonte", |     "overrideSource": "Substituir fonte", | ||||||
|     "dontShowAgain": "Não mostrar isso novamente", |     "dontShowAgain": "Não mostrar isso novamente", | ||||||
|     "dontShowTrackOnlyWarnings": "Não mostrar avisos 'Apenas monitorar'", |     "dontShowTrackOnlyWarnings": "Não mostrar avisos 'Apenas monitorar'", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "Verifique a 'última' etiqueta", |     "verifyLatestTag": "Verifique a 'última' etiqueta", | ||||||
|     "intermediateLinkRegex": "Filtrar um link 'intermediário' para visitar", |     "intermediateLinkRegex": "Filtrar um link 'intermediário' para visitar", | ||||||
|     "filterByLinkText": "Filtrar links pelo texto do link", |     "filterByLinkText": "Filtrar links pelo texto do link", | ||||||
|     "matchLinksOutsideATags": "Corresponder ligações fora das etiquetas <a>", |  | ||||||
|     "intermediateLinkNotFound": "Link intermediário não encontrado", |     "intermediateLinkNotFound": "Link intermediário não encontrado", | ||||||
|     "intermediateLink": "Link intermediário", |     "intermediateLink": "Link intermediário", | ||||||
|     "exemptFromBackgroundUpdates": "Isento de atualizações em segundo-plano (se ativadas)", |     "exemptFromBackgroundUpdates": "Isento de atualizações em segundo-plano (se ativadas)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Desative as atualizações em segundo-plano quando não estiver conectado no Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Desative as atualizações em segundo-plano quando não estiver conectado no Wi-Fi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Desativar actualizações em segundo plano quando não estiver a carregar", |  | ||||||
|     "autoSelectHighestVersionCode": "Auto-selecionar a versão mais recente", |     "autoSelectHighestVersionCode": "Auto-selecionar a versão mais recente", | ||||||
|     "versionExtractionRegEx": "Regex de extração de versão", |     "versionExtractionRegEx": "Regex de extração de versão", | ||||||
|     "trimVersionString": "Cortar a cadeia de caracteres da versão com RegEx", |  | ||||||
|     "matchGroupToUseForX": "Grupo de correspondência a utilizar para \"{}\"", |  | ||||||
|     "matchGroupToUse": "Grupo correspondente a ser usado no Regex de extração de versão", |     "matchGroupToUse": "Grupo correspondente a ser usado no Regex de extração de versão", | ||||||
|     "highlightTouchTargets": "Realçar áreas sensíveis ao toque que são menos óbvias", |     "highlightTouchTargets": "Realçar áreas sensíveis ao toque que são menos óbvias", | ||||||
|     "pickExportDir": "Escolher diretório para exportação", |     "pickExportDir": "Escolher diretório para exportação", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "Suporte a APK com URLs fixas", |     "supportFixedAPKURL": "Suporte a APK com URLs fixas", | ||||||
|     "selectX": "Selecionar {}", |     "selectX": "Selecionar {}", | ||||||
|     "parallelDownloads": "Permitir downloads paralelos", |     "parallelDownloads": "Permitir downloads paralelos", | ||||||
|     "useShizuku": "Utilizar Shizuku ou Sui para instalar", |     "installMethod": "Método de instalação", | ||||||
|  |     "normal": "Normal", | ||||||
|  |     "root": "Root", | ||||||
|     "shizukuBinderNotFound": "O Shizuku não está rodando", |     "shizukuBinderNotFound": "O Shizuku não está rodando", | ||||||
|     "shizukuOld": "Versão antiga do Shizuku (<11) - atualizar", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku a funcionar no Android < 8.1 com ADB - atualizar o Android ou utilizar o Sui", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Definir o Google Play como fonte de instalação (se for utilizado o Shizuku)", |  | ||||||
|     "useSystemFont": "Usar fonte padrão do sistema", |     "useSystemFont": "Usar fonte padrão do sistema", | ||||||
|  |     "systemFontError": "Erro ao carregar a fonte do sistema: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Usar versionCode do aplicativo como versão detectada pelo sistema operacional", |     "useVersionCodeAsOSVersion": "Usar versionCode do aplicativo como versão detectada pelo sistema operacional", | ||||||
|     "requestHeader": "Requisitar cabeçalho", |     "requestHeader": "Requisitar cabeçalho", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Use o último upload de recursos como data de lançamento", |     "useLatestAssetDateAsReleaseDate": "Use o último upload de recursos como data de lançamento", | ||||||
| @@ -313,85 +299,57 @@ | |||||||
|     "note": "Nota", |     "note": "Nota", | ||||||
|     "selfHostedNote": "O menu suspenso \"{}\" pode ser usado para acessar instâncias auto-hospedadas/personalizadas de qualquer fonte.", |     "selfHostedNote": "O menu suspenso \"{}\" pode ser usado para acessar instâncias auto-hospedadas/personalizadas de qualquer fonte.", | ||||||
|     "badDownload": "Não foi possível analisar o APK (transferência incompatível ou parcial)", |     "badDownload": "Não foi possível analisar o APK (transferência incompatível ou parcial)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Partilhar novas aplicações com o AppVerifier (se disponível)", |  | ||||||
|     "appVerifierInstructionToast": "Partilhe com o AppVerifier e, em seguida, regresse aqui quando estiver pronto.", |  | ||||||
|     "wiki": "Ajuda/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Configurações de aplicações de crowdsourcing (utilização por sua conta e risco)", |  | ||||||
|     "crowdsourcedConfigsShort": "Configurações de aplicações com base em crowdsourcing", |  | ||||||
|     "allowInsecure": "Permitir pedidos HTTP inseguros", |  | ||||||
|     "stayOneVersionBehind": "Manter-se uma versão atrás da mais recente", |  | ||||||
|     "useFirstApkOfVersion": "Seleção automática do primeiro de vários APKs", |  | ||||||
|     "refreshBeforeDownload": "Atualizar os detalhes da aplicação antes da transferência", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Nome", |  | ||||||
|     "smartname": "Nome (Smart)", |  | ||||||
|     "sortMethod": "Método de ordenação", |  | ||||||
|     "welcome": "Bem-vindo", |  | ||||||
|     "documentationLinksNote": "A página do Obtainium no GitHub com a ligação abaixo contém ligações para vídeos, artigos, discussões e outros recursos que o ajudarão a compreender como utilizar a aplicação.", |  | ||||||
|     "batteryOptimizationNote": "Note que os downloads em segundo plano podem funcionar de forma mais fiável se desativar as optimizações da bateria do SO para o Obtainium.", |  | ||||||
|     "fileDeletionError": "Falha ao eliminar o ficheiro (tente eliminá-lo manualmente e depois tente novamente): \"{}\"", |  | ||||||
|     "foregroundService": "Serviço de primeiro plano Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Utilizar um serviço em primeiro plano para verificação de actualizações (mais fiável, consome mais energia)", |  | ||||||
|     "fgServiceNotice": "Esta notificação é necessária para a verificação de actualizações em segundo plano (pode ser ocultada nas definições do SO)", |  | ||||||
|     "excludeSecrets": "Excluir segredos", |  | ||||||
|     "GHReqPrefix": "Instância 'sky22333/hubproxy' para pedidos de GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Remover aplicação?", |         "one": "Remover aplicativo?", | ||||||
|         "other": "Remover aplicações?" |         "other": "Remover aplicativos?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Muitos pedidos (taxa de pedidos limitada) - tente novamente em {} minuto", |         "one": "Muitas solicitações (taxa de solicitações limitada) - tente novamente em {} minuto", | ||||||
|         "other": "Muitos pedidos (taxa limitada) - tente novamente em {} minutos" |         "other": "Muitas solicitações (taxa limitada) - tente novamente em {} minutos" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "A verificação de atualizações em segundo plano encontrou um {}, agendada uma nova verificação em {} minuto", |         "one": "A verificação de atualizações em segundo-plano encontrou um {}, agendada uma nova verificação em {} minuto", | ||||||
|         "other": "A verificação de atualizações em segundo plano encontrou um {}, agendada uma nova verificação em {} minutos" |         "other": "A verificação de atualizações em segundo-plano encontrou um {}, agendada uma nova verificação em {} minutos" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "A verificação de atualizações em segundo plano encontrou {} atualização, o utilizador será notificado caso necessário", |         "one": "A verificação de atualizações em segundo-plano encontrou {} atualização, o usuário sera notificado caso necessário", | ||||||
|         "other": "A verificação de atualizações em segundo plano encontrou {} atualizações, o utilizador será notificado caso necessário" |         "other": "A verificação de atualizações em segundo-plano encontrou {} atualizações, o usuário sera notificado caso necessário" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} Aplicação", |         "one": "{} Aplicativo", | ||||||
|         "other": "{} Aplicações" |         "other": "{} Aplicativos" | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL", |         "one": "{} URL", | ||||||
|         "other": "{} URLs" |         "other": "{} URLs" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} minuto", |         "one": "{} Minuto", | ||||||
|         "other": "{} minutos" |         "other": "{} Minutos" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} hora", |         "one": "{} Hora", | ||||||
|         "other": "{} horas" |         "other": "{} Horas" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} dia", |         "one": "{} Dia", | ||||||
|         "other": "{} dias" |         "other": "{} Dias" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Foi limpo {n} log (antes = {antes}, depois = {depois})", |         "one": "Foi limpo {n} log (antes = {antes}, depois = {depois})", | ||||||
|         "other": "Foram limpos {n} logs (antes = {antes}, depois = {depois})" |         "other": "Foram limpos {n} logs (antes = {antes}, depois = {depois})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} e uma outra aplicação possui atualizações.", |         "one": "{} e um outro aplicativo possui atualizações.", | ||||||
|         "other": "{} e {} outras aplicações possuem atualizações." |         "other": "{} e {} outros aplicativo possuem atualizações." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} e uma outra aplicação foram atualizadas.", |         "one": "{} e um outro aplicativo foram atualizado.", | ||||||
|         "other": "{} e {} outras aplicações foram atualizadas." |         "other": "{} e {} outros aplicativos foram atualizados." | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Falha ao atualizar {} e mais 1 aplicação.", |  | ||||||
|         "other": "Falha ao atualizar {} e {} outras aplicações." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} e uma outra aplicação podem ter sido atualizadas.", |         "one": "{} e um outro aplicativo podem ter sido atualizados.", | ||||||
|         "other": "{} e {} outras aplicações podem ter sido atualizadas." |         "other": "{} e {} outros aplicativos podem ter sido atualizados." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|   | |||||||
| @@ -1,7 +1,7 @@ | |||||||
| { | { | ||||||
|     "invalidURLForSource": "Неверный URL-адрес приложения: {}", |     "invalidURLForSource": "Неверный URL-адрес приложения: {}", | ||||||
|     "noReleaseFound": "Не удалось найти подходящий выпуск", |     "noReleaseFound": "Не удалось найти подходящий релиз", | ||||||
|     "noVersionFound": "Не удалось определить версию выпуска", |     "noVersionFound": "Не удалось определить версию релиза", | ||||||
|     "urlMatchesNoSource": "URL-адрес не соответствует известному источнику", |     "urlMatchesNoSource": "URL-адрес не соответствует известному источнику", | ||||||
|     "cantInstallOlderVersion": "Невозможно установить более старую версию приложения", |     "cantInstallOlderVersion": "Невозможно установить более старую версию приложения", | ||||||
|     "appIdMismatch": "ID загруженного пакета не совпадает с существующим ID приложения", |     "appIdMismatch": "ID загруженного пакета не совпадает с существующим ID приложения", | ||||||
| @@ -9,12 +9,12 @@ | |||||||
|     "placeholder": "Заполнитель", |     "placeholder": "Заполнитель", | ||||||
|     "someErrors": "Возникли некоторые ошибки", |     "someErrors": "Возникли некоторые ошибки", | ||||||
|     "unexpectedError": "Неожиданная ошибка", |     "unexpectedError": "Неожиданная ошибка", | ||||||
|     "ok": "OK", |     "ok": "Ok", | ||||||
|     "and": "и", |     "and": "и", | ||||||
|     "githubPATLabel": "Персональный токен доступа GitHub\n(увеличивает лимит запросов)", |     "githubPATLabel": "Персональный токен доступа GitHub\n(увеличивает лимит запросов)", | ||||||
|     "includePrereleases": "Включать предварительные выпуски", |     "includePrereleases": "Включить предварительные релизы", | ||||||
|     "fallbackToOlderReleases": "Откатываться к предыдущей версии", |     "fallbackToOlderReleases": "Откатываться к предыдущей версии", | ||||||
|     "filterReleaseTitlesByRegEx": "Фильтровать заголовки выпусков\n(регулярное выражение)", |     "filterReleaseTitlesByRegEx": "Фильтровать заголовки релизов\n(регулярное выражение)", | ||||||
|     "invalidRegEx": "Неверное регулярное выражение", |     "invalidRegEx": "Неверное регулярное выражение", | ||||||
|     "noDescription": "Нет описания", |     "noDescription": "Нет описания", | ||||||
|     "cancel": "Отмена", |     "cancel": "Отмена", | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(обязательно)", |     "requiredInBrackets": "(обязательно)", | ||||||
|     "dropdownNoOptsError": "Ошибка: в выпадающем списке должна быть выбрана хотя бы одна настройка", |     "dropdownNoOptsError": "Ошибка: в выпадающем списке должна быть выбрана хотя бы одна настройка", | ||||||
|     "colour": "Цвет", |     "colour": "Цвет", | ||||||
|     "standard": "Стандартный", |  | ||||||
|     "custom": "Индивидуальный", |  | ||||||
|     "useMaterialYou": "Использовать Material You", |  | ||||||
|     "githubStarredRepos": "Избранные репозитории GitHub", |     "githubStarredRepos": "Избранные репозитории GitHub", | ||||||
|     "uname": "Имя пользователя", |     "uname": "Имя пользователя", | ||||||
|     "wrongArgNum": "Неправильное количество предоставленных аргументов", |     "wrongArgNum": "Неправильное количество предоставленных аргументов", | ||||||
| @@ -32,13 +29,13 @@ | |||||||
|     "source": "Источник", |     "source": "Источник", | ||||||
|     "app": "Приложение", |     "app": "Приложение", | ||||||
|     "appsFromSourceAreTrackOnly": "Приложения из этого источника настроены только для отслеживания", |     "appsFromSourceAreTrackOnly": "Приложения из этого источника настроены только для отслеживания", | ||||||
|     "youPickedTrackOnly": "Выбрана настройка «только для отслеживания»", |     "youPickedTrackOnly": "Вы выбрали опцию 'Только для отслеживания'", | ||||||
|     "trackOnlyAppDescription": "Приложение будет отслеживаться на предмет обновлений, но Obtainium не сможет загрузить или установить его", |     "trackOnlyAppDescription": "Приложение будет отслеживаться на предмет обновлений, но Obtainium не сможет загрузить или установить его", | ||||||
|     "cancelled": "Отменено", |     "cancelled": "Отменено", | ||||||
|     "appAlreadyAdded": "Приложение уже добавлено", |     "appAlreadyAdded": "Приложение уже добавлено", | ||||||
|     "alreadyUpToDateQuestion": "Приложение уже обновлено?", |     "alreadyUpToDateQuestion": "Приложение уже обновлено?", | ||||||
|     "addApp": "Добавить", |     "addApp": "Добавить", | ||||||
|     "appSourceURL": "URL-адрес источника приложения", |     "appSourceURL": "URL-источник приложения", | ||||||
|     "error": "Ошибка", |     "error": "Ошибка", | ||||||
|     "add": "Добавить", |     "add": "Добавить", | ||||||
|     "searchSomeSourcesLabel": "Поиск (в некоторых источниках)", |     "searchSomeSourcesLabel": "Поиск (в некоторых источниках)", | ||||||
| @@ -63,10 +60,10 @@ | |||||||
|     "removeSelectedApps": "Удалить выбранные приложения", |     "removeSelectedApps": "Удалить выбранные приложения", | ||||||
|     "updateX": "Обновить {}", |     "updateX": "Обновить {}", | ||||||
|     "installX": "Установить {}", |     "installX": "Установить {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Отметить {}\n(только для отслеживания)\nкак обновлённое", |     "markXTrackOnlyAsUpdated": "Отметить {}\n(Только для отслеживания)\nкак обновленное", | ||||||
|     "changeX": "Изменить {}", |     "changeX": "Изменить {}", | ||||||
|     "installUpdateApps": "Установить/обновить приложения", |     "installUpdateApps": "Установить/Обновить приложения", | ||||||
|     "installUpdateSelectedApps": "Установить/обновить выбранные приложения", |     "installUpdateSelectedApps": "Установить/Обновить выбранные приложения", | ||||||
|     "markXSelectedAppsAsUpdated": "Выбрано приложений: {}. Отметить как обновлённые?", |     "markXSelectedAppsAsUpdated": "Выбрано приложений: {}. Отметить как обновлённые?", | ||||||
|     "no": "Нет", |     "no": "Нет", | ||||||
|     "yes": "Да", |     "yes": "Да", | ||||||
| @@ -74,10 +71,10 @@ | |||||||
|     "pinToTop": "Закрепить сверху", |     "pinToTop": "Закрепить сверху", | ||||||
|     "unpinFromTop": "Открепить", |     "unpinFromTop": "Открепить", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Сбросить статус установки для выбранных приложений?", |     "resetInstallStatusForSelectedAppsQuestion": "Сбросить статус установки для выбранных приложений?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "Статус установки для выбранных приложений будет сброшен.\n\nЭто может помочь, если версия приложения, отображаемая в Obtainium, некорректная (из-за неудачных обновлений или других проблем).", |     "installStatusOfXWillBeResetExplanation": "Статус установки для выбранных приложений будет сброшен.\n\nЭто может помочь, если версия приложения, отображаемая в Obtainium, некорректная — из-за неудачных обновлений или других проблем", | ||||||
|     "customLinkMessage": "Эти ссылки работают на устройствах с установленным Obtainium", |     "customLinkMessage": "Эти ссылки работают на устройствах с установленным Obtainium", | ||||||
|     "shareAppConfigLinks": "Поделиться конфигурацией приложения в виде HTML-ссылки", |     "shareAppConfigLinks": "Поделиться конфигурацией приложения в виде HTML-ссылки", | ||||||
|     "shareSelectedAppURLs": "Поделиться URL-адресами выбранных приложений", |     "shareSelectedAppURLs": "Поделиться выбранными URL-адресами приложений", | ||||||
|     "resetInstallStatus": "Сбросить статус установки", |     "resetInstallStatus": "Сбросить статус установки", | ||||||
|     "more": "Ещё", |     "more": "Ещё", | ||||||
|     "removeOutdatedFilter": "Удалить фильтр для устаревших приложений", |     "removeOutdatedFilter": "Удалить фильтр для устаревших приложений", | ||||||
| @@ -86,7 +83,7 @@ | |||||||
|     "filterApps": "Фильтровать приложения", |     "filterApps": "Фильтровать приложения", | ||||||
|     "appName": "Название приложения", |     "appName": "Название приложения", | ||||||
|     "author": "Автор", |     "author": "Автор", | ||||||
|     "upToDateApps": "Приложения с обновлениями", |     "upToDateApps": "Приложения со свежими обновлениями", | ||||||
|     "nonInstalledApps": "Неустановленные приложения", |     "nonInstalledApps": "Неустановленные приложения", | ||||||
|     "importExport": "Данные", |     "importExport": "Данные", | ||||||
|     "settings": "Настройки", |     "settings": "Настройки", | ||||||
| @@ -97,12 +94,12 @@ | |||||||
|     "obtainiumImport": "Импорт в Obtainium", |     "obtainiumImport": "Импорт в Obtainium", | ||||||
|     "importFromURLList": "Импорт из списка URL-адресов", |     "importFromURLList": "Импорт из списка URL-адресов", | ||||||
|     "searchQuery": "Поисковый запрос", |     "searchQuery": "Поисковый запрос", | ||||||
|     "appURLList": "Список URL-адресов приложений", |     "appURLList": "Список URL приложений", | ||||||
|     "line": "Строка", |     "line": "Строка", | ||||||
|     "searchX": "Поиск {}", |     "searchX": "Поиск {}", | ||||||
|     "noResults": "Ничего не найдено", |     "noResults": "Результатов не найдено", | ||||||
|     "importX": "Импорт {}", |     "importX": "Импорт {}", | ||||||
|     "importedAppsIdDisclaimer": "Импортированные приложения могут неверно отображаться как неустановленные.\nДля исправления этой проблемы повторно установите их через Obtainium.\nЭто не должно повлиять на данные приложения.\n\nПроблемы возникают только при импорте из URL-адреса и сторонних источников.", |     "importedAppsIdDisclaimer": "Импортированные приложения могут неверно отображаться как неустановленные.\nДля исправления этой проблемы повторно установите их через Obtainium.\nЭто не должно повлиять на данные приложения.\n\nПроблемы возникают только при импорте из URL-адреса и сторонних источников", | ||||||
|     "importErrors": "Ошибка импорта", |     "importErrors": "Ошибка импорта", | ||||||
|     "importedXOfYApps": "Импортировано приложений: {} из {}", |     "importedXOfYApps": "Импортировано приложений: {} из {}", | ||||||
|     "followingURLsHadErrors": "При импорте следующие URL-адреса содержали ошибки:", |     "followingURLsHadErrors": "При импорте следующие URL-адреса содержали ошибки:", | ||||||
| @@ -112,12 +109,11 @@ | |||||||
|     "theme": "Тема", |     "theme": "Тема", | ||||||
|     "dark": "Тёмная", |     "dark": "Тёмная", | ||||||
|     "light": "Светлая", |     "light": "Светлая", | ||||||
|     "followSystem": "Как в системе", |     "followSystem": "Системная", | ||||||
|     "followSystemThemeExplanation": "Следование системной теме возможно только при использовании сторонних приложений", |  | ||||||
|     "useBlackTheme": "Использовать чёрную тему", |     "useBlackTheme": "Использовать чёрную тему", | ||||||
|     "appSortBy": "Сортировка приложений", |     "appSortBy": "Сортировка приложений", | ||||||
|     "authorName": "Автор/название", |     "authorName": "Автор/Название", | ||||||
|     "nameAuthor": "Название/автор", |     "nameAuthor": "Название/Автор", | ||||||
|     "asAdded": "В порядке добавления", |     "asAdded": "В порядке добавления", | ||||||
|     "appSortOrder": "Порядок", |     "appSortOrder": "Порядок", | ||||||
|     "ascending": "По возрастанию", |     "ascending": "По возрастанию", | ||||||
| @@ -126,36 +122,34 @@ | |||||||
|     "neverManualOnly": "Никогда — только вручную", |     "neverManualOnly": "Никогда — только вручную", | ||||||
|     "appearance": "Внешний вид", |     "appearance": "Внешний вид", | ||||||
|     "showWebInAppView": "Показывать исходную веб-страницу на странице приложения", |     "showWebInAppView": "Показывать исходную веб-страницу на странице приложения", | ||||||
|     "pinUpdates": "Показывать обновления приложений сверху списка", |     "pinUpdates": "Отображать обновления приложений сверху списка", | ||||||
|     "updates": "Обновления", |     "updates": "Обновления", | ||||||
|     "sourceSpecific": "Настройки источников", |     "sourceSpecific": "Настройки источников", | ||||||
|     "appSource": "Источник", |     "appSource": "Исходный код", | ||||||
|     "noLogs": "Нет журналов", |     "noLogs": "Нет журналов", | ||||||
|     "appLogs": "Журналы", |     "appLogs": "Логи", | ||||||
|     "close": "Закрыть", |     "close": "Закрыть", | ||||||
|     "share": "Поделиться", |     "share": "Поделиться", | ||||||
|     "appNotFound": "Приложение не найдено", |     "appNotFound": "Приложение не найдено", | ||||||
|     "obtainiumExportHyphenatedLowercase": "экспорт-obtainium", |     "obtainiumExportHyphenatedLowercase": "получение-экспорт", | ||||||
|     "pickAnAPK": "Выберите APK-файл", |     "pickAnAPK": "Выберите APK-файл", | ||||||
|     "appHasMoreThanOnePackage": "{} имеет более одного пакета:", |     "appHasMoreThanOnePackage": "{} имеет более одного пакета:", | ||||||
|     "deviceSupportsXArch": "Ваше устройство поддерживает архитектуру процессора {}", |     "deviceSupportsXArch": "Ваше устройство поддерживает архитектуру процессора {}", | ||||||
|     "deviceSupportsFollowingArchs": "Ваше устройство поддерживает следующие архитектуры процессора:", |     "deviceSupportsFollowingArchs": "Ваше устройство поддерживает следующие архитектуры процессора:", | ||||||
|     "warning": "Предупреждение", |     "warning": "Предупреждение", | ||||||
|     "sourceIsXButPackageFromYPrompt": "Источник приложения — «{}», но пакет для установки получен из «{}». Продолжить?", |     "sourceIsXButPackageFromYPrompt": "Источник приложения — '{}', но пакет для установки получен из '{}'. Продолжить?", | ||||||
|     "updatesAvailable": "Доступны обновления", |     "updatesAvailable": "Доступны обновления", | ||||||
|     "updatesAvailableNotifDescription": "Уведомляет о наличии обновлений для одного или нескольких приложений в Obtainium", |     "updatesAvailableNotifDescription": "Уведомляет о наличии обновлений для одного или нескольких приложений в Obtainium", | ||||||
|     "noNewUpdates": "Нет обновлений", |     "noNewUpdates": "Нет новых обновлений", | ||||||
|     "xHasAnUpdate": "Для {} есть обновление", |     "xHasAnUpdate": "{} есть обновление", | ||||||
|     "appsUpdated": "Приложения обновлены", |     "appsUpdated": "Приложения обновлены", | ||||||
|     "appsNotUpdated": "Не удалось обновить приложения", |  | ||||||
|     "appsUpdatedNotifDescription": "Уведомляет об обновлении одного или нескольких приложений в фоновом режиме", |     "appsUpdatedNotifDescription": "Уведомляет об обновлении одного или нескольких приложений в фоновом режиме", | ||||||
|     "xWasUpdatedToY": "{} обновлено до версии {}", |     "xWasUpdatedToY": "{} была обновлена до версии {}", | ||||||
|     "xWasNotUpdatedToY": "Не удалось обновить {} до версии {}", |  | ||||||
|     "errorCheckingUpdates": "Ошибка при проверке обновлений", |     "errorCheckingUpdates": "Ошибка при проверке обновлений", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Уведомление о завершении проверки обновлений в фоновом режиме с ошибкой", |     "errorCheckingUpdatesNotifDescription": "Уведомление о завершении проверки обновлений в фоновом режиме с ошибкой", | ||||||
|     "appsRemoved": "Приложение удалено", |     "appsRemoved": "Приложение удалено", | ||||||
|     "appsRemovedNotifDescription": "Уведомление об удалении одного или несколько приложений из-за ошибок при их загрузке", |     "appsRemovedNotifDescription": "Уведомление об удалении одного или несколько приложений из-за ошибок при их загрузке", | ||||||
|     "xWasRemovedDueToErrorY": "{} удалено из-за ошибки: {}", |     "xWasRemovedDueToErrorY": "{} был удален из-за ошибки: {}", | ||||||
|     "completeAppInstallation": "Завершение установки приложения", |     "completeAppInstallation": "Завершение установки приложения", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium должен быть открыт для установки приложений", |     "obtainiumMustBeOpenToInstallApps": "Obtainium должен быть открыт для установки приложений", | ||||||
|     "completeAppInstallationNotifDescription": "Уведомление о необходимости открыть Obtainium для завершения установки приложения", |     "completeAppInstallationNotifDescription": "Уведомление о необходимости открыть Obtainium для завершения установки приложения", | ||||||
| @@ -167,53 +161,50 @@ | |||||||
|     "versionCorrectionDisabled": "Коррекция версий отключена (плагин, кажется, не работает)", |     "versionCorrectionDisabled": "Коррекция версий отключена (плагин, кажется, не работает)", | ||||||
|     "unknown": "Неизвестно", |     "unknown": "Неизвестно", | ||||||
|     "none": "Отсутствует", |     "none": "Отсутствует", | ||||||
|     "all": "Все", |  | ||||||
|     "never": "Никогда", |     "never": "Никогда", | ||||||
|     "latestVersionX": "Последняя версия: {}", |     "latestVersionX": "Последняя версия: {}", | ||||||
|     "installedVersionX": "Установленная версия: {}", |     "installedVersionX": "Установленная версия: {}", | ||||||
|     "lastUpdateCheckX": "Последняя проверка: {}", |     "lastUpdateCheckX": "Последняя проверка: {}", | ||||||
|     "remove": "Удалить", |     "remove": "Удалить", | ||||||
|     "yesMarkUpdated": "Да, отметить как обновлённое", |     "yesMarkUpdated": "Да, отметить как обновленное", | ||||||
|     "fdroid": "Официальные репозитории F-Droid", |     "fdroid": "Официальные репозитории F-Droid", | ||||||
|     "appIdOrName": "ID или название приложения", |     "appIdOrName": "ID или название приложения", | ||||||
|     "appId": "ID приложения", |     "appId": "ID приложения", | ||||||
|     "appWithIdOrNameNotFound": "Приложение с таким ID или названием не было найдено", |     "appWithIdOrNameNotFound": "Приложение с таким ID или названием не было найдено", | ||||||
|     "reposHaveMultipleApps": "В хранилище несколько приложений", |     "reposHaveMultipleApps": "В хранилище несколько приложений", | ||||||
|     "fdroidThirdPartyRepo": "Сторонние репозитории F-Droid", |     "fdroidThirdPartyRepo": "Сторонние репозитории F-Droid", | ||||||
|  |     "steamMobile": "Стим Мобайл", | ||||||
|  |     "steamChat": "Стим-чат", | ||||||
|     "install": "Установить", |     "install": "Установить", | ||||||
|     "markInstalled": "Отметить установленным", |     "markInstalled": "Пометить как установленное", | ||||||
|     "update": "Обновить", |     "update": "Обновить", | ||||||
|     "markUpdated": "Отметить обновлённым", |     "markUpdated": "Отметить обновлённым", | ||||||
|     "additionalOptions": "Дополнительные настройки", |     "additionalOptions": "Дополнительные настройки", | ||||||
|     "disableVersionDetection": "Отключить определение версии", |     "disableVersionDetection": "Отключить обнаружение версии", | ||||||
|     "noVersionDetectionExplanation": "Эта настройка должна использоваться только для приложений, где определение версии не работает корректно", |     "noVersionDetectionExplanation": "Эта настройка должна использоваться только для приложений, где обнаружение версии не работает корректно", | ||||||
|     "downloadingX": "Загрузка {}", |     "downloadingX": "Загрузка {}", | ||||||
|     "downloadX": "Загрузить {}", |  | ||||||
|     "downloadedX": "Загружено {}", |  | ||||||
|     "releaseAsset": "Объект выпуска", |  | ||||||
|     "downloadNotifDescription": "Уведомляет пользователя о прогрессе загрузки приложения", |     "downloadNotifDescription": "Уведомляет пользователя о прогрессе загрузки приложения", | ||||||
|     "noAPKFound": "APK-файл не найден", |     "noAPKFound": "APK не найден", | ||||||
|     "noVersionDetection": "Определение версий отключено", |     "noVersionDetection": "Обнаружение версий отключено", | ||||||
|     "categorize": "Категоризировать", |     "categorize": "Категоризировать", | ||||||
|     "categories": "Категории", |     "categories": "Категории", | ||||||
|     "category": "Категория", |     "category": "Категория", | ||||||
|     "noCategory": "Без категории", |     "noCategory": "Без категории", | ||||||
|     "noCategories": "Без категорий", |     "noCategories": "Без категорий", | ||||||
|     "deleteCategoriesQuestion": "Удалить категории?", |     "deleteCategoriesQuestion": "Удалить категории?", | ||||||
|     "categoryDeleteWarning": "Все приложения в удалённых категориях будут помечены как «без категории»", |     "categoryDeleteWarning": "Все приложения в удаленных категориях будут помечены как без категории", | ||||||
|     "addCategory": "Добавить категорию", |     "addCategory": "Добавить категорию", | ||||||
|     "label": "Метка", |     "label": "Метка", | ||||||
|     "language": "Язык", |     "language": "Язык", | ||||||
|     "copiedToClipboard": "Скопировано в буфер обмена", |     "copiedToClipboard": "Скопировано в буфер обмена", | ||||||
|     "storagePermissionDenied": "Отказано в доступе к хранилищу", |     "storagePermissionDenied": "Отказано в доступе к хранилищу", | ||||||
|     "selectedCategorizeWarning": "Это заменит все текущие настройки категорий для выбранных приложений", |     "selectedCategorizeWarning": "Это заменит все текущие настройки категорий для выбранных приложений", | ||||||
|     "filterAPKsByRegEx": "Фильтровать APK-файлы\n(регулярное выражение)", |     "filterAPKsByRegEx": "Отфильтровать APK-файлы\n(регулярное выражение)", | ||||||
|     "removeFromObtainium": "Удалить из Obtainium", |     "removeFromObtainium": "Удалить из Obtainium", | ||||||
|     "uninstallFromDevice": "Удалить с устройства", |     "uninstallFromDevice": "Удалить с устройства", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Работает только для приложений с отключённым определением версии", |     "onlyWorksWithNonVersionDetectApps": "Работает только для приложений с отключенным определением версии", | ||||||
|     "releaseDateAsVersion": "Использовать дату выпуска в качестве версии", |     "releaseDateAsVersion": "Дата выпуска вместо версии", | ||||||
|     "releaseTitleAsVersion": "Использовать название выпуска в качестве версии", |     "releaseDateAsVersionExplanation": "Этот параметр следует использовать только для приложений, в которых определение версии не работает правильно, но имеется дата выпуска", | ||||||
|     "releaseDateAsVersionExplanation": "Эта настройка должна использоваться только для приложений, в которых определение версии не работает правильно, но имеется дата выпуска", |  | ||||||
|     "changes": "Изменения", |     "changes": "Изменения", | ||||||
|     "releaseDate": "Дата выпуска", |     "releaseDate": "Дата выпуска", | ||||||
|     "importFromURLsInFile": "Импорт из файла URL-адресов (например: OPML)", |     "importFromURLsInFile": "Импорт из файла URL-адресов (например: OPML)", | ||||||
| @@ -221,57 +212,52 @@ | |||||||
|     "versionDetection": "Определение версии", |     "versionDetection": "Определение версии", | ||||||
|     "standardVersionDetection": "Стандартное", |     "standardVersionDetection": "Стандартное", | ||||||
|     "groupByCategory": "Группировать по категориям", |     "groupByCategory": "Группировать по категориям", | ||||||
|     "autoApkFilterByArch": "Пытаться фильтровать APK по архитектуре процессора", |     "autoApkFilterByArch": "Попытаться отфильтровать APK-файлы по архитектуре процессора", | ||||||
|     "autoLinkFilterByArch": "Пытаться фильтровать ссылки по архитектуре процессора, если это возможно", |  | ||||||
|     "overrideSource": "Переопределить источник", |     "overrideSource": "Переопределить источник", | ||||||
|     "dontShowAgain": "Не показывать снова", |     "dontShowAgain": "Не показывать снова", | ||||||
|     "dontShowTrackOnlyWarnings": "Не показывать предупреждения о только отслеживаемых приложениях", |     "dontShowTrackOnlyWarnings": "Не показывать предупреждения о только отслеживаемых приложениях", | ||||||
|     "dontShowAPKOriginWarnings": "Не показывать предупреждения об отличающемся источнике APK-файлов", |     "dontShowAPKOriginWarnings": "Не показывать предупреждения об отличающемся источнике APK-файлов", | ||||||
|     "moveNonInstalledAppsToBottom": "Показывать неустановленные приложения внизу списка", |     "moveNonInstalledAppsToBottom": "Отображать неустановленные приложения внизу списка", | ||||||
|     "gitlabPATLabel": "Персональный токен доступа GitLab", |     "gitlabPATLabel": "Персональный токен доступа GitLab", | ||||||
|     "about": "Описание", |     "about": "Описание", | ||||||
|     "requiresCredentialsInSettings": "{}: для этого требуются дополнительные учётные данные (в настройках)", |     "requiresCredentialsInSettings": "{}: Для этого требуются дополнительные учетные данные (в настройках)", | ||||||
|     "checkOnStart": "Проверять наличие обновлений при запуске", |     "checkOnStart": "Проверять наличие обновлений при запуске", | ||||||
|     "tryInferAppIdFromCode": "Пытаться определить ID приложения из исходного кода", |     "tryInferAppIdFromCode": "Попытаться определить ID приложения из исходного кода", | ||||||
|     "removeOnExternalUninstall": "Автоматически убирать из списка удалённые извне приложения", |     "removeOnExternalUninstall": "Автоматически убирать из списка удаленные извне приложения", | ||||||
|     "pickHighestVersionCode": "Автовыбор актуальной версии кода APK", |     "pickHighestVersionCode": "Автовыбор актуальной версии кода APK", | ||||||
|     "checkUpdateOnDetailPage": "Проверять наличие обновлений при открытии страницы приложения", |     "checkUpdateOnDetailPage": "Проверять наличие обновлений при открытии страницы приложения", | ||||||
|     "disablePageTransitions": "Отключить анимацию перехода между страницами", |     "disablePageTransitions": "Отключить анимацию перехода между страницами", | ||||||
|     "reversePageTransitions": "Реверс анимации перехода между страницами", |     "reversePageTransitions": "Реверс анимации перехода между страницами", | ||||||
|     "minStarCount": "Минимальное количество звёзд", |     "minStarCount": "Минимальное количество звёзд", | ||||||
|     "addInfoBelow": "Добавьте эту информацию ниже", |     "addInfoBelow": "Добавьте эту информацию ниже", | ||||||
|     "addInfoInSettings": "Добавьте эту информацию в «Настройки»", |     "addInfoInSettings": "Добавьте эту информацию в Настройки", | ||||||
|     "githubSourceNote": "Используя ключ API, можно обойти ограничение запросов GitHub", |     "githubSourceNote": "Используя ключ API можно обойти лимит запросов GitHub", | ||||||
|     "sortByLastLinkSegment": "Сортировать только по последнему сегменту ссылки", |     "sortByLastLinkSegment": "Сортировать только по последнему сегменту ссылки", | ||||||
|     "filterReleaseNotesByRegEx": "Фильтровать примечания к выпуску\n(регулярное выражение)", |     "filterReleaseNotesByRegEx": "Фильтровать примечания к выпуску\n(регулярное выражение)", | ||||||
|     "customLinkFilterRegex": "Пользовательский фильтр ссылок APK\n(регулярное выражение, по умолчанию: «.apk$»)", |     "customLinkFilterRegex": "Пользовательский фильтр ссылок APK\n(регулярное выражение, по умолчанию: '.apk$')", | ||||||
|     "appsPossiblyUpdated": "Попытки обновления приложений", |     "appsPossiblyUpdated": "Попытки обновления приложений", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Уведомление о возможных обновлениях одного или нескольких приложений в фоновом режиме", |     "appsPossiblyUpdatedNotifDescription": "Уведомление о возможных обновлениях одного или нескольких приложений в фоновом режиме", | ||||||
|     "xWasPossiblyUpdatedToY": "{} возможно был обновлён до {}", |     "xWasPossiblyUpdatedToY": "{} возможно был обновлен до {}", | ||||||
|     "enableBackgroundUpdates": "Включить обновления в фоне", |     "enableBackgroundUpdates": "Включить обновления в фоне", | ||||||
|     "backgroundUpdateReqsExplanation": "Фоновые обновления могут быть возможны не для всех приложений", |     "backgroundUpdateReqsExplanation": "Фоновые обновления могут быть возможны не для всех приложений", | ||||||
|     "backgroundUpdateLimitsExplanation": "Успешность фоновой установки можно определить только после открытия Obtainium", |     "backgroundUpdateLimitsExplanation": "Успешность фоновой установки можно определить только после открытия Obtainium", | ||||||
|     "verifyLatestTag": "Проверять метку «latest»", |     "verifyLatestTag": "Проверять тег 'latest'", | ||||||
|     "intermediateLinkRegex": "Фильтр для «промежуточной» ссылки для посещения", |     "intermediateLinkRegex": "Фильтр для \"промежуточной\" ссылки для посещения", | ||||||
|     "filterByLinkText": "Фильтровать ссылки по тексту ссылки", |     "filterByLinkText": "Фильтрация ссылок по тексту ссылки", | ||||||
|     "matchLinksOutsideATags": "Сопоставлять ссылки вне тегов <a>", |  | ||||||
|     "intermediateLinkNotFound": "Промежуточная ссылка не найдена", |     "intermediateLinkNotFound": "Промежуточная ссылка не найдена", | ||||||
|     "intermediateLink": "Промежуточная ссылка", |     "intermediateLink": "Промежуточное звено", | ||||||
|     "exemptFromBackgroundUpdates": "Исключить из фоновых обновлений (если включено)", |     "exemptFromBackgroundUpdates": "Исключить из фоновых обновлений (если включено)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Отключить фоновые обновления, если нет подключения к Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Отключить фоновые обновления, если нет соединения с Wi-Fi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Отключить фоновые обновления, если не идёт зарядка", |     "autoSelectHighestVersionCode": "Автоматически выбирать APK с актуальной версией кода", | ||||||
|     "autoSelectHighestVersionCode": "Автовыбор APK с актуальной версией кода", |     "versionExtractionRegEx": "Регулярное выражение для извлечения версии", | ||||||
|     "versionExtractionRegEx": "Извлечение версии\n(регулярное выражение)", |     "matchGroupToUse": "Выберите группу для использования", | ||||||
|     "trimVersionString": "Обрезка строки версии\n(регулярное выражение)", |     "highlightTouchTargets": "Выделить менее очевидные элементы управления касанием", | ||||||
|     "matchGroupToUseForX": "Группа соответствия для «{}»", |  | ||||||
|     "matchGroupToUse": "Выбрать группу соответствия", |  | ||||||
|     "highlightTouchTargets": "Выделять менее очевидные элементы управления касанием", |  | ||||||
|     "pickExportDir": "Выбрать каталог для экспорта", |     "pickExportDir": "Выбрать каталог для экспорта", | ||||||
|     "autoExportOnChanges": "Автоэкспорт при изменениях", |     "autoExportOnChanges": "Автоэкспорт при изменениях", | ||||||
|     "includeSettings": "Включить настройки", |     "includeSettings": "Включить настройки", | ||||||
|     "filterVersionsByRegEx": "Фильтровать версии по регулярному выражению", |     "filterVersionsByRegEx": "Фильтровать версии по регулярному выражению", | ||||||
|     "trySelectingSuggestedVersionCode": "Пробовать выбрать предложенный код версии APK", |     "trySelectingSuggestedVersionCode": "Попробуйте выбрать предложенный код версии APK", | ||||||
|     "dontSortReleasesList": "Сохранить порядок выпусков от API", |     "dontSortReleasesList": "Сохранить порядок релизов от API", | ||||||
|     "reverseSort": "Обратная сортировка", |     "reverseSort": "Обратная сортировка", | ||||||
|     "takeFirstLink": "Взять первую ссылку", |     "takeFirstLink": "Взять первую ссылку", | ||||||
|     "skipSort": "Пропустить сортировку", |     "skipSort": "Пропустить сортировку", | ||||||
| @@ -292,18 +278,18 @@ | |||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Проверять обновления только у установленных или отслеживаемых приложений", |     "onlyCheckInstalledOrTrackOnlyApps": "Проверять обновления только у установленных или отслеживаемых приложений", | ||||||
|     "supportFixedAPKURL": "Поддержка фиксированных URL-адресов APK", |     "supportFixedAPKURL": "Поддержка фиксированных URL-адресов APK", | ||||||
|     "selectX": "Выбрать {}", |     "selectX": "Выбрать {}", | ||||||
|     "parallelDownloads": "Использовать параллельные загрузки", |     "parallelDownloads": "Разрешить параллельные загрузки", | ||||||
|     "useShizuku": "Использовать Shizuku или Sui для установки", |     "installMethod": "Метод установки", | ||||||
|     "shizukuBinderNotFound": "Совместимая служба Shizuku не найдена, возможно, она не запущена", |     "normal": "Нормальный", | ||||||
|     "shizukuOld": "Устаревшая версия Shizuku (<11), обновите", |     "root": "Суперпользователь", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku работает на Android < 8.1 с ADB, обновите Android или используйте Sui", |     "shizukuBinderNotFound": "Совместимый сервис Shizuku не найден", | ||||||
|     "shizukuPretendToBeGooglePlay": "Указывать Google Play как источник установки (если используется Shizuku)", |  | ||||||
|     "useSystemFont": "Использовать системный шрифт", |     "useSystemFont": "Использовать системный шрифт", | ||||||
|  |     "systemFontError": "Ошибка загрузки системного шрифта: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Использовать код версии приложения как версию, обнаруженную ОС", |     "useVersionCodeAsOSVersion": "Использовать код версии приложения как версию, обнаруженную ОС", | ||||||
|     "requestHeader": "Заголовок запроса", |     "requestHeader": "Заголовок запроса", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Использовать последнюю загрузку объекта в качестве даты выпуска", |     "useLatestAssetDateAsReleaseDate": "Использовать последнюю загрузку ресурса в качестве даты выпуска", | ||||||
|     "defaultPseudoVersioningMethod": "Метод псевдоверсионирования по умолчанию", |     "defaultPseudoVersioningMethod": "Метод псевдоверсионирования по умолчанию", | ||||||
|     "partialAPKHash": "Частичный хеш APK", |     "partialAPKHash": "Частичный хэш APK", | ||||||
|     "APKLinkHash": "Хеш ссылки APK", |     "APKLinkHash": "Хеш ссылки APK", | ||||||
|     "directAPKLink": "Прямая ссылка на APK", |     "directAPKLink": "Прямая ссылка на APK", | ||||||
|     "pseudoVersionInUse": "Используется псевдоверсия", |     "pseudoVersionInUse": "Используется псевдоверсия", | ||||||
| @@ -311,102 +297,62 @@ | |||||||
|     "latest": "Последний", |     "latest": "Последний", | ||||||
|     "invertRegEx": "Инвертировать регулярное выражение", |     "invertRegEx": "Инвертировать регулярное выражение", | ||||||
|     "note": "Примечание", |     "note": "Примечание", | ||||||
|     "selfHostedNote": "Выпадающий список «{}» можно использовать для доступа к самостоятельно размещённым/настроенным экземплярам любого источника.", |     "selfHostedNote": "Выпадающий список \"{}\" можно использовать для доступа к самостоятельно размещенным/настроенным экземплярам любого источника.", | ||||||
|     "badDownload": "Не удалось разобрать APK (несовместимая или неполная загрузка)", |     "badDownload": "APK не удалось разобрать (несовместимая или неполная загрузка)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Делиться новыми приложениями с AppVerifier (если доступно)", |  | ||||||
|     "appVerifierInstructionToast": "Поделитесь с AppVerifier, а затем вернитесь сюда, когда будете готовы.", |  | ||||||
|     "wiki": "Помощь/Вики", |  | ||||||
|     "crowdsourcedConfigsLabel": "Конфигурации приложений на основе краудсорсинга (используйте на свой страх и риск)", |  | ||||||
|     "crowdsourcedConfigsShort": "Краудсорсинг конфигураций приложений", |  | ||||||
|     "allowInsecure": "Разрешить небезопасные HTTP-запросы", |  | ||||||
|     "stayOneVersionBehind": "Оставаться на одну версию ниже последней", |  | ||||||
|     "useFirstApkOfVersion": "Автовыбор первого из нескольких APK", |  | ||||||
|     "refreshBeforeDownload": "Обновлять информацию о приложении перед загрузкой", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Имя", |  | ||||||
|     "smartname": "Имя (умное)", |  | ||||||
|     "sortMethod": "Метод сортировки", |  | ||||||
|     "welcome": "Добро пожаловать", |  | ||||||
|     "documentationLinksNote": "На странице Obtainium в GitHub, ссылка на которую приведена ниже, содержатся ссылки на видео, статьи, обсуждения и другие ресурсы, которые помогут вам понять, как пользоваться приложением.", |  | ||||||
|     "batteryOptimizationNote": "Обратите внимание, что фоновая загрузка может работать более надёжно, если отключить оптимизацию батареи ОС для Obtainium.", |  | ||||||
|     "fileDeletionError": "Не удалось удалить файл (попробуйте удалить его вручную, а затем повторите попытку): «{}»", |  | ||||||
|     "foregroundService": "Приоритетная служба Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Использовать приоритетную службу для проверки обновлений (надёжнее, энергозатратнее)", |  | ||||||
|     "fgServiceNotice": "Это уведомление необходимо для фоновой проверки обновлений (оно может быть скрыто в настройках ОС)", |  | ||||||
|     "excludeSecrets": "Исключить секреты", |  | ||||||
|     "GHReqPrefix": "Экземпляр 'sky22333/hubproxy' для запросов на GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Удалить приложение?", |         "one": "Удалить приложение?", | ||||||
|         "other": "Удалить приложения?" |         "other": "Удалить приложения?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Слишком много запросов (ограничение скорости) — попробуйте снова через {} минуту", |         "one": "Слишком много запросов (ограничение скорости) — попробуйте снова через {} минуту", | ||||||
|         "few": "Слишком много запросов (ограничение скорости) — попробуйте снова через {} минуты", |         "other": "Слишком много запросов (ограничение скорости) — попробуйте снова через {} минуты" | ||||||
|         "other": "Слишком много запросов (ограничение скорости) — попробуйте снова через {} минут" |  | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "При проверке обновлений в фоновом режиме возникла ошибка {}, повторная проверка будет через {} минуту", |         "one": "При проверке обновлений в фоновом режиме возникла ошибка {}, повторная проверка будет запланирована через {} минуту", | ||||||
|         "few": "При проверке обновлений в фоновом режиме возникла ошибка {}, повторная проверка будет через {} минуты", |         "other": "При проверке обновлений в фоновом режиме возникла ошибка {}, повторная проверка будет запланирована через {} минуты" | ||||||
|         "other": "При проверке обновлений в фоновом режиме возникла ошибка {}, повторная проверка будет через {} минут" |  | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "При проверке в фоновом режиме было обнаружено {} обновления — пользователь будет уведомлен по необходимости", |         "one": "В ходе проверки обновления в фоновом режиме было обнаружено {} обновление — Пользователю будет отправлено уведомление, если это необходимо", | ||||||
|         "other": "При проверке в фоновом режиме было обнаружено {} обновлений — пользователь будет уведомлен по необходимости" |         "other": "В ходе проверки обновления в фоновом режиме было обнаружено {} обновлений — Пользователю будет отправлено уведомление, если это необходимо" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} приложение", |         "one": "{} приложение", | ||||||
|         "few": "{} приложения", |  | ||||||
|         "other": "{} приложений" |         "other": "{} приложений" | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL-адрес", |         "one": "{} URL-адрес", | ||||||
|         "few": "{} URL-адреса", |         "other": "{} URL-адреса" | ||||||
|         "other": "{} URL-адресов" |  | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} минута", |         "one": "{} минута", | ||||||
|         "few": "{} минуты", |         "other": "{} минуты" | ||||||
|         "other": "{} минут" |  | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} час", |         "one": "{} час", | ||||||
|         "few": "{} часа", |  | ||||||
|         "other": "{} часов" |         "other": "{} часов" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} день", |         "one": "{} день", | ||||||
|         "few": "{} дня", |  | ||||||
|         "other": "{} дней" |         "other": "{} дней" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Очищен {n} журнал (до = {before}, после = {after})", |         "one": "Очищен {n} журнал (до = {before}, после = {after})", | ||||||
|         "few": "Очищены {n} журнала (до = {before}, после = {after})", |  | ||||||
|         "other": "Очищено {n} журналов (до = {before}, после = {after})" |         "other": "Очищено {n} журналов (до = {before}, после = {after})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "У {} и ещё 1 приложения есть обновление", |         "one": "У {} и еще 1 приложения есть обновление", | ||||||
|         "other": "У {} и ещё {} приложений есть обновления" |         "other": "У {} и ещё {} приложений есть обновления" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} и ещё 1 приложение были обновлены", |         "one": "{} и ещё 1 приложение были обновлены", | ||||||
|         "few": "{} и ещё {} приложения были обновлены", |  | ||||||
|         "other": "{} и ещё {} приложений были обновлены" |         "other": "{} и ещё {} приложений были обновлены" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Не удалось обновить {} и ещё 1 приложение", |  | ||||||
|         "few": "Не удалось обновить {} и ещё {} приложения", |  | ||||||
|         "other": "Не удалось обновить {} и ещё {} приложений" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} и ещё 1 приложение могли быть обновлены", |         "one": "{} и ещё 1 приложение могли быть обновлены", | ||||||
|         "few": "{} и ещё {} приложения могли быть обновлены", |  | ||||||
|         "other": "{} и ещё {} приложений могли быть обновлены" |         "other": "{} и ещё {} приложений могли быть обновлены" | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK-файл", |         "one": "{} APK", | ||||||
|         "few": "{} APK-файла", |         "other": "{} APKs" | ||||||
|         "other": "{} APK-файлов" |  | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -12,17 +12,7 @@ const neverAutoTranslate = { | |||||||
|     root: ['*'], |     root: ['*'], | ||||||
|     obtainiumExportHyphenatedLowercase: ['*'], |     obtainiumExportHyphenatedLowercase: ['*'], | ||||||
|     theme: ['de'], |     theme: ['de'], | ||||||
|     appId: ['de'], |     appId: ['de'] | ||||||
|     placeholder: ['pl'], |  | ||||||
|     importExport: ['fr'], |  | ||||||
|     url: ['fr'], |  | ||||||
|     vivoAppStore: ['cs', 'ja', 'ko', 'vi'], |  | ||||||
|     coolapk: ['ja'], |  | ||||||
|     obtainiumImport: ['nl'], |  | ||||||
|     appLogs: ['nl'], |  | ||||||
|     apks: ['vi'], |  | ||||||
|     minute: ['fr'], |  | ||||||
|     tencentAppStore: ['*'] |  | ||||||
| } | } | ||||||
|  |  | ||||||
| const translateText = async (text, targetLang, authKey) => { | const translateText = async (text, targetLang, authKey) => { | ||||||
| @@ -85,49 +75,40 @@ const main = async () => { | |||||||
|         const translationKeys = Object.keys(templateTranslation) |         const translationKeys = Object.keys(templateTranslation) | ||||||
|         for (let j in translationKeys) { |         for (let j in translationKeys) { | ||||||
|             const k = translationKeys[j] |             const k = translationKeys[j] | ||||||
|             try { |             if (JSON.stringify(thisTranslation[k]) == JSON.stringify(templateTranslation[k])) { | ||||||
|                 if (JSON.stringify(thisTranslation[k]) == JSON.stringify(templateTranslation[k])) { |                 const lang = file.split('/').pop().split('.')[0] | ||||||
|                     const lang = file.split('/').pop().split('.')[0] |                 if (!neverAutoTranslate[k] || (neverAutoTranslate[k].indexOf('*') < 0 && neverAutoTranslate[k].indexOf(lang) < 0)) { | ||||||
|                     if (!neverAutoTranslate[k] || (neverAutoTranslate[k].indexOf('*') < 0 && neverAutoTranslate[k].indexOf(lang) < 0)) { |                     const reportLine = `${file} :::: ${k} :::: ${JSON.stringify(thisTranslation[k])}` | ||||||
|                         const reportLine = `${file} :::: ${k} :::: ${JSON.stringify(thisTranslation[k])}` |                     if (deeplAPIKey) { | ||||||
|                         if (deeplAPIKey) { |                         const translateFunc = async (str) => { | ||||||
|                             const translateFunc = async (str) => { |                             const response = await translateText(str, lang, deeplAPIKey) | ||||||
|                                 await new Promise((resolve, reject) => { |                             if (response.translations) { | ||||||
|                                     setTimeout(() => { |                                 return response.translations[0].text | ||||||
|                                         resolve() |                             } else { | ||||||
|                                     }, Math.random() * 10000); // Try to avoid rate limit |                                 throw JSON.stringify(response) | ||||||
|                                 }) |  | ||||||
|                                 const response = await translateText(str, lang, deeplAPIKey) |  | ||||||
|                                 if (response.translations) { |  | ||||||
|                                     return response.translations[0].text |  | ||||||
|                                 } else { |  | ||||||
|                                     throw JSON.stringify(response) |  | ||||||
|                                 } |  | ||||||
|                             } |                             } | ||||||
|                             try { |  | ||||||
|                                 if (typeof templateTranslation[k] == 'string') { |  | ||||||
|                                     thisTranslation[k] = await translateFunc(thisTranslation[k]) |  | ||||||
|                                 } else { |  | ||||||
|                                     const subKeys = Object.keys(templateTranslation[k]) |  | ||||||
|                                     for (let n in subKeys) { |  | ||||||
|                                         const kk = subKeys[n] |  | ||||||
|                                         thisTranslation[k][kk] = await translateFunc(thisTranslation[k][kk]) |  | ||||||
|                                     } |  | ||||||
|                                 } |  | ||||||
|                             } catch (e) { |  | ||||||
|                                 if (typeof e == 'string') { |  | ||||||
|                                     console.log(`${reportLine} :::: ${e}`) |  | ||||||
|                                 } else { |  | ||||||
|                                     throw e |  | ||||||
|                                 } |  | ||||||
|                             } |  | ||||||
|                         } else { |  | ||||||
|                             console.log(reportLine) |  | ||||||
|                         } |                         } | ||||||
|  |                         try { | ||||||
|  |                             if (typeof templateTranslation[k] == 'string') { | ||||||
|  |                                 thisTranslation[k] = await translateFunc(thisTranslation[k]) | ||||||
|  |                             } else { | ||||||
|  |                                 const subKeys = Object.keys(templateTranslation[k]) | ||||||
|  |                                 for (let n in subKeys) { | ||||||
|  |                                     const kk = subKeys[n] | ||||||
|  |                                     thisTranslation[k][kk] = await translateFunc(thisTranslation[k][kk]) | ||||||
|  |                                 } | ||||||
|  |                             } | ||||||
|  |                         } catch (e) { | ||||||
|  |                             if (typeof e == 'string') { | ||||||
|  |                                 console.log(`${reportLine} :::: ${e}`) | ||||||
|  |                             } else { | ||||||
|  |                                 throw e | ||||||
|  |                             } | ||||||
|  |                         } | ||||||
|  |                     } else { | ||||||
|  |                         console.log(reportLine) | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
|             } catch (err) { |  | ||||||
|                 console.error(err) |  | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         fs.writeFileSync(file, `${JSON.stringify(thisTranslation, null, '    ')}\n`) |         fs.writeFileSync(file, `${JSON.stringify(thisTranslation, null, '    ')}\n`) | ||||||
|   | |||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(Kräver)", |     "requiredInBrackets": "(Kräver)", | ||||||
|     "dropdownNoOptsError": "FEL: DROPDOWN MÅSTE HA MINST ETT OPT", |     "dropdownNoOptsError": "FEL: DROPDOWN MÅSTE HA MINST ETT OPT", | ||||||
|     "colour": "Färg", |     "colour": "Färg", | ||||||
|     "standard": "Standard", |  | ||||||
|     "custom": "Anpassad", |  | ||||||
|     "useMaterialYou": "Använd material Du", |  | ||||||
|     "githubStarredRepos": "GitHub Stjärnmärkta Förråd", |     "githubStarredRepos": "GitHub Stjärnmärkta Förråd", | ||||||
|     "uname": "Användarnamn", |     "uname": "Användarnamn", | ||||||
|     "wrongArgNum": "Fel antal argument har angetts", |     "wrongArgNum": "Fel antal argument har angetts", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Mörkt", |     "dark": "Mörkt", | ||||||
|     "light": "Ljust", |     "light": "Ljust", | ||||||
|     "followSystem": "Följ System", |     "followSystem": "Följ System", | ||||||
|     "followSystemThemeExplanation": "Följande systemtema är endast möjligt med hjälp av tredjepartsapplikationer", |  | ||||||
|     "useBlackTheme": "Använd svart tema", |     "useBlackTheme": "Använd svart tema", | ||||||
|     "appSortBy": "Sortera Appar via", |     "appSortBy": "Sortera Appar via", | ||||||
|     "authorName": "Utvecklare/Namn", |     "authorName": "Utvecklare/Namn", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Inga nya uppdateringar.", |     "noNewUpdates": "Inga nya uppdateringar.", | ||||||
|     "xHasAnUpdate": "{} har en uppdatering.", |     "xHasAnUpdate": "{} har en uppdatering.", | ||||||
|     "appsUpdated": "Appar Uppdaterade", |     "appsUpdated": "Appar Uppdaterade", | ||||||
|     "appsNotUpdated": "Misslyckades med att uppdatera applikationer", |  | ||||||
|     "appsUpdatedNotifDescription": "Meddelar användaren att uppdateringar av en eller flera appar har tillämpats i bakgrunden", |     "appsUpdatedNotifDescription": "Meddelar användaren att uppdateringar av en eller flera appar har tillämpats i bakgrunden", | ||||||
|     "xWasUpdatedToY": "{} uppdaterades till {}.", |     "xWasUpdatedToY": "{} uppdaterades till {}.", | ||||||
|     "xWasNotUpdatedToY": "Det gick inte att uppdatera {} till {}.", |  | ||||||
|     "errorCheckingUpdates": "Fel vid uppdateringskoll", |     "errorCheckingUpdates": "Fel vid uppdateringskoll", | ||||||
|     "errorCheckingUpdatesNotifDescription": "En aviserings som visar när bakgrundsuppdateringarkollar misslyckas", |     "errorCheckingUpdatesNotifDescription": "En aviserings som visar när bakgrundsuppdateringarkollar misslyckas", | ||||||
|     "appsRemoved": "Appar borttagna", |     "appsRemoved": "Appar borttagna", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "Versionskorrigering inaktiverat (plugin verkar inte fungera)", |     "versionCorrectionDisabled": "Versionskorrigering inaktiverat (plugin verkar inte fungera)", | ||||||
|     "unknown": "Okänd", |     "unknown": "Okänd", | ||||||
|     "none": "Ingen", |     "none": "Ingen", | ||||||
|     "all": "Alla", |  | ||||||
|     "never": "Aldrig", |     "never": "Aldrig", | ||||||
|     "latestVersionX": "Senaste Version: {}", |     "latestVersionX": "Senaste Version: {}", | ||||||
|     "installedVersionX": "Installerad Version: {}", |     "installedVersionX": "Installerad Version: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "Ingen App funnen med det namnet eller ID", |     "appWithIdOrNameNotFound": "Ingen App funnen med det namnet eller ID", | ||||||
|     "reposHaveMultipleApps": "Förråd kan innehålla flera ApparR", |     "reposHaveMultipleApps": "Förråd kan innehålla flera ApparR", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid Tredjeparts Förråd", |     "fdroidThirdPartyRepo": "F-Droid Tredjeparts Förråd", | ||||||
|  |     "steamMobile": "Steam Mobile", | ||||||
|  |     "steamChat": "Steam Chat", | ||||||
|     "install": "Installera", |     "install": "Installera", | ||||||
|     "markInstalled": "Märk Installerad", |     "markInstalled": "Märk Installerad", | ||||||
|     "update": "Uppdatera", |     "update": "Uppdatera", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Inaktivera versionsdetektering", |     "disableVersionDetection": "Inaktivera versionsdetektering", | ||||||
|     "noVersionDetectionExplanation": "Det här alternativet bör endast användas för appar där versionsidentifiering inte fungerar korrekt.", |     "noVersionDetectionExplanation": "Det här alternativet bör endast användas för appar där versionsidentifiering inte fungerar korrekt.", | ||||||
|     "downloadingX": "Laddar ner {}", |     "downloadingX": "Laddar ner {}", | ||||||
|     "downloadX": "Ladda ner {}", |  | ||||||
|     "downloadedX": "Nedladdad {}", |  | ||||||
|     "releaseAsset": "Frigör tillgång", |  | ||||||
|     "downloadNotifDescription": "Meddelar användaren om framstegen med att ladda ner en app", |     "downloadNotifDescription": "Meddelar användaren om framstegen med att ladda ner en app", | ||||||
|     "noAPKFound": "Ingen APK funnen", |     "noAPKFound": "Ingen APK funnen", | ||||||
|     "noVersionDetection": "Ingen versiondetektering", |     "noVersionDetection": "Ingen versiondetektering", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "Avinstallera från Enheten", |     "uninstallFromDevice": "Avinstallera från Enheten", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Fungerar bara för Appar med versionsdetektering inaktiverat..", |     "onlyWorksWithNonVersionDetectApps": "Fungerar bara för Appar med versionsdetektering inaktiverat..", | ||||||
|     "releaseDateAsVersion": "Använd releasedatum som version", |     "releaseDateAsVersion": "Använd releasedatum som version", | ||||||
|     "releaseTitleAsVersion": "Använd release-titel som versionssträng", |  | ||||||
|     "releaseDateAsVersionExplanation": "Det här alternativet bör endast användas för appar där versionsidentifiering inte fungerar korrekt, men ett releasedatum är tillgängligt.", |     "releaseDateAsVersionExplanation": "Det här alternativet bör endast användas för appar där versionsidentifiering inte fungerar korrekt, men ett releasedatum är tillgängligt.", | ||||||
|     "changes": "Ändringar", |     "changes": "Ändringar", | ||||||
|     "releaseDate": "Releasedatum", |     "releaseDate": "Releasedatum", | ||||||
| @@ -222,13 +213,12 @@ | |||||||
|     "standardVersionDetection": "Standardversionsdetektering", |     "standardVersionDetection": "Standardversionsdetektering", | ||||||
|     "groupByCategory": "Gruppera via Kategori", |     "groupByCategory": "Gruppera via Kategori", | ||||||
|     "autoApkFilterByArch": "Försök att filtrera APK-filer efter CPU-arkitektur om möjligt", |     "autoApkFilterByArch": "Försök att filtrera APK-filer efter CPU-arkitektur om möjligt", | ||||||
|     "autoLinkFilterByArch": "Försök att filtrera länkar efter CPU-arkitektur om möjligt", |  | ||||||
|     "overrideSource": "Överskrid Källa", |     "overrideSource": "Överskrid Källa", | ||||||
|     "dontShowAgain": "Visa inte detta igen", |     "dontShowAgain": "Visa inte detta igen", | ||||||
|     "dontShowTrackOnlyWarnings": "Visa inte 'Följ-Endast' varningar", |     "dontShowTrackOnlyWarnings": "Visa inte 'Följ-Endast' varningar", | ||||||
|     "dontShowAPKOriginWarnings": "Visa inte APK-ursprung varningar", |     "dontShowAPKOriginWarnings": "Visa inte APK-ursprung varningar", | ||||||
|     "moveNonInstalledAppsToBottom": "Flytta icke-installerade appar till botten av appvyn", |     "moveNonInstalledAppsToBottom": "Flytta icke-installerade appar till botten av appvyn", | ||||||
|     "gitlabPATLabel": "Personligt åtkomsttoken för GitLab", |     "gitlabPATLabel": "GitLab Personal Access Token", | ||||||
|     "about": "Om", |     "about": "Om", | ||||||
|     "requiresCredentialsInSettings": "{}: This needs additional credentials (in Settings)", |     "requiresCredentialsInSettings": "{}: This needs additional credentials (in Settings)", | ||||||
|     "checkOnStart": "Kolla efter uppdateringar vid start", |     "checkOnStart": "Kolla efter uppdateringar vid start", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "Verifiera 'senaste'-taggen", |     "verifyLatestTag": "Verifiera 'senaste'-taggen", | ||||||
|     "intermediateLinkRegex": "Filtrera för en \"mellanliggande\" länk att besöka", |     "intermediateLinkRegex": "Filtrera för en \"mellanliggande\" länk att besöka", | ||||||
|     "filterByLinkText": "Filtrera länkar efter länktext", |     "filterByLinkText": "Filtrera länkar efter länktext", | ||||||
|     "matchLinksOutsideATags": "Matcha länkar utanför <a>-taggar", |  | ||||||
|     "intermediateLinkNotFound": "Mellanlänk hittades inte", |     "intermediateLinkNotFound": "Mellanlänk hittades inte", | ||||||
|     "intermediateLink": "Mellanlänk", |     "intermediateLink": "Mellanlänk", | ||||||
|     "exemptFromBackgroundUpdates": "Undta från bakgrundsuppdateringar (om aktiverad)", |     "exemptFromBackgroundUpdates": "Undta från bakgrundsuppdateringar (om aktiverad)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Inaktivera Bakgrundsuppdateringar utan Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Inaktivera Bakgrundsuppdateringar utan WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Inaktivera bakgrundsuppdateringar när du inte laddar", |  | ||||||
|     "autoSelectHighestVersionCode": "Välj automatiskt högsta versionskod APK", |     "autoSelectHighestVersionCode": "Välj automatiskt högsta versionskod APK", | ||||||
|     "versionExtractionRegEx": "Version Extraction RegEx", |     "versionExtractionRegEx": "Version Extraction RegEx", | ||||||
|     "trimVersionString": "Trimma versionssträng med RegEx", |  | ||||||
|     "matchGroupToUseForX": "Matchningsgrupp att använda för \"{}\"", |  | ||||||
|     "matchGroupToUse": "Match Group to Use", |     "matchGroupToUse": "Match Group to Use", | ||||||
|     "highlightTouchTargets": "Markera mindre uppenbara beröringsobjekt", |     "highlightTouchTargets": "Markera mindre uppenbara beröringsobjekt", | ||||||
|     "pickExportDir": "Välj Exportsökväg", |     "pickExportDir": "Välj Exportsökväg", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "Stöd fasta APK-webbadresser", |     "supportFixedAPKURL": "Stöd fasta APK-webbadresser", | ||||||
|     "selectX": "Välj {}", |     "selectX": "Välj {}", | ||||||
|     "parallelDownloads": "Tillåt parallella nedladdningar", |     "parallelDownloads": "Tillåt parallella nedladdningar", | ||||||
|     "useShizuku": "Använd Shizuku eller Sui för att installera", |     "installMethod": "Installationsmetod", | ||||||
|  |     "normal": "Vanligt", | ||||||
|  |     "root": "Rot", | ||||||
|     "shizukuBinderNotFound": "Shizuku is not running", |     "shizukuBinderNotFound": "Shizuku is not running", | ||||||
|     "shizukuOld": "Gammal Shizuku-version (<11) - uppdatera den", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku körs på Android < 8.1 med ADB - uppdatera Android eller använd Sui istället", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Ange Google Play som installationskälla (om Shizuku används)", |  | ||||||
|     "useSystemFont": "Använd systemteckensnittet", |     "useSystemFont": "Använd systemteckensnittet", | ||||||
|  |     "systemFontError": "Fel vid laddning av systemteckensnittet: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Använd appversionskoden som OS-upptäckt version", |     "useVersionCodeAsOSVersion": "Använd appversionskoden som OS-upptäckt version", | ||||||
|     "requestHeader": "Rubrik för begäran", |     "requestHeader": "Rubrik för begäran", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Använd senaste tillgångsuppladdning som releasedatum", |     "useLatestAssetDateAsReleaseDate": "Använd senaste tillgångsuppladdning som releasedatum", | ||||||
| @@ -313,30 +299,6 @@ | |||||||
|     "note": "Anmärkning", |     "note": "Anmärkning", | ||||||
|     "selfHostedNote": "Rullgardinsmenyn \"{}\" kan användas för att nå självhostade/anpassade instanser av valfri källa.", |     "selfHostedNote": "Rullgardinsmenyn \"{}\" kan användas för att nå självhostade/anpassade instanser av valfri källa.", | ||||||
|     "badDownload": "APK kunde inte analyseras (inkompatibel eller partiell nedladdning)", |     "badDownload": "APK kunde inte analyseras (inkompatibel eller partiell nedladdning)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Dela nya appar med AppVerifier (om tillgängligt)", |  | ||||||
|     "appVerifierInstructionToast": "Dela till AppVerifier och återvänd sedan hit när du är klar.", |  | ||||||
|     "wiki": "Hjälp/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Crowdsourcade appkonfigurationer (använd på egen risk)", |  | ||||||
|     "crowdsourcedConfigsShort": "Appkonfigurationer med hjälp av crowdsourcing", |  | ||||||
|     "allowInsecure": "Tillåt osäkra HTTP-förfrågningar", |  | ||||||
|     "stayOneVersionBehind": "Håll dig en version bakom den senaste", |  | ||||||
|     "useFirstApkOfVersion": "Välj automatiskt den första av flera APK:er", |  | ||||||
|     "refreshBeforeDownload": "Uppdatera appdetaljerna före nedladdning", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Namn", |  | ||||||
|     "smartname": "Namn (Smart)", |  | ||||||
|     "sortMethod": "Sorteringsmetod", |  | ||||||
|     "welcome": "Välkommen", |  | ||||||
|     "documentationLinksNote": "Obtainium GitHub-sidan som länkas nedan innehåller länkar till videor, artiklar, diskussioner och andra resurser som hjälper dig att förstå hur du använder appen.", |  | ||||||
|     "batteryOptimizationNote": "Observera att nedladdningar i bakgrunden kan fungera mer tillförlitligt om du inaktiverar OS-batterioptimeringar för Obtainium.", |  | ||||||
|     "fileDeletionError": "Misslyckades med att radera filen (försök radera den manuellt och försök sedan igen): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium förgrundstjänst", |  | ||||||
|     "foregroundServiceExplanation": "Använd en förgrundstjänst för uppdateringskontroll (mer tillförlitlig, förbrukar mer ström)", |  | ||||||
|     "fgServiceNotice": "Detta meddelande krävs för bakgrundsuppdateringskontroll (det kan döljas i OS-inställningarna)", |  | ||||||
|     "excludeSecrets": "Utesluta hemligheter", |  | ||||||
|     "GHReqPrefix": "Instansen \"sky22333/hubproxy\" för GitHub-förfrågningar", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Ta Bort App?", |         "one": "Ta Bort App?", | ||||||
|         "other": "Ta Bort Appar?" |         "other": "Ta Bort Appar?" | ||||||
| @@ -362,16 +324,16 @@ | |||||||
|         "other": "{} URL:er" |         "other": "{} URL:er" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} minut", |         "one": "{} Minut", | ||||||
|         "other": "{} minuter" |         "other": "{} Minuter" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} timme", |         "one": "{} Timme", | ||||||
|         "other": "{} timmar" |         "other": "{} Timmar" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} dag", |         "one": "{} Dag", | ||||||
|         "other": "{} dagar" |         "other": "{} Dagar" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Rensade {n} logg (före = {before}, efter = {after})", |         "one": "Rensade {n} logg (före = {before}, efter = {after})", | ||||||
| @@ -385,10 +347,6 @@ | |||||||
|         "one": "{} och 1 till app uppdaterades.", |         "one": "{} och 1 till app uppdaterades.", | ||||||
|         "other": "{} och {} appar till uppdaterades." |         "other": "{} och {} appar till uppdaterades." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Misslyckades med att uppdatera {} och ytterligare 1 app.", |  | ||||||
|         "other": "Det gick inte att uppdatera {} och {} fler appar." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} och 1 till app kan ha uppdaterats.", |         "one": "{} och 1 till app kan ha uppdaterats.", | ||||||
|         "other": "{} och {} appar till kan ha uppdaterats." |         "other": "{} och {} appar till kan ha uppdaterats." | ||||||
|   | |||||||
| @@ -3,7 +3,7 @@ | |||||||
|     "noReleaseFound": "Uygun bir sürüm bulunamadı", |     "noReleaseFound": "Uygun bir sürüm bulunamadı", | ||||||
|     "noVersionFound": "Sürüm bulunamadı", |     "noVersionFound": "Sürüm bulunamadı", | ||||||
|     "urlMatchesNoSource": "URL, bilinen bir kaynağa uymuyor", |     "urlMatchesNoSource": "URL, bilinen bir kaynağa uymuyor", | ||||||
|     "cantInstallOlderVersion": "Eski bir sürüm yüklenemez", |     "cantInstallOlderVersion": "Eski bir sürümü yükleyemem", | ||||||
|     "appIdMismatch": "İndirilen paket kimliği mevcut Uygulama kimliği ile eşleşmiyor", |     "appIdMismatch": "İndirilen paket kimliği mevcut Uygulama kimliği ile eşleşmiyor", | ||||||
|     "functionNotImplemented": "Bu sınıf bu işlevi uygulamamıştır", |     "functionNotImplemented": "Bu sınıf bu işlevi uygulamamıştır", | ||||||
|     "placeholder": "Yer Tutucu", |     "placeholder": "Yer Tutucu", | ||||||
| @@ -13,22 +13,19 @@ | |||||||
|     "and": "ve", |     "and": "ve", | ||||||
|     "githubPATLabel": "GitHub Kişisel Erişim Anahtarı (Sınırlamayı Artırır)", |     "githubPATLabel": "GitHub Kişisel Erişim Anahtarı (Sınırlamayı Artırır)", | ||||||
|     "includePrereleases": "Ön sürümleri dahil et", |     "includePrereleases": "Ön sürümleri dahil et", | ||||||
|     "fallbackToOlderReleases": "Daha eski sürümleri alternatif olarak tut", |     "fallbackToOlderReleases": "Daha eski sürümlere geri dön", | ||||||
|     "filterReleaseTitlesByRegEx": "Düzenli İfadelerle Sürüm Başlıklarını Filtrele", |     "filterReleaseTitlesByRegEx": "Düzenli İfadelerle Sürüm Başlıklarını Filtrele", | ||||||
|     "invalidRegEx": "Geçersiz düzenli ifade", |     "invalidRegEx": "Geçersiz düzenli ifade", | ||||||
|     "noDescription": "Açıklama yok", |     "noDescription": "Açıklama yok", | ||||||
|     "cancel": "İptal", |     "cancel": "İptal", | ||||||
|     "continue": "Devam Et", |     "continue": "Devam Et", | ||||||
|     "requiredInBrackets": "(Gerekli)", |     "requiredInBrackets": "(Gerekli)", | ||||||
|     "dropdownNoOptsError": "HATA: AÇILIR MENÜDE EN AZ BİR SEÇENEK OLMALI", |     "dropdownNoOptsError": "HATA: DİPLOMADA EN AZ BİR SEÇENEK OLMALI", | ||||||
|     "colour": "Renk", |     "colour": "Renk", | ||||||
|     "standard": "Standart", |     "githubStarredRepos": "GitHub'a Yıldızlı Depolar", | ||||||
|     "custom": "Özel", |  | ||||||
|     "useMaterialYou": "MaterialYou Kullanın", |  | ||||||
|     "githubStarredRepos": "GitHub Yıldızlı Depolar", |  | ||||||
|     "uname": "Kullanıcı Adı", |     "uname": "Kullanıcı Adı", | ||||||
|     "wrongArgNum": "Hatalı sayıda argüman sağlandı", |     "wrongArgNum": "Hatalı argüman sayısı sağlandı", | ||||||
|     "xIsTrackOnly": "{} yalnızca Takip Ediliyor", |     "xIsTrackOnly": "{} yalnızca Takip Edilen", | ||||||
|     "source": "Kaynak", |     "source": "Kaynak", | ||||||
|     "app": "Uygulama", |     "app": "Uygulama", | ||||||
|     "appsFromSourceAreTrackOnly": "Bu kaynaktan gelen uygulamalar 'Yalnızca Takip Edilen'dir.", |     "appsFromSourceAreTrackOnly": "Bu kaynaktan gelen uygulamalar 'Yalnızca Takip Edilen'dir.", | ||||||
| @@ -41,9 +38,9 @@ | |||||||
|     "appSourceURL": "Uygulama Kaynak URL'si", |     "appSourceURL": "Uygulama Kaynak URL'si", | ||||||
|     "error": "Hata", |     "error": "Hata", | ||||||
|     "add": "Ekle", |     "add": "Ekle", | ||||||
|     "searchSomeSourcesLabel": "Ara (Yalnızca Bazı Kaynaklar)", |     "searchSomeSourcesLabel": "Ara (Bazı Kaynaklar Yalnızca)", | ||||||
|     "search": "Ara", |     "search": "Ara", | ||||||
|     "additionalOptsFor": "{} için Ek Seçenekler", |     "additionalOptsFor": "{} İçin Ek Seçenekler", | ||||||
|     "supportedSources": "Desteklenen Kaynaklar", |     "supportedSources": "Desteklenen Kaynaklar", | ||||||
|     "trackOnlyInBrackets": "(Yalnızca Takip)", |     "trackOnlyInBrackets": "(Yalnızca Takip)", | ||||||
|     "searchableInBrackets": "(Aranabilir)", |     "searchableInBrackets": "(Aranabilir)", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Koyu", |     "dark": "Koyu", | ||||||
|     "light": "Aydınlık", |     "light": "Aydınlık", | ||||||
|     "followSystem": "Sistemi Takip Et", |     "followSystem": "Sistemi Takip Et", | ||||||
|     "followSystemThemeExplanation": "Sistem temasını takip etmek yalnızca üçüncü taraf uygulamaları kullanarak mümkündür", |  | ||||||
|     "useBlackTheme": "Saf siyah koyu temasını kullan", |     "useBlackTheme": "Saf siyah koyu temasını kullan", | ||||||
|     "appSortBy": "Uygulama Sıralama Ölçütü", |     "appSortBy": "Uygulama Sıralama Ölçütü", | ||||||
|     "authorName": "Yazar/Ad", |     "authorName": "Yazar/Ad", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Yeni güncelleme yok.", |     "noNewUpdates": "Yeni güncelleme yok.", | ||||||
|     "xHasAnUpdate": "{} güncelleme alıyor.", |     "xHasAnUpdate": "{} güncelleme alıyor.", | ||||||
|     "appsUpdated": "Uygulamalar Güncellendi", |     "appsUpdated": "Uygulamalar Güncellendi", | ||||||
|     "appsNotUpdated": "Uygulamalar güncellenemedi", |  | ||||||
|     "appsUpdatedNotifDescription": "Kullanıcıya bir veya daha fazla uygulamanın arka planda güncellendiğine dair bilgi verir", |     "appsUpdatedNotifDescription": "Kullanıcıya bir veya daha fazla uygulamanın arka planda güncellendiğine dair bilgi verir", | ||||||
|     "xWasUpdatedToY": "{} şu sürüme güncellendi: {}.", |     "xWasUpdatedToY": "{} şu sürüme güncellendi: {}.", | ||||||
|     "xWasNotUpdatedToY": "{} öğesi {} olarak güncellenemedi.", |  | ||||||
|     "errorCheckingUpdates": "Güncellemeler Kontrol Edilirken Hata Oluştu", |     "errorCheckingUpdates": "Güncellemeler Kontrol Edilirken Hata Oluştu", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Arka planda güncelleme kontrolü sırasında hata oluştuğunda görünen bir bildirim", |     "errorCheckingUpdatesNotifDescription": "Arka planda güncelleme kontrolü sırasında hata oluştuğunda görünen bir bildirim", | ||||||
|     "appsRemoved": "Uygulamalar Kaldırıldı", |     "appsRemoved": "Uygulamalar Kaldırıldı", | ||||||
| @@ -167,19 +161,20 @@ | |||||||
|     "versionCorrectionDisabled": "Sürüm düzeltme devre dışı bırakıldı (eklenti çalışmıyor gibi görünüyor)", |     "versionCorrectionDisabled": "Sürüm düzeltme devre dışı bırakıldı (eklenti çalışmıyor gibi görünüyor)", | ||||||
|     "unknown": "Bilinmiyor", |     "unknown": "Bilinmiyor", | ||||||
|     "none": "Hiçbiri", |     "none": "Hiçbiri", | ||||||
|     "all": "Tümü", |  | ||||||
|     "never": "Asla", |     "never": "Asla", | ||||||
|     "latestVersionX": "En Son Sürüm: {}", |     "latestVersionX": "En Son Sürüm: {}", | ||||||
|     "installedVersionX": "Yüklenen Sürüm: {}", |     "installedVersionX": "Yüklenen Sürüm: {}", | ||||||
|     "lastUpdateCheckX": "Son Güncelleme Kontrolü: {}", |     "lastUpdateCheckX": "Son Güncelleme Kontrolü: {}", | ||||||
|     "remove": "Kaldır", |     "remove": "Kaldır", | ||||||
|     "yesMarkUpdated": "Evet, Güncellendi olarak İşaretle", |     "yesMarkUpdated": "Evet, Güncellendi olarak İşaretle", | ||||||
|     "fdroid": "Resmi F-Droid", |     "fdroid": "F-Droid Resmi", | ||||||
|     "appIdOrName": "Uygulama Kimliği veya Adı", |     "appIdOrName": "Uygulama Kimliği veya Adı", | ||||||
|     "appId": "Uygulama Kimliği", |     "appId": "Uygulama Kimliği", | ||||||
|     "appWithIdOrNameNotFound": "Bu kimlik veya ada sahip bir uygulama bulunamadı", |     "appWithIdOrNameNotFound": "Bu kimlik veya ada sahip bir uygulama bulunamadı", | ||||||
|     "reposHaveMultipleApps": "Depolar birden fazla uygulama içerebilir", |     "reposHaveMultipleApps": "Depolar birden fazla uygulama içerebilir", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid Üçüncü Parti Depo", |     "fdroidThirdPartyRepo": "F-Droid Üçüncü Taraf Depo", | ||||||
|  |     "steamMobile": "Buhar Mobil", | ||||||
|  |     "steamChat": "Steam Sohbet", | ||||||
|     "install": "Yükle", |     "install": "Yükle", | ||||||
|     "markInstalled": "Yüklendi olarak İşaretle", |     "markInstalled": "Yüklendi olarak İşaretle", | ||||||
|     "update": "Güncelle", |     "update": "Güncelle", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Sürüm Algılama Devre Dışı", |     "disableVersionDetection": "Sürüm Algılama Devre Dışı", | ||||||
|     "noVersionDetectionExplanation": "Bu seçenek, sürüm algılamanın doğru çalışmadığı uygulamalar için kullanılmalıdır.", |     "noVersionDetectionExplanation": "Bu seçenek, sürüm algılamanın doğru çalışmadığı uygulamalar için kullanılmalıdır.", | ||||||
|     "downloadingX": "{} İndiriliyor", |     "downloadingX": "{} İndiriliyor", | ||||||
|     "downloadX": "İndir {}", |  | ||||||
|     "downloadedX": "İndirildi {}", |  | ||||||
|     "releaseAsset": "Varlık Serbest Bırakma", |  | ||||||
|     "downloadNotifDescription": "Bir uygulamanın indirme sürecinde ilerlemeyi bildiren bir bildirim", |     "downloadNotifDescription": "Bir uygulamanın indirme sürecinde ilerlemeyi bildiren bir bildirim", | ||||||
|     "noAPKFound": "APK bulunamadı", |     "noAPKFound": "APK bulunamadı", | ||||||
|     "noVersionDetection": "Sürüm Algılanamıyor", |     "noVersionDetection": "Sürüm Algılanamıyor", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "Cihazdan Kaldır", |     "uninstallFromDevice": "Cihazdan Kaldır", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Yalnızca Sürüm Algılaması Devre Dışı Uygulamalar İçin Çalışır.", |     "onlyWorksWithNonVersionDetectApps": "Yalnızca Sürüm Algılaması Devre Dışı Uygulamalar İçin Çalışır.", | ||||||
|     "releaseDateAsVersion": "Sürüm Olarak Yayın Tarihi Kullan", |     "releaseDateAsVersion": "Sürüm Olarak Yayın Tarihi Kullan", | ||||||
|     "releaseTitleAsVersion": "Sürüm dizesi olarak sürüm başlığını kullan", |  | ||||||
|     "releaseDateAsVersionExplanation": "Bu seçenek, sürüm algılamanın doğru çalışmadığı ancak bir sürüm tarihinin mevcut olduğu uygulamalar için kullanılmalıdır.", |     "releaseDateAsVersionExplanation": "Bu seçenek, sürüm algılamanın doğru çalışmadığı ancak bir sürüm tarihinin mevcut olduğu uygulamalar için kullanılmalıdır.", | ||||||
|     "changes": "Değişiklikler", |     "changes": "Değişiklikler", | ||||||
|     "releaseDate": "Yayın Tarihi", |     "releaseDate": "Yayın Tarihi", | ||||||
| @@ -222,8 +213,7 @@ | |||||||
|     "standardVersionDetection": "Standart sürüm tespiti", |     "standardVersionDetection": "Standart sürüm tespiti", | ||||||
|     "groupByCategory": "Kategoriye Göre Grupla", |     "groupByCategory": "Kategoriye Göre Grupla", | ||||||
|     "autoApkFilterByArch": "Mümkünse APK'leri CPU mimarisi ile filtreleme girişimi", |     "autoApkFilterByArch": "Mümkünse APK'leri CPU mimarisi ile filtreleme girişimi", | ||||||
|     "autoLinkFilterByArch": "Mümkünse bağlantıları CPU mimarisine göre filtrelemeye çalışın", |     "overrideSource": "Kaynağı Geçersiz Kıl", | ||||||
|     "overrideSource": "Öncelenecek Kaynak", |  | ||||||
|     "dontShowAgain": "Bunu tekrar gösterme", |     "dontShowAgain": "Bunu tekrar gösterme", | ||||||
|     "dontShowTrackOnlyWarnings": "'Yalnızca Takip Edilen' uyarılarını gösterme", |     "dontShowTrackOnlyWarnings": "'Yalnızca Takip Edilen' uyarılarını gösterme", | ||||||
|     "dontShowAPKOriginWarnings": "APK kaynağı uyarılarını gösterme", |     "dontShowAPKOriginWarnings": "APK kaynağı uyarılarını gösterme", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "'latest' etiketini doğrula", |     "verifyLatestTag": "'latest' etiketini doğrula", | ||||||
|     "intermediateLinkRegex": "Ziyaret Edilecek 'Orta Düzey' Bağlantıyı Filtrele", |     "intermediateLinkRegex": "Ziyaret Edilecek 'Orta Düzey' Bağlantıyı Filtrele", | ||||||
|     "filterByLinkText": "Bağlantıları bağlantı metnine göre filtrele", |     "filterByLinkText": "Bağlantıları bağlantı metnine göre filtrele", | ||||||
|     "matchLinksOutsideATags": "<a> etiketleri dışındaki bağlantıları eşleştirin", |  | ||||||
|     "intermediateLinkNotFound": "Ara bağlantı bulunamadı", |     "intermediateLinkNotFound": "Ara bağlantı bulunamadı", | ||||||
|     "intermediateLink": "Ara bağlantı", |     "intermediateLink": "Ara bağlantı", | ||||||
|     "exemptFromBackgroundUpdates": "Arka plan güncellemelerinden muaf tut (etkinse)", |     "exemptFromBackgroundUpdates": "Arka plan güncellemelerinden muaf tut (etkinse)", | ||||||
|     "bgUpdatesOnWiFiOnly": "WiFi olmadığında arka plan güncellemelerini devre dışı bırak", |     "bgUpdatesOnWiFiOnly": "WiFi olmadığında arka plan güncellemelerini devre dışı bırak", | ||||||
|     "bgUpdatesWhileChargingOnly": "Şarj olmadığında arka plan güncellemelerini devre dışı bırakma", |  | ||||||
|     "autoSelectHighestVersionCode": "Otomatik olarak en yüksek sürüm kodunu seç", |     "autoSelectHighestVersionCode": "Otomatik olarak en yüksek sürüm kodunu seç", | ||||||
|     "versionExtractionRegEx": "Sürüm Çıkarma Düzenli İfade", |     "versionExtractionRegEx": "Sürüm Çıkarma Düzenli İfade", | ||||||
|     "trimVersionString": "RegEx ile Sürüm Dizesini Kırpma", |  | ||||||
|     "matchGroupToUseForX": "\"{}\" için Kullanılacak Grubu Eşleştirin", |  | ||||||
|     "matchGroupToUse": "Sürüm Çıkarma Regex için Kullanılacak Eşleşme Grubu", |     "matchGroupToUse": "Sürüm Çıkarma Regex için Kullanılacak Eşleşme Grubu", | ||||||
|     "highlightTouchTargets": "Daha az belirgin dokunma hedeflerini vurgula", |     "highlightTouchTargets": "Daha az belirgin dokunma hedeflerini vurgula", | ||||||
|     "pickExportDir": "Dışa Aktarılacak Klasörü Seç", |     "pickExportDir": "Dışa Aktarılacak Klasörü Seç", | ||||||
| @@ -291,14 +277,14 @@ | |||||||
|     "checkingForUpdatesNotifChannel": "Güncellemeler Kontrol Ediliyor", |     "checkingForUpdatesNotifChannel": "Güncellemeler Kontrol Ediliyor", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Yalnızca yüklü ve Yalnızca İzleme Uygulamalarını güncelleme", |     "onlyCheckInstalledOrTrackOnlyApps": "Yalnızca yüklü ve Yalnızca İzleme Uygulamalarını güncelleme", | ||||||
|     "supportFixedAPKURL": "Sabit APK URL'lerini destekleyin", |     "supportFixedAPKURL": "Sabit APK URL'lerini destekleyin", | ||||||
|     "selectX": "{} Tanesini Seç", |     "selectX": "Seçme {}", | ||||||
|     "parallelDownloads": "Paralel indirmelere izin ver", |     "parallelDownloads": "Paralel indirmelere izin ver", | ||||||
|     "useShizuku": "Yüklemek için Shizuku veya Sui'yi kullanın", |     "installMethod": "Kurulum yöntemi", | ||||||
|     "shizukuBinderNotFound": "Shizuku servisi çalışmıyor", |     "normal": "Normal", | ||||||
|     "shizukuOld": "Eski Shizuku sürümü (<11) - güncelleyin", |     "root": "Kök", | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku ADB ile Android < 8.1 üzerinde çalışıyor - Android'i güncelleyin veya bunun yerine Sui kullanın", |     "shizukuBinderNotFound": "Shizuku is not running", | ||||||
|     "shizukuPretendToBeGooglePlay": "Google Play'i yükleme kaynağı olarak ayarlayın (Shizuku kullanılıyorsa)", |  | ||||||
|     "useSystemFont": "Sistem yazı tipini kullan", |     "useSystemFont": "Sistem yazı tipini kullan", | ||||||
|  |     "systemFontError": "Sistem yazı tipi yüklenirken hata oluştu: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Uygulama versionCode'unu işletim sistemi tarafından algılanan sürüm olarak kullan", |     "useVersionCodeAsOSVersion": "Uygulama versionCode'unu işletim sistemi tarafından algılanan sürüm olarak kullan", | ||||||
|     "requestHeader": "Başlık talep et", |     "requestHeader": "Başlık talep et", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Yayın tarihi olarak en son öğe yüklemesini kullan", |     "useLatestAssetDateAsReleaseDate": "Yayın tarihi olarak en son öğe yüklemesini kullan", | ||||||
| @@ -313,30 +299,6 @@ | |||||||
|     "note": "Not", |     "note": "Not", | ||||||
|     "selfHostedNote": "\"{}\" açılır menüsü, herhangi bir kaynağın kendi kendine barındırılan/özel örneklerine ulaşmak için kullanılabilir.", |     "selfHostedNote": "\"{}\" açılır menüsü, herhangi bir kaynağın kendi kendine barındırılan/özel örneklerine ulaşmak için kullanılabilir.", | ||||||
|     "badDownload": "APK ayrıştırılamadı (uyumsuz veya kısmi indirme)", |     "badDownload": "APK ayrıştırılamadı (uyumsuz veya kısmi indirme)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Yeni Uygulamaları AppVerifier ile paylaşın (varsa)", |  | ||||||
|     "appVerifierInstructionToast": "AppVerifier ile paylaşın, hazır olduğunuzda buraya dönün.", |  | ||||||
|     "wiki": "Yardım/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Kitle Kaynaklı Uygulama Yapılandırmaları (riski size ait olmak üzere kullanın)", |  | ||||||
|     "crowdsourcedConfigsShort": "Kitle Kaynaklı Uygulama Yapılandırmaları", |  | ||||||
|     "allowInsecure": "Güvensiz HTTP isteklerine izin ver", |  | ||||||
|     "stayOneVersionBehind": "En son sürümün bir sürüm gerisinde kalın", |  | ||||||
|     "useFirstApkOfVersion": "Birden fazla APK arasından ilkini otomatik seçme", |  | ||||||
|     "refreshBeforeDownload": "İndirmeden önce uygulama ayrıntılarını yenileyin", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "İsim", |  | ||||||
|     "smartname": "İsim (Akıllı)", |  | ||||||
|     "sortMethod": "Sıralama Yöntemi", |  | ||||||
|     "welcome": "Hoş geldiniz", |  | ||||||
|     "documentationLinksNote": "Aşağıda bağlantısı verilen Obtainium GitHub sayfası, uygulamayı nasıl kullanacağınızı anlamanıza yardımcı olacak videolara, makalelere, tartışmalara ve diğer kaynaklara bağlantılar içerir.", |  | ||||||
|     "batteryOptimizationNote": "Obtainium için işletim sistemi pil optimizasyonlarını devre dışı bırakırsanız arka planda indirmelerin daha güvenilir şekilde çalışabileceğini unutmayın.", |  | ||||||
|     "fileDeletionError": "Dosya silinemedi (elle silmeyi deneyin ve sonra tekrar deneyin): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium ön plan hizmeti", |  | ||||||
|     "foregroundServiceExplanation": "Güncelleme denetimi için bir ön plan hizmeti kullanın (daha güvenilir, daha fazla güç tüketir)", |  | ||||||
|     "fgServiceNotice": "Bu bildirim arka planda güncelleme kontrolü için gereklidir (işletim sistemi ayarlarından gizlenebilir)", |  | ||||||
|     "excludeSecrets": "Sırları hariç tut", |  | ||||||
|     "GHReqPrefix": "GitHub istekleri için 'sky22333/hubproxy' örneği", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Uygulamayı Kaldır?", |         "one": "Uygulamayı Kaldır?", | ||||||
|         "other": "Uygulamaları Kaldır?" |         "other": "Uygulamaları Kaldır?" | ||||||
| @@ -359,19 +321,19 @@ | |||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL", |         "one": "{} URL", | ||||||
|         "other": "{} URL" |         "other": "{} URL'ler" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} dakika", |         "one": "{} Dakika", | ||||||
|         "other": "{} dakika" |         "other": "{} Dakika" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} saat", |         "one": "{} Saat", | ||||||
|         "other": "{} saat" |         "other": "{} Saat" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} gün", |         "one": "{} Gün", | ||||||
|         "other": "{} gün" |         "other": "{} Gün" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "{n} log temizlendi (önce = {before}, sonra = {after})", |         "one": "{n} log temizlendi (önce = {before}, sonra = {after})", | ||||||
| @@ -385,16 +347,12 @@ | |||||||
|         "one": "{} ve 1 diğer uygulama güncellendi.", |         "one": "{} ve 1 diğer uygulama güncellendi.", | ||||||
|         "other": "{} ve {} daha fazla uygulama güncellendi." |         "other": "{} ve {} daha fazla uygulama güncellendi." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "{} ve 1 uygulama daha güncellenemedi.", |  | ||||||
|         "other": "{} ve {} daha fazla uygulama güncellenemedi." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} ve 1 diğer uygulama muhtemelen güncellendi.", |         "one": "{} ve 1 diğer uygulama muhtemelen güncellendi.", | ||||||
|         "other": "{} ve {} daha fazla uygulama muhtemelen güncellendi." |         "other": "{} ve {} daha fazla uygulama muhtemelen güncellendi." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|         "other": "{} APK" |         "other": "{} APK'lar" | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -22,22 +22,19 @@ | |||||||
|     "requiredInBrackets": "(Обов'язково)", |     "requiredInBrackets": "(Обов'язково)", | ||||||
|     "dropdownNoOptsError": "ПОМИЛКА: В ВИПАДАЮЧОМУ СПИСКУ МАЄ БУТИ ХОЧА Б ОДИН ЕЛЕМЕНТ", |     "dropdownNoOptsError": "ПОМИЛКА: В ВИПАДАЮЧОМУ СПИСКУ МАЄ БУТИ ХОЧА Б ОДИН ЕЛЕМЕНТ", | ||||||
|     "colour": "Колір", |     "colour": "Колір", | ||||||
|     "standard": "Стандартний", |  | ||||||
|     "custom": "Нестандартний", |  | ||||||
|     "useMaterialYou": "Використовуйте матеріал, який ви", |  | ||||||
|     "githubStarredRepos": "Відзначені репозиторії GitHub", |     "githubStarredRepos": "Відзначені репозиторії GitHub", | ||||||
|     "uname": "Ім'я користувача", |     "uname": "Ім'я користувача", | ||||||
|     "wrongArgNum": "Надано неправильну кількість аргументів", |     "wrongArgNum": "Надано неправильну кількість аргументів", | ||||||
|     "xIsTrackOnly": "{} - тільки відстежування", |     "xIsTrackOnly": "{} - тільки відстежування", | ||||||
|     "source": "Джерело", |     "source": "Джерело", | ||||||
|     "app": "застосунок", |     "app": "застосунок", | ||||||
|     "appsFromSourceAreTrackOnly": "Застосунки з цього джерела є лише для відстежування.", |     "appsFromSourceAreTrackOnly": "Додатки з цього джерела є лише для відстежування.", | ||||||
|     "youPickedTrackOnly": "Ви вибрали опцію лише для відстежування.", |     "youPickedTrackOnly": "Ви вибрали опцію лише для відстежування.", | ||||||
|     "trackOnlyAppDescription": "Застосунок буде відстежуватися для оновлень, але Obtainium не зможе його завантажити або встановити.", |     "trackOnlyAppDescription": "Застосунок буде відстежуватися для оновлень, але Obtainium не зможе його завантажити або встановити.", | ||||||
|     "cancelled": "Скасовано", |     "cancelled": "Скасовано", | ||||||
|     "appAlreadyAdded": "Застосунок вже додано", |     "appAlreadyAdded": "Застосунок вже додано", | ||||||
|     "alreadyUpToDateQuestion": "Застосунок вже оновлено?", |     "alreadyUpToDateQuestion": "Застосунок вже оновлено?", | ||||||
|     "addApp": "Додати", |     "addApp": "Додати Застосунок", | ||||||
|     "appSourceURL": "URL-адреса джерела застосунку", |     "appSourceURL": "URL-адреса джерела застосунку", | ||||||
|     "error": "Помилка", |     "error": "Помилка", | ||||||
|     "add": "Додати", |     "add": "Додати", | ||||||
| @@ -47,10 +44,10 @@ | |||||||
|     "supportedSources": "Підтримувані джерела", |     "supportedSources": "Підтримувані джерела", | ||||||
|     "trackOnlyInBrackets": "(Тільки для відстеження)", |     "trackOnlyInBrackets": "(Тільки для відстеження)", | ||||||
|     "searchableInBrackets": "(Можливий пошук)", |     "searchableInBrackets": "(Можливий пошук)", | ||||||
|     "appsString": "Застосунки", |     "appsString": "Додатки", | ||||||
|     "noApps": "Застосунків немає", |     "noApps": "Додатків немає", | ||||||
|     "noAppsForFilter": "Застосунків для фільтрації немає", |     "noAppsForFilter": "Додатків для фільтрації немає", | ||||||
|     "byX": "Від {}", |     "byX": "За {}", | ||||||
|     "percentProgress": "Прогрес: {}%", |     "percentProgress": "Прогрес: {}%", | ||||||
|     "pleaseWait": "Будь ласка, зачекайте", |     "pleaseWait": "Будь ласка, зачекайте", | ||||||
|     "updateAvailable": "Доступно оновлення", |     "updateAvailable": "Доступно оновлення", | ||||||
| @@ -59,35 +56,35 @@ | |||||||
|     "selectAll": "Вибрати все", |     "selectAll": "Вибрати все", | ||||||
|     "deselectX": "Скасувати вибір {}", |     "deselectX": "Скасувати вибір {}", | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} буде видалено з Obtainium, але залишиться встановленим на пристрої.", |     "xWillBeRemovedButRemainInstalled": "{} буде видалено з Obtainium, але залишиться встановленим на пристрої.", | ||||||
|     "removeSelectedAppsQuestion": "Видалити вибрані застосунки?", |     "removeSelectedAppsQuestion": "Видалити вибрані додатки?", | ||||||
|     "removeSelectedApps": "Видалити вибрані застосунки", |     "removeSelectedApps": "Видалити вибрані додатки", | ||||||
|     "updateX": "Оновити {}", |     "updateX": "Оновити {}", | ||||||
|     "installX": "Встановити {}", |     "installX": "Встановити {}", | ||||||
|     "markXTrackOnlyAsUpdated": "Позначити {}\n(Тільки відстежування)\nяк оновлено", |     "markXTrackOnlyAsUpdated": "Позначити {}\n(Тільки відстежування)\nяк оновлено", | ||||||
|     "changeX": "Змінити {}", |     "changeX": "Змінити {}", | ||||||
|     "installUpdateApps": "Встановити/Оновити застосунки", |     "installUpdateApps": "Встановити/Оновити додатки", | ||||||
|     "installUpdateSelectedApps": "Встановити/Оновити вибрані застосунки", |     "installUpdateSelectedApps": "Встановити/Оновити вибрані додатки", | ||||||
|     "markXSelectedAppsAsUpdated": "Позначити {} вибрані застосунки як оновлені?", |     "markXSelectedAppsAsUpdated": "Позначити {} вибрані додатки як оновлені?", | ||||||
|     "no": "Ні", |     "no": "Ні", | ||||||
|     "yes": "Так", |     "yes": "Так", | ||||||
|     "markSelectedAppsUpdated": "Позначити вибрані застосунки як оновлені", |     "markSelectedAppsUpdated": "Позначити вибрані додатки як оновлені", | ||||||
|     "pinToTop": "Закріпити угорі", |     "pinToTop": "Закріпити угорі", | ||||||
|     "unpinFromTop": "Відкріпити зверху", |     "unpinFromTop": "Відкріпити зверху", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "Скинути статус встановлення для вибраних застосунків?", |     "resetInstallStatusForSelectedAppsQuestion": "Скинути статус встановлення для вибраних додатків?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "Статус встановлення будь-яких вибраних застосунків буде скинутий.\n\nЦе може допомогти, коли версія застосунку, відображена в Obtainium, є неправильною через невдалі оновлення або інші проблеми.", |     "installStatusOfXWillBeResetExplanation": "Статус встановлення будь-яких вибраних додатків буде скинутий.\n\nЦе може допомогти, коли версія застосунку, відображена в Obtainium, є неправильною через невдалі оновлення або інші проблеми.", | ||||||
|     "customLinkMessage": "Ці посилання працюють на пристроях з встановленим Obtainium", |     "customLinkMessage": "Ці посилання працюють на пристроях з встановленим Obtainium", | ||||||
|     "shareAppConfigLinks": "Поділитися посиланнями на конфігурацію Застосунку як HTML", |     "shareAppConfigLinks": "Поділитися посиланнями на конфігурацію Застосунку як HTML", | ||||||
|     "shareSelectedAppURLs": "Поділитися вибраними URL-адресами застосунків", |     "shareSelectedAppURLs": "Поділитися вибраними URL-адресами додатків", | ||||||
|     "resetInstallStatus": "Скинути статус встановлення", |     "resetInstallStatus": "Скинути статус встановлення", | ||||||
|     "more": "Більше", |     "more": "Більше", | ||||||
|     "removeOutdatedFilter": "Видалити фільтр застарілих застосунків", |     "removeOutdatedFilter": "Видалити фільтр застарілих додатків", | ||||||
|     "showOutdatedOnly": "Показати лише застарілі застосунки", |     "showOutdatedOnly": "Показати лише застарілі додатки", | ||||||
|     "filter": "Фільтр", |     "filter": "Фільтр", | ||||||
|     "filterApps": "Фільтрувати застосунки", |     "filterApps": "Фільтрувати додатки", | ||||||
|     "appName": "Назва застосунку", |     "appName": "Назва застосунку", | ||||||
|     "author": "Автор", |     "author": "Автор", | ||||||
|     "upToDateApps": "Актуальні застосунки", |     "upToDateApps": "Актуальні додатки", | ||||||
|     "nonInstalledApps": "Невстановлені застосунки", |     "nonInstalledApps": "Невстановлені додатки", | ||||||
|     "importExport": "Імпорт/Експорт", |     "importExport": "Імпорт/Експорт", | ||||||
|     "settings": "Налаштування", |     "settings": "Налаштування", | ||||||
|     "exportedTo": "Експортовано в {}", |     "exportedTo": "Експортовано в {}", | ||||||
| @@ -97,14 +94,14 @@ | |||||||
|     "obtainiumImport": "Імпорт в Obtainium", |     "obtainiumImport": "Імпорт в Obtainium", | ||||||
|     "importFromURLList": "Імпорт зі списку URL-адрес", |     "importFromURLList": "Імпорт зі списку URL-адрес", | ||||||
|     "searchQuery": "Пошуковий запит", |     "searchQuery": "Пошуковий запит", | ||||||
|     "appURLList": "Список URL-адрес застосунків", |     "appURLList": "Список URL-адрес додатків", | ||||||
|     "line": "Лінія", |     "line": "Лінія", | ||||||
|     "searchX": "Пошук {}", |     "searchX": "Пошук {}", | ||||||
|     "noResults": "Результати відсутні", |     "noResults": "Результати відсутні", | ||||||
|     "importX": "Імпорт {}", |     "importX": "Імпорт {}", | ||||||
|     "importedAppsIdDisclaimer": "Імпортовані застосунки можуть неправильно відображатися як \"Не встановлені\".\nДля виправлення цього перевстановіть їх через Obtainium.\nЦе не повинно вплинути на дані застосунків.\n\nПов'язано лише з URL-адресами та імпортом від третіх сторін.", |     "importedAppsIdDisclaimer": "Імпортовані додатки можуть неправильно відображатися як \"Не встановлені\".\nДля виправлення цього перевстановіть їх через Obtainium.\nЦе не повинно вплинути на дані додатків.\n\nПов'язано лише з URL-адресами та імпортом від третіх сторін.", | ||||||
|     "importErrors": "Помилки імпорту", |     "importErrors": "Помилки імпорту", | ||||||
|     "importedXOfYApps": "Імпортовано {} з {} застосунків.", |     "importedXOfYApps": "Імпортовано {} з {} додатків.", | ||||||
|     "followingURLsHadErrors": "Помилки в наступних URL-адресах:", |     "followingURLsHadErrors": "Помилки в наступних URL-адресах:", | ||||||
|     "selectURL": "Вибрати URL", |     "selectURL": "Вибрати URL", | ||||||
|     "selectURLs": "Вибрати URL-адреси", |     "selectURLs": "Вибрати URL-адреси", | ||||||
| @@ -113,20 +110,19 @@ | |||||||
|     "dark": "Темна", |     "dark": "Темна", | ||||||
|     "light": "Світла", |     "light": "Світла", | ||||||
|     "followSystem": "Дотримуватися системи", |     "followSystem": "Дотримуватися системи", | ||||||
|     "followSystemThemeExplanation": "Зміна теми системи можлива лише за допомогою сторонніх додатків", |     "useBlackTheme": "Використовувати чисто чорну темну тему", | ||||||
|     "useBlackTheme": "Використовувати чорну тему (Amoled)", |     "appSortBy": "Сортувати додатки за", | ||||||
|     "appSortBy": "Сортувати застосунки за", |  | ||||||
|     "authorName": "Автор/Назва", |     "authorName": "Автор/Назва", | ||||||
|     "nameAuthor": "Назва/Автор", |     "nameAuthor": "Назва/Автор", | ||||||
|     "asAdded": "За додаванням", |     "asAdded": "За додаванням", | ||||||
|     "appSortOrder": "Порядок сортування застосунків", |     "appSortOrder": "Порядок сортування додатків", | ||||||
|     "ascending": "За зростанням", |     "ascending": "За зростанням", | ||||||
|     "descending": "За спаданням", |     "descending": "За спаданням", | ||||||
|     "bgUpdateCheckInterval": "Інтервал перевірки оновлень у фоновому режимі", |     "bgUpdateCheckInterval": "Інтервал перевірки оновлень у фоновому режимі", | ||||||
|     "neverManualOnly": "Ніколи - Тільки вручну", |     "neverManualOnly": "Ніколи - Тільки вручну", | ||||||
|     "appearance": "Вигляд", |     "appearance": "Вигляд", | ||||||
|     "showWebInAppView": "Показати джерело застосунку у вигляді веб-сторінки", |     "showWebInAppView": "Показати джерело застосунку у вигляді веб-сторінки", | ||||||
|     "pinUpdates": "Закріпити оновлення у верхній частині вигляду застосунків", |     "pinUpdates": "Закріпити оновлення у верхній частині вигляду додатків", | ||||||
|     "updates": "Оновлення", |     "updates": "Оновлення", | ||||||
|     "sourceSpecific": "Певне джерело", |     "sourceSpecific": "Певне джерело", | ||||||
|     "appSource": "Джерело застосунку", |     "appSource": "Джерело застосунку", | ||||||
| @@ -143,31 +139,28 @@ | |||||||
|     "warning": "Попередження", |     "warning": "Попередження", | ||||||
|     "sourceIsXButPackageFromYPrompt": "Джерело застосунку - '{}' але пакет випуску походить з '{}'. Продовжити?", |     "sourceIsXButPackageFromYPrompt": "Джерело застосунку - '{}' але пакет випуску походить з '{}'. Продовжити?", | ||||||
|     "updatesAvailable": "Доступні оновлення", |     "updatesAvailable": "Доступні оновлення", | ||||||
|     "updatesAvailableNotifDescription": "Повідомляє користувача, що доступні оновлення для одного чи декількох застосунків, які відстежує Obtainium", |     "updatesAvailableNotifDescription": "Повідомляє користувача, що доступні оновлення для одного чи декількох додатків, які відстежує Obtainium", | ||||||
|     "noNewUpdates": "Немає нових оновлень.", |     "noNewUpdates": "Немає нових оновлень.", | ||||||
|     "xHasAnUpdate": "{} має оновлення.", |     "xHasAnUpdate": "{} має оновлення.", | ||||||
|     "appsUpdated": "Застосунки оновлено", |     "appsUpdated": "Додатки оновлено", | ||||||
|     "appsNotUpdated": "Не вдалося оновити програми", |     "appsUpdatedNotifDescription": "Повідомляє користувача, що оновлення одного чи декількох додатків було застосовано в фоновому режимі", | ||||||
|     "appsUpdatedNotifDescription": "Повідомляє користувача, що оновлення одного чи декількох застосунків було застосовано в фоновому режимі", |  | ||||||
|     "xWasUpdatedToY": "{} було оновлено до {}.", |     "xWasUpdatedToY": "{} було оновлено до {}.", | ||||||
|     "xWasNotUpdatedToY": "Не вдалося оновити {} на {}.", |  | ||||||
|     "errorCheckingUpdates": "Помилка перевірки оновлень", |     "errorCheckingUpdates": "Помилка перевірки оновлень", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Повідомлення, яке з'являється, коли перевірка оновлень в фоновому режимі завершується невдачею", |     "errorCheckingUpdatesNotifDescription": "Повідомлення, яке з'являється, коли перевірка оновлень в фоновому режимі завершується невдачею", | ||||||
|     "appsRemoved": "Застосунки видалено", |     "appsRemoved": "Додатки видалено", | ||||||
|     "appsRemovedNotifDescription": "Повідомляє користувача, що один чи декілька застосунків були видалені через помилки при завантаженні", |     "appsRemovedNotifDescription": "Повідомляє користувача, що один чи декілька додатків були видалені через помилки при завантаженні", | ||||||
|     "xWasRemovedDueToErrorY": "{} було видалено через цю помилку: {}", |     "xWasRemovedDueToErrorY": "{} було видалено через цю помилку: {}", | ||||||
|     "completeAppInstallation": "Завершення установки застосунку", |     "completeAppInstallation": "Завершення установки застосунку", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Для встановлення застосунків Obtainium має бути відкритий", |     "obtainiumMustBeOpenToInstallApps": "Для встановлення додатків Obtainium має бути відкритий", | ||||||
|     "completeAppInstallationNotifDescription": "Прохання користувача повернутися до Obtainium для завершення установки застосунку", |     "completeAppInstallationNotifDescription": "Прохання користувача повернутися до Obtainium для завершення установки застосунку", | ||||||
|     "checkingForUpdates": "Перевірка оновлень", |     "checkingForUpdates": "Перевірка оновлень", | ||||||
|     "checkingForUpdatesNotifDescription": "Тимчасове повідомлення, яке з'являється при перевірці оновлень", |     "checkingForUpdatesNotifDescription": "Тимчасове повідомлення, яке з'являється при перевірці оновлень", | ||||||
|     "pleaseAllowInstallPerm": "Будь ласка, дозвольте Obtainium встановлювати застосунки", |     "pleaseAllowInstallPerm": "Будь ласка, дозвольте Obtainium встановлювати додатки", | ||||||
|     "trackOnly": "Тільки відстеження", |     "trackOnly": "Тільки відстеження", | ||||||
|     "errorWithHttpStatusCode": "Помилка {} HTTP-коду", |     "errorWithHttpStatusCode": "Помилка {} HTTP-коду", | ||||||
|     "versionCorrectionDisabled": "Виправлення версії вимкнено (здається, плагін не працює)", |     "versionCorrectionDisabled": "Виправлення версії вимкнено (здається, плагін не працює)", | ||||||
|     "unknown": "Невідомо", |     "unknown": "Невідомо", | ||||||
|     "none": "Нічого", |     "none": "Нічого", | ||||||
|     "all": "Усе.", |  | ||||||
|     "never": "Ніколи", |     "never": "Ніколи", | ||||||
|     "latestVersionX": "Остання версія: {}", |     "latestVersionX": "Остання версія: {}", | ||||||
|     "installedVersionX": "Встановлено: {}", |     "installedVersionX": "Встановлено: {}", | ||||||
| @@ -178,19 +171,18 @@ | |||||||
|     "appIdOrName": "Ідентифікатор або назва застосунку", |     "appIdOrName": "Ідентифікатор або назва застосунку", | ||||||
|     "appId": "Ідентифікатор застосунку", |     "appId": "Ідентифікатор застосунку", | ||||||
|     "appWithIdOrNameNotFound": "Застосунок з таким ідентифікатором або назвою не знайдено", |     "appWithIdOrNameNotFound": "Застосунок з таким ідентифікатором або назвою не знайдено", | ||||||
|     "reposHaveMultipleApps": "Сховища можуть містити кілька застосунків", |     "reposHaveMultipleApps": "Сховища можуть містити кілька додатків", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid Стороннє сховище", |     "fdroidThirdPartyRepo": "F-Droid Стороннє сховище", | ||||||
|  |     "steamMobile": "Мобільний Steam", | ||||||
|  |     "steamChat": "Чат Steam", | ||||||
|     "install": "Встановити", |     "install": "Встановити", | ||||||
|     "markInstalled": "Позначити як встановлене", |     "markInstalled": "Позначити як встановлене", | ||||||
|     "update": "Оновити", |     "update": "Оновити", | ||||||
|     "markUpdated": "Позначити як оновлене", |     "markUpdated": "Позначити як оновлене", | ||||||
|     "additionalOptions": "Додаткові опції", |     "additionalOptions": "Додаткові опції", | ||||||
|     "disableVersionDetection": "Вимкнути визначення версії", |     "disableVersionDetection": "Вимкнути визначення версії", | ||||||
|     "noVersionDetectionExplanation": "Цю опцію слід використовувати лише для застосунків, де визначення версії працює неправильно.", |     "noVersionDetectionExplanation": "Цю опцію слід використовувати лише для додатків, де визначення версії працює неправильно.", | ||||||
|     "downloadingX": "Завантаження {}", |     "downloadingX": "Завантаження {}", | ||||||
|     "downloadX": "Завантажити {}", |  | ||||||
|     "downloadedX": "Завантажено {}", |  | ||||||
|     "releaseAsset": "Звільнити актив", |  | ||||||
|     "downloadNotifDescription": "Повідомляє користувача про прогрес завантаження застосунку", |     "downloadNotifDescription": "Повідомляє користувача про прогрес завантаження застосунку", | ||||||
|     "noAPKFound": "APK не знайдено", |     "noAPKFound": "APK не знайдено", | ||||||
|     "noVersionDetection": "Визначення версії відключено", |     "noVersionDetection": "Визначення версії відключено", | ||||||
| @@ -200,20 +192,19 @@ | |||||||
|     "noCategory": "Без категорії", |     "noCategory": "Без категорії", | ||||||
|     "noCategories": "Немає категорій", |     "noCategories": "Немає категорій", | ||||||
|     "deleteCategoriesQuestion": "Видалити категорії?", |     "deleteCategoriesQuestion": "Видалити категорії?", | ||||||
|     "categoryDeleteWarning": "Усі застосунки у видалених категоріях будуть переведені у некатегоризовані.", |     "categoryDeleteWarning": "Усі додатки у видалених категоріях будуть переведені у некатегоризовані.", | ||||||
|     "addCategory": "Додати категорію", |     "addCategory": "Додати категорію", | ||||||
|     "label": "Мітка", |     "label": "Мітка", | ||||||
|     "language": "Мова", |     "language": "Мова", | ||||||
|     "copiedToClipboard": "Скопійовано в буфер обміну", |     "copiedToClipboard": "Скопійовано в буфер обміну", | ||||||
|     "storagePermissionDenied": "Відмовлено у дозволі на доступ до сховища", |     "storagePermissionDenied": "Відмовлено у дозволі на доступ до сховища", | ||||||
|     "selectedCategorizeWarning": "Це замінить будь-які існуючі налаштування категорій для вибраних застосунків.", |     "selectedCategorizeWarning": "Це замінить будь-які існуючі налаштування категорій для вибраних додатків.", | ||||||
|     "filterAPKsByRegEx": "Фільтрувати APK за регулярним виразом", |     "filterAPKsByRegEx": "Фільтрувати APK за регулярним виразом", | ||||||
|     "removeFromObtainium": "Видалити з Obtainium", |     "removeFromObtainium": "Видалити з Obtainium", | ||||||
|     "uninstallFromDevice": "Видалити з пристрою", |     "uninstallFromDevice": "Видалити з пристрою", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Працює лише з застосунками з вимкненим визначенням версії.", |     "onlyWorksWithNonVersionDetectApps": "Працює лише з застосунками з вимкненим визначенням версії.", | ||||||
|     "releaseDateAsVersion": "Використовувати дату випуску як рядок версії", |     "releaseDateAsVersion": "Використовувати дату випуску як рядок версії", | ||||||
|     "releaseTitleAsVersion": "Використовувати назву випуску як рядок версії", |     "releaseDateAsVersionExplanation": "Цю опцію слід використовувати лише для додатків, де визначення версії працює неправильно, але є дата випуску.", | ||||||
|     "releaseDateAsVersionExplanation": "Цю опцію слід використовувати лише для застосунків, де визначення версії працює неправильно, але є дата випуску.", |  | ||||||
|     "changes": "Зміни", |     "changes": "Зміни", | ||||||
|     "releaseDate": "Дата випуску", |     "releaseDate": "Дата випуску", | ||||||
|     "importFromURLsInFile": "Імпорт з URL-адрес у файлі (наприклад, OPML)", |     "importFromURLsInFile": "Імпорт з URL-адрес у файлі (наприклад, OPML)", | ||||||
| @@ -222,18 +213,17 @@ | |||||||
|     "standardVersionDetection": "Стандартне визначення версії", |     "standardVersionDetection": "Стандартне визначення версії", | ||||||
|     "groupByCategory": "Групувати за категоріями", |     "groupByCategory": "Групувати за категоріями", | ||||||
|     "autoApkFilterByArch": "Спробувати фільтрувати APK за архітектурою ЦП, якщо можливо", |     "autoApkFilterByArch": "Спробувати фільтрувати APK за архітектурою ЦП, якщо можливо", | ||||||
|     "autoLinkFilterByArch": "Спробуйте відфільтрувати посилання за архітектурою процесора, якщо це можливо", |  | ||||||
|     "overrideSource": "Перевизначити джерело", |     "overrideSource": "Перевизначити джерело", | ||||||
|     "dontShowAgain": "Не показувати це знову", |     "dontShowAgain": "Не показувати це знову", | ||||||
|     "dontShowTrackOnlyWarnings": "Не показувати попередження про 'Тільки відстеження'", |     "dontShowTrackOnlyWarnings": "Не показувати попередження про 'Тільки відстеження'", | ||||||
|     "dontShowAPKOriginWarnings": "Не показувати попередження про походження APK", |     "dontShowAPKOriginWarnings": "Не показувати попередження про походження APK", | ||||||
|     "moveNonInstalledAppsToBottom": "Перемістити невстановлені застосунки вниз у перегляді застосунків", |     "moveNonInstalledAppsToBottom": "Перемістити невстановлені додатки вниз у перегляді додатків", | ||||||
|     "gitlabPATLabel": "Особистий токен GitLab (Увімкнення пошуку та краще виявлення APK)", |     "gitlabPATLabel": "Особистий токен GitLab (Увімкнення пошуку та краще виявлення APK)", | ||||||
|     "about": "Про програму", |     "about": "Про програму", | ||||||
|     "requiresCredentialsInSettings": "{} потребує додаткових облікових даних (у налаштуваннях)", |     "requiresCredentialsInSettings": "{} потребує додаткових облікових даних (у налаштуваннях)", | ||||||
|     "checkOnStart": "Перевірити наявність оновлень при запуску", |     "checkOnStart": "Перевірити наявність оновлень при запуску", | ||||||
|     "tryInferAppIdFromCode": "Спробувати вивести ідентифікатор застосунку з вихідного коду", |     "tryInferAppIdFromCode": "Спробувати вивести ідентифікатор застосунку з вихідного коду", | ||||||
|     "removeOnExternalUninstall": "Автоматично видаляти застосунки, які було видалено зовнішнім чином", |     "removeOnExternalUninstall": "Автоматично видаляти додатки, які було видалено зовнішнім чином", | ||||||
|     "pickHighestVersionCode": "Автоматично вибрати APK з найвищим кодом версії", |     "pickHighestVersionCode": "Автоматично вибрати APK з найвищим кодом версії", | ||||||
|     "checkUpdateOnDetailPage": "Перевіряти наявність оновлень при відкритті сторінки деталей застосунку", |     "checkUpdateOnDetailPage": "Перевіряти наявність оновлень при відкритті сторінки деталей застосунку", | ||||||
|     "disablePageTransitions": "Вимкнути анімації переходів між сторінками", |     "disablePageTransitions": "Вимкнути анімації переходів між сторінками", | ||||||
| @@ -242,28 +232,25 @@ | |||||||
|     "addInfoBelow": "Додати цю інформацію нижче.", |     "addInfoBelow": "Додати цю інформацію нижче.", | ||||||
|     "addInfoInSettings": "Додати цю інформацію у налаштуваннях.", |     "addInfoInSettings": "Додати цю інформацію у налаштуваннях.", | ||||||
|     "githubSourceNote": "Лімітування швидкості GitHub можна уникнути, використовуючи ключ API.", |     "githubSourceNote": "Лімітування швидкості GitHub можна уникнути, використовуючи ключ API.", | ||||||
|  |     "gitlabSourceNote": "Вилучення APK з GitLab може не працювати без ключа API.", | ||||||
|     "sortByLastLinkSegment": "Сортувати лише за останнім сегментом посилання", |     "sortByLastLinkSegment": "Сортувати лише за останнім сегментом посилання", | ||||||
|     "filterReleaseNotesByRegEx": "Фільтрувати примітки до релізу за регулярним виразом", |     "filterReleaseNotesByRegEx": "Фільтрувати примітки до релізу за регулярним виразом", | ||||||
|     "customLinkFilterRegex": "Фільтр кастомного посилання на APK за регулярним виразом (за замовчуванням '.apk$')", |     "customLinkFilterRegex": "Фільтр кастомного посилання на APK за регулярним виразом (за замовчуванням '.apk$')", | ||||||
|     "appsPossiblyUpdated": "Спроб оновлення застосунків", |     "appsPossiblyUpdated": "Оновлення додатків спробовано", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "Повідомляє користувача, що оновлення одного або декількох застосунків можливо були застосовані в фоновому режимі", |     "appsPossiblyUpdatedNotifDescription": "Повідомляє користувача, що оновлення одного або декількох додатків можливо були застосовані в фоновому режимі", | ||||||
|     "xWasPossiblyUpdatedToY": "{} можливо було оновлено до {}.", |     "xWasPossiblyUpdatedToY": "{} можливо було оновлено до {}.", | ||||||
|     "enableBackgroundUpdates": "Увімкнути оновлення в фоновому режимі", |     "enableBackgroundUpdates": "Увімкнути оновлення в фоновому режимі", | ||||||
|     "backgroundUpdateReqsExplanation": "Оновлення в фоновому режимі може бути неможливим для всіх застосунків.", |     "backgroundUpdateReqsExplanation": "Оновлення в фоновому режимі може бути неможливим для всіх додатків.", | ||||||
|     "backgroundUpdateLimitsExplanation": "Успіх фонової установки може бути визначений лише після відкриття Obtainium.", |     "backgroundUpdateLimitsExplanation": "Успіх фонової установки може бути визначений лише після відкриття Obtainium.", | ||||||
|     "verifyLatestTag": "Перевірити тег 'latest'", |     "verifyLatestTag": "Перевірити тег 'latest'", | ||||||
|     "intermediateLinkRegex": "Фільтр для 'Проміжного' Посилання для Відвідування", |     "intermediateLinkRegex": "Фільтр для 'Проміжного' Посилання для Відвідування", | ||||||
|     "filterByLinkText": "Фільтрувати посилання за текстом посилання", |     "filterByLinkText": "Фільтрувати посилання за текстом посилання", | ||||||
|     "matchLinksOutsideATags": "Зіставлення посилань поза тегами <a>", |  | ||||||
|     "intermediateLinkNotFound": "Проміжне посилання не знайдено", |     "intermediateLinkNotFound": "Проміжне посилання не знайдено", | ||||||
|     "intermediateLink": "Проміжне посилання", |     "intermediateLink": "Проміжне посилання", | ||||||
|     "exemptFromBackgroundUpdates": "Виключено з фонових оновлень (якщо ввімкнено)", |     "exemptFromBackgroundUpdates": "Виключено з фонових оновлень (якщо ввімкнено)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Вимкнути фонові оновлення поза Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Вимкнути фонові оновлення поза Wi-Fi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Вимкнути фонові оновлення, коли не заряджається", |  | ||||||
|     "autoSelectHighestVersionCode": "Автоматичний вибір APK з найвищим кодом версії", |     "autoSelectHighestVersionCode": "Автоматичний вибір APK з найвищим кодом версії", | ||||||
|     "versionExtractionRegEx": "Регулярний вираз для вилучення рядка версії", |     "versionExtractionRegEx": "Регулярний вираз для вилучення рядка версії", | ||||||
|     "trimVersionString": "Обрізати рядок версії за допомогою RegEx", |  | ||||||
|     "matchGroupToUseForX": "Група збігів для \"{}\"", |  | ||||||
|     "matchGroupToUse": "Група співпадінь для використання в регулярному виразі вилучення версії", |     "matchGroupToUse": "Група співпадінь для використання в регулярному виразі вилучення версії", | ||||||
|     "highlightTouchTargets": "Підсвічувати менш очевидні області дотику", |     "highlightTouchTargets": "Підсвічувати менш очевидні області дотику", | ||||||
|     "pickExportDir": "Вибрати каталог експорту", |     "pickExportDir": "Вибрати каталог експорту", | ||||||
| @@ -282,23 +269,23 @@ | |||||||
|     "installing": "Встановлення", |     "installing": "Встановлення", | ||||||
|     "skipUpdateNotifications": "Пропустити сповіщення про оновлення", |     "skipUpdateNotifications": "Пропустити сповіщення про оновлення", | ||||||
|     "updatesAvailableNotifChannel": "Доступні оновлення", |     "updatesAvailableNotifChannel": "Доступні оновлення", | ||||||
|     "appsUpdatedNotifChannel": "Застосунки оновлені", |     "appsUpdatedNotifChannel": "Додатки оновлені", | ||||||
|     "appsPossiblyUpdatedNotifChannel": "Спроба оновлення застосунків", |     "appsPossiblyUpdatedNotifChannel": "Спроба оновлення додатків", | ||||||
|     "errorCheckingUpdatesNotifChannel": "Помилка перевірки оновлень", |     "errorCheckingUpdatesNotifChannel": "Помилка перевірки оновлень", | ||||||
|     "appsRemovedNotifChannel": "Застосунки видалені", |     "appsRemovedNotifChannel": "Додатки видалені", | ||||||
|     "downloadingXNotifChannel": "Завантаження {}", |     "downloadingXNotifChannel": "Завантаження {}", | ||||||
|     "completeAppInstallationNotifChannel": "Завершення встановлення застосунку", |     "completeAppInstallationNotifChannel": "Завершення встановлення застосунку", | ||||||
|     "checkingForUpdatesNotifChannel": "Перевірка оновлень", |     "checkingForUpdatesNotifChannel": "Перевірка оновлень", | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "Перевіряти лише встановлені та застосунки, які відстежуються для оновлень", |     "onlyCheckInstalledOrTrackOnlyApps": "Перевіряти лише встановлені та додатки, які відстежуються для оновлень", | ||||||
|     "supportFixedAPKURL": "Підтримка фіксованих посилань на APK", |     "supportFixedAPKURL": "Підтримка фіксованих посилань на APK", | ||||||
|     "selectX": "Вибрати {}", |     "selectX": "Вибрати {}", | ||||||
|     "parallelDownloads": "Дозволити паралельні завантаження", |     "parallelDownloads": "Дозволити паралельні завантаження", | ||||||
|     "useShizuku": "Використовуйте Shizuku або Sui для встановлення", |     "installMethod": "Метод встановлення", | ||||||
|  |     "normal": "Звичайний", | ||||||
|  |     "root": "Root", | ||||||
|     "shizukuBinderNotFound": "Сумісний сервіс Shizuku не було знайдено", |     "shizukuBinderNotFound": "Сумісний сервіс Shizuku не було знайдено", | ||||||
|     "shizukuOld": "Стара версія Shizuku (<11) - оновіть її", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku працює на Android < 8.1 з ADB - оновіть Android або використовуйте Sui замість нього", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Виберіть Google Play як джерело встановлення (якщо використовується Shizuku)", |  | ||||||
|     "useSystemFont": "Використовувати системний шрифт", |     "useSystemFont": "Використовувати системний шрифт", | ||||||
|  |     "systemFontError": "Помилка завантаження системного шрифту: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Використовувати код версії застосунку як версію, визначену операційною системою", |     "useVersionCodeAsOSVersion": "Використовувати код версії застосунку як версію, визначену операційною системою", | ||||||
|     "requestHeader": "Заголовок запиту", |     "requestHeader": "Заголовок запиту", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Використовувати останню дату завантаження ресурсу як дату випуску", |     "useLatestAssetDateAsReleaseDate": "Використовувати останню дату завантаження ресурсу як дату випуску", | ||||||
| @@ -313,33 +300,9 @@ | |||||||
|     "note": "Примітка", |     "note": "Примітка", | ||||||
|     "selfHostedNote": "Випадаючий список \"{}\" може використовуватися для доступу до власних/призначених для самостійного використання екземплярів будь-якого джерела.", |     "selfHostedNote": "Випадаючий список \"{}\" може використовуватися для доступу до власних/призначених для самостійного використання екземплярів будь-якого джерела.", | ||||||
|     "badDownload": "APK не вдалося розпарсити (несумісний або часткове завантаження)", |     "badDownload": "APK не вдалося розпарсити (несумісний або часткове завантаження)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Діліться новими додатками з AppVerifier (якщо доступно)", |  | ||||||
|     "appVerifierInstructionToast": "Надішліть на AppVerifier, а потім поверніться сюди, коли будете готові.", |  | ||||||
|     "wiki": "Довідка/Вікі", |  | ||||||
|     "crowdsourcedConfigsLabel": "Краудсорсингові конфігурації додатків (використовуйте на свій страх і ризик)", |  | ||||||
|     "crowdsourcedConfigsShort": "Налаштування краудсорсингових додатків", |  | ||||||
|     "allowInsecure": "Дозволити незахищені HTTP-запити", |  | ||||||
|     "stayOneVersionBehind": "Залишайтеся на одну версію актуальнішою", |  | ||||||
|     "useFirstApkOfVersion": "Автоматичний вибір першого з декількох APK", |  | ||||||
|     "refreshBeforeDownload": "Оновіть інформацію про програму перед завантаженням", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Ім'я", |  | ||||||
|     "smartname": "Ім'я (Smart)", |  | ||||||
|     "sortMethod": "Метод сортування", |  | ||||||
|     "welcome": "Ласкаво просимо.", |  | ||||||
|     "documentationLinksNote": "Сторінка Obtainium на GitHub, посилання на яку наведено нижче, містить посилання на відео, статті, дискусії та інші ресурси, які допоможуть вам зрозуміти, як користуватися додатком.", |  | ||||||
|     "batteryOptimizationNote": "Зауважте, що фонові завантаження можуть працювати надійніше, якщо ви вимкнете оптимізацію батареї ОС для Obtainium.", |  | ||||||
|     "fileDeletionError": "Не вдалося видалити файл (спробуйте видалити його вручну, а потім спробуйте ще раз): \"{}\"", |  | ||||||
|     "foregroundService": "Обслуговування переднього плану Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Використовуйте службу переднього плану для перевірки оновлень (надійніша, споживає більше енергії)", |  | ||||||
|     "fgServiceNotice": "Це сповіщення необхідне для фонової перевірки оновлень (його можна приховати в налаштуваннях ОС)", |  | ||||||
|     "excludeSecrets": "Виключити секрети", |  | ||||||
|     "GHReqPrefix": "екземпляр 'sky22333/hubproxy' для запитів на GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Видалити застосунок?", |         "one": "Видалити Застосунок?", | ||||||
|         "other": "Видалити застосунки?" |         "other": "Видалити додатки?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "Забагато запитів (обмеження швидкості) - повторіть спробу через {} хвилину", |         "one": "Забагато запитів (обмеження швидкості) - повторіть спробу через {} хвилину", | ||||||
| @@ -350,48 +313,44 @@ | |||||||
|         "other": "Помилка перевірки оновлень у фоновому режимі - спробую знову через {} хвилин" |         "other": "Помилка перевірки оновлень у фоновому режимі - спробую знову через {} хвилин" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "Фонова перевірка оновлень знайшла {} оновлення - сповістити користувача, якщо це необхідно", |         "one": "Фонова перевірка оновлень знайшла {} оновлення - сповістить користувача, якщо це необхідно", | ||||||
|         "other": "Фонова перевірка оновлень знайшла {} оновлень - сповістити користувача, якщо це необхідно" |         "other": "Фонова перевірка оновлень знайшла {} оновлень - сповістить користувача, якщо це необхідно" | ||||||
|     }, |     }, | ||||||
|     "apps": { |     "apps": { | ||||||
|         "one": "{} застосунок", |         "one": "{} Застосунок", | ||||||
|         "other": "{} застосунки" |         "other": "{} Додатки" | ||||||
|     }, |     }, | ||||||
|     "url": { |     "url": { | ||||||
|         "one": "{} URL-адреса", |         "one": "{} URL", | ||||||
|         "other": "{} URL-адреси" |         "other": "{} URL-адреси" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} хвилина", |         "one": "{} Хвилина", | ||||||
|         "other": "{} хвилин" |         "other": "{} Хвилин" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} година", |         "one": "{} Година", | ||||||
|         "other": "{} годин" |         "other": "{} Годин" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} день", |         "one": "{} День", | ||||||
|         "other": "{} днів" |         "other": "{} Днів" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "Очищено {n} журнал (до = {before}, після = {after})", |         "one": "Очищено {n} журнал (до = {before}, після = {after})", | ||||||
|         "other": "Очищено {n} журналів (до = {before}, після = {after})" |         "other": "Очищено {n} журналів (до = {before}, після = {after})" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "{} та ще 1 застосунок мають оновлення.", |         "one": "{} і 1 інше Застосунок мають оновлення.", | ||||||
|         "other": "{} та ще {} застосунки мають оновлення." |         "other": "{} і {} інших додатки мають оновлення." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "{} та ще 1 застосунок було оновлено.", |         "one": "{} і 1 інше Застосунок було оновлено.", | ||||||
|         "other": "{} та ще {} застосунків було оновлено." |         "other": "{} і {} інших додатків було оновлено." | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "Не вдалося оновити {} та ще 1 програму.", |  | ||||||
|         "other": "Не вдалося оновити {} і {} та інші програми." |  | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} та ще 1 застосунок можливо було оновлено.", |         "one": "{} і 1 інше Застосунок можливо було оновлено.", | ||||||
|         "other": "{} та ще {} застосунків можливо було оновлено." |         "other": "{} і {} інших додатків можливо було оновлено." | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} APK", |         "one": "{} APK", | ||||||
|   | |||||||
| @@ -11,7 +11,7 @@ | |||||||
|     "unexpectedError": "Lỗi không mong đợi", |     "unexpectedError": "Lỗi không mong đợi", | ||||||
|     "ok": "OK", |     "ok": "OK", | ||||||
|     "and": "và", |     "and": "và", | ||||||
|     "githubPATLabel": "Token truy cập cá nhân GitHub (Cải thiện tốc độ giới hạn)", |     "githubPATLabel": "GitHub Token (Tăng tốc độ, giới hạn)", | ||||||
|     "includePrereleases": "Bao gồm các bản phát hành trước", |     "includePrereleases": "Bao gồm các bản phát hành trước", | ||||||
|     "fallbackToOlderReleases": "Dự phòng về bản phát hành cũ hơn", |     "fallbackToOlderReleases": "Dự phòng về bản phát hành cũ hơn", | ||||||
|     "filterReleaseTitlesByRegEx": "Lọc tiêu đề bản phát hành theo biểu thức chính quy", |     "filterReleaseTitlesByRegEx": "Lọc tiêu đề bản phát hành theo biểu thức chính quy", | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(Yêu cầu)", |     "requiredInBrackets": "(Yêu cầu)", | ||||||
|     "dropdownNoOptsError": "LỖI: TẢI XUỐNG PHẢI CÓ ÍT NHẤT MỘT LỰA CHỌN", |     "dropdownNoOptsError": "LỖI: TẢI XUỐNG PHẢI CÓ ÍT NHẤT MỘT LỰA CHỌN", | ||||||
|     "colour": "Màu sắc", |     "colour": "Màu sắc", | ||||||
|     "standard": "Mặc định", |  | ||||||
|     "custom": "Tùy chỉnh", |  | ||||||
|     "useMaterialYou": "Sử dụng Material You", |  | ||||||
|     "githubStarredRepos": "Kho lưu trữ có gắn dấu sao GitHub", |     "githubStarredRepos": "Kho lưu trữ có gắn dấu sao GitHub", | ||||||
|     "uname": "Tên người dùng", |     "uname": "Tên người dùng", | ||||||
|     "wrongArgNum": "Số lượng đối số được cung cấp sai", |     "wrongArgNum": "Số lượng đối số được cung cấp sai", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "Tối", |     "dark": "Tối", | ||||||
|     "light": "Sáng", |     "light": "Sáng", | ||||||
|     "followSystem": "Theo hệ thống", |     "followSystem": "Theo hệ thống", | ||||||
|     "followSystemThemeExplanation": "Việc áp dụng chủ đề hệ thống chỉ có thể thực hiện được thông qua việc sử dụng các ứng dụng của bên thứ ba.", |  | ||||||
|     "useBlackTheme": "Nền đen", |     "useBlackTheme": "Nền đen", | ||||||
|     "appSortBy": "Sắp xếp ứng dụng", |     "appSortBy": "Sắp xếp ứng dụng", | ||||||
|     "authorName": "Tác giả", |     "authorName": "Tác giả", | ||||||
| @@ -147,10 +143,8 @@ | |||||||
|     "noNewUpdates": "Không có bản cập nhật mới.", |     "noNewUpdates": "Không có bản cập nhật mới.", | ||||||
|     "xHasAnUpdate": "{} có bản cập nhật.", |     "xHasAnUpdate": "{} có bản cập nhật.", | ||||||
|     "appsUpdated": "Ứng dụng đã cập nhật ", |     "appsUpdated": "Ứng dụng đã cập nhật ", | ||||||
|     "appsNotUpdated": "Ứng dụng đã cập nhật không thành công", |  | ||||||
|     "appsUpdatedNotifDescription": "Thông báo cho người dùng rằng các bản cập nhật cho một hoặc nhiều Ứng dụng đã được áp dụng trong nền", |     "appsUpdatedNotifDescription": "Thông báo cho người dùng rằng các bản cập nhật cho một hoặc nhiều Ứng dụng đã được áp dụng trong nền", | ||||||
|     "xWasUpdatedToY": "{} đã được cập nhật thành {}.", |     "xWasUpdatedToY": "{} đã được cập nhật thành {}.", | ||||||
|     "xWasNotUpdatedToY": "{} đã cập nhật thành {} không thành công.", |  | ||||||
|     "errorCheckingUpdates": "Lỗi kiểm tra bản cập nhật", |     "errorCheckingUpdates": "Lỗi kiểm tra bản cập nhật", | ||||||
|     "errorCheckingUpdatesNotifDescription": "Thông báo hiển thị khi kiểm tra cập nhật nền không thành công", |     "errorCheckingUpdatesNotifDescription": "Thông báo hiển thị khi kiểm tra cập nhật nền không thành công", | ||||||
|     "appsRemoved": "Ứng dụng đã loại bỏ", |     "appsRemoved": "Ứng dụng đã loại bỏ", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "Tính năng sửa phiên bản bị vô hiệu hóa (plugin dường như không hoạt động)", |     "versionCorrectionDisabled": "Tính năng sửa phiên bản bị vô hiệu hóa (plugin dường như không hoạt động)", | ||||||
|     "unknown": "Không xác định", |     "unknown": "Không xác định", | ||||||
|     "none": "Không", |     "none": "Không", | ||||||
|     "all": "Tất cả", |  | ||||||
|     "never": "Không bao giờ", |     "never": "Không bao giờ", | ||||||
|     "latestVersionX": "Phiên bản mới nhất: {}", |     "latestVersionX": "Phiên bản mới nhất: {}", | ||||||
|     "installedVersionX": "Phiên bản đã cài đặt: {}", |     "installedVersionX": "Phiên bản đã cài đặt: {}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "Không tìm thấy ứng dụng nào có ID hoặc tên đó", |     "appWithIdOrNameNotFound": "Không tìm thấy ứng dụng nào có ID hoặc tên đó", | ||||||
|     "reposHaveMultipleApps": "Kho có thể chứa nhiều Ứng dụng", |     "reposHaveMultipleApps": "Kho có thể chứa nhiều Ứng dụng", | ||||||
|     "fdroidThirdPartyRepo": "Kho lưu trữ bên thứ ba F-Droid", |     "fdroidThirdPartyRepo": "Kho lưu trữ bên thứ ba F-Droid", | ||||||
|  |     "steamMobile": "Điện thoại di động hơi nước", | ||||||
|  |     "steamChat": "Trò chuyện hơi nước", | ||||||
|     "install": "Cài đặt", |     "install": "Cài đặt", | ||||||
|     "markInstalled": "Đánh dấu là đã cài đặt", |     "markInstalled": "Đánh dấu là đã cài đặt", | ||||||
|     "update": "Cập nhật", |     "update": "Cập nhật", | ||||||
| @@ -188,9 +183,6 @@ | |||||||
|     "disableVersionDetection": "Tắt tính năng phát hiện phiên bản", |     "disableVersionDetection": "Tắt tính năng phát hiện phiên bản", | ||||||
|     "noVersionDetectionExplanation": "Chỉ nên sử dụng tùy chọn này cho Ứng dụng mà tính năng phát hiện phiên bản không hoạt động chính xác.", |     "noVersionDetectionExplanation": "Chỉ nên sử dụng tùy chọn này cho Ứng dụng mà tính năng phát hiện phiên bản không hoạt động chính xác.", | ||||||
|     "downloadingX": "Đang tải xuống {}", |     "downloadingX": "Đang tải xuống {}", | ||||||
|     "downloadX": "Tải xuống {}", |  | ||||||
|     "downloadedX": "Đã tải xuống {}", |  | ||||||
|     "releaseAsset": "Release Asset", |  | ||||||
|     "downloadNotifDescription": "Thông báo cho người dùng về tiến trình tải xuống Ứng dụng", |     "downloadNotifDescription": "Thông báo cho người dùng về tiến trình tải xuống Ứng dụng", | ||||||
|     "noAPKFound": "Không tìm thấy APK", |     "noAPKFound": "Không tìm thấy APK", | ||||||
|     "noVersionDetection": "Không phát hiện phiên bản", |     "noVersionDetection": "Không phát hiện phiên bản", | ||||||
| @@ -212,7 +204,6 @@ | |||||||
|     "uninstallFromDevice": "Gỡ cài đặt khỏi thiết bị", |     "uninstallFromDevice": "Gỡ cài đặt khỏi thiết bị", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "Chỉ hoạt động với Ứng dụng đã tắt tính năng phát hiện phiên bản.", |     "onlyWorksWithNonVersionDetectApps": "Chỉ hoạt động với Ứng dụng đã tắt tính năng phát hiện phiên bản.", | ||||||
|     "releaseDateAsVersion": "Sử dụng ngày phát hành làm phiên bản", |     "releaseDateAsVersion": "Sử dụng ngày phát hành làm phiên bản", | ||||||
|     "releaseTitleAsVersion": "Sử dụng tiêu đề bản phát hành làm chuỗi phiên bản", |  | ||||||
|     "releaseDateAsVersionExplanation": "Chỉ nên sử dụng tùy chọn này cho Ứng dụng trong đó tính năng phát hiện phiên bản không hoạt động chính xác nhưng đã có ngày phát hành.", |     "releaseDateAsVersionExplanation": "Chỉ nên sử dụng tùy chọn này cho Ứng dụng trong đó tính năng phát hiện phiên bản không hoạt động chính xác nhưng đã có ngày phát hành.", | ||||||
|     "changes": "Thay đổi", |     "changes": "Thay đổi", | ||||||
|     "releaseDate": "Ngày phát hành", |     "releaseDate": "Ngày phát hành", | ||||||
| @@ -222,13 +213,12 @@ | |||||||
|     "standardVersionDetection": "Phát hiện phiên bản tiêu chuẩn", |     "standardVersionDetection": "Phát hiện phiên bản tiêu chuẩn", | ||||||
|     "groupByCategory": "Nhóm theo danh mục", |     "groupByCategory": "Nhóm theo danh mục", | ||||||
|     "autoApkFilterByArch": "Cố gắng lọc APK theo kiến trúc CPU nếu có thể", |     "autoApkFilterByArch": "Cố gắng lọc APK theo kiến trúc CPU nếu có thể", | ||||||
|     "autoLinkFilterByArch": "Cố gắng lọc các liên kết theo kiến trúc CPU nếu có thể.", |  | ||||||
|     "overrideSource": "Ghi đè nguồn", |     "overrideSource": "Ghi đè nguồn", | ||||||
|     "dontShowAgain": "Đừng hiển thị thông tin này nữa", |     "dontShowAgain": "Đừng hiển thị thông tin này nữa", | ||||||
|     "dontShowTrackOnlyWarnings": "Không hiển thị cảnh báo 'Chỉ theo dõi'", |     "dontShowTrackOnlyWarnings": "Không hiển thị cảnh báo 'Chỉ theo dõi'", | ||||||
|     "dontShowAPKOriginWarnings": "Không hiển thị cảnh báo nguồn gốc APK", |     "dontShowAPKOriginWarnings": "Không hiển thị cảnh báo nguồn gốc APK", | ||||||
|     "moveNonInstalledAppsToBottom": "Chuyển Ứng dụng chưa được cài đặt xuống cuối danh sách", |     "moveNonInstalledAppsToBottom": "Chuyển Ứng dụng chưa được cài đặt xuống cuối danh sách", | ||||||
|     "gitlabPATLabel": "Token truy cập cá nhân GitLab", |     "gitlabPATLabel": "GitLab Token", | ||||||
|     "about": "Giới thiệu", |     "about": "Giới thiệu", | ||||||
|     "requiresCredentialsInSettings": "{}: Điều này cần thông tin xác thực bổ sung (trong Thiết đặt)", |     "requiresCredentialsInSettings": "{}: Điều này cần thông tin xác thực bổ sung (trong Thiết đặt)", | ||||||
|     "checkOnStart": "Kiểm tra các bản cập nhật khi khởi động", |     "checkOnStart": "Kiểm tra các bản cập nhật khi khởi động", | ||||||
| @@ -254,16 +244,12 @@ | |||||||
|     "verifyLatestTag": "Xác minh thẻ 'mới nhất'", |     "verifyLatestTag": "Xác minh thẻ 'mới nhất'", | ||||||
|     "intermediateLinkRegex": "Lọc tìm liên kết 'Trung cấp' để truy cập", |     "intermediateLinkRegex": "Lọc tìm liên kết 'Trung cấp' để truy cập", | ||||||
|     "filterByLinkText": "Lọc liên kết theo văn bản liên kết", |     "filterByLinkText": "Lọc liên kết theo văn bản liên kết", | ||||||
|     "matchLinksOutsideATags": "Khớp các liên kết bên ngoài thẻ <a>", |  | ||||||
|     "intermediateLinkNotFound": "Không tìm thấy liên kết trung gian", |     "intermediateLinkNotFound": "Không tìm thấy liên kết trung gian", | ||||||
|     "intermediateLink": "Liên kết trung gian", |     "intermediateLink": "Liên kết trung gian", | ||||||
|     "exemptFromBackgroundUpdates": "Miễn cập nhật nền (nếu được bật)", |     "exemptFromBackgroundUpdates": "Miễn cập nhật nền (nếu được bật)", | ||||||
|     "bgUpdatesOnWiFiOnly": "Tắt cập nhật nền khi không có Wi-Fi", |     "bgUpdatesOnWiFiOnly": "Tắt cập nhật nền khi không có WiFi", | ||||||
|     "bgUpdatesWhileChargingOnly": "Tắt cập nhật nền khi không sạc pin.", |  | ||||||
|     "autoSelectHighestVersionCode": "Tự động chọn APK mã phiên bản cao nhất", |     "autoSelectHighestVersionCode": "Tự động chọn APK mã phiên bản cao nhất", | ||||||
|     "versionExtractionRegEx": "Trích xuất phiên bản RegEx", |     "versionExtractionRegEx": "Trích xuất phiên bản RegEx", | ||||||
|     "trimVersionString": "Trim Version String With RegEx", |  | ||||||
|     "matchGroupToUseForX": "Match Group to Use for \"{}\"", |  | ||||||
|     "matchGroupToUse": "Nhóm đối sánh để sử dụng cho Regex trích xuất phiên bản", |     "matchGroupToUse": "Nhóm đối sánh để sử dụng cho Regex trích xuất phiên bản", | ||||||
|     "highlightTouchTargets": "Đánh dấu các mục tiêu cảm ứng ít rõ ràng hơn", |     "highlightTouchTargets": "Đánh dấu các mục tiêu cảm ứng ít rõ ràng hơn", | ||||||
|     "pickExportDir": "Chọn thư mục xuất", |     "pickExportDir": "Chọn thư mục xuất", | ||||||
| @@ -293,12 +279,12 @@ | |||||||
|     "supportFixedAPKURL": "Hỗ trợ URL APK cố định", |     "supportFixedAPKURL": "Hỗ trợ URL APK cố định", | ||||||
|     "selectX": "Lựa chọn {}", |     "selectX": "Lựa chọn {}", | ||||||
|     "parallelDownloads": "Cho phép tải đa luồng", |     "parallelDownloads": "Cho phép tải đa luồng", | ||||||
|     "useShizuku": "Sử dụng Shizuku hoặc Sui để cài đặt", |     "installMethod": "Phương thức cài đặt", | ||||||
|  |     "normal": "Mặc định", | ||||||
|  |     "root": "Root", | ||||||
|     "shizukuBinderNotFound": "Shizuku chưa khởi động", |     "shizukuBinderNotFound": "Shizuku chưa khởi động", | ||||||
|     "shizukuOld": "Phiên bản Shizuku lỗi thời (<11) - hãy cập nhật nó", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku chạy trên Android < 8.1 với ADB - hãy cập nhật Android hoặc thay bằng Sui", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "Đặt Google Play làm nguồn cài đặt (nếu sử dụng Shizuku)", |  | ||||||
|     "useSystemFont": "Sử dụng phông chữ hệ thống", |     "useSystemFont": "Sử dụng phông chữ hệ thống", | ||||||
|  |     "systemFontError": "Lỗi tải phông chữ hệ thống: {}", | ||||||
|     "useVersionCodeAsOSVersion": "Sử dụng Mã phiên bản ứng dụng làm phiên bản do hệ điều hành phát hiện", |     "useVersionCodeAsOSVersion": "Sử dụng Mã phiên bản ứng dụng làm phiên bản do hệ điều hành phát hiện", | ||||||
|     "requestHeader": "Tiêu đề yêu cầu", |     "requestHeader": "Tiêu đề yêu cầu", | ||||||
|     "useLatestAssetDateAsReleaseDate": "Sử dụng nội dung tải lên mới nhất làm ngày phát hành", |     "useLatestAssetDateAsReleaseDate": "Sử dụng nội dung tải lên mới nhất làm ngày phát hành", | ||||||
| @@ -313,30 +299,6 @@ | |||||||
|     "note": "Ghi chú", |     "note": "Ghi chú", | ||||||
|     "selfHostedNote": "Trình đơn thả xuống \"{}\" có thể được dùng để tiếp cận các phiên bản tự lưu trữ/tùy chỉnh của bất kỳ nguồn nào.", |     "selfHostedNote": "Trình đơn thả xuống \"{}\" có thể được dùng để tiếp cận các phiên bản tự lưu trữ/tùy chỉnh của bất kỳ nguồn nào.", | ||||||
|     "badDownload": "Không thể phân tích cú pháp APK (tải xuống một phần hoặc không tương thích)", |     "badDownload": "Không thể phân tích cú pháp APK (tải xuống một phần hoặc không tương thích)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "Chia sẻ ứng dụng mới với AppVerifier (nếu có)", |  | ||||||
|     "appVerifierInstructionToast": "Chia sẻ lên AppVerifier, sau đó quay lại đây khi sẵn sàng.", |  | ||||||
|     "wiki": "Trợ giúp/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "Crowdsourced App Configurations (use at your own risk)", |  | ||||||
|     "crowdsourcedConfigsShort": "Crowdsourced App Configurations", |  | ||||||
|     "allowInsecure": "Cho phép các yêu cầu HTTP không an toàn", |  | ||||||
|     "stayOneVersionBehind": "Luôn sử dụng phiên bản cũ hơn một phiên bản so với phiên bản mới nhất.", |  | ||||||
|     "useFirstApkOfVersion": "Tự động chọn tệp APK đầu tiên trong danh sách nhiều tệp APK.", |  | ||||||
|     "refreshBeforeDownload": "Cập nhật thông tin ứng dụng trước khi tải xuống", |  | ||||||
|     "tencentAppStore": "Tencent App Store", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "Tên", |  | ||||||
|     "smartname": "Name (Smart)", |  | ||||||
|     "sortMethod": "Sort Method", |  | ||||||
|     "welcome": "Chào mừng", |  | ||||||
|     "documentationLinksNote": "Trang GitHub của Obtainium được liên kết bên dưới chứa các liên kết đến video, bài viết, thảo luận và các tài nguyên khác sẽ giúp bạn hiểu cách sử dụng ứng dụng.", |  | ||||||
|     "batteryOptimizationNote": "Note that background downloads may work more reliably if you disable OS battery optimizations for Obtainium.", |  | ||||||
|     "fileDeletionError": "Không thể xóa tệp (hãy thử xóa tệp thủ công rồi thử lại): \"{}\"", |  | ||||||
|     "foregroundService": "Dịch vụ nền Obtainium", |  | ||||||
|     "foregroundServiceExplanation": "Sử dụng dịch vụ nền trước để kiểm tra cập nhật (đáng tin cậy hơn, tiêu tốn nhiều pin hơn)", |  | ||||||
|     "fgServiceNotice": "Thông báo này là bắt buộc để kiểm tra cập nhật nền (có thể ẩn trong cài đặt hệ điều hành).", |  | ||||||
|     "excludeSecrets": "Loại trừ thông tin bí mật", |  | ||||||
|     "GHReqPrefix": "Thực thể 'sky22333/hubproxy' cho các yêu cầu GitHub", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "Gỡ ứng dụng?", |         "one": "Gỡ ứng dụng?", | ||||||
|         "other": "Gỡ ứng dụng?" |         "other": "Gỡ ứng dụng?" | ||||||
| @@ -362,15 +324,15 @@ | |||||||
|         "other": "{} URL" |         "other": "{} URL" | ||||||
|     }, |     }, | ||||||
|     "minute": { |     "minute": { | ||||||
|         "one": "{} phút", |         "one": "{} Phút", | ||||||
|         "other": "{} phút" |         "other": "{} Phút" | ||||||
|     }, |     }, | ||||||
|     "hour": { |     "hour": { | ||||||
|         "one": "{} giờ", |         "one": "{} Giờ", | ||||||
|         "other": "{} giờ" |         "other": "{} Giờ" | ||||||
|     }, |     }, | ||||||
|     "day": { |     "day": { | ||||||
|         "one": "{} ngày", |         "one": "{} Ngày", | ||||||
|         "other": "{} ngày" |         "other": "{} ngày" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
| @@ -385,10 +347,6 @@ | |||||||
|         "one": "{} và 1 ứng dụng khác đã được cập nhật.", |         "one": "{} và 1 ứng dụng khác đã được cập nhật.", | ||||||
|         "other": "{} và {} ứng dụng khác đã được cập nhật." |         "other": "{} và {} ứng dụng khác đã được cập nhật." | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "{} và 1 ứng dụng khác đã cập nhật không thành công.", |  | ||||||
|         "other": "{} và {} ứng dụng khác đã cập nhật không thảnh công." |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "{} và 1 ứng dụng khác có thể đã được cập nhật.", |         "one": "{} và 1 ứng dụng khác có thể đã được cập nhật.", | ||||||
|         "other": "{} và {} ứng dụng khác có thể đã được cập nhật." |         "other": "{} và {} ứng dụng khác có thể đã được cập nhật." | ||||||
|   | |||||||
| @@ -1,400 +0,0 @@ | |||||||
| { |  | ||||||
|     "invalidURLForSource": "不是有效的 {} 應用程式 URL", |  | ||||||
|     "noReleaseFound": "找不到合適的版本", |  | ||||||
|     "noVersionFound": "無法確定版本", |  | ||||||
|     "urlMatchesNoSource": "URL 不符合已知來源", |  | ||||||
|     "cantInstallOlderVersion": "無法安裝舊版本的應用程式", |  | ||||||
|     "appIdMismatch": "下載的套件 ID 與現有的應用程式 ID 不相符", |  | ||||||
|     "functionNotImplemented": "此類別尚未實作此功能", |  | ||||||
|     "placeholder": "佔位字串", |  | ||||||
|     "someErrors": "發生了一些錯誤", |  | ||||||
|     "unexpectedError": "意外錯誤", |  | ||||||
|     "ok": "確定", |  | ||||||
|     "and": "和", |  | ||||||
|     "githubPATLabel": "GitHub 個人存取權杖(放寬速率限制)", |  | ||||||
|     "includePrereleases": "包含預先釋出版本", |  | ||||||
|     "fallbackToOlderReleases": "回退到舊版本", |  | ||||||
|     "filterReleaseTitlesByRegEx": "用正則表達式過濾版本發佈標題", |  | ||||||
|     "invalidRegEx": "無效的正則表達式", |  | ||||||
|     "noDescription": "沒有描述", |  | ||||||
|     "cancel": "取消", |  | ||||||
|     "continue": "繼續", |  | ||||||
|     "requiredInBrackets": "(必填)", |  | ||||||
|     "dropdownNoOptsError": "錯誤:下拉選單必須至少有一個選項", |  | ||||||
|     "colour": "顏色", |  | ||||||
|     "standard": "標準", |  | ||||||
|     "custom": "自訂", |  | ||||||
|     "useMaterialYou": "使用 Material You", |  | ||||||
|     "githubStarredRepos": "GitHub 打星星的專案", |  | ||||||
|     "uname": "使用者名稱", |  | ||||||
|     "wrongArgNum": "提供的參數數量錯誤", |  | ||||||
|     "xIsTrackOnly": "{} 是僅追蹤", |  | ||||||
|     "source": "來源", |  | ||||||
|     "app": "應用程式", |  | ||||||
|     "appsFromSourceAreTrackOnly": "來自此來源的應用程式是「僅追蹤」。", |  | ||||||
|     "youPickedTrackOnly": "您已選擇「僅追蹤」選項。", |  | ||||||
|     "trackOnlyAppDescription": "該應用程式將被追蹤更新,但 Obtainium 將無法下載或安裝它。", |  | ||||||
|     "cancelled": "已取消", |  | ||||||
|     "appAlreadyAdded": "應用程式已新增", |  | ||||||
|     "alreadyUpToDateQuestion": "應用程式已經是最新的?", |  | ||||||
|     "addApp": "新增應用程式", |  | ||||||
|     "appSourceURL": "應用程式來源 URL", |  | ||||||
|     "error": "錯誤", |  | ||||||
|     "add": "新增", |  | ||||||
|     "searchSomeSourcesLabel": "搜尋(僅限部分來源)", |  | ||||||
|     "search": "搜尋", |  | ||||||
|     "additionalOptsFor": "{} 的其他選項", |  | ||||||
|     "supportedSources": "支援的來源", |  | ||||||
|     "trackOnlyInBrackets": "(僅追蹤)", |  | ||||||
|     "searchableInBrackets": "(可搜尋)", |  | ||||||
|     "appsString": "應用程式", |  | ||||||
|     "noApps": "無應用程式", |  | ||||||
|     "noAppsForFilter": "無符合過濾條件的應用程式", |  | ||||||
|     "byX": "由 {}", |  | ||||||
|     "percentProgress": "進度:{}%", |  | ||||||
|     "pleaseWait": "請稍候", |  | ||||||
|     "updateAvailable": "有可用的更新", |  | ||||||
|     "notInstalled": "未安裝", |  | ||||||
|     "pseudoVersion": "偽版本", |  | ||||||
|     "selectAll": "全選", |  | ||||||
|     "deselectX": "取消選取 {}", |  | ||||||
|     "xWillBeRemovedButRemainInstalled": "{} 將從 Obtainium 中移除,但仍然安裝在裝置上。", |  | ||||||
|     "removeSelectedAppsQuestion": "移除選取的應用程式?", |  | ||||||
|     "removeSelectedApps": "移除選取的應用程式", |  | ||||||
|     "updateX": "更新 {}", |  | ||||||
|     "installX": "安裝 {}", |  | ||||||
|     "markXTrackOnlyAsUpdated": "標記 {}\n(僅追蹤)\n為已更新", |  | ||||||
|     "changeX": "更改 {}", |  | ||||||
|     "installUpdateApps": "安裝/更新應用程式", |  | ||||||
|     "installUpdateSelectedApps": "安裝/更新選取的應用程式", |  | ||||||
|     "markXSelectedAppsAsUpdated": "標記 {} 個選取的應用程式為已更新?", |  | ||||||
|     "no": "否", |  | ||||||
|     "yes": "是", |  | ||||||
|     "markSelectedAppsUpdated": "標記選取的應用程式為已更新", |  | ||||||
|     "pinToTop": "釘選到頂端", |  | ||||||
|     "unpinFromTop": "取消釘選", |  | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "重設選取應用程式的安裝狀態?", |  | ||||||
|     "installStatusOfXWillBeResetExplanation": "任何選取應用程式的安裝狀態將被重設。\n\n這可以在由於更新失敗或其他問題導致 Obtainium 顯示的應用程式版本不正確時有所幫助。", |  | ||||||
|     "customLinkMessage": "這些連結適用於已安裝 Obtainium 的裝置", |  | ||||||
|     "shareAppConfigLinks": "分享應用程式設定為 HTML 連結", |  | ||||||
|     "shareSelectedAppURLs": "分享選取的應用程式 URL", |  | ||||||
|     "resetInstallStatus": "重設安裝狀態", |  | ||||||
|     "more": "更多", |  | ||||||
|     "removeOutdatedFilter": "移除過時應用程式過濾", |  | ||||||
|     "showOutdatedOnly": "僅顯示過時的應用程式", |  | ||||||
|     "filter": "過濾", |  | ||||||
|     "filterApps": "過濾應用程式", |  | ||||||
|     "appName": "應用程式名稱", |  | ||||||
|     "author": "作者", |  | ||||||
|     "upToDateApps": "最新的應用程式", |  | ||||||
|     "nonInstalledApps": "未安裝的應用程式", |  | ||||||
|     "importExport": "匯入/匯出", |  | ||||||
|     "settings": "設定", |  | ||||||
|     "exportedTo": "匯出到 {}", |  | ||||||
|     "obtainiumExport": "Obtainium 匯出", |  | ||||||
|     "invalidInput": "無效的輸入", |  | ||||||
|     "importedX": "已匯入 {}", |  | ||||||
|     "obtainiumImport": "Obtainium 匯入", |  | ||||||
|     "importFromURLList": "從 URL 清單匯入", |  | ||||||
|     "searchQuery": "搜尋查詢", |  | ||||||
|     "appURLList": "應用程式 URL 清單", |  | ||||||
|     "line": "行", |  | ||||||
|     "searchX": "搜尋 {}", |  | ||||||
|     "noResults": "沒有找到結果", |  | ||||||
|     "importX": "匯入 {}", |  | ||||||
|     "importedAppsIdDisclaimer": "匯入的應用程式可能會錯誤地顯示為「未安裝」。\n要修正此問題,請透過 Obtainium 重新安裝它們。\n這不應該影響應用程式資料。\n\n僅影響 URL 和第三方匯入方法。", |  | ||||||
|     "importErrors": "匯入錯誤", |  | ||||||
|     "importedXOfYApps": "已匯入 {} 個中的 {} 個應用程式。", |  | ||||||
|     "followingURLsHadErrors": "以下 URL 有錯誤:", |  | ||||||
|     "selectURL": "選擇 URL", |  | ||||||
|     "selectURLs": "選擇多個 URL", |  | ||||||
|     "pick": "選取", |  | ||||||
|     "theme": "主題", |  | ||||||
|     "dark": "深色", |  | ||||||
|     "light": "淺色", |  | ||||||
|     "followSystem": "跟隨系統", |  | ||||||
|     "followSystemThemeExplanation": "僅使用第三方應用程式時才可跟隨系統主題", |  | ||||||
|     "useBlackTheme": "使用純黑色深色主題", |  | ||||||
|     "appSortBy": "應用程式排序依據", |  | ||||||
|     "authorName": "作者/名稱", |  | ||||||
|     "nameAuthor": "名稱/作者", |  | ||||||
|     "asAdded": "新增順序", |  | ||||||
|     "appSortOrder": "應用程式排序順序", |  | ||||||
|     "ascending": "升序", |  | ||||||
|     "descending": "降序", |  | ||||||
|     "bgUpdateCheckInterval": "背景更新檢查間隔", |  | ||||||
|     "neverManualOnly": "從不 - 僅手動", |  | ||||||
|     "appearance": "外觀", |  | ||||||
|     "showWebInAppView": "在應用程式檢視中顯示來源網頁", |  | ||||||
|     "pinUpdates": "將更新釘選至應用程式檢視的頂端", |  | ||||||
|     "updates": "更新", |  | ||||||
|     "sourceSpecific": "特定來源", |  | ||||||
|     "appSource": "應用程式來源", |  | ||||||
|     "noLogs": "無日誌", |  | ||||||
|     "appLogs": "應用程式日誌", |  | ||||||
|     "close": "關閉", |  | ||||||
|     "share": "分享", |  | ||||||
|     "appNotFound": "沒有找到應用程式", |  | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-export", |  | ||||||
|     "pickAnAPK": "選擇一個 APK", |  | ||||||
|     "appHasMoreThanOnePackage": "{} 有多個套件:", |  | ||||||
|     "deviceSupportsXArch": "您的裝置支援 {} CPU 架構。", |  | ||||||
|     "deviceSupportsFollowingArchs": "您的裝置支援以下 CPU 架構:", |  | ||||||
|     "warning": "警告", |  | ||||||
|     "sourceIsXButPackageFromYPrompt": "應用程式來源是 「{}」,但發佈套件來自 「{}」。要繼續嗎?", |  | ||||||
|     "updatesAvailable": "有可用的更新", |  | ||||||
|     "updatesAvailableNotifDescription": "通知使用者有一個或多個由 Obtainium 追蹤的應用程式有更新", |  | ||||||
|     "noNewUpdates": "沒有新更新。", |  | ||||||
|     "xHasAnUpdate": "{} 有一個更新。", |  | ||||||
|     "appsUpdated": "應用程式已更新", |  | ||||||
|     "appsNotUpdated": "未能更新應用程式", |  | ||||||
|     "appsUpdatedNotifDescription": "通知使用者一個或多個應用程式的更新已在背景中套用", |  | ||||||
|     "xWasUpdatedToY": "{} 已更新到 {}。", |  | ||||||
|     "xWasNotUpdatedToY": "未能將 {} 更新到 {}。", |  | ||||||
|     "errorCheckingUpdates": "檢查更新時出錯", |  | ||||||
|     "errorCheckingUpdatesNotifDescription": "背景檢查更新失敗時顯示的通知", |  | ||||||
|     "appsRemoved": "應用程式已移除", |  | ||||||
|     "appsRemovedNotifDescription": "通知使用者由於載入時出錯,一個或多個應用程式已被移除", |  | ||||||
|     "xWasRemovedDueToErrorY": "{} 已因以下錯誤被移除:{}", |  | ||||||
|     "completeAppInstallation": "完成應用程式安裝", |  | ||||||
|     "obtainiumMustBeOpenToInstallApps": "Obtainium 必須開啟才能安裝應用程式", |  | ||||||
|     "completeAppInstallationNotifDescription": "請使用者回到 Obtainium 以完成應用程式安裝", |  | ||||||
|     "checkingForUpdates": "正在檢查更新", |  | ||||||
|     "checkingForUpdatesNotifDescription": "檢查更新時顯示的暫時性通知", |  | ||||||
|     "pleaseAllowInstallPerm": "請允許 Obtainium 安裝應用程式", |  | ||||||
|     "trackOnly": "僅追蹤", |  | ||||||
|     "errorWithHttpStatusCode": "錯誤 {}", |  | ||||||
|     "versionCorrectionDisabled": "版本校正已停用(外掛程式似乎無法正常工作)", |  | ||||||
|     "unknown": "未知", |  | ||||||
|     "none": "無", |  | ||||||
|     "all": "All", |  | ||||||
|     "never": "從不", |  | ||||||
|     "latestVersionX": "最新版本:{}", |  | ||||||
|     "installedVersionX": "已安裝版本:{}", |  | ||||||
|     "lastUpdateCheckX": "上次檢查更新時間:{}", |  | ||||||
|     "remove": "移除", |  | ||||||
|     "yesMarkUpdated": "是,標記為已更新", |  | ||||||
|     "fdroid": "F-Droid 官方", |  | ||||||
|     "appIdOrName": "應用程式 ID 或名稱", |  | ||||||
|     "appId": "應用程式 ID", |  | ||||||
|     "appWithIdOrNameNotFound": "找不到具有該 ID 或名稱的應用程式", |  | ||||||
|     "reposHaveMultipleApps": "倉庫可能包含多個應用程式", |  | ||||||
|     "fdroidThirdPartyRepo": "F-Droid 第三方倉庫", |  | ||||||
|     "install": "安裝", |  | ||||||
|     "markInstalled": "標記為已安裝", |  | ||||||
|     "update": "更新", |  | ||||||
|     "markUpdated": "標記為已更新", |  | ||||||
|     "additionalOptions": "額外選項", |  | ||||||
|     "disableVersionDetection": "停用版本偵測", |  | ||||||
|     "noVersionDetectionExplanation": "此選項僅應用於版本偵測無法正確工作的應用程式。", |  | ||||||
|     "downloadingX": "正在下載 {}", |  | ||||||
|     "downloadX": "下載 {}", |  | ||||||
|     "downloadedX": "已下載 {}", |  | ||||||
|     "releaseAsset": "發佈資源", |  | ||||||
|     "downloadNotifDescription": "通知使用者應用程式下載進度", |  | ||||||
|     "noAPKFound": "沒有找到 APK", |  | ||||||
|     "noVersionDetection": "無版本偵測", |  | ||||||
|     "categorize": "分類", |  | ||||||
|     "categories": "類別", |  | ||||||
|     "category": "類別", |  | ||||||
|     "noCategory": "無類別", |  | ||||||
|     "noCategories": "無類別", |  | ||||||
|     "deleteCategoriesQuestion": "刪除類別?", |  | ||||||
|     "categoryDeleteWarning": "所有在已刪除類別中的應用程式將被設定為未分類。", |  | ||||||
|     "addCategory": "新增類別", |  | ||||||
|     "label": "標籤", |  | ||||||
|     "language": "語言", |  | ||||||
|     "copiedToClipboard": "已複製到剪貼簿", |  | ||||||
|     "storagePermissionDenied": "存取權限被拒絕", |  | ||||||
|     "selectedCategorizeWarning": "這將替換選取應用程式的任何現有類別設定。", |  | ||||||
|     "filterAPKsByRegEx": "用正則表達式過濾 APK", |  | ||||||
|     "removeFromObtainium": "從 Obtainium 移除", |  | ||||||
|     "uninstallFromDevice": "從裝置解除安裝", |  | ||||||
|     "onlyWorksWithNonVersionDetectApps": "僅適用於停用版本偵測的應用程式。", |  | ||||||
|     "releaseDateAsVersion": "使用發佈日期作為版本字串", |  | ||||||
|     "releaseTitleAsVersion": "使用發佈標題作為版本字串", |  | ||||||
|     "releaseDateAsVersionExplanation": "此選項僅應用於版本偵測無法正確工作但有發佈日期的應用程式。", |  | ||||||
|     "changes": "變更", |  | ||||||
|     "releaseDate": "發佈日期", |  | ||||||
|     "importFromURLsInFile": "從檔案中的 URL 匯入(如 OPML)", |  | ||||||
|     "versionDetectionExplanation": "將版本字串與作業系統偵測到的版本對比", |  | ||||||
|     "versionDetection": "版本偵測", |  | ||||||
|     "standardVersionDetection": "標準版本偵測", |  | ||||||
|     "groupByCategory": "按類別分組", |  | ||||||
|     "autoApkFilterByArch": "如果可能,嘗試按 CPU 架構過濾 APK", |  | ||||||
|     "autoLinkFilterByArch": "若可能,自動根據 CPU 架構篩選連結", |  | ||||||
|     "overrideSource": "覆蓋來源", |  | ||||||
|     "dontShowAgain": "不要再顯示", |  | ||||||
|     "dontShowTrackOnlyWarnings": "不要顯示「僅追蹤」警告", |  | ||||||
|     "dontShowAPKOriginWarnings": "不要顯示 APK 來源警告", |  | ||||||
|     "moveNonInstalledAppsToBottom": "將未安裝的應用程式移到應用程式檢視的末端", |  | ||||||
|     "gitlabPATLabel": "GitLab 個人存取權杖", |  | ||||||
|     "about": "關於", |  | ||||||
|     "requiresCredentialsInSettings": "{} 需要額外的憑證(在設定中)", |  | ||||||
|     "checkOnStart": "啟動時檢查更新", |  | ||||||
|     "tryInferAppIdFromCode": "嘗試從原始碼推斷應用程式 ID", |  | ||||||
|     "removeOnExternalUninstall": "自動移除外部解除安裝的應用程式", |  | ||||||
|     "pickHighestVersionCode": "自動選取最高版本號的 APK", |  | ||||||
|     "checkUpdateOnDetailPage": "在開啟應用程式詳細頁面時檢查更新", |  | ||||||
|     "disablePageTransitions": "停用頁面過渡動畫", |  | ||||||
|     "reversePageTransitions": "反轉頁面過渡動畫", |  | ||||||
|     "minStarCount": "最少星星數", |  | ||||||
|     "addInfoBelow": "在下方新增此資訊。", |  | ||||||
|     "addInfoInSettings": "在設定中增加此資訊。", |  | ||||||
|     "githubSourceNote": "使用 API 金鑰可以避免 GitHub 的速率限制。", |  | ||||||
|     "sortByLastLinkSegment": "僅按連結的最後一段排序", |  | ||||||
|     "filterReleaseNotesByRegEx": "用正則表達式過濾發佈說明", |  | ||||||
|     "customLinkFilterRegex": "自定 APK 連結過濾正則表達式(預設為 '.apk$')", |  | ||||||
|     "appsPossiblyUpdated": "嘗試更新應用程式", |  | ||||||
|     "appsPossiblyUpdatedNotifDescription": "通知使用者一個或多個應用程式的更新可能已在背景中套用", |  | ||||||
|     "xWasPossiblyUpdatedToY": "{} 可能已更新到 {}。", |  | ||||||
|     "enableBackgroundUpdates": "啟用背景更新", |  | ||||||
|     "backgroundUpdateReqsExplanation": "並非所有應用程式都能進行背景更新。", |  | ||||||
|     "backgroundUpdateLimitsExplanation": "背景安裝的成功與否只能在開啟 Obtainium 時確定。", |  | ||||||
|     "verifyLatestTag": "驗證「最新」標籤", |  | ||||||
|     "intermediateLinkRegex": "過濾要存取的「中間」連結", |  | ||||||
|     "filterByLinkText": "按連結文字過濾連結", |  | ||||||
|     "matchLinksOutsideATags": "匹配 <a> 標籤外的連結", |  | ||||||
|     "intermediateLinkNotFound": "沒有找到中間連結", |  | ||||||
|     "intermediateLink": "中間連結", |  | ||||||
|     "exemptFromBackgroundUpdates": "免除背景更新(若已啟用)", |  | ||||||
|     "bgUpdatesOnWiFiOnly": "停用非 Wi-Fi 的背景更新", |  | ||||||
|     "bgUpdatesWhileChargingOnly": "未充電時停用背景更新", |  | ||||||
|     "autoSelectHighestVersionCode": "自動選擇最高 versionCode 的 APK", |  | ||||||
|     "versionExtractionRegEx": "版本字串提取正則表達式", |  | ||||||
|     "trimVersionString": "用正則表達式修剪版本字串", |  | ||||||
|     "matchGroupToUseForX": "用於「{}」的對應群組", |  | ||||||
|     "matchGroupToUse": "要用於版本字串提取的對應群組", |  | ||||||
|     "highlightTouchTargets": "突出顯示不明顯的觸控目標", |  | ||||||
|     "pickExportDir": "選擇匯出目錄", |  | ||||||
|     "autoExportOnChanges": "更改時自動匯出", |  | ||||||
|     "includeSettings": "包含設定", |  | ||||||
|     "filterVersionsByRegEx": "用正則表達式過濾版本", |  | ||||||
|     "trySelectingSuggestedVersionCode": "嘗試選擇建議的 versionCode APK", |  | ||||||
|     "dontSortReleasesList": "保留 API 的發佈順序", |  | ||||||
|     "reverseSort": "反向排序", |  | ||||||
|     "takeFirstLink": "使用第一個連結", |  | ||||||
|     "skipSort": "跳過排序", |  | ||||||
|     "debugMenu": "除錯選單", |  | ||||||
|     "bgTaskStarted": "背景任務已啟動 - 檢查日誌。", |  | ||||||
|     "runBgCheckNow": "立即執行背景更新檢查", |  | ||||||
|     "versionExtractWholePage": "將版本字串提取正則表達式套用於整個頁面", |  | ||||||
|     "installing": "正在安裝", |  | ||||||
|     "skipUpdateNotifications": "跳過更新通知", |  | ||||||
|     "updatesAvailableNotifChannel": "有可用的更新", |  | ||||||
|     "appsUpdatedNotifChannel": "應用程式已更新", |  | ||||||
|     "appsPossiblyUpdatedNotifChannel": "嘗試更新應用程式", |  | ||||||
|     "errorCheckingUpdatesNotifChannel": "檢查更新錯誤", |  | ||||||
|     "appsRemovedNotifChannel": "應用程式已移除", |  | ||||||
|     "downloadingXNotifChannel": "正在下載 {}", |  | ||||||
|     "completeAppInstallationNotifChannel": "完成應用程式安裝", |  | ||||||
|     "checkingForUpdatesNotifChannel": "正在檢查更新", |  | ||||||
|     "onlyCheckInstalledOrTrackOnlyApps": "僅檢查已安裝和僅追蹤的應用程式更新", |  | ||||||
|     "supportFixedAPKURL": "支援固定的 APK 網址", |  | ||||||
|     "selectX": "選擇 {}", |  | ||||||
|     "parallelDownloads": "允許平行下載", |  | ||||||
|     "useShizuku": "使用 Shizuku 或 Sui 來安裝", |  | ||||||
|     "shizukuBinderNotFound": "Shizuku 服務未運作", |  | ||||||
|     "shizukuOld": "舊版 Shizuku (<11) - 請更新", |  | ||||||
|     "shizukuOldAndroidWithADB": "Shizuku 在 Android 8.1 以下版本使用 ADB 執行 - 請更新 Android 或改用 Sui", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "設定 Google Play 為安裝來源(如果使用 Shizuku)", |  | ||||||
|     "useSystemFont": "使用系統字型", |  | ||||||
|     "useVersionCodeAsOSVersion": "使用應用程式 versionCode 作為作業系統偵測的版本", |  | ||||||
|     "requestHeader": "請求標頭", |  | ||||||
|     "useLatestAssetDateAsReleaseDate": "使用最新資源上傳日期作為發佈日期", |  | ||||||
|     "defaultPseudoVersioningMethod": "預設偽版本管理方法", |  | ||||||
|     "partialAPKHash": "部分 APK Hash", |  | ||||||
|     "APKLinkHash": "APK 連結 Hash", |  | ||||||
|     "directAPKLink": "直接 APK 連結", |  | ||||||
|     "pseudoVersionInUse": "正在使用偽版本", |  | ||||||
|     "installed": "已安裝", |  | ||||||
|     "latest": "最新", |  | ||||||
|     "invertRegEx": "反轉正則表達式", |  | ||||||
|     "note": "備註", |  | ||||||
|     "selfHostedNote": "可使用「{}」下拉選單來存取任何來源的自行託管/自訂執行個體。", |  | ||||||
|     "badDownload": "無法解析 APK(不相容或下載不完整)", |  | ||||||
|     "beforeNewInstallsShareToAppVerifier": "將新應用程式分享到 AppVerifier(如果可用)", |  | ||||||
|     "appVerifierInstructionToast": "分享至 AppVerifier,然後準備好時回到此處。", |  | ||||||
|     "wiki": "幫助/維基", |  | ||||||
|     "crowdsourcedConfigsLabel": "群眾外包的應用程式設定(使用風險自負)", |  | ||||||
|     "crowdsourcedConfigsShort": "群眾外包的應用程式設定", |  | ||||||
|     "allowInsecure": "允許不安全的 HTTP 請求", |  | ||||||
|     "stayOneVersionBehind": "保持比最新版本落後一個版本", |  | ||||||
|     "useFirstApkOfVersion": "Auto-select first of multiple APKs", |  | ||||||
|     "refreshBeforeDownload": "下載前刷新應用程式詳細資訊", |  | ||||||
|     "tencentAppStore": "騰訊應用寶", |  | ||||||
|     "coolApk": "CoolApk", |  | ||||||
|     "vivoAppStore": "vivo App Store (CN)", |  | ||||||
|     "name": "名稱", |  | ||||||
|     "smartname": "名稱(智慧)", |  | ||||||
|     "sortMethod": "排序方式", |  | ||||||
|     "welcome": "歡迎", |  | ||||||
|     "documentationLinksNote": "下方連結的 Obtainium GitHub 頁面包含影片、文章、討論及其他資源,能幫助你瞭解如何使用這款應用程式。", |  | ||||||
|     "batteryOptimizationNote": "Note that background downloads may work more reliably if you disable OS battery optimizations for Obtainium.", |  | ||||||
|     "fileDeletionError": "Failed to delete file (try deleting it manually then try again): \"{}\"", |  | ||||||
|     "foregroundService": "Obtainium foreground service", |  | ||||||
|     "foregroundServiceExplanation": "Use a foreground service for update checking (more reliable, consumes more power)", |  | ||||||
|     "fgServiceNotice": "This notification is required for background update checking (it can be hidden in the OS settings)", |  | ||||||
|     "excludeSecrets": "Exclude secrets", |  | ||||||
|     "GHReqPrefix": "'sky22333/hubproxy' instance for GitHub requests", |  | ||||||
|     "removeAppQuestion": { |  | ||||||
|         "one": "移除應用程式?", |  | ||||||
|         "other": "移除應用程式?" |  | ||||||
|     }, |  | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |  | ||||||
|         "one": "請求過多(速率限制)- {} 分鐘後重試", |  | ||||||
|         "other": "請求過多(速率限制)- {} 分鐘後重試" |  | ||||||
|     }, |  | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |  | ||||||
|         "one": "背景更新檢查遇到 {},將在 {} 分鐘後重新檢查", |  | ||||||
|         "other": "背景更新檢查遇到 {},將在 {} 分鐘後重新檢查" |  | ||||||
|     }, |  | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |  | ||||||
|         "one": "背景更新檢查發現 {} 個更新 - 如果需要將通知使用者", |  | ||||||
|         "other": "背景更新檢查發現 {} 個更新 - 如果需要將通知使用者" |  | ||||||
|     }, |  | ||||||
|     "apps": { |  | ||||||
|         "one": "{} 個應用程式", |  | ||||||
|         "other": "{} 個應用程式" |  | ||||||
|     }, |  | ||||||
|     "url": { |  | ||||||
|         "one": "{} 個 URL", |  | ||||||
|         "other": "{} 個 URL" |  | ||||||
|     }, |  | ||||||
|     "minute": { |  | ||||||
|         "one": "{} 分鐘", |  | ||||||
|         "other": "{} 分鐘" |  | ||||||
|     }, |  | ||||||
|     "hour": { |  | ||||||
|         "one": "{} 小時", |  | ||||||
|         "other": "{} 小時" |  | ||||||
|     }, |  | ||||||
|     "day": { |  | ||||||
|         "one": "{} 天", |  | ||||||
|         "other": "{} 天" |  | ||||||
|     }, |  | ||||||
|     "clearedNLogsBeforeXAfterY": { |  | ||||||
|         "one": "清除 {n} 個日誌(之前 = {before},之後 = {after})", |  | ||||||
|         "other": "清除 {n} 個日誌(之前 = {before},之後 = {after})" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesAvailable": { |  | ||||||
|         "one": "{} 和另外 1 個應用程式有更新。", |  | ||||||
|         "other": "{} 和另外 {} 個應用程式有更新。" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesInstalled": { |  | ||||||
|         "one": "{} 和另外 1 個應用程式已更新。", |  | ||||||
|         "other": "{} 和另外 {} 個應用程式已更新。" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "更新 {} 和另外 1 個應用程式失敗。", |  | ||||||
|         "other": "更新 {} 和另外 {} 個應用程式失敗。" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |  | ||||||
|         "one": "{} 和另外 1 個應用程式可能已更新。", |  | ||||||
|         "other": "{} 和另外 {} 個應用程式可能已更新。" |  | ||||||
|     }, |  | ||||||
|     "apk": { |  | ||||||
|         "one": "{} 個 APK", |  | ||||||
|         "other": "{} 個 APK" |  | ||||||
|     } |  | ||||||
| } |  | ||||||
| @@ -13,8 +13,8 @@ | |||||||
|     "and": "和", |     "and": "和", | ||||||
|     "githubPATLabel": "GitHub 个人访问令牌(提升 API 请求限额)", |     "githubPATLabel": "GitHub 个人访问令牌(提升 API 请求限额)", | ||||||
|     "includePrereleases": "包含预发行版", |     "includePrereleases": "包含预发行版", | ||||||
|     "fallbackToOlderReleases": "将过往的发行版作为备选", |     "fallbackToOlderReleases": "将旧发行版作为备选", | ||||||
|     "filterReleaseTitlesByRegEx": "筛选发行标题的正则表达式", |     "filterReleaseTitlesByRegEx": "筛选发行标题(正则表达式)", | ||||||
|     "invalidRegEx": "无效的正则表达式", |     "invalidRegEx": "无效的正则表达式", | ||||||
|     "noDescription": "无描述", |     "noDescription": "无描述", | ||||||
|     "cancel": "取消", |     "cancel": "取消", | ||||||
| @@ -22,9 +22,6 @@ | |||||||
|     "requiredInBrackets": "(必填)", |     "requiredInBrackets": "(必填)", | ||||||
|     "dropdownNoOptsError": "错误:下拉菜单必须包含至少一个选项", |     "dropdownNoOptsError": "错误:下拉菜单必须包含至少一个选项", | ||||||
|     "colour": "配色", |     "colour": "配色", | ||||||
|     "standard": "标准", |  | ||||||
|     "custom": "自定义", |  | ||||||
|     "useMaterialYou": "使用 Material You", |  | ||||||
|     "githubStarredRepos": "已星标的 GitHub 仓库", |     "githubStarredRepos": "已星标的 GitHub 仓库", | ||||||
|     "uname": "用户名", |     "uname": "用户名", | ||||||
|     "wrongArgNum": "参数数量错误", |     "wrongArgNum": "参数数量错误", | ||||||
| @@ -45,12 +42,12 @@ | |||||||
|     "search": "搜索", |     "search": "搜索", | ||||||
|     "additionalOptsFor": "{} 的更多选项", |     "additionalOptsFor": "{} 的更多选项", | ||||||
|     "supportedSources": "支持的来源", |     "supportedSources": "支持的来源", | ||||||
|     "trackOnlyInBrackets": "(仅追踪)", |     "trackOnlyInBrackets": "(仅追踪)", | ||||||
|     "searchableInBrackets": "(可搜索)", |     "searchableInBrackets": "(可搜索)", | ||||||
|     "appsString": "应用列表", |     "appsString": "应用列表", | ||||||
|     "noApps": "无应用", |     "noApps": "无应用", | ||||||
|     "noAppsForFilter": "没有符合条件的应用", |     "noAppsForFilter": "没有符合条件的应用", | ||||||
|     "byX": "开发者:{}", |     "byX": "作者:{}", | ||||||
|     "percentProgress": "进度:{}%", |     "percentProgress": "进度:{}%", | ||||||
|     "pleaseWait": "请稍候", |     "pleaseWait": "请稍候", | ||||||
|     "updateAvailable": "更新可用", |     "updateAvailable": "更新可用", | ||||||
| @@ -75,8 +72,8 @@ | |||||||
|     "unpinFromTop": "取消置顶", |     "unpinFromTop": "取消置顶", | ||||||
|     "resetInstallStatusForSelectedAppsQuestion": "是否重置选中应用的安装状态?", |     "resetInstallStatusForSelectedAppsQuestion": "是否重置选中应用的安装状态?", | ||||||
|     "installStatusOfXWillBeResetExplanation": "选中应用的安装状态将会被重置。\n\n当更新安装失败或其他问题导致 Obtainium 中的应用版本显示错误时,可以尝试通过此方法解决。", |     "installStatusOfXWillBeResetExplanation": "选中应用的安装状态将会被重置。\n\n当更新安装失败或其他问题导致 Obtainium 中的应用版本显示错误时,可以尝试通过此方法解决。", | ||||||
|     "customLinkMessage": "分享链接仅适用于已安装 Obtainium 的设备", |     "customLinkMessage": "这些链接适用于安装了 Gettingium 的设备", | ||||||
|     "shareAppConfigLinks": "通过链接分享应用配置", |     "shareAppConfigLinks": "将应用程序配置共享为 HTML 链接", | ||||||
|     "shareSelectedAppURLs": "分享选中应用的 URL", |     "shareSelectedAppURLs": "分享选中应用的 URL", | ||||||
|     "resetInstallStatus": "重置安装状态", |     "resetInstallStatus": "重置安装状态", | ||||||
|     "more": "更多", |     "more": "更多", | ||||||
| @@ -113,7 +110,6 @@ | |||||||
|     "dark": "深色", |     "dark": "深色", | ||||||
|     "light": "浅色", |     "light": "浅色", | ||||||
|     "followSystem": "跟随系统", |     "followSystem": "跟随系统", | ||||||
|     "followSystemThemeExplanation": "跟随系统主题仅在使用第三方应用时有效", |  | ||||||
|     "useBlackTheme": "使用纯黑深色主题", |     "useBlackTheme": "使用纯黑深色主题", | ||||||
|     "appSortBy": "排序依据", |     "appSortBy": "排序依据", | ||||||
|     "authorName": "作者 / 应用名称", |     "authorName": "作者 / 应用名称", | ||||||
| @@ -125,7 +121,7 @@ | |||||||
|     "bgUpdateCheckInterval": "后台更新检查间隔", |     "bgUpdateCheckInterval": "后台更新检查间隔", | ||||||
|     "neverManualOnly": "手动", |     "neverManualOnly": "手动", | ||||||
|     "appearance": "外观", |     "appearance": "外观", | ||||||
|     "showWebInAppView": "应用详情页显示来源网站内容", |     "showWebInAppView": "应用详情页显示来源网页", | ||||||
|     "pinUpdates": "将待更新应用置顶", |     "pinUpdates": "将待更新应用置顶", | ||||||
|     "updates": "更新", |     "updates": "更新", | ||||||
|     "sourceSpecific": "来源", |     "sourceSpecific": "来源", | ||||||
| @@ -135,7 +131,7 @@ | |||||||
|     "close": "关闭", |     "close": "关闭", | ||||||
|     "share": "分享", |     "share": "分享", | ||||||
|     "appNotFound": "未找到应用", |     "appNotFound": "未找到应用", | ||||||
|     "obtainiumExportHyphenatedLowercase": "obtainium-export", |     "obtainiumExportHyphenatedLowercase": "获取出口", | ||||||
|     "pickAnAPK": "选择一个 APK 文件", |     "pickAnAPK": "选择一个 APK 文件", | ||||||
|     "appHasMoreThanOnePackage": "“{}”有多个架构可用:", |     "appHasMoreThanOnePackage": "“{}”有多个架构可用:", | ||||||
|     "deviceSupportsXArch": "您的设备支持 {} 架构。", |     "deviceSupportsXArch": "您的设备支持 {} 架构。", | ||||||
| @@ -147,18 +143,16 @@ | |||||||
|     "noNewUpdates": "全部应用已是最新。", |     "noNewUpdates": "全部应用已是最新。", | ||||||
|     "xHasAnUpdate": "“{}”可以更新了。", |     "xHasAnUpdate": "“{}”可以更新了。", | ||||||
|     "appsUpdated": "应用已更新", |     "appsUpdated": "应用已更新", | ||||||
|     "appsNotUpdated": "更新应用失败", |  | ||||||
|     "appsUpdatedNotifDescription": "当应用在后台安装更新时发送通知", |     "appsUpdatedNotifDescription": "当应用在后台安装更新时发送通知", | ||||||
|     "xWasUpdatedToY": "“{}”已更新至 {}。", |     "xWasUpdatedToY": "“{}”已更新至 {}。", | ||||||
|     "xWasNotUpdatedToY": "未能将 {} 更新为 {}。", |  | ||||||
|     "errorCheckingUpdates": "检查更新出错", |     "errorCheckingUpdates": "检查更新出错", | ||||||
|     "errorCheckingUpdatesNotifDescription": "当后台检查更新失败时显示的通知", |     "errorCheckingUpdatesNotifDescription": "当后台检查更新失败时显示的通知", | ||||||
|     "appsRemoved": "应用已删除", |     "appsRemoved": "应用已删除", | ||||||
|     "appsRemovedNotifDescription": "当应用因加载出错而被删除时发送通知", |     "appsRemovedNotifDescription": "当应用因加载出错而被删除时发送通知", | ||||||
|     "xWasRemovedDueToErrorY": "“{}”由于以下错误被删除:{}", |     "xWasRemovedDueToErrorY": "“{}”由于以下错误被删除:{}", | ||||||
|     "completeAppInstallation": "完成应用安装", |     "completeAppInstallation": "完成应用安装", | ||||||
|     "obtainiumMustBeOpenToInstallApps": "必须开启 Obtainium 才能安装应用", |     "obtainiumMustBeOpenToInstallApps": "必须启动 Obtainium 才能安装应用", | ||||||
|     "completeAppInstallationNotifDescription": "提示返回 Obtainium 以完成应用安装", |     "completeAppInstallationNotifDescription": "提示返回 Obtainium 以完成应用的安装", | ||||||
|     "checkingForUpdates": "正在检查更新", |     "checkingForUpdates": "正在检查更新", | ||||||
|     "checkingForUpdatesNotifDescription": "检查更新时短暂显示的通知", |     "checkingForUpdatesNotifDescription": "检查更新时短暂显示的通知", | ||||||
|     "pleaseAllowInstallPerm": "请授予 Obtainium 安装应用的权限", |     "pleaseAllowInstallPerm": "请授予 Obtainium 安装应用的权限", | ||||||
| @@ -167,7 +161,6 @@ | |||||||
|     "versionCorrectionDisabled": "禁用版本号更正(插件似乎未起作用)", |     "versionCorrectionDisabled": "禁用版本号更正(插件似乎未起作用)", | ||||||
|     "unknown": "未知", |     "unknown": "未知", | ||||||
|     "none": "无", |     "none": "无", | ||||||
|     "all": "全部", |  | ||||||
|     "never": "从未", |     "never": "从未", | ||||||
|     "latestVersionX": "最新版本:{}", |     "latestVersionX": "最新版本:{}", | ||||||
|     "installedVersionX": "当前版本:{}", |     "installedVersionX": "当前版本:{}", | ||||||
| @@ -180,6 +173,8 @@ | |||||||
|     "appWithIdOrNameNotFound": "未找到符合此 ID 或名称的应用", |     "appWithIdOrNameNotFound": "未找到符合此 ID 或名称的应用", | ||||||
|     "reposHaveMultipleApps": "存储库中可能包含多个应用", |     "reposHaveMultipleApps": "存储库中可能包含多个应用", | ||||||
|     "fdroidThirdPartyRepo": "F-Droid 第三方存储库", |     "fdroidThirdPartyRepo": "F-Droid 第三方存储库", | ||||||
|  |     "steamMobile": "蒸汽手机", | ||||||
|  |     "steamChat": "蒸汽聊天", | ||||||
|     "install": "安装", |     "install": "安装", | ||||||
|     "markInstalled": "标记为已安装", |     "markInstalled": "标记为已安装", | ||||||
|     "update": "更新", |     "update": "更新", | ||||||
| @@ -187,10 +182,7 @@ | |||||||
|     "additionalOptions": "附加选项", |     "additionalOptions": "附加选项", | ||||||
|     "disableVersionDetection": "禁用版本检测", |     "disableVersionDetection": "禁用版本检测", | ||||||
|     "noVersionDetectionExplanation": "此选项应该仅用于无法进行版本检测的应用。", |     "noVersionDetectionExplanation": "此选项应该仅用于无法进行版本检测的应用。", | ||||||
|     "downloadingX": "正在下载 {}", |     "downloadingX": "正在下载“{}”", | ||||||
|     "downloadX": "下载 {}", |  | ||||||
|     "downloadedX": "已下载 {}", |  | ||||||
|     "releaseAsset": "发行文件", |  | ||||||
|     "downloadNotifDescription": "提示应用的下载进度", |     "downloadNotifDescription": "提示应用的下载进度", | ||||||
|     "noAPKFound": "未找到 APK 文件", |     "noAPKFound": "未找到 APK 文件", | ||||||
|     "noVersionDetection": "禁用版本检测", |     "noVersionDetection": "禁用版本检测", | ||||||
| @@ -207,12 +199,11 @@ | |||||||
|     "copiedToClipboard": "已复制至剪贴板", |     "copiedToClipboard": "已复制至剪贴板", | ||||||
|     "storagePermissionDenied": "已拒绝授予存储权限", |     "storagePermissionDenied": "已拒绝授予存储权限", | ||||||
|     "selectedCategorizeWarning": "这将覆盖选中应用当前的类别设置。", |     "selectedCategorizeWarning": "这将覆盖选中应用当前的类别设置。", | ||||||
|     "filterAPKsByRegEx": "筛选 APK 文件的正则表达式", |     "filterAPKsByRegEx": "筛选 APK 文件(正则表达式)", | ||||||
|     "removeFromObtainium": "从 Obtainium 中删除", |     "removeFromObtainium": "从 Obtainium 中删除", | ||||||
|     "uninstallFromDevice": "从设备中卸载", |     "uninstallFromDevice": "从设备中卸载", | ||||||
|     "onlyWorksWithNonVersionDetectApps": "仅适用于禁用版本检测的应用。", |     "onlyWorksWithNonVersionDetectApps": "仅适用于禁用版本检测的应用。", | ||||||
|     "releaseDateAsVersion": "将发行日期作为版本号", |     "releaseDateAsVersion": "将发行日期作为版本号", | ||||||
|     "releaseTitleAsVersion": "将发行标题作为版本字符串", |  | ||||||
|     "releaseDateAsVersionExplanation": "此选项应该仅用于无法进行版本检测但能够获取发行日期的应用。", |     "releaseDateAsVersionExplanation": "此选项应该仅用于无法进行版本检测但能够获取发行日期的应用。", | ||||||
|     "changes": "更新日志", |     "changes": "更新日志", | ||||||
|     "releaseDate": "发行日期", |     "releaseDate": "发行日期", | ||||||
| @@ -221,8 +212,7 @@ | |||||||
|     "versionDetection": "版本检测", |     "versionDetection": "版本检测", | ||||||
|     "standardVersionDetection": "常规版本检测", |     "standardVersionDetection": "常规版本检测", | ||||||
|     "groupByCategory": "按类别分组显示", |     "groupByCategory": "按类别分组显示", | ||||||
|     "autoApkFilterByArch": "尽可能按设备支持的 CPU 架构筛选 APK 文件", |     "autoApkFilterByArch": "如果可能,尝试按设备支持的 CPU 架构筛选 APK 文件", | ||||||
|     "autoLinkFilterByArch": "尽可能按设备支持的 CPU 架构筛选链接", |  | ||||||
|     "overrideSource": "覆盖来源", |     "overrideSource": "覆盖来源", | ||||||
|     "dontShowAgain": "不再显示", |     "dontShowAgain": "不再显示", | ||||||
|     "dontShowTrackOnlyWarnings": "忽略“仅追踪”模式警告", |     "dontShowTrackOnlyWarnings": "忽略“仅追踪”模式警告", | ||||||
| @@ -243,33 +233,29 @@ | |||||||
|     "addInfoInSettings": "在“设置”中添加此凭据。", |     "addInfoInSettings": "在“设置”中添加此凭据。", | ||||||
|     "githubSourceNote": "使用访问令牌可避免触发 GitHub 的 API 请求限制。", |     "githubSourceNote": "使用访问令牌可避免触发 GitHub 的 API 请求限制。", | ||||||
|     "sortByLastLinkSegment": "仅根据链接的末尾部分进行筛选", |     "sortByLastLinkSegment": "仅根据链接的末尾部分进行筛选", | ||||||
|     "filterReleaseNotesByRegEx": "筛选发行说明的正则表达式", |     "filterReleaseNotesByRegEx": "筛选发行说明(正则表达式)", | ||||||
|     "customLinkFilterRegex": "筛选自定义来源的 APK 文件链接\n(正则表达式,默认匹配模式为“.apk$”)", |     "customLinkFilterRegex": "筛选自定义来源的 APK 文件链接\n(正则表达式,默认匹配模式为“.apk$”)", | ||||||
|     "appsPossiblyUpdated": "已尝试更新应用", |     "appsPossiblyUpdated": "已尝试更新应用", | ||||||
|     "appsPossiblyUpdatedNotifDescription": "当应用已尝试在后台更新时发送通知", |     "appsPossiblyUpdatedNotifDescription": "当应用已尝试在后台更新时发送通知", | ||||||
|     "xWasPossiblyUpdatedToY": "已尝试将“{}”更新至 {}。", |     "xWasPossiblyUpdatedToY": "已尝试将“{}”更新至 {}。", | ||||||
|     "enableBackgroundUpdates": "启用全局后台更新", |     "enableBackgroundUpdates": "启用后台更新", | ||||||
|     "backgroundUpdateReqsExplanation": "后台更新未必适用于所有的应用。", |     "backgroundUpdateReqsExplanation": "后台更新未必适用于所有的应用。", | ||||||
|     "backgroundUpdateLimitsExplanation": "只有在开启 Obtainium 时才能确认是否安装成功。", |     "backgroundUpdateLimitsExplanation": "只有在启动 Obtainium 时才能确认安装是否成功。", | ||||||
|     "verifyLatestTag": "验证“Latest”标签", |     "verifyLatestTag": "验证“Latest”标签", | ||||||
|     "intermediateLinkRegex": "筛选中转链接的正则表达式", |     "intermediateLinkRegex": "筛选中转链接(正则表达式)", | ||||||
|     "filterByLinkText": "根据链接文本进行筛选", |     "filterByLinkText": "根据链接文本进行筛选", | ||||||
|     "matchLinksOutsideATags": "匹配 <a> 标签外的链接", |  | ||||||
|     "intermediateLinkNotFound": "未找到中转链接", |     "intermediateLinkNotFound": "未找到中转链接", | ||||||
|     "intermediateLink": "中转链接", |     "intermediateLink": "中转链接", | ||||||
|     "exemptFromBackgroundUpdates": "禁用后台更新(仅此应用生效,即使已启用全局后台更新)", |     "exemptFromBackgroundUpdates": "禁用后台更新(如果已经全局启用)", | ||||||
|     "bgUpdatesOnWiFiOnly": "未连接 Wi-Fi 时禁用后台更新", |     "bgUpdatesOnWiFiOnly": "未连接 Wi-Fi 时禁用后台更新", | ||||||
|     "bgUpdatesWhileChargingOnly": "未充电时禁用后台更新", |  | ||||||
|     "autoSelectHighestVersionCode": "自动选择内部版本号最高的 APK 文件", |     "autoSelectHighestVersionCode": "自动选择内部版本号最高的 APK 文件", | ||||||
|     "versionExtractionRegEx": "提取版本号的正则表达式", |     "versionExtractionRegEx": "版本号提取规则(正则表达式)", | ||||||
|     "trimVersionString": "修剪版本字符串的正则表达式", |     "matchGroupToUse": "引用的捕获组", | ||||||
|     "matchGroupToUseForX": "“{}”中引用的捕获组", |     "highlightTouchTargets": "突出展示不明显的触摸区域", | ||||||
|     "matchGroupToUse": "“提取版本字符串的正则表达式”中引用的捕获组", |  | ||||||
|     "highlightTouchTargets": "突出展示不明显的可交互区域", |  | ||||||
|     "pickExportDir": "选择导出文件夹", |     "pickExportDir": "选择导出文件夹", | ||||||
|     "autoExportOnChanges": "数据变更时自动导出", |     "autoExportOnChanges": "数据变更时自动导出", | ||||||
|     "includeSettings": "同时导出应用设置", |     "includeSettings": "同时导出应用设置", | ||||||
|     "filterVersionsByRegEx": "筛选版本号的正则表达式", |     "filterVersionsByRegEx": "筛选版本号(正则表达式)", | ||||||
|     "trySelectingSuggestedVersionCode": "尝试选择推荐版本的 APK 文件", |     "trySelectingSuggestedVersionCode": "尝试选择推荐版本的 APK 文件", | ||||||
|     "dontSortReleasesList": "保持来自 API 的发行顺序", |     "dontSortReleasesList": "保持来自 API 的发行顺序", | ||||||
|     "reverseSort": "反转排序", |     "reverseSort": "反转排序", | ||||||
| @@ -293,15 +279,15 @@ | |||||||
|     "supportFixedAPKURL": "支持固定的 APK 文件链接", |     "supportFixedAPKURL": "支持固定的 APK 文件链接", | ||||||
|     "selectX": "选择{}", |     "selectX": "选择{}", | ||||||
|     "parallelDownloads": "启用并行下载", |     "parallelDownloads": "启用并行下载", | ||||||
|     "useShizuku": "使用 Shizuku 或 Sui 安装", |     "installMethod": "安装方式", | ||||||
|  |     "normal": "常规", | ||||||
|  |     "root": "root", | ||||||
|     "shizukuBinderNotFound": "未发现兼容的 Shizuku 服务", |     "shizukuBinderNotFound": "未发现兼容的 Shizuku 服务", | ||||||
|     "shizukuOld": "Shizuku 版本过低(<11)- 请更新", |  | ||||||
|     "shizukuOldAndroidWithADB": "正在低版本 Android(<8.1)系统中以 ADB 模式运行 Shizuku - 请更新 Android 系统版本或使用 Sui 代替", |  | ||||||
|     "shizukuPretendToBeGooglePlay": "将安装来源伪装为 Google Play(需要使用 Shizuku)", |  | ||||||
|     "useSystemFont": "使用系统字体", |     "useSystemFont": "使用系统字体", | ||||||
|  |     "systemFontError": "加载系统字体出错:{}", | ||||||
|     "useVersionCodeAsOSVersion": "使用内部版本号代替应用定义的版本号", |     "useVersionCodeAsOSVersion": "使用内部版本号代替应用定义的版本号", | ||||||
|     "requestHeader": "请求标头", |     "requestHeader": "请求标头", | ||||||
|     "useLatestAssetDateAsReleaseDate": "使用最新文件上传时间作为发行日期", |     "useLatestAssetDateAsReleaseDate": "使用最近文件上传时间作为发行日期", | ||||||
|     "defaultPseudoVersioningMethod": "默认虚拟版本方案", |     "defaultPseudoVersioningMethod": "默认虚拟版本方案", | ||||||
|     "partialAPKHash": "APK 文件散列值片段", |     "partialAPKHash": "APK 文件散列值片段", | ||||||
|     "APKLinkHash": "APK 文件链接散列值", |     "APKLinkHash": "APK 文件链接散列值", | ||||||
| @@ -313,41 +299,17 @@ | |||||||
|     "note": "备注", |     "note": "备注", | ||||||
|     "selfHostedNote": "可以通过“{}”下拉菜单来指向任意来源的自托管/自定义实例。", |     "selfHostedNote": "可以通过“{}”下拉菜单来指向任意来源的自托管/自定义实例。", | ||||||
|     "badDownload": "无法解析 APK 文件(不兼容或文件不完整)", |     "badDownload": "无法解析 APK 文件(不兼容或文件不完整)", | ||||||
|     "beforeNewInstallsShareToAppVerifier": "通过 AppVerifier 校验新应用(如果可用)", |  | ||||||
|     "appVerifierInstructionToast": "分享至 AppVerifier,完成后返回此处。", |  | ||||||
|     "wiki": "帮助/Wiki", |  | ||||||
|     "crowdsourcedConfigsLabel": "来自社区的应用配置(谨慎使用)", |  | ||||||
|     "crowdsourcedConfigsShort": "来自社区的应用配置", |  | ||||||
|     "allowInsecure": "允许不安全的 HTTP 请求", |  | ||||||
|     "stayOneVersionBehind": "始终延后一个版本进行更新", |  | ||||||
|     "useFirstApkOfVersion": "存在多个 APK 文件时自动选择第一个", |  | ||||||
|     "refreshBeforeDownload": "下载前刷新应用详情", |  | ||||||
|     "tencentAppStore": "腾讯应用宝", |  | ||||||
|     "coolApk": "酷安", |  | ||||||
|     "vivoAppStore": "(中国)vivo应用商店", |  | ||||||
|     "name": "发行名称", |  | ||||||
|     "smartname": "发行名称(智能)", |  | ||||||
|     "sortMethod": "排序方法", |  | ||||||
|     "welcome": "欢迎", |  | ||||||
|     "documentationLinksNote": "下方链接的 GitHub 页面中包含关于 Obtainium 的视频、文章、讨论及其他资源,可帮助您了解本应用的使用方法。", |  | ||||||
|     "batteryOptimizationNote": "请注意,在设置中切换为“前台服务”,并/或关闭操作系统对 Obtainium 的电池优化,可能会让后台下载更稳定。", |  | ||||||
|     "fileDeletionError": "删除文件失败(请手动删除后再次尝试):\"{}\"", |  | ||||||
|     "foregroundService": "Obtainium 前台服务", |  | ||||||
|     "foregroundServiceExplanation": "使用前台服务检查更新(更稳定,但也更耗电)", |  | ||||||
|     "fgServiceNotice": "后台检查更新时需要此通知(可在操作系统设置中隐藏)", |  | ||||||
|     "excludeSecrets": "排除机密", |  | ||||||
|     "GHReqPrefix": "用于 GitHub 请求的 \"sky22333/hubproxy \"实例", |  | ||||||
|     "removeAppQuestion": { |     "removeAppQuestion": { | ||||||
|         "one": "是否删除应用?", |         "one": "是否删除应用?", | ||||||
|         "other": "是否删除应用?" |         "other": "是否删除应用?" | ||||||
|     }, |     }, | ||||||
|     "tooManyRequestsTryAgainInMinutes": { |     "tooManyRequestsTryAgainInMinutes": { | ||||||
|         "one": "请求过于频繁(API 速率限制)- 请在 {} 分钟后重试", |         "one": "API 请求过于频繁(速率限制)- 在 {} 分钟后重试", | ||||||
|         "other": "请求过于频繁(API 速率限制)- 请在 {} 分钟后重试" |         "other": "API 请求过于频繁(速率限制)- 在 {} 分钟后重试" | ||||||
|     }, |     }, | ||||||
|     "bgUpdateGotErrorRetryInMinutes": { |     "bgUpdateGotErrorRetryInMinutes": { | ||||||
|         "one": "后台更新检查遇到了“{}”问题,将于 {} 分钟后重试", |         "one": "后台更新检查遇到了“{}”问题,预定于 {} 分钟后重试", | ||||||
|         "other": "后台更新检查遇到了“{}”问题,将于 {} 分钟后重试" |         "other": "后台更新检查遇到了“{}”问题,预定于 {} 分钟后重试" | ||||||
|     }, |     }, | ||||||
|     "bgCheckFoundUpdatesWillNotifyIfNeeded": { |     "bgCheckFoundUpdatesWillNotifyIfNeeded": { | ||||||
|         "one": "后台检查发现 {} 个应用更新 - 如有需要将发送通知", |         "one": "后台检查发现 {} 个应用更新 - 如有需要将发送通知", | ||||||
| @@ -374,27 +336,23 @@ | |||||||
|         "other": "{} 天" |         "other": "{} 天" | ||||||
|     }, |     }, | ||||||
|     "clearedNLogsBeforeXAfterY": { |     "clearedNLogsBeforeXAfterY": { | ||||||
|         "one": "清除了 {n} 条日志(早于 {before},晚于 {after})", |         "one": "清除了 {n} 个日志({before} 之前,{after} 之后)", | ||||||
|         "other": "清除了 {n} 条日志(早于 {before},晚于 {after})" |         "other": "清除了 {n} 个日志({before} 之前,{after} 之后)" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesAvailable": { |     "xAndNMoreUpdatesAvailable": { | ||||||
|         "one": "“{}”和另外 1 个应用可以更新了。", |         "one": "“{}”和另外 1 个应用可以更新了。", | ||||||
|         "other": "“{}”和另外 {} 个应用可以更新了。" |         "other": "“{}”和另外 {} 个应用可以更新了。" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesInstalled": { |     "xAndNMoreUpdatesInstalled": { | ||||||
|         "one": "“{}”和另外 1 个应用已更新。", |         "one": "{} 和另外 1 个应用已更新。", | ||||||
|         "other": "“{}”和另外 {} 个应用已更新。" |         "other": "“{}”和另外 {} 个应用已更新。" | ||||||
|     }, |     }, | ||||||
|     "xAndNMoreUpdatesFailed": { |  | ||||||
|         "one": "“{}”和另外 1 个应用更新失败。", |  | ||||||
|         "other": "“{}”和另外 {} 个应用更新失败。" |  | ||||||
|     }, |  | ||||||
|     "xAndNMoreUpdatesPossiblyInstalled": { |     "xAndNMoreUpdatesPossiblyInstalled": { | ||||||
|         "one": "已尝试更新“{}”和另外 1 个应用。", |         "one": "{} 和另外 1 个应用已尝试更新。", | ||||||
|         "other": "已尝试更新“{}”和另外 {} 个应用。" |         "other": "“{}”和另外 {} 个应用已尝试更新。" | ||||||
|     }, |     }, | ||||||
|     "apk": { |     "apk": { | ||||||
|         "one": "{} 个 APK 文件", |         "one": "{}APK", | ||||||
|         "other": "{} 个 APK 文件" |         "other": "{}APK" | ||||||
|     } |     } | ||||||
| } | } | ||||||
|   | |||||||
							
								
								
									
										24
									
								
								build.sh
									
									
									
									
									
								
							
							
						
						| @@ -2,35 +2,15 @@ | |||||||
| # Convenience script | # Convenience script | ||||||
|  |  | ||||||
| CURR_DIR="$(pwd)" | CURR_DIR="$(pwd)" | ||||||
| SCRIPT_DIR="$(cd -- "$(dirname -- "${BASH_SOURCE[0]}")" &>/dev/null && pwd)" | trap "cd "$CURR_DIR"" EXIT | ||||||
| trap "cd \"$CURR_DIR\"" EXIT |  | ||||||
| cd "$SCRIPT_DIR" |  | ||||||
|  |  | ||||||
| if [ -z "$1" ]; then | if [ -z "$1" ]; then | ||||||
|     git fetch && git merge origin/main && git push # Typically run after a PR to main, so bring dev up to date |     git fetch && git merge origin/main && git push # Typically run after a PR to main, so bring dev up to date | ||||||
| fi | fi | ||||||
|  |  | ||||||
| # Update local Flutter |  | ||||||
| git submodule update --remote |  | ||||||
| cd .flutter | cd .flutter | ||||||
| git fetch | git fetch | ||||||
| git checkout stable | git checkout "$(flutter --version | head -2 | tail -1 | awk '{print $4}')" # Ensure included Flutter submodule version equals my environment | ||||||
| git pull |  | ||||||
| FLUTTER_GIT_URL="https://github.com/flutter/flutter/" ./bin/flutter upgrade |  | ||||||
| cd .. | cd .. | ||||||
|  |  | ||||||
| # Keep global Flutter, if any, in sync |  | ||||||
| if [ -f ~/flutter/bin/flutter ]; then |  | ||||||
|     cd ~/flutter |  | ||||||
|     ./bin/flutter channel stable |  | ||||||
|     ./bin/flutter upgrade |  | ||||||
|     cd "$SCRIPT_DIR" |  | ||||||
| fi |  | ||||||
|  |  | ||||||
| if [ -z "$(which flutter)" ]; then |  | ||||||
|     export PATH="$PATH:$SCRIPT_DIR/.flutter/bin" |  | ||||||
| fi |  | ||||||
|  |  | ||||||
| rm ./build/app/outputs/flutter-apk/* 2>/dev/null                                       # Get rid of older builds if any | rm ./build/app/outputs/flutter-apk/* 2>/dev/null                                       # Get rid of older builds if any | ||||||
| flutter build apk --flavor normal && flutter build apk --split-per-abi --flavor normal # Build (both split and combined APKs) | flutter build apk --flavor normal && flutter build apk --split-per-abi --flavor normal # Build (both split and combined APKs) | ||||||
| for file in ./build/app/outputs/flutter-apk/app-*normal*.apk*; do mv "$file" "${file//-normal/}"; done | for file in ./build/app/outputs/flutter-apk/app-*normal*.apk*; do mv "$file" "${file//-normal/}"; done | ||||||
|   | |||||||
| @@ -1,86 +0,0 @@ | |||||||
| FROM ubuntu:22.04 |  | ||||||
|  |  | ||||||
| ENV DEBIAN_FRONTEND noninteractive |  | ||||||
| ENV ANDROID_SDK_ROOT /opt/android-sdk-linux |  | ||||||
| ENV PATH "${PATH}:/opt/flutter/bin:/root/.pub-cache/bin:${ANDROID_SDK_ROOT}/cmdline-tools/latest/bin:/opt/android-sdk-linux/platform-tools" |  | ||||||
|  |  | ||||||
| ENV HOME=/root |  | ||||||
|  |  | ||||||
| # Prereqs |  | ||||||
| RUN \ |  | ||||||
|     apt-get update &&\ |  | ||||||
|     apt-get install -y --no-install-recommends \ |  | ||||||
|         bash \ |  | ||||||
|         curl \ |  | ||||||
|         file \ |  | ||||||
|         git 2.x \ |  | ||||||
|         unzip \ |  | ||||||
|         xz-utils \ |  | ||||||
|         zip \ |  | ||||||
|         libglu1-mesa \ |  | ||||||
|         libxi-dev \ |  | ||||||
|         libxmu-dev \ |  | ||||||
|         libglu1-mesa-dev \ |  | ||||||
|         git-lfs \ |  | ||||||
|         openssl \ |  | ||||||
|         wget |  | ||||||
|  |  | ||||||
| # Build prereqs |  | ||||||
| RUN \ |  | ||||||
|     apt-get install -y \ |  | ||||||
|         cmake curl git wget unzip libgconf-2-4 gdb libstdc++6 libglu1-mesa fonts-droid-fallback lib32stdc++6 python3 sed \ |  | ||||||
|         cmake ninja-build build-essential libgl1-mesa-dev libegl1-mesa-dev libgles2-mesa-dev clang pkg-config libgtk-3-dev \ |  | ||||||
|         liblzma-dev libmount-dev libblkid-dev libgcrypt20-dev libgpg-error-dev libssl-dev libpng-dev libjpeg-dev \ |  | ||||||
|         libtiff-dev libgif-dev libgtk-3-dev |  | ||||||
|  |  | ||||||
| # Android SDK prequisites |  | ||||||
| # https://developer.android.com/studio#command-tools |  | ||||||
| RUN \ |  | ||||||
|     apt-get install -y --no-install-recommends \ |  | ||||||
|         git \ |  | ||||||
|         git-lfs \ |  | ||||||
|         openssl \ |  | ||||||
|         wget \ |  | ||||||
|         unzip |  | ||||||
|  |  | ||||||
| # Android SDK |  | ||||||
| RUN \ |  | ||||||
|     wget --quiet  https://dl.google.com/android/repository/commandlinetools-linux-13114758_latest.zip -O /tmp/tools.zip && \ |  | ||||||
|     mkdir -p ${ANDROID_SDK_ROOT}/cmdline-tools && \ |  | ||||||
|     unzip -q /tmp/tools.zip -d ${ANDROID_SDK_ROOT}/cmdline-tools && \ |  | ||||||
|     mv ${ANDROID_SDK_ROOT}/cmdline-tools/cmdline-tools ${ANDROID_SDK_ROOT}/cmdline-tools/latest && \ |  | ||||||
|     rm -v /tmp/tools.zip && \ |  | ||||||
|     mkdir -p /root/.android/ && touch /root/.android/repositories.cfg &&\ |  | ||||||
|     apt-get install -y --no-install-recommends openjdk-21-jdk openjdk-21-jre &&\ |  | ||||||
|     yes | sdkmanager --licenses &&\ |  | ||||||
|     sdkmanager --update |  | ||||||
|  |  | ||||||
|     # Platform tools |  | ||||||
| # Get latest with sdkmanager --list |  | ||||||
| RUN sdkmanager --install "build-tools;33.0.1" |  | ||||||
| RUN sdkmanager --install "ndk;26.3.11579264" |  | ||||||
| RUN sdkmanager --install "cmake;4.0.2" |  | ||||||
| RUN sdkmanager --install platform-tools |  | ||||||
| RUN sdkmanager --install emulator |  | ||||||
| RUN sdkmanager --install tools |  | ||||||
| RUN sdkmanager --install "platforms;android-28" |  | ||||||
| RUN sdkmanager --install "platforms;android-31" |  | ||||||
| RUN sdkmanager --install "platforms;android-32" |  | ||||||
| RUN sdkmanager --install "platforms;android-33" |  | ||||||
| RUN sdkmanager --install "platforms;android-34" |  | ||||||
| RUN sdkmanager --install "platforms;android-35" |  | ||||||
|  |  | ||||||
| # Flutter |  | ||||||
| ARG DEV_UID=0 |  | ||||||
| RUN \ |  | ||||||
|     wget --quiet https://storage.googleapis.com/flutter_infra_release/releases/stable/linux/flutter_linux_3.29.3-stable.tar.xz -O /tmp/flutter.tar.xz &&\ |  | ||||||
|     mkdir -p /opt &&\ |  | ||||||
|     cd /opt &&\ |  | ||||||
|     tar xf /tmp/flutter.tar.xz &&\ |  | ||||||
|     rm /tmp/flutter.tar.xz &&\ |  | ||||||
|     git config --global --add safe.directory /opt/flutter &&\ |  | ||||||
|     dart pub global activate cider &&\ |  | ||||||
|     chown -R ${DEV_UID} /opt/flutter |  | ||||||
| RUN flutter --disable-analytics |  | ||||||
| RUN flutter upgrade |  | ||||||
| RUN chmod a+w /opt/flutter/packages -R |  | ||||||
| @@ -1,21 +0,0 @@ | |||||||
| #!/usr/bin/env bash |  | ||||||
|  |  | ||||||
| SCRIPT_DIR=$( cd -- "$( dirname -- "${BASH_SOURCE[0]}" )" &> /dev/null && pwd ) |  | ||||||
|  |  | ||||||
| cd ${SCRIPT_DIR}/.. |  | ||||||
| mkdir -p ./data/home |  | ||||||
| docker run \ |  | ||||||
|     --rm \ |  | ||||||
|     -ti \ |  | ||||||
|     --net host \ |  | ||||||
|     -v "${PWD}/../:${PWD}/../":z \ |  | ||||||
|     -w "${PWD}" \ |  | ||||||
|     --name flutter-dev-obtainium \ |  | ||||||
|     --user $(id -u) \ |  | ||||||
|     -v ./data/home:/home/${USER}:z \ |  | ||||||
|     -e USER=${USER} \ |  | ||||||
|     -e HOME=/home/${USER} \ |  | ||||||
|     -e ANDROID_USER_HOME=${HOME}/.android \ |  | ||||||
|     -e GRADLE_USER_HOME=${HOME}/.gradle \ |  | ||||||
|     -e PS1="${debian_chroot:+($debian_chroot)}${USER}@\h:\w\$ " \ |  | ||||||
|     flutter-builder-obtainium |  | ||||||
| @@ -1,14 +0,0 @@ | |||||||
| #!/usr/bin/env bash |  | ||||||
|  |  | ||||||
| SCRIPT_DIR=$( cd -- "$( dirname -- "${BASH_SOURCE[0]}" )" &> /dev/null && pwd ) |  | ||||||
| D=$(date +'%Y%m%d.%H%M%S%3N') |  | ||||||
|  |  | ||||||
| set -e |  | ||||||
|  |  | ||||||
| cd "${SCRIPT_DIR}/.." |  | ||||||
| # Create the builder image |  | ||||||
| docker build \ |  | ||||||
|     -t flutter-builder-obtainium \ |  | ||||||
|     -f ./docker/Dockerfile \ |  | ||||||
|     --build-arg="DEV_UID=$(id -u)" \ |  | ||||||
|     . |  | ||||||
| @@ -1,58 +0,0 @@ | |||||||
| <p>Obtainium erlaubt Ihnen die Installation und Aktualisierung von Apps direkt von deren Veröffentlichungsseiten aus; Sie erhalten außerdem Benachrichtigungen, wenn neue Versionen verfügbar sind.</p> |  | ||||||
| <p>Lesen Sie das <a href="https://wiki.obtainium.imranr.dev/de/">Wiki</a></p> |  | ||||||
| <p> |  | ||||||
| 	<b>Derzeit unterstützte App-Quellen:</b> |  | ||||||
| </p> |  | ||||||
| <ul> |  | ||||||
| 	<li>Open Source – Allgemein: |  | ||||||
| 		<ul> |  | ||||||
| 			<li>F-Droid</li> |  | ||||||
| 			<li>Third Party F-Droid Repos</li> |  | ||||||
| 			<li>Forgejo (Codeberg)</li> |  | ||||||
| 			<li>GitHub</li> |  | ||||||
| 			<li>GitLab</li> |  | ||||||
| 			<li>IzzyOnDroid</li> |  | ||||||
| 			<li>SourceHut</li> |  | ||||||
| 		</ul> |  | ||||||
| 	</li> |  | ||||||
| 	<li>Andere – Allgemein: |  | ||||||
| 		<ul> |  | ||||||
| 			<li>alternative Stores</li> |  | ||||||
| 				<ul> |  | ||||||
| 				<li>CoolApk</li> |  | ||||||
| 				<li>Tencent App Store</li> |  | ||||||
| 				<li>RuStore</li> |  | ||||||
| 				</ul> |  | ||||||
| 			<li>OEM-Stores</li> |  | ||||||
| 				<ul> |  | ||||||
| 				<li>Huawei AppGallery</li> |  | ||||||
| 				<li>vivo App Store (China)</li> |  | ||||||
| 				</ul> |  | ||||||
| 			<li>Mods</li> |  | ||||||
| 				<ul> |  | ||||||
| 				<li>Farsroid</li> |  | ||||||
| 				</ul> |  | ||||||
| 			<li>Reupload-Stores</li> |  | ||||||
| 				<ul> |  | ||||||
| 				<li>APKMirror (nur Updatebenachrchtigungen; kein APK-Download möglich)</li> |  | ||||||
| 				<li>APKPure</li> |  | ||||||
| 				<li>Aptoide</li> |  | ||||||
| 				<li>Uptodown</li> |  | ||||||
| 				</ul> |  | ||||||
| 			<li>Jenkins Jobs</li> |  | ||||||
| 		</ul> |  | ||||||
| 	</li> |  | ||||||
| 	<li>Andere - App-Spezifisch: |  | ||||||
| 		<ul> |  | ||||||
| 			<li>Telegram App</li> |  | ||||||
| 			<li>Neutron Code</li> |  | ||||||
| 		</ul> |  | ||||||
| 	</li> |  | ||||||
| 	<li>„HTML“ (Fallback): Jede andere URL, die eine HTML-Seite mit Links zu APK-Dateien zurückgibt.</li> |  | ||||||
| </ul> |  | ||||||
| <p> |  | ||||||
| 	<b>Einschränkungen:</b> |  | ||||||
| </p> |  | ||||||
| <p> |  | ||||||
| 	Bei einigen Quellen werden die Daten mithilfe von Web Scraping gesammelt und können aufgrund von Änderungen am Design der Website leicht beschädigt werden. In solchen Fällen sind zuverlässigere Methoden nicht verfügbar. |  | ||||||
| </p> |  | ||||||
| @@ -1 +0,0 @@ | |||||||
| … Android-App-Updates direkt von der Quelle erhalten |  | ||||||
| @@ -1 +0,0 @@ | |||||||
| Obtainium |  | ||||||
| @@ -1,5 +1,5 @@ | |||||||
| <p>Obtainium allows you to install and update Apps directly from their releases pages, and receive notifications when new releases are made available.</p> | <p>Obtainium allows you to install and update Apps directly from their releases pages, and receive notifications when new releases are made available.</p> | ||||||
| <p>Read the <a href="https://wiki.obtainium.imranr.dev/">Wiki</a></p> | <p>Read the <a href="https://github.com/ImranR98/Obtainium/wiki">Wiki</a></p> | ||||||
| <p> | <p> | ||||||
| 	<b>Currently supported App sources:</b> | 	<b>Currently supported App sources:</b> | ||||||
| </p> | </p> | ||||||
| @@ -9,10 +9,11 @@ | |||||||
| 		<ul> | 		<ul> | ||||||
| 			<li>GitHub</li> | 			<li>GitHub</li> | ||||||
| 			<li>GitLab</li> | 			<li>GitLab</li> | ||||||
| 			<li>Forgejo (Codeberg)</li> | 			<li>Codeberg</li> | ||||||
| 			<li>F-Droid</li> | 			<li>F-Droid</li> | ||||||
| 			<li>Third Party F-Droid Repos</li> | 			<li>Third Party F-Droid Repos</li> | ||||||
| 			<li>IzzyOnDroid</li> | 			<li>IzzyOnDroid</li> | ||||||
|  | 			<li>SourceForge</li> | ||||||
| 			<li>SourceHut</li> | 			<li>SourceHut</li> | ||||||
| 		</ul> | 		</ul> | ||||||
| 	</li> | 	</li> | ||||||
| @@ -21,19 +22,24 @@ | |||||||
| 		<ul> | 		<ul> | ||||||
| 			<li>APKPure</li> | 			<li>APKPure</li> | ||||||
| 			<li>Aptoide</li> | 			<li>Aptoide</li> | ||||||
| 			<li>Uptodown</li> | 			<li>Uptodowng</li> | ||||||
| 			<li>APKMirror (Track-Only)</li> | 			<li>APKMirror (Track-Only)</li> | ||||||
| 			<li>Huawei AppGallery</li> | 			<li>Huawei AppGallery</li> | ||||||
| 			<li>Tencent App Store</li> |  | ||||||
| 			<li>CoolApk</li> |  | ||||||
| 			<li>vivo App Store (CN)</li> |  | ||||||
| 			<li>Jenkins Jobs</li> | 			<li>Jenkins Jobs</li> | ||||||
| 			<li>RuStore</li> | 		</ul> | ||||||
|  | 	</li> | ||||||
|  | 	<li> | ||||||
|  | 		<p>Open Source - App-Specific:</p> | ||||||
|  | 		<ul> | ||||||
|  | 			<li>Mullvad</li> | ||||||
|  | 			<li>Signal</li> | ||||||
|  | 			<li>VLC</li> | ||||||
| 		</ul> | 		</ul> | ||||||
| 	</li> | 	</li> | ||||||
| 	<li> | 	<li> | ||||||
| 		<p>Other - App-Specific:</p> | 		<p>Other - App-Specific:</p> | ||||||
| 		<ul> | 		<ul> | ||||||
|  | 			<li>WhatsApp</li> | ||||||
| 			<li>Telegram App</li> | 			<li>Telegram App</li> | ||||||
| 			<li>Neutron Code</li> | 			<li>Neutron Code</li> | ||||||
| 		</ul> | 		</ul> | ||||||
|   | |||||||
| @@ -1 +0,0 @@ | |||||||
| ../../../../../assets/graphics/banner.png |  | ||||||
| Before Width: | Height: | Size: 41 B After Width: | Height: | Size: 66 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/featureGraphic.png
									
									
									
									
									
										Executable file
									
								
							
							
						
						| Before Width: | Height: | Size: 41 B After Width: | Height: | Size: 66 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../assets/graphics/icon-512x512.png |  | ||||||
| Before Width: | Height: | Size: 47 B After Width: | Height: | Size: 44 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/icon.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 47 B After Width: | Height: | Size: 44 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../../assets/screenshots/1.apps.png |  | ||||||
| Before Width: | Height: | Size: 47 B After Width: | Height: | Size: 234 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/phoneScreenshots/1.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 47 B After Width: | Height: | Size: 234 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../../assets/screenshots/2.dark_theme.png |  | ||||||
| Before Width: | Height: | Size: 53 B After Width: | Height: | Size: 238 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/phoneScreenshots/2.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 53 B After Width: | Height: | Size: 238 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../../assets/screenshots/3.material_you.png |  | ||||||
| Before Width: | Height: | Size: 55 B After Width: | Height: | Size: 140 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/phoneScreenshots/3.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 55 B After Width: | Height: | Size: 140 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../../assets/screenshots/4.app.png |  | ||||||
| Before Width: | Height: | Size: 46 B After Width: | Height: | Size: 139 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/phoneScreenshots/4.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 46 B After Width: | Height: | Size: 139 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../../assets/screenshots/5.app_opts.png |  | ||||||
| Before Width: | Height: | Size: 51 B After Width: | Height: | Size: 118 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/phoneScreenshots/5.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 51 B After Width: | Height: | Size: 118 KiB | 
| @@ -1 +0,0 @@ | |||||||
| ../../../../../../assets/screenshots/6.app_webview.png |  | ||||||
| Before Width: | Height: | Size: 54 B After Width: | Height: | Size: 262 KiB | 
							
								
								
									
										
											BIN
										
									
								
								fastlane/metadata/android/en-US/images/phoneScreenshots/6.png
									
									
									
									
									
										Normal file
									
								
							
							
						
						| Before Width: | Height: | Size: 54 B After Width: | Height: | Size: 262 KiB | 
| @@ -1 +1 @@ | |||||||
| Get Android app updates directly from the source | Get android app updates directly from the source | ||||||
|   | |||||||
| @@ -1,48 +0,0 @@ | |||||||
| <p>Obtainium позволяет вам устанавливать и обновлять приложения прямо с их объявлений о выпусках и получать уведомления о новых выпусках.</p> |  | ||||||
| <p>Для деталей читайте <a href="https://wiki.obtainium.imranr.dev/">Вики</a></p> |  | ||||||
| <p> |  | ||||||
| 	<b>Поддерживаемые источники приложений:</b> |  | ||||||
| </p> |  | ||||||
| <ul> |  | ||||||
| 	<li> |  | ||||||
| 		<p>Свободное ПО - Общие:</p> |  | ||||||
| 		<ul> |  | ||||||
| 			<li>GitHub</li> |  | ||||||
| 			<li>GitLab</li> |  | ||||||
| 			<li>Forgejo (Codeberg)</li> |  | ||||||
| 			<li>F-Droid</li> |  | ||||||
| 			<li>Third Party F-Droid Repos</li> |  | ||||||
| 			<li>IzzyOnDroid</li> |  | ||||||
| 			<li>SourceHut</li> |  | ||||||
| 		</ul> |  | ||||||
| 	</li> |  | ||||||
| 	<li> |  | ||||||
| 		<p>Другие - Общие:</p> |  | ||||||
| 		<ul> |  | ||||||
| 			<li>APKPure</li> |  | ||||||
| 			<li>Aptoide</li> |  | ||||||
| 			<li>Uptodown</li> |  | ||||||
| 			<li>APKMirror (Track-Only)</li> |  | ||||||
| 			<li>Huawei AppGallery</li> |  | ||||||
| 			<li>Tencent App Store</li> |  | ||||||
| 			<li>CoolApk</li> |  | ||||||
| 			<li>vivo App Store (CN)</li> |  | ||||||
| 			<li>Jenkins Jobs</li> |  | ||||||
| 			<li>RuStore</li> |  | ||||||
| 		</ul> |  | ||||||
| 	</li> |  | ||||||
| 	<li> |  | ||||||
| 		<p>Другие - Для отдельных приложений:</p> |  | ||||||
| 		<ul> |  | ||||||
| 			<li>Telegram App</li> |  | ||||||
| 			<li>Neutron Code</li> |  | ||||||
| 		</ul> |  | ||||||
| 	</li> |  | ||||||
| 	<li><p>"HTML" (Подстраховка): Любой другой URL-адрес, который возвращает HTML-страницу со ссылками на APK-файлы.</p></li> |  | ||||||
| </ul> |  | ||||||
| <p> |  | ||||||
| 	<b>Ограничения:</b> |  | ||||||
| </p> |  | ||||||
| <p> |  | ||||||
| 	Для некоторых источников данные собираются с помощью веб-скрапинга и могут легко сломаться из-за изменений в дизайне веб-сайта. В таких случаях более надежные методы могут быть недоступны. |  | ||||||
| </p> |  | ||||||
| @@ -1 +0,0 @@ | |||||||
| Получайте обновления приложений прямо из источника |  | ||||||
| @@ -1 +0,0 @@ | |||||||
| Obtainium |  | ||||||
| @@ -10,11 +10,10 @@ class APKCombo extends AppSource { | |||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   String sourceSpecificStandardizeURL(String url, {bool forSelection = false}) { |   String sourceSpecificStandardizeURL(String url) { | ||||||
|     RegExp standardUrlRegEx = RegExp( |     RegExp standardUrlRegEx = RegExp( | ||||||
|       '^https?://(www\\.)?${getSourceRegex(hosts)}/+[^/]+/+[^/]+', |         '^https?://(www\\.)?${getSourceRegex(hosts)}/+[^/]+/+[^/]+', | ||||||
|       caseSensitive: false, |         caseSensitive: false); | ||||||
|     ); |  | ||||||
|     var match = standardUrlRegEx.firstMatch(url); |     var match = standardUrlRegEx.firstMatch(url); | ||||||
|     if (match == null) { |     if (match == null) { | ||||||
|       throw InvalidURLError(name); |       throw InvalidURLError(name); | ||||||
| @@ -23,35 +22,30 @@ class APKCombo extends AppSource { | |||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   Future<String?> tryInferringAppId( |   Future<String?> tryInferringAppId(String standardUrl, | ||||||
|     String standardUrl, { |       {Map<String, dynamic> additionalSettings = const {}}) async { | ||||||
|     Map<String, dynamic> additionalSettings = const {}, |  | ||||||
|   }) async { |  | ||||||
|     return Uri.parse(standardUrl).pathSegments.last; |     return Uri.parse(standardUrl).pathSegments.last; | ||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   Future<Map<String, String>?> getRequestHeaders( |   Future<Map<String, String>?> getRequestHeaders( | ||||||
|     Map<String, dynamic> additionalSettings, { |       Map<String, dynamic> additionalSettings, | ||||||
|     bool forAPKDownload = false, |       {bool forAPKDownload = false}) async { | ||||||
|   }) async { |  | ||||||
|     return { |     return { | ||||||
|       "User-Agent": "curl/8.0.1", |       "User-Agent": "curl/8.0.1", | ||||||
|       "Accept": "*/*", |       "Accept": "*/*", | ||||||
|       "Connection": "keep-alive", |       "Connection": "keep-alive", | ||||||
|       "Host": hosts[0], |       "Host": hosts[0] | ||||||
|     }; |     }; | ||||||
|   } |   } | ||||||
|  |  | ||||||
|   Future<List<MapEntry<String, String>>> getApkUrls( |   Future<List<MapEntry<String, String>>> getApkUrls( | ||||||
|     String standardUrl, |       String standardUrl, Map<String, dynamic> additionalSettings) async { | ||||||
|     Map<String, dynamic> additionalSettings, |  | ||||||
|   ) async { |  | ||||||
|     var res = await sourceRequest('$standardUrl/download/apk', {}); |     var res = await sourceRequest('$standardUrl/download/apk', {}); | ||||||
|     if (res.statusCode != 200) { |     if (res.statusCode != 200) { | ||||||
|       throw getObtainiumHttpError(res); |       throw getObtainiumHttpError(res); | ||||||
|     } |     } | ||||||
|     var html = parse(res.body); |     var html = parse(res.data); | ||||||
|     return html |     return html | ||||||
|         .querySelectorAll('#variants-tab > div > ul > li') |         .querySelectorAll('#variants-tab > div > ul > li') | ||||||
|         .map((e) { |         .map((e) { | ||||||
| @@ -71,9 +65,7 @@ class APKCombo extends AppSource { | |||||||
|             String verCode = |             String verCode = | ||||||
|                 e.querySelector('.info .header .vercode')?.text.trim() ?? ''; |                 e.querySelector('.info .header .vercode')?.text.trim() ?? ''; | ||||||
|             return MapEntry<String, String>( |             return MapEntry<String, String>( | ||||||
|               arch != null ? '$arch-$verCode.apk' : '', |                 arch != null ? '$arch-$verCode.apk' : '', url ?? ''); | ||||||
|               url ?? '', |  | ||||||
|             ); |  | ||||||
|           }).toList(); |           }).toList(); | ||||||
|         }) |         }) | ||||||
|         .reduce((value, element) => [...value, ...element]) |         .reduce((value, element) => [...value, ...element]) | ||||||
| @@ -82,13 +74,10 @@ class APKCombo extends AppSource { | |||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   Future<String> assetUrlPrefetchModifier( |   Future<String> apkUrlPrefetchModifier(String apkUrl, String standardUrl, | ||||||
|     String assetUrl, |       Map<String, dynamic> additionalSettings) async { | ||||||
|     String standardUrl, |  | ||||||
|     Map<String, dynamic> additionalSettings, |  | ||||||
|   ) async { |  | ||||||
|     var freshURLs = await getApkUrls(standardUrl, additionalSettings); |     var freshURLs = await getApkUrls(standardUrl, additionalSettings); | ||||||
|     var path2Match = Uri.parse(assetUrl).path; |     var path2Match = Uri.parse(apkUrl).path; | ||||||
|     for (var url in freshURLs) { |     for (var url in freshURLs) { | ||||||
|       if (Uri.parse(url.value).path == path2Match) { |       if (Uri.parse(url.value).path == path2Match) { | ||||||
|         return url.value; |         return url.value; | ||||||
| @@ -107,7 +96,7 @@ class APKCombo extends AppSource { | |||||||
|     if (preres.statusCode != 200) { |     if (preres.statusCode != 200) { | ||||||
|       throw getObtainiumHttpError(preres); |       throw getObtainiumHttpError(preres); | ||||||
|     } |     } | ||||||
|     var res = parse(preres.body); |     var res = parse(preres.data); | ||||||
|     String? version = res.querySelector('div.version')?.text.trim(); |     String? version = res.querySelector('div.version')?.text.trim(); | ||||||
|     if (version == null) { |     if (version == null) { | ||||||
|       throw NoVersionError(); |       throw NoVersionError(); | ||||||
| @@ -127,10 +116,9 @@ class APKCombo extends AppSource { | |||||||
|       } |       } | ||||||
|     } |     } | ||||||
|     return APKDetails( |     return APKDetails( | ||||||
|       version, |         version, | ||||||
|       await getApkUrls(standardUrl, additionalSettings), |         await getApkUrls(standardUrl, additionalSettings), | ||||||
|       AppNames(author, appName), |         AppNames(author, appName), | ||||||
|       releaseDate: releaseDate, |         releaseDate: releaseDate); | ||||||
|     ); |  | ||||||
|   } |   } | ||||||
| } | } | ||||||
|   | |||||||
| @@ -1,12 +1,10 @@ | |||||||
| import 'dart:io'; | import 'dart:io'; | ||||||
|  |  | ||||||
|  | import 'package:dio/dio.dart'; | ||||||
| import 'package:easy_localization/easy_localization.dart'; | import 'package:easy_localization/easy_localization.dart'; | ||||||
| import 'package:html/parser.dart'; | import 'package:html/parser.dart'; | ||||||
| import 'package:http/http.dart'; |  | ||||||
| import 'package:obtainium/components/generated_form.dart'; | import 'package:obtainium/components/generated_form.dart'; | ||||||
| import 'package:obtainium/custom_errors.dart'; | import 'package:obtainium/custom_errors.dart'; | ||||||
| import 'package:obtainium/providers/apps_provider.dart'; |  | ||||||
| import 'package:obtainium/providers/settings_provider.dart'; |  | ||||||
| import 'package:obtainium/providers/source_provider.dart'; | import 'package:obtainium/providers/source_provider.dart'; | ||||||
|  |  | ||||||
| class APKMirror extends AppSource { | class APKMirror extends AppSource { | ||||||
| @@ -17,44 +15,27 @@ class APKMirror extends AppSource { | |||||||
|  |  | ||||||
|     additionalSourceAppSpecificSettingFormItems = [ |     additionalSourceAppSpecificSettingFormItems = [ | ||||||
|       [ |       [ | ||||||
|         GeneratedFormSwitch( |         GeneratedFormSwitch('fallbackToOlderReleases', | ||||||
|           'fallbackToOlderReleases', |             label: tr('fallbackToOlderReleases'), defaultValue: true) | ||||||
|           label: tr('fallbackToOlderReleases'), |  | ||||||
|           defaultValue: true, |  | ||||||
|         ), |  | ||||||
|       ], |       ], | ||||||
|       [ |       [ | ||||||
|         GeneratedFormTextField( |         GeneratedFormTextField('filterReleaseTitlesByRegEx', | ||||||
|           'filterReleaseTitlesByRegEx', |             label: tr('filterReleaseTitlesByRegEx'), | ||||||
|           label: tr('filterReleaseTitlesByRegEx'), |             required: false, | ||||||
|           required: false, |             additionalValidators: [ | ||||||
|           additionalValidators: [ |               (value) { | ||||||
|             (value) { |                 return regExValidator(value); | ||||||
|               return regExValidator(value); |               } | ||||||
|             }, |             ]) | ||||||
|           ], |       ] | ||||||
|         ), |  | ||||||
|       ], |  | ||||||
|     ]; |     ]; | ||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   Future<Map<String, String>?> getRequestHeaders( |   String sourceSpecificStandardizeURL(String url) { | ||||||
|     Map<String, dynamic> additionalSettings, { |  | ||||||
|     bool forAPKDownload = false, |  | ||||||
|   }) async { |  | ||||||
|     return { |  | ||||||
|       "User-Agent": |  | ||||||
|           "Obtainium/${(await getInstalledInfo(obtainiumId))?.versionName ?? '1.0.0'}", |  | ||||||
|     }; |  | ||||||
|   } |  | ||||||
|  |  | ||||||
|   @override |  | ||||||
|   String sourceSpecificStandardizeURL(String url, {bool forSelection = false}) { |  | ||||||
|     RegExp standardUrlRegEx = RegExp( |     RegExp standardUrlRegEx = RegExp( | ||||||
|       '^https?://(www\\.)?${getSourceRegex(hosts)}/apk/[^/]+/[^/]+', |         '^https?://(www\\.)?${getSourceRegex(hosts)}/apk/[^/]+/[^/]+', | ||||||
|       caseSensitive: false, |         caseSensitive: false); | ||||||
|     ); |  | ||||||
|     RegExpMatch? match = standardUrlRegEx.firstMatch(url); |     RegExpMatch? match = standardUrlRegEx.firstMatch(url); | ||||||
|     if (match == null) { |     if (match == null) { | ||||||
|       throw InvalidURLError(name); |       throw InvalidURLError(name); | ||||||
| @@ -75,16 +56,13 @@ class APKMirror extends AppSource { | |||||||
|         additionalSettings['fallbackToOlderReleases'] == true; |         additionalSettings['fallbackToOlderReleases'] == true; | ||||||
|     String? regexFilter = |     String? regexFilter = | ||||||
|         (additionalSettings['filterReleaseTitlesByRegEx'] as String?) |         (additionalSettings['filterReleaseTitlesByRegEx'] as String?) | ||||||
|                 ?.isNotEmpty == |                     ?.isNotEmpty == | ||||||
|             true |                 true | ||||||
|         ? additionalSettings['filterReleaseTitlesByRegEx'] |             ? additionalSettings['filterReleaseTitlesByRegEx'] | ||||||
|         : null; |             : null; | ||||||
|     Response res = await sourceRequest( |     Response res = await sourceRequest('$standardUrl/feed', additionalSettings); | ||||||
|       '$standardUrl/feed/', |  | ||||||
|       additionalSettings, |  | ||||||
|     ); |  | ||||||
|     if (res.statusCode == 200) { |     if (res.statusCode == 200) { | ||||||
|       var items = parse(res.body).querySelectorAll('item'); |       var items = parse(res.data).querySelectorAll('item'); | ||||||
|       dynamic targetRelease; |       dynamic targetRelease; | ||||||
|       for (int i = 0; i < items.length; i++) { |       for (int i = 0; i < items.length; i++) { | ||||||
|         if (!fallbackToOlderReleases && i > 0) break; |         if (!fallbackToOlderReleases && i > 0) break; | ||||||
| @@ -104,14 +82,11 @@ class APKMirror extends AppSource { | |||||||
|           .split(' ') |           .split(' ') | ||||||
|           .sublist(0, 5) |           .sublist(0, 5) | ||||||
|           .join(' '); |           .join(' '); | ||||||
|       DateTime? releaseDate = dateString != null |       DateTime? releaseDate = | ||||||
|           ? HttpDate.parse('$dateString GMT') |           dateString != null ? HttpDate.parse('$dateString GMT') : null; | ||||||
|           : null; |  | ||||||
|       String? version = titleString |       String? version = titleString | ||||||
|           ?.substring( |           ?.substring(RegExp('[0-9]').firstMatch(titleString)?.start ?? 0, | ||||||
|             RegExp('[0-9]').firstMatch(titleString)?.start ?? 0, |               RegExp(' by ').allMatches(titleString).last.start) | ||||||
|             RegExp(' by ').allMatches(titleString).last.start, |  | ||||||
|           ) |  | ||||||
|           .trim(); |           .trim(); | ||||||
|       if (version == null || version.isEmpty) { |       if (version == null || version.isEmpty) { | ||||||
|         version = titleString; |         version = titleString; | ||||||
| @@ -119,12 +94,8 @@ class APKMirror extends AppSource { | |||||||
|       if (version == null || version.isEmpty) { |       if (version == null || version.isEmpty) { | ||||||
|         throw NoVersionError(); |         throw NoVersionError(); | ||||||
|       } |       } | ||||||
|       return APKDetails( |       return APKDetails(version, [], getAppNames(standardUrl), | ||||||
|         version, |           releaseDate: releaseDate); | ||||||
|         [], |  | ||||||
|         getAppNames(standardUrl), |  | ||||||
|         releaseDate: releaseDate, |  | ||||||
|       ); |  | ||||||
|     } else { |     } else { | ||||||
|       throw getObtainiumHttpError(res); |       throw getObtainiumHttpError(res); | ||||||
|     } |     } | ||||||
|   | |||||||
| @@ -1,18 +1,21 @@ | |||||||
| import 'dart:convert'; |  | ||||||
|  |  | ||||||
| import 'package:device_info_plus/device_info_plus.dart'; |  | ||||||
| import 'package:easy_localization/easy_localization.dart'; | import 'package:easy_localization/easy_localization.dart'; | ||||||
| import 'package:obtainium/components/generated_form.dart'; | import 'package:html/parser.dart'; | ||||||
| import 'package:obtainium/custom_errors.dart'; | import 'package:obtainium/custom_errors.dart'; | ||||||
| import 'package:obtainium/providers/source_provider.dart'; | import 'package:obtainium/providers/source_provider.dart'; | ||||||
|  |  | ||||||
| extension Unique<E, Id> on List<E> { | parseDateTimeMMMddCommayyyy(String? dateString) { | ||||||
|   List<E> unique([Id Function(E element)? id, bool inplace = true]) { |   DateTime? releaseDate; | ||||||
|     final ids = <dynamic>{}; |   try { | ||||||
|     var list = inplace ? this : List<E>.from(this); |     releaseDate = dateString != null | ||||||
|     list.retainWhere((x) => ids.add(id != null ? id(x) : x as Id)); |         ? DateFormat('MMM dd, yyyy').parse(dateString) | ||||||
|     return list; |         : null; | ||||||
|  |     releaseDate = dateString != null && releaseDate == null | ||||||
|  |         ? DateFormat('MMMM dd, yyyy').parse(dateString) | ||||||
|  |         : releaseDate; | ||||||
|  |   } catch (err) { | ||||||
|  |     // ignore | ||||||
|   } |   } | ||||||
|  |   return releaseDate; | ||||||
| } | } | ||||||
|  |  | ||||||
| class APKPure extends AppSource { | class APKPure extends AppSource { | ||||||
| @@ -21,46 +24,20 @@ class APKPure extends AppSource { | |||||||
|     allowSubDomains = true; |     allowSubDomains = true; | ||||||
|     naiveStandardVersionDetection = true; |     naiveStandardVersionDetection = true; | ||||||
|     showReleaseDateAsVersionToggle = true; |     showReleaseDateAsVersionToggle = true; | ||||||
|     additionalSourceAppSpecificSettingFormItems = [ |  | ||||||
|       [ |  | ||||||
|         GeneratedFormSwitch( |  | ||||||
|           'fallbackToOlderReleases', |  | ||||||
|           label: tr('fallbackToOlderReleases'), |  | ||||||
|           defaultValue: true, |  | ||||||
|         ), |  | ||||||
|       ], |  | ||||||
|       [ |  | ||||||
|         GeneratedFormSwitch( |  | ||||||
|           'stayOneVersionBehind', |  | ||||||
|           label: tr('stayOneVersionBehind'), |  | ||||||
|           defaultValue: false, |  | ||||||
|         ), |  | ||||||
|       ], |  | ||||||
|       [ |  | ||||||
|         GeneratedFormSwitch( |  | ||||||
|           'useFirstApkOfVersion', |  | ||||||
|           label: tr('useFirstApkOfVersion'), |  | ||||||
|           defaultValue: true, |  | ||||||
|         ), |  | ||||||
|       ], |  | ||||||
|     ]; |  | ||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   String sourceSpecificStandardizeURL(String url, {bool forSelection = false}) { |   String sourceSpecificStandardizeURL(String url) { | ||||||
|     RegExp standardUrlRegExB = RegExp( |     RegExp standardUrlRegExB = RegExp( | ||||||
|       '^https?://m.${getSourceRegex(hosts)}(/+[^/]{2})?/+[^/]+/+[^/]+', |         '^https?://m.${getSourceRegex(hosts)}/+[^/]+/+[^/]+(/+[^/]+)?', | ||||||
|       caseSensitive: false, |         caseSensitive: false); | ||||||
|     ); |  | ||||||
|     RegExpMatch? match = standardUrlRegExB.firstMatch(url); |     RegExpMatch? match = standardUrlRegExB.firstMatch(url); | ||||||
|     if (match != null) { |     if (match != null) { | ||||||
|       var uri = Uri.parse(url); |       url = 'https://${getSourceRegex(hosts)}${Uri.parse(url).path}'; | ||||||
|       url = 'https://${uri.host.substring(2)}${uri.path}'; |  | ||||||
|     } |     } | ||||||
|     RegExp standardUrlRegExA = RegExp( |     RegExp standardUrlRegExA = RegExp( | ||||||
|       '^https?://(www\\.)?${getSourceRegex(hosts)}(/+[^/]{2})?/+[^/]+/+[^/]+', |         '^https?://(www\\.)?${getSourceRegex(hosts)}/+[^/]+/+[^/]+(/+[^/]+)?', | ||||||
|       caseSensitive: false, |         caseSensitive: false); | ||||||
|     ); |  | ||||||
|     match = standardUrlRegExA.firstMatch(url); |     match = standardUrlRegExA.firstMatch(url); | ||||||
|     if (match == null) { |     if (match == null) { | ||||||
|       throw InvalidURLError(name); |       throw InvalidURLError(name); | ||||||
| @@ -69,151 +46,52 @@ class APKPure extends AppSource { | |||||||
|   } |   } | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   Future<String?> tryInferringAppId( |   Future<String?> tryInferringAppId(String standardUrl, | ||||||
|     String standardUrl, { |       {Map<String, dynamic> additionalSettings = const {}}) async { | ||||||
|     Map<String, dynamic> additionalSettings = const {}, |  | ||||||
|   }) async { |  | ||||||
|     return Uri.parse(standardUrl).pathSegments.last; |     return Uri.parse(standardUrl).pathSegments.last; | ||||||
|   } |   } | ||||||
|  |  | ||||||
|   Future<APKDetails> getDetailsForVersion( |  | ||||||
|     List<Map<String, dynamic>> versionVariants, |  | ||||||
|     List<String> supportedArchs, |  | ||||||
|     Map<String, dynamic> additionalSettings, |  | ||||||
|   ) async { |  | ||||||
|     var apkUrls = versionVariants |  | ||||||
|         .map((e) { |  | ||||||
|           String appId = e['package_name']; |  | ||||||
|           String versionCode = e['version_code']; |  | ||||||
|  |  | ||||||
|           List<String> architectures = e['native_code']?.cast<String>(); |  | ||||||
|           String architectureString = architectures.join(','); |  | ||||||
|           if (architectures.contains("universal") || |  | ||||||
|               architectures.contains("unlimited")) { |  | ||||||
|             architectures = []; |  | ||||||
|           } |  | ||||||
|           if (additionalSettings['autoApkFilterByArch'] == true && |  | ||||||
|               architectures.isNotEmpty && |  | ||||||
|               architectures.where((a) => supportedArchs.contains(a)).isEmpty) { |  | ||||||
|             return null; |  | ||||||
|           } |  | ||||||
|  |  | ||||||
|           String type = e['asset']['type']; |  | ||||||
|           String downloadUri = e['asset']['url']; |  | ||||||
|  |  | ||||||
|           return MapEntry( |  | ||||||
|             '$appId-$versionCode-$architectureString.${type.toLowerCase()}', |  | ||||||
|             downloadUri, |  | ||||||
|           ); |  | ||||||
|         }) |  | ||||||
|         .nonNulls |  | ||||||
|         .toList() |  | ||||||
|         .unique((e) => e.key); |  | ||||||
|  |  | ||||||
|     if (apkUrls.isEmpty) { |  | ||||||
|       throw NoAPKError(); |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     // get version details from first variant |  | ||||||
|     var v = versionVariants.first; |  | ||||||
|     String version = v['version_name']; |  | ||||||
|     String author = v['developer']; |  | ||||||
|     String appName = v['title']; |  | ||||||
|     DateTime releaseDate = DateTime.parse(v['update_date']); |  | ||||||
|     String? changeLog = v['whatsnew']; |  | ||||||
|     if (changeLog != null && changeLog.isEmpty) { |  | ||||||
|       changeLog = null; |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     if (additionalSettings['useFirstApkOfVersion'] == true) { |  | ||||||
|       apkUrls = [apkUrls.first]; |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     return APKDetails( |  | ||||||
|       version, |  | ||||||
|       apkUrls, |  | ||||||
|       AppNames(author, appName), |  | ||||||
|       releaseDate: releaseDate, |  | ||||||
|       changeLog: changeLog, |  | ||||||
|     ); |  | ||||||
|   } |  | ||||||
|  |  | ||||||
|   @override |  | ||||||
|   Future<Map<String, String>?> getRequestHeaders( |  | ||||||
|     Map<String, dynamic> additionalSettings, { |  | ||||||
|     bool forAPKDownload = false, |  | ||||||
|   }) async { |  | ||||||
|     if (forAPKDownload) { |  | ||||||
|       return null; |  | ||||||
|     } else { |  | ||||||
|       return { |  | ||||||
|         "Ual-Access-Businessid": "projecta", |  | ||||||
|         "Ual-Access-ProjectA": |  | ||||||
|             '{"device_info":{"os_ver":"${((await DeviceInfoPlugin().androidInfo).version.sdkInt)}"}}', |  | ||||||
|       }; |  | ||||||
|     } |  | ||||||
|   } |  | ||||||
|  |  | ||||||
|   @override |   @override | ||||||
|   Future<APKDetails> getLatestAPKDetails( |   Future<APKDetails> getLatestAPKDetails( | ||||||
|     String standardUrl, |     String standardUrl, | ||||||
|     Map<String, dynamic> additionalSettings, |     Map<String, dynamic> additionalSettings, | ||||||
|   ) async { |   ) async { | ||||||
|     String appId = (await tryInferringAppId(standardUrl))!; |     String appId = (await tryInferringAppId(standardUrl))!; | ||||||
|  |     String host = Uri.parse(standardUrl).host; | ||||||
|     List<String> supportedArchs = |     var res = await sourceRequest('$standardUrl/download', additionalSettings); | ||||||
|         (await DeviceInfoPlugin().androidInfo).supportedAbis; |     var resChangelog = await sourceRequest(standardUrl, additionalSettings); | ||||||
|  |     if (res.statusCode == 200 && resChangelog.statusCode == 200) { | ||||||
|     // request versions from API |       var html = parse(res.data); | ||||||
|     var res = await sourceRequest( |       var htmlChangelog = parse(resChangelog.data); | ||||||
|       "https://tapi.pureapk.com/v3/get_app_his_version?package_name=$appId&hl=en", |       String? version = html.querySelector('span.info-sdk span')?.text.trim(); | ||||||
|       additionalSettings, |       if (version == null) { | ||||||
|     ); |         throw NoVersionError(); | ||||||
|     if (res.statusCode != 200) { |       } | ||||||
|  |       String? dateString = | ||||||
|  |           html.querySelector('span.info-other span.date')?.text.trim(); | ||||||
|  |       DateTime? releaseDate = parseDateTimeMMMddCommayyyy(dateString); | ||||||
|  |       String type = html.querySelector('a.info-tag')?.text.trim() ?? 'APK'; | ||||||
|  |       List<MapEntry<String, String>> apkUrls = [ | ||||||
|  |         MapEntry('$appId.apk', | ||||||
|  |             'https://d.${hosts.contains(host) ? 'cdnpure.com' : host}/b/$type/$appId?version=latest') | ||||||
|  |       ]; | ||||||
|  |       String author = html | ||||||
|  |               .querySelector('span.info-sdk') | ||||||
|  |               ?.text | ||||||
|  |               .trim() | ||||||
|  |               .substring(version.length + 4) ?? | ||||||
|  |           Uri.parse(standardUrl).pathSegments.reversed.last; | ||||||
|  |       String appName = | ||||||
|  |           html.querySelector('h1.info-title')?.text.trim() ?? appId; | ||||||
|  |       String? changeLog = htmlChangelog | ||||||
|  |           .querySelector("div.whats-new-info p:not(.date)") | ||||||
|  |           ?.innerHtml | ||||||
|  |           .trim() | ||||||
|  |           .replaceAll("<br>", "  \n"); | ||||||
|  |       return APKDetails(version, apkUrls, AppNames(author, appName), | ||||||
|  |           releaseDate: releaseDate, changeLog: changeLog); | ||||||
|  |     } else { | ||||||
|       throw getObtainiumHttpError(res); |       throw getObtainiumHttpError(res); | ||||||
|     } |     } | ||||||
|     List<Map<String, dynamic>> apks = jsonDecode( |  | ||||||
|       res.body, |  | ||||||
|     )['version_list'].cast<Map<String, dynamic>>(); |  | ||||||
|  |  | ||||||
|     // group by version |  | ||||||
|     List<List<Map<String, dynamic>>> versions = apks |  | ||||||
|         .fold<Map<String, List<Map<String, dynamic>>>>({}, ( |  | ||||||
|           Map<String, List<Map<String, dynamic>>> val, |  | ||||||
|           Map<String, dynamic> element, |  | ||||||
|         ) { |  | ||||||
|           String v = element['version_name']; |  | ||||||
|           if (!val.containsKey(v)) { |  | ||||||
|             val[v] = []; |  | ||||||
|           } |  | ||||||
|           val[v]?.add(element); |  | ||||||
|           return val; |  | ||||||
|         }) |  | ||||||
|         .values |  | ||||||
|         .toList(); |  | ||||||
|  |  | ||||||
|     if (versions.isEmpty) { |  | ||||||
|       throw NoReleasesError(); |  | ||||||
|     } |  | ||||||
|  |  | ||||||
|     for (var i = 0; i < versions.length; i++) { |  | ||||||
|       var v = versions[i]; |  | ||||||
|       try { |  | ||||||
|         if (i == 0 && additionalSettings['stayOneVersionBehind'] == true) { |  | ||||||
|           throw NoReleasesError(); |  | ||||||
|         } |  | ||||||
|         return await getDetailsForVersion( |  | ||||||
|           v, |  | ||||||
|           supportedArchs, |  | ||||||
|           additionalSettings, |  | ||||||
|         ); |  | ||||||
|       } catch (e) { |  | ||||||
|         if (additionalSettings['fallbackToOlderReleases'] != true || |  | ||||||
|             i == versions.length - 1) { |  | ||||||
|           rethrow; |  | ||||||
|         } |  | ||||||
|       } |  | ||||||
|     } |  | ||||||
|     throw NoAPKError(); |  | ||||||
|   } |   } | ||||||
| } | } | ||||||
|   | |||||||